我正在编写一个适用于cmd的计算器。我主要完成+, - ,/,*操作和两个数字,但我有这个错误。我找了这个错误,但所有文件都是关于文件功能的。我不使用文件功能。但我仍然得到这个错误:
调试断言失败了! 节目:...所有studio2012 .... 文件:F:\ DD \ vctools \ crt_bld \ self_x86 \ CRT \ SRT \ strtol.c 行:94
表达式:nptr!= NULL
代码是:
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <ctype.h>
char define(char input[]);
float math(int sayi[], char operation);
void main()
{
int sayi[100];
char input[100];
char inputCpy[100];
const char functions[] = "+,-,/,*";
char *token;
char operation;
float result;
int i=1;
printf("welcome to my simple cmd calculator!\n what do you want to know?\n");
scanf("%s", input);
strcpy(inputCpy,input);
token = strtok(input, functions);
sayi[0]=atoi(token);
while( token != NULL )
{
token = strtok(NULL, functions);
sayi[i]=atoi(token);
i++;
}
printf ("sayi1=%d sayi2=%d", sayi[0], sayi[1]);
operation = define(inputCpy);
printf("operation = %c\n", operation);
result = math(sayi,operation);
printf ("result = %.2f\n", result);
system("pause");
}
char define(char input[])
{
char operation;
for (int i=0; i<strlen(input); i++)
{
if(!isdigit(input[i]))
{
operation = input[i];
break;
}
}
return operation;
}
float math(int sayi[], char operation)
{
float result=0;
switch(operation)
{
case '+':
result = sayi[0]+sayi[1];
break;
case '-':
result = sayi[0]-sayi[1];
break;
case '*':
result = sayi[0]*sayi[1];
break;
case '/':
if(sayi[1]!='0')
{
result = sayi[0]/sayi[1];
}
else
{
printf ("wtf!! you can't divide by 0!");
}
break;
default:
printf("did you mean \"i don't know maths\"");
}
return result;
}
答案 0 :(得分:0)
token = strtok(input, functions);
您需要检查strtok
的返回值,否则您可以将空指针传递给atoi
。您的代码稍后与token = strtok(NULL, functions);
答案 1 :(得分:0)
在致电token
之前,您需要检查NULL
是否为atoi(token)
。
更改行:
token = strtok(input, functions);
sayi[0]=atoi(token);
while( token != NULL )
{
token = strtok(NULL, functions);
sayi[i]=atoi(token); // token will eventually be NULL
// and you run into a problem here.
i++;
}
为:
token = strtok(input, functions);
i = 0;
while( token != NULL )
{
sayi[i]=atoi(token);
token = strtok(NULL, functions);
i++;
}