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

danywa

Активный
358
50
rakbot
Lua:
function onRecvRpc(id, data, size)
    if id == 45 then
        local bs = bitStreamInit(data, size)
        bitStreamSetReadOffset(bs, 43)
        local modelId = bitStreamReadWord(bs)
        bitStreamSetReadOffset(bs, 65)
            if modelId == 1718 then
                ob_x, ob_y, ob_z = bitStreamReadFloat(bs), bitStreamReadFloat(bs), bitStreamReadFloat(bs)
                print(' '..ob_x)
            end
    end
end
будет ли работать?
По идее должно найти модель объекта по ид и получить его координаты
 

TaoTan

Участник
62
3
Lua:
local ev = require('lib.samp.events')
local state = false
local tpCount, timer = 0, 0
local server = -1
local join = 0
local x, y, z = 0, 0, 0

local vector = require 'vector3d'
local tp, sync = false, false

--local tpCount, timer = 0, 0

local coord = 40
function main()
    while not isSampAvailable() do wait(0) end
    sampRegisterChatCommand('ftp', telep)
        lua_thread.create(telep)
            if tp then return sampAddChatMessage('уже телепортируемся', -1) end
            blip, blipX, blipY, blipZ = getTargetBlipCoordinatesFixed()
            if blip then
                if isCharInAnyCar(playerPed) then
                    car = getCarCharIsUsing(playerPed)
                    sync = true
                    charPosX, charPosY, charPosZ = getCarCoordinates(car)
                    local distan = getDistanceBetweenCoords3d(blipX, blipY, charPosZ, charPosX, charPosY, charPosZ)
                    tp = true
                                end
                end
            end

    while true do
        wait(0)
        if isCharInAnyCar(playerPed) then
            car = getCarCharIsUsing(playerPed)
        end
        if tp then
            if getDistanceBetweenCoords3d(blipX, blipY, blipZ, charPosX, charPosY, charPosZ) > 90000 then
                vectorX = blipX - charPosX
                vectorY = blipY - charPosY
                vectorZ = blipZ - charPosZ
                local vec = vector(vectorX, vectorY, vectorZ)
                vec:normalize()
                charPosX = charPosX + vec.x * 25
                charPosY = charPosY + vec.y * 25
                charPosZ = charPosZ + vec.z * 25
                if tpCount == 20 then
            else
                setCarCoordinates(car, blipX, blipY, blipZ)
                sendOnfootSyncc(charPosX, charPosY, charPosZ, car)
                sampAddChatMessage('WAIT', -1)
                for i = 1, 30 do
                    sampForceUnoccupiedSyncSeatId(param, 1)
                   wait(100)
                end
                warpCharIntoCar(PLAYER_PED, car)
                sampAddChatMessage('SUCCESS', -1)
                printStringNow('~g~teleported successfully.', 4000)
                tp = false
            end
        end
    end
end

function sendSpectatorSync(x, y, z)
    local data = samp_create_sync_data('spectator')
    data.position = {x, y, z}
    data.send()
end


function sendOnfootSyncc(x, y, z, veh)
    local _, myId = sampGetPlayerIdByCharHandle(PLAYER_PED)
    local data = allocateMemory(68)
    sampStorePlayerOnfootData(myId, data)
    setStructElement(data, 37, 1, 3, false)
    setStructFloatElement(data, 6, x, false)
    setStructFloatElement(data, 10, y, false)
    setStructFloatElement(data, 14, z, false)
    setStructElement(data, 62, 2, veh, false)
    sampSendOnfootData(data)
    freeMemory(data)
end

function getTargetBlipCoordinatesFixed()
    local bool, x, y, z = getTargetBlipCoordinates(); if not bool then return false end
    requestCollision(x, y); loadScene(x, y, z)
    local bool, x, y, z = getTargetBlipCoordinates()
    return bool, x, y, z
end

