我有两个相同长度的向量x和y;
x <- c(12,14,14,15,16,18)
y <- c(25,36,32,30,36,42)
和函数f
f <- function(a,b) {
sum((y - a - b*x)^2)
}
如果a和b是两个向量,那么:
a <- seq(from=-5,to=5, by=.1)
b <- seq(from=-2.5, to=7.5, by=.1)
我需要为每一对f
和a
评估b
,以便为a, b, and z=f(a,b)
制作3D图。
我发现outer
功能,但这不起作用。你可以建议我替代,以便我能取得理想的结果吗?
由于
答案 0 :(得分:2)
在两个独立的部分中,您可以使用plot3D包:
library(plot3D)
(1)计算每个a,b
的z = f(a,b)### Compute z = f(a, b)
a <- seq(from=-5,to=5, by=.1)
b <- seq(from=-2.5, to=7.5, by=.1)
X <- c(12,14,14,15,16,18)
Y <- c(25,36,32,30,36,42)
f <- function(a,b) {
sum((Y - a - b*X)^2)
}
m <- expand.grid(a, b)
z <- mapply(f, m$Var1, m$Var2)
(2)声明一个网格并在其上绘制结果:
### Plot3D
M <- mesh(a, b)
x.plot <- M$x
y.plot <- M$y
z.plot <- matrix(z, nrow=nrow(x.plot))
persp3D(x.plot, y.plot, z.plot)
这会产生:
结果必须仔细检查
答案 1 :(得分:1)
xy = expand.grid(a, b)
# z = f(xy[,1], xy[,2])
mapply(f, xy$Var1, xy$Var2) # see comment below
第一个产生a
和b
的笛卡尔积:
a = 1:3
b = 4:5
expand.grid(a, b)
# prints (I'm not sure about the row order)
# 1 4
# 1 5
# 2 4
# 2 5
# 3 4
# 3 5
答案 2 :(得分:1)