我想将SDL_Surface
数组从一个函数(load_level
)外部转换为另一个函数(initialize_balls
)。我必须说SDL_Surface
(brickim
)是一个动态指针结构,它通过load_level
函数在malloc
函数内定义并声明为SDL_Surface **brickim
同样。当我尝试访问brickim[0]->w
函数中的initialize_balls
但未访问load_level
函数时,我遇到了细分错误。这是我希望你可以帮我解决的一段代码。
file1.c中
#include <stdio.h>
#include <SDL.h>
SDL_Surface **brickim; /*as global*/
SDL_Surface* load_map(char *map_name , int tran );
void load_level(int stage){
int n;
SDL_Surface **brickim=( SDL_Surface **)malloc(sizeof(SDL_Surface)*input.N);
for (n=0;n < input.N;n++){
**brickim[n]=load_map("brick1.bmp",1); /*load SDL_Surfaces*/**
printf("%d\n",brickim[n]->w); /***access succesfully (returns 100 N times)***/
}
...
}}
SDL_Surface* load_map(char *map_name , int tran ){
SDL_Surface *temp,*map;
Uint32 colorkey;
printf("Loading bit map %s %d...\n",map_name,tran);
temp = SDL_LoadBMP(map_name);
if (temp == NULL){
printf("Unable to load bitmap: %s\n", SDL_GetError());
SDL_FreeSurface(temp);
exit(0);
}else{
map = SDL_DisplayFormat(temp);
colorkey = SDL_MapRGB( map -> format, 132, 0, 12);
if ( tran==1 ) SDL_SetColorKey( map, SDL_SRCCOLORKEY, colorkey );
SDL_FreeSurface(temp);
}
return map;
}
file2.c中
#include <SDL.h>
#include <stdlib.h>
#include <stdio.h>
extern SDL_Surface **brickim;/*brings brickim to this function*/
void initialize_balls()
{
printf("Into initialization :)\n ");
printf("%d \n",brickim[0]->w); /***returns segmentation fault***/
}
$./kuranes Loading bit map brick1.bmp 1... level image:) 100 (x10 times) Into initialization :) Violación de segmento (`core' generado)
当我使用用gcc编译的单个SDL_Surface
时,一切运行正常,但我需要动态地执行它。我认为缺少一些基本的东西。
答案 0 :(得分:1)
你的问题似乎就在这里。你宣布一个全局的brickim,这将是extern声明发现的。然后,在load_level中,声明一个 local brickim变量。你可以在不同的范围内声明一个具有相同名称的变量,但是在load_level中不会使用全局的brickim,本地的brickim将会使用。因此,当你将malloc放入 local brickim时,你不会分配到全局brickim中 - 因此如果你通过extern访问它,它将是NULL并且你将是段错误的。
SDL_Surface **brickim; /*as global*/
SDL_Surface* load_map(char *map_name , int tran );
void load_level(int stage){
int n;
SDL_Surface **brickim=( SDL_Surface **)malloc(sizeof(SDL_Surface)*input.N);
for (n=0;n < input.N;n++){
**brickim[n]=load_map("brick1.bmp",1); /*load SDL_Surfaces*/**
printf("%d\n",brickim[n]->w); /***access succesfully (returns 100 N times)***/
}
...
}}
编辑:您可能希望检查整个分配。我不熟悉SDL_Surface结构,但我认为它是不是指针类型(它是一个通用结构)。您的分配实际上是分配N个结构,但是您正在进行转换,就像您将N 指针分配给SDL_Surface结构一样。不要施放malloc。
如果你想要N SDL_Surface结构,你只需要:
SDL_Surface * brickim = malloc(sizeof(SDL_Surface) * N)
如果你想要指向SDL_Surface结构的N指针,你需要:
SDL_Surface ** brickim = malloc(sizeof(SDL_Surface *) * N)
for( i = 0; i < N; i++){
// you've only allocated an array of pointers so far, you now need
// allocate N structures
brickim[0] = malloc(sizeof(SDL_Surface));
}