Вопросы по Lua скриптингу

Общая тема для вопросов по разработке скриптов на языке программирования Lua, в частности под MoonLoader.
  • Задавая вопрос, убедитесь, что его нет в списке частых вопросов и что на него ещё не отвечали (воспользуйтесь поиском).
  • Поищите ответ в теме посвященной разработке Lua скриптов в MoonLoader
  • Отвечая, убедитесь, что ваш ответ корректен.
  • Старайтесь как можно точнее выразить мысль, а если проблема связана с кодом, то обязательно прикрепите его к сообщению, используя блок [code=lua]здесь мог бы быть ваш код[/code].
  • Если вопрос связан с MoonLoader-ом первым делом желательно поискать решение на wiki.

Частые вопросы

Как научиться писать скрипты? С чего начать?
Информация - Гайд - Всё о Lua скриптинге для MoonLoader(https://blast.hk/threads/22707/)
Как вывести текст на русском? Вместо русского текста у меня какие-то каракули.
Изменить кодировку файла скрипта на Windows-1251. В Atom: комбинация клавиш Ctrl+Shift+U, в Notepad++: меню Кодировки -> Кодировки -> Кириллица -> Windows-1251.
Как получить транспорт, в котором сидит игрок?
Lua:
local veh = storeCarCharIsInNoSave(PLAYER_PED)
Как получить свой id или id другого игрока?
Lua:
local _, id = sampGetPlayerIdByCharHandle(PLAYER_PED) -- получить свой ид
local _, id = sampGetPlayerIdByCharHandle(ped) -- получить ид другого игрока. ped - это хендл персонажа
Как проверить, что строка содержит какой-то текст?
Lua:
if string.find(str, 'текст', 1, true) then
-- строка str содержит "текст"
end
Как эмулировать нажатие игровой клавиши?
Lua:
local game_keys = require 'game.keys' -- где-нибудь в начале скрипта вне функции main

setGameKeyState(game_keys.player.FIREWEAPON, -1) -- будет сэмулировано нажатие клавиши атаки
Все иды клавиш находятся в файле moonloader/lib/game/keys.lua.
Подробнее о функции setGameKeyState здесь: lua - setgamekeystate | BlastHack — DEV_WIKI(https://www.blast.hk/wiki/lua:setgamekeystate)
Как получить id другого игрока, в которого целюсь я?
Lua:
local valid, ped = getCharPlayerIsTargeting(PLAYER_HANDLE) -- получить хендл персонажа, в которого целится игрок
if valid and doesCharExist(ped) then -- если цель есть и персонаж существует
  local result, id = sampGetPlayerIdByCharHandle(ped) -- получить samp-ид игрока по хендлу персонажа
  if result then -- проверить, прошло ли получение ида успешно
    -- здесь любые действия с полученным идом игрока
  end
end
Как зарегистрировать команду чата SAMP?
Lua:
-- До бесконечного цикла/задержки
sampRegisterChatCommand("mycommand", function (param)
     -- param будет содержать весь текст введенный после команды, чтобы разделить его на аргументы используйте string.match()
    sampAddChatMessage("MyCMD", -1)
end)
Крашит игру при вызове sampSendChat. Как это исправить?
Это происходит из-за бага в SAMPFUNCS, когда производится попытка отправки пакета определенными функциями изнутри события исходящих RPC и пакетов. Исправления для этого бага нет, но есть способ не провоцировать его. Вызов sampSendChat изнутри обработчика исходящих RPC/пакетов нужно обернуть в скриптовый поток с нулевой задержкой:
Lua:
function onSendRpc(id)
  -- крашит:
  -- sampSendChat('Send RPC: ' .. id)

  -- норм:
  lua_thread.create(function()
    wait(0)
    sampSendChat('Send RPC: ' .. id)
  end)
end
 
Последнее редактирование:

Petr_Sergeevich

Известный
Проверенный
707
298
Можно как-нибудь получить текущее местоположение? Конкретный район, в котором ты находишься. Например, Red Country, San Fierro, Blueberry и так далее. Может есть что-то подобное? Если да, то был бы очень признателен, если поделитесь)
 

rraggerr

проверенный какой-то
1,626
851
Обратите внимание, пользователь заблокирован на форуме. Не рекомендуется проводить сделки.
  • Нравится
Реакции: atiZZZ

trefa

3d print
Всефорумный модератор
2,123
1,288
У меня есть строчка: как сделать что бы именно когда эта строчка в чате была, функция срабатывала? Раньше ставил тип
Lua:
if text:find('Wanted') and text:find('Сообщает') then
но когда кто то пишет в чат эти два слова скрипт крашиться. (у меня потом идет регулярка)
Нормальную строчку скинь.

Lua:
-- init code
local combo = imgui.imInt(0)

-- render
imgui.Combo('PISUN', combo, {gagarin, SYKA})
Lua:
-- init code
local combo = imgui.imInt(0)

-- render
imgui.Combo('PISUN', combo, {"gagarin", "SYKA"})
 
Последнее редактирование модератором:

Petr_Sergeevich

Известный
Проверенный
707
298
Как исправить каракули?

local x, y, z = getCharCoordinates(PLAYER_PED)
local zone = getNameOfZone(x, y, z)
local temp = getGxtText(zone)

Вывод: Ca®¦a-žopa, Ca®-A®љpeac
 
Последнее редактирование:

ШPEK

Известный
1,474
526
Почему крашит игру при попытке открыть gui окно?
Lua:
local imbool = imgui.ImBool(false)
local bolnica = imgui.ImInt(0)
local cena = imgui.ImInt(0)
local nick = imgui.ImBuffer(257)
function imgui.OnDrawFrame()
    if imbool.v then
        imgui.SetNextWindowSize(imgui.ImVec2(150, 200), imgui.Cond.FirstUseEver)
        local sw, sh = getScreenResolution()
        imgui.SetNextWindowPos(imgui.ImVec2(sw / 2, sh / 2), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5))
        imgui.Begin(u8"Ministry Ambulance Helper", imbool)
        imgui.Combo("Выбери свою больницу", combo, {"Лос-Сантос", "Сан-Фиерро", "Лас-Вентруас"})
        imgui.Input("Введи свой ник (без _)", nick)
        imgui.InputInt("Введи ценовую политику", politica)
    end
