0

是否可以从 C++ 中预定义的 Type_pointer 转换为其类型?

例如,我们定义了一个自定义 XType。我想做这样的事情,但我得到一个错误:

XType* b;    
XType a = (XType) b; 

我想将指针本身传递给只接受Type(不是Type*)的函数

4

2 回答 2

2

您应该使用运算符取消引用指针*

struct Type {
  Type(Type*) {}
};

void f(Type t) {
}

int main () {
  Type a;
  Type* b = &a;

  // Q: how to invoke f() if I only have b?
  // A: With the dereference operator
  f(*b);
}
于 2012-10-08T14:55:31.570 回答
0

除了@Robᵩ 的提议,您还可以更改函数以接受指针。

实际上,如果您打算从给定函数中将指针传递给其他函数,则必须将指针(或者引用)作为参数,否则您将获得原始对象的副本作为参数,因此您'将无法检索到原始对象的地址(即指针)。

如果你想省去重构,你可以做参考技巧:

void g(T* pt)
{
    // ...
}

void f(T& rt) // was: void f(T rt)
{
    cout << rt.x << endl; // no need to change, syntax of ref access
                          // is the same as value access
    g(&rt); // here you get the pointer to the original t
}

T* t = new T();
f(t);
于 2012-10-08T15:02:27.647 回答