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

CaJlaT

07.11.2024 14:55
Модератор
2,846
2,688
Как сделать такой же знак вопросика, при наведении на который появится подсказка?
P.S. Скрин взят с левой темы, он не мойПосмотреть вложение 95260
Выше кидал более навороченную функцию
Lua:
function helpText(text)
    imgui.TextDisabled("(?)")
    if imgui.IsItemHovered() then
        imgui.BeginTooltip()
        imgui.TextUnformatted(u8(text))
        imgui.EndTooltip()
    end
end
 

Corrygаn

Участник
225
6
Выше кидал более навороченную функцию
Lua:
function helpText(text)
    imgui.TextDisabled("(?)")
    if imgui.IsItemHovered() then
        imgui.BeginTooltip()
        imgui.TextUnformatted(u8(text))
        imgui.EndTooltip()
    end
end
И как его использовать?

function helpText(text)
imgui.TextDisabled("(?)")
if imgui.IsItemHovered() then
imgui.BeginTooltip()
imgui.TextUnformatted(u8(text))
imgui.EndTooltip()
end
end

imgui.helpText(u8"TET-A-TET")
Так?
 

Questel

Участник
151
13
Помогите плиз найти способ проверки, вышел ли пассажир из такси на Аризоне. В чат не пишет вышел или нет, а метке геморно, я так не умею да и большинство игроков выбирают договориться с таксистом.
 

CaJlaT

07.11.2024 14:55
Модератор
2,846
2,688
И как его использовать?

function helpText(text)
imgui.TextDisabled("(?)")
if imgui.IsItemHovered() then
imgui.BeginTooltip()
imgui.TextUnformatted(u8(text))
imgui.EndTooltip()
end
end

imgui.helpText(u8"TET-A-TET")
Так?
там уже приводится к utf-8, поэтому можно просто
Lua:
imgui.helpText("TET-A-TET")
 

Corrygаn

Участник
225
6
там уже приводится к utf-8, поэтому можно просто
Lua:
imgui.helpText("TET-A-TET")
[ML] (error) Goses.lua: D:\ARIZONA GAMES\bin\Arizona\moonloader\Goses.lua:252: attempt to call field 'helpText' (a nil value)
stack traceback:
D:\ARIZONA GAMES\bin\Arizona\moonloader\Goses.lua:252: in function 'OnDrawFrame'
D:\ARIZONA GAMES\bin\Arizona\moonloader\lib\imgui.lua:1378: in function <D:\ARIZONA GAMES\bin\Arizona\moonloader\lib\imgui.lua:1367>
[ML] (error) Goses.lua: Script died due to an error. (1F0EF51C)

Та самая 252 строка:
imgui.helpText("Ваш тег в рацию департамента:\nОн может быть: ГУВД, ГУ МВД, ГИБДД, ШП")
 

ShitKatsan

Активный
175
60
Как можно удалить колизию(или ее изменить, как будет удобней) для обьекта конкретного?
Не нашел темы такой на BH
 

CaJlaT

07.11.2024 14:55
Модератор
2,846
2,688
[ML] (error) Goses.lua: D:\ARIZONA GAMES\bin\Arizona\moonloader\Goses.lua:252: attempt to call field 'helpText' (a nil value)
stack traceback:
D:\ARIZONA GAMES\bin\Arizona\moonloader\Goses.lua:252: in function 'OnDrawFrame'
D:\ARIZONA GAMES\bin\Arizona\moonloader\lib\imgui.lua:1378: in function <D:\ARIZONA GAMES\bin\Arizona\moonloader\lib\imgui.lua:1367>
[ML] (error) Goses.lua: Script died due to an error. (1F0EF51C)

Та самая 252 строка:
imgui.helpText("Ваш тег в рацию департамента:\nОн может быть: ГУВД, ГУ МВД, ГИБДД, ШП")
Покажи полный код
 

Corrygаn

Участник
225
6
Покажи полный код
Lua:
function imgui.CenterText(text)
    local width = imgui.GetWindowWidth()
    local calc = imgui.CalcTextSize(text)
    imgui.SetCursorPosX( width / 2 - calc.x / 2 )
    imgui.Text(text)
