2

在 R 中使用 tm 包和并行计算时遇到问题,我不确定我是在做一些愚蠢的事情还是它是一个错误。

我创建了一个可重现的小例子:

# Load the libraries
library(tm)
library(snow)

# Create a Document Term Matrix
test_sentence = c("this is a test", "this is another test")
test_corpus = VCorpus(VectorSource(test_sentence))
test_TM = DocumentTermMatrix(test_corpus)

# Define a simple function that returns the matrix for the i-th document
test_function = function(i, TM){ TM[i, ] }

如果我使用这个示例运行一个简单的 lapply,我会得到预期的结果,没有任何问题:

# This returns the expected list containing the rows of the Matrix
res1 = lapply(1:2, test_function, test_TM)

但是如果我并行运行它,我会得到错误:

第一个错误:维数不正确

# This should return the same thing of the lapply above but instead it stops with an error
cl = makeCluster(2)
res2 = parLapply(cl, 1:2, test_function, test_TM)
stopCluster(cl)
4

1 回答 1

2

问题是不同的节点不会自动tm加载包。然而,加载包是必要的,因为它定义了[相关对象类的方法。

下面的代码执行以下操作:

  1. 启动集群
  2. tm在所有节点中加载包
  3. 将所有对象导出到所有节点
  4. 运行函数
  5. 停止集群

cl <- makeCluster(rep("localhost",2), type="SOCK")
clusterEvalQ(cl, library(tm))
clusterExport(cl, list=ls())
res <- parLapply(cl, as.list(1:2), test_function, test_TM)
stopCluster(cl)
于 2015-11-19T21:23:37.673 回答