rufus/scheduler
我在 Windows 上使用一个 rb 文件。该脚本在计算机启动时执行,并在 cmd 窗口中运行。
如何将 ruby 输出到屏幕的所有内容记录到文件中?我仍然希望能够在屏幕上看到输出。所以我希望在当前行为之上进行日志记录。
- 视窗 7 64 位
- 红宝石 1.9.3p194 (2012-04-20) [i386-mingw32]
如果您只想让脚本将输出发送到文件而不是控制台,请使用IO#reopen
重定向 stdout 和 stderr。
def redirect_console(filename)
$stdout.reopen(filename,'w')
$stderr.reopen(filename,'w')
end
redirect_console('/my/console/output/file')
如果您需要定向到一个或多个输出流,请使用代理对象和 method_missing 发送给它们
class TeeIO
def initialize(*streams)
raise ArgumentError, "Can only tee to IO objects" unless streams.all? { |e| e.is_a? IO }
@streams = streams
end
def method_missing(meth, *args)
# HACK only returns result of first stream
@streams.map {|io| io.send(meth, *args) }.first
end
def respond_to_missing?(meth, include_all)
@streams.all? {|io| io.respond_to?(meth, include_all) }
end
end
def tee_console(filename)
tee_to = File.open(filename, 'w')
tee_to.sync = true # flush after each write
$stdout = TeeIO.new($stdout, tee_to)
$stderr = TeeIO.new($stderr, tee_to)
end
tee_console('/my/console/output/file')