function SearchMarker(posX, posY, posZ)
    local ret_posX = 0.0
    local ret_posY = 0.0
    local ret_posZ = 0.0
    local isFind = false
    for id = 0, 31 do
        local MarkerStruct = 0
        MarkerStruct = 0xC7F168 + id * 56
        local MarkerPosX = representIntAsFloat(readMemory(MarkerStruct + 0, 4, false))
        local MarkerPosY = representIntAsFloat(readMemory(MarkerStruct + 4, 4, false))
        local MarkerPosZ = representIntAsFloat(readMemory(MarkerStruct + 8, 4, false))
        if MarkerPosX ~= 0.0 or MarkerPosY ~= 0.0 or MarkerPosZ ~= 0.0 then
            ret_posX = MarkerPosX
            ret_posY = MarkerPosY
            ret_posZ = MarkerPosZ
            isFind = true
        end
    end
    return isFind, ret_posX, ret_posY, ret_posZ
end

function samp_create_sync_data(sync_type, copy_from_player)
    local ffi = require 'ffi'
    local sampfuncs = require 'sampfuncs'
    -- from SAMP.Lua
    local raknet = require 'samp.raknet'
    --require 'samp.synchronization'

    copy_from_player = copy_from_player or true
    local sync_traits = {
        player = {'PlayerSyncData', raknet.PACKET.PLAYER_SYNC, sampStorePlayerOnfootData},
        vehicle = {'VehicleSyncData', raknet.PACKET.VEHICLE_SYNC, sampStorePlayerIncarData},
        passenger = {'PassengerSyncData', raknet.PACKET.PASSENGER_SYNC, sampStorePlayerPassengerData},
        aim = {'AimSyncData', raknet.PACKET.AIM_SYNC, sampStorePlayerAimData},
        trailer = {'TrailerSyncData', raknet.PACKET.TRAILER_SYNC, sampStorePlayerTrailerData},
        unoccupied = {'UnoccupiedSyncData', raknet.PACKET.UNOCCUPIED_SYNC, nil},
        bullet = {'BulletSyncData', raknet.PACKET.BULLET_SYNC, nil},
        spectator = {'SpectatorSyncData', raknet.PACKET.SPECTATOR_SYNC, nil}
    }
    local sync_info = sync_traits[sync_type]
    local data_type = 'struct ' .. sync_info[1]
    local data = ffi.new(data_type, {})
    local raw_data_ptr = tonumber(ffi.cast('uintptr_t', ffi.new(data_type .. '*', data)))
    -- copy player's sync data to the allocated memory
    if copy_from_player then
        local copy_func = sync_info[3]
        if copy_func then
            local _, player_id
            if copy_from_player == true then
                _, player_id = sampGetPlayerIdByCharHandle(PLAYER_PED)
            else
                player_id = tonumber(copy_from_player)
            end
            copy_func(player_id, raw_data_ptr)
        end
    end
    -- function to send packet
    local func_send = function()
        local bs = raknetNewBitStream()
        raknetBitStreamWriteInt8(bs, sync_info[2])
        raknetBitStreamWriteBuffer(bs, raw_data_ptr, ffi.sizeof(data))
        raknetSendBitStreamEx(bs, sampfuncs.HIGH_PRIORITY, sampfuncs.UNRELIABLE_SEQUENCED, 1)
        raknetDeleteBitStream(bs)
    end
    -- metatable to access sync data and 'send' function
    local mt = {
        __index = function(t, index)
            return data[index]
        end,
        __newindex = function(t, index, value)
            data[index] = value
        end
    }
    return setmetatable({send = func_send}, mt)
    end
end

[21:27:53.443964] (error) 123123.lua: D:\123\GTA BOUNTY LOW PC (mb)\moonloader\123123.lua:167: '<eof>' expected near 'end'

Help me plz ОТСАСУ
 

Snoopcheg

Известный
151
82
Lua:
local ev = require('lib.samp.events')
local state = false
local tpCount, timer = 0, 0
local server = -1
local join = 0
local x, y, z = 0, 0, 0