end

function HelpText(text)
    imgui.TextDisabled("(?)")
    if imgui.IsItemHovered() then
        imgui.BeginTooltip()
        imgui.TextUnformatted(u8(text))
        imgui.EndTooltip()
    end
end

local main_goses = imgui.ImBool(false)
local selected = 1

local text_buffermvd1 = imgui.ImBuffer(256)
local text_buffermvd2 = imgui.ImBuffer(256)
local text_buffermvd3 = imgui.ImBuffer(256)
local text_buffertagmvd = imgui.ImBuffer(256)

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

    check_update()

    imgui.Process = false
    apply_custom_style()

    sampRegisterChatCommand("gs", function()
        main_goses.v = not main_goses.v
    end)
    
    while true do
        wait(0)
        imgui.Process = main_goses.v
    end
end


function imgui.OnDrawFrame()
    if main_goses.v then
        imgui.SetNextWindowSize(imgui.ImVec2(1200, 700), imgui.Cond.FirstUseEver)
        imgui.SetNextWindowPos(imgui.ImVec2(sw / 2, sh / 2), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5))
        imgui.Begin("##1", main_goses, imgui.WindowFlags.NoResize + imgui.WindowFlags.NoCollapse)
        imgui.NewLine()
        imgui.NewLine()
        imgui.PushFont(ds_font)
        imgui.Text("Gos Helper")
        imgui.PopFont()
        imgui.NewLine()
        imgui.Separator()
        imgui.Columns(2, "", true)
        imgui.SetColumnWidth(-1, 300)
        imgui.NewLine()
        imgui.BeginChild("##child1", imgui.ImVec2(281, 131), true)
            _, id = sampGetPlayerIdByCharHandle(PLAYER_PED)
            x, y, z = getCharCoordinates(PLAYER_PED)
            imgui.Text(u8"Разработчик: Ivan_Lopatov")
            imgui.Text(u8"Версия скрипта: " .. script_vers_text)
            imgui.Text(u8"Сервер: Восточный Округ")
            imgui.Text(u8"Ваш пинг сейчас: " .. sampGetPlayerPing(id))
            imgui.Text(u8"Ваше местоположение:")
            imgui.Text(u8"X:" .. math.floor(x) .. " | Y:" .. math.floor(y) .. " | Z:" .. math.floor(z))
        imgui.EndChild()
        imgui.CenterText(u8"Выберите пункт:")
        if imgui.Selectable(u8"Главная", selected == 1) then selected = 1 end
        if imgui.Selectable(u8"Мин.Внутренних Дел", selected == 2) then selected = 2 end
        if imgui.Selectable(u8"Мин.Обороны", selected == 3) then selected = 3 end
        if imgui.Selectable(u8"Радиоцентр", selected == 4) then selected = 4 end
        if imgui.Selectable(u8"Мин.Здравооохранения", selected == 5) then selected = 5 end
        if imgui.Selectable(u8"Центральный Банк", selected == 6) then selected = 6 end
        if imgui.Selectable(u8"Правительство", selected == 7) then selected = 7 end
        imgui.NewLine()
        imgui.NewLine()
        if imgui.Button(u8"Разработчик скрипта:\n        Ivan_Lopatov", imgui.ImVec2(281, 55)) then
            os.execute("start https://vk.com/corryganyashka")
        end
        imgui.NextColumn()
        if selected == 1 then
            imgui.NewLine()
            imgui.NewLine()
            imgui.BeginChild("##child5", imgui.ImVec2(882, 530), true)
                imgui.CenterText(u8"Gos Helper - относительно новый биндер для абсолютно всех гос.структур.")
                imgui.CenterText(u8"В скрипт встроено автообновление, благодаря чему вам не придётся постоянно переустанавливать файл, он сделает это автоматически.")
                imgui.NewLine()
                imgui.CenterText(u8"Содержание обновления:")
                imgui.CenterText(u8"Так как это первая версия биндера, описание обновления отсутствует, в последующем список будет изменяться.")
            imgui.EndChild()
        elseif selected == 2 then
            imgui.NewLine()
            imgui.NewLine()
            imgui.BeginChild("##child6", imgui.ImVec2(150, 250), false)
            imgui.EndChild()
            imgui.SameLine()
            imgui.BeginChild("##child7", imgui.ImVec2(600, 250), true)
                imgui.PushItemWidth(460)
                imgui.InputText(u8"Первая строка /gov", text_buffermvd1)
                imgui.PushItemWidth(460)
                imgui.InputText(u8"Вторая строка /gov", text_buffermvd2)
                imgui.PushItemWidth(460)
                imgui.InputText(u8"Третья строка /gov", text_buffermvd3)
                imgui.NewLine()
                imgui.PushItemWidth(100)
                imgui.InputText(u8"Ваш тег в /d", text_buffertagmvd)
                imgui.SameLine()
                imgui.HelpText(u8"Ваш тег в рацию департамента:\nОн может быть: ГУВД, ГУ МВД, ГИБДД, ШП")
                imgui.SetCursorPosX((imgui.GetWindowWidth() - 140) / 2)
                if imgui.Button(u8"Запустить вручную", imgui.ImVec2(140, 25)) then
                    sampSendChat("/d [" .. text_buffertagmvd.v .. "] - [Всем] Занимаю гос.волну.")
                    wait(3100)
                    sampSendChat(text_buffermvd1.v)
                    wait(3100)
                    sampSendChat(text_buffermvd2.v)
                    wait(3100)
                    sampSendChat(text_buffermvd3.v)
                    wait(3100)
                    sampSendChat("/d [" .. text_buffertagmvd.v .. "] - [Всем] Освобождаю гос.волну.")
                end
            imgui.EndChild()
        elseif selected == 3 then
            imgui.CenterText(u8"В разработке!")
        elseif selected == 4 then
            imgui.CenterText(u8"В разработке!")
        elseif selected == 5 then
            imgui.CenterText(u8"В разработке!")
        elseif selected == 6 then
            imgui.CenterText(u8"В разработке!")
        elseif selected == 7 then
            imgui.CenterText(u8"В разработке!")
        end
        imgui.End()
    end
