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

Skezziwe1337

Участник
29
4
А как можно изменять окно имгуи прямо в игре? Типо смены растояния между кнопками и т.д?
 

Myroslaw

Известный
133
5
Lua:
script_name("traktorist ebana")
script_description("kolxoz")
script_author("myr0cha")
script_version_number(1)

local event = require 'lib.samp.events'

function main()
    if not isSampLoaded() or not isSampfuncsLoaded() then return end
    while not isSampAvailable() do wait(0) end
    sampAddChatMessage('traktorist {008000}loaded. {FFFFFF}Command: {FF0000}/kolxoz', -1)
    sampRegisterChatCommand('kolxoz', cmd_kolxoz)
    while true do
    wait(0)
    end
end

function cmd_kolxoz()
    enabled = not enabled
    sampAddChatMessage(enabled and 'traktorist on' or 'traktorist off', -1)
    if enabled then
        lua_thread.create(Kolya_lowara)
    end
end

function Kolya_lowara()
    while true do
        wait(0)
    sampProcessChatInput('/tppm')
    wait(1000)
    function event.onServerMessage(color, text)
        if text:find("Можеш доставляти :)") then
            sampProcessChatInput('/tppm')
            wait(2000)
        end
    end
    end
end
будет роботаь?
 

LelHack

Известный
452
125
Lua:
script_name("traktorist ebana")
script_description("kolxoz")
script_author("myr0cha")
script_version_number(1)

local event = require 'lib.samp.events'

function main()
    if not isSampLoaded() or not isSampfuncsLoaded() then return end
    while not isSampAvailable() do wait(0) end
    sampAddChatMessage('traktorist {008000}loaded. {FFFFFF}Command: {FF0000}/kolxoz', -1)
    sampRegisterChatCommand('kolxoz', cmd_kolxoz)
    while true do
    wait(0)
    end
end

function cmd_kolxoz()
    enabled = not enabled
    sampAddChatMessage(enabled and 'traktorist on' or 'traktorist off', -1)
    if enabled then
        lua_thread.create(Kolya_lowara)
    end
end

function Kolya_lowara()
    while true do
        wait(0)
    sampProcessChatInput('/tppm')
    wait(1000)
    function event.onServerMessage(color, text)
        if text:find("Можеш доставляти :)") then
            sampProcessChatInput('/tppm')
            wait(2000)
        end
    end
    end