local vector = require 'vector3d'
local tp, sync = false, false

--local tpCount, timer = 0, 0

local coord = 40
function main()
    while not isSampAvailable() do wait(0) end
    sampRegisterChatCommand('ftp', telep)
        lua_thread.create(telep)
            if tp then return sampAddChatMessage('уже телепортируемся', -1) end
            blip, blipX, blipY, blipZ = getTargetBlipCoordinatesFixed()
            if blip then
                if isCharInAnyCar(playerPed) then
                    car = getCarCharIsUsing(playerPed)
                    sync = true
                    charPosX, charPosY, charPosZ = getCarCoordinates(car)
                    local distan = getDistanceBetweenCoords3d(blipX, blipY, charPosZ, charPosX, charPosY, charPosZ)
                    tp = true
                                end
                end
            end

    while true do
        wait(0)
        if isCharInAnyCar(playerPed) then
            car = getCarCharIsUsing(playerPed)
        end
        if tp then
            if getDistanceBetweenCoords3d(blipX, blipY, blipZ, charPosX, charPosY, charPosZ) > 90000 then
                vectorX = blipX - charPosX
                vectorY = blipY - charPosY
                vectorZ = blipZ - charPosZ
                local vec = vector(vectorX, vectorY, vectorZ)
                vec:normalize()
                charPosX = charPosX + vec.x * 25
                charPosY = charPosY + vec.y * 25
                charPosZ = charPosZ + vec.z * 25
                if tpCount == 20 then
            else
                setCarCoordinates(car, blipX, blipY, blipZ)
                sendOnfootSyncc(charPosX, charPosY, charPosZ, car)
                sampAddChatMessage('WAIT', -1)
                for i = 1, 30 do
                    sampForceUnoccupiedSyncSeatId(param, 1)
                   wait(100)
                end
                warpCharIntoCar(PLAYER_PED, car)
                sampAddChatMessage('SUCCESS', -1)
                printStringNow('~g~teleported successfully.', 4000)
                tp = false
            end
        end
    end
end

function sendSpectatorSync(x, y, z)
    local data = samp_create_sync_data('spectator')
    data.position = {x, y, z}
    data.send()
end


function sendOnfootSyncc(x, y, z, veh)
    local _, myId = sampGetPlayerIdByCharHandle(PLAYER_PED)
    local data = allocateMemory(68)
    sampStorePlayerOnfootData(myId, data)
    setStructElement(data, 37, 1, 3, false)
    setStructFloatElement(data, 6, x, false)
    setStructFloatElement(data, 10, y, false)
    setStructFloatElement(data, 14, z, false)
    setStructElement(data, 62, 2, veh, false)
    sampSendOnfootData(data)
    freeMemory(data)
end

function getTargetBlipCoordinatesFixed()
    local bool, x, y, z = getTargetBlipCoordinates(); if not bool then return false end
    requestCollision(x, y); loadScene(x, y, z)
    local bool, x, y, z = getTargetBlipCoordinates()
    return bool, x, y, z
end

function SearchMarker(posX, posY, posZ)
    local ret_posX = 0.0
    local ret_posY = 0.0
    local ret_posZ = 0.0
    local isFind = false
    for id = 0, 31 do
        local MarkerStruct = 0
        MarkerStruct = 0xC7F168 + id * 56
        local MarkerPosX = representIntAsFloat(readMemory(MarkerStruct + 0, 4, false))
        local MarkerPosY = representIntAsFloat(readMemory(MarkerStruct + 4, 4, false))
        local MarkerPosZ = representIntAsFloat(readMemory(MarkerStruct + 8, 4, false))
        if MarkerPosX ~= 0.0 or MarkerPosY ~= 0.0 or MarkerPosZ ~= 0.0 then
            ret_posX = MarkerPosX
            ret_posY = MarkerPosY
            ret_posZ = MarkerPosZ
            isFind = true
        end
    end
    return isFind, ret_posX, ret_posY, ret_posZ
end

