Run your own transactions
When querying the database with execute_query(), the driver automatically creates a transaction.
A transaction is a unit of work that is either committed in its entirety or rolled back on failure.
You can include multiple Cypher statements in a single query, as for example when using MATCH and CREATE in sequence to update the database, but you cannot have multiple queries and interleave some client-logic in between them.
For these more advanced use-cases, the driver provides functions to manually control transactions.
The most common form is managed transactions, and you can think of them as a way of unwrapping the flow of .execute_query() and being able to specify its desired behavior in more places.
Create a session
Before running a transaction, you need to obtain a session. Sessions act as query channels between the driver and the server, and ensure causal consistency is enforced.
Sessions are created with the method Driver.session(), with the keyword argument database allowing to specify the target database.
For further parameters, see Session configuration.
with driver.session(database="<database-name>") as session:
    ...Creating a session is a lightweight operation, so sessions can be created and destroyed without significant cost. Always close sessions when you are done with them.
Sessions are not thread safe: you can share the main Driver object across threads, but each thread should create its own sessions.
Run a managed transaction
A transaction can contain multiple queries. As Neo4j is ACID compliant, queries within a transaction will either be executed as a whole or not at all: you cannot get a part of the transaction succeeding and another failing. Use transactions to group together related queries which work together to achieve a single logical database operation.
You create a managed transaction with the methods Session.execute_read() and Session.execute_write(), depending on whether you want to retrieve data from the database or alter it.
Both methods take a transaction function callback, which is responsible for carrying out the queries and processing the result.
Al.def match_person_nodes(tx, name_filter): (3)
    result = tx.run(""" (4)
        MATCH (p:Person) WHERE p.name STARTS WITH $filter
        RETURN p.name AS name ORDER BY name
        """, filter=name_filter)
    return list(result)  # a list of Record objects (5)
with driver.session(database="<database-name>") as session:  (1)
    people = session.execute_read(  (2)
        match_person_nodes,
        "Al",
    )
    for person in people:
        print(person.data())  # obtain dict representation| 1 | Create a session. A single session can be the container for multiple queries. Unless created using the withconstruct, remember to close it when done. | 
| 2 | The .execute_read()(or.execute_write()) method is the entry point into a transaction. It takes a callback to a transaction function and an arbitrary number of positional and keyword arguments which are handed down to the transaction function. | 
| 3 | The transaction function callback is responsible of running queries. | 
| 4 | Use the method Transaction.run()to run queries. Each query run returns aResultobject. | 
| 5 | Process the result using any of the methods on Result. | 
Do not hardcode or concatenate parameters directly into the query. Use query parameters instead, both for performance and security reasons.
Transaction functions should never return the Result object directly.
Instead, always process the result in some way; at minimum, cast it to list.
Within a transaction function, a return statement results in the transaction being committed, while the transaction is automatically rolled back if an exception is raised.
from neo4j import GraphDatabase
URI = "<database-uri>"
AUTH = ("<username>", "<password>")
employee_threshold=10
def main():
    with GraphDatabase.driver(URI, auth=AUTH) as driver:
        with driver.session(database="<database-name>") as session:
            for i in range(100):
                name = f"Thor{i}"
                org_id = session.execute_write(employ_person_tx, name)
                print(f"User {name} added to organization {org_id}")
def employ_person_tx(tx, name):
    # Create new Person node with given name, if not exists already
    result = tx.run("""
        MERGE (p:Person {name: $name})
        RETURN p.name AS name
        """, name=name
    )
    # Obtain most recent organization ID and the number of people linked to it
    result = tx.run("""
        MATCH (o:Organization)
        RETURN o.id AS id, COUNT{(p:Person)-[r:WORKS_FOR]->(o)} AS employees_n
        ORDER BY o.created_date DESC
        LIMIT 1
    """)
    org = result.single()
    if org is not None and org["employees_n"] == 0:
        raise Exception("Most recent organization is empty.")
        # Transaction will roll back -> not even Person is created!
    # If org does not have too many employees, add this Person to that
    if org is not None and org.get("employees_n") < employee_threshold:
        result = tx.run("""
            MATCH (o:Organization {id: $org_id})
            MATCH (p:Person {name: $name})
            MERGE (p)-[r:WORKS_FOR]->(o)
            RETURN $org_id AS id
            """, org_id=org["id"], name=name
        )
    # Otherwise, create a new Organization and link Person to it
    else:
        result = tx.run("""
            MATCH (p:Person {name: $name})
            CREATE (o:Organization {id: randomuuid(), created_date: datetime()})
            MERGE (p)-[r:WORKS_FOR]->(o)
            RETURN o.id AS id
            """, name=name
        )
    # Return the Organization ID to which the new Person ends up in
    return result.single()["id"]
if __name__ == "__main__":
    main()The driver automatically retries to run a failed transaction if the failure is deemed to be transient (for example due to temporary server unavailability). An error will be raised if the operation keeps failing after the configured maximum retry time.
