1

下面我有一个代码片段,它封装了我遇到的问题。

我正在尝试做的事情在 R 中是微不足道的,但在 Rcpp 中要困难得多。我只是根据它们各自的键尝试聚合值。在这个例子中,我只是想得到与第一个键对应的值的总和。我在 C++ 中做了一些非常相似的事情,但出于某种原因,Rcpp 端口给了我一些问题。

另外,请注意,提供的代码仅代表我遇到的更大问题。所以我知道尝试单独在 Rcpp 中实现这一点并不是很好地利用时间。

#include <Rcpp.h>
using namespace Rcpp;
using namespace std;
// [[Rcpp::export]]

int mmap(List x) {

std::multimap<int, int> out;

  for(int i = 0; i < x.size(); ++i) {
    int key_temp = as<List>(as<List>(x[i]))[0];
    int value_temp = as<List>(as<List>(x[i]))[1];
    out.insert(make_pair(key_temp, value_temp));  
  }

 pair<multimap<int, int>::iterator, multimap<int, int>::iterator> range = out.equal_range(1);
 int total = accumulate(range.first, range.second,  0);

  return total;
}

/*
xList <- list()
xList[[1]] <- list()
xList[[1]][1] <- 1
xList[[1]][2] <- 1
xList[[2]] <- list()
xList[[2]][1] <- 1
xList[[2]][2] <- 2
xList[[3]] <- list()
xList[[3]][1] <- 2
xList[[3]][2] <- 2
xList[[4]] <- list()
xList[[4]][1] <- 1
xList[[4]][2] <- 2

mmap(xList)
 */
4

1 回答 1

4

您收到的第一批错误消息之一是有启发性的:

/usr/include/c++/7/bits/stl_numeric.h:127:18:错误:'operator+' 不匹配(操作数类型为'int'和'std::pair')

编译器不知道如何将您的起始值 (an int) 与迭代器中的新值 (apair表示键值对) 相加。幸运的是std::accumulate,需要一个带有要应用的函数的可选参数。使用 C++11,我们可以使用一个简单的 lambda 函数:

#include <Rcpp.h>
using namespace Rcpp;
// [[Rcpp::plugins(cpp11)]]
// [[Rcpp::export]]
int mmap(List x) {

  std::multimap<int, int> out;

  for(int i = 0; i < x.size(); ++i) {
    int key_temp = as<List>(as<List>(x[i]))[0];
    int value_temp = as<List>(as<List>(x[i]))[1];
    out.insert(std::make_pair(key_temp, value_temp));  
  }

  auto range = out.equal_range(1);
  int total = std::accumulate(range.first, range.second,  0,
                         [](int a, std::pair<const int, int> b) { return a + b.second; });

  return total;
}

/*** R
 xList <- list()
 xList[[1]] <- list()
 xList[[1]][1] <- 1
 xList[[1]][2] <- 1
 xList[[2]] <- list()
 xList[[2]][1] <- 1
 xList[[2]][2] <- 2
 xList[[3]] <- list()
 xList[[3]][1] <- 2
 xList[[3]][2] <- 2
 xList[[4]] <- list()
 xList[[4]][1] <- 1
 xList[[4]][2] <- 2

 mmap(xList)
 */

结果:

> mmap(xList)
[1] 5
于 2018-06-24T06:55:35.827 回答