PSO2SERVER/Server/AsciiString.cs

74 lines
1.8 KiB
C#
Raw Normal View History

2024-11-25 23:33:41 +08:00
using System;
using System.Linq;
using System.Text;
namespace PSO2SERVER
{
public class AsciiString
{
private byte[] data;
// 从字符串初始化
public AsciiString(string value)
{
// 确保字符串中只包含 ASCII 字符
if (value.Any(c => c > 127))
{
throw new ArgumentException("字符串包含非 ASCII 字符。");
}
data = Encoding.ASCII.GetBytes(value);
}
// 从字节数组初始化
public AsciiString(byte[] bytes)
{
data = bytes;
}
// 获取 ASCII 字符串,去除尾部的 null 字节
public string GetString()
{
return Encoding.ASCII.GetString(data).TrimEnd('\0');
}
// 获取底层字节数组
public byte[] ToBytes()
{
return data;
}
// 重写 ToString 方法,直接返回 ASCII 字符串
public override string ToString()
{
return GetString();
}
// 检查字节数组是否只包含有效的 ASCII 字符
public bool IsValidAscii()
{
return data.All(b => b < 128);
}
// 静态方法,从字节数组创建 AsciiString 对象
public static AsciiString FromBytes(byte[] bytes)
{
return new AsciiString(bytes);
}
// 静态方法,如果字符串过长则截断
public static AsciiString TruncateIfNeeded(string value, int maxLength)
{
if (value.Length > maxLength)
{
value = value.Substring(0, maxLength);
}
return new AsciiString(value);
}
// 获取字符串的长度
public int Length => data.Length;
}
}