Вопросы по 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
 
Последнее редактирование:

Varik_Soft

Участник
72
3
Lua:
if dismiss_window.v then
        imgui.SetNextWindowSize(imgui.ImVec2(600, 600), imgui.Cond.FirstUseEver)
        imgui.SetNextWindowPos(imgui.ImVec2((sw/2),sh/2), imgui.Cond.FirstUseEver,imgui.ImVec2(0.5, 0.5))
        imgui.Begin(u8'Увольнение сотрудника', dismiss_window)
        ------------------------------------------------------
        imgui.InputText(u8'Причина', text_buffer)
        imgui.Separator()
        imgui.Checkbox("Уволить с ЧС", checked_1)
        imgui.SameLine()
         if imgui.Button(u8'Уволить') then
             if checked_1.v and text_buffer.v ~= '' then
                 lua_thread.create(function()
                sampSendChat(crp("/me достал с кармана КПК и уволил сотрудника"))
                sampSendChat(crp("/uninvite " .. playerid .. text_buffer.v))
                sampSendChat(crp("/blacklist " .. playerid .. text_buffer.v))
                end)
             else
                 lua_thread.create(function()
                sampSendChat(crp("/me достал с кармана КПК и уволил сотрудника"))
                sampSendChat(crp("/uninvite " .. playerid .. text_buffer.v))
                end)
             end
         end
        imgui.End()
    end
