Этот сайт использует файлы cookies. Продолжая просмотр страниц сайта, вы соглашаетесь с использованием файлов cookies. Если вам нужна дополнительная информация, пожалуйста, посетите страницу Политика файлов Cookie
Subscribe
Прямой эфир
Cryptocurrencies: 8585 / Markets: 116273
Market Cap: $ 2 407 835 017 672 / 24h Vol: $ 116 956 152 622 / BTC Dominance: 58.088697778934%

Н Новости

Программист & LLM: как написать эмулятор ретро-компьютера за четыре вечера. Часть 1, вводная

Тон данной публикации задал товарищ @kiltum в своих статьях, начатых с этой. В самом начале был задан вопрос

может ли ИИ заменить программиста?

А действительно? Сколько вокруг этой темы хайпа, нет ни дня чтобы здесь на ресурсе не появилось 100500 статей на тему нейросетей, LLM, ML и прочего. Пишут много и всякое. Возникло желание проверить лично, насколько решения, предлагаемые ИИ могут быть воплощены в жизнь.

Системы ИИ прочно вошли в нашу жизнь, и да, я тоже ими регулярно пользуюсь. Но мысли программировать с их помощью особо не возникало. Но что если попробовать, поставив при этом задачу из предметной области в которой ты не особо разбираешься? Похожий вопрос ставит и @kiltum, но я хочу попросить автора не ругаться на мою невольную попытку "пообезьянничать". Своей публикацией я лишь хочу подкрепить уже высказанные тезисы, на примере личного опыта. К тому же, старое железо - это всегда интересно, не правда ли? Если так, то добро пожаловать под кат.

1. Исходные данные

Чего хотим? Реализовать архитектуру на базе Z80 - довольно банальная история. Такие системы были популярны в нашей стране (ZX Spectrum, MSX). Сам в школе начинал с Yamaha MSX. К тому же Z80 - довольно таки сложный процессор. Чтобы не тратить время, лучше реализовать что-то попроще, например... MOS 6502. Очень простой процессор - набор команд всего 56 инструкций, вместе со всеми режимами адресации дающий 151 вариант выполнения. Длина инструкций - от одно до трех байт. Данный чип послужил основой для таких систем как Apple I/II, Famicom/NES и... Commodor 64. Вот на последнем я и остановился, в виду не особой распространенности этой системы на постсоветском пространстве.

Существуют ли эмуляторы Commodor 64? Конечно, например VICE. Опенсорцный, кроссплатформенный. Ссылки на репозиторий не даю - я сам не смотрел, из спортивного интереса, желая решить все задачи путем запросов к LLM, чтения документации и собственных раздумий.

Итак, Commodor 64 - домашний компьютер на базе процессора MOS 6510 (модификация MOS 6502, разницу обсудим ниже), с 64 кб оперативной памяти и 20 кб ПЗУ. Как и все 8-битные компьютеры того времени, имел на борту интерпретатор BASIC в качестве OS и и основного средства разработки. Умел, как и ZX Spectrum, читать программы с кассет, для чего в комплекте шел оригинальный магнитофон. Умел запускать программы с ROM-картриджей. Судя по фото ниже, имел он и дисковод на 5,25'', да и всякой периферии к нему выходило не мало, благо машина разошлась по миру тиражом аж в 15 млн. штук.

Пациент в естественной среде обитания
Пациент в естественной среде обитания

Кроме процессора 6510, на борту трудились видеоконтроллер MOS Technology VIC-II и звуковой чип MOS Technology SID, что делало машинку, в купе большим для того времени объемом ОЗУ, достаточно хорошей развлекательной мультимедийной системой. Машина увидела свет в 1982 году, так что он еще и мой ровесник. На этом довольно истории, на ресурсе есть масса статей и о Commodor 64 (далее C64), и о компании его производившей, и о Джеке Трэмеле. За историей отсылаю к википедии и прочим источникам.

Что до LLM, то выбор пал на бесплатные системы, типа Deepseek или Qwen, остановившись на последней, опять таки в целях ее испытания.

Что же касается реализации, то тут выбор для очевидный - C++, как наиболее часто используемый мною язык. И желательно без особенных зависимостей. Без зависимостей, конечно не обойтись, и вопрос их выбора менялся в зависимости от контекста продвижения по задаче. Итак, начнем...

2. Эмуляция ядра MOS 6502: консультируемся с LLM

Первый промпт был предельно прост

эмулятор mos6502 на c++

на что, после немногословного пояснения был выдан следующий код

mos6502.cpp
#include <iostream>
#include <vector>
#include <cstdint>

class MOS6502 {
public:
    // Регистры
    uint8_t A, X, Y, SP, P;
    uint16_t PC;

    // Память (64 КБ)
    std::vector<uint8_t> memory = std::vector<uint8_t>(0x10000, 0);

    // Флаги
    enum {
        C = 0x01, Z = 0x02, I = 0x04, D = 0x08,
        B = 0x10, R = 0x20, V = 0x40, N = 0x80
    };

    MOS6502() {
        reset();
    }

    void reset() {
        PC = read16(0xFFFC);  // Адрес сброса
        SP = 0xFD;
        P = I;
        A = X = Y = 0;
    }

    uint8_t read(uint16_t addr) {
        return memory[addr];
    }

    void write(uint16_t addr, uint8_t value) {
        memory[addr] = value;
    }

    uint16_t read16(uint16_t addr) {
        return read(addr) | (read(addr + 1) << 8);
    }

    void setFlag(uint8_t flag, bool value) {
        if (value) P |= flag; else P &= ~flag;
    }

    bool getFlag(uint8_t flag) {
        return (P & flag) != 0;
    }

    uint8_t fetch() {
        return read(PC++);
    }

    void executeInstruction() {
        uint8_t opcode = fetch();

        switch (opcode) {
            case 0xA9: { // LDA Immediate
                uint8_t value = fetch();
                A = value;
                setFlag(Z, A == 0);
                setFlag(N, A & 0x80);
                break;
            }
            case 0xAD: { // LDA Absolute
                uint16_t addr = read16(PC);
                PC += 2;
                A = read(addr);
                setFlag(Z, A == 0);
                setFlag(N, A & 0x80);
                break;
            }
            case 0x69: { // ADC Immediate
                uint8_t value = fetch();
                uint16_t result = A + value + (getFlag(C) ? 1 : 0);
                setFlag(C, result > 0xFF);
                setFlag(V, (~(A ^ value) & (A ^ result)) & 0x80);
                A = result & 0xFF;
                setFlag(Z, A == 0);
                setFlag(N, A & 0x80);
                break;
            }
            case 0x4C: { // JMP Absolute
                PC = read16(PC);
                break;
            }
            case 0x20: { // JSR
                uint16_t addr = read16(PC);
                PC += 2;
                push16(PC - 1);
                PC = addr;
                break;
            }
            case 0x60: { // RTS
                PC = pop16() + 1;
                break;
            }
            default:
                std::cout << "Unknown opcode: 0x" << std::hex << (int)opcode << "\n";
                exit(1);
        }
    }

    void push(uint8_t value) {
        write(0x0100 + SP, value);
        SP--;
    }

    void push16(uint16_t value) {
        push((value >> 8) & 0xFF);
        push(value & 0xFF);
    }

    uint8_t pop() {
        SP++;
        return read(0x0100 + SP);
    }

    uint16_t pop16() {
        uint8_t low = pop();
        uint8_t high = pop();
        return low | (high << 8);
    }
};

int main() {
    MOS6502 cpu;

    // Пример: загрузить программу в память
    // Программа: LDA #$01; ADC #$02; JMP $8000
    cpu.memory[0x8000] = 0xA9; // LDA #$01
    cpu.memory[0x8001] = 0x01;
    cpu.memory[0x8002] = 0x69; // ADC #$02
    cpu.memory[0x8003] = 0x02;
    cpu.memory[0x8004] = 0x4C; // JMP $8000
    cpu.memory[0x8005] = 0x00;
    cpu.memory[0x8006] = 0x80;

    cpu.PC = 0x8000;

    for (int i = 0; i < 10; i++) {
        cpu.executeInstruction();
        std::cout << "A: " << std::hex << (int)cpu.A << std::endl;
    }

    return 0;
}

Однако, эмулятор процессора из 148 строчек кода (вообще есть полноценные эмуляторы и меньшего размера, написанные на C, но это явно не мой случай...). Не принимая на веру, начинаем анализировать выданное нам решение. Что мы тут видим?

  1. Реализация процессора как отдельного класса

  2. Регистры, как переменные класса соответствующей разрядности, память - как линейный массив байт объемом 64 кб.

  3. Реализация работы с регистрами и флагами, обращения к памяти, работы со стеком

  4. Пример декодирования некоторых инструкций

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

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

Ок, начинать конечно нужно с малого, и простейший эмулятор MOS 6502 нас устроит, но хочется большего, поэтому уточняем вопрос, предварительно ознакомившись с выводами нашего помощника и его предложениями, например

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

NES, разумеется, нас не интересует а вот это

реализовать точное количество тактов

пригодилось бы. Смотрим ответ на запрос

mos6502_cycles.cpp
#include <iostream>
#include <vector>
#include <cstdint>

class MOS6502 {
public:
    uint8_t A, X, Y, SP, P;
    uint16_t PC;
    int cycles = 0; // Общее количество тактов

    std::vector<uint8_t> memory = std::vector<uint8_t>(0x10000, 0);

    // Флаги
    enum {
        C = 0x01, Z = 0x02, I = 0x04, D = 0x08,
        B = 0x10, R = 0x20, V = 0x40, N = 0x80
    };

    MOS6502() {
        reset();
    }

    void reset() {
        PC = read16(0xFFFC);
        SP = 0xFD;
        P = I;
        A = X = Y = 0;
        cycles = 0;
    }

    uint8_t read(uint16_t addr) {
        cycles++; // Каждое чтение занимает 1 такт
        return memory[addr];
    }

    void write(uint16_t addr, uint8_t value) {
        cycles++; // Каждая запись — 1 такт
        memory[addr] = value;
    }

    uint16_t read16(uint16_t addr) {
        return read(addr) | (read(addr + 1) << 8);
    }

    void setFlag(uint8_t flag, bool value) {
        if (value) P |= flag; else P &= ~flag;
    }

    bool getFlag(uint8_t flag) {
        return (P & flag) != 0;
    }

    uint8_t fetch() {
        return read(PC++);
    }

    // --- Адресация ---
    uint16_t addr_abs = 0;
    uint16_t addr_rel = 0;
    uint8_t fetched = 0;

    uint8_t fetchOperand() {
        fetched = read(addr_abs);
        return fetched;
    }

    // --- Стандартная таблица тактов ---
    static const int cycle_table[256] = {
    //  0  1  2  3  4  5  6  7  8  9  A  B  C  D  E  F
        7, 6, 2, 8, 3, 3, 5, 5, 3, 2, 2, 2, 4, 4, 6, 6, // 0
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 1
        6, 6, 2, 8, 3, 3, 5, 5, 4, 2, 2, 2, 4, 4, 6, 6, // 2
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 3
        6, 6, 2, 8, 3, 3, 5, 5, 3, 2, 2, 2, 3, 4, 6, 6, // 4
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 5
        6, 6, 2, 8, 3, 3, 5, 5, 4, 2, 2, 2, 5, 4, 6, 6, // 6
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 7
        2, 6, 2, 6, 3, 3, 3, 3, 2, 2, 2, 2, 4, 4, 4, 4, // 8
        2, 6, 2, 6, 4, 4, 4, 4, 2, 5, 2, 5, 5, 5, 5, 5, // 9
        2, 6, 2, 6, 3, 3, 3, 3, 2, 2, 2, 2, 4, 4, 4, 4, // A
        2, 5, 2, 5, 4, 4, 4, 4, 2, 4, 2, 4, 4, 4, 4, 4, // B
        2, 6, 2, 8, 3, 3, 5, 5, 2, 2, 2, 2, 4, 4, 6, 6, // C
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // D
        2, 6, 2, 8, 3, 3, 5, 5, 2, 2, 2, 2, 4, 4, 6, 6, // E
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7  // F
    };

    int executeInstruction() {
        uint8_t opcode = fetch();
        int base_cycles = cycle_table[opcode];

        switch (opcode) {
            case 0xA9: // LDA Immediate
                addr_abs = PC++;
                A = read(addr_abs);
                setFlag(Z, A == 0);
                setFlag(N, A & 0x80);
                break;
            case 0xAD: // LDA Absolute
                addr_abs = read16(PC);
                PC += 2;
                A = read(addr_abs);
                setFlag(Z, A == 0);
                setFlag(N, A & 0x80);
                break;
            case 0x69: // ADC Immediate
                addr_abs = PC++;
                fetched = read(addr_abs);
                uint16_t temp = A + fetched + (getFlag(C) ? 1 : 0);
                setFlag(C, temp > 0xFF);
                setFlag(V, (~(A ^ fetched) & (A ^ temp)) & 0x80);
                A = temp & 0xFF;
                setFlag(Z, A == 0);
                setFlag(N, A & 0x80);
                break;
            case 0x4C: // JMP Absolute
                PC = read16(PC);
                break;
            case 0x20: // JSR
                addr_abs = read16(PC);
                PC += 2;
                push16(PC - 1);
                PC = addr_abs;
                break;
            case 0x60: // RTS
                PC = pop16() + 1;
                break;
            // Пример с условным переходом (BNE), может быть +1 такт
            case 0xD0: { // BNE
                int8_t offset = (int8_t)fetch();
                addr_rel = PC + offset;
                bool taken = !getFlag(Z);
                if (taken) {
                    cycles++; // +1 если переход
                    if ((PC & 0xFF00) != (addr_rel & 0xFF00)) {
                        cycles++; // +1 если страница пересекается
                    }
                    PC = addr_rel;
                }
                break;
            }
            default:
                std::cout << "Unknown opcode: 0x" << std::hex << (int)opcode << "\n";
                exit(1);
        }

        cycles += base_cycles;
        return base_cycles;
    }

    void push(uint8_t value) {
        write(0x0100 + SP, value);
        SP--;
    }

    void push16(uint16_t value) {
        push((value >> 8) & 0xFF);
        push(value & 0xFF);
    }

    uint8_t pop() {
        SP++;
        return read(0x0100 + SP);
    }

    uint16_t pop16() {
        uint8_t low = pop();
        uint8_t high = pop();
        return low | (high << 8);
    }
};

int main() {
    MOS6502 cpu;

    // Пример программы
    cpu.memory[0x8000] = 0xA9; cpu.memory[0x8001] = 0x01; // LDA #$01
    cpu.memory[0x8002] = 0x69; cpu.memory[0x8003] = 0x02; // ADC #$02
    cpu.memory[0x8004] = 0x4C; cpu.memory[0x8005] = 0x00; cpu.memory[0x8006] = 0x80; // JMP $8000

    cpu.PC = 0x8000;

    for (int i = 0; i < 10; i++) {
        int c = cpu.executeInstruction();
        std::cout << "Cycles: " << cpu.cycles << ", A: " << std::hex << (int)cpu.A << std::endl;
    }

    return 0;
}

Ага, почти такой же пример, но с добавками, а конкретно, теперь каждой инструкции приписано число тактов ее выполнения, которые сведены в массив, с индексацией по коду операции (опкоду)

// --- Стандартная таблица тактов ---
    static const int cycle_table[256] = {
    //  0  1  2  3  4  5  6  7  8  9  A  B  C  D  E  F
        7, 6, 2, 8, 3, 3, 5, 5, 3, 2, 2, 2, 4, 4, 6, 6, // 0
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 1
        6, 6, 2, 8, 3, 3, 5, 5, 4, 2, 2, 2, 4, 4, 6, 6, // 2
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 3
        6, 6, 2, 8, 3, 3, 5, 5, 3, 2, 2, 2, 3, 4, 6, 6, // 4
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 5
        6, 6, 2, 8, 3, 3, 5, 5, 4, 2, 2, 2, 5, 4, 6, 6, // 6
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 7
        2, 6, 2, 6, 3, 3, 3, 3, 2, 2, 2, 2, 4, 4, 4, 4, // 8
        2, 6, 2, 6, 4, 4, 4, 4, 2, 5, 2, 5, 5, 5, 5, 5, // 9
        2, 6, 2, 6, 3, 3, 3, 3, 2, 2, 2, 2, 4, 4, 4, 4, // A
        2, 5, 2, 5, 4, 4, 4, 4, 2, 4, 2, 4, 4, 4, 4, 4, // B
        2, 6, 2, 8, 3, 3, 5, 5, 2, 2, 2, 2, 4, 4, 6, 6, // C
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // D
        2, 6, 2, 8, 3, 3, 5, 5, 2, 2, 2, 2, 4, 4, 6, 6, // E
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7  // F
    };

Кроме того, число исполненных тактов учитывается при чтении и записи в память

uint8_t read(uint16_t addr) {
        cycles++; // Каждое чтение занимает 1 такт
        return memory[addr];
    }

    void write(uint16_t addr, uint8_t value) {
        cycles++; // Каждая запись — 1 такт
        memory[addr] = value;
    }

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

Не удовлетворившись результатами, идем дальше, задав такой вопрос

все 56 инструкций с точным счётом тактов

на что получаем уже более массивный ответ

mos6502.cpp
#include <iostream>
#include <vector>
#include <cstdint>

class MOS6502 {
public:
    uint8_t A, X, Y, SP, P;
    uint16_t PC;
    int cycles = 0;

    std::vector<uint8_t> memory = std::vector<uint8_t>(0x10000, 0);

    // Флаги
    enum {
        C = 0x01, Z = 0x02, I = 0x04, D = 0x08,
        B = 0x10, R = 0x20, V = 0x40, N = 0x80
    };

    // Вспомогательные переменные для адресации
    uint16_t addr_abs = 0;
    uint16_t addr_rel = 0;
    uint8_t fetched = 0;

    // Таблица базовых тактов
    static const int cycle_table[256] = {
    //  0  1  2  3  4  5  6  7  8  9  A  B  C  D  E  F
        7, 6, 2, 8, 3, 3, 5, 5, 3, 2, 2, 2, 4, 4, 6, 6, // 0
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 1
        6, 6, 2, 8, 3, 3, 5, 5, 4, 2, 2, 2, 4, 4, 6, 6, // 2
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 3
        6, 6, 2, 8, 3, 3, 5, 5, 3, 2, 2, 2, 3, 4, 6, 6, // 4
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 5
        6, 6, 2, 8, 3, 3, 5, 5, 4, 2, 2, 2, 5, 4, 6, 6, // 6
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 7
        2, 6, 2, 6, 3, 3, 3, 3, 2, 2, 2, 2, 4, 4, 4, 4, // 8
        2, 6, 2, 6, 4, 4, 4, 4, 2, 5, 2, 5, 5, 5, 5, 5, // 9
        2, 6, 2, 6, 3, 3, 3, 3, 2, 2, 2, 2, 4, 4, 4, 4, // A
        2, 5, 2, 5, 4, 4, 4, 4, 2, 4, 2, 4, 4, 4, 4, 4, // B
        2, 6, 2, 8, 3, 3, 5, 5, 2, 2, 2, 2, 4, 4, 6, 6, // C
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // D
        2, 6, 2, 8, 3, 3, 5, 5, 2, 2, 2, 2, 4, 4, 6, 6, // E
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7  // F
    };

    MOS6502() {
        reset();
    }

    void reset() {
        PC = read16(0xFFFC);
        SP = 0xFD;
        P = I;
        A = X = Y = 0;
        cycles = 0;
    }

    uint8_t read(uint16_t addr) {
        cycles++;
        return memory[addr];
    }

    void write(uint16_t addr, uint8_t value) {
        cycles++;
        memory[addr] = value;
    }

    uint16_t read16(uint16_t addr) {
        return read(addr) | (read(addr + 1) << 8);
    }

    void setFlag(uint8_t flag, bool value) {
        if (value) P |= flag; else P &= ~flag;
    }

    bool getFlag(uint8_t flag) {
        return (P & flag) != 0;
    }

