我正试图通过房间类本身的功能访问'room'数组,即:
class ship{
room * rooms[3][4];
public:
room ** getrooms(){
return *rooms;
}
}
class room{
//variables...
ship * ship_ptr;
public:
getShipPtr(); //assume it returns the pointer to the class ship
void function_x(){
this->getShipPtr()->getrooms()->rooms[x][y]->doThat();
}
}
我正在做一些错误的指针,但我不确定,什么可以纠正代码,以便我可以从船类访问房间阵列? 注意:假设房间已经启动
答案 0 :(得分:3)
我做错了指针,但我不确定
您假设2D数组可以衰减为指向指针的指针,就像1D数组可以衰减为指针一样。
int arr1[10];
int* ptr1 = arr1; // OK. 1D array decays to a pointer.
int arr2[10][20];
int** ptr2 = arr2; // Not OK. 2D array does not decay to a pointer to pointer.
int (*ptr2)[20] = arr2; // OK. ptr2 is a pointer to "an array of 20" objects.
我的建议:
简化您的代码并将界面更改为:
room* getRoom(size_t i, size_t j){
// Add checks to make sure that i and j are within bounds.
return rooms[i][j];
}
答案 1 :(得分:1)
我不会坚持使用std::vector
等,尽管你的老师应该教你从一开始就使用它们。所以让我们坚持用C ++编写C语言。您不能将2D数组作为双指针返回,因为前者不会衰减到后者。如果你坚持要返回指向数组的指针,你需要的是
room* (*getrooms())[4] // define a function returning a pointer to array-4 of room*
{
return rooms;
}
这是因为2D阵列的类型,例如T arr[A][B]
衰减到T
的数组-B的指针。
答案 2 :(得分:1)
我认为问题的根本原因是让rooms
了解ship
和ship
了解rooms
的循环依赖性。
我建议采用不同的设计:
class Ship
{
Room ship_rooms[3][4]; // Note, not dynamically allocated.
public:
void move_unit(Room& from_room, Room& destination)
{
destination.set_unit(from_room.get_unit());
}
void move_unit(unsigned int from_row, unsigned int from_column,
unsigned int dest_row, unsigned int dest_column)
{
ship_rooms[dest_row][dest_column].set_unit(ship_rooms[from_row][from_column].get_unit());
}
Room& get_room(unsigned int row, unsigned int column)
{ return ship_rooms[row][column]; }
};
在上述设计中,Ship
负责房间之间的移动单位。客房将获得(切割)单位或设置单位(接收)。这样就无需房间了解船舶的任何信息。
另一种可能的设计是将房间移动到另一个房间:
class Room
{
Item unit;
public:
void receive_unit(const Room& other)
{
unit = other.unit;
}
void transfer_unit(Room& other)
{
other.unit = unit;
}
};
上述结构允许房间相互沟通,,不知道有关船舶或集装箱的任何信息。
注意:这些设计通过不需要指针来解决指针问题。而是使用参考。
Downvoters:请在评论中添加说明。