I have adopted the LuaJSON to parse JSON. The parse call seems like that:
-- file.lua
local res = json.decode.decode(json_str)
if res == nil then
throw('invalid JSON')
end
...
But if the json_str
is badly formated, the decode()
will stop within LuaJSON and interrupt the execution of file.lua. I want the control flow to return to my function instead, so I can provide a custom error notification.
I have browsed the LuaJSON APIs, and there is no callback-like error handling. I want to know is there any Lua mechanism that allows me to handle errors occuring within LuaJSON from within file.lua?
The problem here is that the decode
function calls error
if it encounters an error.
This is Lua's equivalent to an exception handling mechanism. What you want to do is call the decode
function in protected mode:
local success, res = pcall(json.decode.decode, json_str);
if success then
-- res contains a valid json object
...
else
-- res contains the error message
...
end