Reputation: 3555
I have created parallel workers (all running on the same machine) using:
MyCluster = makeCluster(8)
How can I make every of these 8 nodes source an R-file I wrote? I tried:
clusterCall(MyCluster, source, "myFile.R")
clusterCall(MyCluster, 'source("myFile.R")')
And several similar versions. But none worked. Can you please help me to find the mistake?
Thank you very much!
Upvotes: 8
Views: 7180
Reputation: 5013
The following code serves your purpose:
library(parallel)
cl <- makeCluster(4)
clusterCall(cl, function() { source("test.R") })
## do some parallel work
stopCluster(cl)
Also you can use clusterEvalQ()
to do the same thing:
library(parallel)
cl <- makeCluster(4)
clusterEvalQ(cl, source("test.R"))
## do some parallel work
stopCluster(cl)
However, there is subtle difference between the two methods. clusterCall()
runs a function on each node while clusterEvalQ()
evaluates an expression on each node. If you have a variable list of files to source, clusterCall()
will be easier to use since clusterEvalQ(cl,expr)
will regard any expr
as an expression so it's not convenient to put a variable there.
Upvotes: 8
Reputation: 368499
If you use a command to source a local file, ensure the file is there.
Else place the file on a network share or NFS, and source the absolute path.
Better still, and standard answers, write a package and have that package installed on each node and then just call library()
or require()
.
Upvotes: 2