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

Next..

Известный
343
136
Вот:

Код:
function smapev.onServerMessage(color,text)
    if text:find('Используйте /eating чтобы поесть') then
        lua_thread.create(function()
            wait(500)
            sampSendChat("/eating")
        end)
    end
end
Lua:
local eat = true -- до main

sampRegisterChatCommand('aeat' function() eat = not eat end) -- в main

function smapev.onServerMessage(color,text)
    if text:find('Используйте /eating чтобы поесть') and eat then
        lua_thread.create(function()
            wait(500)
            sampSendChat("/eating")
        end)
    end
end
 
  • Нравится
Реакции: Tristan

bottom_text

Известный
673
320
Lua:
local sampev = require 'samp.events'
local eat = false


function main()
  while not isSampAvailable() do wait(100) end
    sampRegisterChatCommand('eat', function() eat = not eat end)  -- создание команды для активации/деактивации
  wait(-1)
end


function sampev.onServerMessage(color,text)
    if text:find('Используйте /eating чтобы поесть') and eat then
        lua_thread.create(function()
            wait(500)
            sampSendChat("/eating")
        end)
    end
end
Вот:

Код:
function smapev.onServerMessage(color,text)
    if text:find('Используйте /eating чтобы поесть') then
        lua_thread.create(function()
            wait(500)
            sampSendChat("/eating")
        end)
    end
end
 
  • Нравится
Реакции: Tristan

bottom_text

Известный
673
320
А есть альтернативные методы? И как потом установить эти коорды игроку (своеобразный тп на нуборп)
Если чекпоинт серверный, то RPC.SETCHECKPOINT хукаешь и получаешь коорды, чё-то забыл я про это. Надеюсь, не запоздал с ответом.
 

|| NN - NoName ||

Известный
1,049
635
извините я даун но как получить дистанцию до ближайшего игрока
Lua:
function main()
    while true do wait(0)
        local id = getplayerdist()
        if id ~= -1 then
            printStringNow(id..' ближайший', 100)
        else
            printStringNow('игроков рядом нет', 100)
        end
    end
end
function getplayerdist()
    var_dist = 9999
    var_id = -1
    for i = 0, sampGetMaxPlayerId(true) do 
        local _, ped = sampGetCharHandleBySampPlayerId(i)
        if _ then
            local x, y, z = getCharCoordinates(PLAYER_PED)
            local mX, mY, mZ = getCharCoordinates(ped)
            local dist = getDistanceBetweenCoords3d(x, y, z, mX, mY, mZ)
            if dist < var_dist then
                var_dist = dist
                var_id = i
            end
        end
    end
    return var_id
end
 
  • Нравится
Реакции: корбус

#Northn

Pears Project — уже запущен!
Всефорумный модератор
2,654
2,535
Lua:
function main()
    while true do wait(0)
        local id = getplayerdist()
        if id ~= -1 then
            printStringNow(id..' ближайший', 100)
        else
            printStringNow('игроков рядом нет', 100)
        end
    end
end
function getplayerdist()
    var_dist = 9999
    var_id = -1
    for i = 0, sampGetMaxPlayerId(true) do
        local _, ped = sampGetCharHandleBySampPlayerId(i)
        if _ then
            local x, y, z = getCharCoordinates(PLAYER_PED)
            local mX, mY, mZ = getCharCoordinates(ped)
            local dist = getDistanceBetweenCoords3d(x, y, z, mX, mY, mZ)
            if dist < var_dist then
                var_dist = dist
                var_id = i
            end
        end
    end
    return var_id
end
Lua:
function sampGetNearestPlayerId()
    local latestDist, latestPlayer = 999999, -1
    local mX, mY, mZ = getCharCoordinates(PLAYER_PED)
    for _, ped in ipairs(getAllChars()) do
        local res, id = sampGetPlayerIdByCharHandle(ped)
        if res and sampIsPlayerConnected(id) and not sampIsPlayerNpc(id) then
            local posX, posY, posZ = getCharCoordinates(ped)
            local dist = getDistanceBetweenCoords3d(mX, mY, mZ, posX, posY, posZ)
            if dist < latestDist then
                latestDist, latestPlayer = dist, id
            end
        end
    end
    return latestPlayer, latestDist
end

более экономно по ресурсам
 

|| NN - NoName ||

Известный
1,049
635
Lua:
function sampGetNearestPlayerId()
    local latestDist, latestPlayer = 999999, 0
    local mX, mY, mZ = getCharCoordinates(PLAYER_PED)
    for _, ped in ipairs(getAllChars()) do
        local res, id = sampGetPlayerIdByCharHandle(ped)
        if res and sampIsPlayerConnected(id) and not sampIsPlayerNpc(id) then
            local posX, posY, posZ = getCharCoordinates(ped)
            local dist = getDistanceBetweenCoords3d(mX, mY, mZ, posX, posY, posZ)
            if dist < latestDist then
                latestDist, latestPlayer = dist, id
            end
        end
    end
    return id, latestDist
end

более экономно по ресурсам
Ну не знаю не знаю. У меня наоборот подвисает, когда я делаю через getallchars
 

bottom_text

