Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Persist in memory not working in Spark

I am trying the persist feature in Spark to persist the data in memory and do computations on it. I am under the assumption that storing the data in memory would make the computations faster for iterative algorithms such as K-means clustering in MLlib.

    val data3 = sc.textFile("hdfs:.../inputData.txt")
    val parsedData3 = data3.map( _.split('\t').map(_.toDouble))
    parsedData3.persist(MEMORY_ONLY)

The call to persist throws the following error:

    scala> parsedData3.persist(MEMORY_ONLY)
    <console>:17: error: not found: value MEMORY_ONLY
                  parsedData3.persist(MEMORY_ONLY)

Could someone help me with how to correctly use persist to save a data in memory for use in an iterative algorithm?

like image 842
Ravi Avatar asked Jul 17 '14 07:07

Ravi


1 Answers

If you look at the signature of rdd.persist being: def persist(newLevel: StorageLevel): this.type you can see that it takes a value of type 'StorageLevel', so the correct way to call persist in your example would be:

parsedData3.persist(StorageLevel.MEMORY_ONLY) 

The companion object of StorageLevel defines these constants, so bringing it into context will allow you to use the constant directly (as in your code)

import org.apache.spark.storage.StorageLevel._
...
parsedData3.persist(MEMORY_ONLY)  // this also works
like image 54
maasg Avatar answered Sep 24 '22 14:09

maasg