0

几分钟前我已经提出了另一个接近这个问题的问题,并且有很好的答案,但这不是我想要的,所以我试图更清楚一点。

假设我有一个类中的 Thread 列表:

class Network {

    private List<Thread> tArray = new ArrayList<Thread>();
    private List<ObjectInputStream> input = new ArrayList<ObjectInputStream>();

    private void aMethod() {
        for(int i = 0; i < 10; i++) {
            Runnable r = new Runnable() {
                public void run() {
                    try {
                        String received = (String) input.get(****).readObject(); // I don't know what to put here instead of the ****
                        showReceived(received); // random method in Network class
                    } catch (IOException ioException) {
                        ioException.printStackTrace();
                    }
                }
            }
            tArray.add(new Thread(r));
            tArray.get(i).start();
        }
    }
}

我应该放什么而不是* * ?例如,tArray 列表的第一个线程只能访问输入列表的第一个输入。

编辑:假设我的输入列表已经有 10 个元素

4

2 回答 2

0

如果你把它会工作i。您还需要ObjectInputStream为每个线程添加一个到列表中。我建议您input.add为此目的使用。您还需tArray要用一些线程填充列表,在那里再次使用 add 。

于 2013-07-19T22:55:51.073 回答
0

这是解决方案:

private void aMethod() {
    for(int i = 0; i < 10; i++) {
        final int index = i;  // Captures the value of i in a final varialbe.
        Runnable r = new Runnable() {
            public void run() {
                try {
                    String received = input.get(index).readObject().toString(); // Use te final variable to access the list.
                    showReceived(received); // random method in Network class
                } catch (Exception exception) {
                    exception.printStackTrace();
                }
            }
        };
        tArray.add(new Thread(r));
        tArray.get(i).start();
    }
}

当您希望每个线程访问输入数组中的一个元素时,您可以使用i变量的值作为列表的索引。直接使用的问题i是内部类无法从封闭范围访问非最终变量。为了克服这个问题,我们分配i给最终变量index。最终index可以通过您的Runnable.

其他修复:

  • readObject().toString()
  • catch(Exception exception)
  • tArray.add(new Thread(r))
于 2013-07-19T23:09:20.330 回答