1

我有一个二维数组,仅包含 0 或 1。我想使用 STL 排序算法按行的降序对它进行排序(每列没有变化)。但我不知道如何传递参数以及如何在 sort(first, last, comp); 中编写比较函数;喜欢:

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

将像这样排序:

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

我的数据结构是这样的:

int **table = 0;
table = new int *[row];
for(int i=0;i<row;i++)
table[i] = new int[column];

我只能这样写排序函数:

sort(a[0], a[0]+row, compare_function);

bool compare_function(int a[], int b[])
{
    int i =0;
    while(a[i]==0 ||a[i]==1)
    {
        if(a[i]>b[i])
            return true;
        else
            i++;
    }
    return false;
}

但它不起作用。有人能帮我吗?非常感谢。

4

2 回答 2

0

将比较功能更改为:

bool comp(const int a[], const int b[]){
  int sum1 = std::accumulate(a, a + column, 0);
  int sum2 = std::accumulate(b, b + column, 0);
  return sum1 < sum2;
}
于 2012-12-21T21:01:25.897 回答
0

您对 sort 的调用在我看来是错误的(尽管您从未说过是什么a)。它应该是sort(table, table+row, compare_function)

但无论如何我都会做一些不同的事情(std::lexicographical_compare来自<algorithm>):

struct compare_rows {
  const int cols;
  compare_rows(int cols_) : cols(cols_) {}
  bool operator()(const int a[], const int b[]) const {
    // a b reversed to give descending sort
    return lexicographical_compare(b, b+cols, a, a+cols);
    }
  };

并像这样使用它:

sort(table, table+row, compare_rows(column))
于 2012-12-21T21:49:07.193 回答