0

我有一些这样的:

struct Node{
 int value;
 Node *left, Node *right;
 Node(): value(0), left(0), right(0){}
}
std::vector<Node> nodeList = getNodes();

我希望上面做一个循环缓冲区。所以

nodeList[i].left = &nodeList[i - 1]; 
nodeList[i].right= &nodeList[i + 1];

注意 nodeList[0].left 指向 nodeList 的末尾, nodeList.back().right 指向 nodeList 的开头;

现在问题来了,nodeList[i].left 和 nodeList[i].right 只指向其前一个邻居的地址,而不一定指向实际的邻居对象。因此,如果我要对 nodeList 进行排序,左右指针将不再指向原始节点。相反,它们将指向新的左右邻居。希望问题很清楚,即使 nodeList[0] 移动到不同的位置,我如何才能让例如 nodeList[1].left 指向 nodeList[0] ?

4

1 回答 1

1

你可以做一个

std::vector<int> originalData = getOriginalData();

然后在保留对原始顺序的访问权的同时对其进行排序,只需对

std::vector<int const*> itemPointers;

您可以像这样初始化:

for( auto&& x : originalData )
{
    itemPointers.push_back( &x );
}

现在只需排序:

std::sort(
    itemPointers.begin(), itemPointers.end(),
    []( int const* p1, int const* p2 ) { return (*p1 < *p2); }
    );

完整的代码还显示了访问原始数据前置项的详细信息:

#include <algorithm>        // std::sort
#include <iostream>
#include <utility>          // std::begin, std:.end
#include <vector>           // std::vector
//using namespace std;


std::vector< int > getOriginalData()
{
    static int const data[] = {3, 1, 4, 1, 5, 9, 2, 6, 5, 4};
    return std::vector<int>( std::begin( data ), std::end( data ) );
}

int main()
{
    std::vector<int> const originalData = getOriginalData();

    std::vector<int const*> itemPointers;

    for( auto const& x : originalData )
    {
        itemPointers.push_back( &x );
    }

    std::sort(
        itemPointers.begin(), itemPointers.end(),
        []( int const* p1, int const* p2 ) { return (*p1 < *p2); }
        );

    std::wcout << "Sorted: ";
    for( auto const p : itemPointers )
    {
        std::wcout << *p << " ";
    }
    std::wcout << std::endl;

    std::wcout << "Predecessors in original data: ";
    for( auto const p : itemPointers )
    {
        int const* const pPred = (p == &originalData[0]? nullptr : p - 1);
        if( pPred == nullptr )
        { std::wcout << "! "; }
        else
        { std::wcout << *pPred << " "; }
    }
    std::wcout << std::endl;
}
于 2012-11-20T06:25:41.880 回答