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

Compile Error: Wants Pointer instead of Object

本文关键字:对象 指针 错误 编译      更新时间:2023-10-16

我在制作两个obecjts的数组时遇到以下错误。边缘和盒子。

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

我希望返回一个边缘数组。

在此头文件上:

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);
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<<的第二个参数设为常量引用:

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

这避免了不必要的复制!