end

function main()
while not isSampAvailable() do wait(100) end
    while true do
        wait(0)
        if isKeyJustPressed(key.VK_7) then
            imbool.v = not imbool.v
        end
        imgui.Process = imbool.v
        local valid, ped = getCharPlayerIsTargeting(PLAYER_HANDLE)
            if valid and doesCharExist(ped) then
                local result, id = sampGetPlayerIdByCharHandle(ped)
                    if result and isKeyJustPressed(key.VK_1) and isKeyJustPressed(key.VK_LMENU) then
                        submenus_show("Взаимодействие с персонажем", doing, "Выбрать", _, "Назад")
                    end
            end
    end
end
Lua:
local imgui = require "imgui"
require "lib.moonloader"
local encoding = require "encoding"
local key = require "vkeys"
u8 = encoding.UTF8
encoding.default = "CP1251"

local doing = {
    {
    title = "{FF6666}Лечить",
    submenu = {
        {
        title = "{FF6666}Лечить голову",
        onclick = function()
        sampSendChat("/me открыв сумку, протянул туда руку")
        wait(1500)
        sampSendChat("/me швыряясь в сумке нашёл таблетки \"Аспирин\"")
        wait(1500)
        sampSendChat("/me передал таблетки \"Аспирин\" человеку напротив")
        wait(1000)
        sampSendChat("/oldanim 6")
        wait(3000)
        sampSendChat("Скорейшего выздоровления! Больше не болейте")
        wait(100)
        sampSendChat(")")
        wait(1500)
        sampSendChat("/heal "..id.." "..cena)
        end
        },
        {
        title = "{FF6666}Лечить живот",
        onclick = function()
        sampSendChat("/me открыв сумку, протянул туда руку")
        wait(1500)
        sampSendChat("/me швыряясь в сумке нашёл таблетки \"Мезим\"")
        wait(1500)
        sampSendChat("/me передал таблетки человеку напротив")
        wait(100)
        sampSendChat("/oldanim 6")
        wait(3000)
        sampSendChat("Скорейшего выздоровления! Больше не болейте")
        wait(100)
        sampSendChat(")")
        wait(1500)
        sampSendChat("/heal "..id.." "..cena)
        end
        },
        {
        title = "{FF6666}Универсальное лечение",
        onclick = function()
        sampSendChat("/me открыв сумку, протянул туда руку")
        wait(1500)
        sampSendChat("/me достал нужный медикамент из сумки")
        wait(1500)
        sampSendChat("/me передал медикамент человеку напротив")
        wait(100)
        sampSendChat("/oldanim 6")
        wait(3000)
        sampSendChat("Скорейшего выздоровления! Больше не болейте")
        wait(100)
        sampSendChat(")")
        wait(1500)
        sampSendChat("/heal "..id.." "..cena)
        end
        }
    }
    },
    {
    title = "{FF6666}Сделать укол",
    onclick = function()
    sampSendChat("/me открыл коробочку с новым шприцом")
    wait(1500)
    sampSendChat("/me выкинул коробочку в урну")
    wait(1500)
    sampSendChat("/me взяв баночку со спиртом со стола, стерелизовал руку пациента")
    wait(1500)
    sampSendChat("/me воткнул шприц в вену, введя препарат")
    wait(1500)
    sampSendChat("/me вытащив шприц, выкинул его в урну")
    wait(1500)
    sampSendChat("/inject "..id)
    end
    },
    {
    title = "{FF6666}Сделать операцию",
    onclick = function()
    sampSendChat("/me взял перчатки и маску со стола и надел маску и перчатки")
    wait(1500)
    sampSendChat("/do Маска для наркоза висит на подставке.")
    wait(1500)
    sampSendChat("/me взяв маску для наркоза в правую руку, надела её на лицо пациента")
    wait(1500)
    sampSendChat("/me включил подачу наркоза")
    wait(1500)
    sampSendChat("/do Наркоз действует.")
    wait(1500)
    sampSendChat("/me взяв скальпель в руку, аккуратным движением сделал надрез")
    wait(1500)
    sampSendChat("/me начал процесс операции")
    wait(5000)
    sampSendChat("/me взяв медицинскую нитку и иголку, начал зашивать рану")
    wait(1500)
    sampSendChat("/do Операция проведена.")
    wait(1500)
    sampSendChat("/me привёл пациента в сознание")
    wait(1500)
    sampSendChat("Процесс операции окончен, всё прошло успешно.")
    end
    },
    {
    title = "{66CCFF}Начать мед.осмотр",
    onclick = function()
    sampSendChat("Здравствуйте, сейчас я проведу медицинский осмотр.")
    wait(1500)
    sampSendChat("Хорошо, будьте добры встать к стене.")
    wait(1000)
    sampAddChatMessage("Нажмите NumPad7 чтобы продолжить осмотр", -1)
    repeat
    wait(0)
    until isKeyJustPressed(VK_7)
    sampSendChat("/do На столе лежат тонкие перчатки.")
    wait(1500)
    sampSendChat("/me взял тонкие перчатки со стола")
    wait(1500)
    sampSendChat("/me надел перчатки на руки")
    wait(1500)
    sampSendChat("/do Перчатки на руках.")
    wait(1500)
    sampSendChat("/me приступил к медицинскому осмотру")
    wait(1500)
    sampSendChat("/me провел голову на наличие вшей")
    wait(1500)
    sampSendChat("/me прощупал живот и половой орган человека")
    wait(1500)
    sampSendChat("/do Медицинская карта лежит на столе.")
    wait(1500)
    sampSendChat("/me взял медицинскую карту со стола")
    wait(1500)
    sampSendChat("/do На столе лежит ручка.")
    wait(1500)
    sampSendChat("/me взял ручку со стола")
    wait(1500)
    sampSendChat("/me поставил галочку на против строки \"Здоров\"")
    wait(1500)
    sampSendChat("/me поставил подпись в граффе \"Подпись врача\"")
    wait(1500)
    sampSendChat("/me положив ручку на стол, взял со стола печать \""..bolnica.."\"")
    wait(1500)
    sampSendChat("/me поставив печать \""..bolnica.."\"")
    wait(1500)
    sampSendChat("/me передал медицинскую карту пациенту ")
    wait(100)
    sampSendChat("/oldanim 6")
    wait(3000)
    sampSendChat("/medcard "..id)
    end
    }
}

