我尝试使用4个均匀平衡的线程来查找10到30之间的素数。我想知道每个线程有多少素数,总数是多少,并打印出素数。我运行了几次程序,每次输出都不一样。有人可以帮我解决问题。
public class Prime extends Thread
{
int thread;
static long max=30;
static long min=10;
static long[] primes = new long[100];
static int a=0;
static int b=0;
static int c=0;
static int d=0;
public Prime(int threadID)
{
thread = threadID;
}
public void run()
{
for(long i = min; i<=max; i++){
if(isPrime(i)){
if(thread ==1){
if(i<=15){
primes[a++] = i;
}
}
if(thread ==2){
if(i>15 && i <=20){
primes[b++] = i;
}
}
if(thread ==3){
if(i>20 && i<=25){
{
primes[c++] = i;
}
}
}
if(thread ==4){
if(i>25){
primes[d++] = i;
}
}
}
}
if(thread ==1){System.out.println("Thread 1 contains "+a+" prime numbers");}
if(thread ==2){System.out.println("Thread 2 contains "+b+" prime numbers");}
if(thread ==3){System.out.println("Thread 3 contains "+c+" prime numbers");}
if(thread ==4){System.out.println("Thread 4 contains "+d+" prime numbers");}
}
public static boolean isPrime(long n) {
for (int i = 2; i < Math.sqrt(n); i++) {
if (n % i == 0) {
return false;
}
}
return true;
}
public static void main(String[] arg)
{
Thread th1 = new Prime(1);
Thread th2 = new Prime(2);
Thread th3 = new Prime(3);
Thread th4 = new Prime(4);
th1.start();
th2.start();
th3.start();
th4.start();
try{th1.join();}
catch(InterruptedException ie){}
try{th2.join();}
catch(InterruptedException ie){}
try{th3.join();}
catch(InterruptedException ie){}
try{th4.join();}
catch(InterruptedException ie){}
int total = a+b+c+d;
System.out.println("Total number of prime: "+total);
for (int i=0;i<10; i++){
System.out.println(""+i+": "+Prime.primes[i]);
}
}
}
答案 0 :(得分:0)
正如@Louis在对你的问题的评论中提到的那样,你所有的线程都会相互覆盖。
当Thread1将它放在primes [0]中时,其他线程不会被通知,然后也将它们的工作放在primes [0]中(它会覆盖已经存在的工作)。你获得不同的输出主要是因为线程运行的顺序是“随机的”。
一个简单的解决方案是没有每个线程(a,b,c,d)的索引,而是使用AtomicInteger
中的java.util.concurrent.atomic.AtomicInteger
。
如何使用AtomicInteger
import java.util.concurrent.atomic.AtomicInteger;
public class Prime extends Thread
{
int thread;
static long max=30;
static long min=10;
static long[] primes = new long[100];
static AtomicInteger index = new AtomicInteger(0);
public Prime(int threadID)
{
thread = threadID;
}
public void run()
{
for(long i = min; i<=max; i++){
if(isPrime(i)){
if(thread ==1){
if(i<=15){
primes[index.getAndAdd(1)] = i;
}
}
if(thread ==2){
if(i>15 && i <=20){
primes[index.getAndAdd(1)] = i;
}
}
如果您想要计算每个线程使用的素数数量,那么您仍然可以使用a,b,c,d
,但不应将它们用作共享数据的索引。