2

我正在尝试使用 pnorm 和 qnorm 等函数用 Rcpp 编写一段 C++ 代码。我可以将这些的 Rcpp 糖版本用于矢量,如https://stackoverflow.com/a/9738848/567015中所述,但我不需要在矢量上执行此操作,而只需在双精度上执行此操作。

如果我理解正确,我可以使用Rf_前缀从 Rmath.h 获取标量版本。但是,Rf_pnorm不起作用:

library("inline")
Src <-  '
double y = as<double>(x);
double res = Rf_pnorm(y,0.0,1.0);
return wrap(res) ;
'

fx <- cxxfunction( signature(x = "numeric") ,Src, plugin = "Rcpp" )

fx(1)

给出错误:

file10c81a585dee.cpp: In function 'SEXPREC* file10c81a585dee(SEXP)':
file10c81a585dee.cpp:32:32: error: 'Rf_pnorm' was not declared in this scope

经过一些谷歌搜索和反复试验,我发现Rf_pnorm5确实有效,但需要额外的参数来降低尾部和对数比例:

Src <-  '
double y = as<double>(x);
double res = Rf_pnorm5(y,0.0,1.0,1,0);
return wrap(res) ;
'

fx <- cxxfunction( signature(x = "numeric") ,Src, plugin = "Rcpp" )

fx(1)
## [1] 0.8413447

太好了,但我不明白为什么这行得通,但Rf_pnorm没有。我宁愿使用Rf_pnorm,因为我认为这样可以更容易地为不同的发行版找到正确的代码。

4

1 回答 1

3

这是 Rcpp 糖变体,它与 Rcpp 更自然:

R> library(inline)
R> 
R> Src <- '
+ NumericVector y = NumericVector(x);
+ NumericVector res = pnorm(y,0.0,1.0);
+ return res;
+ '
R> 
R> fx <-  cxxfunction( signature(x = "numeric") , body=Src, plugin = "Rcpp")
R> 
R> fx(seq(0.8, 1.2, by=0.1))
[1] 0.788145 0.815940 0.841345 0.864334 0.884930
R> 
R> fx(1.0)      ## can also call with scalar args
[1] 0.841345
R> 

更仔细地查看我们的标题,我们取消定义pnormet alRmath.h以定义您从 Rcpp 糖获得的(矢量化)变体。

2012-11-14 编辑: 随着今天发布的 Rcpp 0.10.0,R::pnorm(double, double, double, int, int)如果您想使用针对Rmath.h. Rcpp 糖仍然为您提供矢量化版本。

于 2012-03-21T14:10:00.693 回答