不同的线程同时调用该方法

2022-09-04 01:49:24

我有下面的java程序来加两个数字。但我试图通过线程进行开发..我一开始就认为应该有五个不同的线程命名为T1,T2,T3,T4,T5,并且所有五个线程应该同时调用add方法,请建议我如何实现这一点,所有五个线程应该同时调用add方法,以便提高性能。

有人可以建议我如何通过执行器框架或contdown闩锁来实现这一点吗?

public class CollectionTest {

    public static void main(String args[]) {

        //create Scanner instance to get input from User
        Scanner scanner = new Scanner(System.in);

        System.err.println("Please enter first number to add : ");
        int number = scanner.nextInt();

        System.out.println("Enter second number to add :");
        int num = scanner.nextInt();

        //adding two numbers in Java by calling method
       int result = add(number, num);

       System.out.printf(" Addition of numbers %d and %d is %d %n", number, num, result);
    }

    public static int add(int number, int num){
        return number + num;
    }
} 

答案 1

您的所有线程都可以同时调用 add,而不会产生任何后果。

这是因为在方法内部,数字和num变量仅是该方法的局部变量 - 并且也是调用线程的本地变量。如果数字和/或数字是全球性的,那将是一个不同的故事。

编辑:

例如,在这种情况下:

public static int add(int number, int num){
    //A
    return number + num;
}

当线程到达点 A 时,它有两个传入的数字。

当不同的线程到达点 A 时,它已使用自己传入的不同数字调用了自己的方法版本。这意味着它们对第一个线程正在执行的操作没有影响。

这些数字仅为该方法的本地数字。

在这种情况下:

static int number;

public static int add(int num){
    //A
    return number + num;
}

当线程到达点 A 时,它具有传入的 num,并且它具有外部编号,因为外部编号可供所有人访问。如果另一个线程进入该方法,它将有自己的数字(因为它调用了自己的方法版本),但它将使用相同的外部数字,因为该数字是全局的,所有人都可以访问。

在这种情况下,您需要添加特殊代码以确保您的线程行为正确。


答案 2

当不同的线程调用 CollectionTest 的静态方法 add 时,你可以这样想

然后会发生什么:例如:

public class Test {
/**
 * @param args
 */
public static void main(String[] args) {
    Runnable t1 = new Runnable() {
        public void run() {
            CollectionTest.add(1, 2);
        }
    };

    Runnable t2 = new Runnable() {
        public void run() {
            CollectionTest.add(3, 4);

        }
    };


    new Thread(t1).start();
    new Thread(t2).start();

}
}


public static int add(int number, int num){
    // when different thread call method 
    // for example   
    //  Runnable t1 call ,then "number" will be assigned 1, "num" will be assigned 2
    //  number ,num will keep in thread'stack spack
    return number + num;
}

推荐