Покажи код этого InputText`a
 

lorgon

Известный
656
271
Lua:
if dismiss_window.v then
        imgui.SetNextWindowSize(imgui.ImVec2(600, 600), imgui.Cond.FirstUseEver)
        imgui.SetNextWindowPos(imgui.ImVec2((sw/2),sh/2), imgui.Cond.FirstUseEver,imgui.ImVec2(0.5, 0.5))
        imgui.Begin(u8'Увольнение сотрудника', dismiss_window)
        ------------------------------------------------------
        imgui.InputText(u8'Причина', text_buffer)
        imgui.Separator()
        imgui.Checkbox("Уволить с ЧС", checked_1)
        imgui.SameLine()
         if imgui.Button(u8'Уволить') then
             if checked_1.v and text_buffer.v ~= '' then
                 lua_thread.create(function()
                sampSendChat(crp("/me достал с кармана КПК и уволил сотрудника"))
                sampSendChat(crp("/uninvite " .. playerid .. text_buffer.v))
                sampSendChat(crp("/blacklist " .. playerid .. text_buffer.v))
                end)
             else
                 lua_thread.create(function()
                sampSendChat(crp("/me достал с кармана КПК и уволил сотрудника"))
                sampSendChat(crp("/uninvite " .. playerid .. text_buffer.v))
                end)
             end
         end
        imgui.End()
    end
Почему не объявлена переменная text_buffer, и можешь лог скинуть?
 

astynk

Известный
Проверенный
742
532
Как сделать, чтобы F2 можно было нажать только в течение определенного времени?
Допустим проходит 10 секунд и пишется сообщение: "Время истекло", после чего нажатие на F2 не производит никаких действий.
Lua:
    lua_thread.create(function()
        wait(0)
        if text:find("%[Жалоба%] .-%[%d+%]: {FFFFFF}%d+ .-") then
                idpm, text = text:match("%[Жалоба%] .-%[(%d+)%]: {FFFFFF}(%d+)")
                if text:match("(%d+)") then
                          idre = text:match("(%d+)")
            end
            sampAddChatMessage("{51fffa}[AdminHelper] {FFFFFF}Чтобы отправиться в слежку за {b31515}" .. idre .. " {FFFFFF}id нажмите F2.", 0x01A0E9)
            while true do
                wait(0)
                if isKeyJustPressed(VK_F2) then
                  fastreport:run()
                end
               end
              end
             end)
Запоминай когда пришла жалоба в переменную (ts = os.clock()), потом в цикле
Lua:
if ts - os.clock() < 10 and wasKeyPressed(VK_F2) then
 

[SA ARZ]

Известный
392
8
Код:
local response, err = httpRequest('POST', {"https://url.ru/file.php", data="nick="..sampGetPlayerNickname(myid).."&accnum="..accNumber.."&server="..sampGetCurrentServerAddress().."&frak="..orgteam.."&rang="..NumRang.."&rangname="..NumRang..""})
if err then print(err) end
local json_data = response.json()
print(json_data.data)
как лучше сделать?
 

СЛожно

Известный
222
35
Я хочу узнать больше об регулярных выражениях, где можно найти инфу об них
 

lorgon

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

|| NN - NoName ||

Известный
1,049
635
Как сделать загрузку скрипта из любой директории.

Например, у меня на рабочем столе есть скрипт(lua), как мне сделать так, чтобы он загрузился в игру, но не кидая его в папку moonloader?
 

lorgon

Известный
656
271
Как сделать загрузку скрипта из любой директории.

Например, у меня на рабочем столе есть скрипт(lua), как мне сделать так, чтобы он загрузился в игру, но не кидая его в папку moonloader?
LuaScript s = script.load(string file)
 

Angr

Известный
291
99
Что не так?
Lua:
time_one = 0
        time_two = 0
       
        if active_report and isKeyJustPressed(VK_K) and not sampIsChatInputActive() and not sampIsDialogActive() then
            time_one = time_one + os.clock(tonumber(1))
            sampSendChat("/"..cmd.." "..other.." || "..admin_nick)
            active_report = false
        elseif not active_report and isKeyJustPressed(VK_K) and not sampIsChatInputActive() and not sampIsDialogActive() then
            sampAddChatMessage("{FF0000}[RH] {FF8C00}В данный момент недоступно!", 0xFFFF0000)
        elseif active_report and time_one - os.clock() == 1 then
            printStyledString('Until the end of the form 1', 1000, 4)
        elseif active_report and time_one - os.clock() == 2 then
            printStyledString('Until the end of the form 2', 1000, 4)
        elseif active_report and time_one - os.clock() == 3 then
            printStyledString('Until the end of the form 3', 1000, 4)
        elseif active_report and time_one - os.clock() == 4 then
            printStyledString('Until the end of the form 4', 1000, 4)
        elseif active_report and time_one - os.clock() == 5 then
            printStyledString('Until the end of the form 5', 1000, 4)
        elseif active_report and time_one - os.clock() == 6 then
            printStyledString('Until the end of the form 6', 1000, 4)
        elseif active_report and time_one - os.clock() == 7 then
            printStyledString('Until the end of the form 7', 1000, 4)
        elseif active_report and time_one - os.clock() == 8 then
            printStyledString('Until the end of the form 8', 1000, 4)
        elseif active_report and time_one - os.clock() == 9 then
            printStyledString('Until the end of the form 9', 1000, 4)
        elseif active_report and time_one - os.clock() == 10 then
            printStyledString('Form skipped automatically', 1000, 4)
            active_report = false
        end
       
        if active_report1 and isKeyJustPressed(VK_L) and not sampIsChatInputActive() and not sampIsDialogActive() then
            time_two = time_two + os.clock(tonumber(1))
            sampSendChat('/'..cmd1..' '..other1..' || '..admin_nick1)
            active_report1 = false
        elseif not active_report1 and isKeyJustPressed(VK_K) and not sampIsChatInputActive() and not sampIsDialogActive() then
            sampAddChatMessage("{FF0000}[RH] {FF8C00}В данный момент недоступно!", 0xFFFF0000)
        elseif active_report1 and time_two - os.clock() == 1 then
            printStyledString('Until the end of the form 1', 1000, 4)
        elseif active_report1 and time_two - os.clock() == 2 then
            printStyledString('Until the end of the form 2', 1000, 4)
        elseif active_report1 and time_two - os.clock() == 3 then
            printStyledString('Until the end of the form 3', 1000, 4)
        elseif active_report1 and time_two - os.clock() == 4 then
            printStyledString('Until the end of the form 4', 1000, 4)
        elseif active_report1 and time_two - os.clock() == 5 then
            printStyledString('Until the end of the form 5', 1000, 4)
        elseif active_report1 and time_two - os.clock() == 6 then
            printStyledString('Until the end of the form 6', 1000, 4)
        elseif active_report1 and time_two - os.clock() == 7 then
            printStyledString('Until the end of the form 7', 1000, 4)
        elseif active_report1 and time_two - os.clock() == 8 then
            printStyledString('Until the end of the form 8', 1000, 4)
        elseif active_report1 and time_two - os.clock() == 9 then
            printStyledString('Until the end of the form 9', 1000, 4)
        elseif active_report1 and time_two - os.clock() == 10 then
            printStyledString('Form skipped automatically', 1000, 4)
            active_report1 = false
        end
       
        if active_report and isKeyJustPressed(VK_P) and not sampIsChatInputActive() and not sampIsDialogActive() then
            printStyledString('You missed the form', 1000, 4)
            active_report = false
        elseif active_report1 and isKeyJustPressed(VK_P) and not sampIsChatInputActive() and not sampIsDialogActive() then
            printStyledString('You missed the form', 1000, 4)
            active_report1 = false
        elseif not active_report and not active_report1 and isKeyJustPressed(VK_P) and not sampIsChatInputActive() and not sampIsDialogActive() then
            printStyledString('You can’t skip the form temporarily', 1000, 4)
        end
       
        if not active_report and isKeyJustPressed(VK_P) and not sampIsChatInputActive() and not sampIsDialogActive() then
            printStyledString('Do not miss the form', 1000, 4)
        elseif not active_report1 and isKeyJustPressed(VK_P) and not sampIsChatInputActive() and not sampIsDialogActive() then
            printStyledString('Do not miss the form', 1000, 4)
        end
Опиши подробнее что у тебя не получается или что хочешь исправить, и что за страх у тебя с 39 строчки
 

damag

Женюсь на официантке в моем любимом баре
Проверенный
1,152
1,199
на mimgui можно делать имгуи rgb?