function samp_create_sync_data(sync_type, copy_from_player)
    local ffi = require 'ffi'
    local sampfuncs = require 'sampfuncs'
    -- from SAMP.Lua
    local raknet = require 'samp.raknet'
    --require 'samp.synchronization'

    copy_from_player = copy_from_player or true
    local sync_traits = {
        player = {'PlayerSyncData', raknet.PACKET.PLAYER_SYNC, sampStorePlayerOnfootData},
        vehicle = {'VehicleSyncData', raknet.PACKET.VEHICLE_SYNC, sampStorePlayerIncarData},
        passenger = {'PassengerSyncData', raknet.PACKET.PASSENGER_SYNC, sampStorePlayerPassengerData},
        aim = {'AimSyncData', raknet.PACKET.AIM_SYNC, sampStorePlayerAimData},
        trailer = {'TrailerSyncData', raknet.PACKET.TRAILER_SYNC, sampStorePlayerTrailerData},
        unoccupied = {'UnoccupiedSyncData', raknet.PACKET.UNOCCUPIED_SYNC, nil},
        bullet = {'BulletSyncData', raknet.PACKET.BULLET_SYNC, nil},
        spectator = {'SpectatorSyncData', raknet.PACKET.SPECTATOR_SYNC, nil}
    }
    local sync_info = sync_traits[sync_type]
    local data_type = 'struct ' .. sync_info[1]
    local data = ffi.new(data_type, {})
    local raw_data_ptr = tonumber(ffi.cast('uintptr_t', ffi.new(data_type .. '*', data)))
    -- copy player's sync data to the allocated memory
    if copy_from_player then
        local copy_func = sync_info[3]
        if copy_func then
            local _, player_id
            if copy_from_player == true then
                _, player_id = sampGetPlayerIdByCharHandle(PLAYER_PED)
            else
                player_id = tonumber(copy_from_player)
            end
            copy_func(player_id, raw_data_ptr)
        end
    end
    -- function to send packet
    local func_send = function()
        local bs = raknetNewBitStream()
        raknetBitStreamWriteInt8(bs, sync_info[2])
        raknetBitStreamWriteBuffer(bs, raw_data_ptr, ffi.sizeof(data))
        raknetSendBitStreamEx(bs, sampfuncs.HIGH_PRIORITY, sampfuncs.UNRELIABLE_SEQUENCED, 1)
        raknetDeleteBitStream(bs)
    end
    -- metatable to access sync data and 'send' function
    local mt = {
        __index = function(t, index)
            return data[index]
        end,
        __newindex = function(t, index, value)
            data[index] = value
        end
    }
    return setmetatable({send = func_send}, mt)
    end
end

[21:27:53.443964] (error) 123123.lua: D:\123\GTA BOUNTY LOW PC (mb)\moonloader\123123.lua:167: '<eof>' expected near 'end'

Help me plz ОТСАСУ
Лишнее end в конце, и почему бесконечный цикл вне main()?
 

Snoopcheg

Известный
151
82
Lua:
local ev = require('lib.samp.events')
local state = false
local tpCount, timer = 0, 0
local server = -1
local join = 0
local x, y, z = 0, 0, 0

local vector = require 'vector3d'
local tp, sync = false, false

--local tpCount, timer = 0, 0

