Этот сайт использует файлы cookies. Продолжая просмотр страниц сайта, вы соглашаетесь с использованием файлов cookies. Если вам нужна дополнительная информация, пожалуйста, посетите страницу Политика файлов Cookie
Subscribe
Прямой эфир
Cryptocurrencies: 9471 / Markets: 106653
Market Cap: $ 3 720 135 085 382 / 24h Vol: $ 146 677 565 251 / BTC Dominance: 61.058282175722%

Н Новости

Алиса, подвинься

Статья обзорная, для динозавров, которые только сейчас очнулись из беспросветного сна неведения. Таким динозавром собственно являюсь я сам. Все термины, описание, мыслеформы и прочее, никак не претендуют на точность и истину в последней инстанции. На вопросы "а почему не использовали инструмент Х" отвечу: так получилось. Статья была написана в свободное от работы время, практически урывками.
Приятного чтения.

Вокруг столько движухи вокруг ИИ: бесплатный DeepSeek R1 обвалил акции ИТ гигинтов США! Tulu 3 превзошла DeepSeek V3! Qwen 2.5-VL от Alibaba обошел DeepSeek! Ну и т.д. и т.п.

А что это за ИИ такой? Программисты с помощью его пишут код, копирайтеры пишут текст, дизайнеры рисую дизайны (тот же Ионов от студии Артемия Лебедева), контент-мейкеры генерируют рисунки и видео.

А что остаётся нам, обычным людям? Алиса, Маруся, Салют, Сири, Кортана, Алекса, Bixby, и прочее.

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

А что если ...мы попробуем сделать своего собственного ИИ ассистента?

Что мы хотим?

Алиса и прочие ИИ ассистенты — слушают команды с микрофона и выполняют определенные действия. Было бы неплохо иметь свой собственный аналог заточенный на свои собственные потребности, который не будет самостоятельно лезть в интернет, и сливать личную информацию. Давайте назовем своего ИИ ассистента не банально «Джарвис». И команды он будет выполнять только если первое слово в предложении - «Джарвис».

К примеру, как может выглядеть управление своим загородным домом
  • время, дата (выдает текущее время и дату)

  • какие сегодня новости? (выдает заголовки топ 5 новостей)

  • какая погода в москве и питере? (выдает погоду)

  • проверь почту (выдает заголовки непрочитанных писем эл.почты)

  • закажи суши (вызов API магазина суши если таковой имеется)

  • отправь СМС брату: «сегодня не приеду, весь день занят» (вызов API отправки СМС)

  • курс доллара (выводит стоимость 1 доллара в рублях по курсу ЦБ)

  • включи музыку бетховен симфония номер пять (запуск плеера)

  • будильник на завтра в 17:15 (добавление будильника)

  • отмени все дела сегодня (отмена всех будильников)

  • включи робот-пылесос (команда «умному дому»)

  • включи телевизор в кухне (команда «умному дому»)

  • закрой шторы в гостиной (команда «умному дому»)

  • выключи свет в коридоре, в прихожей и в ванной (команда «умному дому»)

  • поставь дом на охрану (команда «умному дому»)

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

Ассистент в нашем случае — по сути это компьютер с микрофоном и колонками, включенный в локальную сеть, имеющий доступ к интернету, локально запускающий ИИ, который понимает и выполняет наши устные команды. Желательно чтобы всё это работало на недорогом ПК, без крутой видеокарты.

С чего начать?

Начнем с распознавания голоса. Т.к. я уже знаком с замечательным инструментом для распознавания голоса https://alphacephei.com/vosk/index.ru, проект: https://github.com/alphacep/vosk-api – то его и будем использовать.

Для начала установим пакет Vosk в NuGet. Затем скачаем и разархивируем модель vosk-model-small-ru-0.22 (всего 45Мб) из https://alphacephei.com/vosk/models.

Для работы с микрофоном установим пакет NAudio. А для озвучивания ответов Джарвиса будем использовать TTS (Text-to-Speech). По умолчанию в системе может не быть русского мужского голоса, поэтому можно установить подходящий с сайта https://rhvoice.su/voices. В настройках приложения снимаем галку «Предпочтительная 32-разрядная версия».

Cобственно код
using NAudio.Wave;
using Newtonsoft.Json;
using System;
using System.Linq;
using System.Speech.Synthesis;
using Vosk;

namespace ConsoleJarvis
{
    internal class Program
    {
        private class RecognizeWord
        {
            public double conf { get; set; }
            public double end { get; set; }
            public double start { get; set; }
            public string word { get; set; }
        }
        private class RecognizeResult
        {
            public RecognizeWord[] result { get; set; }
            public string text { get; set; }
        }

        static void Main(string[] args)
        {
            //модель
            Model model = new Model("vosk-model-small-ru-0.22");

            //настраиваем "распознаватель"
            var recognizer = new VoskRecognizer(model, 16000.0f);
            recognizer.SetMaxAlternatives(0);
            recognizer.SetWords(true);

            //настраиваем и «включаем» микрофон
            var waveIn = new WaveInEvent();
            waveIn.DeviceNumber = 0; //первый микрофон по умолчанию
            waveIn.WaveFormat = new WaveFormat(16000, 1); //для лучшего распознавания
            waveIn.DataAvailable += WaveIn_DataAvailable;
            waveIn.StartRecording();

            //получаем данные от микрофона
            void WaveIn_DataAvailable(object sender, WaveInEventArgs e)
            {
                //распознаем
                if (recognizer.AcceptWaveform(e.Buffer, e.BytesRecorded))
                {
                    //получаем распознанный текст в json
                    string txt = recognizer.FinalResult();

                    //преобразуем
                    RecognizeResult values = JsonConvert.DeserializeObject<RecognizeResult>(txt);

                    //парсим команды
                    parseCommands(values);
                }
            }

            Console.WriteLine();
            Console.WriteLine("Скажите одну из команд:");
            Console.WriteLine("Джарвис, список команд!");
            Console.WriteLine("Джарвис, дата");
            Console.WriteLine("Джарвис, время");
            Console.WriteLine("Джарвис, запусти блокнот");
            Console.WriteLine("Джарвис, выход");
            Console.WriteLine("Напишите 'exit' и нажмите Enter что-бы выйти");
            Console.WriteLine();
            var input = Console.ReadLine();
            while (input != "exit")
            {
            }
        }

        //генерируем ответ
        static void PlayTTS(string text)
        {
            var synthesizer = new SpeechSynthesizer();
            synthesizer.SetOutputToDefaultAudioDevice(); //аудио-выход по умолчанию
            //synthesizer.SelectVoice(voiceName); //выбор голоса

            var builder = new PromptBuilder();
            builder.StartVoice(synthesizer.Voice);
            builder.AppendText(text);
            builder.EndVoice();

            //генерируем звук
            synthesizer.Speak(text);
        }

        static void parseCommands(RecognizeResult words)
        {
            if (words.text.Length == 0) return;

            Console.WriteLine("Распознано: " + words.text + Environment.NewLine);

            //если в предложении первое слово джарвис - слушаем команду
            if (words.result.First().word.Contains("джарвис"))
            {
                var text = words.result.Select(obj => obj.word).ToList();

                var print = string.Join(" ", text);
                var command = string.Join(" ", text.Skip(1)); //Skip(1) - пропускаем первое слово "джарвис"

                //логируем команду
                Console.WriteLine(print);

                var executerComment = "";

                if (command.Trim().Length == 0)
                {
                    Console.WriteLine("Джарвис: что?");
                    PlayTTS("что?");
                }
                else if (!Executer.Parse(command, ref executerComment)) //выполняем команды
                {
                    Console.WriteLine("Джарвис: Команда не распознана");
                    PlayTTS("Команда не распознана");
                }
                else
                {
                    Console.WriteLine("Джарвис: "+executerComment);
                    PlayTTS(executerComment);
                }
                Console.WriteLine("");
            }
        }
    }
}

Доступные команды, файл Executer.cs:

using System;
using System.Collections.Generic;
using System.Globalization;

namespace ConsoleJarvis
{
    public static class Executer
    {
        public delegate void Func(string text, ref string comment);

        private class Command
        {
            public string word { get; set; }
            public Func action { get; set; }
            public Command(string word, Func action)
            {
                this.word = word;
                this.action = action;
            }

        }

        private static readonly List<Command> commands = new List<Command>();

        static Executer()
        {
            //Добавляем все доступные команды

            commands.Add(new Command("список команд", (string text, ref string comment) =>
            {
                foreach (var c in commands) {
                    comment = comment + Environment.NewLine + c.word + '.';
                }
            }));

            commands.Add(new Command("дата", (string text, ref string comment) =>
            {
                comment = DateTime.Now.ToString("dddd dd MMMM yyyy", CultureInfo.CurrentCulture);
            }));

            commands.Add(new Command("время", (string text, ref string comment) =>
            {
                comment = DateTime.Now.ToString("H mm", CultureInfo.CurrentCulture);
            }));

            commands.Add(new Command("запусти", (string text, ref string comment) =>
            {
                foreach (var c in text.Split(' '))
                {
                    switch (c)
                    {
                        case "калькулятор":
                            System.Diagnostics.Process.Start(@"calc.exe");
                            return;
                        case "блокнот":
                            System.Diagnostics.Process.Start(@"notepad.exe");
                            return;
                    } 
                }
                comment = "я не умею запускать ничего кроме калькулятора и блокнота";
            }));

            commands.Add(new Command("выход", (string text, ref string comment) =>
            {
                Environment.Exit(0);
            }));

        }

        public static bool Parse(string text, ref string comment)
        {
            foreach (var command in commands)
            {
                if (text.Contains(command.word))
                {
                    command.action(text, ref comment);
                    return true;
                }
            }
            return false;
        }
    }
}

Пример распознанного текста:

{
  "result" : [{
      "conf" : 1.000000,
      "end" : 1.110000,
      "start" : 0.630000,
      "word" : "джарвис"
    }, {
      "conf" : 1.000000,
      "end" : 1.410000,
      "start" : 1.110000,
      "word" : "курс"
    }, {
      "conf" : 1.000000,
      "end" : 1.860000,
      "start" : 1.410000,
      "word" : "доллара"
    }],
  "text" : "джарвис курс доллара"
}

Вот так с помощью нехитрых приспособлений буханка белого хлеба превратилась в троллейбус мы получили «Голосовой ассистент Ирина» https://habr.com/ru/articles/595855/.

Пробуем LLM

Первым делом для запуска LLM моделей локально, гугл советует установить LM Studio. После установки выяснилось что для запуска модели необходима поддержка процессором инструкции AVX2. К сожалению такой инструкции на Intel(R) Core(TM) i7-3770K нет.

Следующее что попробовал установить: GPT4ALL. Программа позволяет загрузить модели из своего списка «оптимизированные для GPT4ALL», а так же с некоего HuggingFace.

Что такое HuggingFace? Оказывается это целая платформа с большой библиотекой нейросетевых моделей. Выбрал в поиске самую малую модель Jarvis-0.5B.f16.gguf размером примерно 948Мб.

Пишу «привет». Зашумел процессорный кулер, и через секунду оно ответило.

Вот оно что! Вот зачем нужен апгрейд ПК! Не банальная причина поиграть в игры! А ради вот этого самого!

Отличный вариант попробовать модели — koboldcpp.

Но погодите, прежде чем рваться в код, надо немного теории.

LLM, БЯМ, Нейронка, Чат-гпт. Краткий понятийный курс

Что-бы прикоснуться к прекрасному миру LLM, окунемся немного в теорию. Что такое нейронка, с чем ее едят. Пояснения для тех кто особо никогда этим не интересовался, но хочет понять. Дальнейшие рассуждения — мои личные наблюдения, так сказать простым понятным языком. Просьба не судить строго за стиль письма.

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

Сам процесс обработки информации нейронкой называется «инференс» (inference).

Как нейронка понимает какую информацию мы ей передаем, и какими единицами она «мыслит»? Понятно что раз нейронка — это массив чисел, то и подавать на вход ей надо числа. Текст который вы пишете нейронке, разбивается на «токены» - кусочки текста, которые в нейронке соотносятся к определенному числу. Поэтому когда вы пишете: «hello my frend», этот текст разбивается на три токена «hello» «my» «frend», причем каждый привязан к определенному числу. В итоге в нейронку передается три числа, как пример: 12234, 42112, 234345.

Т.е. у нейронки есть определенный словарь токенов: связь токена и числа (вектор).

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

Так сложилось, что первая LLM была сделана в США и «понимала» только английские слова. Когда нейронки стали обучать другим языкам, то пришлось увеличивать словарь токенов. В русском языке одно слово может сильно видоизменяться по падежам, и раздувать словарь токенов одним словом в разных падежах — это очень нерационально. Придумали лайфхак: разбивать слова на куски, из которых можно собрать любое слово. Поэтому текст «привет мой друг» преобразуется не на три токена, а на большее количество: «при» «вет» « » «мой» « » «др» «уг». В итоге в нейронку передается уже 7 токенов а не три.

Поэтому в определенное «контекстное окно» входит больше слов на английском языке, и меньше — на русском.

Инференсом можно управлять: дать волю нейронке или сдержать ее фантазию. Для этого существует параметр «Температура»: чем выше — тем больше нейронка фантазирует. Однако чем больше температура, тем больше вероятность что нейронка будет «галлюцинировать»: выводить совершенно бессвязный ответ.

Другой параметр «TopK» позволяет при генерации ответа сузить диапазон выдаваемых слов, отбросив самые нерелевантные варианты. Например генерируя фразу: «Солнце встает на…» нейронка может вставить последнее слово «картина». Но если мы укажем параметр TopK=3, то нейронка выберет один из топ 3 самых релевантных слов: «восток», «рассвет», «небо».

Еще один параметр «Frequency penalty» - штраф за частоту: модель получает «штраф» за каждое повторение токена в ответе, что увеличивает разнообразие ответа.

«Presence penalty» - штраф за присутствие: модель получает «штраф» за повторяющийся токен, и генерирует новый неповторяющийся токен в ответе.

Когда мы что-то пишем нейронке — наш текст называется «промпт» (prompt): запрос пользователя.

Мы так же можем управлять нейронкой подобрав правильный промт: попросить анализировать текст, сгенерировать новый, ответить в определенном стиле, выделить важное, суммировать информацию и т.д. В ход идут не только слова, но и знаки препинания (!), написание важных слов В ВЕРХНЕМ РЕГИСТРЕ, выделение звездочками, кавычками и т.д. Искусство промптинга называется «Промпт-инжиниринг».

Что-бы придать нейронке определенный стиль, придать направление общения, применяется «Системный промпт», например: «Ты — полезный помощник Олег. Отвечай кратко и по делу. Не задавай лишних вопросов». Системный промпт задается в начале диалога с пользователем.

Нейронка в своих ответах опирается на «контекст», который формируется как системным промптом, так и в процессе общения с пользователем. Кроме того нейронка так же ориентируется на историю общения. Поэтому очистив историю и контекст, общение с нейронкой начнется как с чистого листа.

Нейронка может работать не только с текстом, но и с изображением, видео, звуком. Такие нейронки называют «мультимодальными».

Размер нейронки можно характеризовать количеством «параметров»: т.е. количеством чисел (весов) из которых состоит массив нейронки. Аналог параметра в живой природе — сила связи между нейронами. Есть модели на 1, 10, 70, 180 миллиардов параметров.

Для того что-бы пользоваться нейронкой, необходимо иметь достаточно оперативной памяти что-бы нейронка могла туда загрузиться полностью. Кроме того, что-бы нейронка работала шустро — нужен достаточно мощный процессор, который должен поддерживать определенные процессорные инструкции (AVX, AVX2). Но если у вас есть мощная видеокарта с большим количеством памяти — вам повезло: инференс будет намного быстрее чем на центральном процессоре ПК.

