Basic MongoDB wrapper for object-oriented collection handling
Project description
Python Basic Utilities - Mongo pbumongo
Available on PyPi
Table of Contents
- Installation
- Usage
- Classes
- AbstractMongoStore - abstract class for handling MongoDB collection access
- MongoConnection - a helper class to assist with creating multiple store instances
- AbstractMongoDocument - abstract class for wrapping MongoDB BSON documents
- ProgressUpdater - a collection of classes to help with updating job progress
- AbstractMongoStore - abstract class for handling MongoDB collection access
Installation
Install via pip:
pip install pbumongo
Usage
It is good practice associating a sub-class of AbstractMongoDocument
with a sub-class of AbstractMongoStore
. This is
done through the deserialised_class
parameter in the super()
constructor call of the store class. Any method for
querying documents will use that class to deserialise the BSON document into the provided class, which should extend
AbstractMongoDocument
.
Example: let's say we want to implement access to a collection containing user documents. We'll define a class User
that extends AbstractMongoDocument
and a class UserStore
that extends AbstractMongoStore
.
# main imports
from pbumongo import AbstractMongoDocument, AbstractMongoStore
# supporting imports
import crypt
from typing import List, Optional
from time import time
# this is an example of a minimum viable class
class User(AbstractMongoDocument):
def __init__(self):
super().__init__()
# define attributes with meaningful defaults
self.username: str = None
self.password: str = None
self.permissions: List[str] = []
self.last_login: int = 0
def get_attribute_mapping(self) -> dict:
# the values are what is used inside MongoDB documents
return {
"username": "username",
"password": "password",
"permissions": "permissions",
"last_login": "lastLogin"
}
@staticmethod
def from_json(json: dict):
user = User()
user.extract_system_fields(json)
return user
class UserStore(AbstractMongoStore):
def __init__(self, mongo_url, mongo_db, collection_name):
super().__init__(mongo_url, mongo_db, collection_name, deserialised_class=User, data_model_version=1)
def login(self, username, password) -> Optional[User]:
# encrypt the password!
pw_encrypted = crypt.crypt(password, crypt.METHOD_MD5)
user: Optional[User] = self.query_one({"username": username, "password": pw_encrypted})
if user is not None:
# update last_login attribute and save it in database as well
user.last_login = round(time())
self.update_one(AbstractMongoStore.id_query(user.id),
AbstractMongoStore.set_update("lastLogin", user.last_login))
return user
def create_user(self, username, password) -> User:
# check if this user already exists
existing = self.query_one({"username": username})
if existing is not None:
raise ValueError(f"User with username '{username}' already exists.")
# create new user object
user = User()
user.username = username
user.password = crypt.crypt(password, crypt.METHOD_MD5)
# store in database and return document
user_id = self.create(user)
return self.get(user_id)
MongoConnection
To use these classes in your application, you can use the MongoConnection helper or create the UserStore
class
instance directly. The MongoConnection
helper is useful, when you have a lot of collections and don't want to repeat
the mongo connection URL and DB name for every constructor.
from pbumongo import MongoConnection
from mypackage import UserStore # see implementation above
con = MongoConnection("mongodb://localhost:27017", "myDbName")
user_store = con.create_store(store_class=UserStore, collection_name="users")
user = user_store.login(username="admin", password="mypassword")
Classes
AbstractMongoStore
This is an abstract class and cannot be instantiated directly. Instead, define a class that extends this class.
Constructor
__init__(mongo_url, mongo_db, collection_name, deserialised_class, data_model_version=1)
mongo_url
- this is the Mongo connection URL containing the host, port and optional username, passwordmongo_db
- this is the Mongo DB name - the one you provide when usinguse <dbname>
on the Mongo shellcollection_name
- the name of the collection - e.g.myCollection
fordb.myCollection.find({})
on the Mongo shelldeserialised_class
- used for all the query methods to deserialise the BSON document into a class with attributes for easier accessdata_model_version
- a number that can be used for database migration as an app develops over time
Methods
get(doc_id: str)
- fetches a single document with a matchingdoc_id == document["_id"]
get_all()
- fetches the entire collection content and deserialises every document. Careful, this is not an iterator, but returns alist
of all the documents and can consume quite a bit of compute and memory.create(document)
- creates a new document and returns the_id
of the newly created BSON document as string. Thedocument
can be eitherdict
or an instance of thedeserialised_class
provided in thesuper().__init(..)
call.- Since version 1.0.1 a new parameter is available
create(document, return_doc=True)
which will return the entire document/object instead of just the_id
of the newly created document.
- Since version 1.0.1 a new parameter is available
query_one(query: dict)
- fetches a single document and deserialises it or returnsNone
if no document can be foundquery(query: dict, sorting, paging)
- fetches multiple documents and deserialises them.sorting
can be an attribute name (as provided in the BSON) or a dictionary with the sort order.paging
is an instance ofpbumongo.PagingInformation
.update_one(query: dict, update: dict)
- proxies thedb.collection.updateOne(..)
function from the Mongo shellupdate(query:, update: dict
- same asupdate_one
, but will update multiple documents, if the query matchesupdate_full(document)
- shortcut for updating the entire document with an updated version, the query will be constructed from theid
/_id
provided by thedocument
.delete(doc_id)
- deletes a single document with the provided document IDdelete_many(query: dict)
- deletes multiple documents matching the query.
Static Methods
AbstractMongoStore.id_query(string_id: str)
- creates a query{ "_id": ObjectId(string_id) }
, which can be used to query the databaseAbstractMongoStore.set_update(keys, values)
- creates a$set
update statement. If only a single attribute is updated, you can pass them directly as parameters, e.g. updating a key"checked": True
, can be done by.set_update("checked", True)
. If you update multiple attributes provide them as list in the matching order.AbstractMongoStore.unset_update(keys)
- creates an$unset
update statement with the attributes listed askeys
. Similarly to.set_update
, you can provide a single key without a list for ease of use.
AbstractMongoDocument
This is an abstract class and cannot be instantiated directly. Instead, define a class that extends this class.
Constructor
__init__(doc_id=None, data_model_version=None)
The parameters are entirely optional. Generally it is recommended to use the static method from_json(json: dict)
to
create BSON documents you've loaded from the database instead of calling the constructor. For new documents, you would
not provide the _id
as the store class handles that.
Methods
For methods and static methods please see the documentation of JsonDocument
from pbu
. AbstractMongoDocument
extends that class.
ProgressUpdater
The ProgressUpdaer
class is part of a set of classes that assist with keeping track of job progress. The other classes
are:
ProgressObject
: a database object with fields for a status (seepbu
>JobStatus
), start and end timestamp, total count, processed count, a list of errors and a main error.ProgressObjectStore
: an abstract class that provides store methods to update status, progress and errors of aProgressObject
ProgressError
: a JSON document containing an error message as well as a dictionary for data related to the error. These objects will be appeneded to aProgressObject
'serrors
list.ProgressUpdater
: an object to pass into a processor, which holds references to the progress store and progress object and provides methods for updating progress and handling errors.
Both, ProgressObject
and ProgressObjectStore
are abstract classes and should be extended with remaining attributes
of a process / job definition (like a name/label, extra configuration, etc.). ProgressObject
is an
AbstractMongoDocument
and ProgressUpdateStore
is an AbstractMongoStore
.
Project details
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
File details
Details for the file pbumongo-1.2.0.tar.gz
.
File metadata
- Download URL: pbumongo-1.2.0.tar.gz
- Upload date:
- Size: 16.3 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/4.0.2 CPython/3.11.5
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 04e4f5562d5bbc43e99d6a4d8ed361fb83b21aaac89e3185011c88ab49320642 |
|
MD5 | 03502ac0dc58ff5825484e260830bd27 |
|
BLAKE2b-256 | a940a29229665c3fcd017db633beac1f4fda507b62a70c4f644156881352abfb |
File details
Details for the file pbumongo-1.2.0-py3-none-any.whl
.
File metadata
- Download URL: pbumongo-1.2.0-py3-none-any.whl
- Upload date:
- Size: 15.1 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/4.0.2 CPython/3.11.5
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | f6763c8e5336a5958ec2a53db74e7b5a1dd22566b1fab9f16b9893be6e66b0d6 |
|
MD5 | 0eca4395bf46dda715f2043b11ead9fc |
|
BLAKE2b-256 | c233f0017aed5830a48e03ca9e89c66e1abc96995dbbe41b60b46163d329af91 |