mingw 使程序执行参数的通配符扩展。将以下内容添加到您的程序中以禁用此行为:
int _CRT_glob = 0;
在 unix 世界中,shell 预计会执行通配符扩展。
$ perl -le'print for @ARGV' *
a
b
在 Windows 世界中,通配符扩展留给应用程序。
>perl -le"print for @ARGV" *
*
这使得编写可移植程序变得棘手。由于 mingw 经常被用来编译不是用 Windows 编写的程序,它的 C 运行时库会自动执行参数的通配符扩展。
a.c
:
#include <stdio.h>
int main(int argc, char const* argv[]) {
for (int i=0; i<argc; i++)
printf("%s\n", argv[i]);
return 0;
}
>gcc -Wall -Wextra -pedantic-errors a.c -o a.exe & a *
a
a.c
a.exe
但是,mingw 提供了一个出路。将以下内容添加到您的程序中会禁用此行为:
int _CRT_glob = 0;
a.c
:
#include <stdio.h>
int _CRT_glob = 0;
int main(int argc, char const* argv[]) {
for (int i=0; i<argc; i++)
printf("%s\n", argv[i]);
return 0;
}
>gcc -Wall -Wextra -pedantic-errors a.c -o a.exe & a *
a
*