2

是)我有的

a = [1,2,3,4]
 => [1, 2, 3, 4] 

b = a.combination(2).to_a
 => [[1, 2], [1, 3], [1, 4], [2, 3], [2, 4], [3, 4]] 

b.each_slice(2).to_a
 => [[[1, 2], [1, 3]], [[1, 4], [2, 3]], [[2, 4], [3, 4]]] 

我想要实现的是一个独特的组合

=> [[[1, 2], [3, 4]], [[1, 4], [2, 3]], [[1, 3], [2, 4]]]

我尝试过排列、展平等。但找不到神奇的红宝石代码!

编辑 :

上面的答案就像

b = a.combination(2).to_a
=> [[1, 2], [1, 3], [1, 4], [2, 3], [2, 4], [3, 4]]

更准确地说。

a = [1,2,3,4,5,6]

怎么获得

=> [[[1, 2], [3, 4], [5, 6]], [[1, 3], [2, 5], [4, 6]], [[1, 4], [2, 6], [3, 5]], [[1, 5], [2, 4], [3, 6]], [[1, 6], [2, 3], [4, 5]]]

这是 5 个 uniq 值数组(1,2,3,4,5,6):

[1, 2], [3, 4], [5, 6]
[1, 3], [2, 5], [4, 6]
[1, 4], [2, 6], [3, 5]
[1, 5], [2, 4], [3, 6]
[1, 6], [2, 3], [4, 5]

你似乎改变了问题。最初你想要一个数组数组,每个数组都有一对数组。现在你想要三胞胎?

是的,因为 [1,2,3,4] 的第一个示例太简单了,而且答案不适合更复杂的数组,例如 [1,2,3,4,5,6] 等等。

4

4 回答 4

1

这让你大部分时间都在我想的地方

[1,2,3,4].combination(2).inject([]){|arr,r| arr << (Hash[*r]); arr}

如果你迭代地从这个数组中取出第一个和最后一个元素,你会得到你想要的

def con(h, arr = []) 
  arr <<[h.delete(h.first).to_a.flatten, h.delete(h.last).to_a.flatten]
  con(h, arr) unless h.empty?
  p arr
end

#=> [[[1, 2], [3, 4]], [[1, 3], [2, 4]], [[1, 4], [2, 3]]]
于 2011-06-30T15:55:32.903 回答
0

嗯,它不漂亮,但它有效。组合需要一个块。

a = [1,2,3,4]
ans = []

a.combination(2) do |i|
  a.combination(2) do |j|
    x = [i, j]
    y = x.flatten
    next if y.uniq != y
    ans << x
  end
end

puts ans.inspect

编辑:让它稍微不那么难看。

于 2011-06-30T16:40:55.153 回答
0

将此添加为另一个答案,因为这确实是一个略有不同的问题-而且难度更大!

 def accept(a)
   0.upto(a.size-1){|i| return false unless a[i] == a[i].sort
   return false if (i > 0 && a[i][0] <= a[i-1][0])}
   true
end

 x=[1,2,3,4,5,6].permutation.inject([]){|arr, per| arr<< per.in_groups_of(2); arr}
 arr = x.inject([]){|arr,y| arr << y if accept(y); arr}
 p arr

不是很漂亮,但是对于我认为的任何大小的数组都可以满足您的要求

于 2011-07-01T09:42:17.950 回答
0

最后我找到了一个没有排列、唯一、组合、展平的解决方案:)

    a = [1,2,3,4,5,6]
    count = a.count

    totalloop = count - 1
    arrayperloop = count / 2
    rounds = []

    for round in 0...totalloop
        for i in 0...arrayperloop

            x = (round + i) % (count - 1)
            y = (count - 1 - i + round) % (count - 1)

            if i == 0
              y = count - 1
            end

            rounds<<[x + 1, y + 1]
        end
    end

rounds.each_slice(arrayperloop).to_a 给我我想要的

    [[[1, 6], [2, 5], [3, 4]], [[2, 6], [3, 1], [4, 5]], [[3, 6], [4, 2], [5, 1]], [[4, 6], [5, 3], [1, 2]], [[5, 6], [1, 4], [2, 3]]]

没那么丑!如果我们将 n*2 整数添加到数组中,则始终有效。

于 2011-07-01T09:47:34.983 回答