0

所以过去几周我一直在努力学习 C++。在用 C++ 编码时,我倾向于用 Java 逻辑来思考。

所以说在java中我有这个代码:

public class Entity {
    public Entity(){
        Foobar foobar = new Foobar(this);
    }

    public void randomMethod(){
        System.out.println("I am an entity");
    }
}

public class Foobar{
    public Foobar(Entity e){
        e.randomMethod();
    }
}

当我创建 Foobar 的实例时,我想将实例化它的 Entity 类传递给 Foobar 构造函数。我很难在 C++ 中实现相同的代码。

编辑 基本上,我希望在另一个类中实例化的对象了解它的容器类。

4

2 回答 2

1

这是问题中 Java 代码的 C++ 版本。希望这可以帮助。

class Entity {
public:
    Entity();
    void randomMethod();
};

class Foobar : public Entity {
public:
    Foobar(Entity *e);
};

Foobar::Foobar(Entity *e) {
    e->randomMethod();
}

Entity::Entity() {
    Foobar *foobar = new Foobar(this);
}

void Entity::randomMethod() {
    std::cout << "I am an entity";
}
于 2013-08-06T18:37:07.080 回答
0

与 Java(它是不可见的)不同,在 C++ 中,您必须表明pointers自己。

如果要引用现有对象,则必须&在调用方法时添加,并且必须指定参数 with*以指示它是指针。

public: Foobar(Entity* e)
{ // logic here
}

public: Entity() {
    Foobar foobar = new Foobar(this);
}
于 2013-08-06T18:12:55.530 回答