如果您不介意的话,请您帮我,我如何具有x的功能,如下所示:
此函数为x计算两个值
function MOP2(x)
n=length(x);
z1=1-exp(sum((x-1/sqrt(n)).^2));
z2=1-exp(sum((x+1/sqrt(n)).^2));
z=[z1;z2];
return z
end
我想要的主要代码
costfunc=F(x)
但我不知道它是否存在于Julia中。在matlab中,我们可以按照以下步骤
costfunc=@(x) MOP2(x)
在Julia中是否有像@
这样的函数?
非常感谢。
答案 0 :(得分:3)
是的,有一种语法。
这些被称为匿名函数(尽管您可以为其指定名称)。
有几种方法可以做到这一点。
x -> x^2 + 3x + 9
x -> MOP2(x) # this actually is redundant. Please see the note below
# you can assign anonymous functions a name
costFunc = x -> MOP2(x)
# for multiple arguments
(x, y) -> MOP2(x) + y^2
# for no argument
() -> 99.9
# another syntax
function (x)
MOP2(x)
end
以下是一些用法示例。
julia> map(x -> x^2 + 3x + 1, [1, 4, 7, 4])
4-element Array{Int64,1}:
5
29
71
29
julia> map(function (x) x^2 + 3x + 1 end, [1, 4, 7, 4])
4-element Array{Int64,1}:
5
29
71
29
请注意,您无需创建诸如x -> MOP2(x)
之类的匿名函数。如果一个函数具有另一个函数,则可以简单地传递MOP2
而不是传递x -> MOP2(x)
。这是round
的示例。
julia> A = rand(5, 5);
julia> map(x -> round(x), A)
5×5 Array{Float64,2}:
0.0 1.0 1.0 0.0 0.0
0.0 1.0 0.0 0.0 1.0
0.0 0.0 1.0 0.0 1.0
1.0 1.0 1.0 1.0 0.0
0.0 0.0 1.0 1.0 1.0
julia> map(round, rand(5, 5))
5×5 Array{Float64,2}:
0.0 1.0 1.0 0.0 0.0
0.0 1.0 0.0 0.0 1.0
0.0 0.0 1.0 0.0 1.0
1.0 1.0 1.0 1.0 0.0
0.0 0.0 1.0 1.0 1.0
在将函数作为参数传递时,还有the do
syntax。
如果您想给匿名函数命名,则最好定义另一个函数,如
costFunc(x) = MOP2(x) + sum(x.^2) + 4
并稍后使用costFunc
。
如果要使用其他名称调用函数,可以编写
costFunc = MOP2
(如果它在函数内部)。除此以外。在全局范围内,最好在赋值语句之前添加const
。
const constFunc = MOP2
出于类型稳定性的原因,这很重要。