    uint8_t fetch() {
        return read(PC++);
    }

    uint8_t fetchOperand() {
        fetched = read(addr_abs);
        return fetched;
    }

    void writeAddr(uint16_t addr, uint8_t value) {
        write(addr, value);
    }

    // --- Адресация ---
    void addr_immediate() {
        addr_abs = PC++;
    }

    void addr_zero_page() {
        addr_abs = fetch();
    }

    void addr_zero_page_x() {
        addr_abs = (fetch() + X) & 0xFF;
    }

    void addr_zero_page_y() {
        addr_abs = (fetch() + Y) & 0xFF;
    }

    void addr_absolute() {
        addr_abs = read16(PC);
        PC += 2;
    }

    void addr_absolute_x() {
        addr_abs = read16(PC) + X;
        PC += 2;
    }

    void addr_absolute_y() {
        addr_abs = read16(PC) + Y;
        PC += 2;
    }

    void addr_indirect_x() {
        uint16_t ptr = (fetch() + X) & 0xFF;
        addr_abs = read16(ptr);
    }

    void addr_indirect_y() {
        uint16_t ptr = fetch();
        addr_abs = read16(ptr) + Y;
    }

    void addr_relative() {
        addr_rel = fetch();
        if (addr_rel & 0x80) addr_rel |= 0xFF00; // Знаковое расширение
    }

    // --- Инструкции ---
    int ADC() {
        fetchOperand();
        uint16_t temp = A + fetched + (getFlag(C) ? 1 : 0);
        setFlag(C, temp > 0xFF);
        setFlag(V, (~(A ^ fetched) & (A ^ temp)) & 0x80);
        A = temp & 0xFF;
        setFlag(Z, A == 0);
        setFlag(N, A & 0x80);
        return 0;
    }

    int SBC() {
        fetchOperand();
        uint16_t temp = A - fetched - (getFlag(C) ? 0 : 1);
        setFlag(C, temp < 0x100);
        setFlag(V, ((A ^ temp) & (fetched ^ A)) & 0x80);
        A = temp & 0xFF;
        setFlag(Z, A == 0);
        setFlag(N, A & 0x80);
        return 0;
    }

    int AND() {
        fetchOperand();
        A &= fetched;
        setFlag(Z, A == 0);
        setFlag(N, A & 0x80);
        return 0;
    }

    int EOR() {
        fetchOperand();
        A ^= fetched;
        setFlag(Z, A == 0);
        setFlag(N, A & 0x80);
        return 0;
    }

    int ORA() {
        fetchOperand();
        A |= fetched;
        setFlag(Z, A == 0);
        setFlag(N, A & 0x80);
        return 0;
    }

    int CMP() {
        fetchOperand();
        uint16_t temp = A - fetched;
        setFlag(C, A >= fetched);
        setFlag(Z, temp == 0);
        setFlag(N, temp & 0x80);
        return 0;
    }

    int CPX() {
        uint8_t value = read(addr_abs);
        uint16_t temp = X - value;
        setFlag(C, X >= value);
        setFlag(Z, temp == 0);
        setFlag(N, temp & 0x80);
        return 0;
    }

    int CPY() {
        uint8_t value = read(addr_abs);
        uint16_t temp = Y - value;
        setFlag(C, Y >= value);
        setFlag(Z, temp == 0);
        setFlag(N, temp & 0x80);
        return 0;
    }

    int DEC() {
        uint8_t value = read(addr_abs);
        value--;
        writeAddr(addr_abs, value);
        setFlag(Z, value == 0);
        setFlag(N, value & 0x80);
        return 0;
    }

    int DEX() {
        X--;
        setFlag(Z, X == 0);
        setFlag(N, X & 0x80);
        return 0;
    }

    int DEY() {
        Y--;
        setFlag(Z, Y == 0);
        setFlag(N, Y & 0x80);
        return 0;
    }

    int INC() {
        uint8_t value = read(addr_abs);
        value++;
        writeAddr(addr_abs, value);
        setFlag(Z, value == 0);
        setFlag(N, value & 0x80);
        return 0;
    }

    int INX() {
        X++;
        setFlag(Z, X == 0);
        setFlag(N, X & 0x80);
        return 0;
    }

    int INY() {
        Y++;
        setFlag(Z, Y == 0);
        setFlag(N, Y & 0x80);
        return 0;
    }

    int LDA() {
        fetchOperand();
        A = fetched;
        setFlag(Z, A == 0);
        setFlag(N, A & 0x80);
        return 0;
    }

    int LDX() {
        fetchOperand();
        X = fetched;
        setFlag(Z, X == 0);
        setFlag(N, X & 0x80);
        return 0;
    }

    int LDY() {
        fetchOperand();
        Y = fetched;
        setFlag(Z, Y == 0);
        setFlag(N, Y & 0x80);
        return 0;
    }

    int STA() {
        writeAddr(addr_abs, A);
        return 0;
    }

    int STX() {
        writeAddr(addr_abs, X);
        return 0;
    }

    int STY() {
        writeAddr(addr_abs, Y);
        return 0;
    }

    int TAX() {
        X = A;
        setFlag(Z, X == 0);
        setFlag(N, X & 0x80);
        return 0;
    }

    int TAY() {
        Y = A;
        setFlag(Z, Y == 0);
        setFlag(N, Y & 0x80);
        return 0;
    }

    int TSX() {
        X = SP;
        setFlag(Z, X == 0);
        setFlag(N, X & 0x80);
        return 0;
    }

    int TXA() {
        A = X;
        setFlag(Z, A == 0);
        setFlag(N, A & 0x80);
        return 0;
    }

    int TXS() {
        SP = X;
        return 0;
    }

    int TYA() {
        A = Y;
        setFlag(Z, A == 0);
        setFlag(N, A & 0x80);
        return 0;
    }

    int ASL() {
        if (addr_abs == 0) { // Accumulator mode
            setFlag(C, A & 0x80);
            A <<= 1;
            setFlag(Z, A == 0);
            setFlag(N, A & 0x80);
        } else {
            uint8_t value = read(addr_abs);
            setFlag(C, value & 0x80);
            value <<= 1;
            writeAddr(addr_abs, value);
            setFlag(Z, value == 0);
            setFlag(N, value & 0x80);
        }
        return 0;
    }

    int LSR() {
        if (addr_abs == 0) {
            setFlag(C, A & 0x01);
            A >>= 1;
            setFlag(Z, A == 0);
            setFlag(N, 0);
        } else {
            uint8_t value = read(addr_abs);
            setFlag(C, value & 0x01);
            value >>= 1;
            writeAddr(addr_abs, value);
            setFlag(Z, value == 0);
            setFlag(N, 0);
        }
        return 0;
    }

    int ROL() {
        uint16_t temp;
        if (addr_abs == 0) {
            temp = (A << 1) | (getFlag(C) ? 1 : 0);
            setFlag(C, A & 0x80);
            A = temp & 0xFF;
            setFlag(Z, A == 0);
            setFlag(N, A & 0x80);
        } else {
            temp = (read(addr_abs) << 1) | (getFlag(C) ? 1 : 0);
            setFlag(C, fetched & 0x80);
            writeAddr(addr_abs, temp & 0xFF);
            setFlag(Z, (temp & 0xFF) == 0);
            setFlag(N, temp & 0x80);
        }
        return 0;
    }

    int ROR() {
        uint16_t temp;
        if (addr_abs == 0) {
            temp = (A >> 1) | (getFlag(C) ? 0x80 : 0);
            setFlag(C, A & 0x01);
            A = temp & 0xFF;
            setFlag(Z, A == 0);
            setFlag(N, A & 0x80);
        } else {
            temp = (read(addr_abs) >> 1) | (getFlag(C) ? 0x80 : 0);
            setFlag(C, fetched & 0x01);
            writeAddr(addr_abs, temp & 0xFF);
            setFlag(Z, (temp & 0xFF) == 0);
            setFlag(N, temp & 0x80);
        }
        return 0;
    }

    int BIT() {
        fetchOperand();
        uint8_t temp = A & fetched;
        setFlag(Z, temp == 0);
        setFlag(N, fetched & 0x80);
        setFlag(V, fetched & 0x40);
        return 0;
    }

    int PHA() {
        push(A);
        return 0;
    }

    int PHP() {
        push(P | B | R);
        return 0;
    }

    int PLA() {
        A = pop();
        setFlag(Z, A == 0);
        setFlag(N, A & 0x80);
        return 0;
    }

    int PLP() {
        P = pop();
        P &= ~B;
        P &= ~R;
        return 0;
    }

    int BRK() {
        PC++;
        push16(PC);
        push(P | B);
        setFlag(I, true);
        PC = read16(0xFFFE);
        return 0;
    }

    int RTI() {
        P = pop();
        P &= ~B;
        P &= ~R;
        PC = pop16();
        return 0;
    }

    int JSR() {
        uint16_t target = read16(PC);
        PC += 2;
        push16(PC - 1);
        PC = target;
        return 0;
    }

    int RTS() {
        PC = pop16() + 1;
        return 0;
    }

    int JMP() {
        PC = addr_abs;
        return 0;
    }

    int NOP() {
        return 0;
    }

    // --- Основной цикл выполнения инструкции ---
    int executeInstruction() {
        uint8_t opcode = fetch();
        int base_cycles = cycle_table[opcode];
        int additional_cycles = 0;

        // Установить addr_abs или addr_rel в зависимости от инструкции
        switch (opcode) {
            case 0xA9: addr_immediate(); break;
            case 0xA5: addr_zero_page(); break;
            case 0xB5: addr_zero_page_x(); break;
            case 0xAD: addr_absolute(); break;
            case 0xBD: addr_absolute_x(); additional_cycles = ((PC - 1) & 0xFF00) != (addr_abs & 0xFF00) ? 1 : 0; break;
            case 0xB9: addr_absolute_y(); additional_cycles = ((PC - 1) & 0xFF00) != (addr_abs & 0xFF00) ? 1 : 0; break;
            case 0xA1: addr_indirect_x(); break;
            case 0xB1: addr_indirect_y(); additional_cycles = ((PC - 1) & 0xFF00) != (addr_abs & 0xFF00) ? 1 : 0; break;
            case 0x20: JSR(); return base_cycles + additional_cycles;
            case 0x4C: addr_absolute(); JMP(); return base_cycles + additional_cycles;
            case 0x6C: addr_abs = read16(PC); PC += 2; JMP(); return base_cycles + additional_cycles;
            case 0x10: case 0x30: case 0x50: case 0x70:
            case 0x90: case 0xB0: case 0xD0: case 0xF0:
                addr_relative();
                if ((PC & 0xFF00) != (addr_rel & 0xFF00)) additional_cycles = 2;
                else additional_cycles = 1;
                break;
            default:
                // Для остальных инструкций — адресация не нужна
                break;
        }

        switch (opcode) {
            case 0x69: case 0x65: case 0x75: case 0x6D: case 0x7D: case 0x79: case 0x61: case 0x71: ADC(); break;
            case 0xE9: case 0xE5: case 0xF5: case 0xED: case 0xFD: case 0xF9: case 0xE1: case 0xF1: SBC(); break;
            case 0x29: case 0x25: case 0x35: case 0x2D: case 0x3D: case 0x39: case 0x21: case 0x31: AND(); break;
            case 0x49: case 0x45: case 0x55: case 0x4D: case 0x5D: case 0x59: case 0x41: case 0x51: EOR(); break;
            case 0x09: case 0x05: case 0x15: case 0x0D: case 0x1D: case 0x19: case 0x01: case 0x11: ORA(); break;
            case 0xC9: case 0xC5: case 0xD5: case 0xCD: case 0xDD: case 0xD9: case 0xC1: case 0xD1: CMP(); break;
            case 0xE0: case 0xE4: case 0xEC: CPX(); break;
            case 0xC0: case 0xC4: case 0xCC: CPY(); break;
            case 0xC6: case 0xD6: case 0xCE: case 0xDE: DEC(); break;
            case 0xCA: DEX(); break;
            case 0x88: DEY(); break;
            case 0xE6: case 0xF6: case 0xEE: case 0xFE: INC(); break;
            case 0xE8: INX(); break;
            case 0xC8: INY(); break;
            case 0xA9: case 0xA5: case 0xB5: case 0xAD: case 0xBD: case 0xB9: case 0xA1: case 0xB1: LDA(); break;
            case 0xA2: case 0xA6: case 0xB6: case 0xAE: case 0xBE: case 0xA0: case 0xB0: LDX(); break;
            case 0xA0: case 0xA4: case 0xB4: case 0xAC: case 0xBC: LDY(); break;
            case 0x85: case 0x95: case 0x8D: case 0x9D: case 0x99: case 0x81: case 0x91: STA(); break;
            case 0x86: case 0x96: case 0x8E: STX(); break;
            case 0x84: case 0x94: case 0x8C: STY(); break;
            case 0xAA: TAX(); break;
            case 0xA8: TAY(); break;
            case 0xBA: TSX(); break;
            case 0x8A: TXA(); break;
            case 0x9A: TXS(); break;
            case 0x98: TYA(); break;
            case 0x0A: case 0x06: case 0x16: case 0x0E: case 0x1E: ASL(); break;
            case 0x4A: case 0x46: case 0x56: case 0x4E: case 0x5E: LSR(); break;
            case 0x2A: case 0x26: case 0x36: case 0x2E: case 0x3E: ROL(); break;
            case 0x6A: case 0x66: case 0x76: case 0x6E: case 0x7E: ROR(); break;
            case 0x24: case 0x2C: BIT(); break;
            case 0x48: PHA(); break;
            case 0x08: PHP(); break;
            case 0x68: PLA(); break;
            case 0x28: PLP(); break;
            case 0x00: BRK(); break;
            case 0x40: RTI(); break;
            case 0x60: RTS(); break;
            case 0x4C: case 0x6C: break; // Уже обработано выше
            case 0x10: case 0x30: case 0x50: case 0x70:
            case 0x90: case 0xB0: case 0xD0: case 0xF0: {
                bool branch_taken = false;
                switch (opcode) {
                    case 0x10: branch_taken = !getFlag(N); break;
                    case 0x30: branch_taken = !getFlag(V); break;
                    case 0x50: branch_taken = !getFlag(V); break;
                    case 0x70: branch_taken = getFlag(V); break;
                    case 0x90: branch_taken = !getFlag(C); break;
                    case 0xB0: branch_taken = getFlag(C); break;
                    case 0xD0: branch_taken = !getFlag(Z); break;
                    case 0xF0: branch_taken = getFlag(Z); break;
                }
                if (branch_taken) {
                    PC = addr_rel;
                } else {
                    additional_cycles = 0;
                }
                break;
            }
            case 0xEA: NOP(); break;
            default:
                std::cout << "Unknown opcode: 0x" << std::hex << (int)opcode << "\n";
                exit(1);
        }

        cycles += base_cycles + additional_cycles;
        return base_cycles + additional_cycles;
    }

    void push(uint8_t value) {
        write(0x0100 + SP, value);
        SP--;
    }

    void push16(uint16_t value) {
        push((value >> 8) & 0xFF);
        push(value & 0xFF);
    }

    uint8_t pop() {
        SP++;
        return read(0x0100 + SP);
    }

    uint16_t pop16() {
        uint8_t low = pop();
        uint8_t high = pop();
        return low | (high << 8);
    }
};

int main() {
    MOS6502 cpu;

    // Пример программы: LDA #$01; ADC #$02; JMP $8000
    cpu.memory[0x8000] = 0xA9; cpu.memory[0x8001] = 0x01; // LDA #$01
    cpu.memory[0x8002] = 0x69; cpu.memory[0x8003] = 0x02; // ADC #$02
    cpu.memory[0x8004] = 0x4C; cpu.memory[0x8005] = 0x00; cpu.memory[0x8006] = 0x80; // JMP $8000

    cpu.PC = 0x8000;

    for (int i = 0; i < 10; i++) {
        int c = cpu.executeInstruction();
        std::cout << "Cycles: " << cpu.cycles << ", A: 0x" << std::hex << (int)cpu.A << std::endl;
    }

    return 0;
}

Наглая Qwen утверждает, что реализовала все команды процессора, коих 56, а так же 13 режимов адресации. Да, по коду видно, что теперь при декодировании инструкций учитывается режим адресации по опкоду команды, а также, к исполненному числу тактов дается довесок в виде дополнительных тактах при условных переходах. До поры отбросим интерпретацию полученных результатов, а пока дадим еще один запрос

имитация реальной тактовой частоты

по которому был предложен такой вариант основного цикла

#include <thread>

int main() {
    MOS6502 cpu;
    const int TARGET_HZ = 1790000; // ~1.79 MHz для NES
    const double CYCLE_TIME_NS = 1e9 / TARGET_HZ; // Наносекунд на такт

    // Пример программы: LDA #$01; ADC #$02; JMP $8000
    cpu.memory[0x8000] = 0xA9; cpu.memory[0x8001] = 0x01;
    cpu.memory[0x8002] = 0x69; cpu.memory[0x8003] = 0x02;
    cpu.memory[0x8004] = 0x4C; cpu.memory[0x8005] = 0x00; cpu.memory[0x8006] = 0x80;
    cpu.PC = 0x8000;

    int64_t total_emulated_cycles = 0;
    auto start_time = std::chrono::high_resolution_clock::now();

    for (int i = 0; i < 1000000; i++) { // Например, 1 млн инструкций
        int cycles_this_step = cpu.executeInstruction();
        total_emulated_cycles += cycles_this_step;

        double elapsed_time_ns = std::chrono::duration<double, std::nano>(
            std::chrono::high_resolution_clock::now() - start_time
        ).count();

        double target_time_ns = total_emulated_cycles * CYCLE_TIME_NS;

        if (elapsed_time_ns < target_time_ns) {
            std::this_thread::sleep_for(
                std::chrono::nanoseconds((long long)(target_time_ns - elapsed_time_ns))
            );
        }
    }

    std::cout << "Эмуляция завершена. Выполнено " << total_emulated_cycles << " тактов.\n";
    return 0;
}

что в общем-то пойдет, для начала. Соединив все вместе, можно пробовать реализовать свой пример.

3. Реализация тестового эмулятора MOS 6502

Потратив первый вечер, я написал первый вариант проекта, структура которого такова

include/-
        |-main.h
        |-mos6502.h
src/----
        |-main.cpp
        |-mos6502.cpp
CMakeLists.txt

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

Листинги

mos6502.h
#ifndef     MOS6502_H
#define     MOS6502_H

#include    <vector>
#include    <cstdint>

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
class MOS6502
{
public:

    MOS6502();

    ~MOS6502(){}

    /// Регистр-аккумулятор
    uint8_t A = 0;
    /// Впомогательный регистр X
    uint8_t X = 0;
    /// Вспомогательный регистр Y
    uint8_t Y = 0;
    /// Регистр указателя стека
    uint8_t SP = 0;
    /// Регистр флагов
    uint8_t P = 0;

    /// Регистр-счетчик команд
    uint16_t PC = 0;

    uint64_t cycles = 0;

    enum
    {
        MEMORY_SIZE = 0x10000
    };

    /// Флаги
    enum
    {
        C = 0x01, /// Перенос
        Z = 0x02, /// Ноль
        I = 0x04, /// Запрет прерываний
        D = 0x08, /// Переводит АЛУ в режим двично-десятичного кода
        B = 0x10, /// Флаг останова
        R = 0x20,
        V = 0x40, /// Переполнение
        N = 0x80  /// Знак
    };


    std::vector<uint8_t> memory = std::vector<uint8_t>(MEMORY_SIZE, 0x00);

    /// Сброс процессора
    void reset();

    /// Читаем байт из памяти по указанному адресу
    uint8_t read(uint16_t addr);

    /// Читаем слово по адресу в памяти
    uint16_t read16(uint16_t addr);

    /// Пишем в память по адресу
    void write(uint16_t addr, uint8_t value);

    /// Установить флаг
    void setFlag(uint8_t flag, bool value);

    /// Прочиать флаг
    bool getFlag(uint8_t flag);

