所以我有以下程序输出最大长度的参数。我想做一个例外,所以当我给它0参数时,我得到一个错误告诉我,我需要至少一个参数。
// Program which given an number of program parameters
// (command-line parameters, calulates the length of each one
// and writes the longest to standard output.
#include<stdio.h>
#include<string.h>
#include<stdlib.h>
int main(int argc, char *argv[])
{
int i;
int maxLength = strlen(argv[1]);
char* maxString = argv[1];
if (argc<=0)
{
printf("You cannot have 0 parameters\n");
exit(0);
}
for(i = 2; i < argc; ++i)
{
// find out the length of the current argument
int length = strlen(argv[i]);
if (maxLength < length)
{
maxLength = length;
maxString = argv[i];
} // if
} // for
printf("Largest string is %s\n", maxString);
} // main
这是我的代码,但由于某些原因,当我给它0参数而不是消息时,我收到了分段错误。
有什么想法吗?
答案 0 :(得分:4)
修改:您还检查了argv[1]
之前的argc
。这是一个错误。
如果你没有传递任何参数,argc
将是1
(因为argv[0]
通常是可执行文件名。)
所以
#include<stdio.h>
#include<string.h>
#include<stdlib.h>
int main(int argc, char *argv[])
{
if(argc<=1)
{
printf("You cannot have 0 parameters\n");
exit(255);
} else
{
int i;
int maxLength = 0;
const char* maxString = 0;
for(i = 1; i < argc; ++i)
{
// find out the length of the current argument
int length = strlen(argv[i]);
if(maxLength <= length)
{
maxLength = length;
maxString = argv[i];
}
}
printf("Largest string is %s\n", maxString);
}
} // main
答案 1 :(得分:3)
如果在命令行中给出零参数argc
将为1而不是0.可执行文件的名称将是第一个参数。