如何从irb历史中删除重复的命令?

时间:2017-10-29 19:48:55

标签: ruby irb

我搜索了几个问题/答案/博客但没有成功。如何从irb历史中删除/删除重复的命令?

理想情况下,我想要为我的bash配置相同的行为。也就是说:在执行命令后,历史记录中的每个其他条目都将被删除。

但是当我关闭irb时,消除重复已经很好了。

我当前的.irbrc

require 'irb/ext/save-history'
IRB.conf[:SAVE_HISTORY] = 1000
IRB.conf[:HISTORY_FILE] = "#{ENV['HOME']}/.irb_history"
IRB.conf[:AUTO_INDENT] = true

注意:Ruby 2.4.1(或更新!)

2 个答案:

答案 0 :(得分:0)

这将在关闭IRB控制台后消除重复。但它仅适用于使用Readline的IRB(mac用户警告)。

# ~/.irbrc
require 'irb/ext/save-history'
IRB.conf[:SAVE_HISTORY] = 1000
IRB.conf[:HISTORY_FILE] = "#{ENV['HOME']}/.irb_history"

deduplicate_history = Proc.new do
    history = Readline::HISTORY.to_a
    Readline::HISTORY.clear
    history.reverse!.uniq!
    history.reverse!.each{|entry| Readline::HISTORY << entry}
end

IRB.conf[:AT_EXIT].unshift(deduplicate_history)

如果您的IRB使用Readline,这个猴子补丁将动态消除重复:

require 'irb/ext/save-history'
IRB.conf[:SAVE_HISTORY] = 1000
IRB.conf[:HISTORY_FILE] = "#{ENV['HOME']}/.irb_history"

class IRB::ReadlineInputMethod
    alias :default_gets :gets
    def gets
        if result = default_gets
            line = result.chomp
            history = HISTORY.to_a
            HISTORY.clear
            history.each{|entry| HISTORY << entry unless entry == line}
            HISTORY << line
        end
        result
    end
end

关于如何改进它的任何建议?

答案 1 :(得分:0)

AT_EXIT挂钩是完全可以接受的方法。虽然不需要猴子补丁。 IRB通过创建自己的输入方法为此提供了便利。

IRB从InputMethod获取输入。历史由提供 ReadlineInputMethod,这是一个子类。

InputMethod已附加到Context。在conf会话中输入irb将允许您访问当前上下文。

irb将根据当前上下文io读取输入。例如:

irb [2.4.0] (screenstaring.com)$ conf.io
=> #<HistoryInputMethod:0x007fdc3403e180 @file_name="(line)", @line_no=3, @line=[nil, "4317.02 - 250 \n", "conf.id\n", "conf.io\n"], @eof=false, @stdin=#<IO:fd 0>, @stdout=#<IO:fd 1>, @prompt="irb [2.4.0] (screenstaring.com)$ ", @ignore_settings=[], @ignore_patterns=[]>

使用my Bash-like history control class(有关详细信息,请参见下文)。

您可以将conf.io设置为符合InputMethod界面的任何内容:

conf.io = MyInputMethod.new

任何MyInputMethod#gets返回将由IRB评估。通常它从stdin读取。

要告知IRB在启动时使用InputMethod,您可以设置:SCRIPT配置选项:

# .irbrc
IRB.conf[:SCRIPT] = MyInputMethod.new

IRB将在creating a Context时使用:SCRIPT的值作为输入法。这可以设置为文件以使用其内容作为输入方法。 默认情况下,nil会导致stdin被使用(通过Readline,如果可用的话)。

创建一个忽略重复的输入方法覆盖ReadlineInputMethod#gets

class MyInputMethod < IRB::ReadlineInputMethod
  def gets
    line = super  # super adds line to HISTORY 
    HISTORY.pop if HISTORY[-1] == HISTORY[-2]
    line
  end
end

my .irbrc中定义的InputMethod允许您为Bash设置IRB_HISTCONTROLIRB_HISTIGNORE(或多或少):

IRB_HISTIGNORE=ignoreboth IRB_HISTCONTROL='\Aq!:foo' irb

执行以下操作:

  • 以空格或重复(背对背)条目开头的条目不会添加到历史记录中
  • q!a custom method of mine)开头或包含foo的条目不会添加到历史记录中