QtConcurrent :: map()与成员函数=无法编译

时间:2012-04-28 06:00:57

标签: multithreading qt qtconcurrent

我的项目是创建一个小程序,演示搜索引擎的工作:索引和返回任意查询的结果。我已经完成了索引器部分的工作,现在我想通过一次索引多个文件来改进它。 MainWindow类在这里:

class MainWindow : public QMainWindow
{
    Q_OBJECT
    .....
private:
    Indexer * indexer;
    QStringList fileList;
    ....
    void index(QStringList list);
    void add(const QString &filename);
}

这是add的实现(add需要访问fileList以避免再次索引相同的文件,因此它不能是静态方法):

void MainWindow::add(const QString &filename)
{
    if (!fileList.contains(filename))
    {
        indexer->addDocument(filename.toStdString());
        fileList.append(filename);
        qDebug() << "Indexed" << filename;
        emit updatedList(fileList);
    }
}

index方法的实现是接收文件列表并在每个文件名上调用add

void MainWindow::index(QStringList list)
{
    ....
    QtConcurrent::map(list, &MainWindow::add);
    ....
}

编译这些代码时收到的错误是:

usr/include/qt4/QtCore/qtconcurrentmapkernel.h: In member function 'bool QtConcurrent::MapKernel<Iterator, MapFunctor>::runIteration(Iterator, int, void*) [with Iterator = QList<QString>::iterator, MapFunctor = QtConcurrent::MemberFunctionWrapper1<void, MainWindow, const QString&>]':
../search-engine/mainwindow.cpp:361:1:   instantiated from here
/usr/include/qt4/QtCore/qtconcurrentmapkernel.h:73:9: error: no match for call to '(QtConcurrent::MemberFunctionWrapper1<void, MainWindow, const QString&>) (QString&)'
/usr/include/qt4/QtCore/qtconcurrentfunctionwrappers.h:128:7: note: candidate is:
/usr/include/qt4/QtCore/qtconcurrentfunctionwrappers.h:138:14: note: T QtConcurrent::MemberFunctionWrapper1<T, C, U>::operator()(C&, U) [with T = void, C = MainWindow, U = const QString&]
/usr/include/qt4/QtCore/qtconcurrentfunctionwrappers.h:138:14: note:   candidate expects 2 arguments, 1 provided

我对QtConcurrent的工作方式并不熟悉,文档中没有提供太多详细信息。我真的希望这里有人可以提供帮助。提前谢谢。

1 个答案:

答案 0 :(得分:8)

为了能够调用指向成员的指针,除了函数形式参数之外,还需要该类的实例(成员函数内部的this指针)。

有两种方法可以解决这个问题:创建一个简单的函子来包装调用,或使用lambda。

仿函数看起来像这样:

struct AddWrapper {
  MainWindow *instance;
  AddWrapper(MainWindow *w): instance(w) {}
  void operator()(QString const& data) {
    instance->add(data);
  }
};

你会像以下一样使用它:

AddWrapper wrap(this);
QtConcurrent::map(list, wrap);

(小心那个包装器的生命周期。你可以使它更通用 - 例如,你也可以在包装器中存储指向成员的指针,和/或如果你想重用那个结构,可以把它作为模板对于其他类型。)

如果你有一个带有lambdas的C ++ 11编译器,你可以避免所有的那些:

QtConcurrent::map(list, [this] (QString const& data) { add(data); });

注意:我不确定QtConcurrent::MemberFunctionWrapper1如何参与你的例子,我在这里没有看到它。因此,对于这种情况,Qt中可能已存在通用包装器,但我不知道它。