这里的目标是创建一个程序,它可以找到并输出 1 到 100 之间的所有质数。我注意到我倾向于使事情复杂化并创建低效的代码,而且我很确定我在这里也这样做了。最初的代码是我的,我放在评论标签之间的所有东西都是书中给出的代码作为解决方案。
// Find all prime numbers between 1 and 100
#include <iostream>
#include <cmath>
using namespace std;
int main()
{
int counter; // loop counter
int count_two; // counter for second loop
int val; // equals the number of count, used in division to check for primes
bool check;
check = true;
for(counter = 1; counter <= 100; counter++){
val = counter;
for(count_two = 2; count_two <= 9; count_two++){
if((val % count_two) == !(check)){
cout << val << " is a prime number.\n";
}
}
}
return 0;
}
// program didn't work properly because of needless complication; all that needs to be checked for is whether a number is divisible by two
/*
*********correct code***********
#include <iostream>
using namespace std;
int main()
{
int i, j;
bool isprime;
for(i=1; i < 100; i++) {
isprime = true;
// see if the number is evenly divisible
for(j=2; j <= i/2; j++)
// if it is, then it is not prime
if((i%j) == 0) isprime = false;
if(isprime) cout << i << " is prime.\n";
}
return 0;
}
********************************
*/
据我所知,我在这里走的是一条相当正确的道路。我想我用双循环和过度使用变量使事情变得复杂,这可能导致程序工作不正确——如果需要,我可以发布输出,但这肯定是错误的。
我的问题基本上是这样的:我到底哪里出错了?我不需要有人重做这个,因为我想自己更正代码,但我已经看了一段时间,不太明白为什么我的代码不起作用。此外,由于我对此很陌生,因此任何有关语法/可读性的输入也会有所帮助。提前致谢。