понедельник, 25 февраля 2013 г.

Initializing vars in scala

Explanation

One common question I hear very often is "what is the difference between x = null and x = _"? Let us try to see what it does. Consider example:
package initializing
class WithNull { var x: Any = null }
class WithUnderscore { var x: Any = _ }
Here we see, how it get compiled, using "javap -c". At first, let check out null-example:
public initializing.WithNull();
Code:
0: aload_0
1: invokespecial #19; //Method java/lang/Object."<init>":()V
4: aload_0
5: aconst_null
6: pop
7: aconst_null
8: putfield #11; //Field x:Ljava/lang/Object;
11: return
}
view raw WithNull.class hosted with ❤ by GitHub
Obviously, it will assign null to x field. Now, compare with second example:
public initializing.WithUnderscore();
Code:
0: aload_0
1: invokespecial #19; //Method java/lang/Object."<init>":()V
4: return
}
Code is much shorter and all it does is just calling for parent constructor. Note, that field x is not initialized at all! So, correct answer is: difference between standard and underscore initializers is that underscore initializers does not set any field value in constructor.

When you should care

Consider you are using Selenium with field annotations and PageObject pattern, writing something like that:
class PageObject(driver: WebDriver) {
WebDriverFactory.initElementsWithAjaxSupport(this,driver)
}
class FooPage(driver:WebDriver) extends PageObject(driver) {
@FindBy(name="bar")
private var barButton:WebElement = null // this is what all about
}
view raw selenium.scala hosted with ❤ by GitHub
Suddenly, you will notice that your button object is null. What is going on, I've typed all necessary letters! you would say. Explanation is simple: magic fields are initialized during parent PageObject constructor, but after that, FooPage constructor will erase values you wanted. Correct solution is to use underscore initializer here.