我已经搜索了这个问题的答案,并尝试了许多解决方案,包括前向声明,指针和引用。我确定我只是在某处使用了错误的语法。经过多次浪费时间后,我决定转向堆栈溢出。
我正在尝试将我的第一个CPP应用程序之一编码为学习体验。现在我有一个Player和一个Ball对象。我的Ball对象必须能够访问我的播放器对象中的一些成员变量和方法。我一直无法弄清楚如何做到这一点。下面是我的代码的极简化版本。我评论了特别重要的代码。
PlayState.hpp
#ifndef PLAYSTATE_HPP
#define PLAYSTATE_HPP
#include "Player.hpp"
#include "Ball.hpp"
class Player;
class Ball;
class PlayState
{
public:
PlayState();
Player player;
Ball ball;
};
#endif
PlayState.cpp
#include "PlayState.hpp"
PlayState::PlayState() {
}
void PlayState::update() {
if (sf::Keyboard::isKeyPressed(sf::Keyboard::W))
{
ball.checkCollision();
player.move(1);
}
ball.update();
}
void PlayState::draw()
{
m_game.screen.clear();
m_game.screen.draw( player.getSprite() );
m_game.screen.draw( ball.getSprite() );
m_game.screen.display();
}
Player.hpp
#ifndef PLAYER_HPP
#define PLAYER_HPP
class Player
{
public:
Player();
~Player();
void create();
void setRotation(float);
void setPosition(float, float);
};
#endif
Player.cpp应该不是那么重要。
Ball.hpp
#ifndef BALL_HPP
#define BALL_HPP
class Player; // I don't think forward declaration is what I need???
class Ball
{
public:
bool picked_up;
bool throwing;
Player *player; // this isn't working
Ball();
~Ball();
bool checkCollision();
};
#endif
Ball.cpp
#include "Ball.hpp"
Ball::Ball() {
Ball::picked_up = false;
Ball::throwing = false;
}
Ball::~Ball() {
}
bool Ball::checkCollision()
{
float ball_position_x = Ball::getPosition().x;
float ball_position_y = Ball::getPosition().y;
// I need to access the player object here.
float x_distance = abs(player.getPosition().x - ball_position_x);
float y_distance = abs(player.getPosition().y - ball_position_y);
bool is_colliding = (x_distance * 2 < (player.IMG_WIDTH + Ball::width)) && (y_distance * 2 < (player.IMG_HEIGHT + Ball::height));
return is_colliding;
}
答案 0 :(得分:0)
当您说player
时,您的意思是与当前player
对象位于同一playstate
对象中的完全相同的ball
吗?如果是这样,您想首先设置该链接,则无法自动完成。
PlayState::PlayState() :ball(&player){ //pass pointer to ball of its player?
}
class Ball
...
Ball(Player *myPlayer);
...
}
Ball::Ball(Player *myPlayer):player(myPlayer) {
...
// I need to access the player object here.
float x_distance = abs(player->getPosition().x - ball_position_x);
您还需要使用指针来使用播放器,因为它是指向播放器对象的指针。
你确实需要在Ball类之上的Player的前向声明。 Playstate上面的那个是不必要的。
此外,您的播放器似乎没有GetPosition功能,我假设它是您忘记包含在上面的公共成员函数。