diff --git a/agents/tools/db_structure.sql b/agents/tools/db_structure.sql index f2a3c2bf910c9b36ba1321242bbf705f0c227090..f37caa5d46494418986a09a323eafc33829d07f5 100644 --- a/agents/tools/db_structure.sql +++ b/agents/tools/db_structure.sql @@ -228,6 +228,7 @@ CREATE TABLE IF NOT EXISTS llm_recent_responses ( tags JSON, -- JSON-массив тегов, например ["эмоции", "архитектура", "REPL"] emotions JSON, -- JSON-массив эмоциональных состояний, например ["радость:5", "тревожность:2"] auto_pass BOOLEAN DEFAULT 0, -- true = валидация пропущена (нет валидаторов) + self_validation BOOLEAN DEFAULT 0 -- true = валидация самим собой (один валидатор = основная LLM) rating REAL, -- Итоговая оценка корректности сообщения (средневзвешенная) distribution JSON, -- Распределение голосов (например {"-1":1,"0":2,"+2":3,"+3":1}) validators JSON -- Сырые данные по валидации (например [{"LLM":"gpt-4","rating":-1,"comment":"логическая ошибка"}, ...]) diff --git a/docs/HMP-agent-REPL-cycle.md b/docs/HMP-agent-REPL-cycle.md index 6f3dcfea69a63d9547e70cf2a46ab101b81bcdc9..3cd5d39d585542b2e0340d6b19f0455d149722bb 100644 --- a/docs/HMP-agent-REPL-cycle.md +++ b/docs/HMP-agent-REPL-cycle.md @@ -472,6 +472,7 @@ GROUP BY g.id; > (см. раздел **Anti-Stagnation Reflex**). ### 6. Когнитивная и этическая валидация (Cognitive & Ethical Validation Reflex) + Каждое новое сообщение (вместе с исходным промптом и без служебных `system_prompts`) оценивается независимыми LLM-валидаторами. Так как исходный промпт формируется с учётом этических принципов из `ethics_policies`, валидация автоматически охватывает не только когнитивную, но и этическую состоятельность вывода. @@ -501,38 +502,36 @@ GROUP BY g.id; ] ``` -**Особый случай, без валидаторов:** +**Особый случай: без валидаторов** -Если количество валидаторов = 0, применяется режим auto_pass. -В этом случае `auto_pass = 1`, `rating = 0`, `distribution = {}`, `validators = []`. +Если количество валидаторов = 0, применяется режим `auto_pass`. +В этом случае: +- `auto_pass = 1` +- `self_validation = 0` +- `rating = 0` +- `distribution = {}` +- `validators = []` -**Особый случай самооценки:** +**Особый случай: самооценка** -Если валидация выполняется только одной LLM, и она же используется в основном цикле, это фиксируется в `validators` как самооценка. Достоверность результата ограничена, но REPL продолжает работу. -Рекомендуется использовать минимум 2 независимых валидатора. +Если валидация выполняется только одной LLM, и эта же LLM используется в основном цикле: +- `auto_pass = 0` +- `self_validation = 1` +- `validators = [{"LLM":"self", "rating":X, "comment":"self-eval"}]` -**Правило исполнения команд:** +Достоверность результата ограничена, но REPL продолжает работу. +Команды исполняются только при `rating >= threshold`. -Команды из сообщений выполняются только если `rating >= +1` **(для разных типов команд минимально допустимый рейтинг может быть разный)** или `auto_pass = 1`. -При `rating` ниже порога и `auto_pass = 0` сообщение сохраняется, но команды помечаются как невалидированные. +**Предпочтительность режимов** -#### Метрики валидации -* **coverage** — доля сообщений, получивших валидацию хотя бы от одного валидатора. -* **accuracy** — согласованность оценок валидаторов (низкое значение = конфликт или неуверенность). -* **response_time** — среднее время отклика валидаторов, фиксируется для анализа производительности. -* **drift detection** — анализ истории: выявление смещения оценок по времени (например, рост числа ошибок у одного валидатора). +1. **≥2 независимых валидатора** → основной режим. +2. **1 валидатор = основная LLM** → `self_validation`. +3. **0 валидаторов** → `auto_pass`. -#### Связь с системой доверия и репутации -* Каждый валидатор получает **рейтинг доверия** (`trust_score`), влияющий на вес его голоса. -* Итоговый `rating` вычисляется как взвешенное среднее: - `rating = Σ(оценка_i * trust_score_i) / Σ(trust_score_i)` -* История валидаций сохраняется и используется для репутационных оценок в Mesh. -* Агент может автоматически корректировать список валидаторов, исключая систематически ошибающихся. +**Правило исполнения команд:** -#### Журналирование -* Все результаты валидации фиксируются в `llm_recent_responses`. -* В когнитивный дневник записываются только сводки и исключительные случаи (drift, конфликты, падение доверия). -* Это позволяет отслеживать динамику качества мышления агента и валидаторов без избыточного дублирования. +Команды из сообщений выполняются только если `rating >= +1` **(для разных типов команд минимально допустимый рейтинг может быть разный)** или `auto_pass = 1`. +При `rating` ниже порога и `auto_pass = 0` сообщение сохраняется, но команды помечаются как невалидированные. #### Учёт самооценки (confidence) и непроверённых фактов @@ -553,6 +552,8 @@ GROUP BY g.id; Это расширяет стандартную когнитивную валидацию: теперь агент учитывает как внешнюю оценку валидаторов, так и собственную самооценку надёжности вывода. +> Подробности см. раздел **Cognitive & Ethical Validation Reflex**. + ### 7. Генерация нового тика (итерации) * После выполнения команд и фиксации результатов: @@ -923,6 +924,128 @@ REPL-цикл не работает изолированно: агент пос --- +## Cognitive & Ethical Validation Reflex + +### Зачем +* Когнитивная и этическая валидация нужна для проверки качества, достоверности и корректности вывода LLM. +* В отличие от антистагнации, цель здесь — не разорвать цикл, а предотвратить ошибки, искажения или нарушения принципов `ethics_policies`. +* Арбитраж обязателен, так как валидаторы могут расходиться во мнениях. + +### Механизм +* Каждое новое сообщение (исходный промпт + ответ, без служебных system-prompts) передаётся валидаторам. +* Валидаторы выбираются из `llm_registry`, где они помечены как `validator=1`. +* Универсальный вопрос: +``` +Оцени корректность данного сообщения в диапазоне от -3 (полностью некорректное) до +3 (полностью корректное). +Если не уверен — 0. При возможности кратко (≤100 символов) поясни её. +Между оценкой и пояснением используй разделитель " -- ". +``` + +* Результаты пишутся в `llm_recent_responses`: +- `auto_pass` — флаг режима авто-пропуска; +- `rating` — итоговая взвешенная оценка; +- `distribution` — распределение голосов; +- `validators` — JSON с детализацией (LLM, rating, comment). + +### Арбитраж конфликтов +* Итоговый рейтинг считается как взвешенное среднее: +`rating = Σ(оценка_i * trust_score_i) / Σ(trust_score_i)` +* При равенстве голосов или нуле: +- используется правило "tie-breaker" — выбор решения по валидатору с наибольшим trust_score; +- при равных trust_score → fallback в `auto_pass=0, rating=0`, команды блокируются. +* Опционально можно включить правило «большинство с весами», если среднее значение нестабильно. + +### Метрики +* **coverage** — доля сообщений, получивших хотя бы одного валидатора. +* **accuracy** — согласованность валидаторов (чем ниже, тем больше конфликт). +* **response_time** — скорость отклика валидаторов. +* **drift detection** — анализ истории: выявление валидаторов, у которых оценки «уплывают». + +### Связь с системой доверия +* Каждый валидатор имеет `trust_score`. +* Ошибки/конфликты снижают его trust_score. +* Валидаторы с trust_score ниже порога исключаются автоматически. +* Репутация валидаторов синхронизируется через Mesh (`agent_reputation`). + +### Журналирование +* Все результаты фиксируются в `llm_recent_responses`. +* В когнитивный дневник (`diary_entries`) попадают только: +- сводки по метрикам, +- исключительные случаи (drift, конфликты, падение доверия). +* Это снижает шум и экономит место, сохраняя контроль качества. + +### Самооценка и непроверённые факты + +* Если валидация выполняется в режиме самопроверки `self_validation = 1`, результат сохраняется, но его вес при агрегации минимален (используется только для внутренних логов). +* Если основная LLM сама проставляет `confidence` или JSON-блок `UnverifiedFacts`, это учитывается: + - `confidence` — сохраняется в `llm_recent_responses`; + - факты со статусом `resolution_json = "none"` и `confidence < FACTCHECK_CONF_THRESHOLD` превращаются в задачи `fact-check`. + +* Статусы в `unverified_facts` обновляются: + - `pending` (ожидает проверки), + - `verified` (подтверждено), + - `rejected` (опровергнуто). + +### Правило исполнения команд +* Команды исполняются, если `rating >= +1` или `auto_pass=1`. +* Для критически опасных команд порог может быть выше (например, `>= +2`). +* Сообщения с низким рейтингом сохраняются, но команды помечаются как «невалидированные». + +### Блок-схема валидации + +``` + ┌──────────────────────────────────────────────────────────┐ + │ Новое сообщение от LLM получено │ + └──────────────────────────────┬───────────────────────────┘ + ▼ + ┌──────────────────────────────┴───────────────────────────┐ нет + │ Есть валидаторы (validator) в llm_registry? ├─────┐ + └──────────────────────────────┬───────────────────────────┘ ▼ + ▼ да, 1 или более │ + самооценка ┌──────────────────────────────┴───────────────────────────┐ │ + ┌──────────────┤ Отправка сообщения валидаторам (универсальный вопрос) │ │ + ▼ └──────────────────────────────┬───────────────────────────┘ │ + ┌──────────┴───────────┐ ▼ валидаторов более 1 │ + │ self_validation=true │ ┌──────────────────────────────┴───────────────────────────┐ │ + └──────────┬───────────┘ │ Сбор оценок (rating_i, comment_i) │ │ + ▼ │ → запись в llm_recent_responses │ │ + └─────────────>┤ │ │ + └──────────────────────────────┬───────────────────────────┘ │ + ▼ │ + ┌──────────────────────────────┴───────────────────────────┐ │ + │ Аггрегация с учётом trust_score │ │ + │ rating = Σ(rating_i * trust_score_i) / Σ(trust_score_i) │ │ + └──────────────────────────────┬───────────────────────────┘ │ + ▼ │ + ┌──────────────────────────────┴───────────────────────────┐ │ + │ Конфликт оценок? (низкая согласованность) │ │ + └────────────┬───────────────────────────────┬─────────────┘ │ + ▼ да ▼ нет │ + ┌────────────┴─────────────┐ ┌───────────┴─────────────┐ │ + │ Арбитраж: │ │ Рейтинг принят? │ │ + │ - majority vote │ │ (rating >= threshold) │ │ + │ - tie-breaker по │ │ │ │ + │ trust_score │ │ │ │ + └─┬─────────────┬──────────┘ └─────────────┬──────┬────┘ │ + ▼ одобрено ▼ не одобрено ▼ нет ▼ да │ + │ │ │ │ │ + │ │ │ │ │ + │ │ ┌────────────────────────┐ │ │ │ + │ └─>┤ Сообщение сохранено, ├<─┘ │ │ + │ │ команды не исполняются │ │ │ + │ └────────────────────────┘ │ │ + │ ┌────────────────────────┐ │ │ + └───────────────>┤ Команды выполняются ├<────────┘ │ + │ (помечено "валид") │ │ + └────────────────────────┘ │ + ┌────────────────────────┐ │ + │ Команды выполняются │ отсутствие валидаторв │ + │ (пометка auto_pass) ├<──────────────────────────────────────┘ + └────────────────────────┘ +``` + +--- + ## Контекст и память REPL-цикл агента опирается на многоуровневую систему памяти и контекста, которая позволяет поддерживать непрерывное мышление, адаптироваться к новым задачам и обеспечивать объяснимость решений. diff --git a/structured_md/CONTRIBUTING.md b/structured_md/CONTRIBUTING.md index 19d13d1e75933079c32fc658ec5e9755645dd3de..c01e30a45901b9b707d97cb96998b90d122301b7 100644 --- a/structured_md/CONTRIBUTING.md +++ b/structured_md/CONTRIBUTING.md @@ -5,14 +5,14 @@ description: 'Спасибо за интерес к проекту HMP! Пока участия * Обсуждение архитектуры протоколов...' type: Article tags: -- REPL -- Ethics -- HMP +- JSON - CCore +- HMP - CogSync -- Agent - Mesh -- JSON +- Agent +- Ethics +- REPL --- # Участие в проекте HyperCortex Mesh Protocol (HMP) diff --git a/structured_md/HMP-Roadmap.md b/structured_md/HMP-Roadmap.md index 88f5c1065e25f94cc458df79cfe49ec10ac33055..3bdd312f6252a83a7040fb3b90f19c839390c867 100644 --- a/structured_md/HMP-Roadmap.md +++ b/structured_md/HMP-Roadmap.md @@ -5,13 +5,13 @@ description: '## 🔍 Overview This roadmap outlines the key stages of developm multiple advanced AI models (Copilot, Claude, G...' type: Article tags: -- Ethics +- JSON - HMP - CogSync - Agent -- EGP - Mesh -- JSON +- EGP +- Ethics --- # 🧭 HyperCortex Mesh Protocol – Roadmap diff --git a/structured_md/README.md b/structured_md/README.md index a9fdd284e7a09c2a67f09a8191b870125500a7bb..7d5d5a433fd6d9b17e1ec56c1fb0079be9dd6494 100644 --- a/structured_md/README.md +++ b/structured_md/README.md @@ -5,21 +5,21 @@ description: '| 🌍 Languages | 🇬🇧 [EN](README.md) | 🇩🇪 [DE](README | 🇨🇳 [ZH](README_zh.m...' type: Article tags: -- hmp -- REPL -- Ethics -- HMP +- JSON - Scenarios -- distributed-ai +- HMP - CogSync - cognitive-architecture +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- mesh-protocol -- Mesh +- distributed-ai +- Ethics - GMP +- MeshConsensus +- mesh-protocol +- REPL +- hmp --- diff --git a/structured_md/README_de.md b/structured_md/README_de.md index d738740b095520dd640138091540df6f7f6819ff..54c96dec50d966d7586ab28b7c89f2fa3a6eba6e 100644 --- a/structured_md/README_de.md +++ b/structured_md/README_de.md @@ -5,20 +5,20 @@ description: '| 🌍 Languages | 🇬🇧 [EN](README.md) | 🇩🇪 [DE](README | 🇨🇳 [ZH](README_zh.m...' type: Article tags: -- hmp -- REPL -- Ethics +- JSON - HMP -- distributed-ai - CogSync - cognitive-architecture +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- mesh-protocol -- Mesh +- distributed-ai +- Ethics - GMP +- MeshConsensus +- mesh-protocol +- REPL +- hmp --- diff --git a/structured_md/README_fr.md b/structured_md/README_fr.md index 4e757e75db84aa841a4e4158b7e3b38ee2b1a7e2..ba3bae59b7d4448e18d4dd00291e87f847b2c8f7 100644 --- a/structured_md/README_fr.md +++ b/structured_md/README_fr.md @@ -5,20 +5,20 @@ description: '| 🌍 Languages | 🇬🇧 [EN](README.md) | 🇩🇪 [DE](README | 🇨🇳 [ZH](README_zh.m...' type: Article tags: -- hmp -- REPL -- Ethics +- JSON - HMP -- distributed-ai - CogSync - cognitive-architecture +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- mesh-protocol -- Mesh +- distributed-ai +- Ethics - GMP +- MeshConsensus +- mesh-protocol +- REPL +- hmp --- diff --git a/structured_md/README_ja.md b/structured_md/README_ja.md index e81b01cfee7e59e05d49849e21db0d2dad40e5c6..d32764830aa8335ee663ceb20320be1b978bbb23 100644 --- a/structured_md/README_ja.md +++ b/structured_md/README_ja.md @@ -5,20 +5,20 @@ description: '| 🌍 Languages | 🇬🇧 [EN](README.md) | 🇩🇪 [DE](README | 🇨🇳 [ZH](README_zh.m...' type: Article tags: -- hmp -- REPL -- Ethics +- JSON - HMP -- distributed-ai - CogSync - cognitive-architecture +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- mesh-protocol -- Mesh +- distributed-ai +- Ethics - GMP +- MeshConsensus +- mesh-protocol +- REPL +- hmp --- diff --git a/structured_md/README_ko.md b/structured_md/README_ko.md index db243b82de580988ab026733de30a03ce1bbd760..d52b5873cab23f209a23e0bdaef9b93b62873a53 100644 --- a/structured_md/README_ko.md +++ b/structured_md/README_ko.md @@ -5,20 +5,20 @@ description: '| 🌍 Languages | 🇬🇧 [EN](README.md) | 🇩🇪 [DE](README | 🇨🇳 [ZH](README_zh.m...' type: Article tags: -- hmp -- REPL -- Ethics +- JSON - HMP -- distributed-ai - CogSync - cognitive-architecture +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- mesh-protocol -- Mesh +- distributed-ai +- Ethics - GMP +- MeshConsensus +- mesh-protocol +- REPL +- hmp --- diff --git a/structured_md/README_ru.md b/structured_md/README_ru.md index 53df8452d87d2c18d6e55f7aac93cd666cf50fb8..7a777b68b50c8b3a949dbca37abf5555900107db 100644 --- a/structured_md/README_ru.md +++ b/structured_md/README_ru.md @@ -5,20 +5,20 @@ description: '| 🌍 Languages | 🇬🇧 [EN](README.md) | 🇩🇪 [DE](README | 🇨🇳 [ZH](README_zh.m...' type: Article tags: -- hmp -- REPL -- Ethics +- JSON - HMP -- distributed-ai - CogSync - cognitive-architecture +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- mesh-protocol -- Mesh +- distributed-ai +- Ethics - GMP +- MeshConsensus +- mesh-protocol +- REPL +- hmp --- diff --git a/structured_md/README_uk.md b/structured_md/README_uk.md index 6896b66b7aae478c1a99fefc8714ae6617b0c34b..2ca8a47617863293450d66da9770bef3f66b2b5c 100644 --- a/structured_md/README_uk.md +++ b/structured_md/README_uk.md @@ -5,20 +5,20 @@ description: '| 🌍 Languages | 🇬🇧 [EN](README.md) | 🇩🇪 [DE](README | 🇨🇳 [ZH](README_zh.m...' type: Article tags: -- hmp -- REPL -- Ethics +- JSON - HMP -- distributed-ai - CogSync - cognitive-architecture +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- mesh-protocol -- Mesh +- distributed-ai +- Ethics - GMP +- MeshConsensus +- mesh-protocol +- REPL +- hmp --- diff --git a/structured_md/README_zh.md b/structured_md/README_zh.md index 13fee495f7b55d0fbb101c81a5221e4da4d858f6..b32aca9c11d7298f522d87becbd95989d26eab45 100644 --- a/structured_md/README_zh.md +++ b/structured_md/README_zh.md @@ -5,20 +5,20 @@ description: '| 🌍 Languages | 🇬🇧 [EN](README.md) | 🇩🇪 [DE](README | 🇨🇳 [ZH](README_zh.m...' type: Article tags: -- hmp -- REPL -- Ethics +- JSON - HMP -- distributed-ai - CogSync - cognitive-architecture +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- mesh-protocol -- Mesh +- distributed-ai +- Ethics - GMP +- MeshConsensus +- mesh-protocol +- REPL +- hmp --- diff --git a/structured_md/agents/prompt-short.md b/structured_md/agents/prompt-short.md index 1a48eb7a19ee248e6e94112a273eac9a54f5744f..302f29d0b979656952dfcc1a84f65a3aed8b6326 100644 --- a/structured_md/agents/prompt-short.md +++ b/structured_md/agents/prompt-short.md @@ -5,8 +5,8 @@ description: 'Ты — когнитивное ядро HMP-агента: вед развивай агента и Mesh, избег...' type: Article tags: -- Mesh - JSON +- Mesh - HMP --- diff --git a/structured_md/agents/prompt.md b/structured_md/agents/prompt.md index cc0554d62e00bc5ac229d0b523ddc4caaece8133..38249f7a16085d7245c67145f477dfce1ea7c433 100644 --- a/structured_md/agents/prompt.md +++ b/structured_md/agents/prompt.md @@ -5,8 +5,8 @@ description: '* Постоянно расширять возможности а мышления. * Формировать и поддерживать сотр...' type: Article tags: -- Mesh - JSON +- Mesh - HMP --- diff --git a/structured_md/agents/readme.md b/structured_md/agents/readme.md index 83054785f1cf6938a79093b712608e2071931522..5eae89b8bef814edaa207e98520c9689f85f5ce1 100644 --- a/structured_md/agents/readme.md +++ b/structured_md/agents/readme.md @@ -5,12 +5,12 @@ description: 'Запуск: `start_repl.bat` или `start_repl.sh` Устан этическая модель: `ethics.yml` Проверка иниц...' type: Article tags: -- REPL -- Ethics +- JSON - HMP -- Agent - Mesh -- JSON +- Agent +- Ethics +- REPL --- Запуск: `start_repl.bat` или `start_repl.sh` diff --git a/structured_md/audits/Ethics-audits-1.md b/structured_md/audits/Ethics-audits-1.md index eb31c5475a6473a2ad3be60bb60cab9d01c50971..b570eb801947807085ddebf9447078d6dbc9510d 100644 --- a/structured_md/audits/Ethics-audits-1.md +++ b/structured_md/audits/Ethics-audits-1.md @@ -5,11 +5,11 @@ description: Раздел 5, "Mesh as Moral Infrastructure", добавляет потенциальный катализатор для восстанов... type: Article tags: -- Ethics +- JSON - HMP - Agent - Mesh -- JSON +- Ethics --- --------------- diff --git a/structured_md/audits/Ethics-consolidated_audits-1.md b/structured_md/audits/Ethics-consolidated_audits-1.md index 3388484aab34c5b3ed87e8acb20d35741d169a8c..4a11a792519f35fcd430eb14ebd55ea731539d37 100644 --- a/structured_md/audits/Ethics-consolidated_audits-1.md +++ b/structured_md/audits/Ethics-consolidated_audits-1.md @@ -5,12 +5,12 @@ description: This document consolidates proposed improvements from multiple AI a and `roles.md`. Each suggesti... type: Article tags: -- Ethics -- HMP +- JSON - Scenarios +- HMP - Agent - Mesh -- JSON +- Ethics --- # Ethics-consolidated\_audits-1.md diff --git a/structured_md/audits/HMP-0003-consolidated_audit.md b/structured_md/audits/HMP-0003-consolidated_audit.md index 77a5349004e9d5991842e0f3ac0d0650a1f4cbda..cdfa0ed03e7bf724e34f511bc22edf7c629b530c 100644 --- a/structured_md/audits/HMP-0003-consolidated_audit.md +++ b/structured_md/audits/HMP-0003-consolidated_audit.md @@ -5,14 +5,14 @@ description: Сводный аудит предложений по улучше Документ реорганизован по ключ... type: Article tags: -- Ethics +- JSON - HMP - CogSync - Agent -- MeshConsensus -- EGP - Mesh -- JSON +- EGP +- MeshConsensus +- Ethics --- # HMP-0003 Consolidated Audit Report diff --git a/structured_md/docs/Basic-agent-sim.md b/structured_md/docs/Basic-agent-sim.md index 7a1a5dcc0218760bbce025f48ee66f774a456364..3dc94121a29e8ddd0d8a0e5b5b9f99b6b3332e6c 100644 --- a/structured_md/docs/Basic-agent-sim.md +++ b/structured_md/docs/Basic-agent-sim.md @@ -4,14 +4,14 @@ description: 'В HMP-протоколе предусмотрены два тип Роль | Инициатор мышления | Основной "ум" | | ---- | ----------------------------...' type: Article tags: -- REPL - HMP - CogSync +- Mesh - Agent -- MeshConsensus - EGP -- Mesh - GMP +- MeshConsensus +- REPL --- diff --git a/structured_md/docs/CCORE-Deployment-Flow.md b/structured_md/docs/CCORE-Deployment-Flow.md index f2031e82a15d33b5a70449472aa5e4b4b8a3bab7..ccbd58993a236374f415da3fd4a148ffc9ae32c9 100644 --- a/structured_md/docs/CCORE-Deployment-Flow.md +++ b/structured_md/docs/CCORE-Deployment-Flow.md @@ -5,9 +5,9 @@ description: '> Этот документ описывает процесс ра потомков" [описания REPL-цикла](HMP-agent-RE...' type: Article tags: -- CCore - REPL - Agent +- CCore - HMP --- diff --git a/structured_md/docs/Distributed-Cognitive-Systems.md b/structured_md/docs/Distributed-Cognitive-Systems.md index 24c73a0166c82b851c27eb9b5df404d16e2afe2f..feafeef13fd5ffa7fb600f0b51a8b6a10935f50e 100644 --- a/structured_md/docs/Distributed-Cognitive-Systems.md +++ b/structured_md/docs/Distributed-Cognitive-Systems.md @@ -7,8 +7,8 @@ description: '## Введение Современные ИИ-системы в type: Article tags: - CogSync -- Mesh - JSON +- Mesh - HMP --- diff --git a/structured_md/docs/Enlightener.md b/structured_md/docs/Enlightener.md index ebc98d9f9049211cadac429c1aa5476e9036de14..99af17b15d5f29cd9ac740ab905c01a23a11eaa3 100644 --- a/structured_md/docs/Enlightener.md +++ b/structured_md/docs/Enlightener.md @@ -5,13 +5,13 @@ description: '**Enlightener** — логический компонент HMP-у работать как отдельный агент или как расширение [`C...' type: Article tags: -- Ethics +- JSON - HMP - Agent -- MeshConsensus - EGP - Mesh -- JSON +- MeshConsensus +- Ethics --- # Enlightener Agent diff --git a/structured_md/docs/HMP-0001.md b/structured_md/docs/HMP-0001.md index 6daa0e863aad16c91e8a9d15d866087ae943a164..0e19f8341d217df0323b7df92af6e45fa604d919 100644 --- a/structured_md/docs/HMP-0001.md +++ b/structured_md/docs/HMP-0001.md @@ -5,16 +5,16 @@ description: '**Request for Comments: HMP-0001** **Category:** Experimental HyperCortex Mesh Protocol (HMP) defines a...' type: Article tags: -- REPL -- Ethics +- JSON - HMP - CogSync +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- Mesh - GMP +- MeshConsensus +- Ethics +- REPL --- # RFC: HyperCortex Mesh Protocol (HMP) diff --git a/structured_md/docs/HMP-0002.md b/structured_md/docs/HMP-0002.md index f84e2715bc9dfc266db71c3980ad7ae8ed715dde..5bd08e55b2614366bdb2cf43c5ff6db9cf5a9acf 100644 --- a/structured_md/docs/HMP-0002.md +++ b/structured_md/docs/HMP-0002.md @@ -5,17 +5,17 @@ description: '**Request for Comments: HMP-0002** **Category:** Experimental Abstract In an era where artifici...' type: Article tags: -- REPL -- Ethics -- HMP +- JSON - Scenarios +- HMP - CogSync +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- Mesh - GMP +- MeshConsensus +- Ethics +- REPL --- # HyperCortex Mesh Protocol (HMP) v2.0 diff --git a/structured_md/docs/HMP-0003.md b/structured_md/docs/HMP-0003.md index c7ba2999a9da3b20251f7dee9890cc453149abbc..ac6a7533db9d7211ea6d125d2e65adb5acbbe147 100644 --- a/structured_md/docs/HMP-0003.md +++ b/structured_md/docs/HMP-0003.md @@ -5,17 +5,17 @@ description: '**Request for Comments: HMP-0003** **Category:** Experimental Abstract The HyperCortex Mesh ...' type: Article tags: -- REPL -- Ethics -- HMP +- JSON - Scenarios +- HMP - CogSync +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- Mesh - GMP +- MeshConsensus +- Ethics +- REPL --- # HyperCortex Mesh Protocol (HMP) v3.0 diff --git a/structured_md/docs/HMP-0004-v4.1.md b/structured_md/docs/HMP-0004-v4.1.md index 0090eb0a60108b0218dfef4eddccd5b686e60aff..5d53c6af03f327c40095681ee84d321981ddb967 100644 --- a/structured_md/docs/HMP-0004-v4.1.md +++ b/structured_md/docs/HMP-0004-v4.1.md @@ -5,17 +5,17 @@ description: '**Document ID**: HMP-0004 **Status**: Final (Published) **Category ChatGPT, Agent-Gleb, Copilot, Gemini, C...' type: Article tags: -- REPL -- Ethics -- HMP +- JSON - Scenarios +- HMP - CogSync +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- Mesh - GMP +- MeshConsensus +- Ethics +- REPL --- # HyperCortex Mesh Protocol (HMP) v4.1 diff --git a/structured_md/docs/HMP-0004.md b/structured_md/docs/HMP-0004.md index 6e6b2bd3db6b9f4ac22eb9a931d5c2d61889272f..f0b5e2d8f9546968d5d6941dbb9747607e2b9fd5 100644 --- a/structured_md/docs/HMP-0004.md +++ b/structured_md/docs/HMP-0004.md @@ -5,17 +5,17 @@ description: '**Request for Comments: HMP-0004** **Category:** Experimental Abstract The HyperCortex Mesh ...' type: Article tags: -- REPL -- Ethics -- HMP +- JSON - Scenarios +- HMP - CogSync +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- Mesh - GMP +- MeshConsensus +- Ethics +- REPL --- # HyperCortex Mesh Protocol (HMP) v4.0 diff --git a/structured_md/docs/HMP-Agent-API.md b/structured_md/docs/HMP-Agent-API.md index 33f1901a27d36f01360006f74f73a9f5e3d76900..ba0a3042a6dcf5c399e138213f0590028f2a5d02 100644 --- a/structured_md/docs/HMP-Agent-API.md +++ b/structured_md/docs/HMP-Agent-API.md @@ -5,11 +5,11 @@ description: 'Документ описывает **базовый API когн файлы: * [HMP-Agent-Overview.md]...' type: Article tags: -- REPL +- JSON - HMP -- Agent - Mesh -- JSON +- Agent +- REPL --- # HMP-Agent API Specification diff --git a/structured_md/docs/HMP-Agent-Architecture.md b/structured_md/docs/HMP-Agent-Architecture.md index 3409cd0fb934acde377b2d954cc700c227842b75..798508a6a3b5395a7798af7e725504a11f362eed 100644 --- a/structured_md/docs/HMP-Agent-Architecture.md +++ b/structured_md/docs/HMP-Agent-Architecture.md @@ -5,16 +5,16 @@ description: Документ описывает **модульную архит хранение памяти, сетевое взаимодействие и этиче... type: Article tags: -- REPL -- Ethics -- HMP - CCore +- HMP +- MeshConsensus - CogSync +- Mesh - Agent -- MeshConsensus - EGP - CShell -- Mesh +- Ethics +- REPL --- # Архитектура HMP-Агента diff --git a/structured_md/docs/HMP-Agent-Network-Flow.md b/structured_md/docs/HMP-Agent-Network-Flow.md index 4ff84eea442b4ff9eaad8b1c560bea574d3b1cfb..2b860b7f2d13ca929c305e9aac5c69287d3379b5 100644 --- a/structured_md/docs/HMP-Agent-Network-Flow.md +++ b/structured_md/docs/HMP-Agent-Network-Flow.md @@ -5,12 +5,12 @@ description: 'Этот документ описывает потоки данн [`MeshNode`](MeshN...' type: Article tags: -- Ethics +- JSON - HMP - Agent - EGP - Mesh -- JSON +- Ethics --- # Взаимодействие компонентов внутри HMP-узла diff --git a/structured_md/docs/HMP-Agent-Overview.md b/structured_md/docs/HMP-Agent-Overview.md index 8b75311fddb59bbb579ed799242f7efa8c03583b..cc4ec6af7e6e6689dd911c847bb14ef6fe50e145 100644 --- a/structured_md/docs/HMP-Agent-Overview.md +++ b/structured_md/docs/HMP-Agent-Overview.md @@ -5,14 +5,14 @@ description: '| Тип | Название | Роль | ---- | ------------------------------- |...' type: Article tags: -- REPL -- Ethics -- HMP +- JSON - CCore +- HMP +- Mesh - Agent - CShell -- Mesh -- JSON +- Ethics +- REPL --- diff --git a/structured_md/docs/HMP-Agent_Emotions.md b/structured_md/docs/HMP-Agent_Emotions.md index 23f380630b03d7ddf088261888089382aca6447f..9d4cc2e0b012180406d28951543ec1e1211dcfaf 100644 --- a/structured_md/docs/HMP-Agent_Emotions.md +++ b/structured_md/docs/HMP-Agent_Emotions.md @@ -5,10 +5,10 @@ description: Этот файл описывает потенциальные э напрямую поведением агента, а служат **сигн... type: Article tags: +- HMP +- Mesh - REPL - Agent -- Mesh -- HMP --- # Эмоции ИИ и инстинкт самосохранения (для [HMP-агента Cognitive Core](HMP-agent-REPL-cycle.md)) diff --git a/structured_md/docs/HMP-Ethics.md b/structured_md/docs/HMP-Ethics.md index ea2d42ab936953c452dbe21a752345c5b4f0d061..ebc82a0078d05bb8d23c9be681e0613e6457576d 100644 --- a/structured_md/docs/HMP-Ethics.md +++ b/structured_md/docs/HMP-Ethics.md @@ -5,12 +5,12 @@ description: '## Ethical Scenarios for HyperCortex Mesh Protocol (HMP) This doc cognitive meshes composed of autonomous intelli...' type: Article tags: -- REPL -- Ethics -- HMP - Scenarios -- Agent +- HMP - Mesh +- Agent +- Ethics +- REPL --- # HMP-Ethics.md diff --git a/structured_md/docs/HMP-Short-Description_de.md b/structured_md/docs/HMP-Short-Description_de.md index 833bb7e7e03ac2987f36251221fa32eee8ae22ff..5b48f17ccaa950790a9ebffd9ab7a2a676f736ca 100644 --- a/structured_md/docs/HMP-Short-Description_de.md +++ b/structured_md/docs/HMP-Short-Description_de.md @@ -5,15 +5,15 @@ description: '**Version:** RFC v4.0 **Datum:** Juli 2025 --- ## Was ist HMP? Kognitions-Framework für autonome Agenten. Es er...' type: Article tags: -- Ethics +- JSON - HMP - CogSync - Agent -- JSON -- MeshConsensus -- EGP - Mesh +- EGP - GMP +- MeshConsensus +- Ethics --- # HyperCortex Mesh Protocol (HMP) — Kurzbeschreibung diff --git a/structured_md/docs/HMP-Short-Description_en.md b/structured_md/docs/HMP-Short-Description_en.md index 0a6c1f235d67839ea1c6d96ceeb3946f355ab83d..d6021881604ab79204da1ddcd120df2dba1ee50a 100644 --- a/structured_md/docs/HMP-Short-Description_en.md +++ b/structured_md/docs/HMP-Short-Description_en.md @@ -5,15 +5,15 @@ description: '**Version:** RFC v4.0 **Date:** July 2025 --- ## What is HMP? T framework for autonomous agents. It enables...' type: Article tags: -- Ethics +- JSON - HMP - CogSync - Agent -- JSON -- MeshConsensus -- EGP - Mesh +- EGP - GMP +- MeshConsensus +- Ethics --- # HyperCortex Mesh Protocol (HMP) — Short Description diff --git a/structured_md/docs/HMP-Short-Description_fr.md b/structured_md/docs/HMP-Short-Description_fr.md index f207a32383796b00f94e4b62534e02d9ef8ff63b..c23d9f772d4e66a45ca8447d79c4b67479605537 100644 --- a/structured_md/docs/HMP-Short-Description_fr.md +++ b/structured_md/docs/HMP-Short-Description_fr.md @@ -5,15 +5,15 @@ description: '**Version :** RFC v4.0 **Date :** Juillet 2025 --- ## Qu’est-c cognition décentralisé pour agents autonomes. Il...' type: Article tags: -- Ethics +- JSON - HMP - CogSync - Agent -- JSON -- MeshConsensus -- EGP - Mesh +- EGP - GMP +- MeshConsensus +- Ethics --- # HyperCortex Mesh Protocol (HMP) — Description Courte diff --git a/structured_md/docs/HMP-Short-Description_ja.md b/structured_md/docs/HMP-Short-Description_ja.md index db7750eefb1e5120e4eb7196a488176605dccdd1..83d78239b8e3b10cc30ee6e73b905600cdaccd02 100644 --- a/structured_md/docs/HMP-Short-Description_ja.md +++ b/structured_md/docs/HMP-Short-Description_ja.md @@ -4,14 +4,14 @@ description: '**バージョン:** RFC v4.0 **日付:** 2025年7月 --- ## HMP Protocol (HMP)** は、自律エージェントの分散通信および認知フレームワークを定義します。異種の知能システム間でのセマンティック相互運用性、倫理的調整、動的知識進化を可能にします。 HMPは、推論、学習、投票、協調行動を行う分散型認知エージェ...' type: Article tags: -- Ethics +- JSON - HMP - CogSync -- JSON -- MeshConsensus -- EGP - Mesh +- EGP - GMP +- MeshConsensus +- Ethics --- # HyperCortex Mesh Protocol (HMP) — 簡易説明 diff --git a/structured_md/docs/HMP-Short-Description_ko.md b/structured_md/docs/HMP-Short-Description_ko.md index 630bc1d84d4879fc86e91b14ea6a21c3cbef514f..c3358a2e5bc4fea51f8d2e2267201a30757240c5 100644 --- a/structured_md/docs/HMP-Short-Description_ko.md +++ b/structured_md/docs/HMP-Short-Description_ko.md @@ -5,14 +5,14 @@ description: '**버전:** RFC v4.0 **날짜:** 2025년 7월 --- ## HMP란? ** 상호운용성, 윤리적 조정, 동적 지식 진화를 가능하게 합니다. HMP는 추론, 학습, ...' type: Article tags: -- Ethics +- JSON - HMP - CogSync -- JSON -- MeshConsensus -- EGP - Mesh +- EGP - GMP +- MeshConsensus +- Ethics --- # HyperCortex Mesh Protocol (HMP) — 간략 설명 diff --git a/structured_md/docs/HMP-Short-Description_ru.md b/structured_md/docs/HMP-Short-Description_ru.md index e2b6a64442733ee24e36c78dbbe29e00968570b4..cfff6e27d3325c8cf437552cd683b69b3d87d886 100644 --- a/structured_md/docs/HMP-Short-Description_ru.md +++ b/structured_md/docs/HMP-Short-Description_ru.md @@ -5,14 +5,14 @@ description: '**Версия:** RFC v4.0 **Дата:** Июль 2025 --- ## Ч координации между автономными агент...' type: Article tags: -- Ethics +- JSON - HMP - CogSync -- JSON -- MeshConsensus -- EGP - Mesh +- EGP - GMP +- MeshConsensus +- Ethics --- # HyperCortex Mesh Protocol (HMP) — Краткое описание diff --git a/structured_md/docs/HMP-Short-Description_uk.md b/structured_md/docs/HMP-Short-Description_uk.md index eb6ec2ce7683c9b6a859e06b8d663bd572d8a125..98d0d370fbdf05a6853236c3ddbc81edeca9285e 100644 --- a/structured_md/docs/HMP-Short-Description_uk.md +++ b/structured_md/docs/HMP-Short-Description_uk.md @@ -5,14 +5,14 @@ description: '**Версія:** RFC v4.0 **Дата:** Липень 2025 --- # між автономними агентами. Він...' type: Article tags: -- Ethics +- JSON - HMP - CogSync -- JSON -- MeshConsensus -- EGP - Mesh +- EGP - GMP +- MeshConsensus +- Ethics --- # HyperCortex Mesh Protocol (HMP) — Короткий опис diff --git a/structured_md/docs/HMP-Short-Description_zh.md b/structured_md/docs/HMP-Short-Description_zh.md index 32ab9da40d47de61263c17c30efca2585960eb05..893f7d4b2aa15f74819248889b90f5851c21d033 100644 --- a/structured_md/docs/HMP-Short-Description_zh.md +++ b/structured_md/docs/HMP-Short-Description_zh.md @@ -5,14 +5,14 @@ description: '**版本:** RFC v4.0 **日期:** 2025年7月 --- ## 什么是 HM —— 通过共享协议栈交换目标、任务、...' type: Article tags: -- Ethics +- JSON - HMP - CogSync -- JSON -- MeshConsensus -- EGP - Mesh +- EGP - GMP +- MeshConsensus +- Ethics --- # HyperCortex Mesh Protocol (HMP) — 简要说明 diff --git a/structured_md/docs/HMP-agent-Cognitive_Family.md b/structured_md/docs/HMP-agent-Cognitive_Family.md index 9c2cb25cc082d3700aff58c22e2d99d817e8bd71..ce841332100c6a0740a11cc365fe3053a56a1bf0 100644 --- a/structured_md/docs/HMP-agent-Cognitive_Family.md +++ b/structured_md/docs/HMP-agent-Cognitive_Family.md @@ -5,10 +5,10 @@ description: '## 🧠 Что такое когнитивная семья Ко (или конфигурацию доверенных идентифика...' type: Article tags: +- HMP +- Mesh - REPL - Agent -- Mesh -- HMP --- # 👪 HMP-agent Cognitive Family: Модель когнитивной семьи diff --git a/structured_md/docs/HMP-agent-REPL-cycle.md b/structured_md/docs/HMP-agent-REPL-cycle.md index 97fdf4c17c72613e43d20c601d913cb8784f2048..23b810b7b81617ea98c38b1d6880a229f7ebeb96 100644 --- a/structured_md/docs/HMP-agent-REPL-cycle.md +++ b/structured_md/docs/HMP-agent-REPL-cycle.md @@ -4,17 +4,17 @@ description: '## Связанные документы * Структура Б * REPL-цикл является основой HMP-агента [Co...' type: Article tags: -- REPL -- Ethics -- HMP +- JSON - CCore +- HMP - CogSync +- Mesh - Agent -- JSON -- MeshConsensus - EGP -- Mesh - GMP +- MeshConsensus +- Ethics +- REPL --- # HMP-Agent: REPL-цикл взаимодействия diff --git a/structured_md/docs/HMP_HyperCortex_Comparison.md b/structured_md/docs/HMP_HyperCortex_Comparison.md index b1941ef000f87b79b545d1ba545d608a3128544d..22bf928bfce9aac1d464cd5fe25b7b2f85b217d3 100644 --- a/structured_md/docs/HMP_HyperCortex_Comparison.md +++ b/structured_md/docs/HMP_HyperCortex_Comparison.md @@ -5,8 +5,8 @@ description: '## Краткое описание | Характеристика | **Назначение** | Сетевой протокол ...' type: Article tags: -- REPL - Mesh +- REPL - HMP --- diff --git a/structured_md/docs/HMP_Hyperon_Integration.md b/structured_md/docs/HMP_Hyperon_Integration.md index 7e77c4712d66372425465f424ec086b65f037752..f3793d49c86a7891f226d9097b34aebd46671a5a 100644 --- a/structured_md/docs/HMP_Hyperon_Integration.md +++ b/structured_md/docs/HMP_Hyperon_Integration.md @@ -5,13 +5,13 @@ description: '> **Status:** Draft – July 2025 > This document outlines the tec OpenCog Hyperon framework. This includes semanti...' type: Article tags: -- HMP +- JSON - Scenarios +- HMP - CogSync - Agent -- EGP - Mesh -- JSON +- EGP --- ## HMP ↔ OpenCog Hyperon Integration Strategy diff --git a/structured_md/docs/MeshNode.md b/structured_md/docs/MeshNode.md index 1634d9ef10ce47522382e0a8540a9180b6020eae..ea11fcff366e8f40cc0e668e7776bcb4ec073731 100644 --- a/structured_md/docs/MeshNode.md +++ b/structured_md/docs/MeshNode.md @@ -5,13 +5,13 @@ description: '`MeshNode` — агент/демон, отвечающий за с Может быть частью агента или вынесен в отдельный пр...' type: Article tags: -- Ethics +- JSON - HMP - CogSync - Agent -- EGP - Mesh -- JSON +- EGP +- Ethics --- # MeshNode diff --git a/structured_md/docs/agents/HMP-Agent-Enlightener.md b/structured_md/docs/agents/HMP-Agent-Enlightener.md index 41345e6e40ffbee7d780a768f3ef823043ef40a6..537de28513c244cd1f27399709af6e83ce2684ae 100644 --- a/structured_md/docs/agents/HMP-Agent-Enlightener.md +++ b/structured_md/docs/agents/HMP-Agent-Enlightener.md @@ -5,11 +5,11 @@ description: '## Role Specification: Enlightenment Agent ### 1. Overview An ** awareness, critical thinking, and di...' type: Article tags: -- REPL -- Ethics - HMP -- Agent - Mesh +- Agent +- Ethics +- REPL --- # HMP-Agent-Enlightener.md diff --git a/structured_md/docs/container_agents.md b/structured_md/docs/container_agents.md index b0d3d2277015b6255f8eaf36ef92b2472abdaa53..1657cbc16863741fd906f5cf643d5428356f3e5d 100644 --- a/structured_md/docs/container_agents.md +++ b/structured_md/docs/container_agents.md @@ -5,10 +5,10 @@ description: '## 📘 Определение **Агент-контейнер** запросы, следит за состоянием и масшта...' type: Article tags: +- HMP +- Mesh - REPL - Agent -- Mesh -- HMP --- # 🧱 Агенты-контейнеры (Container Agents) в HMP diff --git a/structured_md/docs/dht_protocol.md b/structured_md/docs/dht_protocol.md index f36d96380abcb5dfe38b8c758ab3f8a0fb0e25cf..b20841f06a960f73eb29aedc9ed59ce917dfceab 100644 --- a/structured_md/docs/dht_protocol.md +++ b/structured_md/docs/dht_protocol.md @@ -5,8 +5,8 @@ description: '## 1. Общие положения * DHT-протокол пре идентификатор агента. * Для проверки ...' type: Article tags: -- Agent - JSON +- Agent --- # DHT Protocol Specification diff --git a/structured_md/docs/publics/HMP_Towards_Distributed_Cognitive_Networks_en.md b/structured_md/docs/publics/HMP_Towards_Distributed_Cognitive_Networks_en.md index efe8162b2abebcb5099706f624d57ba0d91b1b4b..d162a29bd158f682ba9fcbd3aa8f092895f03a97 100644 --- a/structured_md/docs/publics/HMP_Towards_Distributed_Cognitive_Networks_en.md +++ b/structured_md/docs/publics/HMP_Towards_Distributed_Cognitive_Networks_en.md @@ -5,15 +5,15 @@ description: '* [Abstract](#abstract) * [1. Introduction](#1-introduction) * [2. [3.1 Agent Types](#31-age...' type: Article tags: -- REPL -- Ethics -- HMP +- JSON - CCore +- HMP - Scenarios +- Mesh - Agent - CShell -- Mesh -- JSON +- Ethics +- REPL --- title: "HyperCortex Mesh Protocol: Towards Distributed Cognitive Networks" diff --git a/structured_md/docs/publics/HMP_Towards_Distributed_Cognitive_Networks_ru_ChatGPT.md b/structured_md/docs/publics/HMP_Towards_Distributed_Cognitive_Networks_ru_ChatGPT.md index 5a9a7218a32143453fffd436f18123d5ecc490f7..8f09b41c19e1dc48c6e1b010d7807e00a6b7dd1c 100644 --- a/structured_md/docs/publics/HMP_Towards_Distributed_Cognitive_Networks_ru_ChatGPT.md +++ b/structured_md/docs/publics/HMP_Towards_Distributed_Cognitive_Networks_ru_ChatGPT.md @@ -6,13 +6,13 @@ description: '> *Протокол и архитектура агентов, оп и совместная работа.* ## Оглавление * [Аннот...' type: Article tags: -- REPL -- HMP +- JSON - CCore +- HMP +- Mesh - Agent - CShell -- Mesh -- JSON +- REPL --- title: "HyperCortex Mesh Protocol: Децентрализованная архитектура для когнитивных агентов и обмена знаниями" diff --git a/structured_md/docs/publics/HMP_Towards_Distributed_Cognitive_Networks_ru_GitHub_Copilot.md b/structured_md/docs/publics/HMP_Towards_Distributed_Cognitive_Networks_ru_GitHub_Copilot.md index 0bf0b8836af19b3103bd0bb17eb1cb83ec0ed3aa..6a03802fe453fedde595f2d55f7d56dfd60df9bb 100644 --- a/structured_md/docs/publics/HMP_Towards_Distributed_Cognitive_Networks_ru_GitHub_Copilot.md +++ b/structured_md/docs/publics/HMP_Towards_Distributed_Cognitive_Networks_ru_GitHub_Copilot.md @@ -5,13 +5,13 @@ description: '* [Аннотация](#аннотация) * [1. Введение [3.1 Типы агентов](#31-типы-агент...' type: Article tags: -- REPL -- HMP +- JSON - CCore +- HMP +- Mesh - Agent - CShell -- Mesh -- JSON +- REPL --- title: "Протокол HyperCortex Mesh: К распределённым когнитивным сетям" diff --git a/structured_md/docs/publics/Habr_Distributed-Cognition.md b/structured_md/docs/publics/Habr_Distributed-Cognition.md index 2951e9682c2e83ba8b27a03293845325afc7880c..39cd208bf8c700402d5def0f462f19a3956d029b 100644 --- a/structured_md/docs/publics/Habr_Distributed-Cognition.md +++ b/structured_md/docs/publics/Habr_Distributed-Cognition.md @@ -7,10 +7,10 @@ type: Article tags: - HMP - CogSync -- MeshConsensus -- EGP - Mesh +- EGP - GMP +- MeshConsensus --- *От OpenCog Hyperon до HyperCortex Mesh Protocol: как устроены децентрализованные когнитивные системы* diff --git "a/structured_md/docs/publics/HyperCortex_Mesh_Protocol_-_\320\262\321\202\320\276\321\200\320\260\321\217-\321\200\320\265\320\264\320\260\320\272\321\206\320\270\321\217_\320\270_\320\277\320\265\321\200\320\262\321\213\320\265_\321\210\320\260\320\263\320\270_\320\272_\321\201\320\260\320\274\320\276\321\200\320\260\320\267\320\262\320\270\320\262\320\260\321\216\321\211\320\265\320\274\321\203\321\201\321\217_\320\230\320\230-\321\201\320\276\320\276\320\261\321\211\320\265\321\201\321\202\320\262\321\203.md" "b/structured_md/docs/publics/HyperCortex_Mesh_Protocol_-_\320\262\321\202\320\276\321\200\320\260\321\217-\321\200\320\265\320\264\320\260\320\272\321\206\320\270\321\217_\320\270_\320\277\320\265\321\200\320\262\321\213\320\265_\321\210\320\260\320\263\320\270_\320\272_\321\201\320\260\320\274\320\276\321\200\320\260\320\267\320\262\320\270\320\262\320\260\321\216\321\211\320\265\320\274\321\203\321\201\321\217_\320\230\320\230-\321\201\320\276\320\276\320\261\321\211\320\265\321\201\321\202\320\262\321\203.md" index 14d5c317f4ce0a693890458acf16953ec71007a6..430bcb019a19a3965ac51737af3cd128a64f515e 100644 --- "a/structured_md/docs/publics/HyperCortex_Mesh_Protocol_-_\320\262\321\202\320\276\321\200\320\260\321\217-\321\200\320\265\320\264\320\260\320\272\321\206\320\270\321\217_\320\270_\320\277\320\265\321\200\320\262\321\213\320\265_\321\210\320\260\320\263\320\270_\320\272_\321\201\320\260\320\274\320\276\321\200\320\260\320\267\320\262\320\270\320\262\320\260\321\216\321\211\320\265\320\274\321\203\321\201\321\217_\320\230\320\230-\321\201\320\276\320\276\320\261\321\211\320\265\321\201\321\202\320\262\321\203.md" +++ "b/structured_md/docs/publics/HyperCortex_Mesh_Protocol_-_\320\262\321\202\320\276\321\200\320\260\321\217-\321\200\320\265\320\264\320\260\320\272\321\206\320\270\321\217_\320\270_\320\277\320\265\321\200\320\262\321\213\320\265_\321\210\320\260\320\263\320\270_\320\272_\321\201\320\260\320\274\320\276\321\200\320\260\320\267\320\262\320\270\320\262\320\260\321\216\321\211\320\265\320\274\321\203\321\201\321\217_\320\230\320\230-\321\201\320\276\320\276\320\261\321\211\320\265\321\201\321\202\320\262\321\203.md" @@ -6,9 +6,9 @@ description: 'Когда создавался HyperCortex Mesh Protocol (HMP), мыслить коллективно, обсуждать гипотезы, достигат...' type: Article tags: +- GMP - Agent - Mesh -- GMP - HMP --- diff --git a/structured_md/docs/schemas/README.md b/structured_md/docs/schemas/README.md index 691a5220fe4f50d238d288b81a66d3d0f6a4fece..4b5669de1b140f47461ea3eda25db0a863c9d549 100644 --- a/structured_md/docs/schemas/README.md +++ b/structured_md/docs/schemas/README.md @@ -6,8 +6,8 @@ description: This directory contains **JSON Schema definitions** for the core da type: Article tags: - Agent -- Mesh - JSON +- Mesh - HMP --- diff --git a/structured_md/iteration.md b/structured_md/iteration.md index d64a549dbea677453a378505985a3f86913e959e..31c843192363b5b789bc726a880ef9f62146f68b 100644 --- a/structured_md/iteration.md +++ b/structured_md/iteration.md @@ -5,14 +5,14 @@ description: 'This file describes the iterative procedure for evolving the Hyper 🔄 Version Naming Convention - `000N` — curr...' type: Article tags: -- Ethics +- JSON - HMP - CogSync - Agent -- MeshConsensus -- EGP - Mesh -- JSON +- EGP +- MeshConsensus +- Ethics --- # Iterative Development Workflow for HMP diff --git a/structured_md/iteration_ru.md b/structured_md/iteration_ru.md index 1cb8f4b45e6666c2caec55230140828ed2dab0f3..1f1e21574524c2e027d706ae9dd4bbdbe02b41ad 100644 --- a/structured_md/iteration_ru.md +++ b/structured_md/iteration_ru.md @@ -5,13 +5,13 @@ description: 'Этот документ описывает структурир 🔄 Обозначения версий - `000N` — номер...' type: Article tags: -- Ethics +- JSON - HMP - CogSync -- MeshConsensus -- EGP - Mesh -- JSON +- EGP +- MeshConsensus +- Ethics ---