代码之家  ›  专栏  ›  技术社区  ›  eastafri

阅读桌子的一半

  •  1
  • eastafri  · 技术社区  · 14 年前

    当我有一张桌子时;

    1 0 0 1 0
    0 1 0 1 0
    0 0 1 0 1
    1 1 1 1 0
    0 0 0 0 1
    

    假设我只想读取并保持该表的上对角线上的值,那么如何在纯Ruby中轻松完成这一点呢?

    最终结构看起来像

    1 0 0 1 0
      1 0 1 1 
        1 0 1
          1 0
            1
    

    谢谢

    3 回复  |  直到 14 年前
        1
  •  2
  •   Jeriko    14 年前

    这假设您的表位于某个文件中,但是您基本上可以从您想要开始的任何位置进行访问:

    # get data from file
    data = File.readlines(path).map(&:chomp)
    
    # convert to array of integers
    a = data.map { |line| line.split(" ").map(&:to_i) }
    
    # remove incrementally more elements from each row
    a.each_index { |index| a[index].slice!(0,index) }
    
    # alternatively, you could set these to nil
    # in order to preserve your row/column structure
    a.each_index { |index| index.times { |i| a[index][i] = nil } }
    
        2
  •  1
  •   Matthew Flaschen    14 年前
    input = File.new(filename, "rb")
    firstRow = input.readline().split(" ").map  { |el| el.to_i }
    len = firstRow.length
    table = [firstRow]
    remaining = input.readlines().map { |row| row.split(" ").map { |el| el.to_i } }
    (len - 1).times  { |i| table << remaining[i].slice(i + 1, len - i - 1) }
    
        3
  •  1
  •   todb    14 年前

    我假设您的表总是正方形的,并且您创建初始表的方式并不那么重要。

    # Create a two-dimensional array, somehow.
    table = []
    table << %w{1 0 0 1 0} 
    table << %w{0 1 0 1 0}
    table << %w{0 0 1 0 1}
    table << %w{1 1 1 1 0}
    table << %w{0 0 0 0 1}
    
    # New table
    diagonal = []
    table.each_with_index {|x,i| diagonal << x[0,table.size - i]}
    
    # Or go the other direction
    diagonal = []
    table.each_with_index {|x,i| diagonal << x[0,i+1]}
    

    如果需要值为整数,则抛出 map {|i| i.to_i} 在那里的某个地方。