Python 等同于 LINQ

新手上路,请多包涵

在 C# 中,使用 LINQ,如果我有枚举 enumerable ,我可以这样做:

 // a: Does the enumerable contain an item that satisfies the lambda?
bool contains = enumerable.Any(lambda);

// b: How many items satisfy the lambda?
int count = enumerable.Count(lambda);

// c: Return an enumerable that contains only distinct elements according to my custom comparer
var distinct = enumerable.Distinct(comparer);

// d: Return the first element that satisfies the lambda, or throws an exception if none
var element = enumerable.First(lambda);

// e: Returns an enumerable containing all the elements except those
// that are also in 'other', equality being defined by my comparer
var except = enumerable.Except(other, comparer);

我听说 Python 的语法比 C# 更简洁(因此效率更高),那么我如何使用 Python 中的可迭代对象以相同或更少的代码量实现同样的效果呢?

注意:如果不需要( AnyCountFirst ),我不想将可迭代对象具体化为列表。

原文由 Flavien 发布,翻译遵循 CC BY-SA 4.0 许可协议

阅读 1k
2 个回答

以下 Python 行应该等同于您所拥有的(假设 funclambda 在您的代码中,返回一个布尔值):

 # Any
contains = any(func(x) for x in enumerable)

# Count
count = sum(func(x) for x in enumerable)

# Distinct: since we are using a custom comparer here, we need a loop to keep
# track of what has been seen already
distinct = []
seen = set()
for x in enumerable:
    comp = comparer(x)
    if not comp in seen:
        seen.add(comp)
        distinct.append(x)

# First
element = next(iter(enumerable))

# Except
except_ = [x for x in enumerable if not comparer(x) in other]

参考:

Note that I renamed lambda to func since lambda is a keyword in Python, and I renamed except to except_ 出于同样的原因。

请注意,您也可以使用 map() 代替理解/生成器,但通常认为它的可读性较低。

原文由 Andrew Clark 发布,翻译遵循 CC BY-SA 3.0 许可协议

最初的问题是如何在 Python 中使用可迭代对象实现相同的功能。尽管我喜欢列表理解,但我仍然发现 LINQ 在许多情况下更具可读性、直观性和简洁性。以下库包装 Python 可迭代对象以在 具有相同 LINQ 语义 的 Python 中实现相同的功能:

如果您想坚持使用内置的 Python 功能, 这篇博 文提供了 C# LINQ 功能到内置 Python 命令的相当详尽的映射。

原文由 michael 发布,翻译遵循 CC BY-SA 4.0 许可协议

撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题