我是tcl的新手。我想在tcl中创建一个线程,它应该在后台调用自己。
#!/usr/bin/env tclsh
set serPort [open "/dev/ttyS0" RDWR]
fconfigure $serPort -mode 115200,n,8,1 -blocking 0
while { 1 } {
set data [gets $chan]
puts $data
}
我想避免使用上面的while循环,并为while循环内的功能创建一个可重复的线程。基本上我将PC的COM1连接到设备并从设备获取串行数据。但是如果端口上没有数据,即使我使用“eof”命令,它仍然不会出现循环。这就是我想创建线程的原因。
我计划使用Tcl_CreateThread,但我不明白如何使用它
答案 0 :(得分:5)
不要那样做。相反,使用通常的Tcl惯用法来处理非阻塞通道:为“通道可读”事件设置处理程序,并进入事件循环;当设备将数据发送到您打开的端口时,操作系统会将数据传递给您的应用程序并调用回调。
演示这个概念的最小程序如下:
proc my_read_handler ch {
set data [read $ch]
if {[eof $ch]} {
close $ch
set ::forever done ;# this makes the call to `vwait` below to quit
return
}
# Otherwise process the data here ...
}
set serPort [open "/dev/ttyS0" RDWR]
fconfigure $serPort -mode 115200,n,8,1 -blocking no
fileevent $serPort readable [list my_read_handler $serPort]
vwait ::forever ;# the program enters the event loop here
详细了解in the examples。
几点意见:
close
,则在这种情况下甚至不会调用“可读”。vwait
(此外,他们强烈反对,因为这将重新进入事件循环):您只需打开您的设备,例如,在用户单击按钮时执行的代码中,在获取的通道上设置可读回调,然后在该回调中执行其余处理(如上所示)。 / LI>