系统相关
首页 > 系统相关> > Java 内存操作流

Java 内存操作流

作者:互联网

内存操作流

除了文件之外, IO的操作也可以发生在内存之中, 这种流就是内存操作流

文件流的操作里面一定会产生一个文件数据(不管最后这个数据是否被保留), 那么现在我需要IO处理, 但是不想产生文件, 这种情况就可以使用内存作为操作的终端。

在Java 中两类数据流:

字节内存流 ByteArrayInputStream, ByteArrayOutputStream
字符内存流CharArrayReader, CharArrayOutputWriter

观察 ByteArrayInputStream 和 ByteArrayOutputStream 类中提供的构造方法

ByteArrayInputStream 类构造:

public ByteArrayInputStream(byte[] buf)

ByteArrayOutputStream 类构造

public ByteArrayOutputStream()

范例: 通过内存流实现一个大小写转化的操作

package com.cwq.beyond;

import java.io.ByteArrayInputStream;
import java.io.ByteArrayOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;

public class TestDemo01 {
	public static void main(String[] args) throws IOException {
		
		String msg = "hello world !!!";
		
		// 实例化InputStream类对象, 实例化的时候需要将你的操作保存在内存之中, 最终你读取的就是你设置的内容
		InputStream input = new ByteArrayInputStream(msg.getBytes());
		OutputStream output = new ByteArrayOutputStream();
		int temp = 0;
		while ((temp = input.read()) != -1) {
			output.write(Character.toUpperCase(temp));  // 每个字节数据进行处理
		} // 此时所有的数据都在OutputStream类中 了
		System.out.println(output);
		input.close();
		output.close();
	}
}

在这里插入图片描述

Java 数据类型的自动提升

《Java核心技术卷I》P43
Java定义了若干使用于表达式的类型提升规则:

但是如果用final修饰byte,short,char且两个参与运算的数据都不为int/long/float/double,就不会有自动提升了

byte t1 = 23;
byte t2 = 2;
byte t3 = t1 + t2;//不能通过编译

int i1 = 4;
int i2 = i1 + t1;//完美编译

double b1 = 3.23;
float f1 = 34f;
float f2 = b1 + f1;//不能通过编译

final byte b1 = 34;
final byte b2 = 23;
byte b3 = b1 + b2;//完美编译

int a = 3;
final short b = -20;
short c = a + b;//不能通过编译

标签:Java,int,float,ByteArrayInputStream,内存,ByteArrayOutputStream,操作,byte
来源: https://blog.csdn.net/Beyond_Nothing/article/details/111738543