我刚学会动态内存分配,所以我试着测试一下。我正在使用 sublime text 3 以及以下构建配置
{
"cmd": ["gcc", "-Wall", "-ansi", "-pedantic-errors", "$file_name", "-o", "${file_base_name}.exe", "&&", "start", "cmd", "/k" , "$file_base_name"],
"selector": "source.c",
"working_dir": "${file_path}",
"shell": true
}
我在codeblocks bin文件夹的路径变量中包含了gcc编译器的路径
C:\ Program Files(x86)\ CodeBlocks \ MinGW \ bin
我以前尝试运行的C代码看起来像这样......
#include <stdio.h>
#include <stdlib.h>
int main(void)
{
int n,i;
scanf("%d",&n);
int *order=(int*)malloc(sizeof(int)*n);
for(i=0;i<n;i++)
scanf("%d",&*(order+i));
printf("%d",order[2]); /*just seeing whether output is properly displayed or not */
return 0;
}
sublime文本显示的错误是:
8:2: error: ISO C90 forbids mixed declarations and code [-pedantic]
我尝试在代码块中运行我的代码,它运行得很好。也是 有什么方法我可以用C99而不是C90来运行我的c程序 使用sublime text 3本身
答案 0 :(得分:2)
您没有使用给定的标准 运行您使用它的规则编译它们。
文本编辑器与此无关。要解决此问题,请使用此列表中的-ansi
替换-std=c99
标记
"cmd": [
"gcc",
"-Wall",
"-std=c99",
"-pedantic-errors",
"$file_name",
"-o", "${file_base_name}.exe",
"&&",
"start",
"cmd",
"/k" ,
"$file_base_name"
]
为了使代码更清晰,您只能在块的开头声明变量,这就是错误的含义。在c90中,禁止将声明与代码混合。
#include <stdio.h>
#include <stdlib.h>
int main(void)
{
int n;
int i;
int *order
if (scanf("%d", &n) != 1)
return -1;
order = malloc(sizeof(*order) * n);
for (i = 0 ; i < n ; i++)
scanf("%d", order + i); // Please check the return value here too/
printf("%d", order[2]); // This might invoke UB because you ignored
// `scanf()'s return value in the loop.
return 0;
}
声明
int *order = ...
导致错误,将其移动到块的开头将解决它。
另外,请注意,您不需要将malloc()
的返回值强制转换为目标指针类型,并且通常void *
会自动转换为目标指针类型。
答案 1 :(得分:1)
那么有什么方法可以用C99而不是C90用sublime text 3本身来运行我的c程序
设置标记-std=c99
。