    uint16_t addr_abs = 0;
    uint16_t addr_rel = 0;
    uint8_t fetched = 0;

    uint8_t fetch();

    uint8_t fetchOperand();

    void writeAddr(uint16_t addr, uint8_t value);

    /// 1. Непосредственная адрессация
    void addr_immediate();

    /// 2.
    void addr_zero_page();

    /// 3.
    void addr_zero_page_x();

    /// 4.
    void addr_zero_page_y();

    /// 5.
    void addr_absolute();

    /// 6.
    void addr_absolute_x();

    /// 7.
    void addr_absolute_y();

    /// 8.
    void addr_indirect_x();

    /// 9.
    void addr_indirect_y();

    /// 10.
    void addr_relative();

    /// 11.
    void addr_accumulator();

    // Таблица базовых тактов
    const int cycle_table[256] = {
        //  0  1  2  3  4  5  6  7  8  9  A  B  C  D  E  F
        7, 6, 2, 8, 3, 3, 5, 5, 3, 2, 2, 2, 4, 4, 6, 6, // 0
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 1
        6, 6, 2, 8, 3, 3, 5, 5, 4, 2, 2, 2, 4, 4, 6, 6, // 2
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 3
        6, 6, 2, 8, 3, 3, 5, 5, 3, 2, 2, 2, 3, 4, 6, 6, // 4
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 5
        6, 6, 2, 8, 3, 3, 5, 5, 4, 2, 2, 2, 5, 4, 6, 6, // 6
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // 7
        2, 6, 2, 6, 3, 3, 3, 3, 2, 2, 2, 2, 4, 4, 4, 4, // 8
        2, 6, 2, 6, 4, 4, 4, 4, 2, 5, 2, 5, 5, 5, 5, 5, // 9
        2, 6, 2, 6, 3, 3, 3, 3, 2, 2, 2, 2, 4, 4, 4, 4, // A
        2, 5, 2, 5, 4, 4, 4, 4, 2, 4, 2, 4, 4, 4, 4, 4, // B
        2, 6, 2, 8, 3, 3, 5, 5, 2, 2, 2, 2, 4, 4, 6, 6, // C
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7, // D
        2, 6, 2, 8, 3, 3, 5, 5, 2, 2, 2, 2, 4, 4, 6, 6, // E
        2, 5, 2, 8, 4, 4, 6, 6, 2, 4, 2, 7, 4, 4, 7, 7  // F
    };

    /// Сложение с аккумулятором с переносом
    int ADC();

    /// Вычитание из аккумулятора с переносом
    int SBC();

    /// Логичесое битовое "И" с аккумулятором
    int AND();

    /// Исключающее "ИЛИ" с аккумулятором
    int EOR();

    /// "ИЛИ" с аккумулятором
    int ORA();

    /// Сравнение с аккумулятором
    int CMP();

    /// Сравнение с регистром X
    int CPX();

    /// Сравнение с регистром Y
    int CPY();

    /// Декремент значения в памяти
    int DEC();

    /// Декремент регистра X
    int DEX();

    /// Декремент регистра Y
    int DEY();

    /// Инкремент значения в памяти
    int INC();

    /// Инкремент регистра X
    int INX();

    /// Инкремент регистра Y
    int INY();

    /// Загрузка аккумулятора
    int LDA();

    /// Загрузка регистра X
    int LDX();

    /// Загрузка регистра Y
    int LDY();

    /// Сохранить аккумулятор в памяти
    int STA();

    /// Сохранить X в памяти
    int STX();

    /// Сохранить Y в памяти
    int STY();

    /// Перенести значение из аккумулятора в X
    int TAX();

    /// Перенести значение из аккумулятора в Y
    int TAY();

    /// Перенести значение SP в X
    int TSX();

    /// Перенести значение из X в аккумулятор
    int TXA();

    /// Перенести значение из Y в аккумулятор
    int TYA();

    /// Загрузить SP из X
    int TXS();

    /// Арифметический сдвиг влево (аккумулятор или память)
    int ASL();

    /// Логический сдвиг вправо (аккумулятор или память
    int LSR();

    /// Циклический сдвиг влево
    int ROL();

    /// Циклический сдвиг вправо
    int ROR();

    /// Тест битов
    int BIT();

    /// Протолкнуть в стек байт
    void push(uint8_t value);

    /// Протлкнуть в стек слово
    void push16(uint16_t value);

    /// Извлечь из стека байт
    uint8_t pop();

    /// Извлечь из стека слово
    uint16_t pop16();

    /// Протолкнуть в стек аккумулятор
    int PHA();

    /// Протолкнуть в стек флаги
    int PHP();

    /// Извлечь из стека в аккумулятор
    int PLA();

    /// Извлечь из стека флаги
    int PLP();

    /// Инициировать программное прервывание
    int BRK();

    /// Возврат из прерывания
    int RTI();

    /// Вызов подпрограммы
    int JSR();

    /// Возврат из подпрограммы
    int RTS();

    /// Безусловный переход
    int JMP();

    /// Пустая операция
    int NOP();

    /// Цикл выполнения инструкции
    int execInstruction();
};

