我有一个很长的字符串,例如它可能是“aaaaaabbccc”。需要将其表示为“a6b2c3”。最好的方法是什么?我可以通过比较字符和递增计数然后在一次传递中使用两个索引替换数组中的计数来在线性时间内完成此操作。你能想到比这更好的方法吗?是否有任何编码技术可以在这里工作?
答案 0 :(得分:3)
对此的常见解决方案是RLE - Run-length encoding,维基百科文章有示例实现代码。
答案 1 :(得分:1)
我认为没有更快的方法来解决它。
非正式地,您可以认为子线性复杂性意味着要对要压缩的字符串中的字符数进行较少的比较。但是通过一些比较如此小的比较,你无法确定某些角色,你无法知道它们包含什么,因为你没有足够的信息......这意味着你无法获得失去< / strong>压缩。
答案 2 :(得分:0)
我认为你在问,“运行长度编码是否优于线性方式”?如果是这样,答案是否定的。
答案 3 :(得分:0)
我实现了字节编码。希望它有所帮助。
public byte[] Encode(byte[] original)
{
// TODO: Write your encoder here
if (original==null || original.Count() == 0) // Check for invalid inputs
return new byte[0];
var encodedBytes = new List<byte>(); // Byte list to be returned
byte run = 0x01;
for (int i = 1; i < original.Length; i++)
{
if (original[i] == original[i - 1]) // Keep counting the occurences till this condition is true
run++;
else // Once false,
{
encodedBytes.Add(run); // add the total occurences followed by the
encodedBytes.Add(original[i - 1]); // actual element to the Byte List
run = 0x01; // Reset the Occurence Counter
}
if (i == original.Length - 1)
{
encodedBytes.Add(run);
encodedBytes.Add(original[i]);
}
}
return encodedBytes.Count()==0 ? new byte[0] : encodedBytes.ToArray<byte>();
}
var a = new byte[]{0x01, 0x02, 0x03, 0x04};
var b = new byte[]{0x01, 0x01, 0x01, 0x02, 0x01, 0x03, 0x01, 0x04};
var EncodedA = Encode(a);
var isAEqualB = EncodedA.SequenceEqual(b); should return true