2

我正在寻找有关如何System.inInputStream直接从JTextField.

到目前为止,我的方法几乎是反复试验。我目前有;

JTextField input = new JTextField();

System.setIn(new InputStream() {
  int ptr = 0;
  @Override
  public int read() throws IOException {
     int c;
     try {
        c = input.getText().charAt(ptr);
     }
     catch (IndexOutOfBoundsException ioob) {
        return 0;
     }
     ptr++;
     return c;
  }
});

NoSuchElementException当输入为空并且我假设永远找不到分隔符时,这会产生一个尝试读取的结果。

我错过了什么方法?

4

2 回答 2

3

好吧,这是我用来让它正常工作的方法。如果有人可以改进这个答案,那么请随意。

final LinkedBlockingQueue<Character> sb = new LinkedBlockingQueue<Character>();

final JTextField t = new JTextField();
t.addKeyListener(new KeyListener() {
  @Override
  public void keyTyped(KeyEvent e) {
    sb.offer(e.getKeyChar());
  }
  ...
});

System.setIn(new BufferedInputStream(new InputStream() {
  @Override
  public int read() throws IOException {
    int c = -1;
    try {
      c = sb.take();            
    } catch(InterruptedException ie) {
    } 
    return c;           
  }
}));
于 2012-06-08T20:47:36.743 回答
1

你看了一半,但是:

来自 Javadocs

此方法会一直阻塞,直到输入数据可用、检测到流结束或引发异常。

http://docs.oracle.com/javase/1.4.2/docs/api/java/io/InputStream.html#read%28%29

所以你的方法应该只是等待一个键被按下。通过处理 NoSuchElementException 或检查有多少(新?)字符可用的 KeyListener。

此 InputStream 的语义与控制台不同,因此您需要对如何处理编辑做出一些设计决策,而不仅仅是按键。

于 2012-06-08T14:57:50.547 回答