Но не у всех есть видеокарта с 24-80 Гб. для запуска полноценных нейронок. Можно уменьшить размер нейронки почти не теряя в качестве. Такой процесс называется «квантизацией»: весь массив чисел (весов) из которых состоит нейронка преобразуют в массив чисел с меньшей точностью. Например в массиве были числа примерно такие: 0.123456789 а стали: 0.123. Почитать об этом можно здесь: https://habr.com/ru/articles/797443/

Обучение модели намного более трудоёмкий процесс чем инференс. Качество готовой модели сильно зависит от «датасета»: исходных данных для обучения с правильными вариантами ответа. Первая часть обучения называется «претрейн» (pretrain, предобучение) — самый трудозатратный процесс для железа на котором идет обучение. Модель обучают общими знаниями о мире. Такая «претрейн» модель практически бесполезна для общения.

Далее идет «файнтюн» (finetune, тонкая настройка): модель учится отвечать на датасетах с диалогами. Третья необязательная часть обучения «алаймент» (alignment, выравнивание): настройка модели на корректный и безопасный вывод (например, исключение неэтичных тем).

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

Поэтому разработчики чат-ботов используют следующие инструменты:

  • Function Calling – модели говорят что есть определенные функции например «вывод погоды» и т.д. И если пользователь спросит «какая погода в Москве», модель может выполнить эту функцию (заранее реализованную программистом), вернув пользователю ответ.

  • RAG (Retrieval Augmented Generation) — модель может обратиться к массиву данных (через Function Calling) любезно предоставленным программистом для вывода информации пользователю. Либо сам разработчик подкидывает найденную информацию по запросу в промпт или в историю чата. Для этого заранее сканируются документы, где текстовая информация индексируется весами модели (формируется массив векторов для поиска).

Поиск информации в интернете, включение лампочки и прочее — всё реализуется через Function Calling. Сама модель не умеет самостоятельно лезть в гугл или открывать вам шторы в комнате по команде.

А еще по причине того, что нейронка не может дообучаться и расти как живой организм, ни о каком захвате скайнета пока речи не идет.

Ок. Пока на этом всё. Идем дальше.

NPU

В современных процессорах есть блок NPU (Neural Processing Unit). По сути это небольшой "сопроцессор" заточенный на выполнение операций с матрицами. Задействовать его можно через библиотеку Intel® NPU Acceleration Library на пайтоне: https://github.com/intel/intel-npu-acceleration-library. Так же можно задействовать через OpenVINO, DirectML.

В перспективе, для запуска больших ИИ моделей можно обойтись этим блоком, напихав побольше ОЗУ в ПК, без траты на дорогие видеокарты с памятью от 24Гб.

Но у меня старый процессор. Поэтому оставим это на будущее.

Пробуем в код. LlamaSharp, он же llama.cpp

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

На гитхабе есть проект https://github.com/ggerganov/llama.cpp на C/C++. А на c# есть замечательный проект https://github.com/SciSharp/LlamaSharp использующий llama.cpp, вот его и будем использовать.

Сразу скажу, много перепробовал моделей, но в итоге самой быстрой оказалась: Qvikhr-2.5-1.5B-Instruct-r-Q8_0.gguf, см.: https://huggingface.co/Vikhrmodels/QVikhr-2.5-1.5B-Instruct-r_GGUF/tree/main

Добавляем в проект пакеты из NuGet: LlamaSharp и LlamaSharp.Backend.Cpu, без которого не удастся запустить и инферить модель.

Простой пример
using LLama.Common;
using LLama;
using LLama.Sampling;
using LLama.Transformers;

//путь к модели
string modelPath = @"c:\models\QVikhr-2.5-1.5B-Instruct-r-Q8_0.gguf";

var parameters = new ModelParams(modelPath)
{
    ContextSize = 1024, //контекст
};

//загружаем модель
using var model = LLamaWeights.LoadFromFile(parameters);

//создаем контекст
using var context = model.CreateContext(parameters);

//для инструкций
var executorInstruct = new InstructExecutor(context);
//для интерактива 
var executorInteractive = new InteractiveExecutor(context);
//каждый раз сбрасывает контекст
var executorStateless = new StatelessExecutor(model, parameters)
{
    ApplyTemplate = true,
    SystemMessage = "Ты - полезный помощник. Отвечай кратко"
};

//параметры инференса
InferenceParams inferenceParams = new InferenceParams()
{
    MaxTokens = 256, //максимальное количество токенов
    AntiPrompts = new List<string> { ">" },
    SamplingPipeline = new DefaultSamplingPipeline()
    {
         Temperature = 0.4f
        ,TopK = 50
        ,TopP = 0.95f
        ,RepeatPenalty = 1.1f
    }
};

//загружаем из модели правильный шаблон для промпта
LLamaTemplate llamaTemplate = new LLamaTemplate(model.NativeHandle)
{
    AddAssistant = true
};

//генерируем правильный промпт
string createPrompt(string role, string input)
{
    var ltemplate = llamaTemplate.Add(role, input);
    return PromptTemplateTransformer.ToModelPrompt(ltemplate);
}

Console.Write("\n>");
string userInput = Console.ReadLine() ?? "";
while (userInput != "exit")
{
    //посмотрим какой нам генерируется ответ
    //prompt: <| im_start |> user
    //привет <| im_end |>
    //<| im_start |> assistant

    //для executorInstruct и executorInteractive каждый раз будет дублировать всю историю переписки, т.к. она хранится в контексте
    //для executorStateless - контекст будет создаваться заново без истории переписки
    var prompt = createPrompt("user", userInput);
    Console.WriteLine("prompt: "+ prompt);

    //инфер
    await foreach (var text in executorInteractive.InferAsync(prompt, inferenceParams))
    {
        Console.ForegroundColor = ConsoleColor.White;
        Console.Write(text);
    }
    userInput = Console.ReadLine() ?? "";
}

Сразу хотелось бы отметить: у каждой модели свой шаблон общения (ChatML, CommandR, Gemma 2, и т.д.). В данном случае нам не нужно формировать правильный промпт вручную. За нас это делает код, и данные хранящиеся в модели.

Однако эксперименты подразумевают частую правку кода и запуск проекта, а значит и периодический тяжелый этап загрузки модели.

Ollama

Существует такой проект https://ollama.com, позволяющий работать сразу с несколькими моделями одновременно. Работает просто: локально запускается сервер, который по первому требованию загружает модель, и вы спокойно с ней работаете. Остановили свой проект на c#, поправили код, запустили — а модель уже загружена в ollama, не нужно ждать новой загрузки.

Скачиваем Ollama (релиз https://github.com/ollama/ollama/releases/tag/v0.5.11), устанавливаем. Ищем интересующую вас модель https://ollama.com/search и скачиваем командой: ollama pull modelname. Можем с ней поработать прямо из консоли: ollama run modelname. Выход: /bye. Вывести список скачанных локально моделей: ollama list. Запустить сервер: ollama serve.

Однако я уже скачал ранее модель Qvikhr-2.5-1.5B-Instruct-r-Q8_0.gguf на 1,53 Гб, и на сайте ollama такой модели нет. Что делать?

Можно добавить любую уже скачанную gguf модель на локальный сервер Ollama:

Скрытый текст

1) Создаем файл Modelfile (без расширения) с таким содержимым:

from c:\models\QVikhr-2.5-1.5B-Instruct-r-Q8_0.gguf
# set the temperature to 1 [higher is more creative, lower is more coherent]
PARAMETER temperature 0.0
#PARAMETER top_p 0.8
#PARAMETER repeat_penalty 1.05
#PARAMETER top_k 20

TEMPLATE """
{{- if .Messages }}
{{- if or .System .Tools }}<|im_start|>system
{{- if .System }}
{{ .System }}
{{- end }}
{{- if .Tools }}

# Tools

You may call one or more functions to assist with the user query. Do not distort user description to call functions! 

You are provided with function signatures within <tools></tools> XML tags:
<tools>
{{- range .Tools }}
{"type": "function", "function": {{ .Function }}}
{{- end }}
</tools>

For each function call, return a json object with function name and arguments within <tool_call></tool_call> XML tags:
<tool_call>
{"name": <function-name>, "arguments": <args-json-object>}
</tool_call>
{{- end }}<|im_end|>
{{ end }}
{{- range $i, $_ := .Messages }}
{{- $last := eq (len (slice $.Messages $i)) 1 -}}
{{- if eq .Role "user" }}<|im_start|>user
{{ .Content }}<|im_end|>
{{ else if eq .Role "assistant" }}<|im_start|>assistant
{{ if .Content }}{{ .Content }}
{{- else if .ToolCalls }}<tool_call>
{{ range .ToolCalls }}{"name": "{{ .Function.Name }}", "arguments": {{ .Function.Arguments }}}
{{ end }}</tool_call>
{{- end }}{{ if not $last }}<|im_end|>
{{ end }}
{{- else if eq .Role "tool" }}<|im_start|>user
<tool_response>
{{ .Content }}
</tool_response><|im_end|>
{{ end }}
{{- if and (ne .Role "assistant") $last }}<|im_start|>assistant
{{ end }}
{{- end }}
{{- else }}
{{- if .System }}<|im_start|>system
{{ .System }}<|im_end|>
{{ end }}{{ if .Prompt }}<|im_start|>user
{{ .Prompt }}<|im_end|>
{{ end }}<|im_start|>assistant
{{ end }}{{ .Response }}{{ if .Response }}<|im_end|>{{ end }}
"""

# set the system message
SYSTEM """You are JARVIS. You are a helpful assistant. Answer user requests briefly."""

2) Затем запускаем в командной строке импорт модели в Ollama:

ollama create MY -f c:\models\Modelfile

Вуаля. Теперь к этой модели можно обращаться по имени «MY».

Очень важно: в TEMPLATE указаны инструкции без которых Ollama не будет работать с Function Calling. Иначе Ollama выдаст ошибку "registry.ollama.ai MY does not support tools".

Если после запуска командой ollama serve у вас выходит ошибка "Error: listen tcp 127.0.0.1:11434: bind: Only one usage of each socket address (protocol/network address/port) is normally permitted.", посмотрите в трей - там может быть запущен экземпляр ollama. Его можно выгрузить, выбрав "Quit Ollama".

Почему именно этот старый релиз 0.5.11? Потому что у модели Qvikhr-2.5-1.5B-Instruct-r-Q8_0.gguf в новых релизах ollama перестают работать функции.

Microsoft Semantic Kernel

У мелкософта есть свой проект по работе с LLM, в том числе и с Ollama. Репозиторий: https://github.com/microsoft/semantic-kernel, еще есть кукбук https://github.com/microsoft/SemanticKernelCookBook.

Простой чат

Устанавливаем пакеты Microsoft.SemanticKernel, Microsoft.SemanticKernel.Connectors.Ollama в NuGet.

Простой чатик
#pragma warning disable SKEXP0070

using Microsoft.SemanticKernel;

var modelId = "MY";
var url = "http://localhost:11434";

var builder = Kernel.CreateBuilder();
builder.Services.AddOllamaChatCompletion(modelId, new HttpClient() { BaseAddress = new Uri(url) });
var kernel = builder.Build();

Console.Write("User: ");
string? input = null;
while ((input = Console.ReadLine()) is not null)
{
    var answer = await kernel.InvokePromptAsync(input);
    Console.WriteLine("AI: " + string.Join("\n", answer));

    Console.Write("User: ");
}

Пользовательские функции

Теперь попробуем вызвать пользовательские функции

Function Calling
#pragma warning disable SKEXP0070

using Microsoft.SemanticKernel;
using Microsoft.SemanticKernel.Connectors.Ollama;
using System.ComponentModel;

var modelId = "MY";
var url = "http://localhost:11434";

var builder = Kernel.CreateBuilder();
builder.Services.AddOllamaChatCompletion(modelId, new HttpClient() { BaseAddress = new Uri(url) });
var kernel = builder.Build();

//Добавляем свои функции
kernel.Plugins.AddFromObject(new MyWeatherPlugin());
kernel.Plugins.AddFromType<MyTimePlugin>();
kernel.Plugins.AddFromObject(new MyNewsPlugin());

//настраиваем ollama на запуск функций
var settings = new OllamaPromptExecutionSettings
{
    FunctionChoiceBehavior = FunctionChoiceBehavior.Auto(),
    Temperature = 0,
    TopP = 0,
};

Console.Write("User: ");
string? input = null;
while ((input = Console.ReadLine()) is not null)
{
    var answer = await kernel.InvokePromptAsync(input, new(settings));
    Console.WriteLine("AI: " + string.Join("\n", answer));

    Console.Write("User: ");
}

//Плагины
public class MyWeatherPlugin
{
    [KernelFunction, Description("Gets the current weather for the specified city")]
    public string GetWeather(string _city)
    {
        return "very good in " + _city + "!";
    }
}

public class MyTimePlugin
{
    [KernelFunction, Description("Get the current day of week")]
    public string DayOfWeek() => System.DateTime.Now.ToString("dddd");

    [KernelFunction, Description("Get the current time")]
    public string Time() => System.DateTime.Now.ToString("HH 'hour' mm 'minutes'");

    [KernelFunction, Description("Get the current date")]
    public string Date() => System.DateTime.Now.ToString("dddd dd MMMM yyyy");
}

public class MyNewsPlugin
{
    [KernelFunction, Description("Gets the current news for the specified count")]
    public string GetNews(int count)
    {
        return "the ruble strengthened. An alien ship was found in the USA. It's a full moon today.";
    }
}

Результат:

1c45e6748e40cd765e635bbe1d156de5.png

RAG, Поисковая расширенная генерация

Попробуем заставить LLM искать информацию в наших данных (сделаем из него поисковик) т.е. реализуем RAG.

Как это выглядит:

  1. Индексируем данные

  2. Используем функцию для поиска данных (объект TextMemoryPlugin из Microsoft.SemanticKernel.Plugins.Memory)

Добавим в NuGet компоненты: SmartComponents.LocalEmbeddings.SemanticKernel, Microsoft.SemanticKernel.Plugins.Memory.

В коде мы добавили факты: "Иван живет в Москве"; "У Ивана есть три кота" и т.д. А так же добавили логирование вызова пользовательских функций.
Плагин для поиска в семантической памяти нам любезно предоставил мелкософт: TextMemoryPlugin.

RAG
#pragma warning disable SKEXP0001
#pragma warning disable SKEXP0050
#pragma warning disable SKEXP0070

using Microsoft.Extensions.DependencyInjection;
using Microsoft.SemanticKernel;
using Microsoft.SemanticKernel.Connectors.Ollama;
using Microsoft.SemanticKernel.Embeddings;
using Microsoft.SemanticKernel.Memory;
using Microsoft.SemanticKernel.Plugins.Memory;
using System.ComponentModel;

var modelId = "MY";
var url = "http://localhost:11434";

var builder = Kernel.CreateBuilder();
builder.AddLocalTextEmbeddingGeneration(); //для embeddingGenerator
builder.Services.AddOllamaChatCompletion(modelId, new HttpClient() { BaseAddress = new Uri(url) });
var kernel = builder.Build();

//Добавляем свои функции
kernel.Plugins.AddFromObject(new MyWeatherPlugin());
kernel.Plugins.AddFromType<MyTimePlugin>();
kernel.Plugins.AddFromObject(new MyNewsPlugin());

//===RAG
//семантическая память
var embeddingGenerator = kernel.Services.GetRequiredService<ITextEmbeddingGenerationService>();
var store = new VolatileMemoryStore();
var memory = new MemoryBuilder()
           .WithTextEmbeddingGeneration(embeddingGenerator)
           .WithMemoryStore(store)
           .Build();

