我正在尝试在C中插入elements程序。我需要将VARIABLE SIZED ARRAY初始化为0,但是编译器不允许我这样做。有办法吗?
#include <stdio.h>
void insert(int arr[],int k,int pos,int n)
{
display(arr,n);
int i=n-1;
if(pos<n) {
while(i>=pos) {
arr[i]=arr[i-1];
i--;
}
arr[pos]=k;
display(arr,n);
} else {
printf("\n !!Array full!!");
return 0;
}
}
void display(int arr[],int n)
{
int i;
printf("\n Displaying array elements: ");
for(i=0;i<n;i++)
if(arr[i]!=0)
printf("%d ",arr[i]);
}
int main()
{
int n,pos,i=0,k;
char c='y';
printf("\n Enter the no. of elements: ");
scanf("%d",&n);
int arr[n];
printf("\n Enter the array elements: ");
while(c=='y'||c=='Y') {
scanf("%d",&arr[i]);
i++;
printf("\n Continue (y/n): ");
scanf(" %c",&c);
}
c='y';
while(c=='y'||c=='Y') {
printf("\n Enter the element to be inserted: ");
scanf("%d",&k);
printf("\n Enter the position: ");
scanf("%d",&pos);
pos--;
insert(arr,k,pos,n);
printf("\n Continue (y/n): ");
scanf(" %c",&c);
if(c=='n'||c=='N')
printf("\n !!Thank You!!");
}
return 0;
}
当我尝试
int arr[n]={0};
它显示了一个错误,无法将可变大小的数组初始化为0。
编的输出
输入位置:2
显示数组元素:2 5 3 -344174192
显示数组元素:2 4 5 3
继续(y / n):
...程序退出代码为0
按ENTER退出控制台。
垃圾值以粗体显示。
答案 0 :(得分:6)
使用qmake fileName.pro -after LIBS=
清除数组:
memset
将sizeof与VLA一起使用时,不会在编译时评估sizeof的结果,因此非常适合使用。
编辑:在您当前的方法可行的同时,我强烈建议您远离 VLA,如果您需要VLA,请使用memset(arr, 0x00, sizeof(arr));
和malloc
函数。当free
为大数字时,这将显着减少堆栈溢出的更改。
n
FYI, VLA 代表可变长度数组。
答案 1 :(得分:0)
所以,我最终的代码片段如下
#include <stdio.h>
void insert(int arr[],int k,int pos,int n)
{ display(arr,n);
int i=n-1;
if(pos<n)
{
while(i>=pos)
{
arr[i]=arr[i-1];
i--;
}
arr[pos]=k;
display(arr,n);
}
else
{
printf("\n !!Array full!!");
return 0;
}
}
void display(int arr[],int n)
{ int i;
printf("\n Displaying array elements: ");
for(i=0;i<n;i++)
if(arr[i]!=0)
printf("%d ",arr[i]);
}
int main()
{ int n,pos,i=0,k;
char c='y';
printf("\n Enter the no. of elements: ");
scanf("%d",&n);
int arr[n];
memset(arr, 0x00, sizeof(arr[0]) * n);
printf("\n Enter the array elements: ");
while(c=='y'||c=='Y')
{
scanf("%d",&arr[i]);
i++;
printf("\n Continue (y/n): ");
scanf(" %c",&c);
}
c='y';
while(c=='y'||c=='Y')
{
printf("\n Enter the element to be inserted: ");
scanf("%d",&k);
printf("\n Enter the position: ");
scanf("%d",&pos);
pos--;
insert(arr,k,pos,n);
printf("\n Continue (y/n): ");
scanf(" %c",&c);
if(c=='n'||c=='N')
printf("\n !!Thank You!!");
}
return 0;
}