期望:代码打印出x(您键入)出现在矩阵中的时间...实际:代码打印出值的数量 大家好,这个问题可能是白痴,但是我最近才刚开始学习c ++,所以请同情:((我为我的英语不好对不起
"true"
矩阵: 1 2 3 4 5 6 7 8 9 x:4
期望:1 实际:9
答案 0 :(得分:2)
问题是这一行
if(A[i][j]==x);
在C ++中,即使是简单的分号也被视为语句。它实际上等效于此:
if (A[i][j] == x)
;
在您的情况下,因为您没有在语句周围加上花括号,所以您的代码将与此等效:
....
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
if(A[i][j]==x) {
}
{
dem++; // dem will be incremented every time loop iterates. That's why you got 9
}
}
}
删除分号,一切正常。
更正的代码:
#include <iostream>
using namespace std;
int NhapMang(int A[100][100], int &n)
{
for(int i=0; i<n; i++)
{
for(int j=0; j<n; j++)
{
cout << "Nhap A[" << i << "][" << j << "]: ";
cin >> A[i][j];
}
}
return 0;
}
int XuatMang(int A[100][100], int &n)
{
for(int i=0; i<n; i++)
{
for(int j=0; j<n; j++)
{
cout << A[i][j] << " ";
}
cout << "\n";
}
return 0;
}
int SoLanXuatHien(int A[100][100], int &n, int &x)
{
int dem=0;
for(int i=0; i<n; i++)
{
for(int j=0; j<n; j++)
{
if(A[i][j]==x)
{
dem++;
}
}
}
return dem;
}
int main()
{
int n, A[100][100],x;
cout << "moi nhap n: ";
cin >> n;
NhapMang(A,n);
XuatMang(A,n);
cout << "moi nhap x: ";
cin >> x;
cout << "\nso lan xuat hien: \n";
cout << SoLanXuatHien(A,n,x);
return 0;
}