C ++自动加载对象属性的默认构造函数

时间:2019-05-12 18:52:06

标签: c++ sfml

我是C ++编程的新手,我遇到的问题是WorldMapState类自动创建属性为tile_map (TileMap)的新对象。如果TileMap在构造函数上没有参数,那么没有问题,但是我添加了三个参数,WorldMapState自动尝试创建一个带有空构造函数的对象。为什么C ++以这种方式工作?我该如何解决这个问题?

#pragma once
#include <SFML\Graphics.hpp>

namespace SaGa {

    class TileMap : public sf::Drawable, public sf::Transformable
    {
    public:
        TileMap(unsigned int width, unsigned int height, unsigned int tileSize);
        bool load(const std::string& tileset, sf::Vector2u tileSize, const int* tiles);
        void setSprite(unsigned int value, unsigned int x, unsigned int y);
    private:
        virtual void draw(sf::RenderTarget& target, sf::RenderStates states) const;

        sf::VertexArray m_vertices;
        sf::Texture m_tileset;

        unsigned int _width;
        unsigned int _height;
        unsigned int _tileSize;
    };
}

主类

#pragma once

#include <SFML\Graphics.hpp>
#include "State.hpp"
#include "Game.hpp"
#include "TileMap.hpp"
#include <vector>

namespace SaGa
{
    class WorldMapState : public State
    {
    public:
        WorldMapState(GameDataRef data);

        void Init();
        void HandleInput();
        void Update(float dt);
        void Draw(float dt);

    private:
        GameDataRef _data;
        //sf::Texture _tilemap;
        //std::vector<sf::Sprite> _tiles;
        TileMap _tilemap;
    };
}

1 个答案:

答案 0 :(得分:2)

  

如果TileMap在构造函数上没有参数,那么没有问题,但是我添加了三个参数,WorldMapState会自动尝试创建一个带有空构造函数的对象。为什么C ++以这种方式工作?

因为您的TileMap构造函数需要3个参数。它们不是可选的。向TileMap添加另一个不带参数的构造函数:

public:
    TileMap();
    TileMap(unsigned int width, unsigned int height, unsigned int tileSize);

或为现有构造函数使用默认值:

public:
    TileMap(unsigned int width = 0, unsigned int height = 0, unsigned int tileSize = 0);

或使用内联初始化使用3个参数正确初始化_tilemap

private:
    // ...
    TileMap _tilemap{0, 0, 0};

或在cpp文件的构造函数定义中使用构造函数初始化器列表:

WorldMapState::WorldMapState(GameDataRef data)
    : _tilemap(0, 0, 0)
{
    // ...
}

当然可以传递适合您情况的值。