Because the transaction might be re-run, transaction functions must be idempotent (i.e., they should produce the same effect when run several times), because you do not know upfront how many times they are going to be executed. In practice, this means that you should not edit nor rely on globals, for example. Note that although transactions functions might be executed multiple times, the database queries inside it will always run only once.
A session can chain multiple transactions, but only one single transaction can be active within a session at any given time. To maintain multiple concurrent transactions, use multiple concurrent sessions.
Transaction function configuration
The decorator unit_of_work() gives further control on transaction functions.
It allows to specify:
- 
a transaction timeout (in seconds). Transactions that run longer will be terminated by the server. The default value is set on the server side. The minimum value is one millisecond ( 0.001).
- 
a dictionary of metadata that gets attached to the transaction. These metadata get logged in the server query.log, and are visible in the output of theSHOW TRANSACTIONSCypher command. Use this to tag transactions.
from neo4j import unit_of_work
@unit_of_work(timeout=5, metadata={"app_name": "people_tracker"})
def count_people(tx):
    result = tx.run("MATCH (a:Person) RETURN count(a) AS people")
    record = result.single()
    return record["people"]
with driver.session(database="<database-name>") as session:
    people_n = session.execute_read(count_people)Run an explicit transaction
You can achieve full control over transactions by manually beginning one with the method Session.begin_transaction().
You may then run queries inside an explicit transaction with the method Transaction.run().
with driver.session(database="<database-name>") as session:
    with session.begin_transaction() as tx:
        # use tx.run() to run queries and tx.commit() when done
        tx.run("<QUERY 1>")
        tx.run("<QUERY 2>")
        tx.commit()An explicit transaction can be committed with  Transaction.commit() or rolled back with  Transaction.rollback().
If no explicit action is taken, the driver will automatically roll back the transaction at the end of its lifetime.
| Queries run with  | 
Explicit transactions are most useful for applications that need to distribute Cypher execution across multiple functions for the same transaction, or for applications that need to run multiple queries within a single transaction but without the automatic retries provided by managed transactions.
import neo4j
URI = "<database-uri>"
AUTH = ("<username>", "<password>")
def main():
    with neo4j.GraphDatabase.driver(URI, auth=AUTH) as driver:
        customer_id = create_customer(driver)
        other_bank_id = 42
        transfer_to_other_bank(driver, customer_id, other_bank_id, 999)
def create_customer(driver):
    result, _, _ = driver.execute_query("""
        MERGE (c:Customer {id: rand()})
        RETURN c.id AS id
    """, database_ = "<database-name>")
    return result[0]["id"]
def transfer_to_other_bank(driver, customer_id, other_bank_id, amount):
    with driver.session(database="<database-name>") as session:
        with session.begin_transaction() as tx:
            if not customer_balance_check(tx, customer_id, amount):
                # give up
                return
            other_bank_transfer_api(customer_id, other_bank_id, amount)
            # Now the money has been transferred => can't rollback anymore
            # (cannot rollback external services interactions)
            try:
                decrease_customer_balance(tx, customer_id, amount)
                tx.commit()
            except Exception as e:
                request_inspection(customer_id, other_bank_id, amount, e)
                raise  # roll back
def customer_balance_check(tx, customer_id, amount):
    query = ("""
        MATCH (c:Customer {id: $id})
        RETURN c.balance >= $amount AS sufficient
    """)
    result = tx.run(query, id=customer_id, amount=amount)
    record = result.single(strict=True)
    return record["sufficient"]
def other_bank_transfer_api(customer_id, other_bank_id, amount):
    # make some API call to other bank
    pass
def decrease_customer_balance(tx, customer_id, amount):
    query = ("""
        MATCH (c:Customer {id: $id})
        SET c.balance = c.balance - $amount
    """)
    result = tx.run(query, id=customer_id, amount=amount)
    result.consume()
def request_inspection(customer_id, other_bank_id, amount, e):
    # manual cleanup required; log this or similar
    print("WARNING: transaction rolled back due to exception:", repr(e))
    print("customer_id:", customer_id, "other_bank_id:", other_bank_id,
          "amount:", amount)
if __name__ == "__main__":
    main()Process query results
The driver’s output of a query is a Result object, which encapsulates the Cypher result in a rich data structure that requires some parsing on the client side.
There are two main points to be aware of:
- 
The result records are not immediately and entirely fetched and returned by the server. Instead, results come as a lazy stream. In particular, when the driver receives some records from the server, they are initially buffered in a background queue. Records stay in the buffer until they are consumed by the application, at which point they are removed from the buffer. When no more records are available, the result is exhausted. 
- 
The result acts as a cursor. This means that there is no way to retrieve a previous record from the stream, unless you saved it in an auxiliary data structure. 
The animation below follows the path of a single query: it shows how the driver works with result records and how the application should handle results.
The easiest way of processing a result is by casting it to list, which yields a list of Record objects.
Otherwise, a Result object implements a number of methods for processing records.
The most commonly needed ones are listed below.
| Name | Description | 
|---|---|
| 
 | Return the remainder of the result as a list.