Известный
673
320
Lua:
function sampGetNearestPlayerId()
    local latestDist, latestPlayer = 999999, 0
    local mX, mY, mZ = getCharCoordinates(PLAYER_PED)
    for _, ped in ipairs(getAllChars()) do
        local res, id = sampGetPlayerIdByCharHandle(ped)
        if res and sampIsPlayerConnected(id) and not sampIsPlayerNpc(id) then
            local posX, posY, posZ = getCharCoordinates(ped)
            local dist = getDistanceBetweenCoords3d(mX, mY, mZ, posX, posY, posZ)
            if dist < latestDist then
                latestDist, latestPlayer = dist, id
            end
        end
    end
    return id, latestDist
end

более экономно по ресурсам
Разве не лучше получать хендл ближайшего педа через storeClosestEntities()?
 

#Northn

Pears Project — уже запущен!
Всефорумный модератор
2,654
2,535
Ну не знаю не знаю. У меня наоборот подвисает, когда я делаю через getallchars
отправь как делаешь, у тебя я как минимум вижу два цикла: for, sampGetMaxPlayerId(true)
а у меня он один

Разве не лучше получать хендл ближайшего педа через storeClosestEntities()?
у него лимит, он определяет прям очень близко к тебе
 
  • Нравится
Реакции: bottom_text

|| NN - NoName ||

Известный
1,049
635
отправь как делаешь, у тебя я как минимум вижу два цикла: for, sampGetMaxPlayerId(true)
а у меня он один


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

Kirill Dumchik

Участник
61
3
Как убрать эту полосу?
4c01319db97c.png



Lua:
require "lib.moonloader"
require "lib.sampfuncs"

local imgui = require 'imgui'
local encoding = require 'encoding'
encoding.default = 'CP1251'
local u8 = encoding.UTF8

local imgui_1 = imgui.ImBool(false)
local imgui_2 = imgui.ImBool(false)

function main()
  if not isSampLoaded() or not isSampfuncsLoaded() then return end
  while not isSampAvailable() do wait(100) end

  sampRegisterChatCommand("asd", function() imgui_1.v = not imgui_1.v end)

  while true do
    wait(0)
    imgui.Process = imgui_1.v or imgui_2.v
    if not imgui_1.v and not imgui_2.v then
      imgui.ShowCursor = false
    end
  end
end

function imgui.OnDrawFrame()
  if imgui_1.v then
    imgui.ShowCursor = true
    local btnSize = imgui.ImVec2(150, 0)
    imgui.SetNextWindowPos(imgui.ImVec2(imgui.GetIO().DisplaySize.x / 2, imgui.GetIO().DisplaySize.y / 2), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5))
    imgui.SetNextWindowSize(imgui.ImVec2(500, 500), imgui.Cond.FirstUseEver)
    imgui.Begin(u8'Второе окно', imgui_1, imgui.WindowFlags.MenuBar)
    imgui.BeginChild('Тест', imgui.ImVec2(150, 500), true)
    if imgui.Button(u8'test 1', btnSize) then selected = 1 end
    if imgui.Button(u8'test 2', btnSize) then selected = 2 end
    imgui.EndChild()
    imgui.SameLine()
    if selected == 1 then
      if imgui.RadioButton(u8"Команды Arizona RP.", imgui_2.v) then
        imgui_2.v = not imgui_2.v
      end
    elseif selected == 2 then
      if imgui.RadioButton(u8"Команды Samp RP.", imgui_2.v) then
        imgui_2.v = not imgui_2.v
      end
    end
    imgui.End()
  end
end
 

|| NN - NoName ||

Известный
1,049
635
Как убрать эту полосу?
Посмотреть вложение 80911


Lua:
require "lib.moonloader"
require "lib.sampfuncs"

local imgui = require 'imgui'
local encoding = require 'encoding'
encoding.default = 'CP1251'
local u8 = encoding.UTF8

local imgui_1 = imgui.ImBool(false)
local imgui_2 = imgui.ImBool(false)

function main()
  if not isSampLoaded() or not isSampfuncsLoaded() then return end
  while not isSampAvailable() do wait(100) end

  sampRegisterChatCommand("asd", function() imgui_1.v = not imgui_1.v end)

  while true do
    wait(0)
    imgui.Process = imgui_1.v or imgui_2.v
    if not imgui_1.v and not imgui_2.v then
      imgui.ShowCursor = false
    end
  end
end

function imgui.OnDrawFrame()
  if imgui_1.v then
    imgui.ShowCursor = true
    local btnSize = imgui.ImVec2(150, 0)
    imgui.SetNextWindowPos(imgui.ImVec2(imgui.GetIO().DisplaySize.x / 2, imgui.GetIO().DisplaySize.y / 2), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5))
    imgui.SetNextWindowSize(imgui.ImVec2(500, 500), imgui.Cond.FirstUseEver)
    imgui.Begin(u8'Второе окно', imgui_1, imgui.WindowFlags.MenuBar)
    imgui.BeginChild('Тест', imgui.ImVec2(150, 500), true)
    if imgui.Button(u8'test 1', btnSize) then selected = 1 end
    if imgui.Button(u8'test 2', btnSize) then selected = 2 end
    imgui.EndChild()
    imgui.SameLine()
    if selected == 1 then
      if imgui.RadioButton(u8"Команды Arizona RP.", imgui_2.v) then
        imgui_2.v = not imgui_2.v
      end
    elseif selected == 2 then
      if imgui.RadioButton(u8"Команды Samp RP.", imgui_2.v) then
        imgui_2.v = not imgui_2.v
      end
    end
    imgui.End()
  end
end
imgui.BeginChild('Тест', imgui.ImVec2(0, 500), true)

Вроде так