end

function apply_custom_style()
    imgui.SwitchContext()
    local style  = imgui.GetStyle()
    local colors = style.Colors
    local clr    = imgui.Col
    local ImVec4 = imgui.ImVec4
    local ImVec2 = imgui.ImVec2

    style.WindowPadding       = ImVec2(10, 10)
    style.WindowRounding      = 16
    style.ChildWindowRounding = 16
    style.FramePadding        = ImVec2(10, 5)
    style.FrameRounding       = 8
    style.ItemSpacing         = ImVec2(8, 5)
    style.TouchExtraPadding   = ImVec2(0, 0)
    style.IndentSpacing       = 21
    style.ScrollbarSize       = 11
    style.ScrollbarRounding   = 10
    style.GrabMinSize         = 10
    style.GrabRounding        = 6
    style.WindowTitleAlign       = ImVec2(0.50, 0.50)
    style.ButtonTextAlign     = ImVec2(0.50, 0.50)

    colors[clr.FrameBg]                = ImVec4(0.16, 0.48, 0.42, 0.54)
    colors[clr.FrameBgHovered]         = ImVec4(0.26, 0.98, 0.85, 0.40)
    colors[clr.FrameBgActive]          = ImVec4(0.26, 0.98, 0.85, 0.67)
    colors[clr.TitleBg]                = ImVec4(0.04, 0.04, 0.04, 1.00)
    colors[clr.TitleBgActive]          = ImVec4(0.16, 0.48, 0.42, 1.00)
    colors[clr.TitleBgCollapsed]       = ImVec4(0.00, 0.00, 0.00, 0.51)
    colors[clr.CheckMark]              = ImVec4(0.26, 0.98, 0.85, 1.00)
    colors[clr.SliderGrab]             = ImVec4(0.24, 0.88, 0.77, 1.00)
    colors[clr.SliderGrabActive]       = ImVec4(0.26, 0.98, 0.85, 1.00)
    colors[clr.Button]                 = ImVec4(0.26, 0.98, 0.85, 0.40)
    colors[clr.ButtonHovered]          = ImVec4(0.26, 0.98, 0.85, 1.00)
    colors[clr.ButtonActive]           = ImVec4(0.06, 0.98, 0.82, 1.00)
    colors[clr.Header]                 = ImVec4(0.26, 0.98, 0.85, 0.31)
    colors[clr.HeaderHovered]          = ImVec4(0.26, 0.98, 0.85, 0.80)
    colors[clr.HeaderActive]           = ImVec4(0.26, 0.98, 0.85, 1.00)
    colors[clr.Separator]              = ImVec4(0.43, 0.43, 0.50, 0.50)
    colors[clr.SeparatorHovered]       = ImVec4(0.10, 0.75, 0.63, 0.78)
    colors[clr.SeparatorActive]        = ImVec4(0.10, 0.75, 0.63, 1.00)
    colors[clr.ResizeGrip]             = ImVec4(0.26, 0.98, 0.85, 0.25)
    colors[clr.ResizeGripHovered]      = ImVec4(0.26, 0.98, 0.85, 0.67)
    colors[clr.ResizeGripActive]       = ImVec4(0.26, 0.98, 0.85, 0.95)
    colors[clr.PlotLines]              = ImVec4(0.61, 0.61, 0.61, 1.00)
    colors[clr.PlotLinesHovered]       = ImVec4(1.00, 0.81, 0.35, 1.00)
    colors[clr.TextSelectedBg]         = ImVec4(0.26, 0.98, 0.85, 0.35)
    colors[clr.Text]                   = ImVec4(1.00, 1.00, 1.00, 1.00)
    colors[clr.TextDisabled]           = ImVec4(0.50, 0.50, 0.50, 1.00)
    colors[clr.WindowBg]               = ImVec4(0.06, 0.06, 0.06, 0.94)
    colors[clr.ChildWindowBg]          = ImVec4(1.00, 1.00, 1.00, 0.00)
    colors[clr.PopupBg]                = ImVec4(0.08, 0.08, 0.08, 0.94)
    colors[clr.ComboBg]                = ImVec4(0.08, 0.08, 0.08, 0.94)
    colors[clr.Border]                 = ImVec4(0.43, 0.43, 0.50, 0.50)
    colors[clr.BorderShadow]           = ImVec4(0.00, 0.00, 0.00, 0.00)
    colors[clr.MenuBarBg]              = ImVec4(0.14, 0.14, 0.14, 1.00)
    colors[clr.ScrollbarBg]            = ImVec4(0.02, 0.02, 0.02, 0.53)
    colors[clr.ScrollbarGrab]          = ImVec4(0.31, 0.31, 0.31, 1.00)
    colors[clr.ScrollbarGrabHovered]   = ImVec4(0.41, 0.41, 0.41, 1.00)
    colors[clr.ScrollbarGrabActive]    = ImVec4(0.51, 0.51, 0.51, 1.00)
    colors[clr.CloseButton]            = ImVec4(0.41, 0.41, 0.41, 0.50)
    colors[clr.CloseButtonHovered]     = ImVec4(0.98, 0.39, 0.36, 1.00)
    colors[clr.CloseButtonActive]      = ImVec4(0.98, 0.39, 0.36, 1.00)
    colors[clr.PlotHistogram]          = ImVec4(0.90, 0.70, 0.00, 1.00)
    colors[clr.PlotHistogramHovered]   = ImVec4(1.00, 0.60, 0.00, 1.00)
    colors[clr.ModalWindowDarkening]   = ImVec4(0.80, 0.80, 0.80, 0.35)
