Implicit typing

Local variables can be declared without giving an explicit type. The var keyword instructs the compiler to infer the type of the variable from the expression on the right side of the initialization statement. The inferred type may be a built-in type, an anonymous type, a user-defined type, or a type defined in the .NET class library. For more information about how to initialize arrays with var, see Implicitly Typed Arrays.

The following examples show various ways in which local variables can be declared with var:C#Copy

// i is compiled as an int
var i = 5;

// s is compiled as a string
var s = "Hello";

// a is compiled as int[]
var a = new[] { 0, 1, 2 };

// expr is compiled as IEnumerable<Customer>
// or perhaps IQueryable<Customer>
var expr =
    from c in customers
    where c.City == "London"
    select c;

// anon is compiled as an anonymous type
var anon = new { Name = "Terry", Age = 34 };

// list is compiled as List<int>
var list = new List<int>();

var vs other types

If we declare a variable var without initializing it we will have an error because the compiler will not allow us to. Also, if we assign a null value to var variable, we will also have an error too.

var test = (string)null; // This is possible
var test = null; // ERROR
var test; // ERROR
var sb = new StringBuilder(); // This is possible

Last updated