如果用户在2D数组中输入字母而不是数字,则输出无效语句时出错。
我尝试使用isalpha
函数检查输入是数字还是字母,但它给我一个分段错误。不确定任何提示有什么问题?
以下代码只是分配矩阵元素的部分。
#include <stdio.h>
#include <stdlib.h>
#include <ctype.h>
#define MAX 10
void display(int matrix[][MAX], int size);
int main() {
int n, degree;
int matrix[MAX][MAX];
printf("Enter the size of the matrix: "); // assigning size of the matrix
scanf("%d", &n);
if (n <= 1 || n >= 11) { // can't be bigger than a 10x10 matrix
printf("Invalid input.");
return 0;
}
for (int i = 0; i < n; ++i) { // assigning the elements of matrix
printf("Enter the row %d of the matrix: ", i);
for (int j = 0; j < n; ++j) {
scanf("%d", &matrix[i][j]);
if (!isalpha(matrix[i][j])) { // portion I'm having trouble with
continue;
} else {
printf("Invalid input.");
return 0;
}
}
}
...
答案 0 :(得分:2)
由于n的值将是数字,我们可以使用字符串而不是int来解决它。
char num[10];
int n;
scanf("%s", num);
if(num[0] < '0' || num[0] > '9' || strlen(num) > 2){
printf("invalid\n");
}
if(strlen(num) == 1) n = num[0] - '0';
if(strlen(num) == 2 && num[0] != 1 && num[1] != 0) printf("invalid\n");
else n = 10;
我们也可以使用strtol()函数将输入字符串转换为数字,然后检查是否有效。您可以检查以下代码。我跳过了字符串输入部分。此外,您必须在开始时添加#include<stdlib.h>
以使strtol()函数起作用。
char *check;
long val = strtol (num, &check, 10);
if ((next == num) || (*check != '\0')) {
printf ("invalid\n");
}
if(val > 10 || val < 0) printf("invalid\n");
n = (int)val; //typecasting as strtol return long
答案 1 :(得分:1)
您必须检查scanf()
的返回值:它会告诉您输入是否根据格式字符串正确转换。 scanf()
会返回成功转化的次数,在您的情况下应为1
。如果用户键入字母,scanf()
将返回0
,目标值将保持未初始化状态。检测到这种情况并且中止或重新启动输入是呼叫者的责任。
以下是代码的修改版本,说明了两种可能性:
#include <stdio.h>
#define MAX 10
void display(int matrix[][MAX], int size);
int main(void) {
int n, degree;
int matrix[MAX][MAX];
printf("Enter the size of the matrix: "); // assigning size of the matrix
if (scanf("%d", &n) != 1 || n < 2 || n > 10) {
// can't be bigger than a 10x10 matrix nor smaller than 2x2
// aborting on invalid input
printf("Invalid input.");
return 1;
}
for (int i = 0; i < n; i++) { // assigning the elements of matrix
printf("Enter the row %d of the matrix: ", i);
for (int j = 0; j < n; j++) {
if (scanf("%d", &matrix[i][j]) != 1) {
// restarting on invalid input
int c;
while ((c = getchar()) != '\n') {
if (c == EOF) {
printf("unexpected end of file\n");
return 1;
}
}
printf("invalid input, try again.\n");
j--;
}
}
}
...
答案 2 :(得分:1)
c中stdlib的isdigit()库函数可用于检查是否可以检查条件。
答案 3 :(得分:0)
试试这个:
if (isalpha (matrix[i][j])) {
printf ("Invalid input.");
return 0;
}
答案 4 :(得分:0)
所以如果将来有人想知道我做了什么。这是我用来修复if语句的代码。我不希望任何大于10000的元素,所以如果输入字母或标点符号,生成的数字将大于此数字。因此if(matrix [i] [j]> 10000)。可能不是最好的方式,但它很有效,而且很简单。
for (int i = 0; i < n; ++i) { // assigning the elements of matrix
printf("Enter the row %d of the matrix: ", i);
for (int j = 0; j < n; ++j) {
scanf("%d", &matrix[i][j]);
if (matrix[i][j] > 10000) { // portion "fixed"
printf("Invlaid input");
return 0;
}
}
}
我使用print语句来检查多个字母和字符输入的输出。最低的出货量大约在30000以上。所以10000我觉得是安全的。