17

これに関する他のいくつかの質問を見てきましたが、私の場合、デフォルトのコンストラクターを呼び出す必要がある理由がわかりません。デフォルトのコンストラクターを提供することもできますが、なぜこれを行うのか、またそれが何に影響するのかを理解したいと考えています。

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

CubeGeometry のメンバー変数を持つ ProxyPiece というクラスがあります。コンストラクターは、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

メンバーの初期化は、コンストラクターの開始時に発生します。コンストラクターのメンバー初期化リストに初期化子を指定しない場合、メンバーはデフォルトで構築されます。member の初期化に使用するコンストラクターをコピーする場合cubeは、メンバー初期化リストを使用します。

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

コロンに続くものはすべて初期化リストです。これは単にcubeで初期化する必要があることを示していますc

あなたが持っていたように、cubeメンバーは最初にデフォルトで初期化され、次にコピーcが割り当てられました。

于 2013-03-29T19:28:22.237 に答える