如何使用 InputStream 或 DataInputStream 读取带有 System.in 的字符串

问题描述

我正在尝试使用 InputStream o DataInputStream 读取带有 system.in 的字符串,也许我可以使用 BufferedInputStream,但我不知道如何使用它,我正在寻找 bu 我不明白它是怎么做的有效,我正在尝试做这样的事情。

import java.io.*;
public class Exer10 {
    public static void main(String[] args) throws IOException {
        InputStream is = system.in;
        DataInputStream dis = new DataInputStream(is);
        try {
            while (true){
                dis.readChar();
            }
        } catch (EOFException e){
            
        }
    }
}

这里的问题是我在 system.in 中循环,因为方法“readChar”在循环中,但是如果我将“dis.readChar()”放在另一个位置,这只会返回一个字节,你能帮帮我吗?

我找到的解决方案是我可以把它放在一个字节数组中,但这不能解决任何问题,因为如果我这样做,文件必须始终具有相同的长度,而这个长度不能被移动。像这样:

import java.io.*;
import java.util.ArrayList;
import java.util.List;

public class Exer10 {
    public static void main(String[] args) throws IOException {
        InputStream is = system.in;
        DataInputStream dis = new DataInputStream(is);
        byte[] bytes = new byte[10];
        dis.read(bytes);
    }
}

解决方法

readChar 只返回一个字节,如果有的话。解决方法如下:

  1. 检查流中是否有可用的数据(available 应返回非空字节数)
  2. 用现有内容填充一个新的字节数组(后来转换为字符串):with read(byte[] bytes)

然后你可以使用提取的数据:)

    public static void main(String[] args) {
        InputStream is = System.in;
        DataInputStream dis = new DataInputStream(is);
        try {
            while (true) {
                int count = dis.available();
                if (count > 0) {
                    // Create byte array
                    byte[] bytes = new byte[count];
    
                    // Read data into byte array
                    int bytesCount = dis.read(bytes);
    
                    System.out.println("Result: "+ new String(bytes));
                }
            }
        } catch (IOException e) {
            System.out.println(e);
        }
    }

来源:

javadoc:https://docs.oracle.com/en/java/javase/11/docs/api/java.base/java/io/DataInputStream.html 示例:https://www.geeksforgeeks.org/datainputstream-read-method-in-java-with-examples/#:~:text=read(byte%5B%5D%20b)%20method,data%20is%20available%20to%20read

使用扫描仪确实更容易实现:

    public static void main(String[] args) {
        Scanner sc = new Scanner(System.in);
        while (sc.hasNext()) {
            System.out.println("input: "+sc.nextLine());            
        }
    }