1

我正在使用 mingw32 在 Windows 上运行一个使用 TBB 构建的小程序。它做了一个parallel_for。在 parallel_for 中,我的对象对 concurrent_hash_map 对象进行了更改。它开始运行,但后来当我尝试使用访问器时抛出一个 SIGSEGV。我不知道问题出在哪里。

我的对象:

class Foobar
{
public:
    Foobar(FoobarParent* rw) : _rw(rw)
    {
        _fooMap = &_rw->randomWalkers();
    }

    void operator() (const tbb::blocked_range<size_t>&r ) const
    {
        for(size_t i = r.begin(); i != r.end(); ++i)
        {
            apply(i);
        }
    }

private:
    void apply(int i) const
    {
        pointMap_t::accessor a;
        _fooMap->find(a, i);
        Point3D current = a->second;
        Point3D next = _rw->getNext(current);

        if (!_rw->hasConstraint(next))
        {
            return;
        }

        a->second = next;
    }

    FoobarParent* _rw;
    pointMap_t* _fooMap;
};

pointMap_t 定义为:

typedef tbb::concurrent_hash_map<int, Point3D> pointMap_t;

有人可以阐明这个问题吗?我是新来的TBB。当 apply 方法调用 a->second 时抛出信号。

4

1 回答 1

1

这段代码有两个潜在的问题。

首先,如果find()没有找到指定的key,那么将无法解引用a->second。您应该重写它以insert()确保元素的存在或添加条件检查,例如:

if( a ) // process it

其次,在访问者的锁下调用 getNext 和 hasConstraint。在锁下调用任何东西是危险的,因为它内部可能有另一个锁或对 TBB 的调用,因此可能导致死锁或其他问题。

于 2014-04-27T13:37:26.580 回答