2025-07-15 09:33:35 +01:00
|
|
|
"""
|
|
|
|
|
Tests for Neo4j triples query service
|
|
|
|
|
"""
|
|
|
|
|
|
|
|
|
|
import pytest
|
|
|
|
|
from unittest.mock import MagicMock, patch
|
|
|
|
|
|
|
|
|
|
from trustgraph.query.triples.neo4j.service import Processor
|
2026-01-27 13:48:08 +00:00
|
|
|
from trustgraph.schema import Term, TriplesQueryRequest, IRI, LITERAL
|
2025-07-15 09:33:35 +01:00
|
|
|
|
|
|
|
|
|
|
|
|
|
class TestNeo4jQueryProcessor:
|
|
|
|
|
"""Test cases for Neo4j query processor"""
|
|
|
|
|
|
|
|
|
|
@pytest.fixture
|
|
|
|
|
def processor(self):
|
|
|
|
|
"""Create a processor instance for testing"""
|
|
|
|
|
with patch('trustgraph.query.triples.neo4j.service.GraphDatabase'):
|
|
|
|
|
return Processor(
|
|
|
|
|
taskgroup=MagicMock(),
|
|
|
|
|
id='test-neo4j-query',
|
|
|
|
|
graph_host='bolt://localhost:7687'
|
|
|
|
|
)
|
|
|
|
|
|
|
|
|
|
def test_create_value_with_http_uri(self, processor):
|
|
|
|
|
"""Test create_value with HTTP URI"""
|
|
|
|
|
result = processor.create_value("http://example.com/resource")
|
2026-01-27 13:48:08 +00:00
|
|
|
|
|
|
|
|
assert isinstance(result, Term)
|
|
|
|
|
assert result.iri == "http://example.com/resource"
|
|
|
|
|
assert result.type == IRI
|
2025-07-15 09:33:35 +01:00
|
|
|
|
|
|
|
|
def test_create_value_with_https_uri(self, processor):
|
|
|
|
|
"""Test create_value with HTTPS URI"""
|
|
|
|
|
result = processor.create_value("https://example.com/resource")
|
2026-01-27 13:48:08 +00:00
|
|
|
|
|
|
|
|
assert isinstance(result, Term)
|
|
|
|
|
assert result.iri == "https://example.com/resource"
|
|
|
|
|
assert result.type == IRI
|
2025-07-15 09:33:35 +01:00
|
|
|
|
|
|
|
|
def test_create_value_with_literal(self, processor):
|
|
|
|
|
"""Test create_value with literal value"""
|
|
|
|
|
result = processor.create_value("just a literal string")
|
2026-01-27 13:48:08 +00:00
|
|
|
|
|
|
|
|
assert isinstance(result, Term)
|
2025-07-15 09:33:35 +01:00
|
|
|
assert result.value == "just a literal string"
|
2026-01-27 13:48:08 +00:00
|
|
|
assert result.type == LITERAL
|
2025-07-15 09:33:35 +01:00
|
|
|
|
|
|
|
|
def test_create_value_with_empty_string(self, processor):
|
|
|
|
|
"""Test create_value with empty string"""
|
|
|
|
|
result = processor.create_value("")
|
2026-01-27 13:48:08 +00:00
|
|
|
|
|
|
|
|
assert isinstance(result, Term)
|
2025-07-15 09:33:35 +01:00
|
|
|
assert result.value == ""
|
2026-01-27 13:48:08 +00:00
|
|
|
assert result.type == LITERAL
|
2025-07-15 09:33:35 +01:00
|
|
|
|
|
|
|
|
def test_create_value_with_partial_uri(self, processor):
|
|
|
|
|
"""Test create_value with string that looks like URI but isn't complete"""
|
|
|
|
|
result = processor.create_value("http")
|
2026-01-27 13:48:08 +00:00
|
|
|
|
|
|
|
|
assert isinstance(result, Term)
|
2025-07-15 09:33:35 +01:00
|
|
|
assert result.value == "http"
|
2026-01-27 13:48:08 +00:00
|
|
|
assert result.type == LITERAL
|
2025-07-15 09:33:35 +01:00
|
|
|
|
|
|
|
|
def test_create_value_with_ftp_uri(self, processor):
|
|
|
|
|
"""Test create_value with FTP URI (should not be detected as URI)"""
|
|
|
|
|
result = processor.create_value("ftp://example.com/file")
|
2026-01-27 13:48:08 +00:00
|
|
|
|
|
|
|
|
assert isinstance(result, Term)
|
2025-07-15 09:33:35 +01:00
|
|
|
assert result.value == "ftp://example.com/file"
|
2026-01-27 13:48:08 +00:00
|
|
|
assert result.type == LITERAL
|
2025-07-15 09:33:35 +01:00
|
|
|
|
|
|
|
|
@patch('trustgraph.query.triples.neo4j.service.GraphDatabase')
|
|
|
|
|
def test_processor_initialization_with_defaults(self, mock_graph_db):
|
|
|
|
|
"""Test processor initialization with default parameters"""
|
|
|
|
|
taskgroup_mock = MagicMock()
|
|
|
|
|
mock_driver = MagicMock()
|
|
|
|
|
mock_graph_db.driver.return_value = mock_driver
|
|
|
|
|
|
|
|
|
|
processor = Processor(taskgroup=taskgroup_mock)
|
|
|
|
|
|
|
|
|
|
assert processor.db == 'neo4j'
|
|
|
|
|
mock_graph_db.driver.assert_called_once_with(
|
|
|
|
|
'bolt://neo4j:7687',
|
|
|
|
|
auth=('neo4j', 'password')
|
|
|
|
|
)
|
|
|
|
|
|
|
|
|
|
@patch('trustgraph.query.triples.neo4j.service.GraphDatabase')
|
|
|
|
|
def test_processor_initialization_with_custom_params(self, mock_graph_db):
|
|
|
|
|
"""Test processor initialization with custom parameters"""
|
|
|
|
|
taskgroup_mock = MagicMock()
|
|
|
|
|
mock_driver = MagicMock()
|
|
|
|
|
mock_graph_db.driver.return_value = mock_driver
|
|
|
|
|
|
|
|
|
|
processor = Processor(
|
|
|
|
|
taskgroup=taskgroup_mock,
|
|
|
|
|
graph_host='bolt://custom:7687',
|
|
|
|
|
username='queryuser',
|
|
|
|
|
password='querypass',
|
|
|
|
|
database='customdb'
|
|
|
|
|
)
|
|
|
|
|
|
|
|
|
|
assert processor.db == 'customdb'
|
|
|
|
|
mock_graph_db.driver.assert_called_once_with(
|
|
|
|
|
'bolt://custom:7687',
|
|
|
|
|
auth=('queryuser', 'querypass')
|
|
|
|
|
)
|
|
|
|
|
|
|
|
|
|
@patch('trustgraph.query.triples.neo4j.service.GraphDatabase')
|
|
|
|
|
@pytest.mark.asyncio
|
|
|
|
|
async def test_query_triples_spo_query(self, mock_graph_db):
|
|
|
|
|
"""Test SPO query (all values specified)"""
|
|
|
|
|
taskgroup_mock = MagicMock()
|
|
|
|
|
mock_driver = MagicMock()
|
|
|
|
|
mock_graph_db.driver.return_value = mock_driver
|
|
|
|
|
|
|
|
|
|
# Mock query results - both queries return one record each
|
|
|
|
|
mock_records = [MagicMock()]
|
|
|
|
|
mock_driver.execute_query.return_value = (mock_records, None, None)
|
|
|
|
|
|
|
|
|
|
processor = Processor(taskgroup=taskgroup_mock)
|
|
|
|
|
|
|
|
|
|
# Create query request
|
|
|
|
|
query = TriplesQueryRequest(
|
|
|
|
|
collection='test_collection',
|
2026-01-27 13:48:08 +00:00
|
|
|
s=Term(type=IRI, iri="http://example.com/subject"),
|
|
|
|
|
p=Term(type=IRI, iri="http://example.com/predicate"),
|
|
|
|
|
o=Term(type=LITERAL, value="literal object"),
|
2025-07-15 09:33:35 +01:00
|
|
|
limit=100
|
|
|
|
|
)
|
|
|
|
|
|
feat: workspace-based multi-tenancy, replacing user as tenancy axis (#840)
Introduces `workspace` as the isolation boundary for config, flows,
library, and knowledge data. Removes `user` as a schema-level field
throughout the code, API specs, and tests; workspace provides the
same separation more cleanly at the trusted flow.workspace layer
rather than through client-supplied message fields.
Design
------
- IAM tech spec (docs/tech-specs/iam.md) documents current state,
proposed auth/access model, and migration direction.
- Data ownership model (docs/tech-specs/data-ownership-model.md)
captures the workspace/collection/flow hierarchy.
Schema + messaging
------------------
- Drop `user` field from AgentRequest/Step, GraphRagQuery,
DocumentRagQuery, Triples/Graph/Document/Row EmbeddingsRequest,
Sparql/Rows/Structured QueryRequest, ToolServiceRequest.
- Keep collection/workspace routing via flow.workspace at the
service layer.
- Translators updated to not serialise/deserialise user.
API specs
---------
- OpenAPI schemas and path examples cleaned of user fields.
- Websocket async-api messages updated.
- Removed the unused parameters/User.yaml.
Services + base
---------------
- Librarian, collection manager, knowledge, config: all operations
scoped by workspace. Config client API takes workspace as first
positional arg.
- `flow.workspace` set at flow start time by the infrastructure;
no longer pass-through from clients.
- Tool service drops user-personalisation passthrough.
CLI + SDK
---------
- tg-init-workspace and workspace-aware import/export.
- All tg-* commands drop user args; accept --workspace.
- Python API/SDK (flow, socket_client, async_*, explainability,
library) drop user kwargs from every method signature.
MCP server
----------
- All tool endpoints drop user parameters; socket_manager no longer
keyed per user.
Flow service
------------
- Closure-based topic cleanup on flow stop: only delete topics
whose blueprint template was parameterised AND no remaining
live flow (across all workspaces) still resolves to that topic.
Three scopes fall out naturally from template analysis:
* {id} -> per-flow, deleted on stop
* {blueprint} -> per-blueprint, kept while any flow of the
same blueprint exists
* {workspace} -> per-workspace, kept while any flow in the
workspace exists
* literal -> global, never deleted (e.g. tg.request.librarian)
Fixes a bug where stopping a flow silently destroyed the global
librarian exchange, wedging all library operations until manual
restart.
RabbitMQ backend
----------------
- heartbeat=60, blocked_connection_timeout=300. Catches silently
dead connections (broker restart, orphaned channels, network
partitions) within ~2 heartbeat windows, so the consumer
reconnects and re-binds its queue rather than sitting forever
on a zombie connection.
Tests
-----
- Full test refresh: unit, integration, contract, provenance.
- Dropped user-field assertions and constructor kwargs across
~100 test files.
- Renamed user-collection isolation tests to workspace-collection.
2026-04-21 23:23:01 +01:00
|
|
|
result = await processor.query_triples('test_user', query)
|
2025-07-15 09:33:35 +01:00
|
|
|
|
|
|
|
|
# Verify both literal and URI queries were executed
|
|
|
|
|
assert mock_driver.execute_query.call_count == 2
|
|
|
|
|
|
|
|
|
|
# Verify result contains the queried triple (appears twice - once from each query)
|
|
|
|
|
assert len(result) == 2
|
2026-01-27 13:48:08 +00:00
|
|
|
assert result[0].s.iri == "http://example.com/subject"
|
|
|
|
|
assert result[0].p.iri == "http://example.com/predicate"
|
2025-07-15 09:33:35 +01:00
|
|
|
assert result[0].o.value == "literal object"
|
|
|
|
|
|
|
|
|
|
@patch('trustgraph.query.triples.neo4j.service.GraphDatabase')
|
|
|
|
|
@pytest.mark.asyncio
|
|
|
|
|
async def test_query_triples_sp_query(self, mock_graph_db):
|
|
|
|
|
"""Test SP query (subject and predicate specified)"""
|
|
|
|
|
taskgroup_mock = MagicMock()
|
|
|
|
|
mock_driver = MagicMock()
|
|
|
|
|
mock_graph_db.driver.return_value = mock_driver
|
|
|
|
|
|
|
|
|
|
# Mock query results with different objects
|
|
|
|
|
mock_record1 = MagicMock()
|
|
|
|
|
mock_record1.data.return_value = {"dest": "literal result"}
|
|
|
|
|
mock_record2 = MagicMock()
|
|
|
|
|
mock_record2.data.return_value = {"dest": "http://example.com/uri_result"}
|
|
|
|
|
|
|
|
|
|
mock_driver.execute_query.side_effect = [
|
|
|
|
|
([mock_record1], None, None), # Literal query
|
|
|
|
|
([mock_record2], None, None) # URI query
|
|
|
|
|
]
|
|
|
|
|
|
|
|
|
|
processor = Processor(taskgroup=taskgroup_mock)
|
|
|
|
|
|
|
|
|
|
# Create query request
|
|
|
|
|
query = TriplesQueryRequest(
|
|
|
|
|
collection='test_collection',
|
2026-01-27 13:48:08 +00:00
|
|
|
s=Term(type=IRI, iri="http://example.com/subject"),
|
|
|
|
|
p=Term(type=IRI, iri="http://example.com/predicate"),
|
2025-07-15 09:33:35 +01:00
|
|
|
o=None,
|
|
|
|
|
limit=100
|
|
|
|
|
)
|
|
|
|
|
|
feat: workspace-based multi-tenancy, replacing user as tenancy axis (#840)
Introduces `workspace` as the isolation boundary for config, flows,
library, and knowledge data. Removes `user` as a schema-level field
throughout the code, API specs, and tests; workspace provides the
same separation more cleanly at the trusted flow.workspace layer
rather than through client-supplied message fields.
Design
------
- IAM tech spec (docs/tech-specs/iam.md) documents current state,
proposed auth/access model, and migration direction.
- Data ownership model (docs/tech-specs/data-ownership-model.md)
captures the workspace/collection/flow hierarchy.
Schema + messaging
------------------
- Drop `user` field from AgentRequest/Step, GraphRagQuery,
DocumentRagQuery, Triples/Graph/Document/Row EmbeddingsRequest,
Sparql/Rows/Structured QueryRequest, ToolServiceRequest.
- Keep collection/workspace routing via flow.workspace at the
service layer.
- Translators updated to not serialise/deserialise user.
API specs
---------
- OpenAPI schemas and path examples cleaned of user fields.
- Websocket async-api messages updated.
- Removed the unused parameters/User.yaml.
Services + base
---------------
- Librarian, collection manager, knowledge, config: all operations
scoped by workspace. Config client API takes workspace as first
positional arg.
- `flow.workspace` set at flow start time by the infrastructure;
no longer pass-through from clients.
- Tool service drops user-personalisation passthrough.
CLI + SDK
---------
- tg-init-workspace and workspace-aware import/export.
- All tg-* commands drop user args; accept --workspace.
- Python API/SDK (flow, socket_client, async_*, explainability,
library) drop user kwargs from every method signature.
MCP server
----------
- All tool endpoints drop user parameters; socket_manager no longer
keyed per user.
Flow service
------------
- Closure-based topic cleanup on flow stop: only delete topics
whose blueprint template was parameterised AND no remaining
live flow (across all workspaces) still resolves to that topic.
Three scopes fall out naturally from template analysis:
* {id} -> per-flow, deleted on stop
* {blueprint} -> per-blueprint, kept while any flow of the
same blueprint exists
* {workspace} -> per-workspace, kept while any flow in the
workspace exists
* literal -> global, never deleted (e.g. tg.request.librarian)
Fixes a bug where stopping a flow silently destroyed the global
librarian exchange, wedging all library operations until manual
restart.
RabbitMQ backend
----------------
- heartbeat=60, blocked_connection_timeout=300. Catches silently
dead connections (broker restart, orphaned channels, network
partitions) within ~2 heartbeat windows, so the consumer
reconnects and re-binds its queue rather than sitting forever
on a zombie connection.
Tests
-----
- Full test refresh: unit, integration, contract, provenance.
- Dropped user-field assertions and constructor kwargs across
~100 test files.
- Renamed user-collection isolation tests to workspace-collection.
2026-04-21 23:23:01 +01:00
|
|
|
result = await processor.query_triples('test_user', query)
|
2025-07-15 09:33:35 +01:00
|
|
|
|
|
|
|
|
# Verify both literal and URI queries were executed
|
|
|
|
|
assert mock_driver.execute_query.call_count == 2
|
|
|
|
|
|
|
|
|
|
# Verify results contain different objects
|
|
|
|
|
assert len(result) == 2
|
2026-01-27 13:48:08 +00:00
|
|
|
assert result[0].s.iri == "http://example.com/subject"
|
|
|
|
|
assert result[0].p.iri == "http://example.com/predicate"
|
2025-07-15 09:33:35 +01:00
|
|
|
assert result[0].o.value == "literal result"
|
2026-01-27 13:48:08 +00:00
|
|
|
|
|
|
|
|
assert result[1].s.iri == "http://example.com/subject"
|
|
|
|
|
assert result[1].p.iri == "http://example.com/predicate"
|
|
|
|
|
assert result[1].o.iri == "http://example.com/uri_result"
|
2025-07-15 09:33:35 +01:00
|
|
|
|
|
|
|
|
@patch('trustgraph.query.triples.neo4j.service.GraphDatabase')
|
|
|
|
|
@pytest.mark.asyncio
|
|
|
|
|
async def test_query_triples_wildcard_query(self, mock_graph_db):
|
|
|
|
|
"""Test wildcard query (no constraints)"""
|
|
|
|
|
taskgroup_mock = MagicMock()
|
|
|
|
|
mock_driver = MagicMock()
|
|
|
|
|
mock_graph_db.driver.return_value = mock_driver
|
|
|
|
|
|
|
|
|
|
# Mock query results
|
|
|
|
|
mock_record1 = MagicMock()
|
|
|
|
|
mock_record1.data.return_value = {"src": "http://example.com/s1", "rel": "http://example.com/p1", "dest": "literal1"}
|
|
|
|
|
mock_record2 = MagicMock()
|
|
|
|
|
mock_record2.data.return_value = {"src": "http://example.com/s2", "rel": "http://example.com/p2", "dest": "http://example.com/o2"}
|
|
|
|
|
|
|
|
|
|
mock_driver.execute_query.side_effect = [
|
|
|
|
|
([mock_record1], None, None), # Literal query
|
|
|
|
|
([mock_record2], None, None) # URI query
|
|
|
|
|
]
|
|
|
|
|
|
|
|
|
|
processor = Processor(taskgroup=taskgroup_mock)
|
|
|
|
|
|
|
|
|
|
# Create query request
|
|
|
|
|
query = TriplesQueryRequest(
|
|
|
|
|
collection='test_collection',
|
|
|
|
|
s=None,
|
|
|
|
|
p=None,
|
|
|
|
|
o=None,
|
|
|
|
|
limit=100
|
|
|
|
|
)
|
|
|
|
|
|
feat: workspace-based multi-tenancy, replacing user as tenancy axis (#840)
Introduces `workspace` as the isolation boundary for config, flows,
library, and knowledge data. Removes `user` as a schema-level field
throughout the code, API specs, and tests; workspace provides the
same separation more cleanly at the trusted flow.workspace layer
rather than through client-supplied message fields.
Design
------
- IAM tech spec (docs/tech-specs/iam.md) documents current state,
proposed auth/access model, and migration direction.
- Data ownership model (docs/tech-specs/data-ownership-model.md)
captures the workspace/collection/flow hierarchy.
Schema + messaging
------------------
- Drop `user` field from AgentRequest/Step, GraphRagQuery,
DocumentRagQuery, Triples/Graph/Document/Row EmbeddingsRequest,
Sparql/Rows/Structured QueryRequest, ToolServiceRequest.
- Keep collection/workspace routing via flow.workspace at the
service layer.
- Translators updated to not serialise/deserialise user.
API specs
---------
- OpenAPI schemas and path examples cleaned of user fields.
- Websocket async-api messages updated.
- Removed the unused parameters/User.yaml.
Services + base
---------------
- Librarian, collection manager, knowledge, config: all operations
scoped by workspace. Config client API takes workspace as first
positional arg.
- `flow.workspace` set at flow start time by the infrastructure;
no longer pass-through from clients.
- Tool service drops user-personalisation passthrough.
CLI + SDK
---------
- tg-init-workspace and workspace-aware import/export.
- All tg-* commands drop user args; accept --workspace.
- Python API/SDK (flow, socket_client, async_*, explainability,
library) drop user kwargs from every method signature.
MCP server
----------
- All tool endpoints drop user parameters; socket_manager no longer
keyed per user.
Flow service
------------
- Closure-based topic cleanup on flow stop: only delete topics
whose blueprint template was parameterised AND no remaining
live flow (across all workspaces) still resolves to that topic.
Three scopes fall out naturally from template analysis:
* {id} -> per-flow, deleted on stop
* {blueprint} -> per-blueprint, kept while any flow of the
same blueprint exists
* {workspace} -> per-workspace, kept while any flow in the
workspace exists
* literal -> global, never deleted (e.g. tg.request.librarian)
Fixes a bug where stopping a flow silently destroyed the global
librarian exchange, wedging all library operations until manual
restart.
RabbitMQ backend
----------------
- heartbeat=60, blocked_connection_timeout=300. Catches silently
dead connections (broker restart, orphaned channels, network
partitions) within ~2 heartbeat windows, so the consumer
reconnects and re-binds its queue rather than sitting forever
on a zombie connection.
Tests
-----
- Full test refresh: unit, integration, contract, provenance.
- Dropped user-field assertions and constructor kwargs across
~100 test files.
- Renamed user-collection isolation tests to workspace-collection.
2026-04-21 23:23:01 +01:00
|
|
|
result = await processor.query_triples('test_user', query)
|
2025-07-15 09:33:35 +01:00
|
|
|
|
|
|
|
|
# Verify both literal and URI queries were executed
|
|
|
|
|
assert mock_driver.execute_query.call_count == 2
|
|
|
|
|
|
|
|
|
|
# Verify results contain different triples
|
|
|
|
|
assert len(result) == 2
|
2026-01-27 13:48:08 +00:00
|
|
|
assert result[0].s.iri == "http://example.com/s1"
|
|
|
|
|
assert result[0].p.iri == "http://example.com/p1"
|
2025-07-15 09:33:35 +01:00
|
|
|
assert result[0].o.value == "literal1"
|
2026-01-27 13:48:08 +00:00
|
|
|
|
|
|
|
|
assert result[1].s.iri == "http://example.com/s2"
|
|
|
|
|
assert result[1].p.iri == "http://example.com/p2"
|
|
|
|
|
assert result[1].o.iri == "http://example.com/o2"
|
2025-07-15 09:33:35 +01:00
|
|
|
|
|
|
|
|
@patch('trustgraph.query.triples.neo4j.service.GraphDatabase')
|
|
|
|
|
@pytest.mark.asyncio
|
|
|
|
|
async def test_query_triples_exception_handling(self, mock_graph_db):
|
|
|
|
|
"""Test exception handling during query processing"""
|
|
|
|
|
taskgroup_mock = MagicMock()
|
|
|
|
|
mock_driver = MagicMock()
|
|
|
|
|
mock_graph_db.driver.return_value = mock_driver
|
|
|
|
|
|
|
|
|
|
# Mock execute_query to raise exception
|
|
|
|
|
mock_driver.execute_query.side_effect = Exception("Database connection failed")
|
|
|
|
|
|
|
|
|
|
processor = Processor(taskgroup=taskgroup_mock)
|
|
|
|
|
|
|
|
|
|
# Create query request
|
|
|
|
|
query = TriplesQueryRequest(
|
|
|
|
|
collection='test_collection',
|
2026-01-27 13:48:08 +00:00
|
|
|
s=Term(type=IRI, iri="http://example.com/subject"),
|
2025-07-15 09:33:35 +01:00
|
|
|
p=None,
|
|
|
|
|
o=None,
|
|
|
|
|
limit=100
|
|
|
|
|
)
|
2026-01-27 13:48:08 +00:00
|
|
|
|
2025-07-15 09:33:35 +01:00
|
|
|
# Should raise the exception
|
|
|
|
|
with pytest.raises(Exception, match="Database connection failed"):
|
feat: workspace-based multi-tenancy, replacing user as tenancy axis (#840)
Introduces `workspace` as the isolation boundary for config, flows,
library, and knowledge data. Removes `user` as a schema-level field
throughout the code, API specs, and tests; workspace provides the
same separation more cleanly at the trusted flow.workspace layer
rather than through client-supplied message fields.
Design
------
- IAM tech spec (docs/tech-specs/iam.md) documents current state,
proposed auth/access model, and migration direction.
- Data ownership model (docs/tech-specs/data-ownership-model.md)
captures the workspace/collection/flow hierarchy.
Schema + messaging
------------------
- Drop `user` field from AgentRequest/Step, GraphRagQuery,
DocumentRagQuery, Triples/Graph/Document/Row EmbeddingsRequest,
Sparql/Rows/Structured QueryRequest, ToolServiceRequest.
- Keep collection/workspace routing via flow.workspace at the
service layer.
- Translators updated to not serialise/deserialise user.
API specs
---------
- OpenAPI schemas and path examples cleaned of user fields.
- Websocket async-api messages updated.
- Removed the unused parameters/User.yaml.
Services + base
---------------
- Librarian, collection manager, knowledge, config: all operations
scoped by workspace. Config client API takes workspace as first
positional arg.
- `flow.workspace` set at flow start time by the infrastructure;
no longer pass-through from clients.
- Tool service drops user-personalisation passthrough.
CLI + SDK
---------
- tg-init-workspace and workspace-aware import/export.
- All tg-* commands drop user args; accept --workspace.
- Python API/SDK (flow, socket_client, async_*, explainability,
library) drop user kwargs from every method signature.
MCP server
----------
- All tool endpoints drop user parameters; socket_manager no longer
keyed per user.
Flow service
------------
- Closure-based topic cleanup on flow stop: only delete topics
whose blueprint template was parameterised AND no remaining
live flow (across all workspaces) still resolves to that topic.
Three scopes fall out naturally from template analysis:
* {id} -> per-flow, deleted on stop
* {blueprint} -> per-blueprint, kept while any flow of the
same blueprint exists
* {workspace} -> per-workspace, kept while any flow in the
workspace exists
* literal -> global, never deleted (e.g. tg.request.librarian)
Fixes a bug where stopping a flow silently destroyed the global
librarian exchange, wedging all library operations until manual
restart.
RabbitMQ backend
----------------
- heartbeat=60, blocked_connection_timeout=300. Catches silently
dead connections (broker restart, orphaned channels, network
partitions) within ~2 heartbeat windows, so the consumer
reconnects and re-binds its queue rather than sitting forever
on a zombie connection.
Tests
-----
- Full test refresh: unit, integration, contract, provenance.
- Dropped user-field assertions and constructor kwargs across
~100 test files.
- Renamed user-collection isolation tests to workspace-collection.
2026-04-21 23:23:01 +01:00
|
|
|
await processor.query_triples('test_user', query)
|
2025-07-15 09:33:35 +01:00
|
|
|
|
|
|
|
|
def test_add_args_method(self):
|
|
|
|
|
"""Test that add_args properly configures argument parser"""
|
|
|
|
|
from argparse import ArgumentParser
|
|
|
|
|
from unittest.mock import patch
|
|
|
|
|
|
|
|
|
|
parser = ArgumentParser()
|
|
|
|
|
|
|
|
|
|
# Mock the parent class add_args method
|
|
|
|
|
with patch('trustgraph.query.triples.neo4j.service.TriplesQueryService.add_args') as mock_parent_add_args:
|
|
|
|
|
Processor.add_args(parser)
|
|
|
|
|
|
|
|
|
|
# Verify parent add_args was called
|
|
|
|
|
mock_parent_add_args.assert_called_once()
|
|
|
|
|
|
|
|
|
|
# Verify our specific arguments were added
|
|
|
|
|
# Parse empty args to check defaults
|
|
|
|
|
args = parser.parse_args([])
|
|
|
|
|
|
|
|
|
|
assert hasattr(args, 'graph_host')
|
|
|
|
|
assert args.graph_host == 'bolt://neo4j:7687'
|
|
|
|
|
assert hasattr(args, 'username')
|
|
|
|
|
assert args.username == 'neo4j'
|
|
|
|
|
assert hasattr(args, 'password')
|
|
|
|
|
assert args.password == 'password'
|
|
|
|
|
assert hasattr(args, 'database')
|
|
|
|
|
assert args.database == 'neo4j'
|
|
|
|
|
|
|
|
|
|
def test_add_args_with_custom_values(self):
|
|
|
|
|
"""Test add_args with custom command line values"""
|
|
|
|
|
from argparse import ArgumentParser
|
|
|
|
|
from unittest.mock import patch
|
|
|
|
|
|
|
|
|
|
parser = ArgumentParser()
|
|
|
|
|
|
|
|
|
|
with patch('trustgraph.query.triples.neo4j.service.TriplesQueryService.add_args'):
|
|
|
|
|
Processor.add_args(parser)
|
|
|
|
|
|
|
|
|
|
# Test parsing with custom values
|
|
|
|
|
args = parser.parse_args([
|
|
|
|
|
'--graph-host', 'bolt://custom:7687',
|
|
|
|
|
'--username', 'queryuser',
|
|
|
|
|
'--password', 'querypass',
|
|
|
|
|
'--database', 'querydb'
|
|
|
|
|
])
|
|
|
|
|
|
|
|
|
|
assert args.graph_host == 'bolt://custom:7687'
|
|
|
|
|
assert args.username == 'queryuser'
|
|
|
|
|
assert args.password == 'querypass'
|
|
|
|
|
assert args.database == 'querydb'
|
|
|
|
|
|
|
|
|
|
def test_add_args_short_form(self):
|
|
|
|
|
"""Test add_args with short form arguments"""
|
|
|
|
|
from argparse import ArgumentParser
|
|
|
|
|
from unittest.mock import patch
|
|
|
|
|
|
|
|
|
|
parser = ArgumentParser()
|
|
|
|
|
|
|
|
|
|
with patch('trustgraph.query.triples.neo4j.service.TriplesQueryService.add_args'):
|
|
|
|
|
Processor.add_args(parser)
|
|
|
|
|
|
|
|
|
|
# Test parsing with short form
|
|
|
|
|
args = parser.parse_args(['-g', 'bolt://short:7687'])
|
|
|
|
|
|
|
|
|
|
assert args.graph_host == 'bolt://short:7687'
|
|
|
|
|
|
|
|
|
|
@patch('trustgraph.query.triples.neo4j.service.Processor.launch')
|
|
|
|
|
def test_run_function(self, mock_launch):
|
|
|
|
|
"""Test the run function calls Processor.launch with correct parameters"""
|
|
|
|
|
from trustgraph.query.triples.neo4j.service import run, default_ident
|
|
|
|
|
|
|
|
|
|
run()
|
|
|
|
|
|
|
|
|
|
mock_launch.assert_called_once_with(
|
|
|
|
|
default_ident,
|
|
|
|
|
"\nTriples query service for neo4j.\nInput is a (s, p, o) triple, some values may be null. Output is a list of\ntriples.\n"
|
|
|
|
|
)
|