假设源数组保证没有任何可为空值(如果有,可以抛出异常),是否有一种有效的方法可以将一个可空数组(比如byte?[]
)复制到一个非空数组(比如)?byte[]
显然,我可以遍历索引并单独复制每个元素。
这不起作用。它编译,但ArrayTypeMismatchException
在运行时抛出一个。
byte?[] sourceNullable = new byte?[]{1,2,3};
byte[] destNonNullable = new byte[3];
Array.Copy(sourceNullable,destNonNullable,3);
这会起作用,但我正在寻找“更好”的东西
for(int i=0;i<3;i++) {
destNonNullable[i] = sourceNullable[i] ?? 0;
}
我愿意接受答案:显式循环有什么问题?你为什么要浪费时间优化这个?:)
编辑:我尝试使用 Linq 样式Cast<>()
,但结果要慢得多。下面是我的代码中的时间摘要:
for 循环 = 585 毫秒
Linq Cast = 3626 毫秒
输入image
文件是一个稀疏数组,其中填充了空值部分。
uint rowsize = 16;
Stopwatch sw = new Stopwatch();
sw.Start();
for (UInt32 address = start & 0xFFFFFFF0; address <= last; address += rowsize)
{
Int32 imageOffset = (Int32)(address - start);
Int32 maxRowLen = (int)rowsize;
if (maxRowLen + imageOffset > image.Length) maxRowLen = (image.Length - imageOffset);
if (maxRowLen == 0) throw new Exception("this should not happen");
int ptr = 0;
while (ptr < maxRowLen)
{
while (ptr < maxRowLen && image[imageOffset + ptr] == null) ptr++;
int startOffset = ptr;
while (ptr < maxRowLen && image[imageOffset + ptr] != null) ptr++;
int stopOffset = ptr;
if (startOffset < maxRowLen)
{
#if false
int n = stopOffset - startOffset;
byte[] subdata = new byte[n];
for (int i = 0; i < n; i++)
{
subdata[i] = image[imageOffset + startOffset + i] ?? 0;
}
#else
byte[] subdata = image.Skip(imageOffset + startOffset).Take(stopOffset - startOffset).Cast<byte>().ToArray();
#endif
IntelHexRecord rec = new IntelHexRecord((uint)(address + startOffset), subdata);
records.Add(rec);
}
}
}
sw.Stop();
Console.WriteLine("elapsed: {0} ms", sw.ElapsedMilliseconds);