如何将Java中的byte转为protobuf中bytes

1. 前言

protobuf中如果定义了bytes类型的消息传输对象

	syntax = "proto3";
	option java_package="com.test.protobuf";
	option java_outer_classname = "NettyMessage";
	message MessageBase {
		 bytes data =1;
	}

在生成protobufjava类后,bytes会变成ByteString类型

	// protobuf 生成的java代码中的一小段
	 public Builder setData(com.google.protobuf.ByteString value) {
	 }

2. byte[]ByteString

如果想在java代码中,传输byte类型的数据。直接将byte类型的数据放入protobuf定义的bytes类型的对象中是不可行的,需要通过protobuf的API再进行转化一下。

	MessageBase.Builder messageBase = MessageBase.newBuilder();
	byte[] b = new byte[10];
	messageBase.setData(ByteString.copyFrom(b));

ByteString.copyFrom(byte[] bytes)这个API可以将java byte类型的的数据转换成protobufByteString类型。
这样就可以将java中的byte类型的数据放入protobuf中定义的bytes类型的对象中了。

3. ByteStringbyte[]String

如果想要将protobufByteString类型的数据转换成java中的的byte或者String类型

   	MessageBase messageBase = new MessageBase;
   	// 转换为java中的byte数组
   	byte[] byteArray = messageBase.getData().toByteArray();
  	// 转换为java中的String类型
   	String string = new String(byteArray);

你可能感兴趣的:(GRPC)