Skip to main content

SQLite extension for graph queries using Cypher

Project description

GraphQLite Python

Python bindings for GraphQLite, a SQLite extension that adds graph database capabilities using Cypher.

Installation

pip install graphqlite

Quick Start

High-Level Graph API (Recommended)

The Graph class provides an ergonomic interface for common graph operations:

from graphqlite import Graph

# Create a graph (in-memory or file-based)
g = Graph(":memory:")

# Add nodes
g.upsert_node("alice", {"name": "Alice", "age": 30}, label="Person")
g.upsert_node("bob", {"name": "Bob", "age": 25}, label="Person")

# Add edges
g.upsert_edge("alice", "bob", {"since": 2020}, rel_type="KNOWS")

# Query
print(g.stats())              # {'nodes': 2, 'edges': 1}
print(g.get_neighbors("alice"))  # [{'id': 'bob', ...}]
print(g.node_degree("alice"))    # 1

# Graph algorithms
ranks = g.pagerank()
communities = g.community_detection()

# Raw Cypher when needed
results = g.query("MATCH (a)-[:KNOWS]->(b) RETURN a.name, b.name")

Low-Level Cypher API

For complex queries or when you need full control:

from graphqlite import connect

db = connect("graph.db")

db.cypher("CREATE (a:Person {name: 'Alice', age: 30})")
db.cypher("CREATE (b:Person {name: 'Bob', age: 25})")
db.cypher("""
    MATCH (a:Person {name: 'Alice'}), (b:Person {name: 'Bob'})
    CREATE (a)-[:KNOWS]->(b)
""")

results = db.cypher("MATCH (a:Person)-[:KNOWS]->(b) RETURN a.name, b.name")
for row in results:
    print(f"{row['a.name']} knows {row['b.name']}")

API Reference

Graph Class

from graphqlite import Graph, graph

# Constructor
g = Graph(db_path=":memory:", namespace="default", extension_path=None)

# Or use the factory function
g = graph(":memory:")

Node Operations

Method Description
upsert_node(node_id, props, label="Entity") Create or update a node
get_node(node_id) Get node by ID
has_node(node_id) Check if node exists
delete_node(node_id) Delete node and its edges
get_all_nodes(label=None) Get all nodes, optionally by label

Edge Operations

Method Description
upsert_edge(source, target, props, rel_type="RELATED") Create edge between nodes
get_edge(source, target) Get edge properties
has_edge(source, target) Check if edge exists
delete_edge(source, target) Delete edge
get_all_edges() Get all edges

Graph Queries

Method Description
node_degree(node_id) Count edges connected to node
get_neighbors(node_id) Get adjacent nodes
get_node_edges(node_id) Get all edges for a node
stats() Get node/edge counts
query(cypher) Execute raw Cypher query

Graph Algorithms

Centrality

Method Description
pagerank(damping=0.85, iterations=20) PageRank importance scores
degree_centrality() In/out/total degree for each node
betweenness_centrality() Betweenness centrality scores
closeness_centrality() Closeness centrality scores
eigenvector_centrality(iterations=100) Eigenvector centrality scores

Community Detection

Method Description
community_detection(iterations=10) Label propagation communities
louvain(resolution=1.0) Louvain modularity optimization
leiden_communities(resolution, seed) Leiden algorithm (requires graspologic)

Connected Components

Method Description
weakly_connected_components() Weakly connected components
strongly_connected_components() Strongly connected components

Path Finding

Method Description
shortest_path(source, target, weight) Dijkstra's shortest path
astar(source, target, lat, lon) A* with optional heuristic
all_pairs_shortest_path() All-pairs shortest paths (Floyd-Warshall)

Traversal

Method Description
bfs(start, max_depth=-1) Breadth-first search
dfs(start, max_depth=-1) Depth-first search

Similarity

Method Description
node_similarity(n1, n2, threshold, top_k) Jaccard similarity
knn(node, k=10) K-nearest neighbors
triangle_count() Triangle counts and clustering coefficients

Export

Method Description
to_rustworkx() Export to rustworkx PyDiGraph (requires rustworkx)

Batch Operations

# Batch insert nodes (upsert semantics)
g.upsert_nodes_batch([
    ("n1", {"name": "Alice"}, "Person"),
    ("n2", {"name": "Bob"}, "Person"),
])

# Batch insert edges (upsert semantics)
g.upsert_edges_batch([
    ("n1", "n2", {"weight": 1.0}, "KNOWS"),
])

Bulk Insert (High Performance)

For maximum throughput when building graphs from external data, use the bulk insert methods. These bypass Cypher parsing entirely and use direct SQL, achieving 100-500x faster insert rates.

# Bulk insert nodes - returns dict mapping external_id -> internal_rowid
id_map = g.insert_nodes_bulk([
    ("alice", {"name": "Alice", "age": 30}, "Person"),
    ("bob", {"name": "Bob", "age": 25}, "Person"),
    ("charlie", {"name": "Charlie"}, "Person"),
])

# Bulk insert edges using the ID map - no MATCH queries needed!
edges_inserted = g.insert_edges_bulk([
    ("alice", "bob", {"since": 2020}, "KNOWS"),
    ("bob", "charlie", {"since": 2021}, "KNOWS"),
], id_map)

# Or use the convenience method for both
result = g.insert_graph_bulk(nodes=nodes, edges=edges)
print(f"Inserted {result.nodes_inserted} nodes, {result.edges_inserted} edges")

# Resolve existing node IDs (for edges to pre-existing nodes)
resolved = g.resolve_node_ids(["alice", "bob"])
Method Description
insert_nodes_bulk(nodes) Insert nodes, returns ID mapping dict
insert_edges_bulk(edges, id_map=None) Insert edges using ID map
insert_graph_bulk(nodes, edges) Insert both, returns BulkInsertResult
resolve_node_ids(ids) Resolve external IDs to internal rowids

