1

我收到如下错误:

Error   24  error C2440: 'initializing' : cannot convert from 'std::_List_const_iterator<_Mylist>' to 'AttrValue'   c:\program files (x86)\microsoft visual studio 10.0\vc\include\xmemory  208
Error   25  error C2100: illegal indirection    c:\program files (x86)\microsoft visual studio 10.0\vc\include\xrefwrap 49
Error   26  error C2296: '.*' : illegal, left operand has type 'AttrValue'  c:\program files (x86)\microsoft visual studio 10.0\vc\include\xrefwrap 49
Error   37  error C2440: 'initializing' : cannot convert from 'std::_List_const_iterator<_Mylist>' to 'AttrValue'   c:\program files (x86)\microsoft visual studio 10.0\vc\include\xmemory  208
Error   38  error C2100: illegal indirection    c:\program files (x86)\microsoft visual studio 10.0\vc\include\xrefwrap 49
Error   39  error C2296: '.*' : illegal, left operand has type 'AttrValue'  c:\program files (x86)\microsoft visual studio 10.0\vc\include\xrefwrap 49

它没有指向我的代码,所以我不知道出了什么问题。但是查看 MSDN 文档,我认为问题可能是由以下原因引起的:

function<bool(AttrValue)> QueryEvaluatorPrivate::getClausePredicate(Relation clauseType, int preferedIndex) {
    switch (clauseType) {
    case UsesRelation:
        if (preferedIndex == 0)
            return &QueryEvaluatorPrivate::hasVarsUsed;
        return &QueryEvaluatorPrivate::hasStmtsUsing;
    case UsesPRelation:
        if (preferedIndex == 0)
            return &QueryEvaluatorPrivate::hasVarsUsedInProc;
        return &QueryEvaluatorPrivate::hasProcsUsing;
    }
}

hasVarsUsed和其他has*函数只是返回 a 的函数bool。这有什么问题吗?

更新

在@Cameron 的评论之后,在输出窗口中是output。我认为违规行是output.insert(x)(最后一行):

    ... 
    function<bool(AttrValue)> clausePredicate = getClausePredicate(cl.type, prefered);
    unordered_set<AttrValue> output;
    if (prefered == pos) {
        for (auto x = input.begin(); x != input.end(); ++x) 
            if (clausePredicate(*x)) 
                output.insert(x);
    ...

但那有什么问题呢?也许我看错地方了?

更新 2

修复了第一个问题output.insert(x)应该是output.insert(*x)......但我有

Error   6   error C2100: illegal indirection    c:\program files (x86)\microsoft visual studio 10.0\vc\include\xrefwrap 49

我认为违规行是:

return &QueryEvaluatorPrivate::hasVarsUsed;

我可能错误地返回函数?

// function declaration
bool QueryEvaluatorPrivate::hasVarsUsed(StmtNum s)
4

2 回答 2

1

x = input.begin() -> 看起来 x 是某种迭代器

也许你应该这样做:

output.insert(*x)

代替

output.insert(x)
于 2013-03-29T14:31:03.130 回答
1

看起来您正在尝试使用具有错误签名的函数,可能StmtNum是因为派生类是AttrValue? 下面是一个例子来解释:

#include <functional>

struct A {};
struct B : A {};

void fa( A ) {}
void fb( B ) {}

int main()
{
  std::function<void(A)> f1( &fa ); // OK
  std::function<void(A)> f2( &fb ); // fails
}

在您的代码中,我看到function<bool(AttrValue)>了,但功能是

bool QueryEvaluatorPrivate::hasVarsUsed(StmtNum s);

此外,此函数必须是静态的,因为在传递指向它们的指针时,您不能简单地将自由(或静态)函数与成员函数混合使用。

于 2013-03-29T15:04:37.817 回答