6

我想在我的Lua (Luvit)项目中使用decodeURIdecodeURIComponent在 JavaScript 中使用。

JavaScript:

decodeURI('%D0%BF%D1%80%D0%B8%D0%B2%D0%B5%D1%82')
// result: привет

很喜欢:

require('querystring').urldecode('%D0%BF%D1%80%D0%B8%D0%B2%D0%B5%D1%82')
-- result: '%D0%BF%D1%80%D0%B8%D0%B2%D0%B5%D1%82'
4

3 回答 3

12

如果您了解URI 百分比编码格式,那么在 Lua 中自己做这件事是微不足道的。每个子字符串表示使用前缀和十六进制八位字节%XX编码的 UTF-8 数据。%

local decodeURI
do
    local char, gsub, tonumber = string.char, string.gsub, tonumber
    local function _(hex) return char(tonumber(hex, 16)) end

    function decodeURI(s)
        s = gsub(s, '%%(%x%x)', _)
        return s
    end
end

print(decodeURI('%D0%BF%D1%80%D0%B8%D0%B2%D0%B5%D1%82'))
于 2013-12-05T17:42:39.053 回答
3

这是另一种看法。如果您必须解码许多字符串,此代码将为您节省大量函数调用。

local hex = {}
for i = 0, 255 do
    hex[string.format("%02x", i)] = string.char(i)
    hex[string.format("%02X", i)] = string.char(i)
end

local function decodeURI(s)
    return (s:gsub('%%(%x%x)', hex))
end

print(decodeURI('%D0%BF%D1%80%D0%B8%D0%B2%D0%B5%D1%82'))
于 2013-12-05T17:49:50.773 回答
0

URI 表示' ''+' ,其他特殊字符表示为百分比,后跟 2 位十六进制字符代码'%0A''\n'例如

local function decodeCharacter(code)
    -- get the number for the hex code 
    --   then get the character for that number
    return string.char(tonumber(code, 16))
end

function decodeURI(s)
    -- first replace '+' with ' '
    --   then, on the resulting string, decode % encoding
    local str = s:gsub("+", " ")
        :gsub('%%(%x%x)', decodeCharacter)
    return str 
    -- assignment to str removes the second return value of gsub
end

print(decodeURI('he%79+there%21')) -- prints "hey there!"
于 2019-11-27T02:19:25.330 回答