54 lines
1.8 KiB
Java
54 lines
1.8 KiB
Java
package net.minecraft.network;
|
|
|
|
import io.netty.buffer.ByteBuf;
|
|
import io.netty.buffer.ByteBufUtil;
|
|
import io.netty.handler.codec.DecoderException;
|
|
import io.netty.handler.codec.EncoderException;
|
|
import java.nio.charset.StandardCharsets;
|
|
|
|
public class Utf8String {
|
|
public static String read(ByteBuf buffer, int maxLength) {
|
|
int i = ByteBufUtil.utf8MaxBytes(maxLength);
|
|
int j = VarInt.read(buffer);
|
|
if (j > i) {
|
|
throw new DecoderException("The received encoded string buffer length is longer than maximum allowed (" + j + " > " + i + ")");
|
|
} else if (j < 0) {
|
|
throw new DecoderException("The received encoded string buffer length is less than zero! Weird string!");
|
|
} else {
|
|
int k = buffer.readableBytes();
|
|
if (j > k) {
|
|
throw new DecoderException("Not enough bytes in buffer, expected " + j + ", but got " + k);
|
|
} else {
|
|
String string = buffer.toString(buffer.readerIndex(), j, StandardCharsets.UTF_8);
|
|
buffer.readerIndex(buffer.readerIndex() + j);
|
|
if (string.length() > maxLength) {
|
|
throw new DecoderException("The received string length is longer than maximum allowed (" + string.length() + " > " + maxLength + ")");
|
|
} else {
|
|
return string;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
public static void write(ByteBuf buffer, CharSequence string, int maxLength) {
|
|
if (string.length() > maxLength) {
|
|
throw new EncoderException("String too big (was " + string.length() + " characters, max " + maxLength + ")");
|
|
} else {
|
|
int i = ByteBufUtil.utf8MaxBytes(string);
|
|
ByteBuf byteBuf = buffer.alloc().buffer(i);
|
|
|
|
try {
|
|
int j = ByteBufUtil.writeUtf8(byteBuf, string);
|
|
int k = ByteBufUtil.utf8MaxBytes(maxLength);
|
|
if (j > k) {
|
|
throw new EncoderException("String too big (was " + j + " bytes encoded, max " + k + ")");
|
|
}
|
|
|
|
VarInt.write(buffer, j);
|
|
buffer.writeBytes(byteBuf);
|
|
} finally {
|
|
byteBuf.release();
|
|
}
|
|
}
|
|
}
|
|
}
|