Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

What are the precise rules for when you can omit parenthesis, dots, braces, = (functions), etc.?

Tags:

syntax

scala

What are the precise rules for when you can omit (omit) parentheses, dots, braces, = (functions), etc.?

For example,

(service.findAllPresentations.get.first.votes.size) must be equalTo(2).
  • service is my object
  • def findAllPresentations: Option[List[Presentation]]
  • votes returns List[Vote]
  • must and be are both functions of specs

Why can't I go:

(service findAllPresentations get first votes size) must be equalTo(2)

?

The compiler error is:

"RestServicesSpecTest.this.service.findAllPresentations of type Option[List[com.sharca.Presentation]] does not take parameters"

Why does it think I'm trying to pass in a parameter? Why must I use dots for every method call?

Why must (service.findAllPresentations get first votes size) be equalTo(2) result in:

"not found: value first"

Yet, the "must be equalTo 2" of (service.findAllPresentations.get.first.votes.size) must be equalTo 2, that is, method chaining works fine? - object chain chain chain param.

I've looked through the Scala book and website and can't really find a comprehensive explanation.

Is it in fact, as Rob H explains in Stack Overflow question Which characters can I omit in Scala?, that the only valid use-case for omitting the '.' is for "operand operator operand" style operations, and not for method chaining?

like image 263
Antony Stubbs Avatar asked Jul 25 '09 07:07

Antony Stubbs


2 Answers

You seem to have stumbled upon the answer. Anyway, I'll try to make it clear.

You can omit dot when using the prefix, infix and postfix notations -- the so called operator notation. While using the operator notation, and only then, you can omit the parenthesis if there is less than two parameters passed to the method.

Now, the operator notation is a notation for method-call, which means it can't be used in the absence of the object which is being called.

I'll briefly detail the notations.

Prefix:

Only ~, !, + and - can be used in prefix notation. This is the notation you are using when you write !flag or val liability = -debt.

Infix:

That's the notation where the method appears between an object and it's parameters. The arithmetic operators all fit here.

Postfix (also suffix):

That notation is used when the method follows an object and receives no parameters. For example, you can write list tail, and that's postfix notation.

You can chain infix notation calls without problem, as long as no method is curried. For example, I like to use the following style:

(list
 filter (...)
 map (...)
 mkString ", "
)

That's the same thing as:

list filter (...) map (...) mkString ", "

Now, why am I using parenthesis here, if filter and map take a single parameter? It's because I'm passing anonymous functions to them. I can't mix anonymous functions definitions with infix style because I need a boundary for the end of my anonymous function. Also, the parameter definition of the anonymous function might be interpreted as the last parameter to the infix method.

You can use infix with multiple parameters:

string substring (start, end) map (_ toInt) mkString ("<", ", ", ">")

Curried functions are hard to use with infix notation. The folding functions are a clear example of that:

(0 /: list) ((cnt, string) => cnt + string.size)
(list foldLeft 0) ((cnt, string) => cnt + string.size)

You need to use parenthesis outside the infix call. I'm not sure the exact rules at play here.

Now, let's talk about postfix. Postfix can be hard to use, because it can never be used anywhere except the end of an expression. For example, you can't do the following:

 list tail map (...)

Because tail does not appear at the end of the expression. You can't do this either:

 list tail length

You could use infix notation by using parenthesis to mark end of expressions:

 (list tail) map (...)
 (list tail) length

Note that postfix notation is discouraged because it may be unsafe.

I hope this has cleared all the doubts. If not, just drop a comment and I'll see what I can do to improve it.

like image 162
Daniel C. Sobral Avatar answered Oct 24 '22 06:10

Daniel C. Sobral


Class definitions:

val or var can be omitted from class parameters which will make the parameter private.

Adding var or val will cause it to be public (that is, method accessors and mutators are generated).

{} can be omitted if the class has no body, that is,

class EmptyClass

