C ++
我想知道为什么在指针到成员转换的情况下,从派生类指针到基类指针的简单转换失败。 例如,
struct Base {};
struct Derived: public Base {};
struct X {
Derived field;
};
int main(int argc, char *argv[]) {
Base X::* ptr1 = &X::field;
return 0;
}
给出错误:
$ g++ t.cc
t.cc: In function ‘int main(int, char**)’:
t.cc:9:24: error: invalid conversion from ‘Derived X::*’ to ‘Base X::*’ [-fpermissive]
Base X::* ptr1 = &X::field;
^
Base X::*
意味着指向X类型成员的指针,类型为Base。
它不一样
Base*
没有转换
Base*
至
Base X::*
因此没有转换
Derived*
至
Base X::*
同样, Base X::*
和Derived X::*
之间没有转换
例:
#include <iostream>
using namespace std;
class Base
{
};
class Derived : public Base
{
};
class X {
public:
Derived field1;
Base field2;
};
int main() {
Base X::* ptr1 = &X::field1; // Derived X::* to Base X::* OK ?
Derived X::* ptr2 = &X::field2; // Base X::* to Derived X::* OK ?
return 0;
}
这将导致
prog.cpp:20:28: error: invalid conversion from 'Derived X::*' to 'Base X::*' [-fpermissive]
Base X::* ptr1 = &X::field1;
^
prog.cpp:21:31: error: invalid conversion from 'Base X::*' to 'Derived X::*' [-fpermissive]
Derived X::* ptr2 = &X::field2;
所以为了编译,它需要是:
int main() {
Derived X::* ptr1 = &X::field1;
Base X::* ptr2 = &X::field2;
return 0;
}
以下是如何使用指向成员的示例:
#include <iostream>
#include <vector>
using namespace std;
class Base
{
public:
Base(int g1) : g(g1) {}
int g;
};
class Derived : public Base
{
public:
Derived(int d) : Base(d) {}
};
class X {
public:
X(int f1, int f2) : field1(f1), field2(f2) {}
Derived field1;
Derived field2;
};
void foo(vector<X>& vx, Derived X::*d)
{
cout << "foo" << endl;
for (auto& x : vx)
{
cout << (x.*d).g << endl;
}
}
int main() {
vector<X> vx {{5, 10}, {50, 100}};
foo(vx, &X::field1); // Print field1.g of all elements in vector vx
foo(vx, &X::field2); // Print field2.g of all elements in vector vx
return 0;
}
这将输出:
foo
5
50
foo
10
100
因为两者之间没有有意义的转换。
您试图将“指向B类中的某个东西的指针”分配给类型为“指向A类中的东西的指针”的对象。
这两个类之间的继承关系在这里没有关系 - 类A根本不包含你想指向的东西。 类型系统正在完成其工作。
你必须找到其他方式来做你想做的事情。 不幸的是你没有说这是什么,所以我不能再帮助!
这是对的。 使用指向成员的指针时,不能使用指向基的指针来标识派生类。 指针到成员不是指针! :)
链接地址: http://www.djcxy.com/p/23331.html上一篇: c++
下一篇: why does pointer to member conversion from base to derived gives error