end
Проблемную строку(111) подсветил
 

CaJlaT

07.11.2024 14:55
Модератор
2,846
2,688
Lua:
function imgui.CenterText(text)
    local width = imgui.GetWindowWidth()
    local calc = imgui.CalcTextSize(text)
    imgui.SetCursorPosX( width / 2 - calc.x / 2 )
    imgui.Text(text)
end

function HelpText(text)
    imgui.TextDisabled("(?)")
    if imgui.IsItemHovered() then
        imgui.BeginTooltip()
        imgui.TextUnformatted(u8(text))
        imgui.EndTooltip()
    end
end

local main_goses = imgui.ImBool(false)
local selected = 1

local text_buffermvd1 = imgui.ImBuffer(256)
local text_buffermvd2 = imgui.ImBuffer(256)
local text_buffermvd3 = imgui.ImBuffer(256)
local text_buffertagmvd = imgui.ImBuffer(256)

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

    check_update()

    imgui.Process = false
    apply_custom_style()

    sampRegisterChatCommand("gs", function()
        main_goses.v = not main_goses.v
    end)
  
    while true do
        wait(0)
        imgui.Process = main_goses.v
    end
end


function imgui.OnDrawFrame()
    if main_goses.v then
        imgui.SetNextWindowSize(imgui.ImVec2(1200, 700), imgui.Cond.FirstUseEver)
        imgui.SetNextWindowPos(imgui.ImVec2(sw / 2, sh / 2), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5))
        imgui.Begin("##1", main_goses, imgui.WindowFlags.NoResize + imgui.WindowFlags.NoCollapse)
        imgui.NewLine()
        imgui.NewLine()
        imgui.PushFont(ds_font)
        imgui.Text("Gos Helper")
        imgui.PopFont()
        imgui.NewLine()
        imgui.Separator()
        imgui.Columns(2, "", true)
        imgui.SetColumnWidth(-1, 300)
        imgui.NewLine()
        imgui.BeginChild("##child1", imgui.ImVec2(281, 131), true)
            _, id = sampGetPlayerIdByCharHandle(PLAYER_PED)
            x, y, z = getCharCoordinates(PLAYER_PED)
            imgui.Text(u8"Разработчик: Ivan_Lopatov")
            imgui.Text(u8"Версия скрипта: " .. script_vers_text)
            imgui.Text(u8"Сервер: Восточный Округ")
            imgui.Text(u8"Ваш пинг сейчас: " .. sampGetPlayerPing(id))
            imgui.Text(u8"Ваше местоположение:")
            imgui.Text(u8"X:" .. math.floor(x) .. " | Y:" .. math.floor(y) .. " | Z:" .. math.floor(z))
        imgui.EndChild()
        imgui.CenterText(u8"Выберите пункт:")
        if imgui.Selectable(u8"Главная", selected == 1) then selected = 1 end
        if imgui.Selectable(u8"Мин.Внутренних Дел", selected == 2) then selected = 2 end
        if imgui.Selectable(u8"Мин.Обороны", selected == 3) then selected = 3 end
        if imgui.Selectable(u8"Радиоцентр", selected == 4) then selected = 4 end
        if imgui.Selectable(u8"Мин.Здравооохранения", selected == 5) then selected = 5 end
        if imgui.Selectable(u8"Центральный Банк", selected == 6) then selected = 6 end
        if imgui.Selectable(u8"Правительство", selected == 7) then selected = 7 end
        imgui.NewLine()
        imgui.NewLine()
        if imgui.Button(u8"Разработчик скрипта:\n        Ivan_Lopatov", imgui.ImVec2(281, 55)) then
            os.execute("start https://vk.com/corryganyashka")
        end
        imgui.NextColumn()
        if selected == 1 then
            imgui.NewLine()
            imgui.NewLine()
            imgui.BeginChild("##child5", imgui.ImVec2(882, 530), true)
                imgui.CenterText(u8"Gos Helper - относительно новый биндер для абсолютно всех гос.структур.")
                imgui.CenterText(u8"В скрипт встроено автообновление, благодаря чему вам не придётся постоянно переустанавливать файл, он сделает это автоматически.")
                imgui.NewLine()
                imgui.CenterText(u8"Содержание обновления:")
                imgui.CenterText(u8"Так как это первая версия биндера, описание обновления отсутствует, в последующем список будет изменяться.")
            imgui.EndChild()
        elseif selected == 2 then
            imgui.NewLine()
            imgui.NewLine()
            imgui.BeginChild("##child6", imgui.ImVec2(150, 250), false)
            imgui.EndChild()
            imgui.SameLine()
            imgui.BeginChild("##child7", imgui.ImVec2(600, 250), true)
                imgui.PushItemWidth(460)
                imgui.InputText(u8"Первая строка /gov", text_buffermvd1)
                imgui.PushItemWidth(460)
                imgui.InputText(u8"Вторая строка /gov", text_buffermvd2)
                imgui.PushItemWidth(460)
                imgui.InputText(u8"Третья строка /gov", text_buffermvd3)
                imgui.NewLine()
                imgui.PushItemWidth(100)
                imgui.InputText(u8"Ваш тег в /d", text_buffertagmvd)
                imgui.SameLine()
                imgui.HelpText(u8"Ваш тег в рацию департамента:\nОн может быть: ГУВД, ГУ МВД, ГИБДД, ШП")
                imgui.SetCursorPosX((imgui.GetWindowWidth() - 140) / 2)
                if imgui.Button(u8"Запустить вручную", imgui.ImVec2(140, 25)) then
                    sampSendChat("/d [" .. text_buffertagmvd.v .. "] - [Всем] Занимаю гос.волну.")
                    wait(3100)
                    sampSendChat(text_buffermvd1.v)
                    wait(3100)
                    sampSendChat(text_buffermvd2.v)
                    wait(3100)
                    sampSendChat(text_buffermvd3.v)
                    wait(3100)
                    sampSendChat("/d [" .. text_buffertagmvd.v .. "] - [Всем] Освобождаю гос.волну.")
                end
            imgui.EndChild()
        elseif selected == 3 then
            imgui.CenterText(u8"В разработке!")
        elseif selected == 4 then
            imgui.CenterText(u8"В разработке!")
        elseif selected == 5 then
            imgui.CenterText(u8"В разработке!")
        elseif selected == 6 then
            imgui.CenterText(u8"В разработке!")
        elseif selected == 7 then
            imgui.CenterText(u8"В разработке!")
        end
        imgui.End()
    end
