你能帮我做以下练习吗?(这不是家庭作业,只是我正在使用的书中的一个练习。)
“如果整数的因数(包括一个(但不包括数字本身))与该数字相加,则称其为完美数。例如,6 是一个完美数,因为 6 = 1 + 2 + 3。编写方法 Perfect判断参数值是否为完美数。在判断并显示2到1000之间的所有完美数的应用中使用此方法。显示每个完美数的因数,以确认该数字确实是完美的。
所以这是我到目前为止得到的:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace Perfect_Numbers2
{
class Program
{
static bool IsItPerfect(int value)
{
int x = 0;
int counter = 0;
bool IsPerfect = false;
List<int> myList = new List<int>();
for (int i = value; i <= value; i++)
{
for (int j = 1; j < value; j++)
{
// if the remainder of i divided by j is zero, then j is a factor of i
if (i%j == 0) {
myList[counter] = j; //add j to the list
counter++;
}
for (int k = 0; k < counter; k++)
{
// add all the numbers in the list together, then
x = myList[k] + myList[k + 1];
}
// test if the sum of the factors equals the number itself (in which case it is a perfect number)
if (x == i) {
IsPerfect = true;
}
}
Console.WriteLine(i);
}
return IsPerfect;
}
static void Main(string[] args)
{
bool IsItAPerfectNum = false;
for (int i = 2; i < 1001; i++)
{
IsItAPerfectNum = IsItPerfect(i);
}
}
}
}
你会怎么做?我的代码可以修复吗?你会怎么解决?谢谢!
我在 myList[counter] = j 行出现错误;(索引超出范围)而且它没有像它应该显示的那样显示完美的数字....
编辑 = 我做了一些改变;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace Perfect_Numbers2
{
class Program
{
static bool IsItPerfect(int value)
{
int x = 0;
int counter = 0;
bool IsPerfect = false;
List<int> myList = new List<int>();
for (int i = value; i <= value; i++)
{
for (int j = 1; j < i; j++)
{
if (i%j == 0) // if the remainder of i divided by j is zero, then j is a factor of i
{
myList.Add(j); //add j to the list
}
x = myList.Sum();
if (x == i) // test if the sum of the factors equals the number itself (in which case it is a perfect number)
{
IsPerfect = true;
}
}
Console.WriteLine(i);
}
return IsPerfect;
}
static void Main(string[] args)
{
bool IsItAPerfectNum = false;
for (int i = 2; i < 1001; i++)
{
IsItAPerfectNum = IsItPerfect(i);
Console.WriteLine(IsItAPerfectNum);
Console.ReadKey(true);
}
}
}
}
现在我可以循环遍历所有数字,直到 1000 并显示它是否完美(真或假)[这不是练习所要求的,但这是朝着正确方向迈出的一步(练习说它应该显示只有完美的数字)]。
无论如何,奇怪的是它在第 24 位上说的是真的,这不是一个完美的数字.... http://en.wikipedia.org/wiki/Perfect_numbers#Examples
为什么 24 不同?
非常感谢