Safe Initialization
Scala 3 implements experimental safe initialization check, which can be enabled by the compiler option -Wsafe-init.
The design and implementation of the initialization checker is described in the paper Safe object initialization, abstractly [3].
A Quick Glance
To get a feel of how it works, we first show several examples below.
Parent-Child Interaction
Given the following code snippet:
abstract class AbstractFile:
  def name: String
  val extension: String = name.substring(4)
class RemoteFile(url: String) extends AbstractFile:
  val localFile: String = s"${url.##}.tmp"  // error: usage of `localFile` before it's initialized
  def name: String = localFile
The checker will report:
-- Warning: tests/init/neg/AbstractFile.scala:7:4 ------------------------------
7 |	val localFile: String = s"${url.##}.tmp"  // error: usage of `localFile` before it's initialized
  |	    ^
  |    Access non-initialized field value localFile. Calling trace:
  |     -> val extension: String = name.substring(4)	[ AbstractFile.scala:3 ]
  |      -> def name: String = localFile            	[ AbstractFile.scala:8 ]
Inner-Outer Interaction
Given the code below:
object Trees:
  class ValDef { counter += 1 }
  class EmptyValDef extends ValDef
  val theEmptyValDef = new EmptyValDef
  private var counter = 0  // error
The checker will report:
-- Warning: tests/init/neg/trees.scala:5:14 ------------------------------------
5 |  private var counter = 0  // error
  |              ^
  |             Access non-initialized field variable counter. Calling trace:
  |              -> val theEmptyValDef = new EmptyValDef    [ trees.scala:4 ]
  |               -> class EmptyValDef extends ValDef       [ trees.scala:3 ]
  |                -> class ValDef { counter += 1 }	     [ trees.scala:2 ]
Functions
Given the code below:
abstract class Parent:
  val f: () => String = () => this.message
  def message: String
class Child extends Parent:
  val a = f()
  val b = "hello"           // error
  def message: String = b
The checker reports:
-- Warning: tests/init/neg/features-high-order.scala:7:6 -----------------------
7 |  val b = "hello"           // error
  |      ^
  |Access non-initialized field value b. Calling trace:
  | -> val a = f()                              	[ features-high-order.scala:6 ]
  |   -> val f: () => String = () => this.message	[ features-high-order.scala:2 ]
  |    -> def message: String = b	                [ features-high-order.scala:8 ]
Design Goals
We establish the following design goals:
- Sound: checking always terminates, and is sound for common and reasonable usage (over-approximation)
- Expressive: support common and reasonable initialization patterns
- Friendly: simple rules, minimal syntactic overhead, informative error messages
- Modular: modular checking, no analysis beyond project boundary
- Fast: instant feedback
- Simple: no changes to core type system, explainable by a simple theory
By reasonable usage, we include the following use cases (but not restricted to them):
- Access fields on thisand outerthisduring initialization
- Call methods on thisand outerthisduring initialization
- Instantiate inner class and call methods on such instances during initialization
- Capture fields in functions
Principles
To achieve the goals, we uphold the following fundamental principles: stackability, monotonicity, scopability and authority.
Stackability means that all fields of a class are initialized at the end of the class body. Scala enforces this property in syntax by demanding that all fields are initialized at the end of the primary constructor, except for the language feature below:
var x: T = _
Control effects such as exceptions may break this property, as the following example shows:
class MyException(val b: B) extends Exception("")
class A:
  val b = try { new B } catch { case myEx: MyException => myEx.b }
  println(b.a)
class B:
  throw new MyException(this)
  val a: Int = 1
In the code above, the control effect teleport the uninitialized value wrapped in an exception. In the implementation, we avoid the problem by ensuring that the values that are thrown must be transitively initialized.
Monotonicity means that the initialization status of an object should not go backward: initialized fields continue to be initialized, a field points to an initialized object may not later point to an object under initialization. As an example, the following code will be rejected:
trait Reporter:
  def report(msg: String): Unit
class FileReporter(ctx: Context) extends Reporter:
  ctx.typer.reporter = this                // ctx now reaches an uninitialized object
  val file: File = new File("report.txt")
  def report(msg: String) = file.write(msg)
In the code above, suppose ctx points to a transitively initialized object. Now the assignment at line 3 makes this, which is not fully initialized, reachable from ctx. This makes field usage dangerous, as it may indirectly reach uninitialized fields.
Monotonicity is based on a well-known technique called heap monotonic typestate to ensure soundness in the presence of aliasing [1]. Roughly speaking, it means initialization state should not go backwards.
Scopability means that there are no side channels to access to partially constructed objects. Control effects like coroutines, delimited control, resumable exceptions may break the property, as they can transport a value upper in the stack (not in scope) to be reachable from the current scope. Static fields can also serve as a teleport thus breaks this property. In the implementation, we need to enforce that teleported values are transitively initialized.
The three principles above contribute to local reasoning about initialization, which means:
An initialized environment can only produce initialized values.
For example, if the arguments to an new-expression are transitively initialized, so is the result. If the receiver and arguments in a method call are transitively initialized, so is the result.
Local reasoning about initialization gives rise to a fast initialization checker, as it avoids whole-program analysis.
The principle of authority goes hand-in-hand with monotonicity: the principle of monotonicity stipulates that initialization states cannot go backwards, while the principle of authority stipulates that the initialization states may not go forward at arbitrary locations due to aliasing. In Scala, we may only advance initialization states of objects in the class body when a field is defined with a mandatory initializer or at local reasoning points when the object becomes transitively initialized.
Abstract Values
There are three fundamental abstractions for initialization states of objects:
- Cold: A cold object may have uninitialized fields.
- Warm: A warm object has all its fields initialized but may reach cold objects.
- Hot: A hot object is transitively initialized, i.e., it only reaches warm objects.
In the initialization checker, the abstraction Warm is refined to handle inner classes and multiple constructors:
- Warm[C] { outer = V, ctor, args = Vs }: A warm object of class C, where the immediate outer ofCisV, the constructor isctorand constructor arguments areVs.
The initialization checker checks each concrete class separately. The abstraction ThisRef represents the current object under initialization:
- ThisRef[C]: The current object of class Cunder initialization.
The initialization state of the current object is stored in the abstract heap as an abstract object. The abstract heap also serves as a cache for the field values of warm objects. Warm and ThisRef are "addresses" of the abstract objects stored in the abstract heap.
Two more abstractions are introduced to support functions and conditional expressions:
- 
      Fun(e, V, C): An abstract function value where eis the code,Vis the abstract value forthisinside the function body and the function is located inside the classC.
