我正在进行RSA加密,我必须将长字符串拆分为小字节[]并加密它们。然后我组合数组并转换为字符串并写入安全文件。
然后加密创建字节[128]
我使用以下内容来组合:
public static byte[] Combine(params byte[][] arrays)
{
byte[] ret = new byte[arrays.Sum(x => x.Length)];
int offset = 0;
foreach (byte[] data in arrays)
{
Buffer.BlockCopy(data, 0, ret, offset, data.Length);
offset += data.Length;
}
return ret;
}
当我解密时,我接受字符串,将其转换为byte []数组,现在需要将其拆分以解码块然后转换为字符串。
有什么想法吗?
由于
修改
我认为我现在已经拆分了,但是解密失败了。这是因为RSA密钥等吗?在TimePointA它加密它,然后在TimePointB它尝试解密它失败。公钥是不同的,因此不确定这是否是问题。
答案 0 :(得分:3)
解密时,可以为解密缓冲区创建一个数组并重复使用它:
此外,通常RSA用于加密AES等对称密钥,对称算法用于加密实际数据。对于超过1个密码块的任何内容,这都非常。要解密数据,可以使用RSA解密对称密钥,然后使用该密钥解密数据。
byte[] buffer = new byte[BlockLength];
// ASSUMES SOURCE IS padded to BlockLength
for (int i = 0; i < source.Length; i += BlockLength)
{
Buffer.BlockCopy(source, i, buffer, 0, BlockLength);
// ... decode buffer and copy the result somewhere else
}
编辑2:如果您将数据存储为字符串而不是原始字节,请使用Convert.ToBase64String()
和Convert.FromBase64String()
作为最安全的转换解决方案。
编辑3:从他的编辑:
private static List<byte[]> splitByteArray(string longString)
{
byte[] source = Convert.FromBase64String(longString);
List<byte[]> result = new List<byte[]>();
for (int i = 0; i < source.Length; i += 128)
{
byte[] buffer = new byte[128];
Buffer.BlockCopy(source, i, buffer, 0, 128);
result.Add(buffer);
}
return result;
}
答案 1 :(得分:3)
我会说这样的事情会这样做:
byte[] text = Encoding.UTF8.GetBytes(longString);
int len = 128;
for (int i = 0; i < text.Length; )
{
int j = 0;
byte[] chunk = new byte[len];
while (++j < chunk.Length && i < text.Length)
{
chunk[j] = text[i++];
}
Convert(chunk); //do something with the chunk
}
答案 2 :(得分:0)
为什么需要将字符串分成可变长度的块?固定长度的块,或者根本没有块,可以简化这一过程。
答案 3 :(得分:0)
“公钥不同”?
使用私钥加密,并使用与私钥对应的公钥解密。
其他任何东西都会给你带来胡言乱语。
答案 4 :(得分:0)
为什么不使用框架而不是自己做字节内容?