How can I change the size of an array in C?

2019-01-11 19:49发布

I am experimenting a little bit with gamestudio. I am making now a shooter game. I have an array with the pointer's to the enemies. I want. to when an enemy is killed. remove him from the list. And I also want to be able to create new enemies.

Gamestudio uses a scripting language named lite-C. It has the same syntax as C and on the website they say, that it can be compiled with any C compiler. It is pure C, no C++ or anything else.

I am new to C. I normally program in .NET languages and some scripting languages,

5条回答
别忘想泡老子
2楼-- · 2019-01-11 20:02

Take a look at realloc which will allow you to resize the memory pointed to by a given pointer (which, in C, arrays are pointers).

查看更多
劳资没心,怎么记你
3楼-- · 2019-01-11 20:04

You can't. This is normally done with dynamic memory allocation.

// Like "ENEMY enemies[100]", but from the heap
ENEMY* enemies = malloc(100 * sizeof(ENEMY));
if (!enemies) { error handling }

// You can index pointers just like arrays.
enemies[0] = CreateEnemy();

// Make the array bigger
ENEMY* more_enemies = realloc(enemies, 200 * sizeof(ENEMY));
if (!more_enemies) { error handling }
enemies = more_enemies;

// Clean up when you're done.
free(enemies);
查看更多
放荡不羁爱自由
4楼-- · 2019-01-11 20:05

As NickTFried suggested, Linked List is one way to go. Another one is to have a table big enough to hold the maximum number of items you'll ever have and manage that (which ones are valid or not, how many enemies currently in the list).

As far as resizing, you'd have to use a pointer instead of a table and you could reallocate, copy over and so on... definitely not something you want to do in a game.

If performance is an issue (and I am guessing it is), the table properly allocated is probably what I would use.

查看更多
Bombasti
5楼-- · 2019-01-11 20:11

Once an array in C has been created, it is set. You need a dynamic data structure like a Linked List or an ArrayList

查看更多
迷人小祖宗
6楼-- · 2019-01-11 20:14

Arrays are static so you won't be able to change it's size.You'll need to create the linked list data structure. The list can grow and shrink on demand.

查看更多
登录 后发表回答