end
будет роботаь?
Нет.
1) Зачем ты функцию event.onServerMessage(color, text) в другую функцию запихал?
2) Задержка вне main с помощью потока lua_thread.create(function()
 

danywa

Активный
358
50
Lua:
script_name("traktorist ebana")
script_description("kolxoz")
script_author("myr0cha")
script_version_number(1)

local event = require 'lib.samp.events'

function main()
    if not isSampLoaded() or not isSampfuncsLoaded() then return end
    while not isSampAvailable() do wait(0) end
    sampAddChatMessage('traktorist {008000}loaded. {FFFFFF}Command: {FF0000}/kolxoz', -1)
    sampRegisterChatCommand('kolxoz', cmd_kolxoz)
    while true do
    wait(0)
    end
end

function cmd_kolxoz()
    enabled = not enabled
    sampAddChatMessage(enabled and 'traktorist on' or 'traktorist off', -1)
    if enabled then
        lua_thread.create(Kolya_lowara)
    end
end

function Kolya_lowara()
    while true do
        wait(0)
    sampProcessChatInput('/tppm')
    wait(1000)
    function event.onServerMessage(color, text)
        if text:find("Можеш доставляти :)") then
            sampProcessChatInput('/tppm')
            wait(2000)
        end
    end
    end
end
будет роботаь?
Lua:
script_name("traktorist ebana")
script_description("kolxoz")
script_author("myr0cha")
script_version_number(1)

local event = require 'lib.samp.events'
local enabled

function main()
    if not isSampLoaded() or not isSampfuncsLoaded() then return end
    while not isSampAvailable() do wait(0) end
    sampAddChatMessage('traktorist {008000}loaded. {FFFFFF}Command: {FF0000}/kolxoz', -1)
    sampRegisterChatCommand('kolxoz', function()
        enabled = not enabled
        sampAddChatMessage(enabled and 'traktorist on' or 'traktorist off', -1)
    end)
    while true do
    wait(0)
    end
end



function Kolya_lowara()
    if enabled then
        lua_thread.create(function()
            while true do
            wait(0)
            sampProcessChatInput('/tppm')
            wait(1000)
            end
        end)
    end
end

function event.onServerMessage(color, text)
    if enabled then
        if text:find("Можеш доставляти :)") then
            lua_thread.create(function()
                sampProcessChatInput('/tppm')
                wait(2000)
            end)
        end
    end
end
попробуй если это что тебе надо
 

Skezziwe1337

Участник
29
4
Подскажите, почему не прорисовывается окно имгуи?

Lua:
function imgui.OnDrawFrame()

  if main_window_state.v then

    imgui.SetNextWindowSize(imgui.ImVec2(750, 500), imgui.Cond.FirstUseEver)
   imgui.SetNextWindowPos(imgui.ImVec2(w / 2, h / 2), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5))
   imgui.Begin(u8"[Тест] Тест | V 1.2", imgui_active, imgui.WindowFlags.NoResize)
   imgui.BeginChild("", imgui.ImVec2(150, 464), true)
   for i = 1, 35 do
    if imgui.Selectable(u8(mainIni[i].name))
     then
      name.v = u8(mainIni[i].name)
      combo.v = mainIni[i].table
      text1.v = string.gsub(u8(mainIni[i].text1), "&", "\n")
      text2.v = string.gsub(u8(mainIni[i].text2), "&", "\n")
      text3.v = string.gsub(u8(mainIni[i].text3), "&", "\n")
      text4.v = string.gsub(u8(mainIni[i].text4), "&", "\n")
      text5.v = string.gsub(u8(mainIni[i].text5), "&", "\n")
      slot = i
    end
   end
   imgui.EndChild()
   imgui.SameLine()
   imgui.BeginChild(" ", imgui.ImVec2(579, 464), true)
   if slot ~= 0
    then
     imgui.Text(u8"Название:")
     imgui.SameLine()
     imgui.PushItemWidth(150)
     imgui.InputText(u8"Столбцы:", name)
     imgui.SameLine()
     imgui.PushItemWidth(40)
     imgui.Combo("  ", combo, {"1", "2", "3", "4", "5"})
     imgui.PopItemWidth(2)
     imgui.SameLine(379)
     if imgui.Button(u8" Сохранить", imgui.ImVec2(125, 25))
      then
       mainIni[slot].name = u8:decode(name.v)
       mainIni[slot].table = combo.v
       mainIni[slot].text1 = string.gsub(u8:decode(text1.v), "\n", "&")
       mainIni[slot].text2 = string.gsub(u8:decode(text2.v), "\n", "&")
       mainIni[slot].text3 = string.gsub(u8:decode(text3.v), "\n", "&")
       mainIni[slot].text4 = string.gsub(u8:decode(text4.v), "\n", "&")
       mainIni[slot].text5 = string.gsub(u8:decode(text5.v), "\n", "&")
       inicfg.save(mainIni, directIni)
       sampAddChatMessage('[Test] {FFFFFF}Заметка "' .. u8:decode(name.v) .. '" сохранена.', 0x3399FF)
     end
     if combo.v == 0 then
      imgui.InputTextMultiline("    ", text1, imgui.ImVec2(562, 423))
     elseif combo.v == 1 then
      imgui.InputTextMultiline("    ", text1, imgui.ImVec2(279, 423))
      imgui.SameLine()
      imgui.InputTextMultiline("     ", text2, imgui.ImVec2(279, 423))
     elseif combo.v == 2 then
      imgui.InputTextMultiline("    ", text1, imgui.ImVec2(184, 423))
      imgui.SameLine()
      imgui.InputTextMultiline("     ", text2, imgui.ImVec2(184, 423))
      imgui.SameLine()
      imgui.InputTextMultiline("      ", text3, imgui.ImVec2(184, 423))
     elseif combo.v == 3 then
      imgui.InputTextMultiline("    ", text1, imgui.ImVec2(137, 423))
      imgui.SameLine()
      imgui.InputTextMultiline("     ", text2, imgui.ImVec2(137, 423))
      imgui.SameLine()
      imgui.InputTextMultiline("      ", text3, imgui.ImVec2(137, 423))
      imgui.SameLine()
      imgui.InputTextMultiline("       ", text4, imgui.ImVec2(137, 423))
     elseif combo.v == 4 then
      imgui.InputTextMultiline("    ", text1, imgui.ImVec2(108, 423))
      imgui.SameLine()
      imgui.InputTextMultiline("     ", text2, imgui.ImVec2(108, 423))
      imgui.SameLine()
      imgui.InputTextMultiline("      ", text3, imgui.ImVec2(108, 423))
      imgui.SameLine()
      imgui.InputTextMultiline("       ", text4, imgui.ImVec2(108, 423))
      imgui.SameLine()
      imgui.InputTextMultiline("        ", text5, imgui.ImVec2(108, 423))
     end
   end
   imgui.EndChild()
   imgui.End()

  end

if secondary_window_state.v then
  imgui.Begin(u8"Тест2", secondary_window_state)
  imgui.Text(u8"Тест")
  imgui.End()
end

end
 

Myroslaw

Известный
133
5
Lua:
script_name("traktorist ebana")
script_description("kolxoz")
script_author("myr0cha")
script_version_number(1)

local event = require 'lib.samp.events'

function main()
    if not isSampLoaded() or not isSampfuncsLoaded() then return end
    while not isSampAvailable() do wait(0) end
    sampAddChatMessage('traktorist {008000}loaded. {FFFFFF}Command: {FF0000}/kolxoz', -1)
    sampRegisterChatCommand('kolxoz', cmd_kolxoz)
    while true do
    wait(0)
    end
end

function cmd_kolxoz()
    enabled = not enabled
    sampAddChatMessage(enabled and 'traktorist on' or 'traktorist off', -1)
    if enabled then
        lua_thread.create(Kolya_lowara)
    end
end

function Kolya_lowara()
    while true do
        wait(0)
        sampProcessChatInput('/tppm')
        wait(9000)
        sampProcessChatInput('/tppm')
    end
end
функция Kolya_lowara почемуто пишет только один раз /tppm, а другой /tppm не пишет уже
 

moreveal

Известный
Проверенный
921
618
Как решать ошибку 'cannot resume non-suspended coroutine lua'? Часто крашит скрипт, ругаясь на рандомные строки в коде.