1
我已經開始開發一個BigInt類,現在我被卡住了。 問題是,當我嘗試添加兩個不同長度的數字時,結果不正確。 例如,123 + 1將返回223. 我知道問題所在,但我需要幫助解決該問題。開發BigInt類
public static BigInt operator +(BigInt n1, BigInt n2)
{
Stack<char> sNew = new Stack<char>();
Stack<char> sTemp = new Stack<char>();
int currentDigit1, currentDigit2, sum;
int carry = 0;
//insert the digits, XXXyyy + ZZZ = first insert ___yyy and then calculate XXX+ZZZ
if (n1.GetLength() > n2.GetLength())
{
while (n1.GetLength() > n2.GetLength())
sNew.Push(n1.sDigits.Pop());
}
else if (n2.GetLength() > n1.GetLength())
{
while (n2.GetLength() > n1.GetLength())
sNew.Push(n2.sDigits.Pop());
}
while (n1.sDigits.Count > 0)
{
currentDigit1 = int.Parse(n1.sDigits.Pop().ToString());
currentDigit2 = int.Parse(n2.sDigits.Pop().ToString());
sum = currentDigit1 + currentDigit2 + carry;
carry = 0;
if (sum > 10)
{
carry = 1;
sum = sum % 10;
}
sNew.Push(char.Parse(sum.ToString()));
}
//if there is a carry, for example 95+18
if (carry > 0)
sNew.Push(char.Parse(carry.ToString()));
//flip the stack
while (sNew.Count > 0)
sTemp.Push(sNew.Pop());
while (sTemp.Count > 0)
sNew.Push(sTemp.Pop());
return new BigInt(sNew);
}
不管這個問題,這個類設計模式是否有效?設計這類課程有更好的主意嗎?
是什麼讓你覺得你應該使用堆棧?這是你的第一個錯誤。是什麼讓你認爲你可以銷燬輸入參數?這是你的第二個錯誤。 – EJP
我不會存儲小數位(0,1,2等)。對於無符號整數數組中的數字位更好。或者,您可以使用.NET 4中System.Numerics程序集中的System.Numerics.BigInteger。 –
感謝您的意見。 我將修復我的代碼。 – Lior