好的,这是我的问题的附录,已得到解答。
不想贬低前一个问题的答案,我决定这应该有自己的问题,以公平对待回答我的第一个问题的 JB Nizet,并因此获得荣誉。
我正在为一个类实现一个二维数据结构。使用的方法是一个“NxN”对象数组。
所以,
Cell[][] dataStructure = new Cell[N][N];
每个单元格都依赖于其左侧单元格的输出以及其上方的单元格来创建自己的输出。将针对 000 到 111 的输入范围测试二维结构。
二维结构示例以及输出如何流入下一个单元格
例子:
假设标准 X、Y 方向,我尝试使用以下方法获取右下角单元格的输出:
/**
* Recursive method that returns the output of a given cell
* @param row: the row the cell is in (its yPos)
* @param inputs:
* @param column: the column the cell is in (its xPos)
*/
private int[] getOutput(int[] inputs,int yPos, int xPos){
if (yPos==-1){
int[] out = new int[2];
out[0] = 0; // yPos
out[1] = inputs[xPos]; //xPos
return out;
}
else if (xPos==-1){
int[] out = new int[2];
out[0] = inputs[yPos]; //yPos
out[1] = 0; //xPos
return out;
}
int[] leftOutput = getOutput(inputs, yPos, xPos-1);
int[] topOutput = getOutput(inputs, yPos-1, xPos);
return currentStructure[yPos][xPos].getResult(leftOutput[1], topOutput[0]);
}
为了简化事情,我现在有一个 getResult 方法,用于二维结构中的单元格,对指定的输入执行逻辑。结果是两个输出的 int[],每个方向一个。
目前的 getResult 方法是这样编写的:
public int[] getResult(int left, int top)
{
int[] resultOut = new int[2];
if (xDirStr.equals("00")){ // AND
resultOut[0]= left * top;
}
if (xDirStr.equals("01")){ // OR
if (left ==1 || top ==1)
resultOut[0]= 1;
else
resultOut[0] =0;;
}
if (xDirStr.equals("10")){ // NOT, USES ONLY NOT X
if (left ==0)
resultOut[0]= 1;
else
resultOut[0]= 0;
}
if (xDirStr.equals("11")){ // XOR
if ( (left==1 && top==0) || (left==0 && top==1))
resultOut[0]= 1;
else
resultOut[0]= 0;
}
if (yDirStr.equals("00")){ // AND
resultOut[1]= left * top;
}
if (yDirStr.equals("01")){ // OR
if (left ==1 || top ==1)
resultOut[1]= 1;
else
resultOut[1]= 0;
}
if (yDirStr.equals("10")) { // NOT, USES ONLY NOT X
if (left ==0)
resultOut[1]= 1;
else
resultOut[1]= 0;
}
if (yDirStr.equals("11")) { // XOR
if ( (left==1 && top==0) || (left==0 && top==1))
resultOut[1]= 1;
else
resultOut[1]= 0;
}
return resultOut;
}
我已逐步调试,但无法解决我的问题。输出与我手动重新创建以验证它的输出不匹配,输出始终为 0。任何有用的提示将不胜感激!
我的具体问题是,为什么 getOutput 总是返回 0?从我看到的调试来看,问题不在我的逻辑应用程序中,我没有在这里包含它。
再次感谢。
=======更新======== 应 BevynQ 的要求提供的 3x3 样本。
每次测试期间,沿左侧和顶部边缘的输入都会发生变化,此示例适用于基本情况 000。** NOT 函数始终返回从左侧输入的值的逻辑 NOT。* 我正在尝试的“输出”检查我的方法以红色圈出。