Skip to main content

Use of var keyword in C#


After discussion with colleagues regarding the use of the 'var' keyword in C# 3 I wondered what people's opinions were on the appropriate uses of type inference via var?



For example I rather lazily used var in questionable circumstances, e.g.:-




foreach(var item in someList) { // ... } // Type of 'item' not clear.
var something = someObject.SomeProperty; // Type of 'something' not clear.
var something = someMethod(); // Type of 'something' not clear.



More legitimate uses of var are as follows:-




var l = new List<string>(); // Obvious what l will be.
var s = new SomeClass(); // Obvious what s will be.



Interestingly LINQ seems to be a bit of a grey area, e.g.:-




var results = from r in dataContext.SomeTable
select r; // Not *entirely clear* what results will be here.



It's clear what results will be in that it will be a type which implements IEnumerable, however it isn't entirely obvious in the same way a var declaring a new object is.



It's even worse when it comes to LINQ to objects, e.g.:-




var results = from item in someList
where item != 3
select item;



This is no better than the equivilent foreach(var item in someList) { // ... } equivilent.



There is a real concern about type safety here - for example if we were to place the results of that query into an overloaded method that accepted IEnumerable<int> and IEnumerable<double> the caller might inadvertently pass in the wrong type.



Edit - var does maintain strong typing but the question is really whether it's dangerous for the type to not be immediately apparent on definition, something which is magnified when overloads mean compiler errors might not be issued when you unintentionally pass the wrong type to a method.




Related Question: http://stackoverflow.com/questions/633474/c-do-you-use-var



Source: Tips4allCCNA FINAL EXAM

Comments

  1. I still think var can make code more readable in some cases. If I have a Customer class with an Orders property, and I want to assign that to a variable, I will just do this:

    var orders = cust.Orders;


    I don't care if Customer.Orders is IEnumerable<Order>, ObservableCollection<Order> or BindingList<Order> - all I want is to keep that list in memory to iterate over it or get its count or something later on.

    Contrast the above declaration with:

    ObservableCollection<Order> orders = cust.Orders;


    To me, the type name is just noise. And if I go back and decide to change the type of the Customer.Orders down the track (say from ObservableCollection<Order> to IList<Order>) then I need to change that declaration too - something I wouldn't have to do if I'd used var in the first place.

    ReplyDelete
  2. I use var extensively. There has been criticism that this diminishes the readability of the code, but no argument to support that claim.

    Admittedly, it may mean that it's not clear what type we are dealing with. So what? This is actually the point of a decoupled design. When dealing with interfaces, you are emphatically not interested in the type a variable has. var takes this much further, true, but I think that the argument remains the same from a readability point of view: The programmer shouldn't actually be interested in the type of the variable but rather in what a variable does. This is why Microsoft also calls type inference “duck typing.”

    So, what does a variable do when I declare it using var? Easy, it does whatever IntelliSense tells me it does. Any reasoning about C# that ignores the IDE falls short of reality. In practice, every C# code is programmed in an IDE that supports IntelliSense.

    If I am using a var declared variable and get confused what the variable is there for, there's something fundamentally wrong with my code. var is not the cause, it only makes the symptoms visible. Don't blame the messenger.

    Now, the C# team has released a coding guideline stating that var should only be used to capture the result of a LINQ statement that creates an anonymous type (because here, we have no real alternative to var). Well, screw that. As long as the C# team doesn't give me a sound argument for this guideline, I am going to ignore it because in my professional and personal opinion, it's pure baloney. (Sorry; I've got no link to the guideline in question.)

    Actually, there are some (superficially) good explanations on why you shouldn't use var but I still believe they are largely wrong. Take the example of “searchabililty”: the author claims that var makes it hard to search for places where MyType is used. Right. So do interfaces. Actually, why would I want to know where the class is used? I might be more interested in where it is instantiated and this will still be searchable because somewhere its constructor has to be invoked (even if this is done indirectly, the type name has to be mentioned somewhere).

    ReplyDelete
  3. Var, in my opinion, in C# is a good thingtm. Any variable so typed is still strongly typed, but it gets its type from the right-hand side of the assignment where it is defined. Because the type information is available on the right-hand side, in most cases, it's unnecessary and overly verbose to also have to enter it on the left-hand side. I think this significantly increases readability without decreasing type safety.

    EDIT: From my perspective, using good naming conventions for variables and methods is more important from a readability perspective than explicit type information. If I need the type information, I can always hover over the variable (in VS) and get it. Generally, though, explicit type information shouldn't be necessary to the reader. For the developer, in VS you still get Intellisense, regardless of how the variable is declared. Having said all of that, there may still be cases where it does make sense to explicitly declare the type -- perhaps you have a method that returns a List<T>, but you want to treat it as an IEnumerable<T> in your method. To ensure that you are using the interface, declaring the variable of the interface type can make this explicit. Or, perhaps, you want to declare a variable without an initial value -- because it immediately gets a value based on some condition. In that case you need the type. If the type information is useful or necessary, go ahead and use it. I feel, though, that typically it isn't necessary and the code is easier to read without it in most cases.

    ReplyDelete
  4. Neither of those is absolutely true; var can have both positive and negative effects on readability. In my opinion, var should be used when either of the following is true:


    The type is anonymous (well, you don't have any choice here, as it must be var in this case)
    The type is obvious based upon the assigned expression (i.e. var foo = new TypeWithAReallyLongNameTheresNoSenseRepeating())


    var has no performance impacts, as it's syntactic sugar; the compiler infersthe type and defines it once it's compiled into IL; there's nothing actually dynamic about it.

    ReplyDelete
  5. I think the use of var should be coupled with wisely-chosen variable names.

    I have no problem using var in a foreach statement, provided it's not like this:

    foreach (var c in list) { ... }


    If it were more like this:

    foreach (var customer in list) { ... }


    ... then someone reading the code would be much more likely to understand what "list" is. If you have control over the name of the list variable itself, that's even better.

    The same can apply to other situations. This is pretty useless:

    var x = SaveFoo(foo);


    ... but this makes sense:

    var saveSucceeded = SaveFoo(foo);


    Each to his own, I guess. I've found myself doing this, which is just insane:

    var f = (float)3;


    I need some sort of 12-step var program. My name is Matt, and I (ab)use var.

    ReplyDelete
  6. From Eric Lippert, a Senior Software Design Engineer on the C# team:

    Why was the var keyword introduced?


    There are two reasons, one which
    exists today, one which will crop up
    in 3.0.

    The first reason is that this code is
    incredibly ugly because of all the
    redundancy:

    Dictionary<string, List<int>> mylists = new Dictionary<string, List<int>>();

    And that's a simple example – I've
    written worse. Any time you're forced
    to type exactly the same thing twice,
    that's a redundancy that we can
    remove. Much nicer to write

    var mylists = new Dictionary<string,List<int>>();

    and let the compiler figure out what
    the type is based on the assignment.

    Second, C# 3.0 introduces anonymous
    types. Since anonymous types by
    definition have no names, you need to
    be able to infer the type of the
    variable from the initializing
    expression if its type is anonymous.


    Emphasis mine. The whole article, C# 3.0 is still statically typed, honest!, and the ensuing series are pretty good.

    This is what var is for. Other uses probably will not work so well. Any comparison to JScript, VBScript, or dynamic typing is total bunk. Note again, var is required in order to have certain other features work in .NET.

    ReplyDelete
  7. It's not bad, it's more a stylistic thing, which tends to be subjective. It can add inconsistencies, when you do use var and when you don't.

    Another case of concern, in the following call you can't tell just by looking at the code the type returned by CallMe:

    var variable = CallMe();


    That's my main complain against var.

    I use var when I declare anonymous delegates in methods, somehow var looks cleaner than if I'd use Func. Consider this code:

    var callback = new Func<IntPtr, bool>(delegate(IntPtr hWnd) {
    ...
    });


    EDIT: Updated the last code sample based on Julian's input

    ReplyDelete
  8. Var is not like variant at all. The variable is still strongly typed, it's just that you don't press keys to get it that way. You can hover over it in Visual Studio to see the type. If you're reading printed code, it's possible you might have to think a little to work out what the type is. But there is only one line that declares it and many lines that use it, so giving things decent names is still the best way to make your code easier to follow.

    Is using Intellisense lazy? It's less typing than the whole name. Or are there things that are less work but don't deserve criticism? I think there are, and var is one of them.

    ReplyDelete
  9. We've adopted the ethos "Code for people, not machines", based on the assumption that you spend multiple times longer in maintenance mode than on new development.

    For me, that rules out the argument that the compiler "knows" what type the variable is - sure, you can't write invalid code the first time because the compiler stops your code from compiling, but when the next developer is reading the code in 6 months time they need to be able to deduce what the variable is doing correctly or incorrectly and quickly identify the cause of issues.

    Thus,

    var something = SomeMethod();


    is outlawed by our coding standards, but the following is encouraged in our team because it increases readability:

    var list = new List<KeyValuePair<string, double>>();
    FillList( list );
    foreach( var item in list ) {
    DoWork( item );
    }

    ReplyDelete
  10. The most likely time you'll need this is for anonymous types (where it is 100% required); but it also avoids repetition for the trivial cases, and IMO makes the line clearer. I don't need to see the type twice for a simple initialization.

    For example:

    Dictionary<string, List<SomeComplexType<int>>> data = new Dictionary<string, List<SomeComplexType<int>>>();


    (please don't edit the hscroll in the above - it kinda proves the point!!!)

    vs:

    var data = new Dictionary<string, List<SomeComplexType<int>>>();


    There are, however, occasions when this is misleading, and can potentially cause bugs. Be careful using var if the original variable and initialized type weren't identical. For example:

    static void DoSomething(IFoo foo) {Console.WriteLine("working happily") }
    static void DoSomething(Foo foo) {Console.WriteLine("formatting hard disk...");}

    // this working code...
    IFoo oldCode = new Foo();
    DoSomething(oldCode);
    // ...is **very** different to this code
    var newCode = new Foo();
    DoSomething(newCode);

    ReplyDelete
  11. I don't see what the big deal is..

    var something = someMethod(); // Type of 'something' not clear <-- not to the compiler!


    You still have full intellisense on 'something', and for any ambiguous case you have your unit tests, right? ( do you? )

    It's not varchar, it's not dim, and it's certainly not dynamic or weak typing. It is stopping maddnes like this:

    List<somethinglongtypename> v = new List<somethinglongtypename>();


    and reducing that total mindclutter to:

    var v = new List<somethinglongtypename>();


    Nice, not quite as nice as:

    v = List<somethinglongtypename>();


    But then that's what Boo is for.

    ReplyDelete
  12. One specific case where var is difficult: offline code reviews, especially the ones done on paper.

    You can't rely on mouse-overs for that.

    ReplyDelete
  13. If someone is using the var keyword because they don't want to "figure out the type", that is definitely the wrong reason. The var keyword doesn't create a variable with a dynamic type, the compiler still has to know the type. As the variable always has a specific type, the type should also be evident in the code if possible.

    Good reasons to use the var keyword are for example:


    Where it's needed, i.e. to declare a reference for an anonymous type.
    Where it makes the code more readable, i.e. removing repetetive declarations.


    Writing out the data type often makes the code easier to follow. It shows what data types you are using, so that you don't have to figure out the data type by first figuring out what the code does.

    ReplyDelete
  14. Given how powerful Intellisense is now, I am not sure var is any harder to read than having member variables in a class, or local variables in a method which are defined off the visible screen area.

    If you have a line of code such as

    IDictionary<BigClassName, SomeOtherBigClassName> nameDictionary = new Dictionary<BigClassName, SomeOtherBigClassName>();


    Is is much easier or harder to read than:

    var nameDictionary = new Dictionary<BigClassName, SomeOtherBigClassName>();

    ReplyDelete
  15. Sure, int is easy, but when the variable's type is IEnumerable<MyStupidLongNamedGenericClass<int, string>>, var makes things much easier.

    ReplyDelete
  16. I think the key thing with VAR is to only use it where appropriate i.e. when doing things in Linq that it facilitates (and probably in other cases).

    If you've got a type for something in the then you should use it - not to do so is simple laziness (as opposed to creative laziness which is generally to be encouraged - good programmers oft work very hard to be lazy and could be considered the source of the thing in the first place).

    A blanket ban is as bad as abusing the construct in the first place but there does need to be a sensible coding standard.

    The other thing to remember is that its not a VB type var in that it can't change types - it is a strongly typed variable its just that the type is inferred (which is why there are people that will argue that its not unreasonable to use it in, say, a foreach but I'd disagree for reasons of both readability and maintainability).

    I suspect this one is going to run and run (-:

    Murph

    ReplyDelete
  17. Stolen from the post on this issue at CodingHorror:



    Unfortunately, you and everyone else pretty much got it wrong. While I agree with you that redundancy is not a good thing, the better way to solve this issue would have been to do something like the following:

    MyObject m = new();

    Or if you are passing parameters:

    Person p = new("FirstName", "LastName);

    Where in the creation of a new object, the compiler infers the type from the left-hand side, and not the right. This has other advantages over "var", in that it could be used in field declarations as well (there are also some other areas that it could be useful as well, but I won't get into it here).

    In the end, it just wasn't intended to reduce redundancy. Don't get me wrong, "var" is VERY important in C# for anonymous types/projections, but the use here is just WAY off (and I've been saying this for a long, long time) as you obfuscate the type that is being used. Having to type it twice is too often, but declaring it zero times is too few.

    Nicholas Paldino .NET/C# MVP on June 20, 2008 08:00 AM



    I guess if your main concern is to have to type less -- then there isn't any argument that's going to sway you from using it.

    If you are only going to ever be the person who looks at your code, then who cares? Otherwise, in a case like this:

    var people = Managers.People


    it's fine, but in a case like this:

    var fc = Factory.Run();


    it short circuits any immediate type deductions my brain could begin forming from the 'English' of the code.

    Otherwise, just use your best judgment and programming 'courtesy' towards others who might have to work on your project.

    ReplyDelete
  18. Using var instead of explicit type makes refactorings much easier (therefore I must contradict the previous posters who meant it made no difference or it was purely "syntactic sugar").

    You can change the return type of your methods without changing every file where this method is called. Imagine

    ...
    List<MyClass> SomeMethod() { ... }
    ...


    which is used like

    ...
    IList<MyClass> list = obj.SomeMethod();
    foreach (MyClass c in list)
    System.Console.WriteLine(c.ToString());
    ...


    If you wanted to refactor SomeMethod() to return an IEnumerable<MySecondClass>, you would have to change the variable declaration (also inside the foreach) in every place you used the method.

    If you write

    ...
    var list = obj.SomeMethod();
    foreach (var element in list)
    System.Console.WriteLine(element.ToString());
    ...


    instead, you don't have to change it.

    ReplyDelete
  19. @aku: One example is code reviews. Another example is refactoring scenarios.

    Basically I don't want to go type-hunting with my mouse. It might not be available.

    ReplyDelete
  20. It's a matter of taste. All this fussing about the type of a variable disappears when you get used to dynamically typed languages. That is, if you ever start to like them (I'm not sure if everybody can, but I do).

    C#'s var is pretty cool in that it looks like dynamic typing, but actually is static typing - the compiler enforces correct usage.

    The type of your variable is not really that important (this has been said before). It should be relatively clear from the context (its interactions with other variables and methods) and its name - don't expect customerList to contain an int...

    I am still waiting to see what my boss thinks of this matter - I got a blanket "go ahead" to use any new constructs in 3.5, but what will we do about maintenance?

    ReplyDelete
  21. In your comparison between IEnumerable<int> and IEnumerable<double> you don't need to worry - if you pass the wrong type your code won't compile anyway.

    There's no concern about type-safety, as var is not dynamic. It's just compiler magic and any type unsafe calls you make will get caught.

    Var is absolutely needed for Linq:

    var anonEnumeration =
    from post in AllPosts()
    where post.Date > oldDate
    let author = GetAuthor( post.AuthorId )
    select new {
    PostName = post.Name,
    post.Date,
    AuthorName = author.Name
    };


    Now look at anonEnumeration in intellisense and it will appear something like IEnumerable<'a>

    foreach( var item in anonEnumeration )
    {
    //VS knows the type
    item.PostName; //you'll get intellisense here

    //you still have type safety
    item.ItemId; //will throw a compiler exception
    }


    The C# compiler is pretty clever - anon types generated separately will have the same generated type if their properties match.

    Outside of that, as long as you have intellisense it makes good sense to use var anywhere the context is clear.

    //less typing, this is good
    var myList = new List<UnreasonablyLongClassName>();

    //also good - I can't be mistaken on type
    var anotherList = GetAllOfSomeItem();

    //but not here - probably best to leave single value types declared
    var decimalNum = 123.456m;

    ReplyDelete
  22. I guess it depends on your perspective. I personally have never had any difficulty understanding a piece of code because of var "misuse", and my coworkers and I use it quite a lot all over. (I agree that Intellisense is a huge aid in this regard.) I welcome it as a way to remove repetitive cruft.

    After all, if statements like

    var index = 5; // this is supposed to be bad

    var firstEligibleObject = FetchSomething(); // oh no what type is it
    // i am going to die if i don't know


    were really that impossible to deal with, nobody would use dynamically typed languages.

    ReplyDelete
  23. I only use var when it's clear to see what type is used.

    For example, I would use var in this case, because you can see immediately that x will be of the type "MyClass":

    var x = new MyClass();


    I would NOT use var in cases like this, because you have to drag the mouse over the code and look at the tooltip to see what type MyFunction returns:

    var x = MyClass.MyFunction();


    Especially, I never use var in cases where the right side is not even a method, but only a value:

    var x = 5;


    (because the compiler can't know if I want a byte, short, int or whatever)

    ReplyDelete
  24. To me, the antipathy towards var illustrates why bilingualism in .NET is important. To those C# programmers who have also done VB .NET, the advantages of var are intuitively obvious. The standard C# declaration of:

    List<string> whatever = new List<string>();


    is the equivalent, in VB .NET, of typing this:

    Dim whatever As List(Of String) = New List(Of String)


    Nobody does that in VB .NET, though. It would be silly to, because since the first version of .NET you've been able to do this...

    Dim whatever As New List(Of String)


    ...which creates the variable and initializes it all in one reasonably compact line. Ah, but what if you want an IList<string>, not a List<string>? Well, in VB .NET that means you have to do this:

    Dim whatever As IList(Of String) = New List(Of String)


    Just like you'd have to do in C#, and obviously couldn't use var for:

    IList<string> whatever = new List<string>();


    If you need the type to be something different, it can be. But one of the basic principles of good programming is reducing redundancy, and that's exactly what var does.

    ReplyDelete
  25. Use it for anonymous types - that's what it's there for. Anything else is a use too far. Like many people who grew up on C, I'm used to looking at the left of the declaration for the type. I don't look at the right side unless I have to. Using var for any old declaration makes me do that all the time, which I personally find uncomfortable.

    Those saying 'it doesn't matter, use what you're happy with' are not seeing the whole picture. Everyone will pick up other people's code at one point or another and have to deal with whatever decisions they made at the time they wrote it. It's bad enough having to deal with radically different naming conventions, or - the classic gripe - bracing styles, without adding the whole 'var or not' thing into the mix. The worst case will be where one programmer didn't use var and then along comes a maintainer who loves it, and extends the code using it. So now you have an unholy mess.

    Standards are a good thing precisely because they mean you're that much more likely to be able to pick up random code and be able to grok it quickly. The more things that are different, the harder that gets. And moving to the 'var everywhere' style makes a big difference.

    I don't mind dynamic typing, and I don't mind implict typing - in languages that are designed for them. I quite like Python. But C# was designed as a statically explicitly-typed language and that's how it should stay. Breaking the rules for anonymous types was bad enough; letting people take that still further and break the idioms of the language even more is something I'm not happy with. Now that the genie is out of the bottle, it'll never go back in. C# will become balkanised into camps. Not good.

    ReplyDelete
  26. Many time during testing, I find myself having code like this:

    var something = myObject.SomeProperty.SomeOtherThing.CallMethod();
    Console.WriteLine(something);


    Now, sometimes, I'll want to see what the SomeOtherThing itself contains, SomeOtherThing is not the same type that CallMethod() returns. Since I'm using var though, I just change this:

    var something = myObject.SomeProperty.SomeOtherThing.CallMethod();


    to this:

    var something = myObject.SomeProperty.SomeOtherThing;


    Without var, I'd have to keep changing the declared type on the left hand side as well. I know it's minor, but it's extremely convenient.

    ReplyDelete
  27. I split var all over the places, the only questionable places for me are internal short types, e.g. I prefer int i = 3; over var i = 3;

    ReplyDelete
  28. It can certainly make things simpler, from code I wrote yesterday:

    var content = new Queue<Pair<Regex, Func<string, bool>>>();
    ...
    foreach (var entry in content) { ... }


    This would have be extremely verbose without var.

    Addendum: A little time spent with a language with real type inference (e.g. F#) will show just how good compilers are at getting the type of expressions right. It certainly has meant I tend to use var as much as I can, and using an explicit type now indicates that the variable is not of the initialising expression's type.

    ReplyDelete
  29. In most cases, it's just simpler to type it - imagine

    var sb = new StringBuilder();


    instead of:

    StringBuilder sb = new StringBuilder();


    Sometimes it's required, for example: anonymous types, like.

    var stuff = new { Name = "Me", Age = 20 };


    I personally like using it, in spite of the fact that it makes the code less readable and maintainable.

    ReplyDelete

Post a Comment

Popular posts from this blog

[韓日関係] 首相含む大幅な内閣改造の可能性…早ければ来月10日ごろ=韓国

div not scrolling properly with slimScroll plugin

I am using the slimScroll plugin for jQuery by Piotr Rochala Which is a great plugin for nice scrollbars on most browsers but I am stuck because I am using it for a chat box and whenever the user appends new text to the boxit does scroll using the .scrollTop() method however the plugin's scrollbar doesnt scroll with it and when the user wants to look though the chat history it will start scrolling from near the top. I have made a quick demo of my situation http://jsfiddle.net/DY9CT/2/ Does anyone know how to solve this problem?

Why does this javascript based printing cause Safari to refresh the page?

The page I am working on has a javascript function executed to print parts of the page. For some reason, printing in Safari, causes the window to somehow update. I say somehow, because it does not really refresh as in reload the page, but rather it starts the "rendering" of the page from start, i.e. scroll to top, flash animations start from 0, and so forth. The effect is reproduced by this fiddle: http://jsfiddle.net/fYmnB/ Clicking the print button and finishing or cancelling a print in Safari causes the screen to "go white" for a sec, which in my real website manifests itself as something "like" a reload. While running print button with, let's say, Firefox, just opens and closes the print dialogue without affecting the fiddle page in any way. Is there something with my way of calling the browsers print method that causes this, or how can it be explained - and preferably, avoided? P.S.: On my real site the same occurs with Chrome. In the ex