local imbool = imgui.ImBool(false)
local bolnica = imgui.ImInt(0)
local cena = imgui.ImInt(0)
local nick = imgui.ImBuffer(257)
function imgui.OnDrawFrame()
    if imbool.v then
        imgui.SetNextWindowSize(imgui.ImVec2(150, 200), imgui.Cond.FirstUseEver)
        local sw, sh = getScreenResolution()
        imgui.SetNextWindowPos(imgui.ImVec2(sw / 2, sh / 2), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5))
        imgui.Begin(u8"Ministry Ambulance Helper", imbool)
        imgui.Combo("Выбери свою больницу", combo, {"Лос-Сантос", "Сан-Фиерро", "Лас-Вентруас"})
        imgui.Input("Введи свой ник (без _)", nick)
        imgui.InputInt("Введи ценовую политику", politica)
    end
end

function main()
while not isSampAvailable() do wait(100) end
    while true do
        wait(0)
        if isKeyJustPressed(key.VK_7) then
            imbool.v = not imbool.v
        end
        imgui.Process = imbool.v
        local valid, ped = getCharPlayerIsTargeting(PLAYER_HANDLE)
            if valid and doesCharExist(ped) then
                local result, id = sampGetPlayerIdByCharHandle(ped)
                    if result and isKeyJustPressed(key.VK_1) and isKeyJustPressed(key.VK_LMENU) then
                        submenus_show("Взаимодействие с персонажем", doing, "Выбрать", _, "Назад")
                    end
            end
    end