If  | 
| 
 | Return up to  | 
| 
 | Return the next and only remaining record, or  If more (or less) than one record is available, 
 | 
| 
 | Return the next record without consuming it. This leaves the record in the buffer for further processing. | 
| 
 | Return a JSON-like dump . Only use it for debugging/prototyping purposes. | 
| 
 | Return the query result summary. It exhausts the result, so should only be called when data processing is over. | 
| 
 | Transform result into a collection of graph objects. See Transform to graph. | 
| 
 | Transform result into a Pandas Dataframe. See Transform to Pandas Dataframe. | 
For a complete list of Result methods, see API documentation — Result.
Session configuration
Database selection
Always specify the database explicitly with the database parameter, even on single-database instances.
This allows the driver to work more efficiently, as it saves a network round-trip to the server to resolve the home database.
If no database is given, the user’s home database is used.
with driver.session(
    database="<database-name>"
) as session:
    ...| Specifying the database through the configuration method is preferred over the USECypher clause.
If the server runs on a cluster, queries withUSErequire server-side routing to be enabled.
Queries may also take longer to execute as they may not reach the right cluster member at the first attempt, and need to be routed to one containing the requested database. | 
Request routing
In a cluster environment, all sessions are opened in write mode, routing them to the leader.
You can change this by explicitly setting the default_access_mode parameter to neo4j.READ_ACCESS.
Note that .execute_read() and .execute_write() automatically override the session’s default access mode.
import neo4j
with driver.session(
    database="<database-name>",
    default_access_mode=neo4j.READ_ACCESS
) as session:
    ...| Although executing a write query in read mode results in a runtime error, you should not rely on this for access control. The difference between the two modes is that read transactions will be routed to any node of a cluster, whereas write ones are directed to primaries. There is no security guarantee that a write query submitted in read mode will be rejected. | 
Run queries as a different user
You can execute a query through a different user with the parameter auth.
Switching user at the session level is cheaper than creating a new Driver object.
Queries are then run within the security context of the given user (i.e., home database, permissions, etc.).
with driver.session(
    database="<database-name>",
    auth=("<username>", "<password>")
) as session:
    ...The parameter impersonated_user provides a similar functionality.
The difference is that you don’t need to know a user’s password to impersonate them, but the user under which the Driver was created needs to have the appropriate permissions.
with driver.session(
    database="<database-name>",
    impersonated_user="<username>"
) as session:
    ...Close sessions
Each connection pool has a finite number of sessions, so if you open sessions without ever closing them, your application could run out of them.
It is thus recommended to create sessions using the with statement, which automatically closes them when the application is done with them.
When a session is closed, it is returned to the connection pool to be later reused.
If you do not use with, remember to call the .close() method when you have finished using a session.
session = driver.session(database="<database-name>")
# session usage
session.close()Glossary
- LTS
- 
A Long Term Support release is one guaranteed to be supported for a number of years. Neo4j 4.4 and 5.26 are LTS versions. 
- Aura
- 
Aura is Neo4j’s fully managed cloud service. It comes with both free and paid plans. 
- Cypher
- 
Cypher is Neo4j’s graph query language that lets you retrieve data from the database. It is like SQL, but for graphs. 
- APOC
- 
Awesome Procedures On Cypher (APOC) is a library of (many) functions that can not be easily expressed in Cypher itself. 
- Bolt
- 
Bolt is the protocol used for interaction between Neo4j instances and drivers. It listens on port 7687 by default. 
- ACID
- 
Atomicity, Consistency, Isolation, Durability (ACID) are properties guaranteeing that database transactions are processed reliably. An ACID-compliant DBMS ensures that the data in the database remains accurate and consistent despite failures. 
- eventual consistency
- 
A database is eventually consistent if it provides the guarantee that all cluster members will, at some point in time, store the latest version of the data. 
- causal consistency
- 
A database is causally consistent if read and write queries are seen by every member of the cluster in the same order. This is stronger than eventual consistency. 
- NULL
- 
The null marker is not a type but a placeholder for absence of value. For more information, see Cypher → Working with null.
- transaction
- 
A transaction is a unit of work that is either committed in its entirety or rolled back on failure. An example is a bank transfer: it involves multiple steps, but they must all succeed or be reverted, to avoid money being subtracted from one account but not added to the other. 
- backpressure
- 
Backpressure is a force opposing the flow of data. It ensures that the client is not being overwhelmed by data faster than it can handle. 
- bookmark
- 
A bookmark is a token representing some state of the database. By passing one or multiple bookmarks along with a query, the server will make sure that the query does not get executed before the represented state(s) have been established. 
- transaction function
- 
A transaction function is a callback executed by an execute_readorexecute_writecall. The driver automatically re-executes the callback in case of server failure.
- Driver
- 
A Driverobject holds the details required to establish connections with a Neo4j database.