1

下面的代码执行速度提高了 4 倍,如果在“REPLACING WITH ..”行附近,仿函数 compare_swaps() 将被替换为直接引用 my_intcmp()。显然,间接使用没有被内联。为什么?

inline bool my_intcmp( const int & a, const int & b ) {
        return a < b;
}


template <class T, class compare>
void insertion_sort_3( T* first, T* last, compare compare_swaps ) {
    // Count is 1?
    if( 1 == (last - first) )
        return;

    for( T* it = first + 1; it != last; it ++ ) {
        T val = *it;
        T* jt;

        for( jt = it; jt != first; jt -- ) {
            // REPLACING WITH if( my_intcmp(val, *(jt - 1) ) gives 4x speedup, WHY?
            if( compare_swaps(val, *(jt - 1)) ) {
                *jt = *(jt - 1);
            } else {
                break;
            }
        }

        *jt = val;
    }
}

#define SIZE 100000
#define COUNT 4

int main() {
    int myarr[ SIZE ];

    srand( time(NULL) );

    int n = COUNT;
    while( n-- ) {
        for( int i = 0; i < SIZE; i ++ )
            myarr[ i ] = rand() % 20000;

        insertion_sort_3( myarr, myarr + SIZE, my_intcmp );
    }

    return 0;
}
4

1 回答 1

3

编译器看到一个函数指针,他无法真正确定它没有改变。我以前见过几次。该问题的解决方法是使用一个简单的包装器struct

struct my_intcmp_wrapper
{
    bool operator()(int v0, int v1) const {
        return my_intcmp(v0, v1);
    }
};

特别是对于内置类型,您可能希望通过值而不是通过引用传递对象。对于内联函数,它可能没有太大的区别,但如果函数没有内联,它通常会使情况变得更糟。

于 2012-10-03T23:45:24.460 回答