我宣布
时没有任何问题SDL_Surface *dot = NULL;
全局,但是如果SDL_Surface对于类是唯一的,我不能将它设置为NULL
,所以如果我在构造函数中声明它就好了
dot = load_image( "dot.bmp" );
但我还是得到了
Unhandled exception at 0x1002b195 in Uber Mario.exe: 0xC0000005: Access violation reading location 0x0000013c.
在load_image上的返回SDL_Surface *,有时恰好是因为图像不好或某个img文件类型所以我尝试了另一个在其他地方工作的图像,但它仍然是这样的错误。
我认为我只是没有正确使用指针,即使我在学校学习指针并且已经阅读了它们的事实,由于某些原因我总是遇到麻烦。 load_image返回一个* SDL_Surface,所以我需要使用一个指针......我想。
这是班级:
class Character
{
private:
int yVel, xVel;
int xAcc, yAcc;
int spd, maxV;
int JumpPower;
int FacingRight, FacingLeft;//directing status 0 or 1
bool Flying, onGround;
//Type of particle
SDL_Surface *type;
public:
Shine *myShine;
Animation *walking;
SDL_Surface *dot;
//Offsets
SDL_Rect Rect;
Character();
void handle_input();
void move();
void show();
void togglefly();
void jump();
void whereami();// check and set various characters statuses
};
Character::Character()
{
//Set offsets
Rect.x = 150;
Rect.y = 150;
Rect.w = 20;
Rect.h = 20;
yVel = 0;
xVel = 0;
yAcc = 0;
xAcc = 0;
maxV = 30;
spd = 2;
JumpPower = 40;
Flying = true;
myShine = new Shine(Rect.x, Rect.y);
// walking = new Animation("mario.bmp", 3, 0, 0, Rect.w, Rect.h);
dot = new SDL_Surface();
dot = load_image( "dot.bmp" );
myShine->setpos(Rect);
myShine->setRange(Rect.h*1.5);
}
加载图像功能:
SDL_Surface *load_image( std::string filename )
{
//The image that's loaded
SDL_Surface* loadedImage = NULL;
//The optimized surface that will be used
SDL_Surface* optimizedImage = NULL;
//Load the image
loadedImage = IMG_Load( filename.c_str() );
//If the image loaded
if( loadedImage != NULL )
{
//Create an optimized surface
optimizedImage = SDL_DisplayFormat( loadedImage ); //EXCEPTION OCCURES HERE
//Free the old surface
SDL_FreeSurface( loadedImage );
//If the surface was optimized
if( optimizedImage != NULL )
{
//Color key surface
SDL_SetColorKey( optimizedImage, SDL_SRCCOLORKEY, SDL_MapRGB( optimizedImage->format, 0, 0xFF, 0xFF ) );
}
}
//Return the optimized surface
return optimizedImage;
初始化功能
bool init()
{
//Initialize all SDL subsystems
if( SDL_Init( SDL_INIT_EVERYTHING ) == -1 )
{
return false;
}
//Set up the screen
screen = SDL_SetVideoMode( SCREEN_WIDTH, SCREEN_HEIGHT, SCREEN_BPP, SDL_SWSURFACE );
//If there was an error in setting up the screen
if( screen == NULL )
{
return false;
}
//Set the window caption
SDL_WM_SetCaption( "Particle Test", NULL );
//Seed random
srand( SDL_GetTicks() );
//If everything initialized fine
return true;
}
答案 0 :(得分:1)
顺便说一句,您是否正在泄漏执行该代码的资源:
dot = new SDL_Surface();
dot = load_image( "dot.bmp" );
执行load_image会导致松散指向SDL_Surface()对象的指针,因此以后无法删除它。
回答您的主要问题
在使用SDL_DisplayFormay之前调用SDL_Init,它应该可以工作。来自SDL文档的引文。
新手提示
在使用SDL_DisplayFormat函数之前,必须调用SDL_Init。如果不这样做,您的程序将因访问冲突而崩溃。
答案 1 :(得分:0)
你知道,dot是一个指针,它是动态分配的。 SDL_Surface * dot = new SDL_Surface();表示在堆中分配存储空间,并对此空间进行点索引。 并且,函数load_image(string)返回一个SDL_Surface类型的值,即一个对象,返回对象被赋值给指针点,然后指针点改变它的方向,然后这会导致内存泄漏。 您可以通过以下方式修改程序:
SDL_Surface *dot;
dot = load_image("dot.bmp");
谢谢。