Lua table导入及简化导出


1.前言

这是一个非常不通用的导入导出!!(先给自己挖个坑以后再补成通用)
为了避免导入过于复杂,所以我将table里的嵌套table都转为一行数据

导出前

导出后

适用场景:
嵌套的table的value可以都存在同一行(最好不要有太多嵌套!不然会越来越复杂),在导入方法里,你必须明确哪几个值是属于哪个key的值。比如我的存法是将pos的x,y,z都存在前三个,因为我的child这个table里的值的个数是不确定的,这样可以方便后面我取数据

OS:如果你想要将table原原本本导出来放在文件里,用dump就行了,但是这样导入就很痛苦

2.导出函数

这个还可以改进,可以用迭代+for循环来实现(具体可参考dump的写法,过几天我再改进),下面我的实现仅适用于两层table

--导出节点数据
    local timeStr = os.date("%Y-%m-%d %H:%M:%S", os.time())   --TODO:time进行转换 --%x 
    local path =  "路径"
    local fileName = "文件名"
    local file = io.open(path .. fileName, "w+")
    file:write("你想写的备注:" .. timeStr .. "\n".."--posX,posY,posZ,child1,child2.....\n")
    for k,v in pairs(self.currentArray) do
        local strLine = nil
        strLine = "[\""..k.."\"] = "
        strLine = strLine..string.format("{%.2f,%.2f,%d", v.pos.posX, v.pos.posY, v.pos.posZ)
        for key,value in ipairs(v.child) do   
            strLine = strLine..string.format(",%s",value)
        end
        file:write(strLine.."}\n")
    end

    file:flush()
    file:close()

3.导入函数

因为每一行的value是通过逗号隔开,所以取数据就需要分隔字符串了,lua没有函数,只能自己动手写了(这里给function可以传入一个符号,那就可以实现传入空格或者其他符号都可以截取)

--截取以逗号分隔的字符串
    local splitStr = function (str) 
        local strTable = {}
        local j  = 1
        while string.find(str,",",j) do
            local i = string.find(str,",",j)
            table.insert(strTable,string.sub(str,j,i-1))
            j = i + 1
        end 
        table.insert(strTable,string.sub(str,j))
        return strTable
    end
 local fileName = "文件名"
    --读取文件
    local path = "路径"
    local readFile = io.open(path .. fileName,"r")
    local readLine = nil
    local curTemp = {}
    for readLine in readFile:lines() do
        local beginKeyIdx = string.find(readLine,"%[")
        local endKeyIdx = string.find(readLine,"%]")
        if beginKeyIdx~=nil and endKeyIdx~=nil then
            --此时获得每行的key
            local idx = string.sub(readLine,beginKeyIdx+2,endKeyIdx-2)
            curTemp[idx]={pos = {posX = 0 ,posY = 0 ,posZ = 0} , child = {}}
            
            local beginValueIdx = string.find(readLine,"{")
            local endValueIdx = string.find(readLine,"}")
            if beginValueIdx~=nil and endValueIdx~=nil then
                --此时获得每行的value
                local stringAllPos = string.sub(readLine,beginValueIdx+1,endValueIdx-1)
                local values = splitStr(stringAllPos)
                curTemp[idx].pos.posX = tonumber(values[1])
                curTemp[idx].pos.posY = tonumber(values[2])
                curTemp[idx].pos.posZ = tonumber(values[3])
                local curValuesIdx = 3
                while curValuesIdx< #stringAllPos do
                    curValuesIdx = curValuesIdx + 1
                    table.insert(curTemp[idx].child,values[curValuesIdx])
                end
            end
        end
    end

你可能感兴趣的:(Lua table导入及简化导出)