从R
,我试图在此文件上运行sourceCpp
:
#include <RcppArmadillo.h>
// [[Rcpp::depends(RcppArmadillo)]]
using namespace arma;
using namespace Rcpp;
// [[Rcpp::export]]
vec dnormLog(vec x, vec means, vec sds) {
int n = x.size();
vec res(n);
for(int i = 0; i < n; i++) {
res[i] = log(dnorm(x[i], means[i], sds[i]));
}
return res;
}
请参阅this answer,以查看从何处获得函数。这将引发错误:
no matching function for call to 'dnorm4'
这是我希望通过使用循环来避免的确切错误,因为引用的答案提到
dnorm
仅针对其第一个参数进行矢量化。我担心答案很明显,但是我尝试在R::
之前添加dnorm
,尝试使用NumericVector
而不是vec
,而不在前面使用log()
。没运气。但是,在R::
之前添加dnorm
确实会产生单独的错误:too few arguments to function call, expected 4, have 3; did you mean '::dnorm4'?
不能通过将上面的
dnorm
替换为R::dnorm4
来解决。 最佳答案
这里有两个不错的可教导的时刻:
R::dnorm()
中的第四个参数。 这是一个修复的版本,其中包括第二个变体,您可能会发现它很有趣:
#include <RcppArmadillo.h>
// [[Rcpp::depends(RcppArmadillo)]]
// [[Rcpp::export]]
arma::vec dnormLog(arma::vec x, arma::vec means, arma::vec sds) {
int n = x.size();
arma::vec res(n);
for(int i = 0; i < n; i++) {
res[i] = std::log(R::dnorm(x[i], means[i], sds[i], FALSE));
}
return res;
}
// [[Rcpp::export]]
arma::vec dnormLog2(arma::vec x, arma::vec means, arma::vec sds) {
int n = x.size();
arma::vec res(n);
for(int i = 0; i < n; i++) {
res[i] = R::dnorm(x[i], means[i], sds[i], TRUE);
}
return res;
}
/*** R
dnormLog( c(0.1,0.2,0.3), rep(0.0, 3), rep(1.0, 3))
dnormLog2(c(0.1,0.2,0.3), rep(0.0, 3), rep(1.0, 3))
*/
当我们获得此结果时,两者都返回相同的结果,因为R API允许我们要求采用对数。
R> sourceCpp("/tmp/dnorm.cpp")
R> dnormLog( c(0.1,0.2,0.3), rep(0.0, 3), rep(1.0, 3))
[,1]
[1,] -0.923939
[2,] -0.938939
[3,] -0.963939
R> dnormLog2(c(0.1,0.2,0.3), rep(0.0, 3), rep(1.0, 3))
[,1]
[1,] -0.923939
[2,] -0.938939
[3,] -0.963939
R>