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

chapo

tg/inst: @moujeek
Модератор
9,072
12,035
при использовании квадрат рендерится в левом верхнем углу
1629540923482.png

(с памятью раньше не работал, не бейте)
Lua:
        local Fist_X = memory.getuint32(0x58F927, false) -- WeaponIconX
        local fX_Fist = memory.getfloat(Fist_X)

        local Fist_Y = memory.getuint32(0x58F913, false) -- WeaponIconY
        local fY_Fist = memory.getfloat(Fist_Y)

        rx, ry = convertGameScreenCoordsToWindowScreenCoords(fX_Fist,fY_Fist)
        renderDrawBox(rx, ry , 45, 45, 0xFFff004d)
 

kin4stat

mq-team · kin4@naebalovo.team
Всефорумный модератор
2,749
4,851
при использовании квадрат рендерится в левом верхнем углу
Посмотреть вложение 111155
(с памятью раньше не работал, не бейте)
Lua:
        local Fist_X = memory.getuint32(0x58F927, false) -- WeaponIconX
        local fX_Fist = memory.getfloat(Fist_X)

        local Fist_Y = memory.getuint32(0x58F913, false) -- WeaponIconY
        local fY_Fist = memory.getfloat(Fist_Y)

        rx, ry = convertGameScreenCoordsToWindowScreenCoords(fX_Fist,fY_Fist)
        renderDrawBox(rx, ry , 45, 45, 0xFFff004d)
Lua:
local fist_game_x = 640 - (ffi.cast("float**", 0x58F925 + 2)[0][0] + 111)
local fist_game_y = (ffi.cast("float**", 0x58F911 + 2)[0][0])
local fist_game_width = ffi.cast("float**", 0x58D933 + 2)[0][0]
local fist_game_height = ffi.cast("float**", 0x58D94B + 2)[0][0]

local fist_x, fist_y = convertGameScreenCoordsToWindowScreenCoords(fist_game_x, fist_game_y)
local fist_width, fist_height = convertGameScreenCoordsToWindowScreenCoords(fist_game_width, fist_game_height)
 

barjik

Известный
462
192
Какой флаг отвечает за сворачивание/разворачивание имгуи окна?
 

kin4stat

mq-team · kin4@naebalovo.team
Всефорумный модератор
2,749
4,851
Какой флаг отвечает за сворачивание/разворачивание имгуи окна?
ImGuiWindowFlags_NoCollapse
C++:
enum ImGuiWindowFlags_
{
    ImGuiWindowFlags_None                   = 0,
    ImGuiWindowFlags_NoTitleBar             = 1 << 0,   // Disable title-bar
    ImGuiWindowFlags_NoResize               = 1 << 1,   // Disable user resizing with the lower-right grip
    ImGuiWindowFlags_NoMove                 = 1 << 2,   // Disable user moving the window
    ImGuiWindowFlags_NoScrollbar            = 1 << 3,   // Disable scrollbars (window can still scroll with mouse or programmatically)
    ImGuiWindowFlags_NoScrollWithMouse      = 1 << 4,   // Disable user vertically scrolling with mouse wheel. On child window, mouse wheel will be forwarded to the parent unless NoScrollbar is also set.
    ImGuiWindowFlags_NoCollapse             = 1 << 5,   // Disable user collapsing window by double-clicking on it
    ImGuiWindowFlags_AlwaysAutoResize       = 1 << 6,   // Resize every window to its content every frame
    ImGuiWindowFlags_NoBackground           = 1 << 7,   // Disable drawing background color (WindowBg, etc.) and outside border. Similar as using SetNextWindowBgAlpha(0.0f).
    ImGuiWindowFlags_NoSavedSettings        = 1 << 8,   // Never load/save settings in .ini file
    ImGuiWindowFlags_NoMouseInputs          = 1 << 9,   // Disable catching mouse, hovering test with pass through.
    ImGuiWindowFlags_MenuBar                = 1 << 10,  // Has a menu-bar
    ImGuiWindowFlags_HorizontalScrollbar    = 1 << 11,  // Allow horizontal scrollbar to appear (off by default). You may use SetNextWindowContentSize(ImVec2(width,0.0f)); prior to calling Begin() to specify width. Read code in imgui_demo in the "Horizontal Scrolling" section.
    ImGuiWindowFlags_NoFocusOnAppearing     = 1 << 12,  // Disable taking focus when transitioning from hidden to visible state
    ImGuiWindowFlags_NoBringToFrontOnFocus  = 1 << 13,  // Disable bringing window to front when taking focus (e.g. clicking on it or programmatically giving it focus)
    ImGuiWindowFlags_AlwaysVerticalScrollbar= 1 << 14,  // Always show vertical scrollbar (even if ContentSize.y < Size.y)
    ImGuiWindowFlags_AlwaysHorizontalScrollbar=1<< 15,  // Always show horizontal scrollbar (even if ContentSize.x < Size.x)
    ImGuiWindowFlags_AlwaysUseWindowPadding = 1 << 16,  // Ensure child windows without border uses style.WindowPadding (ignored by default for non-bordered child windows, because more convenient)
    ImGuiWindowFlags_NoNavInputs            = 1 << 18,  // No gamepad/keyboard navigation within the window
    ImGuiWindowFlags_NoNavFocus             = 1 << 19,  // No focusing toward this window with gamepad/keyboard navigation (e.g. skipped by CTRL+TAB)
    ImGuiWindowFlags_UnsavedDocument        = 1 << 20,  // Display a dot next to the title. When used in a tab/docking context, tab is selected when clicking the X + closure is not assumed (will wait for user to stop submitting the tab). Otherwise closure is assumed when pressing the X, so if you keep submitting the tab may reappear at end of tab bar.
    ImGuiWindowFlags_NoNav                  = ImGuiWindowFlags_NoNavInputs | ImGuiWindowFlags_NoNavFocus,
    ImGuiWindowFlags_NoDecoration           = ImGuiWindowFlags_NoTitleBar | ImGuiWindowFlags_NoResize | ImGuiWindowFlags_NoScrollbar | ImGuiWindowFlags_NoCollapse,
    ImGuiWindowFlags_NoInputs               = ImGuiWindowFlags_NoMouseInputs | ImGuiWindowFlags_NoNavInputs | ImGuiWindowFlags_NoNavFocus,
};
 
  • Нравится
