实现
新建实体类继承Readable接口并实现其read()方法。该方法接收一个CharBuffer 并返回一个int,当返回为-1时代表读完了,当返回不为-1时代表还可以读。read方法里可以往CharBuffer中塞入字符,并在适当的时机返回-1,结束字符读取。Scanner类可以调用hasNext()方法,判断是否还有内容未输出,并通过next()方法和nextLine()方法输出内容。
实现代码:
import java.io.IOException;
import java.nio.CharBuffer;
import java.util.Scanner;
public class Demo3 implements Readable {
private int count;
public Demo3(int count) {
this.count = count;
}
@Override
public int read(CharBuffer cb) throws IOException {
System.out.println("这是第"+(10-count)+"次调用read");
if(count==9){
cb.append("abc def hijk lmn");
}
count--;
if (count<=0) {
return -1;
}
return 1;
}
public static void main(String[] args) {
Scanner s = new Scanner(new Demo3(9));
int i =0;
while (s.hasNext()) {
i++;
System.out.println("这是第"+i+"次循环");
System.out.println("Scanner输出"+s.next());
}
System.out.println("再次调用hasNext方法,看看可以调用read方法不");
System.out.println(s.hasNext());
}
}
输出的内容:
这是第1次调用read
这是第1次循环
Scanner输出abc
这是第2次循环
Scanner输出def
这是第3次循环
Scanner输出hijk
这是第4次循环
这是第2次调用read
这是第3次调用read
这是第4次调用read
这是第5次调用read
这是第6次调用read
这是第7次调用read
这是第8次调用read
这是第9次调用read
Scanner输出lmn
再次调用hasNext方法,看看可以调用read方法不
false
修改next()方法为nextLine():
public static void main(String[] args) {
Scanner s = new Scanner(new Demo3(9));
int i =0;
while (s.hasNext()) {
i++;
System.out.println("这是第"+i+"次循环");
System.out.println("Scanner输出"+s.nextLine());
}
System.out.println("再次调用hasNext方法,看看可以调用read方法不");
System.out.println(s.hasNext());
}
输出的内容:
这是第1次调用read
这是第1次循环
这是第2次调用read
这是第3次调用read
这是第4次调用read
这是第5次调用read
这是第6次调用read
这是第7次调用read
这是第8次调用read
这是第9次调用read
Scanner输出abc def hijk lmn
再次调用hasNext方法,看看可以调用read方法不
false
hasNext()
通过输出不难发现,Scanner在调用hasNext()方法时,会判断CharBuffer中是否有内容。如果有则返回true;没有则调用一次Read()方法,并再次判断CharBuffer中是否有内容。如果有则返回true;没有则返回false。
next()
Scanner在调用next() 方法时,会先判断本次输出后CharBuffer中是否仍然有内容。如果有则输出并结束本次调用;没有且可以调用read()方法时,则调用一次read()方法,并重复上述判断逻辑。没有且不可以调用read() 方法时,直接输出本次内容并结束。内容输出逻辑以空格为分隔符。
nextLine()
Scanner在调用next() 方法时,会先判断本次输出后CharBuffer中是否仍然有内容。如果有则输出并结束本次调用;没有且可以调用read()方法时,则调用一次read()方法,并重复上述判断逻辑。没有且不可以调用read() 方法时,直接输出本次内容并结束。内容输出逻辑以换行符为分隔符。
read()
Scanner在调用read()方法时,会先判断是否已经调用过read()方法并获取-1了,如果获取过-1就不再调用read()方法。
网友评论