我正在尝试获取PDF文档并通过MVC网站上传以存储到SAP结构中。 SAP结构要求将字节数组分解为1022个长度部分。该程序似乎运行良好,直到我尝试从SAP查看PDF文档。遗憾的是,由于访问权限,我无法查看存储在SAP中的PDF数据。因此,我创建了一种MOCK程序,以便在将字节数组发送到SAP(fileContent)之前匹配它,然后从SAP(fileContentPostSAP)返回后它应该是什么样子。
程序比较字节数组并在数组位置1022找到不匹配的值。
我的程序中是否存在导致字节数组不匹配的错误?他们应该完全匹配,对吧?
ClaimsIdentityMgr claimIdentityMgr = new ClaimsIdentityMgr();
ClaimsIdentity currentClaimsIdentity = claimIdentityMgr.GetCurrentClaimsIdentity();
var subPath = "~/App_Data/" + currentClaimsIdentity.EmailAddress;
var destinationPath = Path.Combine(Server.MapPath(subPath), "LG WM3455H Spec Sheet.pdf");
byte[] fileContent = System.IO.File.ReadAllBytes(destinationPath);
//pretend this is going to SAP
var arrList = SAPServiceRequestRepository.CreateByteListForStructure(fileContent);
var mockStructureList = new List<byte[]>();
foreach (byte[] b in arrList)
mockStructureList.Add(b);
//now get it back from Mock SAP
var fileContentPostSAP = new byte[fileContent.Count()];
var rowCounter = 0;
var prevLength = 0;
foreach (var item in mockStructureList)
{
if (rowCounter == 0)
System.Buffer.BlockCopy(item, 0, fileContentPostSAP, 0, item.Length);
else
System.Buffer.BlockCopy(item, 0, fileContentPostSAP, prevLength, item.Length);
rowCounter++;
prevLength = item.Length;
}
//compare the orginal array with the new one
var areEqual = (fileContent == fileContentPostSAP);
for (var i = 0; i < fileContent.Length; i++)
{
if (fileContent[i] != fileContentPostSAP[i])
throw new Exception("i = " + i + " | fileContent[i] = " + fileContent[i] + " | fileContentPostSAP[i] = " + fileContentPostSAP[i]);
}
这是CreateByteListForStructure函数:
public static List<byte[]> CreateByteListForStructure(byte[] fileContent)
{
var returnList = new List<byte[]>();
for (var i = 0; i < fileContent.Length; i += 1022)
{
if (fileContent.Length - i >= 1022)
{
var localByteArray = new byte[1022];
System.Buffer.BlockCopy(fileContent, i, localByteArray, 0, 1022);
returnList.Add(localByteArray);
}
else
{
var localByteArray = new byte[fileContent.Length - i];
System.Buffer.BlockCopy(fileContent, i, localByteArray, 0, fileContent.Length - i);
returnList.Add(localByteArray);
}
}
return returnList;
}
答案 0 :(得分:1)
代码中似乎有一个简单的错误。
这个循环,它从块中重构数组的内容:
var prevLength = 0;
foreach (var item in mockStructureList)
{
if (rowCounter == 0)
System.Buffer.BlockCopy(item, 0, fileContentPostSAP, 0, item.Length);
else
System.Buffer.BlockCopy(item, 0, fileContentPostSAP, prevLength, item.Length);
rowCounter++;
prevLength = item.Length;
}
通过块的描述,每个块是1022个字节,这意味着在第一次迭代之后,prevLength
被设置为1022,但是在下一次迭代之后,它再次被设置为1022
prevLength
的更正确的分配是:
prevLength += item.Length;
^
|
+-- added this
这将正确地将输出数组中的指针一次向前移动一个块,而不是将其移动到第二个块然后将其保留在那里。
基本上你在正确的位置写入块0,但是在块1的顶部写入所有其他块,在输出数组中将块2和之后的块保留为零。