agmem 0.2.0__py3-none-any.whl → 0.3.0__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- {agmem-0.2.0.dist-info → agmem-0.3.0.dist-info}/METADATA +338 -26
- {agmem-0.2.0.dist-info → agmem-0.3.0.dist-info}/RECORD +32 -16
- memvcs/__init__.py +1 -1
- memvcs/cli.py +1 -1
- memvcs/coordinator/server.py +18 -2
- memvcs/core/agents.py +411 -0
- memvcs/core/archaeology.py +410 -0
- memvcs/core/collaboration.py +435 -0
- memvcs/core/compliance.py +427 -0
- memvcs/core/compression_metrics.py +248 -0
- memvcs/core/confidence.py +379 -0
- memvcs/core/daemon.py +735 -0
- memvcs/core/delta.py +45 -23
- memvcs/core/distiller.py +3 -12
- memvcs/core/fast_similarity.py +404 -0
- memvcs/core/federated.py +13 -2
- memvcs/core/gardener.py +8 -68
- memvcs/core/pack.py +1 -1
- memvcs/core/privacy_validator.py +187 -0
- memvcs/core/private_search.py +327 -0
- memvcs/core/protocol_builder.py +198 -0
- memvcs/core/search_index.py +538 -0
- memvcs/core/semantic_graph.py +388 -0
- memvcs/core/session.py +520 -0
- memvcs/core/timetravel.py +430 -0
- memvcs/integrations/mcp_server.py +775 -4
- memvcs/integrations/web_ui/server.py +424 -0
- memvcs/integrations/web_ui/websocket.py +223 -0
- {agmem-0.2.0.dist-info → agmem-0.3.0.dist-info}/WHEEL +0 -0
- {agmem-0.2.0.dist-info → agmem-0.3.0.dist-info}/entry_points.txt +0 -0
- {agmem-0.2.0.dist-info → agmem-0.3.0.dist-info}/licenses/LICENSE +0 -0
- {agmem-0.2.0.dist-info → agmem-0.3.0.dist-info}/top_level.txt +0 -0
|
@@ -0,0 +1,198 @@
|
|
|
1
|
+
"""
|
|
2
|
+
Protocol Builder for federated agent summaries.
|
|
3
|
+
|
|
4
|
+
Ensures client-side summaries conform to the server's PushRequest schema
|
|
5
|
+
before transmission, preventing 422 Validation Errors and protocol mismatches.
|
|
6
|
+
|
|
7
|
+
Provides:
|
|
8
|
+
- ClientSummaryBuilder: Constructs AgentSummary from raw produce_local_summary output
|
|
9
|
+
- SchemaValidationError: Raised when summary doesn't match server schema
|
|
10
|
+
- Deterministic agent_id generation from repository content
|
|
11
|
+
"""
|
|
12
|
+
|
|
13
|
+
import hashlib
|
|
14
|
+
import json
|
|
15
|
+
from datetime import datetime, timezone
|
|
16
|
+
from pathlib import Path
|
|
17
|
+
from typing import Any, Dict, List, Optional
|
|
18
|
+
|
|
19
|
+
|
|
20
|
+
class SchemaValidationError(Exception):
|
|
21
|
+
"""Raised when client summary doesn't match server schema."""
|
|
22
|
+
|
|
23
|
+
pass
|
|
24
|
+
|
|
25
|
+
|
|
26
|
+
class ClientSummaryBuilder:
|
|
27
|
+
"""Build protocol-compliant AgentSummary from raw produce_local_summary output.
|
|
28
|
+
|
|
29
|
+
Handles:
|
|
30
|
+
- Key name mapping (topics -> topic_counts)
|
|
31
|
+
- Fact count to fact_hashes conversion (int -> list of hash strings)
|
|
32
|
+
- Auto-generation of agent_id from repo hash (deterministic, replayable)
|
|
33
|
+
- ISO-8601 timestamp addition
|
|
34
|
+
- Schema validation against server expectations
|
|
35
|
+
- Wrapping in {"summary": {...}} envelope
|
|
36
|
+
"""
|
|
37
|
+
|
|
38
|
+
REQUIRED_FIELDS = {"agent_id", "timestamp", "topic_counts", "fact_hashes"}
|
|
39
|
+
|
|
40
|
+
@staticmethod
|
|
41
|
+
def generate_agent_id(repo_root: Path) -> str:
|
|
42
|
+
"""Generate deterministic agent_id from repository content.
|
|
43
|
+
|
|
44
|
+
Uses SHA-256 hash of repo root path to ensure consistency across runs
|
|
45
|
+
while remaining unique per repository. This is deterministic (same repo
|
|
46
|
+
always gets same agent_id) and replayable.
|
|
47
|
+
|
|
48
|
+
Args:
|
|
49
|
+
repo_root: Path to the repository root
|
|
50
|
+
|
|
51
|
+
Returns:
|
|
52
|
+
Unique agent identifier in format: "agent-<first-16-chars-of-hash>"
|
|
53
|
+
"""
|
|
54
|
+
repo_hash = hashlib.sha256(str(repo_root.resolve()).encode()).hexdigest()[:16]
|
|
55
|
+
return f"agent-{repo_hash}"
|
|
56
|
+
|
|
57
|
+
@staticmethod
|
|
58
|
+
def build(
|
|
59
|
+
repo_root: Path,
|
|
60
|
+
raw_summary: Dict[str, Any],
|
|
61
|
+
strict_mode: bool = False,
|
|
62
|
+
) -> Dict[str, Any]:
|
|
63
|
+
"""Build protocol-compliant summary from raw produce_local_summary output.
|
|
64
|
+
|
|
65
|
+
Transforms the client's produce_local_summary() output into the format
|
|
66
|
+
expected by the server's PushRequest model.
|
|
67
|
+
|
|
68
|
+
Args:
|
|
69
|
+
repo_root: Path to repository root (used for agent_id generation)
|
|
70
|
+
raw_summary: Output from produce_local_summary()
|
|
71
|
+
strict_mode: If True, raise on validation error; if False, warn and repair
|
|
72
|
+
|
|
73
|
+
Returns:
|
|
74
|
+
Dict with structure: {"summary": {"agent_id": "...", "timestamp": "...",
|
|
75
|
+
"topic_counts": {...}, "fact_hashes": [...]}}
|
|
76
|
+
|
|
77
|
+
Raises:
|
|
78
|
+
SchemaValidationError: If strict_mode=True and schema validation fails
|
|
79
|
+
"""
|
|
80
|
+
# In strict mode, validate raw input has required fields BEFORE transformation
|
|
81
|
+
if strict_mode:
|
|
82
|
+
required_raw_fields = {"memory_types", "topics", "topic_hashes", "fact_count"}
|
|
83
|
+
missing = required_raw_fields - set(raw_summary.keys())
|
|
84
|
+
if missing:
|
|
85
|
+
raise SchemaValidationError(
|
|
86
|
+
f"Raw summary missing required fields: {', '.join(sorted(missing))}"
|
|
87
|
+
)
|
|
88
|
+
|
|
89
|
+
# Generate required fields
|
|
90
|
+
agent_id = ClientSummaryBuilder.generate_agent_id(repo_root)
|
|
91
|
+
timestamp = datetime.now(timezone.utc).isoformat()
|
|
92
|
+
|
|
93
|
+
# Transform key names and structure
|
|
94
|
+
topic_counts = raw_summary.get("topics", {})
|
|
95
|
+
if not isinstance(topic_counts, dict):
|
|
96
|
+
topic_counts = {}
|
|
97
|
+
|
|
98
|
+
# Convert fact_count (int) to fact_hashes (list of strings)
|
|
99
|
+
# If topic_hashes is present, use it; otherwise generate from fact_count
|
|
100
|
+
fact_hashes: List[str] = []
|
|
101
|
+
if "topic_hashes" in raw_summary and isinstance(raw_summary["topic_hashes"], dict):
|
|
102
|
+
# Flatten all topic hashes into a single list
|
|
103
|
+
for topic_hash_list in raw_summary["topic_hashes"].values():
|
|
104
|
+
if isinstance(topic_hash_list, list):
|
|
105
|
+
fact_hashes.extend(topic_hash_list)
|
|
106
|
+
|
|
107
|
+
# If fact_hashes is still empty but we have fact_count, generate placeholder hashes
|
|
108
|
+
if not fact_hashes and "fact_count" in raw_summary:
|
|
109
|
+
fact_count = raw_summary["fact_count"]
|
|
110
|
+
if isinstance(fact_count, int):
|
|
111
|
+
# Generate placeholder hashes (in real scenario, client would preserve actual hashes)
|
|
112
|
+
fact_hashes = [
|
|
113
|
+
hashlib.sha256(f"fact-{i}".encode()).hexdigest() for i in range(fact_count)
|
|
114
|
+
]
|
|
115
|
+
|
|
116
|
+
# Build AgentSummary structure
|
|
117
|
+
agent_summary = {
|
|
118
|
+
"agent_id": agent_id,
|
|
119
|
+
"timestamp": timestamp,
|
|
120
|
+
"topic_counts": topic_counts,
|
|
121
|
+
"fact_hashes": fact_hashes,
|
|
122
|
+
}
|
|
123
|
+
|
|
124
|
+
# Validate schema
|
|
125
|
+
errors = ClientSummaryBuilder._validate_schema(agent_summary)
|
|
126
|
+
if errors:
|
|
127
|
+
error_msg = f"Schema validation failed:\n" + "\n".join(f" - {e}" for e in errors)
|
|
128
|
+
if strict_mode:
|
|
129
|
+
raise SchemaValidationError(error_msg)
|
|
130
|
+
else:
|
|
131
|
+
print(f"Warning: {error_msg}")
|
|
132
|
+
|
|
133
|
+
# Return wrapped in envelope
|
|
134
|
+
return {"summary": agent_summary}
|
|
135
|
+
|
|
136
|
+
@staticmethod
|
|
137
|
+
def _validate_schema(agent_summary: Dict[str, Any]) -> List[str]:
|
|
138
|
+
"""Validate agent_summary against expected schema.
|
|
139
|
+
|
|
140
|
+
Args:
|
|
141
|
+
agent_summary: The summary dict to validate
|
|
142
|
+
|
|
143
|
+
Returns:
|
|
144
|
+
List of error messages (empty if valid)
|
|
145
|
+
"""
|
|
146
|
+
errors = []
|
|
147
|
+
|
|
148
|
+
# Check required fields
|
|
149
|
+
for field in ClientSummaryBuilder.REQUIRED_FIELDS:
|
|
150
|
+
if field not in agent_summary:
|
|
151
|
+
errors.append(f"Missing required field: {field}")
|
|
152
|
+
|
|
153
|
+
# Validate field types
|
|
154
|
+
if "agent_id" in agent_summary and not isinstance(agent_summary["agent_id"], str):
|
|
155
|
+
errors.append(f"agent_id must be string, got {type(agent_summary['agent_id'])}")
|
|
156
|
+
|
|
157
|
+
if "timestamp" in agent_summary:
|
|
158
|
+
ts = agent_summary["timestamp"]
|
|
159
|
+
if not isinstance(ts, str):
|
|
160
|
+
errors.append(f"timestamp must be string, got {type(ts)}")
|
|
161
|
+
# Validate ISO-8601 format
|
|
162
|
+
elif not _is_iso8601(ts):
|
|
163
|
+
errors.append(f"timestamp not in ISO-8601 format: {ts}")
|
|
164
|
+
|
|
165
|
+
if "topic_counts" in agent_summary:
|
|
166
|
+
tc = agent_summary["topic_counts"]
|
|
167
|
+
if not isinstance(tc, dict):
|
|
168
|
+
errors.append(f"topic_counts must be dict, got {type(tc)}")
|
|
169
|
+
else:
|
|
170
|
+
for k, v in tc.items():
|
|
171
|
+
if not isinstance(k, str):
|
|
172
|
+
errors.append(f"topic_counts key must be string, got {type(k)}")
|
|
173
|
+
if not isinstance(v, int):
|
|
174
|
+
errors.append(f"topic_counts value must be int, got {type(v)}")
|
|
175
|
+
|
|
176
|
+
if "fact_hashes" in agent_summary:
|
|
177
|
+
fh = agent_summary["fact_hashes"]
|
|
178
|
+
if not isinstance(fh, list):
|
|
179
|
+
errors.append(f"fact_hashes must be list, got {type(fh)}")
|
|
180
|
+
else:
|
|
181
|
+
for h in fh:
|
|
182
|
+
if not isinstance(h, str):
|
|
183
|
+
errors.append(f"fact_hashes element must be string, got {type(h)}")
|
|
184
|
+
|
|
185
|
+
return errors
|
|
186
|
+
|
|
187
|
+
|
|
188
|
+
def _is_iso8601(timestamp: str) -> bool:
|
|
189
|
+
"""Check if timestamp is in ISO-8601 format."""
|
|
190
|
+
try:
|
|
191
|
+
# Try parsing with common ISO-8601 formats
|
|
192
|
+
if timestamp.endswith("Z"):
|
|
193
|
+
datetime.fromisoformat(timestamp.replace("Z", "+00:00"))
|
|
194
|
+
else:
|
|
195
|
+
datetime.fromisoformat(timestamp)
|
|
196
|
+
return True
|
|
197
|
+
except (ValueError, TypeError):
|
|
198
|
+
return False
|