
Security News
NVD Quietly Sweeps 100K+ CVEs Into a “Deferred” Black Hole
NVD now marks all pre-2018 CVEs as "Deferred," signaling it will no longer enrich older vulnerabilities, further eroding trust in its data.
A simple python wrapper for the Firebase API. Supports Realtime DB, Firestore, Auth and Storage.
pip install empyrebase
Empyrebase was written for python 3 and will not work correctly with python 2.
For use with only user based authentication we can create the following configuration:
import empyrebase
config = {
"apiKey": "apiKey",
"authDomain": "projectId.firebaseapp.com",
"databaseURL": "https://databaseName.firebaseio.com",
"storageBucket": "projectId.appspot.com"
}
firebase = empyrebase.initialize_app(config)
This will automatically check for the latest version on PyPI so that you don't miss out on new features. To skip version check:
firebase = empyrebase.initialize_app(config, skip_version_check=True)
We can optionally add a service account credential to our configuration that will allow our server to authenticate with Firebase as an admin and disregard any security rules.
import empyrebase
config = {
"apiKey": "apiKey",
"authDomain": "projectId.firebaseapp.com",
"databaseURL": "https://databaseName.firebaseio.com",
"storageBucket": "projectId.appspot.com",
"serviceAccount": "path/to/serviceAccountCredentials.json"
}
firebase = empyrebase.initialize_app(config)
Adding a service account will authenticate as an admin by default for all database queries, check out the Authentication documentation for how to authenticate users.
An empyrebase app can use multiple Firebase services.
firebase.auth()
- Authentication
firebase.database()
- Database
firebase.storage()
- Storage
firebase.firestore()
- Firestore
Check out the documentation for each service for further details.
The sign_in_with_email_and_password()
method will return user data including a token you can use to adhere to security rules.
Each of the following methods accepts a user token: get()
, push()
, set()
, update()
, remove()
and stream()
.
# Get a reference to the auth service
auth = firebase.auth()
# Log the user in
user = auth.sign_in_with_email_and_password(email, password)
# Log the user in anonymously
user = auth.sign_in_anonymous()
# Add user info
user = auth.update_profile(display_name, photo_url, delete_attribute)
# Get user info
user = auth.get_account_info()
# Get a reference to the database service
db = firebase.database()
# data to save
data = {
"name": "Mortimer 'Morty' Smith"
}
# Pass the user's idToken to the push method
results = db.child("users").push(data, user['idToken'])
A user's idToken expires after 1 hour, so be sure to use the user's refreshToken to avoid stale tokens.
user = auth.sign_in_with_email_and_password(email, password)
# before the 1 hour expiry:
user = auth.refresh(user['refreshToken'])
# now we have a fresh token
user['idToken']
You can also create users using custom tokens, for example:
token = auth.create_custom_token("your_custom_id")
You can also pass in additional claims.
token_with_additional_claims = auth.create_custom_token("your_custom_id", {"premium_account": True})
You can then send these tokens to the client to sign in, or sign in as the user on the server.
user = auth.sign_in_with_custom_token(token)
auth.create_user_with_email_and_password(email, password)
Note: Make sure you have the Email/password provider enabled in your Firebase dashboard under Auth -> Sign In Method.
auth.send_email_verification(user['idToken'])
auth.send_password_reset_email("email")
auth.get_account_info(user['idToken'])
user = auth.refresh(user['refreshToken'])
auth.delete_user_account(user['idToken'])
You can build paths to your data by using the child()
method.
db = firebase.database()
db.child("users").child("Morty")
To save data with a unique, auto-generated, timestamp-based key, use the push()
method.
data = {"name": "Mortimer 'Morty' Smith"}
db.child("users").push(data)
To create your own keys use the set()
method. The key in the example below is "Morty".
data = {"name": "Mortimer 'Morty' Smith"}
db.child("users").child("Morty").set(data)
To update data for an existing entry use the update()
method.
db.child("users").child("Morty").update({"name": "Mortiest Morty"})
To delete data for an existing entry use the remove()
method.
db.child("users").child("Morty").remove()
You can also perform multi-location updates with the update()
method.
data = {
"users/Morty/": {
"name": "Mortimer 'Morty' Smith"
},
"users/Rick/": {
"name": "Rick Sanchez"
}
}
db.update(data)
To perform multi-location writes to new locations we can use the generate_key()
method.
data = {
"users/"+ref.generate_key(): {
"name": "Mortimer 'Morty' Smith"
},
"users/"+ref.generate_key(): {
"name": "Rick Sanchez"
}
}
db.update(data)
It's possible to do conditional sets and removes by using the conditional_set()
and conitional_remove()
methods respectively. You can read more about conditional requests in Firebase here.
To use these methods, you first get the ETag of a particular path by using the get_etag()
method. You can then use that tag in your conditional request.
etag = db.child("users").child("Morty").get_etag()
data = {"name": "Mortimer 'Morty' Smith"}
db.child("users").child("Morty").conditional_set(data, etag["ETag"])
If the passed ETag does not match the ETag of the path in the database, the data will not be written, and both conditional request methods will return a single key-value pair with the new ETag to use of the following form:
{ "ETag": "8KnE63B6HiKp67Wf3HQrXanujSM=", "value": "<current value>" }
Here's an example of checking whether or not a conditional removal was successful:
etag = db.child("users").child("Morty").get_etag()
response = db.child("users").child("Morty").conditional_remove(etag["ETag"])
if type(response) is dict and "ETag" in response:
etag = response["ETag"] # our ETag was out-of-date
else:
print("We removed the data successfully!")
Here's an example of looping to increase age by 1:
etag = db.child("users").child("Morty").child("age").get_etag()
while type(etag) is dict and "ETag" in etag:
new_age = etag["value"] + 1
etag = db.child("users").child("Morty").child("age").conditional_set(new_age, etag["ETag"])
Queries return a PyreResponse object. Calling val()
on these objects returns the query data.
users = db.child("users").get()
print(users.val()) # {"Morty": {"name": "Mortimer 'Morty' Smith"}, "Rick": {"name": "Rick Sanchez"}}
Calling key()
returns the key for the query data.
user = db.child("users").get()
print(user.key()) # users
Returns a list of objects on each of which you can call val()
and key()
.
all_users = db.child("users").get()
for user in all_users.each():
print(user.key()) # Morty
print(user.val()) # {"name": "Mortimer 'Morty' Smith"}
To return data from a path simply call the get()
method.
all_users = db.child("users").get()
To return just the keys at a particular path use the shallow()
method.
all_user_ids = db.child("users").shallow().get()
Note: shallow()
can not be used in conjunction with any complex queries.
You can listen to live changes to your data with the stream()
method.
def stream_handler(message):
print(message["event"]) # put
print(message["path"]) # /-K7yGTTEp7O549EzTYtI
print(message["data"]) # {'title': 'empyrebase', "body": "etc..."}
my_stream = db.child("posts").stream(stream_handler)
You should at least handle put
and patch
events. Refer to "Streaming from the REST API" for details.
You can also add a stream_id
to help you identify a stream if you have multiple running:
my_stream = db.child("posts").stream(stream_handler, stream_id="new_posts")
my_stream.close()
def token_refresher():
return your_auth_token # Implement a way to actually update your_auth_token using auth.refresh() outside this function.
def stream_handler(message):
print(message["event"]) # put
print(message["path"]) # /-K7yGTTEp7O549EzTYtI
print(message["data"]) # {'title': 'empyrebase', "body": "etc..."}
my_stream = db.child("posts").stream(stream_handler, token="your_auth_token", token_refreshable=True, token_refresher=token_refresher, max_retries=3) # max_retries is optional and defaults to 3. Maximum retries to reauth stream before an exception is raised.
Queries can be built by chaining multiple query parameters together.
users_by_name = db.child("users").order_by_child("name").limit_to_first(3).get()
This query will return the first three users ordered by name.
We begin any complex query with order_by_child()
.
users_by_name = db.child("users").order_by_child("name").get()
This query will return users ordered by name.
Return data with a specific value.
users_by_score = db.child("users").order_by_child("score").equal_to(10).get()
This query will return users with a score of 10.
Specify a range in your data.
users_by_score = db.child("users").order_by_child("score").start_at(3).end_at(10).get()
This query returns users ordered by score and with a score between 3 and 10.
Limits data returned.
users_by_score = db.child("users").order_by_child("score").limit_to_first(5).get()
This query returns the first five users ordered by score.
When using order_by_key()
to sort your data, data is returned in ascending order by key.
users_by_key = db.child("users").order_by_key().get()
When using order_by_value()
, children are ordered by their value.
users_by_value = db.child("users").order_by_value().get()
The storage service allows you to upload images to Firebase.
Just like with the Database service, you can build paths to your data with the Storage service.
storage.child("images/example.jpg")
The put method takes the path to the local file and an optional user token.
storage = firebase.storage()
# as admin
storage.child("images/example.jpg").put("example2.jpg")
# as user
storage.child("images/example.jpg").put("example2.jpg", user['idToken'])
The download method takes the path to the saved database file and the name you want the downloaded file to have.
storage.child("images/example.jpg").download("downloaded.jpg")
The get_url method takes the path to the saved database file and user token which returns the storage url.
storage.child("images/example.jpg").get_url(user["idToken"])
# https://firebasestorage.googleapis.com/v0/b/storage-url.appspot.com/o/images%2Fexample.jpg?alt=media
The delete method takes the path to the saved database file and user token.
storage.delete("images/example.jpg",user["idToken"])
db.generate_key()
is an implementation of Firebase's key generation algorithm.
See multi-location updates for a potential use case.
Sometimes we might want to sort our data multiple times. For example, we might want to retrieve all articles written between a certain date then sort those articles based on the number of likes.
Currently the REST API only allows us to sort our data once, so the sort()
method bridges this gap.
articles = db.child("articles").order_by_child("date").start_at(startDate).end_at(endDate).get()
articles_by_likes = db.sort(articles, "likes")
+Indexing is not enabled for the database reference.
The firestore
method in empyrebase allows interaction with Firebase Firestore.
Initialize Firestore with required project and authentication parameters.
from empyrebase import Firestore
firebase_path = "your_firestore_path" # Optional. Base path for all Firestore operations. Defaults to "/"
auth_id = "your_auth_id_token" # Optional. Enables authorized transactions.
database_name = "your_database_name" # Optional. defaults to "(default)"
firestore = firebase.firestore(firebase_path=firebase_path, database_name=database_name, auth_id=auth_id)
Authorize Firestore using an authentication token. Firestore can be authorized at any time.
firestore.authorize("auth_id_token")
Navigation can be done either using absolute paths using firestore.get_document("/path/to/document")
or using collection-document pairs, as follows:
collection = firestore.collection("collection")
document1 = collection.get_document("document1")
document2 = firestore.collection.document("document2").get_document()
The same logic applies to creating, updating and listing documents, but not for batch document get. Due to Firebase's API structure, batch_get_document must always receive absolute paths.
Creates a new document.
data = {"name": "John Doe", "age": 30} # Optional
firestore.create_document("users/user_id", data)
# Alternatively, updating a non-existing document will create a new one.
firestore.create_document("users/user_id", data) # Data is required, but can be an empty dictionary
Fetches a document.
document = firestore.get_document("users/user_id")
print(document)
Fetch multiple documents in one batch.
documents = firestore.batch_get_documents(["users/user_id1", "users/user_id2"])
Run a structured query against a collection.
query = {"field": "name", "value": "John Doe"}
results = firestore.run_query("users", query)
Update data in an existing document. If the document does not exist, it will be created with the new data.
firestore.update_document("users/user_id", {"age": 31})
Deletes a document.
firestore.delete_document("users/user_id")
Lists all documents in a collection.
documents = firestore.list_documents("users")
In order to get the server timestamp in a field value use firestore.SERVER_TIMESTAMP
:
data = {
"name": "John Doe",
"age": 30,
"createdAt": firestore.SERVER_TIMESTAMP,
}
FAQs
A simple python wrapper for the Firebase API with current deps
We found that empyrebase demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
NVD now marks all pre-2018 CVEs as "Deferred," signaling it will no longer enrich older vulnerabilities, further eroding trust in its data.
Research
Security News
Lazarus-linked threat actors expand their npm malware campaign with new RAT loaders, hex obfuscation, and over 5,600 downloads across 11 packages.
Security News
Safari 18.4 adds support for Iterator Helpers and two other TC39 JavaScript features, bringing full cross-browser coverage to key parts of the ECMAScript spec.