I have a function which I believe can be simplified into LINQ but have been unable to do so yet. The function looks like this:
private IList<Colour> GetDifference(IList<Colour> firstList, IList<Colour> secondList)
{
    // Create a new list
    var list = new List<Colour>();
    // Loop through the first list
    foreach (var first in firstList)
    {
        // Create a boolean and set to false
        var found = false;
        // Loop through the second list
        foreach (var second in secondList)
        {
            // If the first item id is the same as the second item id
            if (first.Id == second.Id)
            {
                // Mark it has being found
                found = true;
            }
        }
        // After we have looped through the second list, if we haven't found a match
        if (!found)
        {
            // Add the item to our list
            list.Add(first);
        }
    }
    // Return our differences
    return list;
}
Can this be converted to a LINQ expression easily?
 
     
    