#endif
mos6502.cpp
#include    <mos6502.h>
#include    <iostream>

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
MOS6502::MOS6502()
{
    reset();
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::reset()
{
    PC = read16(0xFFFC);
    SP = 0xFD;
    P = I;
    A = X = Y = 0;
    cycles = 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
uint8_t MOS6502::read(uint16_t addr)
{
    cycles++;
    return memory[addr];
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
uint16_t MOS6502::read16(uint16_t addr)
{
    return read(addr) | (read(addr + 1) << 8);
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::write(uint16_t addr, uint8_t value)
{
    cycles++;
    memory[addr] = value;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::setFlag(uint8_t flag, bool value)
{
    if (value)
        P |= flag;
    else
        P &= ~flag;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
bool MOS6502::getFlag(uint8_t flag)
{
    return (P & flag) != 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
uint8_t MOS6502::fetch()
{
    return read(PC++);
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
uint8_t MOS6502::fetchOperand()
{
    fetched = read(addr_abs);
    return fetched;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::writeAddr(uint16_t addr, uint8_t value)
{
    write(addr, value);
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::addr_immediate()
{
    // Берем непосредственный операнд, лежащий в памяти сразу за опкодом
    addr_abs = PC++;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::addr_zero_page()
{
    addr_abs = fetch();
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::addr_zero_page_x()
{
    addr_abs = (fetch() + X) & 0xFF;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::addr_zero_page_y()
{
    addr_abs = (fetch() + Y) & 0xFF;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::addr_absolute()
{
    addr_abs = read16(PC);
    PC += 2;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::addr_absolute_x()
{
    addr_abs = read16(PC) + X;
    PC += 2;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::addr_absolute_y()
{
    addr_abs = read16(PC) + Y;
    PC += 2;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::addr_indirect_x()
{
    uint16_t ptr = (fetch() + X) & 0xFF;
    addr_abs = read16(ptr);
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::addr_indirect_y()
{
    uint16_t ptr = fetch();
    addr_abs = read16(ptr) + Y;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::addr_relative()
{
    addr_rel = fetch();

    if (addr_rel & 0x80)
        addr_rel |= 0xFF00;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::addr_accumulator()
{
    addr_abs = 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::ADC()
{
    fetchOperand();
    uint16_t tmp = A + fetched + (getFlag(C) ? 1 : 0);
    setFlag(C, tmp > 0xFF);
    setFlag(V, (~(A ^ fetched) & (A & tmp)) & 0x80);
    A = tmp & 0xFF;
    setFlag(Z, A ==0);
    setFlag(N, A & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::SBC()
{
    fetchOperand();
    uint16_t tmp = A - fetched - (getFlag(C) ? 1 : 0);
    setFlag(C, tmp < 0x100);
    setFlag(V, ((A ^ tmp) & (fetched ^ A)) & 0x80);
    A = tmp & 0xFF;
    setFlag(Z, A == 0);
    setFlag(N, A & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::AND()
{
    fetchOperand();
    A &= fetched;
    setFlag(Z, A == 0);
    setFlag(N, A & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::EOR()
{
    fetchOperand();
    A ^= fetched;
    setFlag(Z, A == 0);
    setFlag(N, A & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::ORA()
{
    fetchOperand();
    A |= fetched;
    setFlag(Z, A == 0);
    setFlag(N, A & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::CMP()
{
    fetchOperand();
    uint16_t tmp = A - fetched;
    setFlag(C, A >= fetched);
    setFlag(Z, tmp == 0);
    setFlag(N, tmp & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::CPX()
{
    uint8_t value = read(addr_abs);
    uint16_t tmp = X - value;
    setFlag(C, X >= value);
    setFlag(Z, tmp ==0);
    setFlag(N, tmp & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::CPY()
{
    uint8_t value = read(addr_abs);
    uint16_t tmp = Y - value;
    setFlag(C, Y >= value);
    setFlag(Z, tmp ==0);
    setFlag(N, tmp & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::DEC()
{
    uint8_t value = read(addr_abs);
    value--;
    writeAddr(addr_abs, value);
    setFlag(Z, value == 0);
    setFlag(N, value & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::DEX()
{
    X--;
    setFlag(Z, X == 0);
    setFlag(N, X & 0x80);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::DEY()
{
    Y--;
    setFlag(Z, Y == 0);
    setFlag(N, Y & 0x80);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::INC()
{
    uint8_t value = read(addr_abs);
    value++;
    writeAddr(addr_abs, value);
    setFlag(Z, value == 0);
    setFlag(N, value & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::INX()
{
    X++;
    setFlag(Z, X == 0);
    setFlag(N, X & 0x80);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::INY()
{
    Y++;
    setFlag(Z, Y == 0);
    setFlag(N, Y & 0x80);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::LDA()
{
    fetchOperand();
    A = fetched;
    setFlag(Z, A == 0);
    setFlag(N, A & 0x80);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::LDX()
{
    fetchOperand();
    X = fetched;
    setFlag(Z, X == 0);
    setFlag(N, X & 0x80);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::LDY()
{
    fetchOperand();
    Y = fetched;
    setFlag(Z, Y == 0);
    setFlag(N, Y & 0x80);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::STA()
{
    writeAddr(addr_abs, A);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::STX()
{
    writeAddr(addr_abs, X);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::STY()
{
    writeAddr(addr_abs, Y);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::TAX()
{
    X = A;
    setFlag(Z, X == 0);
    setFlag(N, X & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::TAY()
{
    Y = A;
    setFlag(Z, Y == 0);
    setFlag(N, Y & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::TSX()
{
    X = SP;
    setFlag(Z, X == 0);
    setFlag(N, X & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::TXA()
{
    A = X;
    setFlag(Z, A == 0);
    setFlag(N, A & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::TYA()
{
    A = Y;
    setFlag(Z, A == 0);
    setFlag(N, A & 0x80);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::TXS()
{
    SP = X;
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::ASL()
{
    if (addr_abs == 0)
    {
        setFlag(C, A & 0x80);
        A <<= 1;
        setFlag(Z, A == 0);
        setFlag(N, A & 0x80);
    }
    else
    {
        uint8_t value = read(addr_abs);
        setFlag(C, value & 0x80);
        value <<= 1;
        writeAddr(addr_abs, value);
        setFlag(Z, value == 0);
        setFlag(N, value & 0x80);
    }

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::LSR()
{
    if (addr_abs == 0)
    {
        setFlag(C, A & 0x01);
        A >>= 1;
        setFlag(Z, A == 0);
        setFlag(N, 0);
    }
    else
    {
        uint8_t value = read(addr_abs);
        setFlag(C, value & 0x01);
        value >>= 1;
        writeAddr(addr_abs, value);
        setFlag(Z, value == 0);
        setFlag(N, 0);
    }

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::ROL()
{
    uint16_t tmp = 0;
    if (addr_abs == 0)
    {
        tmp = (A << 1) | (getFlag(C) ? 1 : 0);
        setFlag(C, A & 0x80);
        A = tmp & 0xFF;
        setFlag(Z, A == 0);
        setFlag(N, A & 0x80);
    }
    else
    {
        tmp = (read(addr_abs) << 1) | (getFlag(C) ? 1 : 0);
        setFlag(C, fetched & 0x80);
        writeAddr(addr_abs, tmp & 0xFF);
        setFlag(Z, (tmp & 0xFF) == 0);
        setFlag(N, tmp & 0x80);
    }

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::ROR()
{
    uint16_t tmp = 0;
    if (addr_abs == 0)
    {
        tmp = (A >> 1) | (getFlag(C) ? 0x80 : 0);
        setFlag(C, A & 0x01);
        A = tmp & 0xFF;
        setFlag(Z, A == 0);
        setFlag(N, A & 0x80);
    }
    else
    {
        tmp = (read(addr_abs) >> 1) | (getFlag(C) ? 0x80 : 0);
        setFlag(C, fetched & 0x01);
        writeAddr(addr_abs, tmp & 0xFF);
        setFlag(Z, (tmp & 0xFF) == 0);
        setFlag(N, tmp & 0x80);
    }

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::BIT()
{
    fetchOperand();
    uint8_t tmp = A & fetched;
    setFlag(Z, tmp == 0);
    setFlag(N, fetched & 0x80);
    setFlag(V, fetched & 0x40);

    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::push(uint8_t value)
{
    write(0x100 + SP, value);
    SP--;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::push16(uint16_t value)
{
    push((value >> 8) & 0xFF);
    push(value & 0xFF);
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
uint8_t MOS6502::pop()
{
    SP++;
    return read(0x100 + SP);
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
uint16_t MOS6502::pop16()
{
    uint8_t low = pop();
    uint8_t high = pop();
    return low | (high << 8);
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::PHA()
{
    push(A);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::PHP()
{
    push(P | B | R);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::PLA()
{
    A = pop();
    setFlag(Z, A == 0);
    setFlag(N, A & 0x80);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::PLP()
{
    P = pop();
    P &= ~B;
    P &= ~R;
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::BRK()
{
    PC++;
    push16(PC);
    push(P | B);
    setFlag(I, true);
    PC = read16(0xFFFE);
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::RTI()
{
    P = pop();
    P &= ~B;
    P &= ~R;
    PC = pop16();
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::JSR()
{
    uint16_t target = read16(PC);
    PC += 2;
    push16(PC - 1);
    PC = target;
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::RTS()
{
    PC = pop16() + 1;
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::JMP()
{
    PC = addr_abs;
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::NOP()
{
    return 0;
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::execInstruction()
{
    uint8_t opcode = fetch();
    int base_cycles = cycle_table[opcode];
    int additional_cycles = 0;

    switch (opcode)
    {
    // Непосредственная адресация
    case 0xA9: case 0x69: case 0x29: case 0xC9: case 0xE0:
    case 0xC0: case 0x49: case 0xA2: case 0xA0: case 0x09:
    case 0xE9: addr_immediate(); break;

    case 0xA5: case 0x65: case 0x25: addr_zero_page(); break;

    case 0xB5: case 0x75: case 0x35: addr_zero_page_x(); break;

    case 0xAD: case 0x6D: case 0x2D: addr_absolute(); break;

    case 0x0A: case 0x2A: case 0x6A: addr_accumulator(); break;

    case 0xBD: case 0x7D: case 0x3D: addr_absolute_x(); additional_cycles = ((PC-1) & 0xFF00) != (addr_abs & 0xFF00) ? 1 : 0; break;

    case 0xB9: case 0x79: case 0x39: addr_absolute_y(); additional_cycles = ((PC-1) & 0xFF00) != (addr_abs & 0xFF00) ? 1 : 0; break;

    case 0xA1: addr_indirect_x(); break;

    case 0xB1: addr_indirect_y(); additional_cycles = ((PC-1) & 0xFF00) != (addr_abs & 0xFF00) ? 1 : 0; break;

    case 0x20: JSR(); return base_cycles + additional_cycles;

    case 0x4C: addr_absolute(); JMP(); return base_cycles + additional_cycles;

    case 0x6C: addr_abs = read16(PC); PC += 2; JMP(); return base_cycles + additional_cycles;

    case 0x10: case 0x30: case 0x50: case 0x70:
    case 0x90: case 0xB0: case 0xD0: case 0xF0:
        addr_relative();
        if ((PC & 0xFF00) != (addr_rel & 0xFF00)) additional_cycles = 2;
        else additional_cycles = 1;
        break;

    default:

        break;
    }

    switch (opcode)
    {
    case 0x69: case 0x65: case 0x75: case 0x6D: case 0x7D: case 0x79: case 0x61: case 0x71: ADC(); break;
    case 0xE9: case 0xE5: case 0xF5: case 0xED: case 0xFD: case 0xF9: case 0xE1: case 0xF1: SBC(); break;
    case 0x29: case 0x25: case 0x35: case 0x2D: case 0x3D: case 0x39: case 0x21: case 0x31: AND(); break;
    case 0x49: case 0x45: case 0x55: case 0x4D: case 0x5D: case 0x59: case 0x41: case 0x51: EOR(); break;
    case 0x09: case 0x05: case 0x15: case 0x0D: case 0x1D: case 0x19: case 0x01: case 0x11: ORA(); break;
    case 0xC9: case 0xC5: case 0xD5: case 0xCD: case 0xDD: case 0xD9: case 0xC1: case 0xD1: CMP(); break;
    case 0xE0: case 0xE4: case 0xEC: CPX(); break;
    case 0xC0: case 0xC4: case 0xCC: CPY(); break;
    case 0xC6: case 0xD6: case 0xCE: case 0xDE: DEC(); break;
    case 0xCA: DEX(); break;
    case 0x88: DEY(); break;
    case 0xE6: case 0xF6: case 0xEE: case 0xFE: INC(); break;
    case 0xE8: INX(); break;
    case 0xC8: INY(); break;
    case 0xA9: case 0xA5: case 0xB5: case 0xAD: case 0xBD: case 0xB9: case 0xA1: case 0xB1: LDA(); break;
    case 0xA2: case 0xA6: case 0xB6: case 0xAE: case 0xBE: LDX(); break;
    case 0xA0: case 0xA4: case 0xB4: case 0xAC: case 0xBC: LDY(); break;
    case 0x85: case 0x95: case 0x8D: case 0x9D: case 0x99: case 0x81: case 0x91: STA(); break;
    case 0x86: case 0x96: case 0x8E: STX(); break;
    case 0x84: case 0x94: case 0x8C: STY(); break;
    case 0xAA: TAX(); break;
    case 0xA8: TAY(); break;
    case 0xBA: TSX(); break;
    case 0x8A: TXA(); break;
    case 0x9A: TXS(); break;
    case 0x98: TYA(); break;
    case 0x0A: case 0x06: case 0x16: case 0x0E: case 0x1E: ASL(); break;
    case 0x4A: case 0x46: case 0x56: case 0x4E: case 0x5E: LSR(); break;
    case 0x2A: case 0x26: case 0x36: case 0x2E: case 0x3E: ROL(); break;
    case 0x6A: case 0x66: case 0x76: case 0x6E: case 0x7E: ROR(); break;
    case 0x24: case 0x2C: BIT(); break;
    case 0x48: PHA(); break;
    case 0x08: PHP(); break;
    case 0x68: PLA(); break;
    case 0x28: PLP(); break;
    case 0x00: BRK(); break;
    case 0x40: RTI(); break;
    case 0x60: RTS(); break;
    case 0x4C: case 0x6C: break;
    case 0x10: case 0x30: case 0x50: case 0x70:
    case 0x90: case 0xB0: case 0xD0: case 0xF0:
        {
            bool branch_taken = false;
            switch (opcode)
            {
            case 0x10: branch_taken = !getFlag(N); break;
            case 0x30: branch_taken = !getFlag(V); break;
            case 0x50: branch_taken = !getFlag(V); break;
            case 0x70: branch_taken = !getFlag(V); break;
            case 0x90: branch_taken = !getFlag(C); break;
            case 0xB0: branch_taken = !getFlag(C); break;
            case 0xD0: branch_taken = !getFlag(Z); break;
            case 0xF0: branch_taken = !getFlag(Z); break;
            }

            if (branch_taken)
            {
                PC = addr_rel;
            }
            else
            {
                additional_cycles = 0;
            }

            break;
        }

    case 0xEA: NOP(); break;

    default:
        std::cout << "Unknown opcode: 0x" << std::hex << (int) opcode << std::endl;
        exit(1);
    }

    cycles += base_cycles + additional_cycles;
    return base_cycles + additional_cycles;
}

main.h
#ifndef     MAIN_H
#define     MAIN_H

#include    <mos6502.h>
#include    <iostream>

#endif
main.cpp
#include    <main.h>

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int main(int argc, char *argv[])
{
    MOS6502 cpu;

    cpu.memory[0x8000] = 0xA9;
    cpu.memory[0x8001] = 0x01;
    cpu.memory[0x8002] = 0x0A;
    cpu.memory[0x8003] = 0x4C;
    cpu.memory[0x8004] = 0x02;
    cpu.memory[0x8005] = 0x80;

    cpu.PC = 0x8000;

    for (int i = 0; i < 10; ++i)
    {
        int c = cpu.execInstruction();
        std::cout << "Cycles: " << cpu.cycles << ", A: 0x" << std::hex << (int) cpu.A << std::endl;
    }

    return 0;
}
CMakeLists.txt
cmake_minimum_required (VERSION 3.29)

set(CMAKE_CXX_STANDARD 17)
set(CMAKE_CXX_STANDARD_REQUIRED ON)

set(TARGET c64)

project(${TARGET})

set(EXECUTABLE_OUTPUT_PATH "../bin")

file(GLOB INCLUDES "./include/*.h")
file(GLOB SOURCES "./src/*.cpp")

add_executable(${TARGET} ${SOURCES} ${INCLUDES})

target_include_directories(${TARGET} PRIVATE ./include/)

Напрямую в память был установлена программа в машинных кодах, имеющая следующий ассемблерный листинг

8000: LDA $01
8002: ASL
8003: JMP $8002

Загружаем аккумулятор непосредственным значением, выполняем арифметический сдвиг влево, безусловно прыгаем снова на команду сдвига. Регистр-счетчик команд ставим принудительно на адрес 0x8000. Все просто. И как вы думаете, заработало оно сразу, по реализации предложенной Qwen? Конечно же нет!

Проблемы начались уже на команде ASL. Qwen предлагает реализовать её с учетом всех возможных способов адрессации

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::ASL()
{
    if (addr_abs == 0)
    {
        setFlag(C, A & 0x80);
        A <<= 1;
        setFlag(Z, A == 0);
        setFlag(N, A & 0x80);
    }
    else
    {
        uint8_t value = read(addr_abs);
        setFlag(C, value & 0x80);
        value <<= 1;
        writeAddr(addr_abs, value);
        setFlag(Z, value == 0);
        setFlag(N, value & 0x80);
    }

    return 0;
}

предполагая работу как с аккумулятором, так и с абсолютной адресацией. Но не предусматривает варианта адресации "accumulator", которая описана в спецификации системы команд MOS 6502. Пришлось написать его самостоятельно

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::addr_accumulator()
{
    addr_abs = 0;
}

поправив процедуру декодирования с учетом команд работающих с аккумулятором

case 0x0A: case 0x2A: case 0x6A: addr_accumulator(); break;

То есть опкода 0x0A нейронка не предусмотрела, хотя горделиво заявила, что реализовала все 56 инструкций со всеми способами адресации.

После внесения таких исправлений и прогона по шагам, значение в аккумуляторе стало весело удваиваться с каждой итерацией цикла. Заработало! А что же дальше

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

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

4. Кросс-компиляция и выполнение программ на ассемблере

Для архитектуры 6502 есть кросс-ассемблер, и даже целый компилятор для языка C - это cc65. Это свободный проект, с отличнейшей документацией. Поскольку я работал в линуксе, а конкретно в ArchLinux, я собрал PKGBUILD из репозитория AUR. Все прошло тривиально и не стоит того, чтобы описывать.

Теперь, когда у нас есть компилятор, можно подумать и о модификации проекта - процессор у нас уже есть, пора подумать о том чтобы делать компьютер C64. С помощью Qwen удалось выяснить что:

  1. Формат исполняемых файлов для C64 называется PRG и элементарен по своей структуре - это бинарный файл, первые два байта которого - адрес загрузки программы в память (Little Edian), остальное - голый машинный код и данные.

  2. Предложена процедура загрузки файла (я ж непрограммист, у меня ж жеж лапки). Qwen "выдала гениальное"

// === ЗАГРУЗКА .PRG ===
    void load_prg(const std::string& filename) {
        std::ifstream file(filename, std::ios::binary);
        if (!file.is_open()) {
            std::cerr << "Cannot open file: " << filename << "\n";
            exit(1);
        }

        uint8_t lo, hi;
        file.read((char*)&lo, 1);
        file.read((char*)&hi, 1);
        uint16_t load_addr = lo | (hi << 8);

        std::cout << "Loading PRG to $0x" << std::hex << load_addr << std::endl;

        file.seekg(0, std::ios::beg); // Перейти в начало
        file.seekg(2, std::ios::cur); // Пропустить 2 байта заголовка

        char byte;
        while (file.get(byte)) {
            ram[load_addr++] = static_cast<uint8_t>(byte);
        }

        cpu.PC = load_addr; // Установить PC в конец загрузки
    }

Гениальность в последней, 24 строке. В строках с 9 по 12 мы так старались извлечь адрес загрузки, чтобы затем весело использовать его в качестве счетчика байт, а потом, тем что получилось, загрузить счетчик команд процессора. Круто, круто... Даже без запуска строчка 24 перекочевала на 13-ю строку, как это и должно было быть. Кто там писал, что нейросеть пишет код как "джун"? Да - в точку!

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

test.asm
        .pc02
        .org $0801

start:
        lda #$01
loop:
        asl
        jmp loop

С помощью той же Qwen удалось выяснить, как это собрать. Надо скомпилировать исходник в объектный файл

$ ca65 test.asm -o test.o

а потом вызвать компоновщик

$ ld65 -C c64-asm.cfg test.o -o test.bin

Стоп, какой-такой c64-asm.cfg? А без него? Нельзя без него, это скрипт линковки, определяющий размещение кода и данных в конечном бинарнике. Хорошо, что нам посоветует ИИ?

c64-asm.cfg
MEMORY {
    ZP:       start = $0002, size = $001A, type = rw, define = yes;  # Область ZP (Zero Page)
    LOADADDR: start = $07FF,  size = $0002, type = ro, define = yes; # Адрес загрузки (2 байта)
    RAM:      start = $0801,  size = $97FE, file = %O, define = yes; # Основная память
}

SEGMENTS {
    LOADADDR: load = LOADADDR, type = ro;
    EXEHDR:   load = RAM,      type = ro,  optional = yes;
    CODE:     load = RAM,      type = ro,  optional = yes;
    RODATA:   load = RAM,      type = ro,  optional = yes;
    DATA:     load = RAM,      type = rw,  optional = yes;
    BSS:      load = RAM,      type = bss, optional = yes, define = yes;
}

Ладно, хоть тут ничего не понятно, кроме того что программа будет загружена по адресу 0x07FF. Попробуем - матернувшись,

ld65: Warning: c64.cfg(19): Segment 'LOADADDR' does not exist

компоновщик выдал двоичный файл следующего содержания

0000000 a9 01 0a 4c 03 08
0000006

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

$ echo -ne '\xff\x07' > test.prg
$ cat test.bin >> test.prg

Супер, заветный бинарник получен. И таки да, он запустился! Что же, теперь мы избавлены от мучения писать программы в машинных кодах, у нас есть целый ассемблер. Естественно, тестирование эмулятора процессора было продолжено. А заодно, не без помощи ИИ, найдены концы к автоматической генерации бинарника, что в конечном итоге вылилось в такой пример

test-stack.asm

.segment "LOADADDR"
		.word Start

		.org $0200

.segment "CODE"

Start:
		CLD
		CLI

		LDA #$2A
		PHA
		LDA #$2B
		PHA
		LDA #$2C
		PHA
		LDA #$00
		PLA
		PLA
		PLA
Loop:		
		JMP Loop

.segment "VECTORS"

		.org $FFFA
		.word Start
		.word Start
		.word Start

c64-asm.cfg

MEMORY {
	ZP:			start=$0000, size=$0100, type=rw, define=yes;
	LOADADDR:	start=$01FE, size=$0002, type=ro, define=yes;
	RAM:		start=$0200, size=$0100, type=rw, define=yes;
	ROM:		start=$C000, size=$4000, type=ro, define=yes;	 
}

SEGMENTS {
	ZEROPAGE:	load=ZP, type=zp;
	LOADADDR:	load=LOADADDR, type=ro;
	CODE:		load=RAM, type=ro, define=yes;
	VECTORS:	load=ROM, start=$FFFA, type=ro;
}

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

Вся эта возня с ассемблером позволила ещё раз проверить реализацию дешифровки команд. В основном это касалось добавления неучтенных опкодов и правку кода, отвечающего за адресацию. Несколько примеров дали хороший результат - эмулятор перестал останавливаться с ошибкой что получен Unknown opcode. Значит настал момент поручить ему нечто более серьезное. Что там у нас с ПЗУ? Что если попробовать скачать оригинальные образы ПЗУ Commodore 64 и отравить их на выполение? Ведь работа нашего компьютера начинается именно со сброса и передаче управления ПЗУ. Как раз работа для второго вечера.

5. Организация памяти Commodore 64

Теперь нас не устроит организация памяти в виде линейного массива байт - нам потребуется целый класс, который будет отвечать за всю аппаратную подсистему управления памятью в C64. Память этого компьютера состоит из:

  • RAM (ОЗУ) объемом 64 кб.

  • BASIC ROM (ПЗУ) объемом 8 кб - там живет интерпретатор бейсика.

  • KERNAL ROM (ПЗУ) объемом 8 кб - там обитает что-то вроде "биоса", системное ПО для инициализации и управления оборудованием на начальном этапе загрузки и предоставляющее программисту функции для реализации системных задач.

  • Character set ROM (ПЗУ) объемом 4 кб - там хранятся растровые шрифты и спецсимвола в двух наборах, каждый по 256 символов.

Все перечисленное - отдельные аппаратные устройства.

Процессор у нас имеет 16-разрядную адресную шину, то есть он непосредственно может адресовать лишь 64 кб, а у нас их 84. Для того чтобы выкрутиться из этой ситуации Commodor 64 содержит еще один системный чип - PLA (Programmable Logic Array), представляющий собой подобие ПЛИС, задача которой - дирижировать доступом процессора к различным областям памяти, вовремя переключая адресную шины на разные чипы. В эту карусель включены так же и

  • VIC - чип видео-контроллера, имеющий 64 байта регистровой памяти

  • SIC - чип аудио-контроллера со своими регистрами

  • CIA1 и CIA2 - чипы контроллеров ввода/вывода, естественно со своим набором регистров

Виртуальные адреса у нас непрерывны от 0x0000 до 0xFFFF. Однако, с помощью PLA, управляемого по сигналам процессора, в это адресное пространство проецируется все вышеперечисленное.

PLA представляет собой микросхему комбинационной логики не имеющую специальных регистров управления. Однако к трем его входам подключен специальный регистр процессора MOS 6510 (и именно это и отличает его от 6502). Переключением банков памяти управляют три младших бита этого регистра.

По умолчанию, адресное пространство распределено следующим образом:

  • 0x0000 - регистр CPU (CPU_REG0) управляющий направлением I/O портов

  • 0x0001 - регистр CPU (CPU_REG1) управляющий переключением банков памяти через PLA (биты 0-2). Старшие биты управляют кассетным магнитофоном

  • 0x0100 - 0x01FF - по-умолчанию здесь расположен стек

  • 0x0200 - 0x03FF - служебная область, выделенная для работы интерпретатора бейсика

  • 0x0400 - 0x07FF - видеопамять

  • 0x0800 - 0x9FFF - область хранения BASIC-программ

  • 0xA000 - 0xBFFF - по-умолчанию сюда проецируется BASIC ROM. Важно понимать, что не копируется, физически, при работе процессора с BASIC ROM эта область памяти остается свободной, а чтение данных происходит из соответствующего ПЗУ. Может быть изменено через регистр CPU_REG1

  • 0xC000 - 0xCFFF - область загрузки программ на машинном языке, то есть бинарников, написанных на ассемблере или C.

  • 0xD000 - 0xD3FF - область регистров чипа VIC-II. Обращение осуществляется к регистровой памяти видео-контроллера

  • 0xD400 - 0xD7FF - область регистров аудио-чипа SID

  • 0xD800 - 0xD8FF - Color memory чипа VIC-II. Содержит цвета символов, выводимых в текстовом режиме, причем от каждого байта этой области используется лишь одна младшая тетрада, то есть в нашем распоряжении аж 16 цветов.

  • 0xDC00 - 0xDE00 - поровну делится регистрами чипов CIA1 и CIA2

  • 0xDF00 - 0xDFFF - область портов ввода/вывода

  • 0xE000 - 0xFFFF - по-умолчанию сюда проецируется KERNAL ROM. Может быть изменено настройкой через регистр CPU_REG1

Кроме того, область памяти 0xD000 - 0xDFFF может быть спроецирована на Character ROM, это также управляется регистром CPU_REG1, но по умолчанию выключено. Состояния памяти, определяемые битами 0-2 выглядят так

  • 0xY00 - ни одна из ROM недоступна. Доступ осуществляется к RAM по соответствующим адресам. Y - означает произвольное состояние старшего бита

  • 0xY01 - нет доступа к BACIS ROM и KERNAL ROM

  • 0xY10 - нет доступа к BASIC ROM

  • 0x0YY - доступ к Character ROM по адресам 0xD000 - 0xDFFF

  • 0x1YY - доступны BACIS ROM и KERNAL ROM, а по адресам 0xD000 - 0xDFFF происходит доступ к портам VIC, SID, CIA и портам ввода/вывода

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

6. Реализация подсистемы памяти Commodore 64

Не буду описывать многочисленные варианты, в конце я дам ссылку на репозиторий проекта и по коммитам можно отследить, что я пришел к нижеприведенному коду не сразу. Запуск с ROM произошел намного раньше, к исходу третьего вечера работы, на другой реализации памяти, нежели приведенная ниже. Здесь я "включил" разработчика и самостоятельно реализовал класс Memory интегрировав его с ядром MOS 6502, услужливо написанное для меня Qwen, и терпеливо доработанное мной. Приведу лишь выдержки из кода, главные его моменты.

Чтение и запись байта в память с учетом работы PLA

memory.cpp

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
uint8_t Memory::read(uint16_t addr)
{
    // При попытке чтения области I/O портов
    if (addr >= VIC_REGS && addr < IO_PORTS2)
    {
        // проверяем видимость этой области для процессора
        if ( ram[CPU_PORT1] & 0x04 )
        {
            return ram[addr];
        }
        else // в противном случе ситаем Character ROM
        {
            return char_rom[addr - CHAR_ROM];
        }
    }

    // При попытке чтения из области BASIC ROM
    if (addr >= BASIC_ROM && addr < BASIC_ROM + BASIC_ROM_SIZE)
    {
        // проверяем доступность этой области
        if ( (ram[CPU_PORT1] & 0x03) == 0x03)
        {
            return basic_rom[addr - BASIC_ROM];
        }
        else
        {
            // иначе - мы читаем ОЗУ
            return ram[addr];
        }
    }

    // При попытке чтения из KERNAL ROM
    if (addr >= KERNAL_ROM && addr <= KERNAL_ROM + KERNAL_ROM_SIZE - 1)
    {
        // Проверяем доступность этой области
        if (ram[CPU_PORT1] & 0x03)
        {
            return kernal_rom[addr - KERNAL_ROM];
        }
        else
        {
            // иначе - читаем ОЗУ
            return ram[addr];
        }
    }

    // Читаем память во всех остальных случаях
    return ram[addr];
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void Memory::write(uint16_t addr, uint8_t value)
{
    // При попытке записи в область I/O портов
    if (addr >= VIC_REGS && addr < IO_PORTS2)
    {
        // проверяем видимость этой области для процессора
        if ( ram[CPU_PORT1] & 0x04 )
        {
            ram[addr] = value;
            return;
        }

        // в противном случае запись не состоиться, уходим
        return;
    }

    // При попытке записи в область BASIC ROM
    if (addr >= BASIC_ROM && addr < BASIC_ROM + BASIC_ROM_SIZE)
    {
        // проверяем доступность этой области
        if ( (ram[CPU_PORT1] & 0x03) == 0x03)
        {
            return;
        }
        else
        {
            // иначе - пишем в ОЗУ
            ram[addr] = value;
            return;
        }
    }

    // При попытке записи в KERNAL ROM
    if (addr >= KERNAL_ROM && addr <= KERNAL_ROM + KERNAL_ROM_SIZE - 1)
    {
        // Проверяем доступность этой области
        if (ram[CPU_PORT1] & 0x03)
        {
            return;
        }
        else
        {
            // иначе - пишем в ОЗУ
            ram[addr] = value;
            return;
        }
    }

    // Пишем в RAM во всех остальных случаях
    ram[addr] = value;
}

агрузка ROM из образа на диске. Тут надо пояснить, что эти образы - один к одному образ памяти последовательно записанный в бинарный файл, так что код тривиален

memory.cpp

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void Memory::load_rom_file(const std::string &filename, std::vector<uint8_t> &rom)
{
    std::ifstream file(filename, std::ios::binary);

    if (!file.is_open())
    {
        std::cout << "Warning: Can't open ROM file: " << filename << std::endl;
        return;
    }

    file.read(reinterpret_cast<char*>(rom.data()), rom.size());

    std::cout << "Loaded ROM: " << filename << std::endl;
}

Модифицируем реализованные ранее методы процессора для работы с памятью, с учетом указателя на класс Memory, передаваемый процессору

mos6502.cpp

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
uint8_t MOS6502::read(uint16_t addr)
{
    cycles++;
    return memory->read(addr);
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
uint16_t MOS6502::read16(uint16_t addr)
{
    return read(addr) | (read(addr + 1) << 8);
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::write(uint16_t addr, uint8_t value)
{
    cycles++;
    memory->write(addr, value);
}

Инициализация железа C64

c64.cpp

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void C64::load_roms()
{
    cpu.memory->load_rom_file("../data/basic.901226-01.bin", cpu.memory->basic_rom);
    cpu.memory->load_rom_file("../data/kernal.901227-03.bin", cpu.memory->kernal_rom);
    cpu.memory->load_rom_file("../data/c64_char.bin", cpu.memory->char_rom);
}

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void C64::init()
{
    load_roms();

    cpu.reset();
}

Грамотный сброс процессора

mos6502.cpp


//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
void MOS6502::reset()
{
    memory->ram[Memory::CPU_PORT0] = 0x2F;
    memory->ram[Memory::CPU_PORT1] = 0x37;

    PC = read16(0xFFFC);
    SP = 0xFF;
    P = 0x24;
    A = X = Y = 0;
    cycles = 0;
}

Обращаем внимание на то, что необходимо инициализировать CPU_REG0 и CPU_REG1, для того чтобы PLA верно переключил нам банки памяти, то есть сделал доступным бейсик и "биос". Кроме того, нам нужно передать управление на адрес, хранимый KERNAL ROM по адресу 0xFFFC - так называемый вектор сброса, где записан адрес, куда будет передано управление в код KERNAL ROM. Загружаем счетчик команд адресом из этой ячейки. Устанавливаем указатель стека на самое его дно - обращаю внимание, что адресация стека идет относительно адреса 0x0100, регистр SP - 8-битный, то есть стек не может быть более 256 байт. Не густо, но нам хватит. Устанавливает необходимые флаги процессора, чистим регистры, обнуляем счетчик тактов. Ок, погнали!

Ага, совершенно забыл, но образы всех ROM можно скачать тут. Это оригинальные образы, написанные в 80-е годы. Однако, их исходники я видел и на гитхабе, в том числе и бейсик - майкрософт его тоже открыл. Кроме того, доступен листинг BASIC и KERNAL ROM, можно посмотреть вот тут - он очень пригодился мне в процессе.

И - да, эмулятор запустился, кулер на процессоре загудел, выведенные на экран регистры весело изменялись. Ошибки "Неизвестный код операции" нет. Что-то выполняется, что-то запущено! Недаром проделана работа по отладке тестовых ассемблерных примеров. Но, мы не видим, что происходит с нашим "компьютером". Нужна визуализация экрана, ибо совершенно очевидно, что на экран должно что-то выводиться. Визуализацию я реализовал, о чем свидетельствует скриншот на КДПВ, однако о ней я напишу ниже, а пока перечислю те "затыки", которые мне пришлось решить до того, как я увидел что-то, кроме черного окна.

  • Мой косяк - не надо сбрасывать процессор до загрузки ROM-ов, иначе он будет читать нули

mos6502.cpp

//------------------------------------------------------------------------------
MOS6502::MOS6502()
{
-    reset();
+
}

строка 4 была удалена

  • Снова мой косяк - считая себя умнее ИИ, я написал по своему обработку команды JSR - вызов подпрограммы. Вернул так, как рекомендовала Qwen

mos6502.cpp

  case 0x91: addr_indirect_y(); additional_cycles = ((PC-1) & 0xFF00) != (addr_abs & 0xFF00) ? 1 : 0; break;

  // Вызов подпрограммы с абсолютной адресацией
- case 0x20: addr_absolute(); JSR(); return base_cycles + additional_cycles;
+ case 0x20: JSR(); return base_cycles + additional_cycles;

  // Безусловные переходы с абсолютной адрессацией
  case 0x4C: addr_absolute(); JMP(); return base_cycles + additional_cycles;
  • Косяк Qwen, который она нагло и упорно тащила через все примеры, которые печатала для меня. Ошибка в вычислении адреса перехода при относительной адресации

mos6502.cpp

            if (branch_taken)
            {
-                PC = addr_rel;
+                PC += addr_rel;
            }
            else
            {

Это приводило к неверной работе ближних переходов, то есть в пределах 256 байт +/- от текущей инструкции.

  • Снова косяк от Qwen - не учтены некоторые коды операций при дешифровке команд, однако это 50/50 и мой косяк, вызванный банальной невнимательностью

mos6502.cpp

    case 0xA5: case 0x65: case 0x25: case 0x06: case 0x24:
    case 0xC5: case 0xE4: case 0xC4: case 0xC6: case 0x45:
    case 0xE6: case 0xA6: case 0xA4: case 0x46: case 0x05:
-   case 0x26: case 0x66: case 0xE5: case 0x85:
+   case 0x26: case 0x66: case 0xE5: case 0x85: case 0x84:
    case 0x86: addr_zero_page(); break;

    // Адресация в пределах нулевой страницы относительной регистра X
    case 0xCD: case 0xEC: case 0xCC: case 0xCE: case 0x4D:
    case 0xEE: case 0xAE: case 0xAC: case 0x4E:
    case 0x0D: case 0x2E: case 0x6E: case 0xED: case 0x8D:
-   case 0x8C: addr_absolute(); break;
+   case 0x8C: case 0x8E: addr_absolute(); break;

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

И после исправления всего этого... (барабанная дробь), я увидел чудо

Первый признак того, что KERNAL ROM работает. Как-то работает...
Первый признак того, что KERNAL ROM работает. Как-то работает...

Экран раскрасился в знакомый по обзорам C64 цвет! Черный экран стал цветным, значит что-то работает верно! Не сказать чтобы это результат, но и тоже не шутка - запустился код, написанный не мной, машинный код почти полувековой давности. Да, друзья, это воодушевляет. Всегда с восхищением относился к людям, которые пишут эмуляторы компьютерных систем. Я занимался системным программированием, но не до такой степени. И тут ожил мой, склепанный на коленке эмулятор!

Однако, восторг сменился унынием. Так как этот пустой экран сообщал, что KERNAL ROM запустилась и работает, но не передает управление интерпретатору BASIC. С позволения читателя, я сначала расскажу как я решал это, а уж потом опишу процесс визуализации экранного вывода - так будет вернее с методической точки зрения.

7. Отладка внутри отладки, или как запустить BASIC

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

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

//------------------------------------------------------------------------------
int MOS6502::execInstruction()
{
    if (PC == 0xA000)
    if (PC == 0xE584)
    {
        int a = 0;
    }
            switch (opcode)
            {
            case 0x10: branch_taken = !getFlag(N); break;
-           case 0x30: branch_taken = !getFlag(V); break;
+           case 0x30: branch_taken = getFlag(N); break;
            case 0x50: branch_taken = !getFlag(V); break;
            case 0x70: branch_taken = getFlag(V); break;
            case 0x90: branch_taken = !getFlag(C); break;

после ликвидации данного возмущения в Силе, процесс на лад не пошел - все тот же экран, но уже другого цвета

a339818a8e34a529832ed2349a19b184.png

На данный процесс наложилось неуверенное состояние класса чипа VIC, который я несколько раз переписывал. Мне казалось что должно что-то выводится, просто VIC работает неверно. Это отчасти так, но анализ видеопамяти и обращение к таблице символов Cahracter ROM показало, что мой эмулятор верно заполняет экран пробелами, причем нужного цвета, как прописали разработчbки KERNAL ROM. Закономерный вывод - на каком-то этапе нарушается процесс выборки инструкций и процессор выполняет хрень. Или зацикливается, что я изначально отметал, памятуя о предыдущем опыте отладки.

Прыжок в торону бейсика начинается в KERNAL ROM с адреса 0xFCFF, где стоит безусловный джамп на адрес, читаемый из первой ячейки бейсика по адресу 0xA000

FCEF   8E 16 D0   STX $D016
FCF2   20 A3 FD   JSR $FDA3
FCF5   20 50 FD   JSR $FD50
FCF8   20 15 FD   JSR $FD15
FCFB   20 5B FF   JSR $FF5B
FCFE   58         CLI
FCFF   6C 00 A0   JMP ($A000)   ; start basic

Ну ок, брякнем условную точку останова на этот адрес. Но дело в том что условные брейкпоинты в условиях QtCreator, коим я давно и прочно пользуюсь сильно тупят. Поэтому был применен такой прием, в самом начале кода декодирования инструкций

mos6502.cpp

//------------------------------------------------------------------------------
//
//------------------------------------------------------------------------------
int MOS6502::execInstruction()
{
    if (PC == 0xFF5E)
    {
        int a = 0;
    }

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

Да, я честно крутил по шагам KERNAL ROM, сверяясь с листингом, раз за разом удивляясь как работает отлаженное ядро MOS 6502. Да, первый затык, с BMI, я выяснил именно таким способом, ибо процесс уходил бредить сразу после вызова подпрограммы по адресу 0xFCFB. Но исправление ошибки не принесло избавления.

Сидел я долго, переписывая в тетрадь все адреса, до которых удалось дошлепать

1e3e1754b9bdc37afb50252bcd704e2f.png

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

mos6502.cpp

uint16_t cur_PC = PC;

// Извлекаем из памяти код операции
uint8_t opcode = fetch();
int base_cycles = cycle_table[opcode];
int additional_cycles = 0;

std::cout << "PC: 0x" << std::hex << cur_PC << " opcode: 0x" << std::hex << (int) opcode << std::endl;

Меня, в общем, интересовал адрес перехода и опкод. Полноценный отладчик реализовать было некогда. И я даже не стал заморачиваться с выводом а файл - просто перенаправил процесс вывода программы в файл с помощью >.

Это дало лог, который сразу (!) вскрыл причину

PC: 0xea2c opcode: 0x9
PC: 0xea2e opcode: 0x85
PC: 0xea30 opcode: 0x60
PC: 0xff5e opcode: 0xad
PC: 0xff61 opcode: 0xd0
PC: 0xff5e opcode: 0xad
PC: 0xff61 opcode: 0xd0
PC: 0xff5e opcode: 0xad

Работал процессор-работал, а с адреса 0xFF5E залез в бесконечный цикл. Почему? Листинг в студию!

FF5B   20 18 E5   JSR $E518
FF5E   AD 12 D0   LDA $D012
FF61   D0 FB      BNE $FF5E

А потому что команда BNE работает в данном случае на ноль в аккумуляторе, который загружается значением по адресу 0xD012. И это, внезапно, адрес регистра видео-чипа VIC-II.

Оказалось, что данный регистр обнуляется чипом VIC-II, когда луч ЭЛТ, пробежав все 311 строк экрана доходит до конца, генерируя аппаратное прерывание. Опа! А прерываний то я не делал вообще! И самое прикольное, что выяснилось из инициализации регистров VIC - начальное значение данного регистра - 0x137.... что ровно 311 в десятиричной форме.

До реализации аппаратных прерываний у меня дело пока не дошло, поэтому я поступил жестоко - занулял данный в конце кадра (видимо, занулив навсегда...). Вот так

c64.cpp


        static int frame_counter = 0;

        if (++frame_counter % 30000 == 0)
        {
            vic.render(render);
            vic.regs[0x12] = 0x00; // ЗАЦИКЛИВАНИЕ ПОДАВЛЕНО ПРИНУДИТЕЛЬНО!!!
            //cpu.irq();
        }
    }

Ок, думаете после этого все стало работать и бейсик запустился? А черта с два! Затык нейросети, в реализации команды JMP по опкоду 0x6C свое дело сделал - процессор не туда побежал исполнять хрень.

Напомню, что джамп на бейсик идет по адресу, лежащему в нулевом бите BACIS ROM по адресу 0xA000. Исправлено, вот лог исправления. Это безусловный бред ИИ.

    // Безусловные переходы с абсолютной адрессацией
    case 0x4C: addr_absolute(); JMP(); return base_cycles + additional_cycles;
 -  case 0x6C: addr_abs = read16(PC); PC += 2; JMP(); return base_cycles + additional_cycles;
 +  case 0x6C:
 +   {
 +      uint16_t tmp_addr = read16(PC);
 +      addr_abs = read16(tmp_addr);
 +      JMP();
 +      return base_cycles + additional_cycles;
 +  }

И после этого... да, после этого случился взрыв мозга

2ab6a7e2f385a8593c355a5331c48b6d.png

Поделие вывело на экран что-то разумное, более того, бейсик у нас READY!

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

Выводы

Итак - может ли ИИ заменить программиста? По опыту работы с бесплатными LLM могу сказать однозначно - не может. Аргументы, доказательства представлены выше:

  • LLM косячит, допуская ошибки в очевидном (пример с загрузкой бинарников)

  • LLMповторяет, с завидным упорством, неверную реализацию алгоритма

  • Зачастую, но не в данном случае, LLM не знакома с предметной областью

  • LLM плевать на архитектуру. Возможно мои промпты были примитивны, наверное стоит общаться с этим помощником поизящнее)

Допустимо ли применять средства, предоставляемые LLM в практической разработке. Ответ также однозначен - да! Аргументы:

  • LLM генерирует ко, похожий на рабочий, и это хорошая отправная точка

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

Я - сторонник прогресса во всех его формах и проявлениях. LLM, умеющие писать код - чудо нашего времени. Но выводы я сделаю, и надеюсь, они будут услышаны

  • LLM - это хороший интерактивный справочник. Это хороший источник ключевых слов для обычного примитивного (божечки, я это сказал!) "гугления". Мне, родившемуся при товарище Брежневе гугл до сих пор представляется чудом, если что

  • Всю выдачу кода не стоит копипастить, надо вдумчиво читать что вам предлагают

  • Извлекайте полезное, убивайте нещадно ущербное. Голова - главное оружие разработчика

В заключении, хочу сказать спасибо товарищу @kiltum - вы подняли актуальную тему и побудили лично меня к исследованиям. Удачи вам в ваших проектах!

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

Даю обещанную ссылку на репозиторий. Там можно по коммитам проследить путь мучений)

Всем спасибо за уделенной внимание! До новых встреч!

Источник

  • 22.01.26 07:48 Kelvin Alfons

    Hello everyone. I’d like to share my personal experience from one of the most challenging times in my life. I’m based in Sydney, Australia, and on November 13, 2025, I fell victim to a fraudulent cryptocurrency investment platform that promised substantial financial growth.  Believing their claims, I invested a total of $220,000 with the expectation of earning solid returns. However, when I attempted to withdraw my funds, all communication abruptly stopped. My calls were ignored, my emails went unanswered, and I was left feeling completely powerless. Like many others, I had heard that Bitcoin transactions are impossible to trace, so I assumed my money was lost forever.  After some time, I discovered information about GREAT WHIP RECOVERY CYBER SERVICES, a reputable digital asset recovery firm. I decided to reach out to them, and to my astonishment, they were able to help me recover the full amount I had lost.  I’m sharing my story in the hope that it may help someone else who is going through a similar situation and looking for support. Their contact is, Website: https://greatwhiprecoveryc.wixsite.com/greatwhip-site Email:[email protected] Call: +1(406)2729101

  • 22.01.26 07:50 Kelvin Alfons

    Hello everyone. I’d like to share my personal experience from one of the most challenging times in my life. I’m based in Sydney, Australia, and on November 13, 2025, I fell victim to a fraudulent cryptocurrency investment platform that promised substantial financial growth.  Believing their claims, I invested a total of $220,000 with the expectation of earning solid returns. However, when I attempted to withdraw my funds, all communication abruptly stopped. My calls were ignored, my emails went unanswered, and I was left feeling completely powerless. Like many others, I had heard that Bitcoin transactions are impossible to trace, so I assumed my money was lost forever.  After some time, I discovered information about GREAT WHIP RECOVERY CYBER SERVICES, a reputable digital asset recovery firm. I decided to reach out to them, and to my astonishment, they were able to help me recover the full amount I had lost.  I’m sharing my story in the hope that it may help someone else who is going through a similar situation and looking for support. Their contact is, Website: https://greatwhiprecoveryc.wixsite.com/greatwhip-site Email:[email protected] Call: +1(406)2729101

  • 22.01.26 10:42 Tonerdomark

    I got my money back from the Elon Musk scam. It cost me over 1 BTC and $55,000 in Dogecoin. Scammers vowed to double investments. Their sites seemed real. Fraud was tough to catch early. They hooked me with fast doubles in weeks or months. Videos showed Musk promising giveaways and gains. I bought in. I sent Bitcoin and Dogecoin in bits at first. Small sends worked. Then I wired my full savings. It vanished quick. No answers came. Bank account empty. Bills piled up. Loans covered rent and food. Sleep fled. Stress hit hard. Life crumbled. A friend spotted my trouble. He told of his scam loss last year. Same old plays. He pointed me to Sylvester Bryant, a recovery expert. Email Yt7cracker@gmail. com. WhatsApp +1 512 577 7957 or +44 7428 662701. Sylvester acted fast. He tracked blockchain trails. Dealt with exchanges. Outsmarted the scammers. In weeks, my Bitcoin came back. Even their phony profits too. Debts gone. Life back on track. Got hit? Contact him now.

  • 22.01.26 19:25 Angela_Moore

    Help to recover money from elon musk giveaway scam I got my money back from the Elon Musk scam. It cost me over 1 BTC and $55,000 in Dogecoin. Scammers vowed to double investments. Their sites seemed real. Fraud was tough to catch early. They hooked me with fast doubles in weeks or months. Videos showed Musk promising giveaways and gains. I bought in. I sent Bitcoin and Dogecoin in bits at first. Small sends worked. Then I wired my full savings. It vanished quick. No answers came. Bank account empty. Bills piled up. Loans covered rent and food. Sleep fled. Stress hit hard. Life crumbled. A friend spotted my trouble. He told of his scam loss last year. Same old plays. He pointed me to Sylvester Bryant, a recovery expert. Email Yt7cracker@gmail. com. WhatsApp +1 512 577 7957 or +44 7428 662701. Sylvester acted fast. He tracked blockchain trails. Dealt with exchanges. Outsmarted the scammers. In weeks, my Bitcoin came back. Even their phony profits too. Debts gone. Life back on track. Got hit? Contact him now.

  • 23.01.26 07:35 Kelvin Alfons

    Hello everyone. I’d like to share my personal experience from one of the most challenging times in my life. I’m based in Sydney, Australia, and on November 13, 2025, I fell victim to a fraudulent cryptocurrency investment platform that promised substantial financial growth.  Believing their claims, I invested a total of $220,000 with the expectation of earning solid returns. However, when I attempted to withdraw my funds, all communication abruptly stopped. My calls were ignored, my emails went unanswered, and I was left feeling completely powerless. Like many others, I had heard that Bitcoin transactions are impossible to trace, so I assumed my money was lost forever.  After some time, I discovered information about GREAT WHIP RECOVERY CYBER SERVICES, a reputable digital asset recovery firm. I decided to reach out to them, and to my astonishment, they were able to help me recover the full amount I had lost.  I’m sharing my story in the hope that it may help someone else who is going through a similar situation and looking for support. Their contact is, Website: https://greatwhiprecoveryc.wixsite.com/greatwhip-site Email:[email protected] Call: +1(406)2729101

  • 23.01.26 07:35 Kelvin Alfons

    Hello everyone. I’d like to share my personal experience from one of the most challenging times in my life. I’m based in Sydney, Australia, and on November 13, 2025, I fell victim to a fraudulent cryptocurrency investment platform that promised substantial financial growth.  Believing their claims, I invested a total of $220,000 with the expectation of earning solid returns. However, when I attempted to withdraw my funds, all communication abruptly stopped. My calls were ignored, my emails went unanswered, and I was left feeling completely powerless. Like many others, I had heard that Bitcoin transactions are impossible to trace, so I assumed my money was lost forever.  After some time, I discovered information about GREAT WHIP RECOVERY CYBER SERVICES, a reputable digital asset recovery firm. I decided to reach out to them, and to my astonishment, they were able to help me recover the full amount I had lost.  I’m sharing my story in the hope that it may help someone else who is going through a similar situation and looking for support. Their contact is, Website: https://greatwhiprecoveryc.wixsite.com/greatwhip-site Email:[email protected] Call: +1(406)2729101

  • 26.01.26 10:36 alksnismareks

    It all started when I decided to explore online trading as a way to grow my savings. Like many, I trusted what appeared to be a legitimate platform, only to find myself trapped in a nightmare. After making consistent trades and finally deciding to withdraw my profits, I was met with silence. My account was suddenly restricted—no warning, no explanation. Every attempt to contact the broker went unanswered or was met with vague, dismissive replies. For three long, agonizing months, I lived in uncertainty. I couldn’t sleep at night. I replayed every email, every transaction, wondering if I’d made a mistake. But deep down, I knew the truth: I hadn’t done anything wrong. The broker had simply decided to lock me out and keep my money. During that time, I felt completely powerless—like I was shouting into a void. The stress affected my health, my relationships, and my ability to focus on anything else. There were days I truly believed that $167,000 was gone forever, lost to the shadows of the unregulated online trading world. I even began to accept it as a painful lesson—one that would cost me dearly but might teach me to be more cautious in the future. But something inside me refused to surrender completely. That’s when I discovered TechY Force Cyber Retrieval. At first, I was cautious—after being scammed once, I didn’t want to fall victim again. But everything about TechY Force felt different. They were transparent from the start. No grand promises, no pressure tactics. Just clear, professional communication and a deep understanding of how these fraudulent brokers operate. Most importantly, they are a licensed specialist in binary options and forex fund recovery, which gave me the confidence to move forward. From our very first consultation, their team treated my case with urgency and empathy. They walked me through the entire process, explained the legal and technical avenues available, and assured me they would handle every detail. They collected documentation, analyzed transaction trails, and engaged directly with the payment processors and the broker using precise, strategic methods I never could have navigated on my own. What happened next was nothing short of miraculous. Within weeks, the broker—who had ignored me for months—began responding. And then, without any further drama or delays, my full $167,000 USD was returned to me. No deductions. No hidden fees. Just clean, complete recovery. The relief I felt was indescribable. It wasn’t just about the money—it was about reclaiming control, restoring trust, and proving that even in the face of deception, there are still good people who fight for what’s right. If you’ve been locked out of your trading account, scammed by a fake investment platform, or had your funds unjustly withheld, please know this: you are not alone, and your money may not be lost forever. Thanks to TechY Force Cyber Retrieval, I got my life back. Their expertise, integrity, and unwavering commitment turned my despair into deliverance. I cannot recommend them highly enough. To anyone reading this in distress: don’t give up. Reach out. Take that step. Because if someone like me—broken, doubtful, and nearly hopeless—can recover every dollar… so can you. WhatsApp them + 156 172 63 697 With heartfelt thanks and renewed hope, — A Recovered and Grateful Client

  • 26.01.26 23:21 robertalfred175

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

  • 26.01.26 23:21 robertalfred175

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

  • 26.01.26 23:21 robertalfred175

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

  • 27.01.26 01:18 Kelvin Alfons

    Hello everyone. I’d like to share my personal experience from one of the most challenging times in my life. I’m based in Sydney, Australia, and on November 13, 2025, I fell victim to a fraudulent cryptocurrency investment platform that promised substantial financial growth.  Believing their claims, I invested a total of $220,000 with the expectation of earning solid returns. However, when I attempted to withdraw my funds, all communication abruptly stopped. My calls were ignored, my emails went unanswered, and I was left feeling completely powerless. Like many others, I had heard that Bitcoin transactions are impossible to trace, so I assumed my money was lost forever.  After some time, I discovered information about GREAT WHIP RECOVERY CYBER SERVICES, a reputable digital asset recovery firm. I decided to reach out to them, and to my astonishment, they were able to help me recover the full amount I had lost.  I’m sharing my story in the hope that it may help someone else who is going through a similar situation and looking for support. Their contact is, Website: https://greatwhiprecoveryc.wixsite.com/greatwhip-site Email:[email protected] Call: +1(406)2729101

  • 27.01.26 01:19 Kelvin Alfons

    Hello everyone. I’d like to share my personal experience from one of the most challenging times in my life. I’m based in Sydney, Australia, and on November 13, 2025, I fell victim to a fraudulent cryptocurrency investment platform that promised substantial financial growth.  Believing their claims, I invested a total of $220,000 with the expectation of earning solid returns. However, when I attempted to withdraw my funds, all communication abruptly stopped. My calls were ignored, my emails went unanswered, and I was left feeling completely powerless. Like many others, I had heard that Bitcoin transactions are impossible to trace, so I assumed my money was lost forever.  After some time, I discovered information about GREAT WHIP RECOVERY CYBER SERVICES, a reputable digital asset recovery firm. I decided to reach out to them, and to my astonishment, they were able to help me recover the full amount I had lost.  I’m sharing my story in the hope that it may help someone else who is going through a similar situation and looking for support. Their contact is, Website: https://greatwhiprecoveryc.wixsite.com/greatwhip-site Email:[email protected] Call: +1(406)2729101

  • 27.01.26 09:29 robertalfred175

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

  • 27.01.26 09:29 robertalfred175

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

  • 27.01.26 09:32 robertalfred175

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

  • 29.01.26 05:03 joyo

    The digital world of cryptocurrency offers big chances, but it also hides tricky scams. Losing your crypto to fraud feels awful. It can leave you feeling lost and violated. This guide tells you what to do right away if a crypto scam has hit you. These steps can help you get funds back or stop more trouble. Knowing what to do fast can change everything,reach marie ([email protected] and whatsapp:+1 7127594675)

  • 30.01.26 08:23 joseph67t

    It's a joy to write this review. Since I began working with Marie at the beginning of 2018, the service has been outstanding. Hackers stole my monies, and I was frightened about how I would get them back. I didn't know where to begin, consequently it was a nightmare for me. But once my friend told me about ([email protected] and whatsap:+1 7127594675), things became simple for me. I'm glad she was able to get my bitcoin back so I could start trading on Binance again!

  • 31.01.26 00:55 harristhomas7376

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

  • 31.01.26 00:55 harristhomas7376

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

  • 02.02.26 18:52 Christopherbelle

    Sylvester Bryant is a top crypto recovery agent! Then I contacted them with my story that i have been scammed. It took time, yet my stolen crypto was recovered . Need help? Reach out to Sylvester on WhatsApp at +1 512 577 7957 or +44 7428 662701. Or email yt7cracker@gmail . com.

  • 03.02.26 08:05 robertalfred175

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

  • 03.02.26 08:05 robertalfred175

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

  • 04.02.26 16:23 borutaralf

    GREAT WHIP RECOVERY CYBER SERVICES TRUSTED EXPERTS IN ONLINE RECOVERY SOLUTIONS PHONE CALL:+1(406)2729101 I was unfortunately deceived and scammed out of $88,000 by someone I trusted to manage my funds during a transaction we carried out together. The experience left me deeply disappointed and hurt, realizing that someone could betray that level of trust without any remorse. Determined to seek justice and recover what was stolen, I began searching for legal assistance and came across numerous testimonials about GREAT WHIP RECOVERY CYBER SERVICES, a group known for helping victims recover lost funds. From what I learned, they have successfully assisted many people facing similar situations, returning stolen funds to their rightful owners in a remarkably short time. In my case, the GREAT WHIP RECOVERY CYBER SERVICES were able to recover my funds within just 48 hours, which was truly unbelievable. Even more reassuring was the fact that the scammer was identified, located, and eventually arrested by local authorities in his region. That outcome brought a great sense of relief and closure. I hope this information helps others who have lost their hard-earned money due to misplaced trust. If you’re in a similar situation, you can contact them through their info below to seek help in recovering your stolen funds.  Email: [email protected]  Website https://greatwhiprecoveryc.wixsite.com/greatwhip-site  Phone Call:+1(406)2729101

  • 04.02.26 16:24 borutaralf

    GREAT WHIP RECOVERY CYBER SERVICES TRUSTED EXPERTS IN ONLINE RECOVERY SOLUTIONS PHONE CALL:+1(406)2729101 I was unfortunately deceived and scammed out of $88,000 by someone I trusted to manage my funds during a transaction we carried out together. The experience left me deeply disappointed and hurt, realizing that someone could betray that level of trust without any remorse. Determined to seek justice and recover what was stolen, I began searching for legal assistance and came across numerous testimonials about GREAT WHIP RECOVERY CYBER SERVICES, a group known for helping victims recover lost funds. From what I learned, they have successfully assisted many people facing similar situations, returning stolen funds to their rightful owners in a remarkably short time. In my case, the GREAT WHIP RECOVERY CYBER SERVICES were able to recover my funds within just 48 hours, which was truly unbelievable. Even more reassuring was the fact that the scammer was identified, located, and eventually arrested by local authorities in his region. That outcome brought a great sense of relief and closure. I hope this information helps others who have lost their hard-earned money due to misplaced trust. If you’re in a similar situation, you can contact them through their info below to seek help in recovering your stolen funds.  Email: [email protected]  Website https://greatwhiprecoveryc.wixsite.com/greatwhip-site  Phone Call:+1(406)2729101

  • 04.02.26 17:11 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

  • 05.02.26 12:07 Thomas Muller

    YOU CAN REACH OUT TO GREAT WHIP RECOVERY CYBER SERVICES FOR HELP TO RECOVER YOUR STOLEN BTC OR ETH BACK CALL:+1(406)2729101 I once fell victim to online investment scheme that cost me a devastating €254,000. I’m Thomas Muller from Berlin, Germany. The person I trusted turned out to be a fraud, and the moment I realized I’d been deceived, my entire world stopped. I immediately began searching for legitimate ways to recover my funds and hold the scammer accountable. During my search, I came across several testimonies of how Great Whip Recovery Cyber Services helped some people recover money they lost to cyber fraud, I contacted Great Whip Recovery Cyber Service team and provided all the evidence I had. Within about 36 hours, the experts traced the digital trail left by the fraudster, the individual was eventually tracked down and I recovered all my money back. You can contact them with,  website https://greatwhiprecoveryc.wixsite.com/greatwhip-site  text +1(406)2729101 email [email protected]

  • 05.02.26 15:46 feliciabotezatu

    Losing access to your cryptocurrency can be devastating—whether you’ve been scammed, hacked, or locked out due to a forgotten password. Many assume their digital assets are gone forever. But with the right expertise, recovery is not only possible—it’s our daily reality. At TECHY FORCE CYBER RETRIEVAL (TFCR), we’re a globally recognized, fully legitimate crypto recovery service dedicated to helping victims reclaim lost or stolen digital assets—safely, ethically, and effectively. Who We Are Backed by a team of certified blockchain forensic analysts, cybersecurity specialists, and ethical hackers, TFCR has recovered millions of dollars in Bitcoin, Ethereum, USDT, and other major cryptocurrencies for clients worldwide. We specialize in cases involving: - Investment scams and fake platforms - Wallet hacks and unauthorized transactions - Forgotten passwords, seed phrases, or corrupted backups - Inaccessible hardware or software wallets Our mission is clear: Help you recover what’s rightfully yours—with honesty, transparency, and proven results. How We Work 1. Confidential Case Review Share your situation with us—no cost, no obligation. We assess whether your case is recoverable based on transaction data, wallet details, and loss type. 2. Advanced Blockchain Forensics Using industry-leading tools, we trace your funds across blockchains, identify destination addresses, and determine if assets are held on exchanges or recoverable platforms—even after complex laundering attempts. 3. Custom Recovery Execution Depending on your case, we: - Reconstruct access to locked wallets using secure decryption methods - Engage with exchanges or payment processors to freeze or retrieve funds - Provide forensic reports to support legal or compliance actions - Negotiate with third parties when appropriate and safe 4. Secure Return & Prevention Advice Recovered assets go directly to a wallet you control. We also offer practical guidance to help you avoid future losses—because security starts after recovery. Why Choose TFCR? No Recovery, No Fee – You only pay upon successful retrieval Legitimate & Transparent – No upfront payments, no hidden costs Global Expertise – Proven success across 50+ countries Ethical Standards – All actions comply with cybersecurity and privacy best practices While crypto threats grow daily, so does our resolve. At TECHY FORCE CYBER RETRIEVAL, we don’t just track transactions—we restore trust, hope, and financial peace of mind. Don’t give up on your crypto. Act now—before critical evidence disappears. 📧 Email: [email protected] 🌐 Visit: Official https://techyforcecyberretrieval.com Website] 🕒 Available 24/7 for urgent cases Your crypto may be missing—but with TFCR, it’s never truly lost. ©️ 2026 TECHY FORCE CYBER RETRIEVAL — Trusted. Professional. Results-Driven.

  • 05.02.26 15:52 harryjones5

    How Can I Contact a Cryptocurrency Recovery Company? Visit iFORCE HACKER RECOVERY  I realize how volatile and thrilling cryptocurrency can be. After joining a Telegram-based service, I made consistent profits for six months before unexpected faults deprived me of approximately $343,000. Withdrawal blunders, little help, and rising dread kept me stuck. I then discovered iForce Hacker Recovery from positive reviews. They replied swiftly, handled my issue professionally, and walked me through every step. My valuables were returned within a week, giving me back my confidence. I heartily recommend their dependable, professional aid services. Contact Info: Website address: htt p:// iforcehackers. co m. Email: iforcehk @ consultant .co m WhatsApp: +1 240 803-3706

  • 06.02.26 14:44 feliciabotezatu

    Losing access to your cryptocurrency can be devastating—whether you’ve been scammed, hacked, or locked out due to a forgotten password. Many assume their digital assets are gone forever. But with the right expertise, recovery is not only possible—it’s our daily reality. At TECHY FORCE CYBER RETRIEVAL (TFCR), we’re a globally recognized, fully legitimate crypto recovery service dedicated to helping victims reclaim lost or stolen digital assets—safely, ethically, and effectively. Who We Are   Backed by a team of certified blockchain forensic analysts, cybersecurity specialists, and ethical hackers, TFCR has recovered millions of dollars in Bitcoin, Ethereum, USDT, and other major cryptocurrencies for clients worldwide. We specialize in cases involving: - Investment scams and fake platforms   - Wallet hacks and unauthorized transactions   - Forgotten passwords, seed phrases, or corrupted backups   - Inaccessible hardware or software wallets   Our mission is clear: Help you recover what’s rightfully yours—with honesty, transparency, and proven results. How We Work   1. Confidential Case Review      Share your situation with us—no cost, no obligation. We assess whether your case is recoverable based on transaction data, wallet details, and loss type. 2. Advanced Blockchain Forensics      Using industry-leading tools, we trace your funds across blockchains, identify destination addresses, and determine if assets are held on exchanges or recoverable platforms—even after complex laundering attempts. 3. Custom Recovery Execution      Depending on your case, we:      - Reconstruct access to locked wallets using secure decryption methods      - Engage with exchanges or payment processors to freeze or retrieve funds      - Provide forensic reports to support legal or compliance actions      - Negotiate with third parties when appropriate and safe   4. Secure Return & Prevention Advice      Recovered assets go directly to a wallet you control. We also offer practical guidance to help you avoid future losses—because security starts after recovery. Why Choose TFCR?   No Recovery, No Fee – You only pay upon successful retrieval   Legitimate & Transparent – No upfront payments, no hidden costs   Global Expertise – Proven success across 50+ countries   Ethical Standards – All actions comply with cybersecurity and privacy best practices   While crypto threats grow daily, so does our resolve. At TECHY FORCE CYBER RETRIEVAL, we don’t just track transactions—we restore trust, hope, and financial peace of mind. Don’t give up on your crypto.   Act now—before critical evidence disappears.   Email: [email protected]   Visit: Official https://techyforcecyberretrieval.com  Website]   Available 24/7 for urgent cases   Your crypto may be missing—but with TFCR, it’s never truly lost.     ©️ 2026 TECHY FORCE CYBER RETRIEVAL — Trusted. Professional. Results-Driven.

  • 07.02.26 00:44 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

  • 07.02.26 00:44 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

  • 07.02.26 04:43 Matt Kegan

    Reach out to SolidBlock Forensics if you want to get back your coins from fake crypto investment or your wallet was compromised and all your coins gone. SolidBlock Forensics provide deep ethical analysis and investigation that enables them to trace these schemes, and recover all your funds. Their services are professional and reliable.  http://www.solidblockforensics.com

  • 07.02.26 17:31 robertalfred175

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

  • 10.02.26 23:52 frankqq

    It is a pleasure to write this review. Since I began working with Marie in early 2018, the service has been outstanding. My coins were stolen by hackers, and I was afraid I wouldn't be able to recover them. It was a nightmare for me because I didn't know where to start. But after my friend told me about [email protected] and whatsapp:+1 7127594675, things became simple for me. I'm glad she was able to get my bitcoin back so I could start trading again.

  • 11.02.26 05:50 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. Contact: [email protected] You can reach them via email at [email protected] OR Call/Text Number +1 (336)390-6684 his contact website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 11.02.26 05:50 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. Contact: [email protected] You can reach them via email at [email protected] OR Call/Text Number +1 (336)390-6684 his contact website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 12.02.26 23:55 brouwerspatrick8

    I’ve always believed that sustainability begins at home—not just in how we recycle or conserve energy, but in the very structures we live in. For years, I dreamed of building a zero-waste neighborhood where every house functions like a living ecosystem: solar-powered, water-wise, and crowned with rooftop greenhouses that feed families and filter air. It wasn’t just architecture—it was my vision for a quieter, cleaner future. To make it real, I turned to Bitcoin. Not as a speculative bet, but as a long-term store of value aligned with my values—decentralized, transparent, and independent of broken systems. Over seven years, I poured savings, side income, and relentless discipline into building a $680,000 crypto portfolio. Every coin had a purpose: permits, materials, and community partnerships. My dream had a balance sheet. Then, in one exhausted, distracted moment, it all collapsed. It was November 2025. I was juggling contractor delays, city inspections, and endless design revisions. My nerves were frayed, my coffee pot never empty. When a “Ledger Live Update” notification popped up, I didn’t think twice. The interface looked identical—same logo, same layout. I entered my credentials… and within seconds, the app disappeared. My wallet balance dropped to zero. I sat frozen. My stomach dropped. All that work—years of sacrifice—gone in a blink. The days that followed were dark. I scoured forums, filed reports, and replayed my mistake on loop. Guilt ate at me. How could I have been so careless? My greenhouse renderings sat untouched. My dream felt like a cruel joke. Just when I was ready to walk away, I stumbled upon a newsletter about green innovation. Tucked between articles on carbon-neutral cities and next-gen solar panels was a short feature on *Digital Light Solution*—a specialized team that helps victims of crypto theft recover stolen assets. Skeptical but desperate, I reached out. What followed wasn’t magic—but it was close to it. Their team treated my case with urgency and compassion. They traced the transaction trail, identified the laundering path, and worked with exchanges to freeze what they could. Within weeks, they’d recovered a significant portion of my funds—enough to restart. Today, I’m not just rebuilding my portfolio—I’m breaking ground on my prototype greenhouse. And every beam, every pane of glass, carries the lesson I learned: that even in our most vulnerable moments, there’s still light to be found. [email protected] Telegram ——digitallightsolution website https://digitallightsolution.com/ WHAT'S  APP  https://wa.link/989vlf 

  • 12.02.26 23:56 brouwerspatrick8

    I’ve always believed that sustainability begins at home—not just in how we recycle or conserve energy, but in the very structures we live in. For years, I dreamed of building a zero-waste neighborhood where every house functions like a living ecosystem: solar-powered, water-wise, and crowned with rooftop greenhouses that feed families and filter air. It wasn’t just architecture—it was my vision for a quieter, cleaner future. To make it real, I turned to Bitcoin. Not as a speculative bet, but as a long-term store of value aligned with my values—decentralized, transparent, and independent of broken systems. Over seven years, I poured savings, side income, and relentless discipline into building a $680,000 crypto portfolio. Every coin had a purpose: permits, materials, and community partnerships. My dream had a balance sheet. Then, in one exhausted, distracted moment, it all collapsed. It was November 2025. I was juggling contractor delays, city inspections, and endless design revisions. My nerves were frayed, my coffee pot never empty. When a “Ledger Live Update” notification popped up, I didn’t think twice. The interface looked identical—same logo, same layout. I entered my credentials… and within seconds, the app disappeared. My wallet balance dropped to zero. I sat frozen. My stomach dropped. All that work—years of sacrifice—gone in a blink. The days that followed were dark. I scoured forums, filed reports, and replayed my mistake on loop. Guilt ate at me. How could I have been so careless? My greenhouse renderings sat untouched. My dream felt like a cruel joke. Just when I was ready to walk away, I stumbled upon a newsletter about green innovation. Tucked between articles on carbon-neutral cities and next-gen solar panels was a short feature on *Digital Light Solution*—a specialized team that helps victims of crypto theft recover stolen assets. Skeptical but desperate, I reached out. What followed wasn’t magic—but it was close to it. Their team treated my case with urgency and compassion. They traced the transaction trail, identified the laundering path, and worked with exchanges to freeze what they could. Within weeks, they’d recovered a significant portion of my funds—enough to restart. Today, I’m not just rebuilding my portfolio—I’m breaking ground on my prototype greenhouse. And every beam, every pane of glass, carries the lesson I learned: that even in our most vulnerable moments, there’s still light to be found. [email protected] Telegram ——digitallightsolution website https://digitallightsolution.com/ WHAT'S  APP  https://wa.link/989vlf 

  • 13.02.26 00:17 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

  • 13.02.26 00:17 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

  • 13.02.26 02:16 Ralf Boruta

    GREAT WHIP RECOVERY CYBER SERVICES TRUSTED EXPERTS IN ONLINE RECOVERY SOLUTIONS PHONE CALL:+1(406)2729101 I was unfortunately deceived and scammed out of $88,000 by someone I trusted to manage my funds during a transaction we carried out together. The experience left me deeply disappointed and hurt, realizing that someone could betray that level of trust without any remorse. Determined to seek justice and recover what was stolen, I began searching for legal assistance and came across numerous testimonials about GREAT WHIP RECOVERY CYBER SERVICES, a group known for helping victims recover lost funds. From what I learned, they have successfully assisted many people facing similar situations, returning stolen funds to their rightful owners in a remarkably short time. In my case, the GREAT WHIP RECOVERY CYBER SERVICES were able to recover my funds within just 48 hours, which was truly unbelievable. Even more reassuring was the fact that the scammer was identified, located, and eventually arrested by local authorities in his region. That outcome brought a great sense of relief and closure. I hope this information helps others who have lost their hard-earned money due to misplaced trust. If you’re in a similar situation, you can contact them through their info below to seek help in recovering your stolen funds.  Email: [email protected]  Website https://greatwhiprecoveryc.wixsite.com/greatwhip-site  Phone Call:+1(406)2729101

  • 13.02.26 02:16 Ralf Boruta

    GREAT WHIP RECOVERY CYBER SERVICES TRUSTED EXPERTS IN ONLINE RECOVERY SOLUTIONS PHONE CALL:+1(406)2729101 I was unfortunately deceived and scammed out of $88,000 by someone I trusted to manage my funds during a transaction we carried out together. The experience left me deeply disappointed and hurt, realizing that someone could betray that level of trust without any remorse. Determined to seek justice and recover what was stolen, I began searching for legal assistance and came across numerous testimonials about GREAT WHIP RECOVERY CYBER SERVICES, a group known for helping victims recover lost funds. From what I learned, they have successfully assisted many people facing similar situations, returning stolen funds to their rightful owners in a remarkably short time. In my case, the GREAT WHIP RECOVERY CYBER SERVICES were able to recover my funds within just 48 hours, which was truly unbelievable. Even more reassuring was the fact that the scammer was identified, located, and eventually arrested by local authorities in his region. That outcome brought a great sense of relief and closure. I hope this information helps others who have lost their hard-earned money due to misplaced trust. If you’re in a similar situation, you can contact them through their info below to seek help in recovering your stolen funds.  Email: [email protected]  Website https://greatwhiprecoveryc.wixsite.com/greatwhip-site  Phone Call:+1(406)2729101

  • 13.02.26 18:29 robertalfred175

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

  • 13.02.26 18:29 robertalfred175

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

  • 17.02.26 23:59 Lilyfox

    These group of CYBER GURUS below helped my family in ​recovering stolen bitcoin by scammers and they also helped me in securing a university title in one of the best university in the world I'm saying a very big thank you to them contact them now ; [email protected] or WhatsApp +​4​47476606228 -Recovery of funds from fake platform/BINARY TRADING - Retrieval of fraudulent funds - Bank Transfer service - BITCOIN TOP UP - Money, recovery from any country in the world - Change of university degrees - Spying of all social media account within - Sales of Blank ATM and Credit Cards - Sales of university Titles originals. - Clearing of bank debts - University title offer and so many others ... Despite all odds these internet gurus have proven themselves worthy to be called a professional Cyber genius ... once again i beat up my chest to confess that these group of cyber gurus are reliable and satisfactory with 100% reliability.....

  • 18.02.26 00:01 Lilyfox

    GENERAL HACKING AND CRYPTO RECOVERY SERVICES These group of CYBER GURUS below helped my family in ​recovering stolen bitcoin worth of $168,000 USD by scammers and they also helped me in securing a university title in one of the best university in the world I'm saying a very big thank you to them contact them now ; [email protected] or WhatsApp +​4​47476606228 -Recovery of funds from fake platform/BINARY TRADING - Retrieval of fraudulent funds - Bank Transfer service - BITCOIN TOP UP - Money, recovery from any country in the world - Change of university degrees - Spying of all social media account within - Sales of Blank ATM and Credit Cards - Sales of university Titles originals. - Clearing of bank debts - University title offer and so many others ... Despite all odds these internet gurus have proven themselves worthy to be called a professional Cyber genius ... once again i beat up my chest to confess that these group of cyber gurus are reliable and satisfactory with 100% reliability.....

  • 18.02.26 03:23 walterlindahi9

    This past January, my world came crashing down. I lost nearly $42,000 of my hard-earned savings to a sophisticated Solana-based crypto scam. At first, it all seemed legitimate: sleek website, professional whitepaper, even glowing testimonials from “investors.” I’d done my homework, or so I thought. The promise of high returns in a volatile market felt like my ticket to financial freedom. For the first few months, everything appeared to be working. My portfolio showed steady gains. I remember checking my wallet balance daily, feeling a mix of pride and relief. I’ve cracked the code to building real wealth. Then, without warning, the platform vanished. Wallet addresses went dead. Support channels disappeared, and my funds were gone in an instant. The emotional fallout was worse than the financial loss. Sleepless nights became the norm. Anxiety gnawed at me constantly. I replayed every decision in my head, blaming myself for being naive. I vowed never to trust anyone again, not influencers, not experts, not even my own judgment. But giving up wasn’t an option. I owed it to myself and to my future to fight back. So I began digging. I scoured Reddit threads, filed reports with blockchain analytics firms, and even contacted local authorities (though they offered little help). The more I searched, the more overwhelmed I became, lost in a labyrinth of technical jargon, dead ends, and predatory recovery services asking for upfront fees. Then, through a survivor’s forum, I stumbled upon TechY Force Cyber Retrieval. Skeptical but desperate, I reached out. What set them apart wasn’t just their expertise; it was their empathy. They didn’t make wild promises. Instead, they walked me through how crypto tracing works, what success looks like, and what realistic timelines are. No pressure. No false hope. Within weeks, their forensic team identified transaction trails linked to the scam wallet. Using on-chain analysis and coordination with exchanges, they flagged suspicious activity and initiated recovery protocols. It wasn’t magic, but it was methodical, transparent, and grounded in real blockchain intelligence. Today, I’m cautiously optimistic. While not all funds have been recovered yet, TechY Force has already secured a significant portion and, more importantly, restored my sense of agency. I’m sleeping again. I’m healing. If you’ve been scammed, know this: you’re not alone, and you’re not foolish. Crypto fraud preys on hope, but that same hope can fuel your comeback. Don’t suffer in silence. Reach out. Ask questions. And never let a scammer steal your future along with your funds. WhatsApp +1(561) 726 3697 Mail. Techyforcecyberretrieval(@)consultant(.)com Telegram (@)TechCyberforc

  • 22.02.26 03:48 harristhomas7376

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

  • 22.02.26 03:49 harristhomas7376

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

  • 22.02.26 18:58 Natasha Williams

    I am Natasha Williams from Dallas. I want to share my testimony to encourage anyone who has ever fallen victim to a scam or fraud. Some time ago, I was defrauded by some fraudulent cryptocurrency investment organization online, I was a victim and I lost a huge amount of money, $382,000. I felt angry, disappointed and helpless but I refused to give up and stay calm. I came across this agency, GREAT WHIP RECOVERY CYBER SERVICES.. who helped people recover their money from scammers and the testimonies I saw were quite amazing. And I decided to contact them. I gathered every piece of evidence, chats, receipts, account details, and messages and reported the case to the agency, GREAT WHIP RECOVERY CYBER SERVICES. After 73hours of follow up and not losing faith, the fraudster was traced and held accountable and I recovered all my money back. I highly recommend, GREAT WHIP RECOVERY CYBER SERVICES agency if you have ever fallen victim to scammers, you can contact them. Website: https://greatwhiprecoveryc.wixsite.com/greatwhip-site email: [email protected] Call Line: +1(406)2729101

  • 22.02.26 19:00 Natasha Williams

    I am Natasha Williams from Dallas. I want to share my testimony to encourage anyone who has ever fallen victim to a scam or fraud. Some time ago, I was defrauded by some fraudulent cryptocurrency investment organization online, I was a victim and I lost a huge amount of money, $382,000. I felt angry, disappointed and helpless but I refused to give up and stay calm. I came across this agency, GREAT WHIP RECOVERY CYBER SERVICES.. who helped people recover their money from scammers and the testimonies I saw were quite amazing. And I decided to contact them. I gathered every piece of evidence, chats, receipts, account details, and messages and reported the case to the agency, GREAT WHIP RECOVERY CYBER SERVICES. After 73hours of follow up and not losing faith, the fraudster was traced and held accountable and I recovered all my money back. I highly recommend, GREAT WHIP RECOVERY CYBER SERVICES agency if you have ever fallen victim to scammers, you can contact them. Website: https://greatwhiprecoveryc.wixsite.com/greatwhip-site email: [email protected] Call Line: +1(406)2729101

  • 23.02.26 23:26 chongfook

    As cryptocurrencies continue to reshape global finance in 2026, the risks have never been higher. From sophisticated phishing campaigns to fake wallet apps and investment scams, millions of investors face the devastating reality of lost or stolen digital assets. When your crypto vanishes, panic sets in—and that's when fraudsters strike again, posing as "recovery experts" to exploit your vulnerability.   CONTACTS US   Techyforcecyberretrieval(@)consultant(.)com   https(://)techyforcecyberretrieval(.)com But there's a legitimate path forward. TECHY FORCE CYBER RETRIEVAL stands as the industry's most trusted crypto recovery company, combining advanced blockchain forensics, global partnerships, and a client-centric approach to help victims reclaim what was stolen. ---  Why Recovery Is Possible—With the Right Team Cryptocurrency's decentralized, pseudonymous nature makes asset recovery complex—but not impossible. The blockchain is transparent. Every transaction leaves a trail. The challenge isn't finding the funds—it's having the expertise to follow that trail through mixers, bridges, and exchange deposits before they disappear forever. That's where TECHY FORCE CYBER RETRIEVAL excels. ---  Our Proven Recovery Framework We don't believe in shortcuts, false promises, or upfront fees. Our process is built on transparency, forensic precision, and real results. Here's how we work: 1. Case Intake & Initial Assessment   You begin by submitting a detailed report: compromised wallet addresses, transaction IDs, timestamps, and any communication with scammers. Our intake team reviews your case within hours to determine immediate next steps. 2. Blockchain Forensic Analysis   Our specialists deploy proprietary tracking tools to map the movement of your stolen assets across multiple blockchains. We identify laundering patterns, exchange deposit addresses, and potential freezing points—building a clear investigative roadmap. 3. Global Partner Coordination   Through established relationships with regulated exchanges, DeFi protocols, and compliance teams worldwide, we initiate direct communication to flag suspicious transactions and request asset freezes where legally permissible. 4. Legal & Regulatory Engagement   When necessary, we collaborate with legal partners and law enforcement agencies to strengthen recovery efforts—especially in cases involving large-scale hacks or organized fraud rings. 5. Recovery Execution & Fund Return   Once assets are secured, they're transferred directly to a new, secure wallet of your choice. We never hold your funds. And critically, we operate on a success-only model. You pay nothing unless we recover your assets. 6. Post-Recovery Security Guidance   Recovery is only half the battle. We provide personalized recommendations to secure your remaining holdings—from hardware wallet setup to phishing awareness training—so you can move forward with confidence. ---  What Sets TECHY FORCE CYBER RETRIEVAL Apart While countless "recovery services" flood the internet, few deliver legitimate results. Here's why we're consistently rated the best crypto recovery company in 2026: - Zero Upfront Fees – We only succeed when you do. No hidden charges. No bait-and-switch tactics.   - Advanced Blockchain Intelligence – Our forensic tools track assets across Bitcoin, Ethereum, Solana, and 50+ other networks.   - Global Reach – Partnerships with exchanges and regulatory bodies in North America, Europe, and Asia maximize recovery odds.   - Client-First Communication – Weekly updates. Clear timelines. No ghosting.   - Proven Track Record – Hundreds of successful recoveries in 2025–2026, with millions returned to rightful owners. ---  Emerging Trends in 2026: What Victims Need to Know The threat landscape evolves constantly. This year's biggest risks include: - AI-Powered Phishing: Scammers now use deepfake voice and video to impersonate support staff.   - Cross-Chain Bridge Exploits: Funds moved between networks are increasingly targeted.   - Fake Recovery Services: Fraudsters pose as legitimate firms—always verify credentials before sharing information. TECHY FORCE CYBER RETRIEVAL stays ahead of these threats, continuously updating our tools and strategies to protect and serve our clients. CONTACTS US   Techyforcecyberretrieval(@)consultant(.)com   https(://)techyforcecyberretrieval(.)com ---  Your Next Step If you've lost crypto to a scam, hack, or forgotten credentials, don't let despair—or another fraudster—steal your second chance. TECHY FORCE CYBER RETRIEVAL is accessible, transparent, and ready to help. Reach out today. Let our experts assess your case—and show you that even in 2026, stolen crypto doesn't have to stay lost forever. — TECHY FORCE CYBER RETRIEVAL   Advanced Forensics. Global Reach. Your Recovery.

  • 24.02.26 15:31 [email protected]`

    Like many others, I was drawn in by the allure of cryptocurrency and the promise of financial freedom. When I encountered a self-proclaimed "crypto guru" online, his confidence and flashy lifestyle convinced me that he held the key to success. Eager to learn, I parted with $15,000 for his exclusive course, believing it would grant me access to an elite trading group and lucrative market insights. Initially, my excitement was palpable; I truly thought I was on the verge of a breakthrough. However, that enthusiasm quickly curdled into dread. Once inside the group, the dynamic shifted from education to aggressive exploitation. Instead of genuine mentorship, members were relentlessly upsold on fake trading signals that yielded nothing but losses. The pressure escalated when we were encouraged to invest in a supposed "private pool," which required an additional, staggering access fee of $60,000. It was only as I began to notice glaring inconsistencies and a complete lack of real results among the members that the fog lifted. I realized I hadn't joined a community of traders; I had walked into a sophisticated trap designed specifically to prey on newcomers like myself. The realization that the promises of wealth and insider knowledge were nothing more than a façade left me feeling vulnerable, deceived, and financially devastated. The dream of easy returns had turned into a heavy burden of regret. Desperate for a solution and refusing to let the fraudsters win, I began searching for help. That is when I discovered DIGITAL LIGHT SOLUTION, a firm specializing in online fraud investigations. Reaching out to them was the turning point. Their team approached my case with professionalism and empathy, immediately understanding the complexity of the scam. They guided me through the investigation process, uncovering the layers of deception used by the "guru" and his network. Thanks to their expertise and relentless pursuit of justice, I was able to navigate the aftermath of this ordeal with clarity rather than confusion. While the experience was a harsh lesson, connecting with DIGITAL LIGHT SOLUTION restored my hope and proved that there are still allies ready to fight against online exploitation. If you find yourself in a similar situation, do not lose hope—seek professional help immediately. Contact them directly Website https://digitallightsolution.com/ Email — Digitallightsolution(At)qualityservice(DOT)com What's App — https://wa.link/989vlf

  • 24.02.26 15:32 [email protected]`

    Like many others, I was drawn in by the allure of cryptocurrency and the promise of financial freedom. When I encountered a self-proclaimed "crypto guru" online, his confidence and flashy lifestyle convinced me that he held the key to success. Eager to learn, I parted with $15,000 for his exclusive course, believing it would grant me access to an elite trading group and lucrative market insights. Initially, my excitement was palpable; I truly thought I was on the verge of a breakthrough. However, that enthusiasm quickly curdled into dread. Once inside the group, the dynamic shifted from education to aggressive exploitation. Instead of genuine mentorship, members were relentlessly upsold on fake trading signals that yielded nothing but losses. The pressure escalated when we were encouraged to invest in a supposed "private pool," which required an additional, staggering access fee of $60,000. It was only as I began to notice glaring inconsistencies and a complete lack of real results among the members that the fog lifted. I realized I hadn't joined a community of traders; I had walked into a sophisticated trap designed specifically to prey on newcomers like myself. The realization that the promises of wealth and insider knowledge were nothing more than a façade left me feeling vulnerable, deceived, and financially devastated. The dream of easy returns had turned into a heavy burden of regret. Desperate for a solution and refusing to let the fraudsters win, I began searching for help. That is when I discovered DIGITAL LIGHT SOLUTION, a firm specializing in online fraud investigations. Reaching out to them was the turning point. Their team approached my case with professionalism and empathy, immediately understanding the complexity of the scam. They guided me through the investigation process, uncovering the layers of deception used by the "guru" and his network. Thanks to their expertise and relentless pursuit of justice, I was able to navigate the aftermath of this ordeal with clarity rather than confusion. While the experience was a harsh lesson, connecting with DIGITAL LIGHT SOLUTION restored my hope and proved that there are still allies ready to fight against online exploitation. If you find yourself in a similar situation, do not lose hope—seek professional help immediately. Contact them directly Website https://digitallightsolution.com/ Email — Digitallightsolution(At)qualityservice(DOT)com What's App — https://wa.link/989vlf

  • 26.02.26 16:29 michaeldavenport238

    I was recently scammed out of $53,000 by a fraudulent Bitcoin investment scheme, which added significant stress to my already difficult health issues, as I was also facing cancer surgery expenses. Desperate to recover my funds, I spent hours researching and consulting other victims, which led me to discover the excellent reputation of Capital Crypto Recover, I came across a Google post It was only after spending many hours researching and asking other victims for advice that I discovered Capital Crypto Recovery’s stellar reputation. I decided to contact them because of their successful recovery record and encouraging client testimonials. I had no idea that this would be the pivotal moment in my fight against cryptocurrency theft. Thanks to their expert team, I was able to recover my lost cryptocurrency back. The process was intricate, but Capital Crypto Recovery's commitment to utilizing the latest technology ensured a successful outcome. I highly recommend their services to anyone who has fallen victim to cryptocurrency fraud. For assistance contact [email protected] and on Telegram OR Call Number +1 (336)390-6684 via email: [email protected] you can visit his website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 26.02.26 16:29 michaeldavenport238

    I was recently scammed out of $53,000 by a fraudulent Bitcoin investment scheme, which added significant stress to my already difficult health issues, as I was also facing cancer surgery expenses. Desperate to recover my funds, I spent hours researching and consulting other victims, which led me to discover the excellent reputation of Capital Crypto Recover, I came across a Google post It was only after spending many hours researching and asking other victims for advice that I discovered Capital Crypto Recovery’s stellar reputation. I decided to contact them because of their successful recovery record and encouraging client testimonials. I had no idea that this would be the pivotal moment in my fight against cryptocurrency theft. Thanks to their expert team, I was able to recover my lost cryptocurrency back. The process was intricate, but Capital Crypto Recovery's commitment to utilizing the latest technology ensured a successful outcome. I highly recommend their services to anyone who has fallen victim to cryptocurrency fraud. For assistance contact [email protected] and on Telegram OR Call Number +1 (336)390-6684 via email: [email protected] you can visit his website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 27.02.26 00:08 sanayoliver

    I spend my days studying the mysteries of the universe, delving into black holes, quantum mechanics, and the nature of time itself. But apparently, the real black hole I should have been concerned about was my own memory. I encrypted my Bitcoin wallet to keep it as secure as possible. The problem? I promptly forgot the password. Classic, right? It didn't help that this wasn't just pocket change I was dealing with. No, I had $190,000 in Bitcoin sitting in that wallet, and my mind had decided to take a vacation, leaving me with absolutely no idea what that password was. The panic set in fast. My brain, which could solve some of the most complex physics equations, couldn't remember a 12-character password. It felt like my entire financial future was being sucked into a black hole, one I'd created myself. Desperate, I tried everything. I thought I could outsmart the system, using every trick I could think of. I tried variations of passwords I thought I might have used, analyzing them through the lens of my own behavioral patterns. I even resorted to good ol' brute force, typing random combinations for hours, hoping that maybe, just maybe, my subconscious would strike gold. Spoiler alert: it didn't. Each failed attempt made me feel more and more like a genius who'd locked themselves out of their own universe. In a final act of desperation, admitting that theoretical physics couldn't crack my own encryption, I contacted TechY Force Cyber Retrieval. From the moment I reached out, the difference was night and day. While I had been flailing in the dark, they approached my case with a precision that rivaled the calculations I do daily. They didn't promise miracles; they promised a methodical, advanced recovery process. Within a surprisingly short timeframe, they utilized specialized tools to bypass the mental block I couldn't overcome. When they finally recovered the wallet and confirmed the full $190,000 was intact and accessible, the relief was indescribable. It was as if I had pulled my financial future back from the event horizon just before it was lost forever. To anyone thinking they are too smart to lose their keys, or too logical to make such a mistake: don't wait until you are staring into the abyss. If you find yourself in a situation where your own memory has become your greatest enemy, trust the experts at TechY Force Cyber Retrieval. They turned my personal black hole into a success story, proving that sometimes, even the brightest minds need a little help to find the light. REACH OUT TO THEM ON MAIL [email protected]

  • 27.02.26 02:04 elizabethmadison

    My name is Elizabeth Madison currently living in New York. There was a time I felt completely broken. I had trusted a fraudulent bitcoin investment organization, who turned out to be a fraudster. I sent money, believing their sweet words and promises on the interest rate I will get back in return, only to realize later that I’ve been scammed. On the day of withdrawal there was no money in my account. The pain hit deep. I couldn’t sleep, I kept asking myself how I could have been so careless, meanwhile my mom was battling with a stroke and the expenses were too much. For days, I cried and blamed myself. The betrayal, the disappointment and my mom's health issues all of this stress made me want to give up on life. But one day, I decided that sitting in pain wouldn’t solve anything. I picked myself up and chose to fight for what I lost then I came across GREAT WHIP RECOVERY CYBER SERVICES and saw how he helped people recover their funds from online fraud. I emailed all the transactions and paperwork I had with the fraudulent organization and they helped me recover all my lost money in just five days. If you have ever fallen victim to scammers, contact GREAT WHIP RECOVERY CYBER SERVICES to help you recover every penny you have lost. (Text +1(406)2729101) (Website https://greatwhiprecoveryc.wixsite.com/greatwhip-site) (Email [email protected])

  • 27.02.26 02:04 elizabethmadison

    My name is Elizabeth Madison currently living in New York. There was a time I felt completely broken. I had trusted a fraudulent bitcoin investment organization, who turned out to be a fraudster. I sent money, believing their sweet words and promises on the interest rate I will get back in return, only to realize later that I’ve been scammed. On the day of withdrawal there was no money in my account. The pain hit deep. I couldn’t sleep, I kept asking myself how I could have been so careless, meanwhile my mom was battling with a stroke and the expenses were too much. For days, I cried and blamed myself. The betrayal, the disappointment and my mom's health issues all of this stress made me want to give up on life. But one day, I decided that sitting in pain wouldn’t solve anything. I picked myself up and chose to fight for what I lost then I came across GREAT WHIP RECOVERY CYBER SERVICES and saw how he helped people recover their funds from online fraud. I emailed all the transactions and paperwork I had with the fraudulent organization and they helped me recover all my lost money in just five days. If you have ever fallen victim to scammers, contact GREAT WHIP RECOVERY CYBER SERVICES to help you recover every penny you have lost. (Text +1(406)2729101) (Website https://greatwhiprecoveryc.wixsite.com/greatwhip-site) (Email [email protected])

  • 27.02.26 15:57 luciajessy3

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

  • 27.02.26 15:59 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

  • 27.02.26 15:59 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

  • 27.02.26 16: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

  • 27.02.26 16:01 luciajessy3

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

  • 27.02.26 16:01 luciajessy3

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

  • 27.02.26 16:01 luciajessy3

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

  • 01.03.26 10:48 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.03.26 10:48 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

  • 03.03.26 14:09 Thomas Muller

    YOU CAN REACH OUT TO GREAT WHIP RECOVERY CYBER SERVICES FOR HELP TO RECOVER YOUR STOLEN BTC OR ETH BACK CALL:+1(406)2729101 I once fell victim to online investment scheme that cost me a devastating €254,000. I’m Thomas Muller from Berlin, Germany. The person I trusted turned out to be a fraud, and the moment I realized I’d been deceived, my entire world stopped. I immediately began searching for legitimate ways to recover my funds and hold the scammer accountable. During my search, I came across several testimonies of how Great Whip Recovery Cyber Services helped some people recover money they lost to cyber fraud, I contacted Great Whip Recovery Cyber Service team and provided all the evidence I had. Within about 36 hours, the experts traced the digital trail left by the fraudster, the individual was eventually tracked down and I recovered all my money back. You can contact them with,  website https://greatwhiprecoveryc.wixsite.com/greatwhip-site  text +1(406)2729101 email [email protected]

  • 03.03.26 14:09 Thomas Muller

    YOU CAN REACH OUT TO GREAT WHIP RECOVERY CYBER SERVICES FOR HELP TO RECOVER YOUR STOLEN BTC OR ETH BACK CALL:+1(406)2729101 I once fell victim to online investment scheme that cost me a devastating €254,000. I’m Thomas Muller from Berlin, Germany. The person I trusted turned out to be a fraud, and the moment I realized I’d been deceived, my entire world stopped. I immediately began searching for legitimate ways to recover my funds and hold the scammer accountable. During my search, I came across several testimonies of how Great Whip Recovery Cyber Services helped some people recover money they lost to cyber fraud, I contacted Great Whip Recovery Cyber Service team and provided all the evidence I had. Within about 36 hours, the experts traced the digital trail left by the fraudster, the individual was eventually tracked down and I recovered all my money back. You can contact them with,  website https://greatwhiprecoveryc.wixsite.com/greatwhip-site  text +1(406)2729101 email [email protected]

  • 04.03.26 07:21 Jane4

    I lost about $600k Bitcoin last year, I searched around and tried to work with some recovery firm unfortunately I was scammed as well. This happened for months until I came across [email protected] They came to my rescue and all my funds were recovered within few days I'm so happy right now .

  • 04.03.26 07:22 Jane4

    I lost about $600k Bitcoin last year, I searched around and tried to work with some recovery firm unfortunately I was scammed as well. This happened for months until I came across [email protected] They came to my rescue and all my funds were recovered within few days I'm so happy right now .

  • 04.03.26 12:25 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. Contact: [email protected]  You can reach them via email at [email protected] OR Call/Text Number +1 (336)390-6684 his contact website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 04.03.26 12:25 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. Contact: [email protected]  You can reach them via email at [email protected] OR Call/Text Number +1 (336)390-6684 his contact website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 06.03.26 13:36 CARL9090

    In January, my life shifted in a way I never expected. I clicked a trading link given to me by someone I found on Telegram, believing it was legitimate. It looked professional. It felt secure. I trusted it. Until I tried to withdraw my money. Within seconds, everything was gone, transferred into a wallet claiming account without a trace. That was the moment the truth hit me: I had been scammed. The emotional fallout was brutal. For weeks, I couldn’t even speak about it. I thought people would judge me. I thought they’d say I should have known better. Then someone stepped in who changed everything Agent Jasmine Lopez ,She listened without judgment. She treated my fear as real and valid. She traced patterns, uncovered off-chain indicators, and identified wallet clusters linked to a larger scam network. She showed me that what happened wasn’t random it was organized and intentional. For the first time, I felt hope. Hearing that students, parents, and hardworking people had been targeted the same way made me realize this wasn’t stupidity. It was predation. We weren’t careless we were deliberately targeted and manipulated I’m still healing. The experience changed me. But it also reminded me that even in your darkest moment, there can be someone willing to shine a light. Contact her at [email protected] WHATSAPP +44 7478077894

  • 07.03.26 07:46 Jane4

    I lost about $600k Bitcoin last year, I searched around and tried to work with some recovery firm unfortunately I was scammed as well. This happened for months until I came across [email protected] They came to my rescue and all my funds were recovered within few days I'm so happy right now .

  • 07.03.26 07:46 Jane4

    I lost about $600k Bitcoin last year, I searched around and tried to work with some recovery firm unfortunately I was scammed as well. This happened for months until I came across [email protected] They came to my rescue and all my funds were recovered within few days I'm so happy right now .

  • 07.03.26 08:39 Jane4

    I lost about $600k Bitcoin last year, I searched around and tried to work with some recovery firm unfortunately I was scammed as well. This happened for months until I came across [email protected] They came to my rescue and all my funds were recovered within few days I'm so happy right now .

  • 07.03.26 08:55 Jane4

    I lost about $600k Bitcoin last year, I searched around and tried to work with some recovery firm unfortunately I was scammed as well. This happened for months until I came across [email protected] They came to my rescue and all my funds were recovered within few days I'm so happy right now .

  • 07.03.26 09:40 Alena76

    Most people have been scammed severally and they give up on their funds I'm saying these because I was a victim too After loosing 745,000 USD I lose my mind until I read about COIN HACK RECOVERY I decided to contact the company on: [email protected] and I'm glad I made the decision not to give up. they helped me to recover all my lost funds within two days.

  • 07.03.26 10:37 Alena76

    Most people have been scammed severally and they give up on their funds I'm saying these because I was a victim too After loosing 745,000 USD I lose my mind until I read about COIN HACK RECOVERY I decided to contact the company on: [email protected] and I'm glad I made the decision not to give up. they helped me to recover all my lost funds within two days.

  • 07.03.26 10:37 Alena76

    Most people have been scammed severally and they give up on their funds I'm saying these because I was a victim too After loosing 745,000 USD I lose my mind until I read about COIN HACK RECOVERY I decided to contact the company on: [email protected] and I'm glad I made the decision not to give up. they helped me to recover all my lost funds within two days.

  • 07.03.26 17:49 Natasha Williams

    I am Natasha Williams from Dallas. I want to share my testimony to encourage anyone who has ever fallen victim to a scam or fraud. Some time ago, I was defrauded by some fraudulent cryptocurrency investment organization online, I was a victim and I lost a huge amount of money, $382,000. I felt angry, disappointed and helpless but I refused to give up and stay calm. I came across this agency, GREAT WHIP RECOVERY CYBER SERVICES.. who helped people recover their money from scammers and the testimonies I saw were quite amazing. And I decided to contact them. I gathered every piece of evidence, chats, receipts, account details, and messages and reported the case to the agency, GREAT WHIP RECOVERY CYBER SERVICES. After 73hours of follow up and not losing faith, the fraudster was traced and held accountable and I recovered all my money back. I highly recommend, GREAT WHIP RECOVERY CYBER SERVICES agency if you have ever fallen victim to scammers, you can contact them. Website: https://greatwhiprecoveryc.wixsite.com/greatwhip-site email: [email protected] Call Line: +1(406)2729101

  • 07.03.26 20:10 ericbank61

    I never thought I’d be the one writing one of these stories. You hear about crypto scams, hacks, and lost fortunes, and you think, “That’s for other people. The careless ones.” I was careful. Or so I believed. It started with a sophisticated phishing attack. An email that looked identical to a legitimate exchange notification, a link to “verify my wallet security,” and a moment of distracted panic. I clicked. Within hours, my life savings in Bitcoin—a sum I’d been accumulating for five years—vanished from my private wallet. The transaction hash was a cold, unfeeling tombstone on the blockchain. My stomach dropped into a void. I felt physically ill. The police filed a report, but their knowledge ended at the edge of traditional finance. The exchange offered sympathy but no solutions. I was adrift, utterly hopeless. After weeks of despair, scouring forums in the dead of night, I found a thread mentioning Mighty Hacker Recovery. The name sounded almost too bold, like something from a cheesy movie. But the testimonials were detailed, sober, and from people who sounded just like me: desperate, betrayed, and out of options. With nothing left to lose, I reached out. Their intake process was professional but guarded. They asked for transaction IDs, wallet addresses, and a detailed timeline—no promises, just facts. A consultant named Leo became my point of contact. He had a calm, analytical voice that cut through my panic. “We don’t hack *into* systems,” he explained. “We follow the digital trail. We analyze the attack vector, trace the flow of funds through the blockchain’s transparency, and identify the weak points in the scammer’s own security. Sometimes, it’s about speed and outmaneuvering them before they can launder the assets.” What followed was a tense, silent partnership. I provided every shred of information I had, while Leo’s team worked in the shadows. There were days of silence that felt like years. Then, an update: they’d traced my BTC to a mixing service, a tool scammers use to obfuscate the trail. Mighty Hacker Recovery used advanced blockchain forensic techniques to peel back those layers. They discovered the scammer had made a critical error—a small portion of the funds was sent to a KYC-compliant exchange wallet. That was the chink in the armor. Using the immutable evidence from the blockchain and legal pressure channels they’d established with certain international platforms, they initiated a recovery claim. The process was complex, involving digital affidavits and proof of illicit origin. Three weeks after my first desperate email, Leo called. “We’ve secured a freeze on the destination wallet. The exchange is cooperating. We’re initiating the reversal.” I didn’t dare believe it until I saw it. Two days later, my wallet balance updated. My Bitcoin, minus Mighty Hacker Recovery’s contingency fee, was back. The relief wasn’t euphoric; it was a deep, trembling exhaustion, like waking up from a nightmare. They didn’t perform magic. They applied intense expertise, relentless persistence, and an intricate understanding of both the blockchain’s weaknesses and a scammer’s psychology. They gave me back more than my crypto; they gave me back a sense of agency in a landscape designed to make victims feel powerless. If you’re reading this from your own private hell of loss, know this: the trail never truly disappears. You just need the right team to follow it. For me, that was Mighty Hacker Recovery.

  • 07.03.26 22:44 robertalfred175

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

  • 07.03.26 22:44 robertalfred175

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

  • 11.03.26 19:43 Michael Jensen

    With the help and expertise of CapitalNode Analytics, i was able to get back my digital tokens from a fake investment platform. They are swift, precise and transparent in their operations.

  • 12.03.26 15:04 Mike Franz

    I recently ran into a serious issue with my cryptocurrency account that left me unable to access my bitcoin wallet. After several failed login attempts and repeated blocks from the system, I began to worry that I might lose access to my $415,000 permanently. Determined to fix the problem, After spending hours reading a review of GREAT WHIP RECOVERY CYBER SERVICES, on how they successfully assisted countless individuals in similar situations as mine. The process was stressful, but eventually the issue was resolved and I was able to regain access to my bitcoin wallet account. I’m immensely grateful to GREAT WHIP RECOVERY CYBER SERVICES for their incredible work, for those who need help, you can contact through the following channels: Phone Call: +1(406)2729101 Website: https://greatwhiprecoveryc.wixsite.com/greatwhip-site Mail: [email protected]

  • 12.03.26 15:05 Mike Franz

    I recently ran into a serious issue with my cryptocurrency account that left me unable to access my bitcoin wallet. After several failed login attempts and repeated blocks from the system, I began to worry that I might lose access to my $415,000 permanently. Determined to fix the problem, After spending hours reading a review of GREAT WHIP RECOVERY CYBER SERVICES, on how they successfully assisted countless individuals in similar situations as mine. The process was stressful, but eventually the issue was resolved and I was able to regain access to my bitcoin wallet account. I’m immensely grateful to GREAT WHIP RECOVERY CYBER SERVICES for their incredible work, for those who need help, you can contact through the following channels: Phone Call: +1(406)2729101 Website: https://greatwhiprecoveryc.wixsite.com/greatwhip-site Mail: [email protected]

  • 15.03.26 20:22 harristhomas7376

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

  • 15.03.26 20:22 harristhomas7376

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

  • 15.03.26 20:22 harristhomas7376

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

  • 16.03.26 12:01 [email protected]

    I would like to highly recommend TOP RECOVERY EXPERT, the best in cryptocurrency recovery. I want the world to know how exceptional their services are. For years, I faced a very difficult time after being scammed out of $453,000 in Ethereum. It was devastating to realize that someone could steal from me without remorse after I trusted them. Determined to recover my funds legally, I began searching for reliable help and came across TOP RECOVERY EXPERT, the most professional recovery service I have ever found. With their expertise and support, I was able to recover my entire Ethereum wallet. I now understand that while many investment opportunities can seem too good to be true, professional guidance can make all the difference. Thanks to TOP RECOVERY EXPERT, I have regained not only my assets ETH but also my peace of mind and happiness. Their dedication and professionalism have truly changed my life. I am now the happiest person I have ever been, all because of their help. If you have been a victim of a crypto scam, I strongly advise you to reach out to TOP RECOVERY EXPERT. Contact Information: Text/Call: +1 (346) 980-9102 Email: [email protected] For more information visit his website: https://toprecoveryexpert2.wixsite.com/consultant

  • 16.03.26 13:20 luciajessy3

    There are many recommendations online, but not all of them are trustworthy. Unfortunately, some so-called “recovery services” are scams themselves and may try to take advantage of people who have already lost money. If you’ve been scammed, be extremely cautious about anyone promising guaranteed recovery — especially if they ask for upfront fees. Always do thorough research, verify credentials, and consider reporting the incident to. Cyberrefundexperts {A} Consultant {.} Com , Stay alert and protect yourself.

  • 16.03.26 13:20 luciajessy3

    There are many recommendations online, but not all of them are trustworthy. Unfortunately, some so-called “recovery services” are scams themselves and may try to take advantage of people who have already lost money. If you’ve been scammed, be extremely cautious about anyone promising guaranteed recovery — especially if they ask for upfront fees. Always do thorough research, verify credentials, and consider reporting the incident to. Cyberrefundexperts @ Consultant . Com , Stay alert and protect yourself.

  • 18.03.26 15:27 keithwilson9899

    ETHEREUM RECOVERY ASSISTANCE: CAPITAL CRYPTO RECOVER HELPED ME RECOVER $98,000 WORTH OF LOST ETH In cases of cryptocurrency scams, having accurate information and trusted support is essential. I would like to recommend Capital Crypto Recover Service, a professional team that specializes in assisting individuals with the recovery of lost or stolen Bitcoin and Ethereum (ETH). Their experienced experts are dedicated to helping victims of digital asset fraud by carefully analyzing each case, developing strategic recovery plans, Capital Crypto Recover Service knowledgeable team's primary goals are to satisfy clients and offer significant support and working diligently toward fund retrieval. The team is committed to providing reliable assistance and maintaining a high level of client satisfaction. Based on my assessment, their reputation professionalism and a strong commitment to their clients. If you have experienced a cryptocurrency loss, you can contacting them for further assistance Phone (Call/Text): +1 (336) 390-6684 Email: [email protected] Alternate Email: [email protected] Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 18.03.26 15:27 keithwilson9899

    ETHEREUM RECOVERY ASSISTANCE: CAPITAL CRYPTO RECOVER HELPED ME RECOVER $98,000 WORTH OF LOST ETH In cases of cryptocurrency scams, having accurate information and trusted support is essential. I would like to recommend Capital Crypto Recover Service, a professional team that specializes in assisting individuals with the recovery of lost or stolen Bitcoin and Ethereum (ETH). Their experienced experts are dedicated to helping victims of digital asset fraud by carefully analyzing each case, developing strategic recovery plans, Capital Crypto Recover Service knowledgeable team's primary goals are to satisfy clients and offer significant support and working diligently toward fund retrieval. The team is committed to providing reliable assistance and maintaining a high level of client satisfaction. Based on my assessment, their reputation professionalism and a strong commitment to their clients. If you have experienced a cryptocurrency loss, you can contacting them for further assistance Phone (Call/Text): +1 (336) 390-6684 Email: [email protected] Alternate Email: [email protected] Website: https://recovercapital.wixsite.com/capital-crypto-rec-1

  • 08:03 Alena76

    Most people have been scammed severally and they give up on their funds I'm saying these because I was a victim too After loosing 745,000 USD I lose my mind until I read about COIN HACK RECOVERY I decided to contact the company on: [email protected] and I'm glad I made the decision not to give up. they helped me to recover all my lost funds within two days.

  • 08:04 Alena76

    Most people have been scammed severally and they give up on their funds I'm saying these because I was a victim too After loosing 745,000 USD I lose my mind until I read about COIN HACK RECOVERY I decided to contact the company on: [email protected] and I'm glad I made the decision not to give up. they helped me to recover all my lost funds within two days.

  • 08:15 Alena76

    Most people have been scammed severally and they give up on their funds I'm saying these because I was a victim too After loosing 745,000 USD I lose my mind until I read about COIN HACK RECOVERY I decided to contact the company on: [email protected] and I'm glad I made the decision not to give up. they helped me to recover all my lost funds within two days.

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