Java控制台接收資料
- 讀取控制台輸入
- 從控制台讀取多字元輸入
- 從控制台讀取多字元輸入
- 從控制台讀取多字元輸入
-
- 執行個體
- 我的筆記
讀取控制台輸入
Java 的控制台輸入由 System.in 完成。
為了獲得一個綁定到控制台的字元流,你可以把 System.in 包裝在一個 BufferedReader 對象中來建立一個字元流。
下面是建立 BufferedReader 的基本文法
BufferedReader br = new BufferedReader(new
InputStreamReader(System.in));
BufferedReader 對象建立後,我們便可以使用 read() 方法從控制台讀取一個字元,或者用 readLine() 方法讀取一個字元串。
從控制台讀取多字元輸入
從 BufferedReader 對象讀取一個字元要使用 read() 方法,它的文法如下:
int read( ) throws IOException
每次調用 read() 方法,它從輸入流讀取一個字元并把該字元作為整數值傳回。 當流結束的時候傳回 -1。該方法抛出 IOException。
下面的程式示範了用 read() 方法從控制台不斷讀取字元直到使用者輸入 “q”。
//使用 BufferedReader 在控制台讀取字元
import java.io.*;
public class BRRead {
public static void main(String args[]) throws IOException {
char c;
// 使用 System.in 建立 BufferedReader
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
System.out.println(“輸入字元, 按下 ‘q’ 鍵退出。”);
// 讀取字元
do {
c = (char) br.read();
System.out.println©;
} while (c != ‘q’);
}
}
以上執行個體編譯運作結果如下:
輸入字元, 按下 ‘q’ 鍵退出。
runoob
r
u
n
o
o
b
q
q
從控制台讀取多字元輸入
從标準輸入讀取一個字元串需要使用 BufferedReader 的 readLine() 方法。
它的一般格式是:
String readLine( ) throws IOException
下面的程式讀取和顯示字元行直到你輸入了單詞"end"。
//使用 BufferedReader 在控制台讀取字元
import java.io.*;
public class BRReadLines {
public static void main(String args[]) throws IOException {
// 使用 System.in 建立 BufferedReader
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
String str;
System.out.println(“Enter lines of text.”);
System.out.println(“Enter ‘end’ to quit.”);
do {
str = br.readLine();
System.out.println(str);
} while (!str.equals(“end”));
}
}
以上執行個體編譯運作結果如下:
Enter lines of text.
Enter ‘end’ to quit.
This is line one
This is line one
This is line two
This is line two
end
end
從控制台讀取多字元輸入
在此前已經介紹過,控制台的輸出由 print( ) 和 println() 完成。這些方法都由類 PrintStream 定義,System.out 是該類對象的一個引用。
PrintStream 繼承了 OutputStream類,并且實作了方法 write()。這樣,write() 也可以用來往控制台寫操作。
PrintStream 定義 write() 的最簡單格式如下所示:
void write(int byteval)
該方法将 byteval 的低八位位元組寫到流中。
執行個體
下面的例子用 write() 把字元 “A” 和緊跟着的換行符輸出到螢幕:
import java.io.*;
//示範 System.out.write().
public class WriteDemo {
public static void main(String args[]) {
int b;
b = ‘A’;
System.out.write(b);
System.out.write(’\n’);
}
}
運作以上執行個體在輸出視窗輸出 “A” 字元
A
我的筆記
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
String str;
System.out.println(“Enter lines of text.”);
System.out.println(“Enter ‘end’ to quit.”);
do {
str = br.readLine();
System.out.println(str);
} while (!str.equals(“end”));
package text;
import java.io.*;
public class triangle {
public static void main(String[] args)throws IOException{
System.out.println(“Please enter the height of an isosceles triangle!”);
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
String str = br.readLine();
int hight = Integer.parseInt(str);
System.out.println(hight);
}
}