Class instantiation:

Generic parameters can be omitted if they can be inferred by the compiler. However note, if your types don't match, then the type parameter is always infered so that it matches. So without specifying the type, you may not get what you expect - that is, given

class D[T](val x:T, val y:T);

This will give you a type error (Int found, expected String)

var zz = new D[String]("Hi1", 1) // type error

Whereas this works fine:

var z = new D("Hi1", 1)
== D{def x: Any; def y: Any}

Because the type parameter, T, is inferred as the least common supertype of the two - Any.


Function definitions:

= can be dropped if the function returns Unit (nothing).

{} for the function body can be dropped if the function is a single statement, but only if the statement returns a value (you need the = sign), that is,

def returnAString = "Hi!"

but this doesn't work:

def returnAString "Hi!" // Compile error - '=' expected but string literal found."

The return type of the function can be omitted if it can be inferred (a recursive method must have its return type specified).

() can be dropped if the function doesn't take any arguments, that is,

def endOfString {
  return "myDog".substring(2,1)
}

which by convention is reserved for methods which have no side effects - more on that later.

() isn't actually dropped per se when defining a pass by name paramenter, but it is actually a quite semantically different notation, that is,

def myOp(passByNameString: => String)

Says myOp takes a pass-by-name parameter, which results in a String (that is, it can be a code block which returns a string) as opposed to function parameters,

def myOp(functionParam: () => String)

which says myOp takes a function which has zero parameters and returns a String.

(Mind you, pass-by-name parameters get compiled into functions; it just makes the syntax nicer.)

() can be dropped in the function parameter definition if the function only takes one argument, for example:

def myOp2(passByNameString:(Int) => String) { .. } // - You can drop the ()
def myOp2(passByNameString:Int => String) { .. }

But if it takes more than one argument, you must include the ():

def myOp2(passByNameString:(Int, String) => String) { .. }

Statements:

. can be dropped to use operator notation, which can only be used for infix operators (operators of methods that take arguments). See Daniel's answer for more information.

  • . can also be dropped for postfix functions list tail

  • () can be dropped for postfix operators list.tail

  • () cannot be used with methods defined as:

    def aMethod = "hi!" // Missing () on method definition
    aMethod // Works
    aMethod() // Compile error when calling method
    

Because this notation is reserved by convention for methods that have no side effects, like List#tail (that is, the invocation of a function with no side effects means that the function has no observable effect, except for its return value).

  • () can be dropped for operator notation when passing in a single argument

  • () may be required to use postfix operators which aren't at the end of a statement

  • () may be required to designate nested statements, ends of anonymous functions or for operators which take more than one parameter

When calling a function which takes a function, you cannot omit the () from the inner function definition, for example:

def myOp3(paramFunc0:() => String) {
    println(paramFunc0)
}
myOp3(() => "myop3") // Works
myOp3(=> "myop3") // Doesn't work

When calling a function that takes a by-name parameter, you cannot specify the argument as a parameter-less anonymous function. For example, given:

def myOp2(passByNameString:Int => String) {
  println(passByNameString)
}

You must call it as:

myOp("myop3")

or

myOp({
  val source = sourceProvider.source
  val p = myObject.findNameFromSource(source)
  p
})

but not:

myOp(() => "myop3") // Doesn't work

IMO, overuse of dropping return types can be harmful for code to be re-used. Just look at specification for a good example of reduced readability due to lack of explicit information in the code. The number of levels of indirection to actually figure out what the type of a variable is can be nuts. Hopefully better tools can avert this problem and keep our code concise.

(OK, in the quest to compile a more complete, concise answer (if I've missed anything, or gotten something wrong/inaccurate please comment), I have added to the beginning of the answer. Please note this isn't a language specification, so I'm not trying to make it exactly academically correct - just more like a reference card.)

like image 46
Antony Stubbs Avatar answered Oct 24 '22 06:10

Antony Stubbs