API¶
Locals¶
This is the complete list of classes, functions and methods exported from storm.locals:
storm.store.AutoReload
Store¶
The Store interface to a database.
This module contains the highest-level ORM interface in Storm.
-
class
storm.store.
Store
(database, cache=None)[source]¶ Bases:
object
The Storm Store.
This is the highest-level interface to a database. It manages transactions with
commit
androllback
, caching, high-level querying withfind
, and more.Note that Store objects are not threadsafe. You should create one Store per thread in your application, passing them the same backend
Database
object.-
add
(obj)[source]¶ Add the given object to the store.
The object will be inserted into the database if it has not yet been added.
The
added
event will be fired on the object info’s event system.
-
add_flush_order
(before, after)[source]¶ Explicitly specify the order of flushing two objects.
When the next database flush occurs, the order of data modification statements will be ensured.
- Parameters
before – The object to flush first.
after – The object to flush after
before
.
-
autoreload
(obj=None)[source]¶ Set an object or all objects to be reloaded automatically on access.
When a database-backed attribute of one of the objects is accessed, the object will be reloaded entirely from the database.
- Parameters
obj – If passed, only mark the given object for autoreload. Otherwise, all cached objects will be marked for autoreload.
-
begin
(xid)[source]¶ Start a new two-phase transaction.
- Parameters
xid – A
Xid
instance holding identification data for the new transaction.
-
commit
()[source]¶ Commit all changes to the database.
This invalidates the cache, so all live objects will have data reloaded next time they are touched.
-
execute
(statement, params=None, noresult=False)[source]¶ Execute a basic query.
This is just like
storm.database.Database.execute
, except that a flush is performed first.
-
find
(cls_spec, *args, **kwargs)[source]¶ Perform a query.
Some examples:
store.find(Person, Person.name == u"Joe") --> all Persons named Joe store.find(Person, name=u"Joe") --> same store.find((Company, Person), Person.company_id == Company.id) --> iterator of tuples of Company and Person instances which are associated via the company_id -> Company relation.
- Parameters
cls_spec – The class or tuple of classes whose associated tables will be queried.
args – Instances of
Expr
.kwargs – Mapping of simple column names to values or expressions to query for.
- Returns
A
ResultSet
of instancescls_spec
. Ifcls_spec
was a tuple, then an iterator of tuples of such instances.
-
flush
()[source]¶ Flush all dirty objects in cache to database.
This method will first call the __storm_pre_flush__ hook of all dirty objects. If more objects become dirty as a result of executing code in the hooks, the hook is also called on them. The hook is only called once for each object.
It will then flush each dirty object to the database, that is, execute the SQL code to insert/delete/update them. After each object is flushed, the hook __storm_flushed__ is called on it, and if changes are made to the object it will get back to the dirty list, and be flushed again.
Note that Storm will flush objects for you automatically, so you’ll only need to call this method explicitly in very rare cases where normal flushing times are insufficient, such as when you want to make sure a database trigger gets run at a particular time.
-
get
(cls, key)[source]¶ Get object of type cls with the given primary key from the database.
If the object is alive the database won’t be touched.
- Parameters
cls – Class of the object to be retrieved.
key – Primary key of object. May be a tuple for composed keys.
- Returns
The object found with the given primary key, or None if no object is found.
-
invalidate
(obj=None)[source]¶ Set an object or all objects to be invalidated.
This prevents Storm from returning the cached object without first verifying that the object is still available in the database.
This should almost never be called by application code; it is only necessary if it is possible that an object has disappeared through some mechanism that Storm was unable to detect, like direct SQL statements within the current transaction that bypassed the ORM layer. The Store automatically invalidates all cached objects on transaction boundaries.
-
static
of
(obj)[source]¶ Get the Store that the object is associated with.
If the given object has not yet been associated with a store, return None.
-
prepare
()[source]¶ Prepare a two-phase transaction for the final commit.
- Note
It must be call inside a two-phase transaction started with begin().
-
reload
(obj)[source]¶ Reload the given object.
The object will immediately have all of its data reset from the database. Any pending changes will be thrown away.
-
remove
(obj)[source]¶ Remove the given object from the store.
The associated row will be deleted from the database.
-
remove_flush_order
(before, after)[source]¶ Cancel an explicit flush order specified with
add_flush_order
.- Parameters
before – The
before
object previously specified in a call toadd_flush_order
.after – The
after
object previously specified in a call toadd_flush_order
.
-
reset
()[source]¶ Reset this store, causing all future queries to return new objects.
Beware this method: it breaks the assumption that there will never be two objects in memory which represent the same database object.
This is useful if you’ve got in-memory changes to an object that you want to “throw out”; next time they’re fetched the objects will be recreated, so in-memory modifications will not be in effect for future queries.
-
using
(*tables)[source]¶ Specify tables to use explicitly.
The
find
method generally does a good job at figuring out the tables to query by itself, but in some cases it’s useful to specify them explicitly.This is most often necessary when an explicit SQL join is required. An example follows:
join = LeftJoin(Person, Person.id == Company.person_id) print list(store.using(Company, join).find((Company, Person)))
The previous code snippet will produce an SQL statement somewhat similar to this, depending on your backend:
SELECT company.id, employee.company_id, employee.id FROM company LEFT JOIN employee ON employee.company_id = company.id;
- Returns
A
TableSet
, which has afind
method similar toStore.find
.
-
-
class
storm.store.
EmptyResultSet
(ordered=False)[source]¶ Bases:
object
An object that looks like a
ResultSet
but represents no rows.This is convenient for application developers who want to provide a method which is guaranteed to return a
ResultSet
-like object but which, in certain cases, knows there is no point in querying the database. For example:def get_people(self, ids): if not ids: return EmptyResultSet() return store.find(People, People.id.is_in(ids))
The methods on EmptyResultSet (
one
,config
,union
, etc) are meant to emulate aResultSet
which has matched no rows.-
get_select_expr
(*columns)[source]¶ Get a
Select
expression to retrieve only the specified columns.- Parameters
columns – One or more
storm.expr.Column
objects whose values will be fetched.- Raises
FeatureError – Raised if no columns are specified.
- Returns
A
Select
expression configured to use the query parameters specified for this result set. The result of the select will always be an empty set of rows.
-
Columns and types¶
Properties¶
-
class
storm.properties.
Property
(name=None, primary=False, variable_class=<class 'storm.variables.Variable'>, variable_kwargs={})[source]¶ Bases:
object
-
class
storm.properties.
SimpleProperty
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.Property
-
variable_class
= None¶
-
-
class
storm.properties.
Bool
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
storm.variables.BoolVariable
-
-
class
storm.properties.
Int
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
storm.variables.IntVariable
-
-
class
storm.properties.
Float
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
storm.variables.FloatVariable
-
-
class
storm.properties.
Decimal
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
storm.variables.DecimalVariable
-
-
class
storm.properties.
RawStr
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
storm.variables.RawStrVariable
-
-
class
storm.properties.
Unicode
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
storm.variables.UnicodeVariable
-
-
class
storm.properties.
DateTime
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
storm.variables.DateTimeVariable
-
-
class
storm.properties.
Date
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
storm.variables.DateVariable
-
-
class
storm.properties.
Time
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
storm.variables.TimeVariable
-
-
class
storm.properties.
TimeDelta
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
storm.variables.TimeDeltaVariable
-
-
class
storm.properties.
UUID
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
storm.variables.UUIDVariable
-
-
class
storm.properties.
Enum
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
Enumeration property, allowing used values to differ from stored ones.
For instance:
class Class(Storm): prop = Enum(map={"one": 1, "two": 2}) obj.prop = "one" assert obj.prop == "one" obj.prop = 1 # Raises error.
Another example:
class Class(Storm): prop = Enum(map={"one": 1, "two": 2}, set_map={"um": 1}) obj.prop = "um" assert obj.prop is "one" obj.prop = "one" # Raises error.
-
variable_class
¶ alias of
storm.variables.EnumVariable
-
-
class
storm.properties.
JSON
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
storm.variables.JSONVariable
-
-
class
storm.properties.
List
(name=None, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
storm.variables.ListVariable
-
-
class
storm.properties.
PropertyRegistry
[source]¶ Bases:
object
An object which remembers the Storm properties specified on classes, and is able to translate names to these properties.
-
add_class
(cls)[source]¶ Register properties of
cls
so that they may be found byget()
.This method may also be used as a class decorator.
-
add_property
(cls, prop, attr_name)[source]¶ Register property of
cls
so that it may be found byget()
.
-
get
(name, namespace=None)[source]¶ Translate a property name path to the actual property.
This method accepts a property name like
"id"
or"Class.id"
or"module.path.Class.id"
, and tries to find a unique class/property with the given name.When the
namespace
argument is given, the registry will be able to disambiguate names by choosing the one that is closer to the given namespace. For instanceget("Class.id", "a.b.c")
will choosea.Class.id
rather thand.Class.id
.
-
References¶
-
class
storm.references.
Reference
(local_key, remote_key, on_remote=False)[source]¶ Bases:
object
Descriptor for one-to-one relationships.
This is typically used when the class that it is being defined on has a foreign key onto another table:
class OtherGuy(object): ... id = Int() class MyGuy(object): ... other_guy_id = Int() other_guy = Reference(other_guy_id, OtherGuy.id)
but can also be used for backwards references, where OtherGuy’s table has a foreign key onto the class that you want this property on:
class OtherGuy(object): ... my_guy_id = Int() # in the database, a foreign key to my_guy.id class MyGuy(object): ... id = Int() other_guy = Reference(id, OtherGuy.my_guy_id, on_remote=True)
In both cases,
MyGuy().other_guy
will resolve to theOtherGuy
instance which is linked to it. In the first case, it will be theOtherGuy
instance whoseid
is equivalent to theMyGuy
’sother_guy_id
; in the second, it’ll be theOtherGuy
instance whosemy_guy_id
is equivalent to theMyGuy
’sid
.Assigning to the property, for example with C{MyGuy().other_guy = OtherGuy()}, will link the objects and update either
MyGuy.other_guy_id
orOtherGuy.my_guy_id
accordingly.
-
class
storm.references.
ReferenceSet
(local_key1, remote_key1, remote_key2=None, local_key2=None, order_by=None)[source]¶ Bases:
object
-
class
storm.references.
Proxy
(reference, remote_prop)[source]¶ Bases:
storm.expr.ComparableExpr
Proxy exposes a referred object’s column as a local column.
For example:
class Foo(object): bar_id = Int() bar = Reference(bar_id, Bar.id) bar_title = Proxy(bar, Bar.title)
For most uses, Foo.bar_title should behave as if it were a native property of Foo.
-
class
RemoteProp
[source]¶ Bases:
object
This descriptor will resolve and set the _remote_prop attribute when it’s first used. It avoids having a test at every single place where the attribute is touched.
-
property
variable_factory
¶
-
class
Variables¶
-
storm.variables.
VariableFactory
¶ alias of
functools.partial
-
class
storm.variables.
Variable
[source]¶ Bases:
object
-
checkpoint
()¶
-
column
¶
-
copy
()¶
-
delete
()¶
-
event
¶
-
get
()¶
-
get_lazy
()¶
-
get_state
()¶
-
has_changed
()¶
-
is_defined
()¶
-
parse_get
()¶
-
parse_set
()¶
-
set
()¶
-
set_state
()¶
-
-
class
storm.variables.
LazyValue
[source]¶ Bases:
object
Marker to be used as a base class on lazily evaluated values.
-
class
storm.variables.
BoolVariable
[source]¶ Bases:
storm.variables.Variable
-
class
storm.variables.
IntVariable
[source]¶ Bases:
storm.variables.Variable
-
class
storm.variables.
FloatVariable
[source]¶ Bases:
storm.variables.Variable
-
class
storm.variables.
DecimalVariable
[source]¶ Bases:
storm.variables.Variable
-
class
storm.variables.
RawStrVariable
[source]¶ Bases:
storm.variables.Variable
-
class
storm.variables.
UnicodeVariable
[source]¶ Bases:
storm.variables.Variable
-
class
storm.variables.
DateTimeVariable
(*args, **kwargs)[source]¶ Bases:
storm.variables.Variable
-
class
storm.variables.
DateVariable
[source]¶ Bases:
storm.variables.Variable
-
class
storm.variables.
TimeVariable
[source]¶ Bases:
storm.variables.Variable
-
class
storm.variables.
TimeDeltaVariable
[source]¶ Bases:
storm.variables.Variable
-
class
storm.variables.
EnumVariable
(get_map, set_map, *args, **kwargs)[source]¶ Bases:
storm.variables.Variable
-
class
storm.variables.
UUIDVariable
[source]¶ Bases:
storm.variables.Variable
Expressions¶
-
class
storm.expr.
Add
(*exprs)[source]¶ Bases:
storm.expr.CompoundOper
-
oper
= '+'¶
-
-
class
storm.expr.
Alias
(expr, name=Undef)[source]¶ Bases:
storm.expr.ComparableExpr
A representation of “AS” alias clauses. e.g., SELECT foo AS bar.
-
auto_counter
= 0¶
-
expr
¶
-
name
¶
-
-
class
storm.expr.
And
(*exprs)[source]¶ Bases:
storm.expr.CompoundOper
-
oper
= ' AND '¶
-
-
class
storm.expr.
Asc
(expr)[source]¶ Bases:
storm.expr.SuffixExpr
-
suffix
= 'ASC'¶
-
-
class
storm.expr.
AutoTables
(expr, tables, replace=False)[source]¶ Bases:
storm.expr.Expr
This class will inject one or more entries in state.auto_tables.
If the constructor is passed replace=True, it will also discard any auto_table entries injected by compiling the given expression.
-
expr
¶
-
replace
¶
-
tables
¶
-
-
class
storm.expr.
Avg
(*args)[source]¶ Bases:
storm.expr.NamedFunc
-
name
= 'AVG'¶
-
-
class
storm.expr.
BinaryExpr
(expr1, expr2)[source]¶ Bases:
storm.expr.ComparableExpr
-
expr1
¶
-
expr2
¶
-
-
class
storm.expr.
BinaryOper
(expr1, expr2)[source]¶ Bases:
storm.expr.BinaryExpr
-
oper
= ' (unknown) '¶
-
-
class
storm.expr.
Cast
(column, type)[source]¶ Bases:
storm.expr.FuncExpr
A representation of
CAST
clauses. e.g.,CAST(bar AS TEXT)
.-
column
¶
-
name
= 'CAST'¶
-
type
¶
-
-
class
storm.expr.
Coalesce
(*args)[source]¶ Bases:
storm.expr.NamedFunc
-
name
= 'COALESCE'¶
-
-
class
storm.expr.
Column
(name=Undef, table=Undef, primary=False, variable_factory=None)[source]¶ Bases:
storm.expr.ComparableExpr
Representation of a column in some table.
- Variables
name – Column name.
table – Column table (maybe another expression).
primary – Integer representing the primary key position of this column, or 0 if it’s not a primary key. May be provided as a bool.
variable_factory – Factory producing
Variable
instances typed according to this column.
-
compile_cache
¶
-
compile_id
¶
-
name
¶
-
primary
¶
-
table
¶
-
variable_factory
¶
-
class
storm.expr.
ComparableExpr
[source]¶ Bases:
storm.expr.Expr
,storm.expr.Comparable
-
class
storm.expr.
CompoundExpr
(*exprs)[source]¶ Bases:
storm.expr.ComparableExpr
-
exprs
¶
-
-
class
storm.expr.
CompoundOper
(*exprs)[source]¶ Bases:
storm.expr.CompoundExpr
-
oper
= ' (unknown) '¶
-
-
class
storm.expr.
Context
(name)[source]¶ Bases:
object
An object used to specify the nature of expected SQL expressions being compiled in a given context.
-
class
storm.expr.
Count
(column=Undef, distinct=False)[source]¶ Bases:
storm.expr.FuncExpr
-
column
¶
-
distinct
¶
-
name
= 'COUNT'¶
-
-
class
storm.expr.
Delete
(where=Undef, table=Undef, default_table=Undef)[source]¶ Bases:
storm.expr.Expr
-
default_table
¶
-
table
¶
-
where
¶
-
-
class
storm.expr.
Desc
(expr)[source]¶ Bases:
storm.expr.SuffixExpr
-
suffix
= 'DESC'¶
-
-
class
storm.expr.
Distinct
(expr)[source]¶ Bases:
storm.expr.Expr
Add the ‘DISTINCT’ prefix to an expression.
-
e
¶
-
expr
¶
-
p
¶
-
r
¶
-
x
¶
-
-
class
storm.expr.
Div
(expr1, expr2)[source]¶ Bases:
storm.expr.NonAssocBinaryOper
-
oper
= '/'¶
-
-
class
storm.expr.
Eq
(expr1, expr2)[source]¶ Bases:
storm.expr.BinaryOper
-
oper
= ' = '¶
-
-
class
storm.expr.
Except
(*exprs, **kwargs)[source]¶ Bases:
storm.expr.SetExpr
-
oper
= ' EXCEPT '¶
-
-
class
storm.expr.
Exists
(expr)[source]¶ Bases:
storm.expr.PrefixExpr
-
prefix
= 'EXISTS'¶
-
-
class
storm.expr.
Expr
[source]¶ Bases:
storm.variables.LazyValue
-
class
storm.expr.
FromExpr
[source]¶ Bases:
storm.expr.Expr
-
class
storm.expr.
Func
(name, *args)[source]¶ Bases:
storm.expr.FuncExpr
-
args
¶
-
name
¶
-
-
class
storm.expr.
FuncExpr
[source]¶ Bases:
storm.expr.ComparableExpr
-
name
= '(unknown)'¶
-
-
class
storm.expr.
Ge
(expr1, expr2)[source]¶ Bases:
storm.expr.BinaryOper
-
oper
= ' >= '¶
-
-
class
storm.expr.
Gt
(expr1, expr2)[source]¶ Bases:
storm.expr.BinaryOper
-
oper
= ' > '¶
-
-
class
storm.expr.
In
(expr1, expr2)[source]¶ Bases:
storm.expr.BinaryOper
-
oper
= ' IN '¶
-
-
class
storm.expr.
Insert
(map, table=Undef, default_table=Undef, primary_columns=Undef, primary_variables=Undef, values=Undef)[source]¶ Bases:
storm.expr.Expr
Expression representing an insert statement.
- Variables
map – Dictionary mapping columns to values, or a sequence of columns for a bulk insert.
table – Table where the row should be inserted.
default_table – Table to use if no table is explicitly provided, and no tables may be inferred from provided columns.
primary_columns – Tuple of columns forming the primary key of the table where the row will be inserted. This is a hint used by backends to process the insertion of rows.
primary_variables – Tuple of variables with values for the primary key of the table where the row will be inserted. This is a hint used by backends to process the insertion of rows.
values – Expression or sequence of tuples of values for bulk insertion.
-
default_table
¶
-
map
¶
-
primary_columns
¶
-
primary_variables
¶
-
table
¶
-
values
¶
-
class
storm.expr.
Intersect
(*exprs, **kwargs)[source]¶ Bases:
storm.expr.SetExpr
-
oper
= ' INTERSECT '¶
-
-
class
storm.expr.
Join
(arg1, arg2=Undef, on=Undef)[source]¶ Bases:
storm.expr.JoinExpr
-
oper
= 'JOIN'¶
-
-
class
storm.expr.
JoinExpr
(arg1, arg2=Undef, on=Undef)[source]¶ Bases:
storm.expr.FromExpr
-
left
¶
-
on
¶
-
oper
= '(unknown)'¶
-
right
¶
-
-
class
storm.expr.
LShift
(expr1, expr2)[source]¶ Bases:
storm.expr.BinaryOper
-
oper
= '<<'¶
-
-
class
storm.expr.
Le
(expr1, expr2)[source]¶ Bases:
storm.expr.BinaryOper
-
oper
= ' <= '¶
-
-
class
storm.expr.
LeftJoin
(arg1, arg2=Undef, on=Undef)[source]¶ Bases:
storm.expr.JoinExpr
-
oper
= 'LEFT JOIN'¶
-
-
class
storm.expr.
Like
(expr1, expr2, escape=Undef, case_sensitive=None)[source]¶ Bases:
storm.expr.BinaryOper
-
case_sensitive
¶
-
escape
¶
-
oper
= ' LIKE '¶
-
-
class
storm.expr.
Lower
(*args)[source]¶ Bases:
storm.expr.NamedFunc
-
name
= 'LOWER'¶
-
-
class
storm.expr.
Lt
(expr1, expr2)[source]¶ Bases:
storm.expr.BinaryOper
-
oper
= ' < '¶
-
-
class
storm.expr.
Max
(*args)[source]¶ Bases:
storm.expr.NamedFunc
-
name
= 'MAX'¶
-
-
class
storm.expr.
Min
(*args)[source]¶ Bases:
storm.expr.NamedFunc
-
name
= 'MIN'¶
-
-
class
storm.expr.
Mod
(expr1, expr2)[source]¶ Bases:
storm.expr.NonAssocBinaryOper
-
oper
= '%'¶
-
-
class
storm.expr.
Mul
(*exprs)[source]¶ Bases:
storm.expr.CompoundOper
-
oper
= '*'¶
-
-
class
storm.expr.
NamedFunc
(*args)[source]¶ Bases:
storm.expr.FuncExpr
-
args
¶
-
-
class
storm.expr.
NaturalJoin
(arg1, arg2=Undef, on=Undef)[source]¶ Bases:
storm.expr.JoinExpr
-
oper
= 'NATURAL JOIN'¶
-
-
class
storm.expr.
NaturalLeftJoin
(arg1, arg2=Undef, on=Undef)[source]¶ Bases:
storm.expr.JoinExpr
-
oper
= 'NATURAL LEFT JOIN'¶
-
-
class
storm.expr.
NaturalRightJoin
(arg1, arg2=Undef, on=Undef)[source]¶ Bases:
storm.expr.JoinExpr
-
oper
= 'NATURAL RIGHT JOIN'¶
-
-
class
storm.expr.
Ne
(expr1, expr2)[source]¶ Bases:
storm.expr.BinaryOper
-
oper
= ' != '¶
-
-
class
storm.expr.
Neg
(expr)[source]¶ Bases:
storm.expr.PrefixExpr
-
prefix
= '-'¶
-
-
class
storm.expr.
NonAssocBinaryOper
(expr1, expr2)[source]¶ Bases:
storm.expr.BinaryOper
-
oper
= ' (unknown) '¶
-
-
class
storm.expr.
Not
(expr)[source]¶ Bases:
storm.expr.PrefixExpr
-
prefix
= 'NOT'¶
-
-
class
storm.expr.
Or
(*exprs)[source]¶ Bases:
storm.expr.CompoundOper
-
oper
= ' OR '¶
-
-
class
storm.expr.
PrefixExpr
(expr)[source]¶ Bases:
storm.expr.Expr
-
expr
¶
-
prefix
= '(unknown)'¶
-
-
class
storm.expr.
RShift
(expr1, expr2)[source]¶ Bases:
storm.expr.BinaryOper
-
oper
= '>>'¶
-
-
class
storm.expr.
RightJoin
(arg1, arg2=Undef, on=Undef)[source]¶ Bases:
storm.expr.JoinExpr
-
oper
= 'RIGHT JOIN'¶
-
-
class
storm.expr.
Row
(*args)[source]¶ Bases:
storm.expr.NamedFunc
-
name
= 'ROW'¶
-
-
class
storm.expr.
SQL
(expr, params=Undef, tables=Undef)[source]¶ Bases:
storm.expr.ComparableExpr
-
expr
¶
-
params
¶
-
tables
¶
-
-
class
storm.expr.
SQLRaw
[source]¶ Bases:
str
Subtype to mark a string as something that shouldn’t be compiled.
This is handled internally by the compiler.
-
class
storm.expr.
SQLToken
[source]¶ Bases:
str
Marker for strings that should be considered as a single SQL token.
These strings will be quoted, when needed.
-
class
storm.expr.
Select
(columns, where=Undef, tables=Undef, default_tables=Undef, order_by=Undef, group_by=Undef, limit=Undef, offset=Undef, distinct=False, having=Undef)[source]¶ Bases:
storm.expr.Expr
-
columns
¶
-
default_tables
¶
-
distinct
¶
-
group_by
¶
-
having
¶
-
limit
¶
-
offset
¶
-
order_by
¶
-
tables
¶
-
where
¶
-
-
class
storm.expr.
Sequence
(name)[source]¶ Bases:
storm.expr.Expr
Expression representing auto-incrementing support from the database.
This should be translated into the next value of the named auto-incrementing sequence. There’s no standard way to compile a sequence, since it’s very database-dependent.
This may be used as follows:
class Class(object): (...) id = Int(default=Sequence("my_sequence_name"))
-
name
¶
-
-
class
storm.expr.
SetExpr
(*exprs, **kwargs)[source]¶ Bases:
storm.expr.Expr
-
all
¶
-
exprs
¶
-
limit
¶
-
offset
¶
-
oper
= ' (unknown) '¶
-
order_by
¶
-
-
class
storm.expr.
State
[source]¶ Bases:
object
All the data necessary during compilation of an expression.
- Variables
aliases – Dict of
Column
instances toAlias
instances, specifying how columns should be compiled as aliases in very specific situations. This is typically used to work around strange deficiencies in various databases.auto_tables – The list of all implicitly-used tables. e.g., in store.find(Foo, Foo.attr==Bar.id), the tables of Bar and Foo are implicitly used because columns in them are referenced. This is used when building tables.
join_tables – If not None, when Join expressions are compiled, tables seen will be added to this set. This acts as a blacklist against auto_tables when compiling Joins, because the generated statements should not refer to the table twice.
context – an instance of
Context
, specifying the context of the expression currently being compiled.precedence – Current precedence, automatically set and restored by the compiler. If an inner precedence is lower than an outer precedence, parenthesis around the inner expression are automatically emitted.
-
class
storm.expr.
Sub
(expr1, expr2)[source]¶ Bases:
storm.expr.NonAssocBinaryOper
-
oper
= '-'¶
-
-
class
storm.expr.
SuffixExpr
(expr)[source]¶ Bases:
storm.expr.Expr
-
expr
¶
-
suffix
= '(unknown)'¶
-
-
class
storm.expr.
Sum
(*args)[source]¶ Bases:
storm.expr.NamedFunc
-
name
= 'SUM'¶
-
-
class
storm.expr.
Union
(*exprs, **kwargs)[source]¶ Bases:
storm.expr.SetExpr
-
oper
= ' UNION '¶
-
-
class
storm.expr.
Update
(map, where=Undef, table=Undef, default_table=Undef, primary_columns=Undef)[source]¶ Bases:
storm.expr.Expr
-
default_table
¶
-
map
¶
-
primary_columns
¶
-
table
¶
-
where
¶
-
-
class
storm.expr.
Upper
(*args)[source]¶ Bases:
storm.expr.NamedFunc
-
name
= 'UPPER'¶
-
-
storm.expr.
build_tables
(compile, tables, default_tables, state)[source]¶ Compile provided tables.
Tables will be built from either
tables
,state.auto_tables
, ordefault_tables
. Iftables
is notUndef
, it will be used. Iftables
isUndef
andstate.auto_tables
is available, that’s used instead. If neithertables
norstate.auto_tables
are available,default_tables
is tried as a last resort. If none of them are available,NoTableError
is raised.
-
storm.expr.
is_safe_token
()¶ Matches zero or more characters at the beginning of the string.
Databases¶
Basic database interfacing mechanisms for Storm.
This is the common code for database support; specific databases are
supported in modules in storm.databases
.
-
class
storm.database.
Database
(uri=None)[source]¶ Bases:
object
A database that can be connected to.
This should be subclassed for individual database backends.
- Variables
connection_factory – A callable which will take this database and should return an instance of
Connection
.
-
connect
(event=None)[source]¶ Create a connection to the database.
It calls
self.connection_factory
to allow for ease of customization.- Parameters
event – The event system to broadcast messages with. If not specified, then no events will be broadcast.
- Returns
An instance of
Connection
.
-
connection_factory
¶ alias of
Connection
-
raw_connect
()[source]¶ Create a raw database connection.
This is used by
Connection
objects to connect to the database. It should be overriden in subclasses to do any database-specific connection setup.- Returns
A DB-API connection object.
-
class
storm.database.
Connection
(database, event=None)[source]¶ Bases:
object
A connection to a database.
- Variables
result_factory – A callable which takes this
Connection
and the backend cursor and returns an instance ofResult
.param_mark – The dbapi paramstyle that the database backend expects.
compile – The compiler to use for connections of this type.
-
block_access
()[source]¶ Block access to the connection.
Attempts to execute statements or commit a transaction will result in a
ConnectionBlockedError
exception. Rollbacks are permitted as that operation is often used in case of failures.
-
build_raw_cursor
()[source]¶ Get a new dbapi cursor object.
It is acceptable to override this method in subclasses, but it is not intended to be called externally.
-
commit
(xid=None)[source]¶ Commit the connection.
- Parameters
xid – Optionally the
Xid
of a previously prepared transaction to commit. This form should be called outside of a transaction, and is intended for use in recovery.- Raises
ConnectionBlockedError – Raised if access to the connection has been blocked with
block_access
.DisconnectionError – Raised when the connection is lost. Reconnection happens automatically on rollback.
-
compile
= <storm.variables.Compile object>¶
-
execute
(statement, params=None, noresult=False)[source]¶ Execute a statement with the given parameters.
- Parameters
statement (
Expr
orstr
) – The statement to execute. It will be compiled if necessary.noresult – If True, no result will be returned.
- Raises
ConnectionBlockedError – Raised if access to the connection has been blocked with
block_access
.DisconnectionError – Raised when the connection is lost. Reconnection happens automatically on rollback.
- Returns
The result of
self.result_factory
, or None ifnoresult
is True.
-
is_disconnection_error
(exc, extra_disconnection_errors=())[source]¶ Check whether an exception represents a database disconnection.
This should be overridden by backends to detect whichever exception values are used to represent this condition.
-
param_mark
= '?'¶
-
preset_primary_key
(primary_columns, primary_variables)[source]¶ Process primary variables before an insert happens.
This method may be overwritten by backends to implement custom changes in primary variables before an insert happens.
-
raw_execute
(statement, params=None)[source]¶ Execute a raw statement with the given parameters.
It’s acceptable to override this method in subclasses, but it is not intended to be called externally.
If the global
DEBUG
is True, the statement will be printed to standard out.- Returns
The dbapi cursor object, as fetched from
build_raw_cursor
.
-
rollback
(xid=None)[source]¶ Rollback the connection.
- Parameters
xid – Optionally the
Xid
of a previously prepared transaction to rollback. This form should be called outside of a transaction, and is intended for use in recovery.
-
static
to_database
(params)[source]¶ Convert some parameters into values acceptable to a database backend.
It is acceptable to override this method in subclasses, but it is not intended to be used externally.
This delegates conversion to any
Variable
in the parameter list, and passes through all other values untouched.
-
class
storm.database.
Result
(connection, raw_cursor)[source]¶ Bases:
object
A representation of the results from a single SQL statement.
-
static
from_database
(row)[source]¶ Convert a row fetched from the database to an agnostic format.
This method is intended to be overridden in subclasses, but not called externally.
If there are any peculiarities in the datatypes returned from a database backend, this method should be overridden in the backend subclass to convert them.
-
get_all
()[source]¶ Fetch all results from the cursor.
The results will be converted to an appropriate format via
from_database
.- Raises
DisconnectionError – Raised when the connection is lost. Reconnection happens automatically on rollback.
-
get_insert_identity
(primary_columns, primary_variables)[source]¶ Get a query which will return the row that was just inserted.
This must be overridden in database-specific subclasses.
- Return type
-
get_one
()[source]¶ Fetch one result from the cursor.
The result will be converted to an appropriate format via
from_database
.- Raises
DisconnectionError – Raised when the connection is lost. Reconnection happens automatically on rollback.
- Returns
A converted row or None, if no data is left.
-
property
rowcount
¶ See PEP 249 for further details on rowcount.
- Returns
the number of affected rows, or None if the database backend does not provide this information. Return value is undefined if all results have not yet been retrieved.
-
static
-
storm.database.
create_database
(uri)[source]¶ Create a database instance.
- Parameters
uri –
An URI instance, or a string describing the URI. Some examples:
sqlite:
An in memory sqlite database.sqlite:example.db
A SQLite database called example.dbpostgres:test
The database ‘test’ from the local postgres server.postgres://user:password@host/test
The database test on machine host with supplied user credentials, using postgres.anything:...
Where ‘anything’ has previously been registered withregister_scheme
.
-
storm.database.
register_scheme
(scheme, factory)[source]¶ Register a handler for a new database URI scheme.
- Parameters
scheme – the database URI scheme
factory – a function taking a URI instance and returning a database.
PostgreSQL¶
-
class
storm.databases.postgres.
Case
(cases, expression=Undef, default=Undef)[source]¶ Bases:
storm.expr.Expr
A CASE statement.
- Params cases
a list of tuples of (condition, result) or (value, result), if an expression is passed too.
- Parameters
expression – the expression to compare (if the simple form is used).
default – an optional default condition if no other case matches.
-
class
storm.databases.postgres.
JSON
(name=None, primary=False, **kwargs)[source]¶ Bases:
storm.properties.SimpleProperty
-
variable_class
¶ alias of
JSONVariable
-
-
class
storm.databases.postgres.
JSONElement
(expr1, expr2)[source]¶ Bases:
storm.expr.BinaryOper
Return an element of a JSON value (by index or field name).
-
oper
= '->'¶
-
-
class
storm.databases.postgres.
JSONTextElement
(expr1, expr2)[source]¶ Bases:
storm.expr.BinaryOper
Return an element of a JSON value (by index or field name) as text.
-
oper
= '->>'¶
-
-
class
storm.databases.postgres.
JSONVariable
(*args, **kwargs)[source]¶ Bases:
storm.variables.JSONVariable
-
class
storm.databases.postgres.
Postgres
(uri)[source]¶ Bases:
storm.database.Database
-
connection_factory
¶ alias of
PostgresConnection
-
-
class
storm.databases.postgres.
PostgresConnection
(database, event=None)[source]¶ Bases:
storm.database.Connection
-
compile
= <storm.variables.Compile object>¶
-
execute
(statement, params=None, noresult=False)[source]¶ Execute a statement with the given parameters.
This extends the
Connection.execute
method to add support for automatic retrieval of inserted primary keys to link in-memory objects with their specific rows.
-
is_disconnection_error
(exc, extra_disconnection_errors=())[source]¶ Check whether an exception represents a database disconnection.
This should be overridden by backends to detect whichever exception values are used to represent this condition.
-
param_mark
= '%s'¶
-
result_factory
¶ alias of
PostgresResult
-
-
class
storm.databases.postgres.
PostgresResult
(connection, raw_cursor)[source]¶ Bases:
storm.database.Result
-
class
storm.databases.postgres.
Returning
(expr, columns=None)[source]¶ Bases:
storm.expr.Expr
Appends the “RETURNING <columns>” suffix to an INSERT or UPDATE.
- Parameters
expr – an
Insert
orUpdate
expression.columns – The columns to return, if
None
thenexpr.primary_columns
will be used.
This is only supported in PostgreSQL 8.2+.
-
storm.databases.postgres.
compile_currval
(compile, expr, state)[source]¶ Compile a currval.
This is a bit involved because we have to get escaping right. Here are a few cases to keep in mind:
currval('thetable_thecolumn_seq') currval('theschema.thetable_thecolumn_seq') currval('"the schema".thetable_thecolumn_seq') currval('theschema."the table_thecolumn_seq"') currval('theschema."thetable_the column_seq"') currval('"thetable_the column_seq"') currval('"the schema"."the table_the column_seq"')
-
storm.databases.postgres.
create_from_uri
¶ alias of
storm.databases.postgres.Postgres
-
class
storm.databases.postgres.
currval
(column)[source]¶ Bases:
storm.expr.FuncExpr
-
name
= 'currval'¶
-
SQLite¶
-
class
storm.databases.sqlite.
SQLite
(uri)[source]¶ Bases:
storm.database.Database
-
connection_factory
¶ alias of
SQLiteConnection
-
-
class
storm.databases.sqlite.
SQLiteConnection
(database, event=None)[source]¶ Bases:
storm.database.Connection
-
commit
()[source]¶ Commit the connection.
- Parameters
xid – Optionally the
Xid
of a previously prepared transaction to commit. This form should be called outside of a transaction, and is intended for use in recovery.- Raises
ConnectionBlockedError – Raised if access to the connection has been blocked with
block_access
.DisconnectionError – Raised when the connection is lost. Reconnection happens automatically on rollback.
-
compile
= <storm.variables.Compile object>¶
-
raw_execute
(statement, params=None, _end=False)[source]¶ Execute a raw statement with the given parameters.
This method will automatically retry on locked database errors. This should be done by pysqlite, but it doesn’t work with versions < 2.3.4, so we make sure the timeout is respected here.
-
result_factory
¶ alias of
SQLiteResult
-
-
class
storm.databases.sqlite.
SQLiteResult
(connection, raw_cursor)[source]¶ Bases:
storm.database.Result
-
static
from_database
(row)[source]¶ Convert SQLite-specific datatypes to “normal” Python types.
If there are anny
buffer
instances in the row, convert them to strings.
-
static
-
storm.databases.sqlite.
create_from_uri
¶ alias of
storm.databases.sqlite.SQLite
Hooks and events¶
Miscellaneous¶
Cache¶
-
class
storm.cache.
Cache
(size=1000)[source]¶ Bases:
object
Prevents recently used objects from being deallocated.
This prevents recently used objects from being deallocated by Python even if the user isn’t holding any strong references to it. It does that by holding strong references to the objects referenced by the last
N
obj_info
added to it (whereN
is the cache size).-
add
(obj_info)[source]¶ Add
obj_info
as the most recent entry in the cache.If the
obj_info
is already in the cache, it remains in the cache and has its order changed to become the most recent entry (IOW, will be the last to leave).
-
get_cached
()[source]¶ Return an ordered list of the currently cached
obj_info
.The most recently added objects come first in the list.
-
-
class
storm.cache.
GenerationalCache
(size=1000)[source]¶ Bases:
object
Generational replacement for Storm’s LRU cache.
This cache approximates LRU without keeping exact track. Instead, it keeps a primary dict of “recently used” objects plus a similar, secondary dict of objects used in a previous timeframe.
When the “most recently used” dict reaches its size limit, it is demoted to secondary dict and a fresh primary dict is set up. The previous secondary dict is evicted in its entirety.
Use this to replace the LRU cache for sizes where LRU tracking overhead becomes too large (e.g. 100,000 objects) or the StupidCache when it eats up too much memory.
-
get_cached
()[source]¶ See storm.store.Cache.get_cached.
The result is a loosely-ordered list. Any object in the primary generation comes before any object that is only in the secondary generation, but objects within a generation are not ordered and there is no indication of the boundary between the two.
Objects that are in both the primary and the secondary generation are listed only as part of the primary generation.
-
Exceptions¶
-
exception
storm.exceptions.
ClassInfoError
[source]¶ Bases:
storm.exceptions.StormError
-
exception
storm.exceptions.
ClosedError
[source]¶ Bases:
storm.exceptions.StormError
-
exception
storm.exceptions.
CompileError
[source]¶ Bases:
storm.exceptions.StormError
-
exception
storm.exceptions.
ConnectionBlockedError
[source]¶ Bases:
storm.exceptions.StormError
Raised when an attempt is made to use a blocked connection.
-
exception
storm.exceptions.
DatabaseError
[source]¶ Bases:
storm.exceptions.Error
-
exception
storm.exceptions.
DatabaseModuleError
[source]¶ Bases:
storm.exceptions.StormError
-
exception
storm.exceptions.
Error
[source]¶ Bases:
storm.exceptions.StormError
-
exception
storm.exceptions.
ExprError
[source]¶ Bases:
storm.exceptions.StormError
-
exception
storm.exceptions.
FeatureError
[source]¶ Bases:
storm.exceptions.StormError
-
exception
storm.exceptions.
InterfaceError
[source]¶ Bases:
storm.exceptions.Error
-
exception
storm.exceptions.
LostObjectError
[source]¶ Bases:
storm.exceptions.StoreError
-
exception
storm.exceptions.
NoStoreError
[source]¶ Bases:
storm.exceptions.StormError
-
exception
storm.exceptions.
NoneError
[source]¶ Bases:
storm.exceptions.StormError
-
exception
storm.exceptions.
NotFlushedError
[source]¶ Bases:
storm.exceptions.StoreError
-
exception
storm.exceptions.
NotOneError
[source]¶ Bases:
storm.exceptions.StoreError
-
exception
storm.exceptions.
OrderLoopError
[source]¶ Bases:
storm.exceptions.StoreError
-
exception
storm.exceptions.
PropertyPathError
[source]¶ Bases:
storm.exceptions.StormError
-
exception
storm.exceptions.
StoreError
[source]¶ Bases:
storm.exceptions.StormError
-
exception
storm.exceptions.
TimeoutError
(statement, params, message=None)[source]¶ Bases:
storm.exceptions.StormError
Raised by timeout tracers when remining time is over.
-
exception
storm.exceptions.
URIError
[source]¶ Bases:
storm.exceptions.StormError
-
exception
storm.exceptions.
UnorderedError
[source]¶ Bases:
storm.exceptions.StoreError
-
exception
storm.exceptions.
Warning
[source]¶ Bases:
storm.exceptions.StormError
-
exception
storm.exceptions.
WrongStoreError
[source]¶ Bases:
storm.exceptions.StoreError
Info¶
-
storm.info.
get_obj_info
()¶
-
class
storm.info.
ClassInfo
(cls)[source]¶ Bases:
dict
Persistent storm-related information of a class.
The following attributes are defined:
- Variables
table – Expression from where columns will be looked up.
cls – Class which should be used to build objects.
columns – Tuple of column properties found in the class.
primary_key – Tuple of column properties used to form the primary key
primary_key_pos – Position of primary_key items in the columns tuple.
-
class
storm.info.
ObjectInfo
[source]¶ Bases:
dict
-
checkpoint
()¶
-
cls_info
¶
-
event
¶
-
get_obj
()¶
-
primary_vars
¶
-
set_obj
()¶
-
variables
¶
-
-
class
storm.info.
ClassAlias
[source]¶ Bases:
object
Create a named alias for a Storm class for use in queries.
This is useful basically when the SQL ‘AS’ feature is desired in code using Storm queries.
ClassAliases which are explicitly named (i.e., when ‘name’ is passed) are cached for as long as the class exists, such that the alias returned from
ClassAlias(Foo, 'foo_alias')
will be the same object no matter how many times it’s called.- Parameters
cls – The class to create the alias of.
name – If provided, specify the name of the alias to create.
-
alias_count
= 0¶
Timezone¶
Copyright (c) 2003-2005 Gustavo Niemeyer <gustavo@niemeyer.net>
This module offers extensions to the standard python 2.3+ datetime module.
-
class
storm.tz.
tzrange
(stdabbr, stdoffset=None, dstabbr=None, dstoffset=None, start=None, end=None)[source]¶ Bases:
datetime.tzinfo
-
class
storm.tz.
tzstr
(s)[source]¶ Bases:
storm.tz.tzrange