- 
      Refset(Vs): A set of abstract values Vs.
A value v is effectively hot if any of the following is true:
- vis- Hot.
- vis- ThisRefand all fields of the underlying object are assigned.
- vis- Warm[C] { ... }and- Cdoes not contain inner classes; and
- Calling any method on vencounters no initialization errors and the method return value is effectively hot; and
- Each field of vis effectively hot.
 
- vis- Fun(e, V, C)and calling the function encounters no errors and the function return value is effectively hot.
- The root object (refered by ThisRef) is effectively hot.
An effectively hot value can be regarded as transitively initialized thus can be safely leaked via method arguments or as RHS of reassignment. The initialization checker tries to promote non-hot values to effectively hot whenenver possible.
Rules
With the established principles and design goals, the following rules are imposed:
- 
      The field access e.for method calle.m()is illegal ifeis cold.A cold value should not be used. 
- 
      The field access e.fis invalid ifehas the valueThisRefandfis not initialized.
- 
      In an assignment o.x = e, the expressionemust be effectively hot.This is how monotonicity is enforced in the system. Note that in an initialization val f: T = e, the expressionemay point to a non-hot value.
- 
      Arguments to method calls must be effectively hot. Escape of thisin the constructor is commonly regarded as an anti-pattern.However, passing non-hot values as argument to another constructor is allowed, to support creation of cyclic data structures. The checker will ensure that the escaped non-initialized object is not used, i.e. calling methods or accessing fields on the escaped object is not allowed. An exception is for calling synthetic applys of case classes. For example, the method callSome.apply(e)will be interpreted asnew Some(e), thus is valid even ifeis not hot.Another exception to this rule is parametric method calls. For example, in List.apply(e), the argumentemay be non-hot. If that is the case, the result value of the parametric method call is taken as cold.
- 
      Method calls on hot values with effectively hot arguments produce hot results. This rule is assured by local reasoning about initialization. 
- 
      Method calls on ThisRefand warm values will be resolved statically and the corresponding method bodies are checked.
- 
      In a new expression new p.C(args), if the values ofpandargsare effectively hot, then the result value is also hot.This is assured by local reasoning about initialization. 
- 
      In a new expression new p.C(args), if any value ofpandargsis not effectively hot, then the result value takes the formWarm[C] { outer = Vp, args = Vargs }. The initialization code for the classCis checked again to make sure the non-hot values are used properly.In the above, Vpis the widened value ofp--- the widening happens ifpis a warm valueWarm[D] { outer = V, args }and we widen it toWarm[D] { outer = Cold, args }.The variable Vargsrepresents values ofargswith non-hot values widened toCold.The motivation for the widening is to finitize the abstract domain and ensure termination of the initialization check. 
- 
      The scrutinee in a pattern match and the values in return and throw statements must be effectively hot. 
Modularity
The analysis takes the primary constructor of concrete classes as entry points. It follows the constructors of super classes, which might be defined in another project. The analysis takes advantage of TASTy for analyzing super classes defined in another project.
The crossing of project boundary raises a concern about modularity. It is well-known in object-oriented programming that superclass and subclass are tightly coupled. For example, adding a method in the superclass requires recompiling the child class for checking safe overriding.
Initialization is no exception in this respect. The initialization of an object essentially involves close interaction between subclass and superclass. If the superclass is defined in another project, the crossing of project boundary cannot be avoided for soundness of the analysis.
Meanwhile, inheritance across project boundary has been under scrutiny and the introduction of open classes mitigate the concern here. For example, the initialization check could enforce that the constructors of open classes may not contain method calls on this or introduce annotations as a contract.
The feedback from the community on the topic is welcome.
Back Doors
Occasionally you may want to suppress warnings reported by the checker. You can either write e: @unchecked to tell the checker to skip checking for the expression e, or you may use the old trick: mark some fields as lazy.
Caveats
- The system cannot provide safety guarantee when extending Java or Scala 2 classes.
- Safe initialization of global objects is only partially checked.
References
- Fähndrich, M. and Leino, K.R.M., 2003, July. Heap monotonic typestates. In International Workshop on Aliasing, Confinement and Ownership in object-oriented programming (IWACO).
- Fengyun Liu, Ondřej Lhoták, Aggelos Biboudis, Paolo G. Giarrusso, and Martin Odersky. A type-and-effect system for object initialization. OOPSLA, 2020.
- Fengyun Liu, Ondřej Lhoták, Enze Xing, Nguyen Cao Pham. Safe object initialization, abstractly. Scala 2021.