情况:
我想保存数据的记录,该数据是特定文件中传感器的值。
代码是..
--Header file
require("TIMER")
require("IPBOX")
require("ANALOG_IN")
require("LOG")
function OnExit()
print("Exit code...do something")
end
function main()
timer = "Timer"
local analogsensor_1 = "AIR_1"
local analogsensor_2 = "AIR_2"
local timestr = os.data("%Y-%m-%d %H:%M:%S")
-- open the file for writing binary data
local filehandle = io.open("collection_of_data.txt", "a")
while true do
valueOfSensor_1 = ANALOG_IN.readAnalogIn(analogsensor_1);
valueOfSensor_2 = ANALOG_IN.readAnalogIn(analogsensor_2);
if (valueOfSensor_1 > 0 and valueOfSensor_2 > 0) then
-- save values of sensors
filehandle:write(timestr, " -The Value of the Sensors: ", tostring(valueOfSensor_1), tostring(valueOfSensor_2)"\n");
-- save values using rolling log appender:
LOG.log_event( ScenarioLoggerDevicenameInDeviceList, " -The Value of the Sensors: ", tostring(valueOfSensor_1), tostring(valueOfSensor_2), "any other string you wish to add", "etc", "etc")
LOG.log_event( ScenarioLoggerDevicenameInDeviceList, " -The Value of the Sensors: ", tostring(valueOfSensor_1))
print("Hello3"..valueOfSensor_1)
end
TIMER.sleep(timer,500)
end
-- close the file
filehandle:close()
end
print("start main")
main()
在这一行:
filehandle:write(timestr, " -The Value of the Sensors: ", tostring(valueOfSensor_1), tostring(valueOfSensor_2)"\n");
我收到错误:
"attemp to index global 'filehandle' (a nil value)"
我该如何解决?
答案 0 :(得分:2)
io.open
如果无法打开文件,则返回nil
。这可能是由于“找不到文件”,“权限被拒绝”以及其他原因造成的。为了找出问题,io.open
有第二个返回值,它允许你检查错误(事实上,它甚至返回第三个值,这是一个错误代码整数 - 但它的含义是系统相关的)。
更改:
local filehandle = io.open("collection_of_data.txt", "a")
到
local filehandle, message = io.open("collection_of_data.txt", "a")
if not filehandle then
print(message)
end
您还可以使用以下Lua习语:
local filehandle = assert(io.open("collection_of_data.txt", "a"))
这也是一样的。如果assert
的第一个参数是nil
,那么将打印第二个参数(io.open
的第二个返回值。如果第一个参数不是nil
,它将会简单地归还。