是否存在任何Linq表达式,该表达式从source list的末尾给出谓词列表。

即:"abc1zxc".ToCharArray().SomeMagicLinq(p=>Char.IsLetter(p));

应该给“ zxc”

最佳答案

您可以使用这种方法:

var lastLetters = "abc1zxc".Reverse().TakeWhile(Char.IsLetter).Reverse();
string lastLettersString = new String(lastLetters.ToArray());


不是最有效的方法,而是工作和可读的。

如果您确实需要将其作为单个(优化)方法,则可以使用以下方法:

public static IEnumerable<TSource> GetLastPart<TSource>(this IEnumerable<TSource> source, Func<TSource, bool> predicate)
 {
    var buffer = source as IList<TSource> ?? source.ToList();
    var reverseList = new List<TSource>();
    for (int i = buffer.Count - 1; i >= 0; i--)
    {
        if (!predicate(buffer[i])) break;
        reverseList.Add(buffer[i]);
    }
    for (int i = reverseList.Count - 1; i >= 0; i--)
    {
        yield return reverseList[i];
    }
}


然后更简洁:

string lastLetters = new String("abc1zxc".GetLastPart(Char.IsLetter).ToArray());

关于c# - Linq Expression通过函数从最后获取谓词项,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/39640801/

10-11 05:05