Tcl/Tk是编写小型GUI脚本的简单方法。
任何人都可以用按钮和文本小部件给出一个很好的例子。按下按钮时,应执行shell命令并将输出传送到 text 小部件。
如果您有其他有用且干净的示例,请添加它们。
答案 0 :(得分:12)
这是使用fileevents的更完整示例。这将自动滚动。出于可用性目的,您可能只想在文本底部可见的情况下自动滚动(即:如果用户没有移动滚动条)但我会将其作为练习让读者保留这个已经很久的例子从此得到更长时间。
package require Tk
proc main {} {
if {[lsearch -exact [font names] TkDefaultFont] == -1} {
# older versions of Tk don't define this font, so pick something
# suitable
font create TkDefaultFont -family Helvetica -size 12
}
# in 8.5 we can use {*} but this will work in earlier versions
eval font create TkBoldFont [font actual TkDefaultFont] -weight bold
buildUI
}
proc buildUI {} {
frame .toolbar
scrollbar .vsb -command [list .t yview]
text .t \
-width 80 -height 20 \
-yscrollcommand [list .vsb set] \
-highlightthickness 0
.t tag configure command -font TkBoldFont
.t tag configure error -font TkDefaultFont -foreground firebrick
.t tag configure output -font TkDefaultFont -foreground black
grid .toolbar -sticky nsew
grid .t .vsb -sticky nsew
grid rowconfigure . 1 -weight 1
grid columnconfigure . 0 -weight 1
set i 0
foreach {label command} {
date {date}
uptime {uptime}
ls {ls -l}
} {
button .b$i -text $label -command [list runCommand $command]
pack .b$i -in .toolbar -side left
incr i
}
}
proc output {type text} {
.t configure -state normal
.t insert end $text $type "\n"
.t see end
.t configure -state disabled
}
proc runCommand {cmd} {
output command $cmd
set f [open "| $cmd" r]
fconfigure $f -blocking false
fileevent $f readable [list handleFileEvent $f]
}
proc closePipe {f} {
# turn blocking on so we can catch any errors
fconfigure $f -blocking true
if {[catch {close $f} err]} {
output error $err
}
}
proc handleFileEvent {f} {
set status [catch { gets $f line } result]
if { $status != 0 } {
# unexpected error
output error $result
closePipe $f
} elseif { $result >= 0 } {
# we got some output
output normal $line
} elseif { [eof $f] } {
# End of file
closePipe $f
} elseif { [fblocked $f] } {
# Read blocked, so do nothing
}
}
main
答案 1 :(得分:4)
一些建议:
要将输出附加到文本小部件,而不是指定第999999行,您可以使用索引结束,它指的是最后一个换行符之后的位置。例如,
.main insert end "$x\n"
要在输出命令时滚动文本,请使用参见命令。例如,在附加到.main文本小部件
之后.main see end
您可能还想考虑使用 fileevent 命令异步获取命令输出。
答案 2 :(得分:3)
我可以开始......请提出改进建议。我希望它在命令输出时滚动
#!/usr/bin/wish
proc push_button {} {
put_text
.main see end
}
proc put_text {} {
set f [ open "| date" r]
while {[gets $f x] >= 0} {
.main insert end "$x\n"
}
catch {close $f}
}
button .but -text "Push Me" -command "push_button"
text .main -relief sunken -bd 2 -yscrollcommand ".scroll set"
scrollbar .scroll -command ".main yview"
pack .but
pack .main -side left -fill y
pack .scroll -side right -fill y
答案 3 :(得分:1)