Connection Class

from graphqlite import connect, wrap

# Open new connection
db = connect("graph.db")
db = connect(":memory:")

# Wrap existing sqlite3 connection
import sqlite3
conn = sqlite3.connect("graph.db")
db = wrap(conn)

Methods

Method Description
cypher(query) Execute Cypher query, return results
execute(sql) Execute raw SQL
close() Close connection

CypherResult

Results from cypher() calls:

results = db.cypher("MATCH (n) RETURN n.name")

len(results)           # Number of rows
results[0]             # First row as dict
results.columns        # Column names
results.to_list()      # All rows as list

for row in results:
    print(row["n.name"])

Utility Functions

from graphqlite import escape_string, sanitize_rel_type, CYPHER_RESERVED

# Escape strings for Cypher queries
safe = escape_string("It's a test")  # "It\\'s a test"

# Sanitize relationship types
rel = sanitize_rel_type("has-items")  # "has_items"
rel = sanitize_rel_type("CREATE")     # "REL_CREATE" (reserved word)

# Set of Cypher reserved keywords
if "MATCH" in CYPHER_RESERVED:
    print("MATCH is reserved")

Extension Path

The extension is located automatically. To specify a custom path:

db = connect("graph.db", extension_path="/path/to/graphqlite.dylib")

Or set the GRAPHQLITE_EXTENSION_PATH environment variable.

Troubleshooting

See FAQ.md for common issues and solutions.

License

MIT

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

graphqlite-0.3.5.tar.gz (454.1 kB view details)

Uploaded Source

Built Distributions

If you're not sure about the file name format, learn more about wheel file names.

graphqlite-0.3.5-py3-none-win_amd64.whl (1.2 MB view details)

Uploaded Python 3Windows x86-64

graphqlite-0.3.5-py3-none-manylinux_2_28_aarch64.whl (211.4 kB view details)

Uploaded Python 3manylinux: glibc 2.28+ ARM64

graphqlite-0.3.5-py3-none-manylinux2014_x86_64.manylinux_2_17_x86_64.whl (212.8 kB view details)

Uploaded Python 3manylinux: glibc 2.17+ x86-64

graphqlite-0.3.5-py3-none-macosx_11_0_arm64.whl (164.2 kB view details)

Uploaded Python 3macOS 11.0+ ARM64

File details

Details for the file graphqlite-0.3.5.tar.gz.

File metadata

  • Download URL: graphqlite-0.3.5.tar.gz
  • Upload date:
  • Size: 454.1 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.2.0 CPython/3.11.14

File hashes

Hashes for graphqlite-0.3.5.tar.gz
Algorithm Hash digest
SHA256 ac2e82c395e9a6eb8977d0a74733a0a566463ff41876983d1deccd11ecf1a37e
MD5 14294a9d485e14959025f12bcc58b59a
BLAKE2b-256 03a0b4d66672876e148db3d702b8b9cc9b13a5d3e4f5b9fd6a36557a73613a2e

See more details on using hashes here.

File details

Details for the file graphqlite-0.3.5-py3-none-win_amd64.whl.

File metadata

  • Download URL: graphqlite-0.3.5-py3-none-win_amd64.whl
  • Upload date:
  • Size: 1.2 MB
  • Tags: Python 3, Windows x86-64
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.2.0 CPython/3.11.14

File hashes

Hashes for graphqlite-0.3.5-py3-none-win_amd64.whl
Algorithm Hash digest
SHA256 70b2250f9783e105b6a0373c672b64394c20e36ff779051c2f84f4b53f57440f
MD5 7f8f1103f7c6f88e13435cde59ed3eae
BLAKE2b-256 c7bd05bba76bddd6525090feefb079dc7179412efb2dad4d5a4f9d3eedf09f46

See more details on using hashes here.

File details

Details for the file graphqlite-0.3.5-py3-none-manylinux_2_28_aarch64.whl.

File metadata

File hashes

Hashes for graphqlite-0.3.5-py3-none-manylinux_2_28_aarch64.whl
Algorithm Hash digest
SHA256 d79ca464934f915a94ad8fc3ed46e31d8c0b82f8e6f7382d73d8ac161519cbc6
MD5 eb7130a1b2bcb9008cf2c08861ac14c1
BLAKE2b-256 e2e396acf5e3fff3d45a1411b7fb7331ffec01a80031d8492e833b0796c4427e

See more details on using hashes here.

File details

Details for the file graphqlite-0.3.5-py3-none-manylinux2014_x86_64.manylinux_2_17_x86_64.whl.

File metadata

File hashes

Hashes for graphqlite-0.3.5-py3-none-manylinux2014_x86_64.manylinux_2_17_x86_64.whl
Algorithm Hash digest
SHA256 9ac1a5d2918b5534eefad9cff2caf58a76a152fd32f54a1c7284cf2df9470d19
MD5 89b2878603cd929be8595cb567496085
BLAKE2b-256 fea8e570ab826e845d05819ab4ab6d7e24afb7b90473cc7b0864c22168d7a12e

See more details on using hashes here.

File details

Details for the file graphqlite-0.3.5-py3-none-macosx_11_0_arm64.whl.

File metadata

File hashes

Hashes for graphqlite-0.3.5-py3-none-macosx_11_0_arm64.whl
Algorithm Hash digest
SHA256 e2200dd1ff87b1dca5954d2d75b00be90ecfc00a6a95132d0c521d50a3b05620
MD5 97b0dbe89f41b89cea71a30be580638e
BLAKE2b-256 efcb56d9079cd781ffe0329f11140737b873508d2e0dc12260cd4be6971187bf

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page