local coord = 40
function main()
    while not isSampAvailable() do wait(0) end
    sampRegisterChatCommand('ftp', telep)
        lua_thread.create(telep)
            if tp then return sampAddChatMessage('уже телепортируемся', -1) end
            blip, blipX, blipY, blipZ = getTargetBlipCoordinatesFixed()
            if blip then
                if isCharInAnyCar(playerPed) then
                    car = getCarCharIsUsing(playerPed)
                    sync = true
                    charPosX, charPosY, charPosZ = getCarCoordinates(car)
                    local distan = getDistanceBetweenCoords3d(blipX, blipY, charPosZ, charPosX, charPosY, charPosZ)
                    tp = true
                end
            end
            
    while true do
        wait(0)
        if isCharInAnyCar(playerPed) then
            car = getCarCharIsUsing(playerPed)
        end
        if tp then
            if getDistanceBetweenCoords3d(blipX, blipY, blipZ, charPosX, charPosY, charPosZ) > 90000 then
                vectorX = blipX - charPosX
                vectorY = blipY - charPosY
                vectorZ = blipZ - charPosZ
                local vec = vector(vectorX, vectorY, vectorZ)
                vec:normalize()
                charPosX = charPosX + vec.x * 25
                charPosY = charPosY + vec.y * 25
                charPosZ = charPosZ + vec.z * 25
            else
                setCarCoordinates(car, blipX, blipY, blipZ)
                sendOnfootSyncc(charPosX, charPosY, charPosZ, car)
                sampAddChatMessage('WAIT', -1)
                for i = 1, 30 do
                    sampForceUnoccupiedSyncSeatId(param, 1)
                   wait(100)
                end
                warpCharIntoCar(PLAYER_PED, car)
                sampAddChatMessage('SUCCESS', -1)
                printStringNow('~g~teleported successfully.', 4000)
                tp = false
            end
        end
    end
end

function sendSpectatorSync(x, y, z)
    local data = samp_create_sync_data('spectator')
    data.position = {x, y, z}
    data.send()
end


function sendOnfootSyncc(x, y, z, veh)
    local _, myId = sampGetPlayerIdByCharHandle(PLAYER_PED)
    local data = allocateMemory(68)
    sampStorePlayerOnfootData(myId, data)
    setStructElement(data, 37, 1, 3, false)
    setStructFloatElement(data, 6, x, false)
    setStructFloatElement(data, 10, y, false)
    setStructFloatElement(data, 14, z, false)
    setStructElement(data, 62, 2, veh, false)
    sampSendOnfootData(data)
    freeMemory(data)
end

function getTargetBlipCoordinatesFixed()
    local bool, x, y, z = getTargetBlipCoordinates(); if not bool then return false end
    requestCollision(x, y); loadScene(x, y, z)
    local bool, x, y, z = getTargetBlipCoordinates()
    return bool, x, y, z
end

function SearchMarker(posX, posY, posZ)
    local ret_posX = 0.0
    local ret_posY = 0.0
    local ret_posZ = 0.0
    local isFind = false
    for id = 0, 31 do
        local MarkerStruct = 0
        MarkerStruct = 0xC7F168 + id * 56
        local MarkerPosX = representIntAsFloat(readMemory(MarkerStruct + 0, 4, false))
        local MarkerPosY = representIntAsFloat(readMemory(MarkerStruct + 4, 4, false))
        local MarkerPosZ = representIntAsFloat(readMemory(MarkerStruct + 8, 4, false))
        if MarkerPosX ~= 0.0 or MarkerPosY ~= 0.0 or MarkerPosZ ~= 0.0 then
            ret_posX = MarkerPosX
            ret_posY = MarkerPosY
            ret_posZ = MarkerPosZ
            isFind = true
        end
    end
    return isFind, ret_posX, ret_posY, ret_posZ
end

