【发布时间】:2017-09-06 21:19:54
【问题描述】:
给定以下数据集:
a | b | c | d
1 | 3 | 7 | 11
1 | 5 | 7 | 11
1 | 3 | 8 | 11
1 | 5 | 8 | 11
1 | 6 | 8 | 11
执行逆笛卡尔积得到:
a | b | c | d
1 | 3,5 | 7,8 | 11
1 | 6 | 8 | 11
我目前正在使用 scala,我的输入/输出数据类型目前是:
ListBuffer[Array[Array[Int]]]
我想出了一个解决方案(见下文),但觉得它可以优化。我对优化我的方法和全新的方法持开放态度。首选 scala 和 c# 中的解决方案。
我也很好奇这是否可以在 MS SQL 中完成。
我目前的解决方案:
def main(args: Array[String]): Unit = {
// Input
val data = ListBuffer(Array(Array(1), Array(3), Array(7), Array(11)),
Array(Array(1), Array(5), Array(7), Array(11)),
Array(Array(1), Array(3), Array(8), Array(11)),
Array(Array(1), Array(5), Array(8), Array(11)),
Array(Array(1), Array(6), Array(8), Array(11)))
reverseCartesianProduct(data)
}
def reverseCartesianProduct(input: ListBuffer[Array[Array[Int]]]): ListBuffer[Array[Array[Int]]] = {
val startIndex = input(0).size - 1
var results:ListBuffer[Array[Array[Int]]] = input
for (i <- startIndex to 0 by -1) {
results = groupForward(results, i, startIndex)
}
results
}
def groupForward(input: ListBuffer[Array[Array[Int]]], groupingIndex: Int, startIndex: Int): ListBuffer[Array[Array[Int]]] = {
if (startIndex < 0) {
val reduced = input.reduce((a, b) => {
mergeRows(a, b)
})
return ListBuffer(reduced)
}
val grouped = if (startIndex == groupingIndex) {
Map(0 -> input)
}
else {
groupOnIndex(input, startIndex)
}
val results = grouped.flatMap{
case (index, values: ListBuffer[Array[Array[Int]]]) =>
groupForward(values, groupingIndex, startIndex - 1)
}
results.to[ListBuffer]
}
def groupOnIndex(list: ListBuffer[Array[Array[Int]]], index: Int): Map[Int, ListBuffer[Array[Array[Int]]]] = {
var results = Map[Int, ListBuffer[Array[Array[Int]]]]()
list.foreach(a => {
val key = a(index).toList.hashCode()
if (!results.contains(key)) {
results += (key -> ListBuffer[Array[Array[Int]]]())
}
results(key) += a
})
results
}
def mergeRows(a: Array[Array[Int]], b: Array[Array[Int]]): Array[Array[Int]] = {
val zipped = a.zip(b)
val merged = zipped.map{ case (array1: Array[Int], array2: Array[Int]) =>
val m = array1 ++ array2
quickSort(m)
m.distinct
.array
}
merged
}
它的工作方式是:
- 从右到左循环列(groupingIndex 指定要在哪一列上运行。此列是唯一一个不必具有彼此相等的值才能合并行的列。)
- 递归地对所有其他列上的数据进行分组(不是 groupingIndex)。
- 在对所有列进行分组后,假设每组中的数据在除分组列之外的每一列中都有相等的值。
- 将行与匹配的列合并。获取每一列的不同值并对每一列进行排序。
如果其中一些没有意义,我深表歉意,我的大脑今天无法正常工作。
【问题讨论】:
-
答案必须是 (1|3,5|7,8|11) union (1|6|8|11) 还是与另一个答案相同,即 (1|3 ,5|7|11) union (1|3,5,6|8|11) 只要所有行都被覆盖一次?找到最佳答案实际上是一项非常艰巨的任务,np-hard,请在此处查看答案:cs.stackexchange.com/questions/87247/…