C ++ STL中SORT的自定义比较功能?

问题描述 投票:0回答:2

我在用

       typedef pair < long , pair <bool ,long > > t;
       vector <t> time ;

我需要使用std::sort()函数对上面的矢量进行排序,但使用自定义比较函数。我写了一个版本,但工作不正常。你能指出我的错误吗?

     bool comp ( const t &a , const t &b){

         if ( a.first < b.first)
             return a.first > b.first ;
         else if ( b.first < a.first )
             return b.first > a.first ;
         else if ( a.first == b.first )
         {
             if ( a.second.first == false && b.second.first == true)
                return a.first > b.first ;
             else if ( a.second.first == true && b.second.first == false)
                return b.first > a.first ;
             else
                return a.first > b.first ;
          }
      }


      inside main(){
         sort ( time.begin() ,time.end() ,comp) ;
      }

定制案例:

排序前:矢量时间

       10 1 1 
      100 0 1
      100 1 2
      200 0 2
      150 1 2
      500 0 2
      200 1 2
      300 0 2

排序后:

      10 1 1
      100 0 1
      100 1 2
      150 1 2
      200 0 2
      200 1 2
      300 0 2
      500 0 2
c++ sorting stl
2个回答
1
投票

您的比较函数未定义排序。事实上,任何时候a.first != b.first似乎都会回归真实。

我不确定你想要什么样的自定义订单。 std :: pair的标准排序将导致类似于:

bool
comp( t const& a, t const& b )
{
    if ( a.first != b.first )
        return a.first < b.first;
    else if ( a.second.first != b.second.first )
        return a.second.first < b.second.first;
    else 
        return a.second.second < b.second.second;
}

它实际上有点复杂,因为它使用的唯一比较运算符是<。但如果<!=都可用,并且表现正常,则结果与上述结果相同。

你可以轻松地采用它来按你想要的顺序比较元素;如果你想反转其中一个元素的顺序,只需用<替换>

最后,false比较true的布尔值。


3
投票

它应该是:

if ( a.first < b.first)
    return true
else if ( b.first < a.first )
    return false;
// etc.

在您的版本中,它在两种情况下都返回false。

© www.soinside.com 2019 - 2024. All rights reserved.