end

function submenus_show(menu, caption, select_button, close_button, back_button)
    select_button, close_button, back_button = select_button or 'Select', close_button or 'Close', back_button or 'Back'
    prev_menus = {}
    function display(menu, id, caption)
        local string_list = {}
        for i, v in ipairs(menu) do
            table.insert(string_list, type(v.submenu) == 'table' and v.title .. '  >>' or v.title)
        end
        sampShowDialog(id, caption, table.concat(string_list, '\n'), select_button, (#prev_menus > 0) and back_button or close_button, sf.DIALOG_STYLE_LIST)
        repeat
            wait(0)
            local result, button, list = sampHasDialogRespond(id)
            if result then
                if button == 1 and list ~= -1 then
                    local item = menu[list + 1]
                    if type(item.submenu) == 'table' then -- submenu
                        table.insert(prev_menus, {menu = menu, caption = caption})
                        if type(item.onclick) == 'function' then
                            item.onclick(menu, list + 1, item.submenu)
                        end
                        return display(item.submenu, id + 1, item.submenu.title and item.submenu.title or item.title)
                    elseif type(item.onclick) == 'function' then
                        local result = item.onclick(menu, list + 1)
                        if not result then return result end
                        return display(menu, id, caption)
                    end
                else -- if button == 0
                    if #prev_menus > 0 then
                        local prev_menu = prev_menus[#prev_menus]
                        prev_menus[#prev_menus] = nil
                        return display(prev_menu.menu, id - 1, prev_menu.caption)
                    end
                    return false
                end
            end
        until result
    end
    return display(menu, 31337, caption or menu.title)
end
 

Musaigen

shitposter
Проверенный
1,657
1,472
Почему крашит игру при попытке открыть gui окно?
Lua:
local imbool = imgui.ImBool(false)
local bolnica = imgui.ImInt(0)
local cena = imgui.ImInt(0)
local nick = imgui.ImBuffer(257)
function imgui.OnDrawFrame()
    if imbool.v then
        imgui.SetNextWindowSize(imgui.ImVec2(150, 200), imgui.Cond.FirstUseEver)
        local sw, sh = getScreenResolution()
        imgui.SetNextWindowPos(imgui.ImVec2(sw / 2, sh / 2), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5))
        imgui.Begin(u8"Ministry Ambulance Helper", imbool)
        imgui.Combo("Выбери свою больницу", combo, {"Лос-Сантос", "Сан-Фиерро", "Лас-Вентруас"})
        imgui.Input("Введи свой ник (без _)", nick)
        imgui.InputInt("Введи ценовую политику", politica)
    end
end

function main()
while not isSampAvailable() do wait(100) end
    while true do
        wait(0)
        if isKeyJustPressed(key.VK_7) then
            imbool.v = not imbool.v
        end
        imgui.Process = imbool.v
        local valid, ped = getCharPlayerIsTargeting(PLAYER_HANDLE)
            if valid and doesCharExist(ped) then
                local result, id = sampGetPlayerIdByCharHandle(ped)
                    if result and isKeyJustPressed(key.VK_1) and isKeyJustPressed(key.VK_LMENU) then
                        submenus_show("Взаимодействие с персонажем", doing, "Выбрать", _, "Назад")
                    end
            end
    end
end
Lua:
local imgui = require "imgui"
require "lib.moonloader"
local encoding = require "encoding"
local key = require "vkeys"
u8 = encoding.UTF8
encoding.default = "CP1251"

local doing = {
    {
    title = "{FF6666}Лечить",
    submenu = {
        {
        title = "{FF6666}Лечить голову",
        onclick = function()
        sampSendChat("/me открыв сумку, протянул туда руку")
        wait(1500)
        sampSendChat("/me швыряясь в сумке нашёл таблетки \"Аспирин\"")
        wait(1500)
        sampSendChat("/me передал таблетки \"Аспирин\" человеку напротив")
        wait(1000)
        sampSendChat("/oldanim 6")
        wait(3000)
        sampSendChat("Скорейшего выздоровления! Больше не болейте")
        wait(100)
        sampSendChat(")")
        wait(1500)
        sampSendChat("/heal "..id.." "..cena)
        end
        },
        {
        title = "{FF6666}Лечить живот",
        onclick = function()
        sampSendChat("/me открыв сумку, протянул туда руку")
        wait(1500)
        sampSendChat("/me швыряясь в сумке нашёл таблетки \"Мезим\"")
        wait(1500)
        sampSendChat("/me передал таблетки человеку напротив")
        wait(100)
        sampSendChat("/oldanim 6")
        wait(3000)
        sampSendChat("Скорейшего выздоровления! Больше не болейте")
        wait(100)
        sampSendChat(")")
        wait(1500)
        sampSendChat("/heal "..id.." "..cena)
        end
        },
        {
        title = "{FF6666}Универсальное лечение",
        onclick = function()
        sampSendChat("/me открыв сумку, протянул туда руку")
        wait(1500)
        sampSendChat("/me достал нужный медикамент из сумки")
        wait(1500)
        sampSendChat("/me передал медикамент человеку напротив")
        wait(100)
        sampSendChat("/oldanim 6")
        wait(3000)
        sampSendChat("Скорейшего выздоровления! Больше не болейте")
        wait(100)
        sampSendChat(")")
        wait(1500)
        sampSendChat("/heal "..id.." "..cena)
        end
        }
    }
    },
    {
    title = "{FF6666}Сделать укол",
    onclick = function()
    sampSendChat("/me открыл коробочку с новым шприцом")
    wait(1500)
    sampSendChat("/me выкинул коробочку в урну")
    wait(1500)
    sampSendChat("/me взяв баночку со спиртом со стола, стерелизовал руку пациента")
    wait(1500)
    sampSendChat("/me воткнул шприц в вену, введя препарат")
    wait(1500)
    sampSendChat("/me вытащив шприц, выкинул его в урну")
    wait(1500)
    sampSendChat("/inject "..id)
    end
    },
    {
    title = "{FF6666}Сделать операцию",
    onclick = function()
    sampSendChat("/me взял перчатки и маску со стола и надел маску и перчатки")
    wait(1500)
    sampSendChat("/do Маска для наркоза висит на подставке.")
    wait(1500)
    sampSendChat("/me взяв маску для наркоза в правую руку, надела её на лицо пациента")
    wait(1500)
    sampSendChat("/me включил подачу наркоза")
    wait(1500)
    sampSendChat("/do Наркоз действует.")
    wait(1500)
    sampSendChat("/me взяв скальпель в руку, аккуратным движением сделал надрез")
    wait(1500)
    sampSendChat("/me начал процесс операции")
    wait(5000)
    sampSendChat("/me взяв медицинскую нитку и иголку, начал зашивать рану")
    wait(1500)
    sampSendChat("/do Операция проведена.")
    wait(1500)
    sampSendChat("/me привёл пациента в сознание")
    wait(1500)
    sampSendChat("Процесс операции окончен, всё прошло успешно.")
    end
    },
    {
    title = "{66CCFF}Начать мед.осмотр",
    onclick = function()
    sampSendChat("Здравствуйте, сейчас я проведу медицинский осмотр.")
    wait(1500)
    sampSendChat("Хорошо, будьте добры встать к стене.")
    wait(1000)
    sampAddChatMessage("Нажмите NumPad7 чтобы продолжить осмотр", -1)
    repeat
    wait(0)
    until isKeyJustPressed(VK_7)
    sampSendChat("/do На столе лежат тонкие перчатки.")
    wait(1500)
    sampSendChat("/me взял тонкие перчатки со стола")
    wait(1500)
    sampSendChat("/me надел перчатки на руки")
    wait(1500)
    sampSendChat("/do Перчатки на руках.")
    wait(1500)
    sampSendChat("/me приступил к медицинскому осмотру")
    wait(1500)
    sampSendChat("/me провел голову на наличие вшей")
    wait(1500)
    sampSendChat("/me прощупал живот и половой орган человека")
    wait(1500)
    sampSendChat("/do Медицинская карта лежит на столе.")
    wait(1500)
    sampSendChat("/me взял медицинскую карту со стола")
    wait(1500)
    sampSendChat("/do На столе лежит ручка.")
    wait(1500)
    sampSendChat("/me взял ручку со стола")
    wait(1500)
    sampSendChat("/me поставил галочку на против строки \"Здоров\"")
    wait(1500)
    sampSendChat("/me поставил подпись в граффе \"Подпись врача\"")
    wait(1500)
    sampSendChat("/me положив ручку на стол, взял со стола печать \""..bolnica.."\"")
    wait(1500)
    sampSendChat("/me поставив печать \""..bolnica.."\"")
    wait(1500)
    sampSendChat("/me передал медицинскую карту пациенту ")
    wait(100)
    sampSendChat("/oldanim 6")
    wait(3000)
    sampSendChat("/medcard "..id)
    end
    }
}

local imbool = imgui.ImBool(false)
local bolnica = imgui.ImInt(0)
local cena = imgui.ImInt(0)
local nick = imgui.ImBuffer(257)
function imgui.OnDrawFrame()
    if imbool.v then
        imgui.SetNextWindowSize(imgui.ImVec2(150, 200), imgui.Cond.FirstUseEver)
        local sw, sh = getScreenResolution()
        imgui.SetNextWindowPos(imgui.ImVec2(sw / 2, sh / 2), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5))
        imgui.Begin(u8"Ministry Ambulance Helper", imbool)
        imgui.Combo("Выбери свою больницу", combo, {"Лос-Сантос", "Сан-Фиерро", "Лас-Вентруас"})
        imgui.Input("Введи свой ник (без _)", nick)
        imgui.InputInt("Введи ценовую политику", politica)
    end
end

function main()
while not isSampAvailable() do wait(100) end
    while true do
        wait(0)
        if isKeyJustPressed(key.VK_7) then
            imbool.v = not imbool.v
        end
        imgui.Process = imbool.v
        local valid, ped = getCharPlayerIsTargeting(PLAYER_HANDLE)
            if valid and doesCharExist(ped) then
                local result, id = sampGetPlayerIdByCharHandle(ped)
                    if result and isKeyJustPressed(key.VK_1) and isKeyJustPressed(key.VK_LMENU) then
                        submenus_show("Взаимодействие с персонажем", doing, "Выбрать", _, "Назад")
                    end
            end
    end
end

function submenus_show(menu, caption, select_button, close_button, back_button)
    select_button, close_button, back_button = select_button or 'Select', close_button or 'Close', back_button or 'Back'
    prev_menus = {}
    function display(menu, id, caption)
        local string_list = {}
        for i, v in ipairs(menu) do
            table.insert(string_list, type(v.submenu) == 'table' and v.title .. '  >>' or v.title)
        end
        sampShowDialog(id, caption, table.concat(string_list, '\n'), select_button, (#prev_menus > 0) and back_button or close_button, sf.DIALOG_STYLE_LIST)
        repeat
            wait(0)
            local result, button, list = sampHasDialogRespond(id)
            if result then
                if button == 1 and list ~= -1 then
                    local item = menu[list + 1]
                    if type(item.submenu) == 'table' then -- submenu
                        table.insert(prev_menus, {menu = menu, caption = caption})
                        if type(item.onclick) == 'function' then
                            item.onclick(menu, list + 1, item.submenu)
                        end
                        return display(item.submenu, id + 1, item.submenu.title and item.submenu.title or item.title)
                    elseif type(item.onclick) == 'function' then
                        local result = item.onclick(menu, list + 1)
                        if not result then return result end
                        return display(menu, id, caption)
                    end
                else -- if button == 0
                    if #prev_menus > 0 then
                        local prev_menu = prev_menus[#prev_menus]
                        prev_menus[#prev_menus] = nil
                        return display(prev_menu.menu, id - 1, prev_menu.caption)
                    end
                    return false
                end
            end
        until result
    end
    return display(menu, 31337, caption or menu.title)
end
потому что нет Imgui переменной combo
 

ШPEK

Известный
1,474
526
потому что нет Imgui переменной combo
Крашить перестало, когда combo изменил на bolnica,
всеравно скрипт выдаёт ошибку
[ML] (error) medhelper.lua: I:\GTA San Andreas\moonloader\medhelper.lua:171: attempt to call field 'Input' (a nil value)
stack traceback:
I:\GTA San Andreas\moonloader\medhelper.lua:171: in function 'OnDrawFrame'
I:\GTA San Andreas\moonloader\lib\imgui.lua:1377: in function <I:\GTA San Andreas\moonloader\lib\imgui.lua:1366>
[ML] (error) medhelper.lua: Script died due to error. (062E7ECC)
 

Musaigen

shitposter
Проверенный
1,657
1,472
Крашить перестало, когда combo изменил на bolnica,
всеравно скрипт выдаёт ошибку
[ML] (error) medhelper.lua: I:\GTA San Andreas\moonloader\medhelper.lua:171: attempt to call field 'Input' (a nil value)
stack traceback:
I:\GTA San Andreas\moonloader\medhelper.lua:171: in function 'OnDrawFrame'
I:\GTA San Andreas\moonloader\lib\imgui.lua:1377: in function <I:\GTA San Andreas\moonloader\lib\imgui.lua:1366>
[ML] (error) medhelper.lua: Script died due to error. (062E7ECC)
InputText вместо Input
 
  • Нравится
Реакции: ШPEK