How To Create Temporary Directory in Scala Unit Tests

File in Java is very cumbersome to test. There is no simple way to create some kind of virtual filesystem abstraction, which can be used for tests.

A cool way around it is to create some kind of wrapper, that can be used for stubbing and mocking.

For example:

trait FileOps { //trait which works as proxy for file
  def getName(): String
  def exists(): Boolean
}

object FileOps {

  class FileOpsImpl(file: File) extends FileOps {
    override def getName(): String = file.getName //delegate all methods you need
    override def exists(): Boolean = file.exists()
  }

  implicit class FromFile(file: File) { //implicit method to convert File to FileOps
    def toFileOps: FileOpsImpl = new FileOpsImpl(file)
  }
}

Then you'd have to use it instead of File in your class:

class UsesDirectory(directory : FileOps) {
  ...
}

//maybe you can even create implicit conversion, but it's better to do it explicitly
val directory = new UserDirectory(file.toFileOps) 

And what is benefit of that?

In your tests you can provide custom implementation of FileOps:

class UsesDirectorySpec extends FlatSpec {
    val dummyFileOps = new FileOps {
        override def getName(): String = "mock"
        override def exists(): Boolean = true
    }

    //OR

    val mockFileOps = mock[FileOps] //you can mock it easily since it's only trait

    val usesDirectory = UsesDirectory(dummyFileOps)

    "UsesDirectory" should {
      ...
    }
}

If you use this or a similar approach, you don't even need to touch filesystem in your unit test.


Krzysztof's answer provides a good strategy for avoiding the need for temp directories in your tests altogether.

However if you do need UsesDirectory to work with real files, you can do something like the following to create a temporary directory:

import java.nio.file.Files
val tempDir = Files.createTempDirectory("some-prefix").toFile

Regarding cleanup, you could use the JVM shutdown hook mechanism to delete your temp files.

(java.io.File does provide deleteOnExit() method but it doesn't work on non-empty directories)

You could implement a custom shutdown hook using sys.addShutdownHook {}, and use Files.walk or Files.walkTree to delete the contents of your temp directory.

Also you may want to take a look at the better-files library, which provides a less verbose scala API for common files operations including File.newTemporaryDirectory() and file.walk()