答案说明了一切,我只会在每种语言中添加一个示例:
def add(x,y):
return x+y
f = add(1)
print(f(3))
f = add(1)
TypeError: add() missing 1 required positional argument: 'y'
这既不是偏函数也不是柯里化函数,这只是一个你没有给出所有参数的函数。
python中的咖喱函数应该是这样的:
partialAdd= lambda x: lambda y: x + y
plusOne = partialAdd(1)
print(plusOne(3))
4
在哈斯克尔:
plus :: Int -> Int -> Int
plus x y = x + y
plusOne = plus 1
plusOne 4
5
python中的部分函数:
def first(ls):
return ls[0]
print(first([2,4,5]))
print(first([]))
输出
2
print(first([]))
File "main.py", line 2, in first
return ls[0]
IndexError: list index out of range
在 Haskell 中,当您的链接出现时:
head [1,2,3]
3
head []
*** Exception: Prelude.head: empty list
那么什么是全函数呢?
好吧,基本上相反:这是一个适用于该类型的任何输入的函数。这是python中的一个例子:
def addElem(xs, x):
xs.append(x)
return xs
如果你使用一个小技巧,这甚至适用于无限列表:
def infiniList():
count = 0
ls = []
while True:
yield ls
count += 1
ls.append(count)
ls = infiniList()
for i in range(5):
rs = next(ls)
print(rs, addElem(rs,6))
[1, 2, 3, 4]
[1, 2, 3, 4, 5] [1, 2, 3, 4, 5]
和 Haskell 中的等价物:
addElem :: a -> [a] -> [a]
addElem x xs = x : xs
addElem 3 (take 10 [1..])
=> [3,1,2,3,4,5,6,7,8,9,10]
这里的功能不会永远挂起。概念是相同的:对于每个列表,该函数都将起作用。