编译错误:想要指针而不是对象

时间:2011-12-09 19:10:50

标签: c++ compiler-errors

在制作两个obecjts的阵列时出现以下错误.Edge和Box。

error: conversion from 'const Edge*' to non-scalar type 'Edge' requested.

我希望返回一个Edges数组。

在此标头文件中:

class Box
{
private:
    bool playerOwned; 
    bool computerOwned;
    Edge boxEdges[4];
    int openEdges;
    bool full;

public:
    Box();
    Box(int x, int y);
    void setEdges(Edge boxTop, Edge boxBottom, Edge boxLeft, Edge boxRight);
    void addEdgeToBox(Edge edge); //add edge to edgeArray.
    void setPlayerOwned(bool point);
    Edge getBoxEdges() const {return boxEdges;}                ****//Error****
    bool getPlayerOwned() const {return playerOwned;}
    void setComputerOwned(bool point);
    bool getComputerOwned()const {return computerOwned;}
    int getOpenEdges() const {return openEdges;}
    bool isFull()const {return full;}

};
std::ostream& operator<< (std::ostream& out, Box box);

我得到了同样的错误,除了在尝试创建Box的非标题文件中的下一行中将'Edge'替换为'Box'。

  Box box = new Box(x+i,y);

1 个答案:

答案 0 :(得分:4)

Box box = new Box(x+i,y);  //error

这里有一个错误。你应该把它写成:

Box *box = new Box(x+i,y); //ok

这是因为当你使用new时,你需要分配内存,只有一个指针可以保存一个内存,所以box必须是指针类型

同样,

Edge getBoxEdges() const {return boxEdges;}  //error

应写成:

const Edge* getBoxEdges() const {return boxEdges;}  //ok

这是因为boxEdges是一个数组,它可以衰减为第一个元素的指针类型,并且由于它是const成员函数,boxEdges将衰减为const Edge*


顺便说一句,在第一种情况下,您使用自动对象代替指针

Box box(x+i, y); //ok

我建议你将operator<<的第二个参数作为const引用:

//std::ostream& operator<< (std::ostream& out, Box box); //don't use this
std::ostream& operator<< (std::ostream& out, Box const & box); //use this

这可以避免不必要的复制!