我是C新手,指针有问题。我一直无法在网上或通过同龄人找到答案,所以我来了。
我的任务是:
创建一个由20个随机整数组成的数组
打印出整数
按升序对数组排序
再打印出来
当我用GCC编译程序并运行时,会出现分段错误。当我试图在number[i]
函数中设置number[k]
或sort
的值时,我将其缩小到发生。任何帮助都将不胜感激。
#include <stdio.h>
void sort(int* number, int n){
/*Sort the given array number , of length n*/
int temp, min;
int i, k;
for(i=0; i<n; i++){
min = i;
for(k=i+1; k<n; k++){
if(number[k]<min){
min = k;
}
}
temp = number[i];
number[i] = number[k];
number[k] = temp;
}
}
int main(){
/*Declare an integer n and assign it a value of 20.*/
int n=20;
/*Allocate memory for an array of n integers using malloc.*/
int *array = malloc(n * sizeof(array));
/*Fill this array with random numbers, using rand().*/
srand(time(NULL));
int i;
for(i=0; i<n; i++){
array[i] = rand()%1000+1;
}
/*Print the contents of the array.*/
for(i=0; i<n; i++){
printf("%d\n", array[i]);
}
/*Pass this array along with n to the sort() function of part a.*/
sort(&array, 20);
/*Print the contents of the array.*/
printf("\n");
for(i=0; i<n; i++){
printf("%d\n", array[i]);
}
return 0;
}
下面是我得到的编译错误:
Q3.c:在函数–main中:
Q3.c:31:警告:函数malloc的隐式声明
Q3.c:31:警告:内置的隐式声明不兼容
函数“malloc”
Q3.c:34:警告:函数–srand–的隐式声明
Q3.c:34:警告:函数时间的隐式声明
Q3.c:37:警告:函数–rand的隐式声明
Q3.c:46:警告:从不兼容的
指针类型
Q3.c:9:注意:应该是“int”,但参数的类型是“int**”
最佳答案
在交换元素时,
temp = number[i];
number[i] = number[k];
number[k] = temp;
k == n
因为它是在for(k=i+1; k<n; k++){
你的意思是在交换中使用
min
而不是k
。在
main
中,int *array = malloc(n * sizeof(array));
为
n
指针分配足够的空间,而不是20int
的空间。那应该是int *array = malloc(n * sizeof *array);
关于编译器警告/错误,
#include <stdlib.h>
打电话来
sort(array, 20);
而不是通过
int
。