0

我已经盯着这段代码看了几个小时,尝试了演练,使用自动和断点进行调试,但到目前为止还没有解决方案。Maybie 某人的新面貌会帮助我;)。

#include <iostream>

using namespace std;

int matrix[9][9] = {{0, 0, 6, 0, 0, 0, 1, 0, 5},
                    {0, 4, 0, 7, 0, 6, 0, 3, 9},
                    {2, 0, 0, 9, 3, 0, 6, 0, 0},
                    {7, 0, 0, 1, 8, 0, 5, 0, 4},
                    {0, 0, 4, 0, 6, 0, 9, 0, 0},
                    {1, 0, 9, 0, 5, 2, 0, 0, 3},
                    {0, 0, 1, 0, 9, 3, 0, 0, 7},
                    {6, 7, 0, 5, 0, 8, 0, 9, 0},
                    {9, 0, 8, 0, 0, 0, 4, 0, 0}};


bool check(int column  ,int row,int checkedValue) 
{
    //column check
    for(int i=0; i<9; i++) 
    {       
        if(i==row)continue;

        if(checkedValue==matrix[column][i]) return false;
    }
    //row check 
    for(int i=0; i<9; i++) 
    {   
        if(i==column) continue;
        if(checkedValue==matrix[i][row]) return false;
    }                       
        return true;
}   



int main()
{
    cout<<check(4,0,4); //Why does it output 0? There is no "4" in the 5th column and the 1st row.

    system("pause");
    return 0;
}

函数 check(column,row,value) 旨在当数字在“矩阵”二维表中至少出现一次时返回 0。这个程序是一个数独求解器。

4

1 回答 1

3

if您在语句中混合了索引。他们应该是:

if(checkedValue==matrix[i][column]) return false; // not matrix[column][i]

if(checkedValue==matrix[row][i]) return false;    // not matrix[i][row]

原因是第一个维度是行。您可以通过打印来检查这一点matrix[2][0]
对于您的矩阵,您将得到 2(而不是 6)。

于 2012-06-24T12:27:14.163 回答