end

function apply_custom_style()
    imgui.SwitchContext()
    local style  = imgui.GetStyle()
    local colors = style.Colors
    local clr    = imgui.Col
    local ImVec4 = imgui.ImVec4
    local ImVec2 = imgui.ImVec2

    style.WindowPadding       = ImVec2(10, 10)
    style.WindowRounding      = 16
    style.ChildWindowRounding = 16
    style.FramePadding        = ImVec2(10, 5)
    style.FrameRounding       = 8
    style.ItemSpacing         = ImVec2(8, 5)
    style.TouchExtraPadding   = ImVec2(0, 0)
    style.IndentSpacing       = 21
    style.ScrollbarSize       = 11
    style.ScrollbarRounding   = 10
    style.GrabMinSize         = 10
    style.GrabRounding        = 6
    style.WindowTitleAlign       = ImVec2(0.50, 0.50)
    style.ButtonTextAlign     = ImVec2(0.50, 0.50)

    colors[clr.FrameBg]                = ImVec4(0.16, 0.48, 0.42, 0.54)
    colors[clr.FrameBgHovered]         = ImVec4(0.26, 0.98, 0.85, 0.40)
    colors[clr.FrameBgActive]          = ImVec4(0.26, 0.98, 0.85, 0.67)
    colors[clr.TitleBg]                = ImVec4(0.04, 0.04, 0.04, 1.00)
    colors[clr.TitleBgActive]          = ImVec4(0.16, 0.48, 0.42, 1.00)
    colors[clr.TitleBgCollapsed]       = ImVec4(0.00, 0.00, 0.00, 0.51)
    colors[clr.CheckMark]              = ImVec4(0.26, 0.98, 0.85, 1.00)
    colors[clr.SliderGrab]             = ImVec4(0.24, 0.88, 0.77, 1.00)
    colors[clr.SliderGrabActive]       = ImVec4(0.26, 0.98, 0.85, 1.00)
    colors[clr.Button]                 = ImVec4(0.26, 0.98, 0.85, 0.40)
    colors[clr.ButtonHovered]          = ImVec4(0.26, 0.98, 0.85, 1.00)
    colors[clr.ButtonActive]           = ImVec4(0.06, 0.98, 0.82, 1.00)
    colors[clr.Header]                 = ImVec4(0.26, 0.98, 0.85, 0.31)
    colors[clr.HeaderHovered]          = ImVec4(0.26, 0.98, 0.85, 0.80)
    colors[clr.HeaderActive]           = ImVec4(0.26, 0.98, 0.85, 1.00)
    colors[clr.Separator]              = ImVec4(0.43, 0.43, 0.50, 0.50)
    colors[clr.SeparatorHovered]       = ImVec4(0.10, 0.75, 0.63, 0.78)
    colors[clr.SeparatorActive]        = ImVec4(0.10, 0.75, 0.63, 1.00)
    colors[clr.ResizeGrip]             = ImVec4(0.26, 0.98, 0.85, 0.25)
    colors[clr.ResizeGripHovered]      = ImVec4(0.26, 0.98, 0.85, 0.67)
    colors[clr.ResizeGripActive]       = ImVec4(0.26, 0.98, 0.85, 0.95)
    colors[clr.PlotLines]              = ImVec4(0.61, 0.61, 0.61, 1.00)
    colors[clr.PlotLinesHovered]       = ImVec4(1.00, 0.81, 0.35, 1.00)
    colors[clr.TextSelectedBg]         = ImVec4(0.26, 0.98, 0.85, 0.35)
    colors[clr.Text]                   = ImVec4(1.00, 1.00, 1.00, 1.00)
    colors[clr.TextDisabled]           = ImVec4(0.50, 0.50, 0.50, 1.00)
    colors[clr.WindowBg]               = ImVec4(0.06, 0.06, 0.06, 0.94)
    colors[clr.ChildWindowBg]          = ImVec4(1.00, 1.00, 1.00, 0.00)
    colors[clr.PopupBg]                = ImVec4(0.08, 0.08, 0.08, 0.94)
    colors[clr.ComboBg]                = ImVec4(0.08, 0.08, 0.08, 0.94)
    colors[clr.Border]                 = ImVec4(0.43, 0.43, 0.50, 0.50)
    colors[clr.BorderShadow]           = ImVec4(0.00, 0.00, 0.00, 0.00)
    colors[clr.MenuBarBg]              = ImVec4(0.14, 0.14, 0.14, 1.00)
    colors[clr.ScrollbarBg]            = ImVec4(0.02, 0.02, 0.02, 0.53)
    colors[clr.ScrollbarGrab]          = ImVec4(0.31, 0.31, 0.31, 1.00)
    colors[clr.ScrollbarGrabHovered]   = ImVec4(0.41, 0.41, 0.41, 1.00)
    colors[clr.ScrollbarGrabActive]    = ImVec4(0.51, 0.51, 0.51, 1.00)
    colors[clr.CloseButton]            = ImVec4(0.41, 0.41, 0.41, 0.50)
    colors[clr.CloseButtonHovered]     = ImVec4(0.98, 0.39, 0.36, 1.00)
    colors[clr.CloseButtonActive]      = ImVec4(0.98, 0.39, 0.36, 1.00)
    colors[clr.PlotHistogram]          = ImVec4(0.90, 0.70, 0.00, 1.00)
    colors[clr.PlotHistogramHovered]   = ImVec4(1.00, 0.60, 0.00, 1.00)
    colors[clr.ModalWindowDarkening]   = ImVec4(0.80, 0.80, 0.80, 0.35)
end
Проблемную строку(111) подсветил
так у тебя функция просто HelpText, а ты используешь imgui.HelpText, вот тебе и причина ошибки
 

ShitKatsan

Активный
175
60
Как можно удалить колизию(или ее изменить, как будет удобней) для обьекта конкретного? Не нашел темы такой на BH
 
  • Нравится
Реакции: Shepard

Shepard

Активный
459
88
  • Влюблен
Реакции: ShitKatsan

ShitKatsan

Активный
175
60
sampGetObjectHandleBySampId
setObjectCollision(Object object, bool collision)
УСтановку коллизии в беск. поток
Код:
[20:09:41.379388] (error)    oil_help.lua: opcode '0382' call caused an unhandled exception
stack traceback:
    [C]: in function 'setObjectCollision'
    D:\MORTY enb СИЛЬНЫЕ пк\moonloader\oil_help.lua:96: in function <D:\MORTY enb СИЛЬНЫЕ пк\moonloader\oil_help.lua:88>
Шо делать?