//добавляем факты
const string CollectionName = "generic";
await memory.SaveInformationAsync(CollectionName, "Иван живет в Москве.", Guid.NewGuid().ToString(), "generic", kernel: kernel);
await memory.SaveInformationAsync(CollectionName, "У Ивана есть три кота.", Guid.NewGuid().ToString(), "generic", kernel: kernel);
await memory.SaveInformationAsync(CollectionName, "Семён живет в Питере.", Guid.NewGuid().ToString(), "generic", kernel: kernel);
await memory.SaveInformationAsync(CollectionName, "У Семёна есть три кота.", Guid.NewGuid().ToString(), "generic", kernel: kernel);
await memory.SaveInformationAsync(CollectionName, "Марина живет в Воркуте.", Guid.NewGuid().ToString(), "generic", kernel: kernel);
await memory.SaveInformationAsync(CollectionName, "У Марины есть две собаки.", Guid.NewGuid().ToString(), "generic", kernel: kernel);

//плагин поиска
kernel.Plugins.AddFromObject(new TextMemoryPlugin(memory));
//===RAG

//логирование вызовов функций
kernel.FunctionInvocationFilters.Add(new FunctionCallLoggingFilter()); 

//настраиваем ollama на запуск функций
var settings = new OllamaPromptExecutionSettings
{
    FunctionChoiceBehavior = FunctionChoiceBehavior.Auto(), //включаем плагины
    Temperature = 0
};

Console.Write("User: ");
string? input = null;
while ((input = Console.ReadLine()) is not null)
{
    var answer = await kernel.InvokePromptAsync(input, new(settings));

    Console.WriteLine("AI: " + string.Join("\n", answer));

    Console.Write("User: ");
}

//Плагины
public class MyWeatherPlugin
{
    [KernelFunction, Description("Gets the current weather for the specified city")]
    public string GetWeather(string _city)
    {
        return "very good in " + _city + "!";
    }
}

public class MyTimePlugin
{
    [KernelFunction, Description("Get the current day of week")]
    public string DayOfWeek() => System.DateTime.Now.ToString("dddd");

    [KernelFunction, Description("Get the current time")]
    public string Time() => System.DateTime.Now.ToString("HH 'hour' mm 'minutes'");

    [KernelFunction, Description("Get the current date")]
    public string Date() => System.DateTime.Now.ToString("dddd dd MMMM yyyy");
}

public class MyNewsPlugin
{
    [KernelFunction, Description("Gets the current news for the specified count")]
    public string GetNews(int count)
    {
        return "the ruble strengthened. An alien ship was found in the USA. It's a full moon today.";
    }
}

public class FunctionCallLoggingFilter : IFunctionInvocationFilter
{
    public async Task OnFunctionInvocationAsync(FunctionInvocationContext context, Func<FunctionInvocationContext, Task> next)
    {
        try
        {
            var values = "";
            foreach (var arg in context.Arguments.Names)
            {
                var val = context.Arguments[arg] == null ? "null" : context.Arguments[arg];
                values += $"{arg}: {val}; ";
            }

            Console.WriteLine($"call {context.Function.Name}: {values}");
        }
        catch
        {
            Console.WriteLine($"call {context.Function.Name}");
        }

        await next(context);
    }
}

Результат:

9f8113d68088edda7658b8a71b2f6c18.png
  1. Первый раз мы спросили "у кого есть три кота", ИИ начал поиск в семантической памяти с лимитом 1, и выдал Семёна.

  2. Второй раз мы принудительно указали параметры поиска у кого есть три кота? (( recall input='три кота' collection='generic' relevance=0.8 limit=1 )), с лимитом 1, что бы удостовериться, что этот запрос похож на первый.

  3. Третий раз мы принудительно указали лимит 2, что бы TextMemoryPlugin выдал нам список из 2 позиций, ...и тут что-то не так. ИИ должна была вывести Ивана и Семёна.

Оказалось что при выводе нескольких значений (а для этого используется json), в LLM возвращалась кривая строка с unicode последовательностями. Что-то типа такого: ["\u0423 \u0421\u0435\u043C\u0451\u043D\u0430 \u0435\u0441\u0442\u044C \u0442\u0440\u0438 \u043A\u043E\u0442\u0430.","\u0423 \u0418\u0432\u0430\u043D\u0430 \u0435\u0441\u0442\u044C \u0442\u0440\u0438 \u043A\u043E\u0442\u0430."]

Давайте сделаем свой аналог TextMemoryPlugin, который будет искать по всем коллекциям семантической памяти и выдавать корректный вывод. Тем более что исходники есть на гитхабе. Заодно раскрасим вывод.

MyTextMemoryPlugin
using Microsoft.SemanticKernel;
using Microsoft.SemanticKernel.Memory;
using System.ComponentModel;
using System.Diagnostics.CodeAnalysis;
using System.Text.Encodings.Web;
using System.Text.Json;

[Experimental("SKEXP0001")]
public sealed class MyTextMemoryPlugin
{
    private ISemanticTextMemory memory;

    public MyTextMemoryPlugin(ISemanticTextMemory memory)
    {
        this.memory = memory;
    }

    [KernelFunction, Description("Key-based lookup for a specific memory")]
    public async Task<string> RetrieveAsync(
        [Description("The key associated with the memory to retrieve")] string key,
        //[Description("Memories collection associated with the memory to retrieve")] string? collection = DefaultCollection,
        CancellationToken cancellationToken = default)
    {
        //ищем во всех коллекциях
        var collections = await this.memory.GetCollectionsAsync();
        foreach (var collection in collections)
        {
            var info = await this.memory.GetAsync(collection, key, cancellationToken: cancellationToken).ConfigureAwait(false);
            var result = info?.Metadata.Text;

            if (result != null)
                return result;
        }

        return string.Empty;
    }

    [KernelFunction, Description("Semantic search and return up to N memories related to the input text")]
    public async Task<string> RecallAsync(
        [Description("The input text to find related memories for")] string input,
        //[Description("Memories collection to search")] string collection = DefaultCollection,
        //[Description("The relevance score, from 0.0 to 1.0, where 1.0 means perfect match")] double? relevance = DefaultRelevance,
        [Description("The maximum number of relevant memories to recall")] int? limit = 3,
        CancellationToken cancellationToken = default)
    {
        var collections = await this.memory.GetCollectionsAsync();

        foreach (var collection in collections)
        {
            // Search memory
            List<MemoryQueryResult> memories = await this.memory
            .SearchAsync(collection, input, limit.Value, 0.9, cancellationToken: cancellationToken)
            .ToListAsync(cancellationToken)
            .ConfigureAwait(false);

            if (memories.Count == 1)
            {
                Console.ForegroundColor = ConsoleColor.Yellow;
                Console.WriteLine("RecallAsync: " + string.Join("\n", memories[0].Metadata.Text));
                return memories[0].Metadata.Text;
            }

            if (memories.Count > 1)
            {
                var opt = new JsonSerializerOptions { WriteIndented = true, Encoder = JavaScriptEncoder.Create(new TextEncoderSettings(System.Text.Unicode.UnicodeRanges.All)) };
                var t = JsonSerializer.Serialize(memories.Select(x => x.Metadata.Text), opt);
                Console.ForegroundColor = ConsoleColor.Yellow;
                Console.WriteLine("RecallAsync: " + string.Join("\n", t));
                return t;
            }
        }
        return string.Empty;
    }
}

Результат:

5fdc109ee3a0dcbd1a7387923005eb59.png

Можно использовать встроенный плагин TextMemoryPlugin, только правильно его настроить:

var opt = new JsonSerializerOptions { WriteIndented = true, Encoder = JavaScriptEncoder.Create(new TextEncoderSettings(System.Text.Unicode.UnicodeRanges.All)) };
kernel.Plugins.AddFromObject(new TextMemoryPlugin(memory, jsonSerializerOptions: opt));

Однако и тут есть проблемы. Если поставить версию компонентов (Microsoft.SemanticKernel, Microsoft.SemanticKernel.Connectors.Ollama, Microsoft.SemanticKernel.Plugins.Memory) выше 1.40.1 - логирование не работает. Мелкософт опять что-то сломали.

Другой очень заметный минус Microsoft Semantic Kernel: чем больше подключено функций-плагинов, тем тяжелее выполняется любой запрос. А ведь мы не хотим ограничиваться парой тройкой функций...

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

Пример с агентом определяющим необходимость вызова функции
#pragma warning disable SKEXP0001
#pragma warning disable SKEXP0050
#pragma warning disable SKEXP0070

using Microsoft.SemanticKernel;
using Microsoft.SemanticKernel.Connectors.Ollama;
using System.ComponentModel;

var modelId = "MY";
var url = "http://localhost:11434";

var builder = Kernel.CreateBuilder();
builder.AddLocalTextEmbeddingGeneration(); //для embeddingGenerator
builder.Services.AddOllamaChatCompletion(modelId, new HttpClient() { BaseAddress = new Uri(url) });
var kernel = builder.Build();

//"облегченное ядро"
var kernelLight = kernel.Clone();

//Добавляем свои функции в "основное ядро"
kernel.Plugins.AddFromObject(new MyWeatherPlugin());
kernel.Plugins.AddFromType<MyTimePlugin>();
kernel.Plugins.AddFromObject(new MyNewsPlugin());

//логирование вызовов функций
kernel.FunctionInvocationFilters.Add(new FunctionCallLoggingFilter());
kernelLight.FunctionInvocationFilters.Add(new FunctionCallLoggingFilter());

//определяем список всех доступных функций
var functions = "";
foreach (var plugin in kernel.Plugins)
{
    var items = plugin.Select(x => {
        //var param = x.Metadata.Parameters.Select(y => y.Name).ToArray();
        var param = x.Metadata.Parameters.Select(y =>
        {
            //если есть описание параметра - берем его, иначе - наименование параметра
            //return string.IsNullOrEmpty(y.Description) ? y.Name : y.Name + " - " + y.Description;
            return y.Name;
        }).ToArray();
        var result = param.Length == 0 ? x.Name : x.Name + "(" + string.Join(",", param) + ")";
        return result;
    }).ToArray();
    functions += string.Join(",", items) + ",";
}
functions = "[" + functions + "]";