function samp_create_sync_data(sync_type, copy_from_player)
    local ffi = require 'ffi'
    local sampfuncs = require 'sampfuncs'
    -- from SAMP.Lua
    local raknet = require 'samp.raknet'
    --require 'samp.synchronization'

    copy_from_player = copy_from_player or true
    local sync_traits = {
        player = {'PlayerSyncData', raknet.PACKET.PLAYER_SYNC, sampStorePlayerOnfootData},
        vehicle = {'VehicleSyncData', raknet.PACKET.VEHICLE_SYNC, sampStorePlayerIncarData},
        passenger = {'PassengerSyncData', raknet.PACKET.PASSENGER_SYNC, sampStorePlayerPassengerData},
        aim = {'AimSyncData', raknet.PACKET.AIM_SYNC, sampStorePlayerAimData},
        trailer = {'TrailerSyncData', raknet.PACKET.TRAILER_SYNC, sampStorePlayerTrailerData},
        unoccupied = {'UnoccupiedSyncData', raknet.PACKET.UNOCCUPIED_SYNC, nil},
        bullet = {'BulletSyncData', raknet.PACKET.BULLET_SYNC, nil},
        spectator = {'SpectatorSyncData', raknet.PACKET.SPECTATOR_SYNC, nil}
    }
    local sync_info = sync_traits[sync_type]
    local data_type = 'struct ' .. sync_info[1]
    local data = ffi.new(data_type, {})
    local raw_data_ptr = tonumber(ffi.cast('uintptr_t', ffi.new(data_type .. '*', data)))
    -- copy player's sync data to the allocated memory
    if copy_from_player then
        local copy_func = sync_info[3]
        if copy_func then
            local _, player_id
            if copy_from_player == true then
                _, player_id = sampGetPlayerIdByCharHandle(PLAYER_PED)
            else
                player_id = tonumber(copy_from_player)
            end
            copy_func(player_id, raw_data_ptr)
        end
    end
    -- function to send packet
    local func_send = function()
        local bs = raknetNewBitStream()
        raknetBitStreamWriteInt8(bs, sync_info[2])
        raknetBitStreamWriteBuffer(bs, raw_data_ptr, ffi.sizeof(data))
        raknetSendBitStreamEx(bs, sampfuncs.HIGH_PRIORITY, sampfuncs.UNRELIABLE_SEQUENCED, 1)
        raknetDeleteBitStream(bs)
    end
    -- metatable to access sync data and 'send' function
    local mt = {
        __index = function(t, index)
            return data[index]
        end,
        __newindex = function(t, index, value)
            data[index] = value
        end
    }
    return setmetatable({send = func_send}, mt)
end
Пробуй
 

vegas

Известный
552
445
Как прицепить машину к эвакуатору используя эти функции?

Lua:
attachCarToCar(Vehicle car, int toCar, float offsetX, float offsetY, float offsetZ, float rotationX, float rotationY, float rotationZ)  -- 0683
attachTrailerToCab(trailerId, vehicleId)
 

chapo

tg/inst: @moujeek
Модератор
9,073
12,037
как создать массив в котором будут другие массивы? как получать массив из элемента массива?
Например как создать массив arr1, в нем создать "пункт" 1, в который записан массив "{1, 2, 3, 4, 5, 6, 7}"
типо такого:
Lua:
local array1 = {
    [1] = {1, 2},
    [2] = {3, 4},
    [3] = {5, 6},
}
 

Nelit

Потрачен
252
39
Обратите внимание, пользователь заблокирован на форуме. Не рекомендуется проводить сделки.
как понять что скрипт завершил работу в ходе выхода из игры?? Самп евентс обязательно!
 

chapo

tg/inst: @moujeek
Модератор
9,073
12,037
как понять что скрипт завершил работу в ходе выхода из игры?? Самп евентс обязательно!
зачем использовать ивенты там, где это не обязательно?
Lua:
function onScriptTerminate(s, q)
    if s == thisScript() and q then
        print('скрипт выгружен в следствии выхода из игры')
    end
end
 
  • Нравится
Реакции: Nelit

Vintik

Через тернии к звёздам
Проверенный
1,565
1,038
как создать массив в котором будут другие массивы? как получать массив из элемента массива?
Например как создать массив arr1, в нем создать "пункт" 1, в который записан массив "{1, 2, 3, 4, 5, 6, 7}"
типо такого:
Lua:
local array1 = {
    [1] = {1, 2},
    [2] = {3, 4},
    [3] = {5, 6},
}

Lua:
local array1 = {
    {1, 2, 3, 4, 5, 6, 7},
}

print(array1[1][3]) -- выведет 3
 
  • Нравится
Реакции: chapo

HpP

Известный
368
119
Есть ли функция в Lua, чтобы перевести бит допустим в Мбайт, если нет, то как правильно это сделать?