所以我一直在关注使用SFML在C ++中开发游戏的视频教程并遇到错误。我在这个网站上描述了这个问题: http://en.sfml-dev.org/forums/index.php?topic=21589.0 (我知道我知道分享链接并不好,但我不打算在不久的将来删除它。) 突出显示错误是: C:/ Program Files / CodeBlocks / MinGW / lib / gcc / mingw32 / 4.9.2 / include / c ++ / bits / stl_map.h:504:59:错误:没有用于调用'Animation :: Animation()'的匹配函数
我认为发生冲突的路线是: std :: map animList;
我的动画类,它的功能如下: 类动画,然后是public,然后是构造函数:
// Animation class
class Animation
{
public:
std::vector<IntRect> Frames, Frames_flip;
float CurrentFrame, Speed;
bool Flip, IsPlaying;
Sprite sprite;
Animation(Texture &t, int x, int y, int w, int h, int Count, float speed, int Step)
{
Speed = speed;
sprite.setTexture(t);
CurrentFrame = 0;
IsPlaying = true;
Flip = false;
for (int i = 0; i < Count; i++)
{
Frames.push_back( IntRect(x+i*Step,y,w,h));
Frames_flip.push_back( IntRect(x+i*Step+w,y,-w,h));
}
}
void Tick(float Time)
{
if (!IsPlaying) return;
CurrentFrame += Speed * Time;
if (CurrentFrame> Frames.size())
CurrentFrame -= Frames.size();
int i = CurrentFrame;
sprite.setTextureRect( Frames[i] );
if (Flip) sprite.setTextureRect( Frames_flip[i] );
}
};
// Animation Manager Class
class AnimationManager
{
public:
String CurrentAnim;
std::map<String, Animation> animList;
AnimationManager()
{
}
void Create(String Name, Texture &t, int x, int y, int w, int h, int Count, float Speed, int Step)
{
animList[Name] = Animation(t,x,y,w,h,Count,Speed,Step);
CurrentAnim = Name;
}
void Draw(RenderWindow &window, int x = 0, int y = 0)
{
animList[CurrentAnim].sprite.setPosition(x,y);
window.draw(animList[CurrentAnim].sprite);
}
void Set(String name) { CurrentAnim = name; }
void flip (bool b) { animList[CurrentAnim].Flip = b; }
void tick(float Time) {animList[CurrentAnim].Tick(Time); }
void pause () {animList[CurrentAnim].IsPlaying = false;}
void play () {animList[CurrentAnim].IsPlaying = true;}
};
答案 0 :(得分:2)
考虑以下代码的最小完整示例:
#include <iostream>
#include <map>
#include <string>
struct Animation
{
Animation(size_t totalFrames) : frames(totalFrames) {}
size_t frames;
};
int main()
{
std::map<std::string, Animation> animList;
std::cout << animList["mcve"].frames << std::endl;
}
当我们致电animList["mcve"].frames
时,我们正在致电std::map::operator[]
,我们可以这样说(强调我的):
返回对映射到等效于键的键的值的引用,如果此类键尚不存在则执行插入。
mapped_type
必须符合CopyConstructible和DefaultConstructible的要求。
由于我们尚未向animList
添加一个名为"mcve"
的密钥,因此该条目不存在,因此std::map
将尝试插入一个密钥,其中存在以下问题:
因为您已为Animation
类声明了构造函数,compiler will not automatically generate a default constructor。因此,您的程序不包含Animation
的默认构造函数,因此不会编译。
您可以通过添加默认构造函数或删除对std::map::operator[]
的调用来解决您的问题(使用std::map::insert
添加元素,使用std::map::find
来检索对元素的引用):< / p>
std::map<std::string, Animation> animList;
animList.insert({"mcve", 10});
auto it = animList.find("mcve");
if (it != animList.end())
{
std::cout << it->second.frames << std::endl;
}