//агент 
var functionNeedAgent = kernelLight.CreateFunctionFromPrompt(@$"ОПРЕДЕЛИ ПОДХОДИТ ЛИ ЗАПРОС ПОД ФУНКЦИИ: {functions}. 
    ЕСЛИ ДА - ВЕРНИ ТОЛЬКО: 'function:название;parameters:параметры в запросе' ИЛИ 'null'. 
    БОЛЬШЕ НИЧЕГО НЕ ВЫВОДИ.
    ПРИМЕР: 'function:GetWeather;parameters:-'.
    ЗАПРОС: '{{{{$user_input}}}}'");

//настраиваем ollama на запуск функций
var functionSettings = new OllamaPromptExecutionSettings
{
    FunctionChoiceBehavior = FunctionChoiceBehavior.Auto(autoInvoke:true), //включаем плагины
    Temperature = 0
};

//отключаем запуск функций
var defaultSettings = new OllamaPromptExecutionSettings
{
    FunctionChoiceBehavior = FunctionChoiceBehavior.None(), //отключаем плагины
    Temperature = 0.3f //добавим креативности
};

Console.ForegroundColor = ConsoleColor.Green;
Console.Write("User: ");

string? input = null;
while ((input = Console.ReadLine()) is not null)
{
    //проверка на необходимость вызова функции
    var answer = await functionNeedAgent.InvokeAsync(kernelLight, new() { ["user_input"] = input });

    Console.ForegroundColor = ConsoleColor.Yellow;
    Console.WriteLine("functionNeedAgent: " + string.Join("\n", answer));

    //если необходимо вызвать функцию - вызываем
    if (answer.ToString().Contains("function"))
    {
        answer = await kernel.InvokePromptAsync(input, new(functionSettings));
    } else
        answer = await kernel.InvokePromptAsync(input, new(defaultSettings));

    Console.ForegroundColor = ConsoleColor.White;
    Console.WriteLine("AI: " + string.Join("\n", answer));

    Console.ForegroundColor = ConsoleColor.Green;
    Console.Write("User: ");
}

//Плагины
public class MyWeatherPlugin
{
    [KernelFunction, Description("Gets the current weather for the specified city")]
    public string GetWeather(string _city)
    {
        return "very good in " + _city + "!";
    }
}

public class MyTimePlugin
{
    [KernelFunction, Description("Get the current day of week")]
    public string DayOfWeek() => System.DateTime.Now.ToString("dddd");

    [KernelFunction, Description("Get the current time")]
    public string Time() => System.DateTime.Now.ToString("HH 'hour' mm 'minutes'");

    [KernelFunction, Description("Get the current date")]
    public string Date() => System.DateTime.Now.ToString("dddd dd MMMM yyyy");
}

public class MyNewsPlugin
{
    [KernelFunction, Description("Gets the current news for the specified count")]
    public string GetNews(int count)
    {
        return "the ruble strengthened. An alien ship was found in the USA. It's a full moon today.";
    }
}

public class FunctionCallLoggingFilter : IFunctionInvocationFilter
{
    public async Task OnFunctionInvocationAsync(FunctionInvocationContext context, Func<FunctionInvocationContext, Task> next)
    {
        try
        {
            var values = "";
            foreach (var arg in context.Arguments.Names)
            {
                var val = context.Arguments[arg] == null ? "null" : context.Arguments[arg];
                values += $"{arg}: {val}; ";
            }

            Console.ForegroundColor = ConsoleColor.Red;
            Console.WriteLine($"call {context.Function.Name}: {values}");
        }
        catch
        {
            Console.ForegroundColor = ConsoleColor.Red;
            Console.WriteLine($"call {context.Function.Name}");
        }

        await next(context);
    }
}

Результат:

b94277e8818b3b6743528efd5bac71bb.png

Microsoft.Extensions.AI

После долгих поисков в ускорении Microsoft Semantic Kernel, наткнулся на примеры библиотеки, которую собственно использует этот самый Kernel. Установил дополнительный пакет Microsoft.Extensions.AI.Ollama и начал эксперименты... Простые ответы модели (не использующие функции) не стали зависеть от количества плагинов. Однако, на него я потратил много времени пытаясь выяснить: почему результат функции на русском языке передается модели с unicode последовательностями. Никакие ухищрения, как на примере выше с MyTextMemoryPlugin не помогают. Как оказалось этот пакет - устаревший, и больше не поддерживается. Visual Studio рекомендует использовать другой пакет OllamaSharp. Однако этот пакет необходимо для RAG (OllamaEmbeddingGenerator).

OllamaSharp

В сети есть проект https://github.com/awaescher/OllamaSharp который позволяет очень просто работать с Ollama. Устанавливаем пакет OllamaSharp в NuGet. Смотрим как использовать Function Calling https://awaescher.github.io/OllamaSharp/docs/tool-support.html.

Пример с вызовом функций
using OllamaSharp;

var ollama = new OllamaApiClient("http://localhost:11434", "MY:latest");

//доступные функции
List<object> Tools = [new GetWeatherTool(), new DateTool()];

var chat = new Chat(ollama);
while (true)
{
    Console.Write("User: ");
    var message = Console.ReadLine();

    Console.Write("AI: ");
    //передаем сообщение и наши функции
    await foreach (var answerToken in chat.SendAsync(message, Tools))
        Console.Write(answerToken);

    Console.WriteLine();
}

Функции в отдельном файле SampleTools.cs (namespace обязателен):

namespace OllamaSharp;

public static class SampleTools
{
    //обязательные комментарии
    //из них генератор будет брать описание функций для модели

    /// <summary>
    /// Get the current weather for a city
    /// </summary>
    /// <param name="city">Name of the city</param>
    [OllamaTool]
    public static string GetWeather(string city) => $"It's cold at only 6° in {city}.";

    /// <summary>
    /// Get the current date
    /// </summary>
    [OllamaTool] 
    public static string Date() => System.DateTime.Now.ToString("dddd dd MMMM yyyy");
}

При вводе текста без знаков препинания, без вопросительных и восклицательных знаков — всё ок. Но стОит только ввести в конце вопросительный знак, либо использовать буквы в верхнем регистре — модель обращается к функциям, и ведет себя неадекватно. Как победить эту проблему - пока не ясно.

Пример неадекватности:

User: как тебя зовут
AI: Я – JARVIS.

Второй пример:
User: Как тебя зовут?
AI: Теплое сообщение: <tool_response>

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

Microsoft.Extensions.AI + OllamaSharp

Реализуем сразу и Function Calling, и RAG (аналог мелкософтовского TextMemoryPlugin).

Скрытый текст
using Microsoft.Extensions.AI;
using OllamaAITest;
using OllamaSharp;
using System.ComponentModel;
using System.Numerics.Tensors;

var ollamaClient = new OllamaApiClient(new Uri("http://localhost:11434"), "MY");

IChatClient chatClient = new ChatClientBuilder(ollamaClient)
    //.UseFunctionInvocation() //автозапуск функций отключим, мы будем вручную запускать функции
    //.UseDistributedCache(new MemoryDistributedCache(Options.Create(new MemoryDistributedCacheOptions()))) //кэш результатов отключим, нам нужны свежие результаты
    .Use(async (chatMessages, options, nextAsync, cancellationToken) =>
     {
         await nextAsync(chatMessages, options, cancellationToken);
     })
    .Build();


//генератор векторов
OllamaEmbeddingGenerator ollamaEmbeddingGenerator = new(new Uri("http://localhost:11434"), "MY");

//настройка генерации
var opt = new EmbeddingGenerationOptions()
{
    ModelId = "MY",
    AdditionalProperties = new()
    {
        ["Temperature"] = "0"
    },
};

//факты
string[] facts = [
    "Иван живет в Москве",
    "У Ивана есть три кота",
    "Семён живет в Питере",
    "У Семёна есть три кота",
    "Марина живет в Воркуте",
    "У Марины есть две собаки",
    ];

//генерируем вектора из фактов
var factsEmbeddings = await ollamaEmbeddingGenerator.GenerateAndZipAsync(facts, opt);

//настройка чата
ChatOptions options = new ChatOptions();
options.ToolMode = AutoChatToolMode.Auto;
options.Tools = [
    AIFunctionFactory.Create(GetWeather),
    AIFunctionFactory.Create(DayOfWeek),
    AIFunctionFactory.Create(Time),
    AIFunctionFactory.Create(Date),
    AIFunctionFactory.Create(Recall)
    ];

//история
List<ChatMessage> chatHistory = new();

string answer = "";
bool lastWasTool = false;
do
{
    if (!lastWasTool)
    {
        Console.ForegroundColor = ConsoleColor.Green;
        Console.Write("User: ");
        var userMessage = Console.ReadLine();
        chatHistory.Add(new ChatMessage(ChatRole.User, userMessage));
    }

again:
    var response = await chatClient.GetResponseAsync(chatHistory, options);
    if (response == null)
    {
        Console.WriteLine("No response from the assistant");
        continue;
    }

    foreach (var message in response.Messages)
    {
        chatHistory.Add(message);

        FunctionCallContent[] array = response.Messages.FirstOrDefault().Contents.OfType<FunctionCallContent>().ToArray();
        if (array.Length > 0)
        {
            await ProcessToolRequest(message, chatHistory);
            lastWasTool = true;
        }
    }

    if (lastWasTool)
    {
        lastWasTool = false;
        goto again;
    } else
    {
        answer = string.Join(string.Empty, response.Messages.Select(m => m.Text));
        Console.ForegroundColor = ConsoleColor.White;
        Console.WriteLine($"AI: {answer}");

        chatHistory.Clear();//очищаем
    }

} while (true);

async Task ProcessToolRequest(
    ChatMessage completion,
    IList<ChatMessage> prompts)
{
    foreach (var toolCall in completion.Contents.OfType<FunctionCallContent>())
    {
        //AIFunction aIFunction = options.Tools.OfType<AIFunction>().FirstOrDefault((AIFunction t) => t.Name == toolCall.Name);

        AIFunction aIFunction = options.Tools.OfType<AIFunction>().FirstOrDefault((AIFunction t) => t.Name.Contains(toolCall.Name.Replace("__Main___g__", ""))); //__Main___g__

        var functionName = toolCall.Name;
        var arguments = new AIFunctionArguments(toolCall.Arguments);

        var callLog = string.Join("; ", arguments.Select(x => x.Key.ToString() +": " + x.Value?.ToString() + " ").ToArray());
        Console.ForegroundColor = ConsoleColor.Red;
        Console.WriteLine("Call: " + functionName + " " + callLog);

        if (aIFunction == null) continue;
        var result = await aIFunction.InvokeAsync(arguments);

        Console.ForegroundColor = ConsoleColor.Yellow;
        Console.WriteLine("Call result: " + string.Join("\n", result));

        ChatMessage responseMessage = new(ChatRole.Tool,
            [
                new FunctionResultContent(toolCall.CallId, result)
            ]);

        prompts.Add(responseMessage);
    }
}

//функции

[Description("Gets the current weather for the specified city")]
[return: Description("The current weather")]
string GetWeather([Description("The city")]  string _city)
{
    return "The weather in " + _city + " is 30 degrees and sunny.";
}

[Description("Get the day of week")]
string DayOfWeek() => System.DateTime.Now.ToString("dddd", new System.Globalization.CultureInfo("en-EN"));

[Description("Get the time")]
string Time() => System.DateTime.Now.ToString("HH 'hour' mm 'minutes'", new System.Globalization.CultureInfo("en-EN"));

[Description("Get the date")]
string Date() => System.DateTime.Now.ToString("dddd dd MMMM yyyy", new System.Globalization.CultureInfo("en-EN"));

[Description("Search the memory for a given query.")]
[return: Description("Collection of text search result")]
async Task<List<string>> Recall([Description("The query to search for.")] string query)
{
    //настройка генерации
    var o = new EmbeddingGenerationOptions()
    {
        ModelId = "MY",
        AdditionalProperties = new()
        {
            ["Temperature"] = "0"
        },
    };

    //генерируем вектор из запроса
    var userEmbedding = await ollamaEmbeddingGenerator.GenerateAsync(query, o);

    //производим поиск из запроса среди фактов
    var topMatches = factsEmbeddings
        //формируем список
        .Select(candidate => new
        {
            Text = candidate.Value,
            Similarity = TensorPrimitives.CosineSimilarity(candidate.Embedding.Vector.Span, userEmbedding.Vector.Span)
        })
        //relevance - отсекаем слабые совпадения
        /*
        .Where(x => {
            return x.Similarity >= 0.92f;
        })
        */
        //сортируем - сначала самые релевантные
        .OrderByDescending(match => match.Similarity)
        //limit - ограничиваем количество
        .Take(3);

    var result = topMatches.Select(x => x.Text).ToList<string>();

    return result;
}

Результат:

fa1639cd09fb2dd8c53f6d27b16ffe02.png

По итогу: первым у нас выполняется генерация векторов фактов, в пределах 3 секунд. Далее, при вводе любого запроса к модели, ей передается информация по всем доступным функциям (json описание). Это самое длительное действие - около 20 секунд. Далее любой запрос, в том числе когда модель выполняет функцию - от 3 до 7 секунд. Неплохо для неразогнанного Intel Core i7-3770K из далёкого 2012 года.

Для лучшего понимания того, как происходит общение с моделью, можно поставить точку останова на chatHistory.Clear():

  1. [user] Text = "у кого есть три кота" добавляем запрос пользователя в историю чата. Запускаем инфер истории чата.

  2. [assistant] FunctionCall = 3a5d650f, Main_g__Recall_7([query, У кого есть три кота?]) модель анализирует запрос, формирует и передает нам json с заполненными полями. Формируется уникальный номер запуска функции. Мы эту функцию запускаем. А так же добавляем результат в историю чата.

  3. [tool] FunctionResult = 3a5d650f, [ "У Семёна есть три кота", "Семён живет в Питере", "У Ивана есть три кота"] добавляем результат функции с ее уникальным номером в историю чата. Запускаем инфер истории чата.

  4. [assistant] Text = "Итак, у Семёна и у Ивана по три кота." модель выдает результат после анализа п.1 и п.3.

Итого: обычный запрос - 1 инфер. Запрос с выполнением функции - 2 инфера моделью.

Попробуем добавить что-то посложнее, например плагин добавляющий напоминания. Для вывода списка со своей структурой (MyEvent), необходимо не забыть дописать методы доступа к внутренним полям структуры{ get; set; }, иначе модель получит пустой список.

MyEventPlugin
using System.ComponentModel;

namespace OllamaAITest
{
    public class MyEventPlugin
    {
        public class MyEvent
        {
            public string description { get; set; }
            public DateTime time { get; set; }
        }

        List<MyEvent> events = new List<MyEvent>();

        [Description("Sets an alarm at the specified time with format 'hour:minut' and specified exact description")]
        public string SetEvent(string time, string? description)
        {
            foreach (var item in events)
            {
                //переписываем описание
                if (item.time.Equals(time))
                {
                    item.description = description;
                    return $"Event updated by description";
                }

                if (item.description.Equals(description))
                {
                    item.time = DateTime.Parse(time);
                    return $"Event updated by time";
                }
            }
            //ничего не нашлось - добавляем
            events.Add(new MyEvent() { time = DateTime.Parse(time), description = description });
            return $"Event set for time: {time}";
        }

        [Description("Remove one Event at the provided specified time with format 'hour:minut' or specified description")]
        public string RemoveEvent(string time, string? description)
        {
            var deleteCount = 0;
            var index = 0;
            while (index < events.Count)
            {
                var item = events[index];
                if (item.time.Equals(time) || item.description.Equals(description))
                {
                    events.RemoveAt(index);
                    deleteCount++;
                }
                else
                {
                    index++;
                }
            }

            if (deleteCount > 0) return $"Droped {deleteCount} Events";

            return $"Nothing deleted";
        }

        [Description("Remove all Events")]
        public string RemoveAllEvents()
        {
            events.Clear();
            return $"All Event is dropped";
        }

        [Description("List all Events")]
        [return: Description("Events with description and datetime")]
        public List<MyEvent> ListEvents()
        {
            return events;
        }
    }
}

А теперь добавим в Program.cs:

var events = new MyEventPlugin();

//настройка чата
ChatOptions options = new ChatOptions();
options.ToolMode = AutoChatToolMode.Auto;
options.Tools = [
    ...
    //ага вот эти ребята
    AIFunctionFactory.Create(events.SetEvent),
    AIFunctionFactory.Create(events.ListEvents),
    AIFunctionFactory.Create(events.RemoveEvent),
    AIFunctionFactory.Create(events.RemoveAllEvents),
    ];

Результат:

f4c73d5ef41d4949523391dbc288ef59.png

Итого

Дорогой дневник, мне не передать ту боль и страдания, которые я перенёс... Работа с урезанной версией LLM полна страданий. Модель понимает только очень простые вещи. Если плохо понимает на русском языке - необходимо переходить на английский. Модель внезапно может быть очень болтливой. Любой лишний символ в описании функции может поломать диалог с моделью. Добавление новой функции может повлиять на работу ранее добавленных функций. Чем больше функций - тем медленнее первый ответ. Модель не поддерживает тип DateTime в функциях (вернее конвертор json внутри компонента работы с моделью). Да и любые другие типы кроме string и int прибавят вам головной боли.

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

Да, нам не удалось сделать полноценного AI-ассистента. В данном случае модель выполняет в основном функцию оператора if then else, часто с нестабильным результатом.

Если нужен рабочий вариант: это n8n + полноценные LLM.

n8n
n8n

Алиса, отбой.

Источник

  • 30.07.25 03:52 tomcooper0147

    Agent Jasmine Lopez helped me recover nearly £502,000 in USDC from a crypto scam. When I lost the funds, I felt hopeless, but her expertise in blockchain and dedication made all the difference. She skillfully traced complex transactions and tracked down the scammers, which would have been impossible for me to do on my own. Thanks to her tireless efforts, I was able to recover a significant portion of my lost crypto. If you've fallen victim to a similar scam, I highly recommend reaching out to her. You can contact her via email at [Recoveryfundprovider {at }gmail COM.] or WhatsApp at {44 736-644-5035}. Her attention to detail and commitment to her work are truly impressive. Don't hesitate to reach out – her expertise could be the key to recovering your lost funds.

  • 30.07.25 13:14 benjudge

    Losing crypto feels awful. I know. I've been there. It left me feeling hopeless. I tried everything to get my stolen Ethereum back. Nothing worked. Then I found someone who knew what they were doing. Sylvester Bryant helped me recover my USDC. He was so open and professional. No fake promises. Just real help when I needed it. If you are in the same situation, I highly recommend him. You can contact him. Email: yt7cracker@ gmail . com WhatsApp: +1 (512) 577-7957 Don't give up. You can recover your funds.

  • 30.07.25 16:39 star1121

    Losing XRP to a scammer feels awful. It's a gut punch, leaving you shocked and often feeling foolish. Many people face this harsh reality. XRP scams are sadly common. Knowing how to get your stolen XRP back is vital for victims. Scammers use tricky methods to steal your XRP. They might use fake websites, lie about giveaways, or pretend to be trusted sources. These tricks are often very clever. They make it hard for anyone to spot the danger.Marie shows you what to do. reach her([email protected] and telegram:@Marie_consultancy)

  • 30.07.25 18:24 Aurelia67

    Specialist in recovery of any kind, they can help you spy on anyone on this earth and get information from anywhere at all, [email protected] is group of specialists in delivering jobs like this without stress all they need is the necessary information to get what you need, they are also available on Whatsapp +14106350697 to deliver.

  • 30.07.25 19:25 patrickben

    I lost $76,866.43 in usdt from my coinbase account. Later on, I came across an article on Bitcoin Abuse Forum and Darek Recovery was recommended. I contacted him via email on [email protected] and he helped me recover all my stolen funds. You can reach out to him. He could help you track them and hopefully recover your lost funds too.

  • 30.07.25 23:17 meghanmarkle1998

    I recently fell victim to a cryptocurrency scam, losing $100,000 amount of bitcoins. In my desperate search for a reliable recovery solution, I came across Spikes Assets Recovery. Skeptical at first, I decided to reach out to them via email at [email protected] and Yahoo at [email protected]. To my surprise, their team was not only responsive but also demonstrated a high level of expertise and professionalism. They guided me through the recovery process step by step, ensuring I understood each stage. Their fast and efficient services surpassed my expectations. Thanks to Spikes Assets Recovery, I was able to reclaim 100% of my lost funds. Their commitment to helping victims of cryptocurrency scams sets them apart in an industry plagued by fraudulent recovery firms. I highly recommend their services to anyone facing a similar situation.

  • 31.07.25 00:17 star1121

    Marie recovered almost £502,000 in USDC from a crypto scam. Her knowledge of blockchain and hard work were essential. She tracked tricky money movements. She found the scammers. This recovery would have been impossible alone. She worked hard to get back most of the lost crypto. Contact her at ([email protected] or WhatsApp +1 7127594675 and telegram:@Marie_consultancy) for help with scams.

  • 31.07.25 00:31 Corinjack18

    For cryptocurrency recovery, get in touch with Wizard James Recovery Company. I'm here to share my experience with you all because this is the best crypto recovery firm I've ever come across. My cryptocurrency funds were successfully recovered from my crypto investment platform's frozen account by Wizard James Recovery Company. James and his team recovered the $218,000 I lost in cryptocurrencies within 72 hours. I sincerely appreciate their assistance and expert service. Because Wizard James Recovery is so dependable and trustworthy, you may put your trust in them. Here is their contact information. ([email protected]) is the email address. The What's App number is +447418367204.

  • 31.07.25 00:32 Corinjack18

    For cryptocurrency recovery, get in touch with Wizard James Recovery Company. I'm here to share my experience with you all because this is the best crypto recovery firm I've ever come across. My cryptocurrency funds were successfully recovered from my crypto investment platform's frozen account by Wizard James Recovery Company. James and his team recovered the $218,000 I lost in cryptocurrencies within 72 hours. I sincerely appreciate their assistance and expert service. Because Wizard James Recovery is so dependable and trustworthy, you may put your trust in them. Here is their contact information. ([email protected]) is the email address. The What's App number is +447418367204.

  • 31.07.25 01:05 star1121

    It would have been impossible for Marie to recover nearly £502,000 in USDC from a cryptocurrency scam without her hard work and blockchain expertise. She tracked complex money movements and identified the scammers, recovering the majority of the lost cryptocurrency. For assistance with scams, reach her at [email protected] or via WhatsApp at +1 7127594675 and telegram at @Marie_consultancy.

  • 31.07.25 01:08 Moises Velez

    I believe that there are individuals who have lost their crypto one way or the other. I strongly advise that you don't seek help recovering it online because you are likely going to meet a scammer who will steal more of your funds in an attempt to help you recover your lost crypto. I personally have used recoveryhacker101 when I had to recover my bitcoin stolen by scammers. You can contact this legit recovery firm by email (recoveryhacker101@gmailcom).

  • 31.07.25 01:37 tomcooper0147

    Agent Jasmine Lopez helped me recover nearly £502,000 in USDC from a crypto scam. When I lost the funds, I felt hopeless, but her expertise in blockchain and dedication made all the difference. She skillfully traced complex transactions and tracked down the scammers, which would have been impossible for me to do on my own. Thanks to her tireless efforts, I was able to recover a significant portion of my lost crypto. If you've fallen victim to a similar scam, I highly recommend reaching out to her. You can contact her via email at [Recoveryfundprovider {at }gmail COM.] or WhatsApp at {44 736-644-5035}. Her attention to detail and commitment to her work are truly impressive. Don't hesitate to reach out – her expertise could be the key to recovering your lost funds.

  • 31.07.25 01:41 star1121

    It would have been impossible for Marie to recover nearly £502,000 in USDC from a cryptocurrency scam without her hard work and blockchain expertise. She tracked complex money movements and identified the scammers, recovering the majority of the lost cryptocurrency. For assistance with scams, reach her at [email protected] or via WhatsApp at +1 7127594675 and telegram at @Marie_consultancy.

  • 31.07.25 01:52 Moises Velez

    I'm writing this to inform people about Recovery Hacker101 Agency. Look no farther if you ever require hacking services. I lost about $310,000 USD in bitcoin, which put me in a tight spot. I was inconsolable and believed that I had reached my lowest moment, with no possibility of getting my money back. Everything changed drastically when I discovered Recovery Hacker101 Agency. The company intervened and promptly helped me get my full refund. Their services are highly recommended, and they promise the utmost satisfaction to their clientele. Use [email protected] to contact them.

  • 31.07.25 02:48 tomcooper0147

    Agent Jasmine Lopez helped me recover thousands of GBP in USDC from a crypto scam. When I lost the funds, I felt hopeless, but her expertise in blockchain and dedication made all the difference. She skillfully traced complex transactions and tracked down the scammers, which would have been impossible for me to do on my own. Thanks to her tireless efforts, I was able to recover a significant portion of my lost crypto. If you've fallen victim to a similar scam, I highly recommend reaching out to her. You can contact her via email at [Recoveryfundprovider {at }gmail COM.] or WhatsApp at {44 736-644-5035}. Her attention to detail and commitment to her work are truly impressive. Don't hesitate to reach out – her expertise could be the key to recovering your lost funds.

  • 31.07.25 02:49 tomcooper0147

    Agent Jasmine Lopez helped me recover thousands of GBP in USDC from a crypto scam. When I lost the funds, I felt hopeless, but her expertise in blockchain and dedication made all the difference. She skillfully traced complex transactions and tracked down the scammers, which would have been impossible for me to do on my own. Thanks to her tireless efforts, I was able to recover a significant portion of my lost crypto. If you've fallen victim to a similar scam, I highly recommend reaching out to her. You can contact her via email at [Recoveryfundprovider {at }gmail COM.] or WhatsApp at {44 736-644-5035}. Her attention to detail and commitment to her work are truly impressive. Don't hesitate to reach out – her expertise could be the key to recovering your lost funds.

  • 31.07.25 03:01 herbie1121

    The promise of cryptocurrency, especially XRP, draws in many people. It brings in both careful investors and bad actors. XRP's speed and decentralized design are appealing. Unfortunately, thieves can also use these features to their advantage. Losing cryptocurrency to theft causes instant panic. This is a harsh reality for many. Tracing stolen XRP can be tough, but it's not impossible. Acting fast can greatly boost your chances of getting funds back or finding out who took them. Don't give up hope,reach out to Marie she can aid ,reach her ([email protected] and whatsapp:+1 7127594675 and telegram:@Marie_consultancy)

  • 31.07.25 03:10 tomcooper0147

    Agent Jasmine Lopez helped me recover thousands of GBP in USDC from a crypto scam. When I lost the funds, I felt hopeless, but her expertise in blockchain and dedication made all the difference. She skillfully traced complex transactions and tracked down the scammers, which would have been impossible for me to do on my own. Thanks to her tireless efforts, I was able to recover a significant portion of my lost crypto. If you've fallen victim to a similar scam, I highly recommend reaching out to her. You can contact her via email at [Recoveryfundprovider {at }gmail COM.] or WhatsApp at {44 736-644-5035}. Her attention to detail and commitment to her work are truly impressive. Don't hesitate to reach out – her expertise could be the key to recovering your lost funds.

  • 31.07.25 07:26 Edie Alex

    How to Hire the Best Crypto Recovery Expert — CONSULT HACKRONTECH RECOVERY HACKER Investors are becoming increasingly concerned about the possibility of losing money in the ever-changing world of cryptocurrencies due to a variety of issues like hacking, frauds, or basic human mistake. Selecting a trustworthy and knowledgeable crypto recovery specialist becomes crucial in such risky circumstances. HACKRONTECH RECOVERY HACKER is a well-known American company that stands out for its proficiency, impressive client success rate, and positive customer feedback. How can I recover my stolen bitcoin from an investment scam? What is the best recovery company to help me recover my stolen Bitcoins? How to Hire a Hacker to Recover Stolen Crypto/Bitcoin? Can a hacked crypto be recovered? Yes, Go to HACKRONTECH RECOVERY HACKER Best Cryptocurrency Recovery Company info: Email address.... ( [email protected] )

  • 31.07.25 07:50 tomcooper0147

    Agent Jasmine Lopez helped me recover thousands of GBP in USDC from a crypto scam. When I lost the funds, I felt hopeless, but her expertise in blockchain and dedication made all the difference. She skillfully traced complex transactions and tracked down the scammers, which would have been impossible for me to do on my own. Thanks to her tireless efforts, I was able to recover a significant portion of my lost crypto. If you've fallen victim to a similar scam, I highly recommend reaching out to her. You can contact her via email at [Recoveryfundprovider {at }gmail COM.] or WhatsApp at {44 736-644-5035}. Her attention to detail and commitment to her work are truly impressive. Don't hesitate to reach out – her expertise could be the key to recovering your lost funds.

  • 31.07.25 08:01 VeresneIren00

    Are you saddened or depressed due to the separation /Misunderstanding with your partner and you want him / her back ? Are you tired of arguing and fighting ? Are you looking for permanent solution to your marriage or relationship problem , if your answer is " YES " don't hesitate to message he helped me get my ex lover back, his Spells are authentic, My Lover is right beside me now we are happy together WhatsApp: +12897808858 https://www.facebook.com/Drrobbinson [email protected]

  • 31.07.25 14:50 Moises Velez

    I fell victim to a bitcoin fraud two months ago, where a scammer took $124,700 from my Cash App account. I was devastated. I made an independent attempt to retrieve it. I went online and read articles about getting my bitcoin back, but things did not work out. I tried searching YouTube to see if anyone has discussed recovering one's finds, but it didn't work out either. As part of my study, I read reviews on Recovery Hacker101 about how they have assisted numerous people in getting their bitcoins back and how many people have recommended them to others. I contacted them right away, gave them my story, and they promised to assist me in getting my Bitcoin back. I chose to try them, and they performed an excellent job; after a few days, all of my money was returned to my new wallet account. I'm writing to let people know that they can open a case with the Recovery Hacker101 at recoveryhacker101(at)gmail(dot)com if they've experienced similar problems. I was fortunate enough to avoid what could have financially devastated me; you may do the same.

  • 31.07.25 16:01 herbie1121

    The world of digital assets opens up huge chances for many, but it also has big risks. Scams targeting people who use stablecoins like USDC are a rising worry. Knowing how to spot these scams, report them fast, and work through the tough process of getting lost money back is key to keeping your investments safe. Marie guide gives a full map for anyone who has been tricked by USDC fraud.reach her ([email protected] and whatsapp:+1 7127594675 or telegram:@Marie_consultancy)

  • 31.07.25 16:44 tomcooper0147

    Agent Jasmine Lopez helped me recover thousands of GBP in USDC from a crypto scam. When I lost the funds, I felt hopeless, but her expertise in blockchain and dedication made all the difference. She skillfully traced complex transactions and tracked down the scammers, which would have been impossible for me to do on my own. Thanks to her tireless efforts, I was able to recover a significant portion of my lost crypto. If you've fallen victim to a similar scam, I highly recommend reaching out to her. You can contact her via email at [Recoveryfundprovider {at }gmail COM.] or WhatsApp at {44 736-644-5035}. Her attention to detail and commitment to her work are truly impressive. Don't hesitate to reach out – her expertise could be the key to recovering your lost funds.

  • 01.08.25 02:21 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

  • 01.08.25 02:22 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

  • 01.08.25 02:22 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

  • 01.08.25 04:46 victoriasmith

    HOW TO RECLAIM STOLEN CRYPTO WITH FASTFUND RECOVERY.

  • 01.08.25 04:47 victoriasmith

    HOW TO RECLAIM STOLEN CRYPTO WITH FASTFUND RECOVERY. My Cryptocurrency Was Stolen – How FASTFUND RECOVERY Saved Me. My name is Victoria Smith from New York, and I want to share my experience in hopes it helps someone going through the same nightmare I went through. A few months ago, I lost access to my cryptocurrency wallet after falling victim to a sophisticated scam. In a matter of hours, over $650,000 worth of crypto vanished. I was devastated. I reported the case to my exchange and even filed a complaint with the authorities, but there was little progress. It felt like everything I had worked hard for was gone. While searching online for possible solutions, I came across FASTFUND RECOVERY. Something about their approach gave me confidence, so I decided to take a chance. From the very first conversation, they were reassuring and extremely knowledgeable about blockchain investigations and asset recovery. They immediately got to work, tracking the movement of my stolen funds across multiple wallets. To my surprise, within a few weeks, they successfully traced and recovered my cryptocurrency. When I finally saw my assets restored, I was beyond relieved—it felt like a miracle. Thanks to FASTFUND RECOVERY, I got my life back. If you’ve lost crypto to fraud or hacking, don’t give up hope. Contact them. Gmail: Fastfundrecovery8 @ gmail com. W/app: 1 (807)500-7554 To get your funds back like I did. Victoria Smith.

  • 01.08.25 09:40 lily1121

    Digital assets offer many opportunities but also carry risks. Stablecoin scams, like those involving USDC, are a growing problem. It's crucial to identify these scams, report them quickly, and seek help to recover stolen funds. Marie offers guidance for victims of USDC fraud or any crypto. You can contact her at [email protected], via WhatsApp at +1 7127594675, or on Telegram as @Marie_consultancy.

  • 01.08.25 10:11 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 Call/Text: +1 (336) 390-6684 Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 01.08.25 10:11 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 Call/Text: +1 (336) 390-6684 Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 01.08.25 16:14 harrisoncooper450

    Best Cryptocurrency Recovery Expert in 2025: META TECH RECOVERY PRO The consters operate in various schemes, but their target is to rip you off your hard-earned funds. The first mistake I made was thinking I could multiply my income by investing in cryptocurrency. I fell for a popular investment scam and was swindled out of $1,180,000 in USDT and Bitcoin. After a few weeks, I came across a pop-up ad while surfing the internet about an ethical hacking and recovery law firm called META_TECH_RECOVERY_PRO. I inquired about their services and if they could help me recover my lost USDT and Bitcoin. I was doubtful about it at first, but I am eager and desperate because the money I invested in this Ponzi scheme belongs to my associates. I don't regret reaching out to META_TECH_RECOVERY_PRO. In a space of 48 hours, META_TECH_RECOVERY_PRO was able to recover all of my money lost to crypto scammers. They are the best Bitcoin recovery team out there: For help, you can contact them via: - M e t a t e c h @ W r i t e m e. C o m -T e l e g r a m: @ m e t a t e c h r e c o v e r y p o t e a m - W / S: +1 ( 4 6 9 ) 6 9 2 - 8 0 4 9 Thank you.

  • 01.08.25 16:14 harrisoncooper450

    Best Cryptocurrency Recovery Expert in 2025: META TECH RECOVERY PRO The consters operate in various schemes, but their target is to rip you off your hard-earned funds. The first mistake I made was thinking I could multiply my income by investing in cryptocurrency. I fell for a popular investment scam and was swindled out of $1,180,000 in USDT and Bitcoin. After a few weeks, I came across a pop-up ad while surfing the internet about an ethical hacking and recovery law firm called META_TECH_RECOVERY_PRO. I inquired about their services and if they could help me recover my lost USDT and Bitcoin. I was doubtful about it at first, but I am eager and desperate because the money I invested in this Ponzi scheme belongs to my associates. I don't regret reaching out to META_TECH_RECOVERY_PRO. In a space of 48 hours, META_TECH_RECOVERY_PRO was able to recover all of my money lost to crypto scammers. They are the best Bitcoin recovery team out there: For help, you can contact them via: - M e t a t e c h @ W r i t e m e. C o m -T e l e g r a m: @ m e t a t e c h r e c o v e r y p o t e a m - W / S: +1 ( 4 6 9 ) 6 9 2 - 8 0 4 9 Thank you.

  • 01.08.25 16:15 harrisoncooper450

    Best Cryptocurrency Recovery Expert in 2025: META TECH RECOVERY PRO The consters operate in various schemes, but their target is to rip you off your hard-earned funds. The first mistake I made was thinking I could multiply my income by investing in cryptocurrency. I fell for a popular investment scam and was swindled out of $1,180,000 in USDT and Bitcoin. After a few weeks, I came across a pop-up ad while surfing the internet about an ethical hacking and recovery law firm called META_TECH_RECOVERY_PRO. I inquired about their services and if they could help me recover my lost USDT and Bitcoin. I was doubtful about it at first, but I am eager and desperate because the money I invested in this Ponzi scheme belongs to my associates. I don't regret reaching out to META_TECH_RECOVERY_PRO. In a space of 48 hours, META_TECH_RECOVERY_PRO was able to recover all of my money lost to crypto scammers. They are the best Bitcoin recovery team out there: For help, you can contact them via: - M e t a t e c h @ W r i t e m e. C o m -T e l e g r a m: @ m e t a t e c h r e c o v e r y p o t e a m - W / S: +1 ( 4 6 9 ) 6 9 2 - 8 0 4 9 Thank you.

  • 01.08.25 16:29 kathygrand

    If you've been scammed, gather evidence and contact a recovery specialist like Darek Recoverys, who can help recover funds within 24 hours and provide counseling and financial support. Their email is [email protected]

  • 01.08.25 17:31 lily1121

    The world of digital assets opens up huge chances for many, but it also has big risks. Scams targeting people who use stablecoins like USDC are a rising worry. Knowing how to spot these scams, report them fast, and work through the tough process of getting lost money back is key to keeping your investments safe. Marie guide gives a full map for anyone who has been tricked by USDC fraud.reach her ([email protected] and whatsapp:+1 7127594675 or telegram:@Marie_consultancy)

  • 01.08.25 20:14 patrickben

    I lost $76,866.43 in usdt from my coinbase account. Later on, I came across an article on Bitcoin Abuse Forum and Darek Recovery was recommended. I contacted him via email on [email protected] and he helped me recover all my stolen funds. You can reach out to him. He could help you track them and hopefully recover your lost funds too.

  • 02.08.25 02:32 wendytaylor015

    My name is Wendy Taylor, I'm from Los Angeles, i want to announce to you Viewer how Capital Crypto Recover help me to restore my Lost Bitcoin, I invested with a Crypto broker without proper research to know what I was hoarding my hard-earned money into scammers, i lost access to my crypto wallet or had your funds stolen? Don’t worry Capital Crypto Recover is here to help you recover your cryptocurrency with cutting-edge technical expertise, With years of experience in the crypto world, Capital Crypto Recover employs the best latest tools and ethical hacking techniques to help you recover lost assets, unlock hacked accounts, Whether it’s a forgotten password, Capital Crypto Recover has the expertise to help you get your crypto back. a security company service that has a 100% success rate in the recovery of crypto assets, i lost wallet and hacked accounts. I provided them the information they requested and they began their investigation. To my surprise, Capital Crypto Recover was able to trace and recover my crypto assets successfully within 24hours. Thank you for your service in helping me recover my $647,734 worth of crypto funds and I highly recommend their recovery services, they are reliable and a trusted company to any individuals looking to recover lost money. Contact email [email protected] OR Telegram @Capitalcryptorecover Call/Text Number +1 (336)390-6684 his contact: [email protected] His website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 02.08.25 02:32 wendytaylor015

    My name is Wendy Taylor, I'm from Los Angeles, i want to announce to you Viewer how Capital Crypto Recover help me to restore my Lost Bitcoin, I invested with a Crypto broker without proper research to know what I was hoarding my hard-earned money into scammers, i lost access to my crypto wallet or had your funds stolen? Don’t worry Capital Crypto Recover is here to help you recover your cryptocurrency with cutting-edge technical expertise, With years of experience in the crypto world, Capital Crypto Recover employs the best latest tools and ethical hacking techniques to help you recover lost assets, unlock hacked accounts, Whether it’s a forgotten password, Capital Crypto Recover has the expertise to help you get your crypto back. a security company service that has a 100% success rate in the recovery of crypto assets, i lost wallet and hacked accounts. I provided them the information they requested and they began their investigation. To my surprise, Capital Crypto Recover was able to trace and recover my crypto assets successfully within 24hours. Thank you for your service in helping me recover my $647,734 worth of crypto funds and I highly recommend their recovery services, they are reliable and a trusted company to any individuals looking to recover lost money. Contact email [email protected] OR Telegram @Capitalcryptorecover Call/Text Number +1 (336)390-6684 his contact: [email protected] His website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 02.08.25 02:32 wendytaylor015

    My name is Wendy Taylor, I'm from Los Angeles, i want to announce to you Viewer how Capital Crypto Recover help me to restore my Lost Bitcoin, I invested with a Crypto broker without proper research to know what I was hoarding my hard-earned money into scammers, i lost access to my crypto wallet or had your funds stolen? Don’t worry Capital Crypto Recover is here to help you recover your cryptocurrency with cutting-edge technical expertise, With years of experience in the crypto world, Capital Crypto Recover employs the best latest tools and ethical hacking techniques to help you recover lost assets, unlock hacked accounts, Whether it’s a forgotten password, Capital Crypto Recover has the expertise to help you get your crypto back. a security company service that has a 100% success rate in the recovery of crypto assets, i lost wallet and hacked accounts. I provided them the information they requested and they began their investigation. To my surprise, Capital Crypto Recover was able to trace and recover my crypto assets successfully within 24hours. Thank you for your service in helping me recover my $647,734 worth of crypto funds and I highly recommend their recovery services, they are reliable and a trusted company to any individuals looking to recover lost money. Contact email [email protected] OR Telegram @Capitalcryptorecover Call/Text Number +1 (336)390-6684 his contact: [email protected] His website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 02.08.25 03:13 kwan231

    These days, online scams are a major issue. Clever tactics are causing an increasing number of people to lose their money. As the use of cryptocurrencies like XRP increases, they are also targeted. Although XRP is a rapidly growing digital asset, its popularity also presents new threats for its owners. Blockchain forensics can be useful in this situation. It's similar to paying for a digital detective. Experts use public ledgers to track cryptocurrency transactions. By its very nature, blockchain technology makes it easier to get your money back. Contact Marie for assistance at [email protected], or over WhatsApp at +1 7127594675 and Telegram at @Marie_consultancy.

  • 02.08.25 09:45 patricialovick86

    How To Recover Your Bitcoin Without Falling Victim To Scams: A  Testimony Experience With Capital Crypto Recover Services, Contact Telegram: @Capitalcryptorecover Dear Everyone, I would like to take a moment to share my positive experience with Capital Crypto Recover Services. Initially, I was unsure if it would be possible to recover my stolen bitcoins. However, with their expertise and professionalism, I was able to fully recover my funds. Unfortunately, many individuals fall victim to scams in the cryptocurrency space, especially those involving fraudulent investment platforms. However, I advise caution, as not all recovery services are legitimate. I personally lost $273,000 worth of Bitcoin from my Binance account due to a deceptive platform. If you have suffered a similar loss, you may be considering crypto recovery, The Capital Crypto Recover is the most knowledgeable and effective Capital Crypto Recovery Services assisted me in recovering my stolen funds within 24 hours, after getting access to my wallet. Their service was not only prompt but also highly professional and effective, and many recovery services may not be trustworthy. Therefore, I highly recommend Capital Crypto Recover to you. i do always research and see reviews about their service, For assistance finding your misplaced cryptocurrency, get in touch with them, They do their jobs quickly and excellently, Stay safe and vigilant in the crypto world. You can reach them via email at [email protected] OR Call/Text Number +1 (336)390-6684 his contact: [email protected] His website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 02.08.25 09:46 patricialovick86

    How To Recover Your Bitcoin Without Falling Victim To Scams: A  Testimony Experience With Capital Crypto Recover Services, Contact Telegram: @Capitalcryptorecover Dear Everyone, I would like to take a moment to share my positive experience with Capital Crypto Recover Services. Initially, I was unsure if it would be possible to recover my stolen bitcoins. However, with their expertise and professionalism, I was able to fully recover my funds. Unfortunately, many individuals fall victim to scams in the cryptocurrency space, especially those involving fraudulent investment platforms. However, I advise caution, as not all recovery services are legitimate. I personally lost $273,000 worth of Bitcoin from my Binance account due to a deceptive platform. If you have suffered a similar loss, you may be considering crypto recovery, The Capital Crypto Recover is the most knowledgeable and effective Capital Crypto Recovery Services assisted me in recovering my stolen funds within 24 hours, after getting access to my wallet. Their service was not only prompt but also highly professional and effective, and many recovery services may not be trustworthy. Therefore, I highly recommend Capital Crypto Recover to you. i do always research and see reviews about their service, For assistance finding your misplaced cryptocurrency, get in touch with them, They do their jobs quickly and excellently, Stay safe and vigilant in the crypto world. You can reach them via email at [email protected] OR Call/Text Number +1 (336)390-6684 his contact: [email protected] His website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 02.08.25 11:09 Bramfloris

    Crypto Scam Recovery Experts: Sylvester Bryant. Losing cryptocurrency is a distressing experience. I understand this feeling personally. It led to significant despair. I attempted numerous methods to retrieve $346,000 in stolen crypto. None proved successful. Subsequently, I found expert assistance. Sylvester Bryant successfully recovered funds from the scammer's wallet. He retrieved over $520,000. This amount included original investment and compensation. His approach was transparent and professional. Mr. Sylvester transferred the recovered assets to my designated account. His assistance was genuine, without false assurances. I strongly recommend his services to others in similar circumstances. Contact information is provided below. Email: yt7cracker@gmail. com WhatsApp: +1 (512) 577-7957 Maintaining hope is crucial. Fund recovery is possible.

  • 02.08.25 11:09 Bramfloris

    Crypto Scam Recovery Experts: Sylvester Bryant. Losing cryptocurrency is a distressing experience. I understand this feeling personally. It led to significant despair. I attempted numerous methods to retrieve $346,000 in stolen crypto. None proved successful. Subsequently, I found expert assistance. Sylvester Bryant successfully recovered funds from the scammer's wallet. He retrieved over $520,000. This amount included original investment and compensation. His approach was transparent and professional. Mr. Sylvester transferred the recovered assets to my designated account. His assistance was genuine, without false assurances. I strongly recommend his services to others in similar circumstances. Contact information is provided below. Email: yt7cracker@gmail. com WhatsApp: +1 (512) 577-7957 Maintaining hope is crucial. Fund recovery is possible.

  • 02.08.25 17:18 RileyChris

    My lover and I almost lost our entire savings because we decided to trade with a dubious investment website directed by a crypto broker. I was referred to Swift Hack Expert by a golf buddy that had used their service already recovering his lost funds after being a victim of a romance scam and bad investment in crypto. I got positive results within hours of hiring them luckily, Hence why I said we almost lost our funds to scammers or we actually lost our money but got it all back with the help of [email protected] and WhatsApp on +1-845-224-5771. I recommend them to any person who has fallen prey to any online scam. Swift Hack Expert got the best customer assistance, confidentiality, and above all, positive results. This cyber guru was very effective in guiding me on how to pursue the recovery of our funds. Email them via: [email protected] Or WhatsApp +1-845-224-5771

  • 02.08.25 17:47 kwan231

    Marie is an experienced hacker who specializes in recovering lost funds from fake investment platforms and other forms of digital frauds related to cryptocurrencies such as Bitcoin or Ethereum coinbase wallet hacks etc . With her expertise in cyber security , she can easily identify loopholes within these systems that will allow her access into your account so she can recover all your lost funds . she also offers services on credit score repair , bank transfers , clearing bad records online among others .reach her ([email protected] and telegram:@Marie_consultancy or whatsapp:+1 7127594675)

  • 02.08.25 23:52 nexus11

    Losing cryptocurrency can feel final. Scams can wipe out savings. Marie is Recovery Expert, They help recover lost crypto assets. One person lost $965,000. They thought their money was gone forever. she provided hope You can reach them on WhatsApp. Their number is +1(7127594675. You can also email [email protected] and telegram:@Marie_consultancy Don't give up if your crypto is lost or stolen.

  • 03.08.25 00:01 jonesgarci

    How to Recover Scammed or Lost Bitcoin: Hire an Ethical Hacker Like OPTIMISTIC HACKER GAIUS After falling victim to a cryptocurrency scam, OPTIMISTIC HACKER GAIUS came to the rescue. He expertly traced my funds through the blockchain and recovered everything I had lost. His professionalism, clear communication, and timely updates gave me peace of mind throughout the process. GAIUS’s dedication and knowledge were impressive, and I can confidently recommend him to anyone who’s been scammed. Thanks to him, I got my funds back and learned how to avoid future scams. their contact information is below WhatsApp: (+44) 73-76-74-05-69.  Website: optimistichackargaius . c o m Mail-Box: support @ optimistichackergaius . c o m

  • 03.08.25 00:13 wendytaylor015

    My name is Wendy Taylor, I'm from Los Angeles, i want to announce to you Viewer how Capital Crypto Recover help me to restore my Lost Bitcoin, I invested with a Crypto broker without proper research to know what I was hoarding my hard-earned money into scammers, i lost access to my crypto wallet or had your funds stolen? Don’t worry Capital Crypto Recover is here to help you recover your cryptocurrency with cutting-edge technical expertise, With years of experience in the crypto world, Capital Crypto Recover employs the best latest tools and ethical hacking techniques to help you recover lost assets, unlock hacked accounts, Whether it’s a forgotten password, Capital Crypto Recover has the expertise to help you get your crypto back. a security company service that has a 100% success rate in the recovery of crypto assets, i lost wallet and hacked accounts. I provided them the information they requested and they began their investigation. To my surprise, Capital Crypto Recover was able to trace and recover my crypto assets successfully within 24hours. Thank you for your service in helping me recover my $647,734 worth of crypto funds and I highly recommend their recovery services, they are reliable and a trusted company to any individuals looking to recover lost money. Contact email [email protected] OR Telegram @Capitalcryptorecover Call/Text Number +1 (336)390-6684 his contact: [email protected] His website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 03.08.25 00:13 wendytaylor015

    My name is Wendy Taylor, I'm from Los Angeles, i want to announce to you Viewer how Capital Crypto Recover help me to restore my Lost Bitcoin, I invested with a Crypto broker without proper research to know what I was hoarding my hard-earned money into scammers, i lost access to my crypto wallet or had your funds stolen? Don’t worry Capital Crypto Recover is here to help you recover your cryptocurrency with cutting-edge technical expertise, With years of experience in the crypto world, Capital Crypto Recover employs the best latest tools and ethical hacking techniques to help you recover lost assets, unlock hacked accounts, Whether it’s a forgotten password, Capital Crypto Recover has the expertise to help you get your crypto back. a security company service that has a 100% success rate in the recovery of crypto assets, i lost wallet and hacked accounts. I provided them the information they requested and they began their investigation. To my surprise, Capital Crypto Recover was able to trace and recover my crypto assets successfully within 24hours. Thank you for your service in helping me recover my $647,734 worth of crypto funds and I highly recommend their recovery services, they are reliable and a trusted company to any individuals looking to recover lost money. Contact email [email protected] OR Telegram @Capitalcryptorecover Call/Text Number +1 (336)390-6684 his contact: [email protected] His website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 03.08.25 01:58 nexus11

    Losing cryptocurrency can feel final. Scams can wipe out savings. Marie is Recovery Expert, They help recover lost crypto assets. One person lost $965,000. They thought their money was gone forever. she provided hope You can reach them on WhatsApp. Their number is +1(7127594675. You can also email [email protected] and telegram:@Marie_consultancy Don't give up if your crypto is lost or stolen.

  • 03.08.25 02:45 tomcooper0147

    RECOVERY AGENT EXPERT: Agent Jasmine Lopez helped me recover thousands of GBP in USDC from a crypto scam. When I lost the funds, I felt hopeless, but her expertise in blockchain and dedication made all the difference. She skillfully traced complex transactions and tracked down the scammers, which would have been impossible for me to do on my own. Thanks to her tireless efforts, I was able to recover a significant portion of my lost crypto. If you've fallen victim to a similar scam, I highly recommend reaching out to her. You can contact her via email at [[email protected]] or WhatsApp at {44 736-644-5035}. Her attention to detail and commitment to her work are truly impressive. Don't hesitate to reach out – her expertise could be the key to recovering your lost funds.

  • 03.08.25 03:50 Bramfloris

    Crypto Recovery Experts: Sylvester Bryant. Losing cryptocurrency is a distressing experience. I understand this feeling personally. It led to significant despair. I attempted numerous methods to retrieve $346,000 in stolen crypto. None proved successful. Subsequently, I found expert assistance. Sylvester Bryant successfully recovered funds from the scammer's wallet. He retrieved over $520,000. This amount included original investment and compensation. His approach was transparent and professional. Mr. Sylvester transferred the recovered assets to my designated account. His assistance was genuine, without false assurances. I strongly recommend his services to others in similar circumstances. Contact information is provided below. Email: yt7cracker@gmail. com WhatsApp: +1 (512) 577-7957 Maintaining hope is crucial. Fund recovery is possible.

  • 03.08.25 03:50 Bramfloris

    Crypto Recovery Experts: Sylvester Bryant. Losing cryptocurrency is a distressing experience. I understand this feeling personally. It led to significant despair. I attempted numerous methods to retrieve $346,000 in stolen crypto. None proved successful. Subsequently, I found expert assistance. Sylvester Bryant successfully recovered funds from the scammer's wallet. He retrieved over $520,000. This amount included original investment and compensation. His approach was transparent and professional. Mr. Sylvester transferred the recovered assets to my designated account. His assistance was genuine, without false assurances. I strongly recommend his services to others in similar circumstances. Contact information is provided below. Email: yt7cracker@gmail. com WhatsApp: +1 (512) 577-7957 Maintaining hope is crucial. Fund recovery is possible.

  • 03.08.25 04:28 tomcooper0147

    Agent Jasmine Lopez helped me recover thousands of GBP in USDC from a crypto scam. When I lost the funds, I felt hopeless, but her expertise in blockchain and dedication made all the difference. She skillfully traced complex transactions and tracked down the scammers, which would have been impossible for me to do on my own. Thanks to her tireless efforts, I was able to recover a significant portion of my lost crypto. If you've fallen victim to a similar scam, I highly recommend reaching out to her. You can contact her via email at [[email protected]] or WhatsApp at {+44 736-644-5035}. Her attention to detail and commitment to her work are truly impressive. Don't hesitate to reach out – her expertise could be the key to recovering your lost funds.

  • 03.08.25 05:04 Amiceevery

    Are you aware that Cryptocurrency can be Recovered? You certainly can. Greetings to all. My name is Amice, and someone I met online on an unverified investment proposal defrauded me of nearly $123,000. Before I saw numerous testimonials with respect to WIZARD JAMES RECOVERY, I began looking for legal assistance to get my money back. I gave them the details I needed to get in touch with them, and to my utter amazement, they assisted me in getting my money back within a few hours. Right now, I feel so joyful and relieved. I think there are people out there who have fallen for those fraudulent online investment scams and lost a lot of money. They can be contacted at [email protected], if you require comparable assistance.

  • 03.08.25 05:16 tomcooper0147

    Agent Jasmine Lopez helped me recover thousands of GBP in USDC from a crypto scam. When I lost the funds, I felt hopeless, but her expertise in blockchain and dedication made all the difference. She skillfully traced complex transactions and tracked down the scammers, which would have been impossible for me to do on my own. Thanks to her tireless efforts, I was able to recover a significant portion of my lost crypto. If you've fallen victim to a similar scam, I highly recommend reaching out to her. You can contact her via email at [email protected].] or WhatsApp at {+44 736-644-5035}. Her attention to detail and commitment to her work are truly impressive. Don't hesitate to reach out – her expertise could be the key to recovering your lost funds.

  • 03.08.25 10:26 dieter1121

    Bitcoin losses can seem final. Savings might be lost to scams. she a  recovery expert. They aid in the recovery of lost cryptocurrency. $965,000 was lost by one person. They believed that their money would never be recovered. Marie gave hope. She is reachable via WhatsApp. Here's her number: +1 (7127594675). Telegram: @Marie_consultancy and [email protected] are further options. If you lose or have your cryptocurrency stolen, don't give up.

  • 03.08.25 10:39 Bramfloris

    Crypto Recovery Help That Truly Worked for Me – Sylvester Bryant After losing a substantial amount of cryptocurrency, I went through an incredibly stressful time. I tried several solutions with no luck — until I connected with Sylvester Bryant. Working with Sylvester turned everything around. He was able to recover more than $520,000, not only retrieving my initial funds but also helping with additional compensation. His communication was clear, and the entire process was handled with integrity. The funds were securely transferred to my wallet without any hassle or false promises. If you’ve experienced a similar situation, I highly recommend reaching out to him. Sometimes, the right support makes all the difference. You can connect with him here: 📧 Email: yt7cracker@gmail [.] com 📱 WhatsApp: +1 (512) 577-7957 Don’t lose hope — recovery is possible.

  • 03.08.25 11:00 wendytaylor015

    My name is Wendy Taylor, I'm from Los Angeles, i want to announce to you Viewer how Capital Crypto Recover help me to restore my Lost Bitcoin, I invested with a Crypto broker without proper research to know what I was hoarding my hard-earned money into scammers, i lost access to my crypto wallet or had your funds stolen? Don’t worry Capital Crypto Recover is here to help you recover your cryptocurrency with cutting-edge technical expertise, With years of experience in the crypto world, Capital Crypto Recover employs the best latest tools and ethical hacking techniques to help you recover lost assets, unlock hacked accounts, Whether it’s a forgotten password, Capital Crypto Recover has the expertise to help you get your crypto back. a security company service that has a 100% success rate in the recovery of crypto assets, i lost wallet and hacked accounts. I provided them the information they requested and they began their investigation. To my surprise, Capital Crypto Recover was able to trace and recover my crypto assets successfully within 24hours. Thank you for your service in helping me recover my $647,734 worth of crypto funds and I highly recommend their recovery services, they are reliable and a trusted company to any individuals looking to recover lost money. Contact email [email protected] OR Telegram @Capitalcryptorecover Call/Text Number +1 (336)390-6684 his contact: [email protected] His website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 03.08.25 11:00 wendytaylor015

    My name is Wendy Taylor, I'm from Los Angeles, i want to announce to you Viewer how Capital Crypto Recover help me to restore my Lost Bitcoin, I invested with a Crypto broker without proper research to know what I was hoarding my hard-earned money into scammers, i lost access to my crypto wallet or had your funds stolen? Don’t worry Capital Crypto Recover is here to help you recover your cryptocurrency with cutting-edge technical expertise, With years of experience in the crypto world, Capital Crypto Recover employs the best latest tools and ethical hacking techniques to help you recover lost assets, unlock hacked accounts, Whether it’s a forgotten password, Capital Crypto Recover has the expertise to help you get your crypto back. a security company service that has a 100% success rate in the recovery of crypto assets, i lost wallet and hacked accounts. I provided them the information they requested and they began their investigation. To my surprise, Capital Crypto Recover was able to trace and recover my crypto assets successfully within 24hours. Thank you for your service in helping me recover my $647,734 worth of crypto funds and I highly recommend their recovery services, they are reliable and a trusted company to any individuals looking to recover lost money. Contact email [email protected] OR Telegram @Capitalcryptorecover Call/Text Number +1 (336)390-6684 his contact: [email protected] His website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 03.08.25 11:01 wendytaylor015

    My name is Wendy Taylor, I'm from Los Angeles, i want to announce to you Viewer how Capital Crypto Recover help me to restore my Lost Bitcoin, I invested with a Crypto broker without proper research to know what I was hoarding my hard-earned money into scammers, i lost access to my crypto wallet or had your funds stolen? Don’t worry Capital Crypto Recover is here to help you recover your cryptocurrency with cutting-edge technical expertise, With years of experience in the crypto world, Capital Crypto Recover employs the best latest tools and ethical hacking techniques to help you recover lost assets, unlock hacked accounts, Whether it’s a forgotten password, Capital Crypto Recover has the expertise to help you get your crypto back. a security company service that has a 100% success rate in the recovery of crypto assets, i lost wallet and hacked accounts. I provided them the information they requested and they began their investigation. To my surprise, Capital Crypto Recover was able to trace and recover my crypto assets successfully within 24hours. Thank you for your service in helping me recover my $647,734 worth of crypto funds and I highly recommend their recovery services, they are reliable and a trusted company to any individuals looking to recover lost money. Contact email [email protected] OR Telegram @Capitalcryptorecover Call/Text Number +1 (336)390-6684 his contact: [email protected] His website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 03.08.25 11:40 wendytaylor015

    My name is Wendy Taylor, I'm from Los Angeles, i want to announce to you Viewer how Capital Crypto Recover help me to restore my Lost Bitcoin, I invested with a Crypto broker without proper research to know what I was hoarding my hard-earned money into scammers, i lost access to my crypto wallet or had your funds stolen? Don’t worry Capital Crypto Recover is here to help you recover your cryptocurrency with cutting-edge technical expertise, With years of experience in the crypto world, Capital Crypto Recover employs the best latest tools and ethical hacking techniques to help you recover lost assets, unlock hacked accounts, Whether it’s a forgotten password, Capital Crypto Recover has the expertise to help you get your crypto back. a security company service that has a 100% success rate in the recovery of crypto assets, i lost wallet and hacked accounts. I provided them the information they requested and they began their investigation. To my surprise, Capital Crypto Recover was able to trace and recover my crypto assets successfully within 24hours. Thank you for your service in helping me recover my $647,734 worth of crypto funds and I highly recommend their recovery services, they are reliable and a trusted company to any individuals looking to recover lost money. Contact email [email protected] OR Telegram @Capitalcryptorecover Call/Text Number +1 (336)390-6684 his contact: [email protected] His website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 03.08.25 14:26 dieter1121

    Stablecoins are a big deal in the world of cryptocurrency. They act like a bridge, giving crypto users the steady value of traditional money, like the US dollar. Because of this, they're perfect for trading, sending money, or even paying for everyday things without worrying about wild price swings. This makes them super important for anyone in the digital asset space. But here’s the harsh truth: even stablecoins can go missing. Losing access to your digital money is a scary thought. Maybe you lost your private keys, forgot a password, or perhaps you sent your stablecoins to the wrong address by mistake. These things happen more often than you might think, leaving many people feeling helpless and without their funds.reach out to marie a recovery expert she can aid you(infocyberrecoveryinc@gmail com or whatsapp +1 7127594675 and telegram:@Marie_consultancy)

  • 03.08.25 18:54 Monica Rub

    ​HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.​

  • 03.08.25 18:54 Monica Rub

    ​HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.​

  • 03.08.25 18:54 Monica Rub

    ​HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.​

  • 03.08.25 18:54 Monica Rub

    ​HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.​

  • 03.08.25 18:54 Monica Rub

    ​HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.​

  • 03.08.25 18:54 Monica Rub

    ​HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.​

  • 03.08.25 18:58 Monica Rub

    ​HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.​

  • 03.08.25 19:10 tomcooper0147

    Agent Jasmine Lopez helped me recover thousands of GBP in USDC from a pyramid scheme. When I lost the funds, I felt hopeless, but her expertise in blockchain and dedication made all the difference. She skillfully traced complex transactions and tracked down the scammers, which would have been impossible for me to do on my own. Thanks to her tireless efforts, I was able to recover a significant portion of my lost asset. If you've fallen victim, I highly recommend reaching out to her. You can contact her via email at Recoveryfundprovider@gmail. com WhatsApp at +{44 736-644-5035}. Her attention to detail and commitment to her work are truly impressive. Don't hesitate to reach out – her expertise could be the key to recovering your lost funds.

  • 03.08.25 19:44 bohlen11

    Stablecoins like USDC (USD Coin) make crypto easier to use. They bring stability to a wild market. But with this ease comes the sad fact of theft and scams. If your USDC disappears, knowing how to trace the transaction on the blockchain is your first big step. It can help you get it back or gather proof. Marie will show you the key steps and tools to trace stolen USDC on the blockchain. Blockchain transactions are permanent and open. This means you can see every move. Yet, reach her ([email protected] and telegram:@Marie_consultancy or whatsapp:+1 7127594675)

  • 03.08.25 20:42 Monica Rub

    ​HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.​

  • 03.08.25 20:42 Monica Rub

    ​HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.​

  • 03.08.25 20:42 Monica Rub

    ​HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.​

  • 03.08.25 22:26 goergekephart

    Cryptocurrency Recovery | Recover Stolen Funds with PROFICIENT EXPERT CONSULTANT

  • 03.08.25 22:26 goergekephart

    After retiring from a long and disciplined career in government service I began exploring ways to grow my pension through strategic investments. Traditional savings offered minimal yields and with inflation gradually eroding the value of money I turned my attention to the digital asset space. I believed I was approaching the opportunity with due diligence and caution. One day I was contacted on LinkedIn by a man who introduced himself as a licensed cryptocurrency wealth advisor. His profile was polished and professional complete with industry charts client reviews and impressive claims. He spoke with confidence and offered what seemed like a compelling low-risk opportunity to invest in USDC a stablecoin pegged to the US dollar. According to him I could potentially double my investment within six months. He claimed to work specifically with retirees and assured me my funds would be carefully managed and protected. Reassured by his manner and presentation I ultimately transferred 180000 dollars worth of USDC into what I believed was a secure portfolio. He remained communicative providing occasional updates and reports. However as time passed those updates stopped. Then his phone number became unreachable and his LinkedIn account vanished. The truth hit me hard. I had been defrauded. The sense of betrayal was overwhelming. I was consumed by shame anxiety and regret. I confided in my pastor who has been a longstanding source of guidance in my life. Rather than judge he offered empathy and immediately took initiative. Within days he discovered a cybersecurity firm called PROFICIENT EXPERT CONSULTANT and contacted them via [email protected]. From the outset their team demonstrated unwavering professionalism technical expertise and compassion. They never dismissed my concerns or made me feel foolish. Instead they patiently gathered transaction details assessed the blockchain activity and launched a full scale investigation. In less than two weeks they achieved what I had believed impossible. They successfully traced the digital trail and recovered 129000 dollars worth of USDC. I was overwhelmed by gratitude. Although a portion of my savings remained lost the majority had been reclaimed and with it a sense of hope and stability. PROFICIENT EXPERT CONSULTANT did far more than retrieve stolen funds. They restored my sense of security and reminded me that integrity still exists in this world. Their support gave me a second chance at retirement and I remain deeply thankful for their integrity.

  • 03.08.25 23:22 tonye01477

    I thought I was being cautious with my crypto investments, but one moment of trust in the wrong online offer led to disaster. After falling victim to a well-executed scam, my crypto assets were drained from my wallet. Desperate and unsure of where to turn, I reached out to fast recovery agent based on a friend’s recommendation. From the very beginning, their team was thorough and professional. They analyzed my wallet’s transaction history, traced the stolen funds across multiple blockchain networks, and identified the scammer’s tactics. Within weeks, they successfully tracked my crypto to several exchanges and were able to recover almost all of my lost assets. What impressed me the most was their commitment not only to recover my funds but also to ensure my future safety. fast recovery agent helped me strengthen my security setup and provided key advice to prevent similar incidents from happening again. Thanks to their expertise and relentless efforts, I was able to recover my stolen crypto and regain peace of mind. Fast recovery agent didn’t just help me recover assets—they restored my trust in the digital world. check out www.fastrecoveryagent.com you need help with any asset recovery .

  • 03.08.25 23:23 tonye01477

    I thought I was being cautious with my crypto investments, but one moment of trust in the wrong online offer led to disaster. After falling victim to a well-executed scam, my crypto assets were drained from my wallet. Desperate and unsure of where to turn, I reached out to fast recovery agent based on a friend’s recommendation. From the very beginning, their team was thorough and professional. They analyzed my wallet’s transaction history, traced the stolen funds across multiple blockchain networks, and identified the scammer’s tactics. Within weeks, they successfully tracked my crypto to several exchanges and were able to recover almost all of my lost assets. What impressed me the most was their commitment not only to recover my funds but also to ensure my future safety. fast recovery agent helped me strengthen my security setup and provided key advice to prevent similar incidents from happening again. Thanks to their expertise and relentless efforts, I was able to recover my stolen crypto and regain peace of mind. Fast recovery agent didn’t just help me recover assets—they restored my trust in the digital world. check out www.fastrecoveryagent.com you need help with any asset recovery .

  • 04.08.25 10:54 bohlen11

    Crypto theft is a growing problem. Stolen Ethereum causes real pain for many people. It feels awful to lose your hard-earned digital money. The decentralized nature of crypto makes recovery tough. You might feel lost and unsure what to do next. Marie will help you. she offers clear steps to recover stolen Ethereum.contact her ([email protected] or whatsapp:+1 7127594675 and telegram:@Marie_consultancy)

  • 04.08.25 11:24 wendytaylor015

    My name is Wendy Taylor, I'm from Los Angeles, i want to announce to you Viewer how Capital Crypto Recover help me to restore my Lost Bitcoin, I invested with a Crypto broker without proper research to know what I was hoarding my hard-earned money into scammers, i lost access to my crypto wallet or had your funds stolen? Don’t worry Capital Crypto Recover is here to help you recover your cryptocurrency with cutting-edge technical expertise, With years of experience in the crypto world, Capital Crypto Recover employs the best latest tools and ethical hacking techniques to help you recover lost assets, unlock hacked accounts, Whether it’s a forgotten password, Capital Crypto Recover has the expertise to help you get your crypto back. a security company service that has a 100% success rate in the recovery of crypto assets, i lost wallet and hacked accounts. I provided them the information they requested and they began their investigation. To my surprise, Capital Crypto Recover was able to trace and recover my crypto assets successfully within 24hours. Thank you for your service in helping me recover my $647,734 worth of crypto funds and I highly recommend their recovery services, they are reliable and a trusted company to any individuals looking to recover lost money. Contact email [email protected] OR Telegram @Capitalcryptorecover Call/Text Number +1 (336)390-6684 his contact website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 04.08.25 11:25 wendytaylor015

    My name is Wendy Taylor, I'm from Los Angeles, i want to announce to you Viewer how Capital Crypto Recover help me to restore my Lost Bitcoin, I invested with a Crypto broker without proper research to know what I was hoarding my hard-earned money into scammers, i lost access to my crypto wallet or had your funds stolen? Don’t worry Capital Crypto Recover is here to help you recover your cryptocurrency with cutting-edge technical expertise, With years of experience in the crypto world, Capital Crypto Recover employs the best latest tools and ethical hacking techniques to help you recover lost assets, unlock hacked accounts, Whether it’s a forgotten password, Capital Crypto Recover has the expertise to help you get your crypto back. a security company service that has a 100% success rate in the recovery of crypto assets, i lost wallet and hacked accounts. I provided them the information they requested and they began their investigation. To my surprise, Capital Crypto Recover was able to trace and recover my crypto assets successfully within 24hours. Thank you for your service in helping me recover my $647,734 worth of crypto funds and I highly recommend their recovery services, they are reliable and a trusted company to any individuals looking to recover lost money. Contact email [email protected] OR Telegram @Capitalcryptorecover Call/Text Number +1 (336)390-6684 his contact website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 04.08.25 23:52 vallatjosette

    My Wild Ride: How a Wizard Hilton Cyber Tech Helped Me Recover Lost Bitcoin of 103,000 It all started when I had the misfortune of misplacing the digital wallet containing my substantial cryptocurrency holdings - a staggering 103,000 bitcoins. I had amassed this sizable fortune over the years through strategic investments and careful trading, but in a moment of carelessness, the private keys to my digital wallet had vanished. Panic set in as I grappled with the gravity of my situation - those bitcoins, worth millions at the time, were effectively lost to the ether, inaccessible and seemingly unrecoverable. Just when I had resigned myself to the devastating financial blow, a chance encounter with a self-proclaimed "digital wizard" Wizard Hilton Cyber Tech presented a glimmer of hope. This enigmatic individual, who operated in the shadowy corners of the crypto underworld, claimed to possess the arcane knowledge and skills necessary to retrieve my lost digital wealth. Intrigued and desperate, I put my skepticism aside and entrusted this mysterious wizard with the task. What followed was a wild, suspenseful journey into the depths of blockchain technology and cryptography, as the wizard navigated complex algorithms, exploited vulnerabilities, and pieced together the puzzle of my missing private keys. After days of intense effort, Wizard Hilton Cyber Tech emerged triumphant, having successfully recovered the entirety of my 103,000 bitcoin stash. The sheer relief and elation I felt in that moment was indescribable, as I regained access to my small digital fortune and was able to secure my financial future. This harrowing experience taught me the invaluable lesson of never taking the security of my cryptocurrency holdings for granted, and the importance of always maintaining the utmost diligence when it comes to protecting one's digital wealth. Email: wizardhiltoncybertech ( @ ) gmail (. ) com     OR support ( @ ) wizardhiltoncybertech (.) com WhatsApp number  +18737715701 Thanks.

  • 05.08.25 03:06 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: [email protected] Phone CALL/Text Number: +1 (336) 390-6684

  • 05.08.25 03:06 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: [email protected] Phone CALL/Text Number: +1 (336) 390-6684

  • 05.08.25 04:00 goergekephart

    Cryptocurrency Recovery | Recover Stolen Funds with PROFICIENT EXPERT CONSULTANT

  • 05.08.25 04:00 goergekephart

    After retiring from a long and disciplined career in government service I began exploring ways to grow my pension through strategic investments. Traditional savings offered minimal yields and with inflation gradually eroding the value of money I turned my attention to the digital asset space. I believed I was approaching the opportunity with due diligence and caution. One day I was contacted on LinkedIn by a man who introduced himself as a licensed cryptocurrency wealth advisor. His profile was polished and professional complete with industry charts client reviews and impressive claims. He spoke with confidence and offered what seemed like a compelling low-risk opportunity to invest in USDC a stablecoin pegged to the US dollar. According to him I could potentially double my investment within six months. He claimed to work specifically with retirees and assured me my funds would be carefully managed and protected. Reassured by his manner and presentation I ultimately transferred 180000 dollars worth of USDC into what I believed was a secure portfolio. He remained communicative providing occasional updates and reports. However as time passed those updates stopped. Then his phone number became unreachable and his LinkedIn account vanished. The truth hit me hard. I had been defrauded. The sense of betrayal was overwhelming. I was consumed by shame anxiety and regret. I confided in my pastor who has been a longstanding source of guidance in my life. Rather than judge he offered empathy and immediately took initiative. Within days he discovered a cybersecurity firm called PROFICIENT EXPERT CONSULTANT and contacted them via [email protected]. From the outset their team demonstrated unwavering professionalism technical expertise and compassion. They never dismissed my concerns or made me feel foolish. Instead they patiently gathered transaction details assessed the blockchain activity and launched a full scale investigation. In less than two weeks they achieved what I had believed impossible. They successfully traced the digital trail and recovered 129000 dollars worth of USDC. I was overwhelmed by gratitude. Although a portion of my savings remained lost the majority had been reclaimed and with it a sense of hope and stability. PROFICIENT EXPERT CONSULTANT did far more than retrieve stolen funds. They restored my sense of security and reminded me that integrity still exists in this world. Their support gave me a second chance at retirement and I remain deeply thankful for their integrity.

  • 05.08.25 13:50 harrisoncooper450

    Best Cryptocurrency Recovery Expert in 2025: META TECH RECOVERY PRO The consters operate in various schemes, but their target is to rip you off your hard-earned funds. The first mistake I made was thinking I could multiply my income by investing in cryptocurrency. I fell for a popular investment scam and was swindled out of $1,180,000 in USDT and Bitcoin. After a few weeks, I came across a pop-up ad while surfing the internet about an ethical hacking and recovery law firm called META_TECH_RECOVERY_PRO. I inquired about their services and if they could help me recover my lost USDT and Bitcoin. I was doubtful about it at first, but I am eager and desperate because the money I invested in this Ponzi scheme belongs to my associates. I don't regret reaching out to META_TECH_RECOVERY_PRO. In a space of 48 hours, META_TECH_RECOVERY_PRO was able to recover all of my money lost to crypto scammers. They are the best Bitcoin recovery team out there: For help, you can contact them via: - M e t a t e c h @ W r i t e m e. C o m -T e l e g r a m: @ m e t a t e c h r e c o v e r y p o t e a m - W / S: +1 ( 4 6 9 ) 6 9 2 - 8 0 4 9 Thank you.

  • 05.08.25 13:51 harrisoncooper450

    Best Cryptocurrency Recovery Expert in 2025: META TECH RECOVERY PRO The consters operate in various schemes, but their target is to rip you off your hard-earned funds. The first mistake I made was thinking I could multiply my income by investing in cryptocurrency. I fell for a popular investment scam and was swindled out of $1,180,000 in USDT and Bitcoin. After a few weeks, I came across a pop-up ad while surfing the internet about an ethical hacking and recovery law firm called META_TECH_RECOVERY_PRO. I inquired about their services and if they could help me recover my lost USDT and Bitcoin. I was doubtful about it at first, but I am eager and desperate because the money I invested in this Ponzi scheme belongs to my associates. I don't regret reaching out to META_TECH_RECOVERY_PRO. In a space of 48 hours, META_TECH_RECOVERY_PRO was able to recover all of my money lost to crypto scammers. They are the best Bitcoin recovery team out there: For help, you can contact them via: - M e t a t e c h @ W r i t e m e. C o m -T e l e g r a m: @ m e t a t e c h r e c o v e r y p o t e a m - W / S: +1 ( 4 6 9 ) 6 9 2 - 8 0 4 9 Thank you.

  • 05.08.25 13:51 harrisoncooper450

    Best Cryptocurrency Recovery Expert in 2025: META TECH RECOVERY PRO The consters operate in various schemes, but their target is to rip you off your hard-earned funds. The first mistake I made was thinking I could multiply my income by investing in cryptocurrency. I fell for a popular investment scam and was swindled out of $1,180,000 in USDT and Bitcoin. After a few weeks, I came across a pop-up ad while surfing the internet about an ethical hacking and recovery law firm called META_TECH_RECOVERY_PRO. I inquired about their services and if they could help me recover my lost USDT and Bitcoin. I was doubtful about it at first, but I am eager and desperate because the money I invested in this Ponzi scheme belongs to my associates. I don't regret reaching out to META_TECH_RECOVERY_PRO. In a space of 48 hours, META_TECH_RECOVERY_PRO was able to recover all of my money lost to crypto scammers. They are the best Bitcoin recovery team out there: For help, you can contact them via: - M e t a t e c h @ W r i t e m e. C o m -T e l e g r a m: @ m e t a t e c h r e c o v e r y p o t e a m - W / S: +1 ( 4 6 9 ) 6 9 2 - 8 0 4 9 Thank you.

  • 05.08.25 18:25 Monica Rub

    HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.

  • 05.08.25 18:25 Monica Rub

    HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.

  • 05.08.25 18:25 Monica Rub

    HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.

  • 05.08.25 18:25 Monica Rub

    HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.

  • 05.08.25 18:25 Monica Rub

    HIRE THE BEST CRYPTO // BITCOIN RECOVERY EXPERT // THE HACK ANGELS I Can't Access My USDT? Account, Bitcoin Recovery Getting Back Lost Or Stolen Funds? How Do I Recover Crypto From A Scammer? If you’re in need of a reliable crypto asset and fund recovery service. Reach out to THE HACK ANGELS RECOVERY EXPERT WhatsApp +1(520)2 0 0-2 3 2 0) Email at [email protected] Website at www.thehackangels.com I can't get over how excited I am to have discovered THE HACK ANGELS RECOVERY EXPERT through a friend. After falling prey to a cryptocurrency fraud. However, Thanks to THE HACK ANGELS RECOVERY EXPERT I was able to regain a portion of my hard-earned funds. If you're feeling overwhelmed and frustrated by the loss of your hard-earned money, fear not! Contact THE HACK ANGELS RECOVERY EXPERT today and let him work his magic in recovering what is rightfully yours. As a professional in the field of online security and data recovery, I must say this, the most reliable and dependable recovery agent available online is THE HACK ANGELS RECOVERY EXPERT. With years of experience and a proven track record of successful recoveries. I can't express how grateful I am for their outstanding assistance on my case.

  • 05.08.25 19:32 goergekephart

    Cryptocurrency Recovery | Recover Stolen Funds with PROFICIENT EXPERT CONSULTANT After retiring from a long and disciplined career in government service I began exploring ways to grow my pension through strategic investments. Traditional savings offered minimal yields and with inflation gradually eroding the value of money I turned my attention to the digital asset space. I believed I was approaching the opportunity with due diligence and caution. One day I was contacted on LinkedIn by a man who introduced himself as a licensed cryptocurrency wealth advisor. His profile was polished and professional complete with industry charts client reviews and impressive claims. He spoke with confidence and offered what seemed like a compelling low-risk opportunity to invest in USDC a stablecoin pegged to the US dollar. According to him I could potentially double my investment within six months. He claimed to work specifically with retirees and assured me my funds would be carefully managed and protected. Reassured by his manner and presentation I ultimately transferred 180000 dollars worth of USDC into what I believed was a secure portfolio. He remained communicative providing occasional updates and reports. However as time passed those updates stopped. Then his phone number became unreachable and his LinkedIn account vanished. The truth hit me hard. I had been defrauded. The sense of betrayal was overwhelming. I was consumed by shame anxiety and regret. I confided in my pastor who has been a longstanding source of guidance in my life. Rather than judge he offered empathy and immediately took initiative. Within days he discovered a cybersecurity firm called PROFICIENT EXPERT CONSULTANT and contacted them via [email protected]. From the outset their team demonstrated unwavering professionalism technical expertise and compassion. They never dismissed my concerns or made me feel foolish. Instead they patiently gathered transaction details assessed the blockchain activity and launched a full scale investigation. In less than two weeks they achieved what I had believed impossible. They successfully traced the digital trail and recovered 129000 dollars worth of USDC. I was overwhelmed by gratitude. Although a portion of my savings remained lost the majority had been reclaimed and with it a sense of hope and stability. PROFICIENT EXPERT CONSULTANT did far more than retrieve stolen funds. They restored my sense of security and reminded me that integrity still exists in this world. Their support gave me a second chance at retirement and I remain deeply thankful for their integrity.

  • 05.08.25 19:33 tomcooper0147

    Agent Jasmine Lopez helped me recover thousands of GBP in USDC from a pyramid scheme. When I lost the funds, I felt hopeless, but her expertise in blockchain and dedication made all the difference. She skillfully traced complex transactions and tracked down the scammers, which would have been impossible for me to do on my own. Thanks to her tireless efforts, I was able to recover a significant portion of my lost asset. If you've fallen victim, I highly recommend reaching out to her. You can contact her via email at Recoveryfundprovider@gmail. com WhatsApp at +{44 736-644-5035}. Her attention to detail and commitment to her work are truly impressive. Don't hesitate to reach out – her expertise could be the key to recovering your lost funds.

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