Реакции: barjik

SurnikSur

Активный
284
40
Код:
 local result, X, Y, Z = getObjectCoordinates(value)
                sampAddChatMessage(X, Y, Z)
почему выдаёт только координату X?
 

kin4stat

mq-team · kin4@naebalovo.team
Всефорумный модератор
2,749
4,851
Код:
 local result, X, Y, Z = getObjectCoordinates(value)
                sampAddChatMessage(X, Y, Z)
почему выдаёт только координату X?
Потому что sampAddChatMessage принимает строку первым аргументов и цвет вторым. Ты же передаешь ей три аргумента
Lua:
local result, X, Y, Z = getObjectCoordinates(value)
if result then
    sampAddChatMessage(string.format("%d %d %d", X, Y, Z), -1)
end
 
  • Влюблен
Реакции: SurnikSur

barjik

Известный
462
192
При открытии CollapsingHeader'a, текст на кнопке пишется по середине.
Есть возможность сделать его в начале?
Lua:
function imgui.OnDrawFrame()
    local ex, ey = getScreenResolution()
       imgui.SetNextWindowSize(imgui.ImVec2(600, 700), imgui.Cond.FirstUseEver)
       imgui.SetNextWindowPos(imgui.ImVec2(ex / 2, ey / 2), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5))
    imgui.Begin(u8'w5qq4ws2ad', main_window_state)
    
     if imgui.CollapsingHeader(u8'Да.') then
     imgui.Button(u8'Привет', imgui.ImVec2(-1, 20))
     imgui.Button(u8'Привет2', imgui.ImVec2(-1, 20))
     imgui.Button(u8'Привет3', imgui.ImVec2(-1, 20))
     end
    imgui.End()
end
 

Вложения

  • Screenshot_11.png
    Screenshot_11.png
    65.1 KB · Просмотры: 31

kin4stat

mq-team · kin4@naebalovo.team
Всефорумный модератор
2,749
4,851
При открытии CollapsingHeader'a, текст на кнопке пишется по середине.
Есть возможность сделать его в начале?
Lua:
function imgui.OnDrawFrame()
    local ex, ey = getScreenResolution()
       imgui.SetNextWindowSize(imgui.ImVec2(600, 700), imgui.Cond.FirstUseEver)
       imgui.SetNextWindowPos(imgui.ImVec2(ex / 2, ey / 2), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5))
    imgui.Begin(u8'w5qq4ws2ad', main_window_state)
   
     if imgui.CollapsingHeader(u8'Да.') then
     imgui.Button(u8'Привет', imgui.ImVec2(-1, 20))
     imgui.Button(u8'Привет2', imgui.ImVec2(-1, 20))
     imgui.Button(u8'Привет3', imgui.ImVec2(-1, 20))
     end
    imgui.End()
