我正在尝试从一个函数process_command_line
解析命令行参数,然后我将在main
函数中使用它。第二个命令行参数允许提交文件输入的名称,稍后将用于读取/写入文件。暂时,我将在main
函数中打印出参数,以确保它正常运行。我没有使用这个单独的函数方法解析整数的问题,但在尝试解析input
文件名时无法获得正确的输出。
编辑:我认为我的问题在于第二个函数,我有一行说argv[1] = input_file;
我的尝试:
#include <stdio.h>
#include <stdlib.h>
int process_command_line(int argc, char *argv[]); //declaration for command-line function
char str2[100];
int main(int argc, char *argv[]) {
printf("%s", str2);
getchar();
return 0;
}
//This function reads in the arguments
int process_command_line(int argc, char *argv[]) {
if (argc < 2) {
fprintf(stderr, "Error: Missing program arguments.\n");
exit(1);
}
//first argument is always the executable name (argv[0])
//second argument reads in the input file name
strcpy(str2, argv[1]); //I think this is where the problem lies
}
在这个问题的用户帮助下,这是我更新和运行的解决方案。问题是我没有在我的main
函数中调用第二个函数。
我的解决方案
#include <stdio.h>
#include <stdlib.h>
int process_command_line(int argc, char *argv[]); //declaration for command-line function
char str2[100];
int main(int argc, char *argv[]) {
process_command_line(argc, argv); //This was missing in my first attempt
printf("%s", str2);
getchar();
return 0;
}
//This function reads in the arguments
int process_command_line(int argc, char *argv[]) {
if (argc < 2) {
fprintf(stderr, "Error: Missing program arguments.\n");
exit(1);
}
//first argument is always the executable name (argv[0])
//second argument reads in the input file name
strcpy(str2, argv[1]);
}