Scala Ambiguous Variable Name Within A Method

285 Views Asked by At

I've seen some questions regarding Scala and variable scoping (such as Scala variable scoping question)

However, I'm having trouble getting my particular use-case to work.

Let's say I have a trait called Repo:

trait Repo {
    val source: String
}

And then I have a method to create an implementation of Repo...

def createRepo(source: String) = 
  new Repo {
    val source: String = source
  }

Of course I have two source variables in use, one at the method level and one inside of the Repo implementation. How can I refer to the method-level source from within my Repo definition?

Thanks!

2

There are 2 best solutions below

0
On BEST ANSWER

Not sure if this is the canonical way, but it works:

def createRepo(source: String) = {
  val sourceArg = source
  new Repo {
    val source = sourceArg
  }
}

Or, you could just give your paramenter a different name that doesn't clash.

Or, make a factory:

object Repo {
  def apply(src: String) = new Repo { val source = src }
}

def createRepo(source: String) = Repo(source)
0
On

In addition to the solutions of Luigi, you might also consider changing Repo from a trait to a class,

class Repo(val source: String)
def createRepo(source: String) = new Repo(source)