我有一个简短的脚本,它使用正则表达式在文件中搜索用户输入的特定短语。基本上,它是一个简单的搜索框。
我现在正试图让这个搜索框有一个GUI,这样用户就可以输入一个框,并让他们的匹配“警告”他们。
我很擅长使用红宝石鞋,并且一直在使用TheShoeBox网站上的例子。
有人能指出我的代码出错的地方吗?
这是我的命令行版本:
string = File.read('db.txt')
puts "Enter what you're looking for below"
begin
while(true)
break if string.empty?
print "Search> "; STDOUT.flush; phrase = gets.chop
break if phrase.empty?
names = string.split(/\n/)
matches = names.select { |name| name[/#{phrase}/i] }
puts "\n \n"
puts matches
puts "\n \n"
end
end
以下是我在Ruby Shoes中使用它的尝试:
Shoes.app :title => "Search v0.1", :width => 300, :height => 150 do
string = File.read('db.txt')
names = string.split(/\n/)
matches = names.select { |name| name[/#{phrase}/i] }
def search(text)
text.tr! "A-Za-z", "N-ZA-Mn-za-m"
end
@usage = <<USAGE
Search - This will search for the inputted text within the database
USAGE
stack :margin => 10 do
para @usage
@input = edit_box :width => 200
end
flow :margin => 10 do
button('Search') { @output.matches }
end
stack(:margin => 0) { @output = para }
end
非常感谢
答案 0 :(得分:1)
嗯,对于初学者来说,第一个代码位可以加起来。
file = File.open 'db.txt', 'rb'
puts "Enter (regex) search term or quit:"
exit 1 unless file.size > 0
loop do
puts
print "query> "
redo if ( query = gets.chomp ).empty?
exit 0 if query == "quit"
file.each_line do |line|
puts "#{file.lineno}: #{line}" if line =~ /#{query}/i
end
file.rewind
end
rb
选项可让它在Windows中按预期工作(特别是对于Shoes,您应该尝试与平台无关)。例如,chomp
剥离\r\n
和\n
但不剥离a
,而chop
只是盲目地取消最后一个角色。 loop do end
比while true
好。为什么在变量中存储匹配?只需逐行读取文件(允许CRLF结尾),而不是按\n
进行拆分,尽管残差\r
不会造成太大问题......
至于鞋子位:
Shoes.app :title => "Search v0.2", :width => 500, :height => 600 do
@file = File.open 'db.txt', 'rb'
def search( file, query )
file.rewind
file.select {|line| line =~ /#{query}/i }.map {|match| match.chomp }
end
stack :margin => 10 do
@input = edit_line :width => 400
button "search" do
matches = search( @file, @input.text )
@output.clear
@output.append do
matches.empty? ?
title( "Nothing found :(" ) :
title( "Results\n" )
end
matches.each do |match|
@output.append { para match }
end
end
@output = stack { title "Search for something." }
end
end
您从未定义@output.matches
或调用search()
方法。看看它现在是否有意义。