end
Lua:
imgui.PushStyleVar(imgui.ImGuiStyleVar.ButtonTextAlign, imgui.ImVec2(0.0, 0.5))
--buttons
imgui.PopStyleVar()
 

CaJlaT

07.11.2024 14:55
Модератор
2,846
2,687
как хукать строки чата от других скриптов?
jmp hook в помощь
 

Morse

Потрачен
436
70
Обратите внимание, пользователь заблокирован на форуме. Не рекомендуется проводить сделки.
Ищу функцию imgui.Hint что бы можно было красить текст в ней
Обычная функция imgui.Hint:
function imgui.Hint(text, delay, action)
    if imgui.IsItemHovered() then
        if go_hint == nil then go_hint = os.clock() + (delay and delay or 0.0) end
        alpha = (os.clock() - go_hint) * 5
        if os.clock() >= go_hint then
            imgui.PushStyleVar(imgui.StyleVar.WindowPadding, imgui.ImVec2(10, 10))
            imgui.PushStyleVar(imgui.StyleVar.Alpha, (alpha <= 1.0 and alpha or 1.0))
            imgui.PushStyleColor(imgui.Col.PopupBg, imgui.ImVec4(0.11, 0.11, 0.11, 1.00))
            imgui.BeginTooltip()
            imgui.PushTextWrapPos(450)
            imgui.TextColored(imgui.GetStyle().Colors[imgui.Col.ButtonHovered], fa.ICON_FA_INFO_CIRCLE..u8' Подсказка:')
            imgui.TextUnformatted(text)
            if action ~= nil then
                imgui.TextColored(imgui.GetStyle().Colors[imgui.Col.TextDisabled], '\n'..fa.ICON_FA_SHARE..' '..action)
            end
            if not imgui.IsItemVisible() and imgui.GetStyle().Alpha == 1.0 then go_hint = nil end
            imgui.PopTextWrapPos()
            imgui.EndTooltip()
            imgui.PopStyleColor()
            imgui.PopStyleVar(2)
        end
    end
end
 

barjik

Известный
462
192
Lua:
imgui.PushStyleVar(imgui.ImGuiStyleVar.ButtonTextAlign, imgui.ImVec2(0.0, 0.5))
--buttons
imgui.PopStyleVar()
Что не так делаю?

Lua:
local encoding = require "encoding"
encoding.default = "CP1251"
u8 = encoding.UTF8
                                                                  
local imgui = require 'imgui'
local main_window_state = imgui.ImBool(false)

function main()
    if not isSampLoaded() or not isSampfuncsLoaded() then return end
        while not isSampAvailable() do wait(100) end
         sampRegisterChatCommand('ffg', cmd_ffg)
        while true do
           wait(0)

if main_window_state.v == false then
    imgui.Process = false
    end
  end
end

function cmd_ffg()
    main_window_state.v = not main_window_state.v
    imgui.Process = main_window_state.v
end

function imgui.OnDrawFrame()
    local ex, ey = getScreenResolution()
       imgui.SetNextWindowSize(imgui.ImVec2(600, 700), imgui.Cond.FirstUseEver)
       imgui.SetNextWindowPos(imgui.ImVec2(ex / 2, ey / 2), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5))
     imgui.Begin(u8'w5qq4ws2ad', main_window_state)
     if imgui.CollapsingHeader(u8'Да.') then
     imgui.PushStyleVar(imgui.ImGuiStyleVar.ButtonTextAlign, imgui.ImVec2(0.0, 0.5)) --
     imgui.Button(u8'Привет', imgui.ImVec2(-1, 20))
     imgui.Button(u8'Привет2', imgui.ImVec2(-1, 20))
     imgui.Button(u8'Привет3', imgui.ImVec2(-1, 20))
     imgui.PopStyleVar() --
     end   
    imgui.End()
end
 

Мира

Участник
455
9
как сохранить текст в InputText?
Lua:
local text_buffer = imgui.ImBuffer(256)

local mainIni = inicfg.load({
    settings =
    {
        text_buffer = 'text'
    }
}, 'Random.ini')
if not doesFileExist("moonloader/config/Random.ini") then inicfg.save(mainIni, "Random.ini") end

--imgui

if imgui.InputText(u8'введи текст сюда', text_buffer) then
    mainIni.settings.text_buffer = text_buffer.v
    inicfg.save(mainIni, "Random.ini")
end

--imgui.end
 
Последнее редактирование: