IO流续
ObjectInputStream / ObjectOuputStream
简介:用于存储和读取基本数据类型数据或对象的处理流。它的强大之处就是可以把Java中的对象写入到数据源中,也能把对象从数据源中还原回来。
要想一个对象是可序列化的,需满足以下要求:
- 实现 Serializable 接口,起到标识作用,代表该对象可序列化。
- 提供一个全局常量:SerialVersionUID,来表示类唯一的 ID。
- 保证当前类的所有属性也必须是可序列化的。(默认情况下,基本数据类型是可序列化的)
注意:ObjectInputStream / ObjectOuputStream 不能序列化 staic 和 transient 修饰的属性。
RandomAccessFile 随机存取文件流
- 直接继承于 Object 类,实现了 DataInput / DataOutput 接口。
- 既可以作为输入流,又可以作为输出流。
- 创建 RandomAccessFile ,需要指定一个 modle 参数:
r:只读 rw:读写 - 如果写入文件不存在,则创建一个;
如果写入文件存在,则会对原文件内容进行覆盖(默认从文件头开始)。 - seek(int pos):将文件读写指针移动到指定位置。
网络编程
通信要素一:IP地址和端口号
IP地址
- IP地址唯一的标识了 Internet 上的计算机。
- Java 中用 InetAddress 类来代表 IP 地址。
- 域名:例如 www.baidu.com,利于记忆。
- 本地回路地址:127.0.0.1,对应 localhost。
- 如何实例化一个 InetAddress 对象:
① 调用该类的静态方法,InetAddress.getByName( IP 或 域名 ); 返回一个对象实例。 ② netAddress.getLocalHost(); 返回本地IP对象。 - 两个常用方法:
① getHostName(); ②getHostAddress();
端口号
- 不同的进程有不同的端口号,范围 0 ~ 66535.
端口号与 IP 地址组合得出一个网络套接字:Socket
通信要素二:网络通信协议 TCP / UDP
这里只展示 TCP 的网络编程,实现了通过网络传输文件。
① 客户端
public void test() {
Socket soc = null;
OutputStream os = null;
BufferedInputStream bis = null;
try {
InetAddress inet = InetAddress.getLocalHost();
soc = new Socket(inet, 8399);
os = soc.getOutputStream();
File f1 = new File("tang.jpg");
bis = new BufferedInputStream(new FileInputStream(f1));
byte[] buff = new byte[1024];
int len;
while ((len = bis.read(buff)) != -1) {
os.write(buff, 0, len);
}
} catch (IOException e) {
e.printStackTrace();
} finally {
if (bis != null) {
try {
bis.close();
} catch (IOException e) {
e.printStackTrace();
}
}
if (os != null) {
try {
os.close();
} catch (IOException e) {
e.printStackTrace();
}
}
if (soc != null) {
try {
soc.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
② 服务端
public void server(){
ServerSocket ss = null;
Socket soc = null;
InputStream is = null;
BufferedOutputStream bos = null;
try {
ss = new ServerSocket(8399);
soc = ss.accept();
is = soc.getInputStream();
File f1 = new File("guaitang.jpg");
FileOutputStream fos = new FileOutputStream(f1);
bos = new BufferedOutputStream(fos);
byte[] buff = new byte[1024];
int len;
while((len = is.read(buff)) != -1){
bos.write(buff,0,len);
}
} catch (IOException e) {
e.printStackTrace();
} finally {
if(bos != null){
try {
bos.close();
} catch (IOException e) {
e.printStackTrace();
}
}
if(is != null){
try {
is.close();
} catch (IOException e) {
e.printStackTrace();
}
}
if(soc != null){
try {
soc.close();
} catch (IOException e) {
e.printStackTrace();
}
}
if(ss != null){
try {
ss.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
|