17

我已经查看了其他一些关于此的问题,但我不明白为什么在我的情况下甚至应该调用默认构造函数。我可以只提供一个默认构造函数,但我想了解它为什么这样做以及它会影响什么。

error C2512: 'CubeGeometry' : no appropriate default constructor available  

我有一个名为 ProxyPiece 的类,其成员变量为 CubeGeometry。构造函数应该接受一个 CubeGeometry 并将其分配给成员变量。这是标题:

#pragma once
#include "CubeGeometry.h"

using namespace std;
class ProxyPiece
{
public:
    ProxyPiece(CubeGeometry& c);
    virtual ~ProxyPiece(void);
private:
    CubeGeometry cube;
};

和来源:

#include "StdAfx.h"
#include "ProxyPiece.h"

ProxyPiece::ProxyPiece(CubeGeometry& c)
{
    cube=c;
}


ProxyPiece::~ProxyPiece(void)
{
}

立方体几何的标题看起来像这样。使用默认构造函数对我来说没有意义。我还需要它吗?:

#pragma once
#include "Vector.h"
#include "Segment.h"
#include <vector>

using namespace std;

class CubeGeometry
{
public:
    CubeGeometry(Vector3 c, float l);

    virtual ~CubeGeometry(void);

    Segment* getSegments(){
        return segments;
    }

    Vector3* getCorners(){
        return corners;
    }

    float getLength(){
        return length;
    }

    void draw();

    Vector3 convertModelToTextureCoord (Vector3 modCoord) const;

    void setupCornersAndSegments();

private:
    //8 corners
    Vector3 corners[8];

    //and some segments
    Segment segments[12];

    Vector3 center;
    float length;
    float halfLength;
};
4

2 回答 2

34

您的默认构造函数在这里被隐式调用:

ProxyPiece::ProxyPiece(CubeGeometry& c)
{
    cube=c;
}

你要

ProxyPiece::ProxyPiece(CubeGeometry& c)
   :cube(c)
{
    
}

否则你的ctor相当于

ProxyPiece::ProxyPiece(CubeGeometry& c)
    :cube() //default ctor called here!
{
    cube.operator=(c); //a function call on an already initialized object
}

冒号后面的东西叫做成员初始化列表

const CubeGeometry& c顺便说一句,CubeGeomety& c如果我是你,我会接受这个论点。

于 2013-03-29T19:27:52.397 回答
9

成员初始化发生在构造函数开始时。如果您没有在构造函数的成员初始化列表中提供初始化器,则该成员将被默认构造。如果要复制构造函数用于初始化成员cube,请使用成员初始化列表:

ProxyPiece::ProxyPiece(CubeGeometry& c)
  : cube(c)
{ }

冒号后面的所有内容都是初始化列表。这只是说cube应该用 初始化c

正如您所拥有的,该cube成员首先被默认初始化,然后c复制分配给它。

于 2013-03-29T19:28:22.237 回答