mirror of
https://github.com/trustgraph-ai/trustgraph.git
synced 2026-04-25 08:26:21 +02:00
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.
186 lines
5.3 KiB
Python
186 lines
5.3 KiB
Python
"""
|
|
Shows all defined flow blueprints.
|
|
"""
|
|
|
|
import argparse
|
|
import asyncio
|
|
import os
|
|
import tabulate
|
|
from trustgraph.api import AsyncSocketClient
|
|
import json
|
|
|
|
default_url = os.getenv("TRUSTGRAPH_URL", 'http://localhost:8088/')
|
|
default_token = os.getenv("TRUSTGRAPH_TOKEN", None)
|
|
default_workspace = os.getenv("TRUSTGRAPH_WORKSPACE", "default")
|
|
|
|
def format_parameters(params_metadata, param_type_defs):
|
|
"""
|
|
Format parameter metadata for display.
|
|
|
|
param_type_defs is a dict of type_name -> parsed type definition,
|
|
pre-fetched concurrently.
|
|
"""
|
|
if not params_metadata:
|
|
return "None"
|
|
|
|
param_list = []
|
|
|
|
sorted_params = sorted(
|
|
params_metadata.items(),
|
|
key=lambda x: x[1].get("order", 999)
|
|
)
|
|
|
|
for param_name, param_meta in sorted_params:
|
|
description = param_meta.get("description", param_name)
|
|
param_type = param_meta.get("type", "unknown")
|
|
|
|
type_info = param_type
|
|
if param_type in param_type_defs:
|
|
param_type_def = param_type_defs[param_type]
|
|
default = param_type_def.get("default")
|
|
if default is not None:
|
|
type_info = f"{param_type} (default: {default})"
|
|
|
|
param_list.append(f" {param_name}: {description} [{type_info}]")
|
|
|
|
return "\n".join(param_list)
|
|
|
|
async def fetch_data(client, workspace):
|
|
"""Fetch all data needed for show_flow_blueprints concurrently."""
|
|
|
|
# Round 1: list blueprints
|
|
resp = await client._send_request("flow", None, {
|
|
"operation": "list-blueprints",
|
|
"workspace": workspace,
|
|
})
|
|
blueprint_names = resp.get("blueprint-names", [])
|
|
|
|
if not blueprint_names:
|
|
return [], {}, {}
|
|
|
|
# Round 2: get all blueprints in parallel
|
|
blueprint_tasks = [
|
|
client._send_request("flow", None, {
|
|
"operation": "get-blueprint",
|
|
"workspace": workspace,
|
|
"blueprint-name": name,
|
|
})
|
|
for name in blueprint_names
|
|
]
|
|
blueprint_results = await asyncio.gather(*blueprint_tasks)
|
|
|
|
blueprints = {}
|
|
for name, resp in zip(blueprint_names, blueprint_results):
|
|
bp_data = resp.get("blueprint-definition", "{}")
|
|
blueprints[name] = json.loads(bp_data) if isinstance(bp_data, str) else bp_data
|
|
|
|
# Round 3: get all parameter type definitions in parallel
|
|
param_types_needed = set()
|
|
for bp in blueprints.values():
|
|
for param_meta in bp.get("parameters", {}).values():
|
|
pt = param_meta.get("type", "")
|
|
if pt:
|
|
param_types_needed.add(pt)
|
|
|
|
param_type_defs = {}
|
|
if param_types_needed:
|
|
param_type_tasks = [
|
|
client._send_request("config", None, {
|
|
"operation": "get",
|
|
"workspace": workspace,
|
|
"keys": [{"type": "parameter-type", "key": pt}],
|
|
})
|
|
for pt in param_types_needed
|
|
]
|
|
param_type_results = await asyncio.gather(*param_type_tasks)
|
|
|
|
for pt, resp in zip(param_types_needed, param_type_results):
|
|
values = resp.get("values", [])
|
|
if values:
|
|
try:
|
|
param_type_defs[pt] = json.loads(values[0].get("value", "{}"))
|
|
except (json.JSONDecodeError, AttributeError):
|
|
pass
|
|
|
|
return blueprint_names, blueprints, param_type_defs
|
|
|
|
async def _show_flow_blueprints_async(url, token=None, workspace="default"):
|
|
async with AsyncSocketClient(url, timeout=60, token=token) as client:
|
|
return await fetch_data(client, workspace)
|
|
|
|
def show_flow_blueprints(url, token=None, workspace="default"):
|
|
|
|
blueprint_names, blueprints, param_type_defs = asyncio.run(
|
|
_show_flow_blueprints_async(
|
|
url, token=token, workspace=workspace,
|
|
)
|
|
)
|
|
|
|
if not blueprint_names:
|
|
print("No flow blueprints.")
|
|
return
|
|
|
|
for blueprint_name in blueprint_names:
|
|
cls = blueprints[blueprint_name]
|
|
|
|
table = []
|
|
table.append(("name", blueprint_name))
|
|
table.append(("description", cls.get("description", "")))
|
|
|
|
tags = cls.get("tags", [])
|
|
if tags:
|
|
table.append(("tags", ", ".join(tags)))
|
|
|
|
parameters = cls.get("parameters", {})
|
|
if parameters:
|
|
param_str = format_parameters(parameters, param_type_defs)
|
|
table.append(("parameters", param_str))
|
|
|
|
print(tabulate.tabulate(
|
|
table,
|
|
tablefmt="pretty",
|
|
stralign="left",
|
|
))
|
|
print()
|
|
|
|
def main():
|
|
|
|
parser = argparse.ArgumentParser(
|
|
prog='tg-show-flow-blueprints',
|
|
description=__doc__,
|
|
)
|
|
|
|
parser.add_argument(
|
|
'-u', '--api-url',
|
|
default=default_url,
|
|
help=f'API URL (default: {default_url})',
|
|
)
|
|
|
|
parser.add_argument(
|
|
'-t', '--token',
|
|
default=default_token,
|
|
help='Authentication token (default: $TRUSTGRAPH_TOKEN)',
|
|
)
|
|
|
|
parser.add_argument(
|
|
'-w', '--workspace',
|
|
default=default_workspace,
|
|
help=f'Workspace (default: {default_workspace})',
|
|
)
|
|
|
|
args = parser.parse_args()
|
|
|
|
try:
|
|
|
|
show_flow_blueprints(
|
|
url=args.api_url,
|
|
token=args.token,
|
|
workspace=args.workspace,
|
|
)
|
|
|
|
except Exception as e:
|
|
|
|
print("Exception:", e, flush=True)
|
|
|
|
if __name__ == "__main__":
|
|
main()
|