Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Spark : Read file only if the path exists

I am trying to read the files present at Sequence of Paths in scala. Below is the sample (pseudo) code:

val paths = Seq[String] //Seq of paths
val dataframe = spark.read.parquet(paths: _*)

Now, in the above sequence, some paths exist whereas some don't. Is there any way to ignore the missing paths while reading parquet files (to avoid org.apache.spark.sql.AnalysisException: Path does not exist)?

I have tried the below and it seems to be working, but then, I end up reading the same path twice which is something I would like to avoid doing:

val filteredPaths = paths.filter(p => Try(spark.read.parquet(p)).isSuccess)

I checked the options method for DataFrameReader but that does not seem to have any option that is similar to ignore_if_missing.

Also, these paths can be hdfs or s3 (this Seq is passed as a method argument) and while reading, I don't know whether a path is s3 or hdfs so can't use s3 or hdfs specific API to check the existence.

like image 606
Darshan Mehta Avatar asked Jul 19 '17 14:07

Darshan Mehta


3 Answers

You can filter out the irrelevant files as in @Psidom's answer. In spark, the best way to do so is to use the internal spark hadoop configuration. Given that spark session variable is called "spark" you can do:

import org.apache.hadoop.fs.FileSystem
import org.apache.hadoop.fs.Path

val hadoopfs: FileSystem = FileSystem.get(spark.sparkContext.hadoopConfiguration)

def testDirExist(path: String): Boolean = {
  val p = new Path(path)
  hadoopfs.exists(p) && hadoopfs.getFileStatus(p).isDirectory
}
val filteredPaths = paths.filter(p => testDirExists(p))
val dataframe = spark.read.parquet(filteredPaths: _*)
like image 175
Assaf Mendelson Avatar answered Oct 18 '22 07:10

Assaf Mendelson


How about filtering the paths firstly`:

paths.filter(f => new java.io.File(f).exists)

For instance:

Seq("/tmp", "xx").filter(f => new java.io.File(f).exists)
// res18: List[String] = List(/tmp)
like image 38
Psidom Avatar answered Oct 18 '22 05:10

Psidom


Since Spark 2.3.0 there is a config spark.sql.files.ignoreMissingFiles. Just set it to true.

https://spark.apache.org/docs/latest/configuration.html

like image 3
Popeye Avatar answered Oct 18 '22 07:10

Popeye