c# – 如何检查bytes数组是否包含另一个数组

我有一个很长的字节数组,例如:

Byte[] bytes = {90, 80, 63, 65, 70 ...};

它接近20-30 Mb(理论上).有没有快速的方法来检查此数组是否包含另一个数组,例如:

Byte[] small = {63, 80, 75, 77};

首先,我需要按顺序查找字节,它们是以小数组定义的.其次,我需要在另一个数组中找到数组而不是任何小数组的字节.
谢谢大家的进步.

最佳答案

static int search(byte[] haystack, byte[] needle)
{
    for (int i = 0; i <= haystack.Length - needle.Length; i++)
    {
        if (match(haystack, needle, i))
        {
            return i;
        }
    }
    return -1;
}

static bool match(byte[] haystack, byte[] needle, int start)
{
    if (needle.Length + start > haystack.Length)
    {
        return false;
    }
    else
    {
        for (int i = 0; i < needle.Length; i++)
        {
            if (needle[i] != haystack[i + start])
            {
                return false;
            }
        }
        return true;
    }
}
点赞