1

我正在尝试使用两个类的变量来从 A 类的变量访问 B 类的变量,反之亦然。但是,我想不出一个可能的解决方案。它总是以循环或以下错误结束:

error: invalid use of non-static data member  

这是代码示例:

播放器.h:

  #ifndef _PLAYER_H_
  #define _PLAYER_H_

#include "Segment/Dynamic_Segment.h"

class Attributes_P;

class Attributes_P : public Attributes_DS{
  protected:
  int inv_mcols, inv_mrows;

  public:
  Attributes_P();
  void controls( int MKEY_UP, int MKEY_RIGHT, int MKEY_DOWN, int MKEY_LEFT );
  void inventory( int inv_mcols, int inv_mrows );
};

class Player : public Dynamic_Segment{
  protected:
  int   **inv;

  public:

  int   MKEY_UP, MKEY_RIGHT, MKEY_DOWN, MKEY_LEFT;

  public:

  Player();
  Attributes_P set;
  friend class Core;
  friend class Attributes_P;

};
#endif

播放器.cpp:

#include "Segment/Player.h"

Attributes_P::Attributes_P(){};

Player::Player() : Dynamic_Segment(){
  set.inv_mcols = 0;
  set.inv_mrows = 0;
}

void Attributes_P::inventory( int inv_mcols, int inv_mrows ) {
  this->inv_mcols = inv_mcols;
  this->inv_mrows = inv_mrows;
  Player::inv = new int*[this->inv_mcols]; //<--- Error here
  for( int i = 0; i < this->inv_mrows; i++ ) {
    Player::inv[i] = new int[this->inv_mcols]; //<--- Error here
  }
}

void Attributes_P::controls( int MKEY_UP, int MKEY_RIGHT, int MKEY_DOWN, int MKEY_LEFT ) {
  Player::MKEY_UP = MKEY_UP; //<--- Error here
  Player::MKEY_RIGHT = MKEY_RIGHT; //<--- Error here
  Player::MKEY_DOWN = MKEY_DOWN; //<--- Error here
  Player::MKEY_LEFT = MKEY_LEFT; //<--- Error here
}

一段时间以来,我一直在用头撞墙……任何想法都将不胜感激!

4

3 回答 3

4

成员

Player::MKEY_UP
Player::MKEY_RIGHT
Player::MKEY_DOWN
Player::MKEY_LEFT

不是static,因此您只能通过 type 的对象访问它们Player,而不是通过类实例。

假设您创建了 2 个玩家对象,p1并且p2. 当您调用 时,您Attributes_P::controls应该更改两个对象的哪一个成员?p1还是p2

您可以声明这些成员,就static好像您希望它们在Player对象之间共享,或者将特定Player对象作为参数传递并直接访问其成员。这是逻辑的一部分,选择取决于您希望程序如何工作。

于 2013-01-11T15:35:49.863 回答
2

您不能访问属性 MKEY_UP、MKEY_RIGHT、MKEY_DOWN、MKEY_LEFT 和 inv,因为它们是私有的。

将它们设为私有并编写 getter/setter!

于 2013-01-11T15:50:18.610 回答
0

我认为您的数据可能过于紧密地交织在一起,也许应该只是一类。类的一个目的是封装数据,这样你就不会去摆弄别人的隐私了。您正在使用的数组和数组等还有其他问题new。但是......

Attributes_P::inventory您尝试修改inv,它被声明为 的成员Player。但Attributes_P不知道你指的是哪个玩家。你需要要么

  1. Player将实例传递给inventory函数,或
  2. 使用Attributes_Pplayer.

选项1:

void Attributes_P::inventory(int inv_mcols, int inv_mrows, Player& player) {
    player.inv = ...
}

选项 2:

class Player; // needed so compiler understands next few lines refering to Player

class Attributes_P {
    Player& m_player;
public:
    Attributes_P(Player& player) : m_player(player) {
    }
};

class Player {
    Attributes_P m_attributes;
public:
    Player() : m_attributes(*this) { // pass self to Attributes_P constructor
    }
}

void Attributes_P::inventory(int inv_mcols, int inv_mrows) {
    m_player.inv = ...
}
于 2013-01-11T20:23:40.393 回答