.NET OOP Guide for Developers
.NET OOP Guide for Developers
All managed languages in the .NET Framework, such as Visual Basic and C#, provide full support for object-oriented programming including encapsulation, inheritance, and polymorphism. Encapsulation means that a group of related properties, methods, and other members are treated as a single unit or object. Inheritance describes the ability to create new classes based on an existing class. Polymorphism means that you can have multiple classes that can be used interchangeably, even though each class implements the same properties or methods in different ways. This section describes the following concepts:
Class Members Properties and Fields Methods Constructors Destructors Events Nested Classes
Instantiating Classes
Anonymous Types
Inheritance
Overriding Members
Interfaces
Generics
Delegates Classes and Objects The terms class and object are sometimes used interchangeably, but in fact, classes describe the type of objects, while objects are usable instances of classes. So, the act of creating an object is called instantiation. Using the blueprint analogy, a class is a blueprint, and an object is a building made from that blueprint. To define a class: C# class SampleClass { } Both Visual Basic and C# also provide a light version of classes called structures that are useful when you need to create large array of objects and do not want to consume too much memory for that. To define a structure: C# VB struct SampleStruct { }
Structure Statement C# class (C# Reference) struct (C# Reference) Class Members
Each class can have different class members that include properties that describe class data, methods that define class behavior, and events that provide communication between different classes and objects. Properties and Fields Fields and properties represent information that an object contains. Fields are like variables because they can be read or set directly. To define a field: C# VB Class SampleClass { public string sampleField; } Properties have get and set procedures, which provide more control on how values are set or returned. Both C# and Visual Basic allow you either to create a private field for storing the property value or use so-called auto-implemented properties that create this field automatically behind the scenes and provide the basic logic for the property procedures. To define an auto-implemented property: C# class SampleClass { public int SampleProperty { get; set; } } If you need to perform some additional operations for reading and writing the property value, define a field for storing the property value and provide the basic logic for storing and retrieving it: C# class SampleClass { private int _sample; public int Sample { // Return the value stored in a field. get { return _sample; } // Store the value in the field. set { _sample = value; } } } Most properties have methods or procedures to both set and get the property value. However, you can create read-only or write-only properties to restrict them from being modified or read. In Visual Basic
you can use ReadOnly and WriteOnly keywords. In C#, you can omit the get or set property method. However, in both Visual Basic and C#, auto-implemented properties cannot be read-only or write-only. For more information, see:
C#
set (C# Reference) Methods A method is an action that an object can perform.Note In Visual Basic, there are two ways to create a method: the Sub statement is used if the method does not return a value; the Function statement is used if a method returns a value.
To define a method of a class: C# class SampleClass { public int sampleMethod(string sampleParam) { // Insert code here } } A class can have several implementations, or overloads, of the same method that differ in the number of parameters or parameter types. To overload a method: C# public int sampleMethod(string sampleParam) {}; public int sampleMethod(int sampleParam) {} In most cases you declare a method within a class definition. However, both Visual Basic and C# also support extension methods that allow you to add methods to an existing class outside the actual definition of the class. For more information, see:
Visual Basic
C#
Extension Methods (C# Programming Guide) Constructors Constructors are class methods that are executed automatically when an object of a given type is created. Constructors usually initialize the data members of the new object. A constructor can run only once when a class is created. Furthermore, the code in the constructor always runs before any other code in a class. However, you can create multiple constructor overloads in the same way as for any other method. To define a constructor for a class: C# VB public class SampleClass { public SampleClass() { // Add code here } } For more information, see:
Visual Basic
Sub New
Object Lifetime: How Objects Are Created and Destroyed (Visual Basic)
C#
Constructors (C# Programming Guide) Destructors Destructors are used to destruct instances of classes. In the .NET Framework, the garbage collector automatically manages the allocation and release of memory for the managed objects in your application. However, you may still need destructors to clean up any unmanaged resources that your application creates. There can be only one destructor for a class. For more information about destructors and garbage collection in the .NET Framework, see Garbage Collection. Events Events enable a class or object to notify other classes or objects when something of interest occurs. The class that sends (or raises) the event is called the publisher and the classes that receive (or handle) the event are called subscribers. For more information about events, how they are raised and handled, see Handling and Raising Events.
Visual Basic
To specify event handlers using a declarative way, use the WithEvents (Visual Basic) statement and the Handles Clause (Visual Basic) clause.
To be able to dynamically add, remove, and change the event handler associated with an event, use the AddHandler Statement and RemoveHandler Statement together with the AddressOf Operator (Visual Basic).
C#
To subscribe to an event, use the += operator; to unsubscribe from an event, use the -= operator. Nested Classes A class defined within another class is called nested. By default, the nested class is private. C# VB class Container { class Nested { // Add code here. } } To create an instance of the nested class, use the name of the container class followed by the dot and then followed by the name of the nested class: C# Container.Nested nestedInstance = new Container.Nested() Access Modifiers and Access Levels All classes and class members can specify what access level they provide to other classes by using access modifiers. The following access modifiers are available: Visual Basic Modifier C# Modifier Definition Public (Visual Basic) public The type or member can be accessed by any other code in the same assembly or another assembly that references it. Private (Visual Basic) private The type or member can only be accessed by code in the same class. Protected (Visual Basic) protected The type or member can only be accessed by code in the same class or in a derived class. Friend (Visual Basic) internal The type or member can be accessed by any code in the same assembly, but not from another assembly.
Protected Friend protected internal The type or member can be accessed by any code in the same assembly, or by any derived class in another assembly.
For more information, see Access Levels in Visual Basic and Access Modifiers (C# Programming Guide). Instantiating Classes To create an object, you need to instantiate a class, or create a class instance. C# VB SampleClass sampleObject = new SampleClass(); After instantiating a class, you can assign values to the instance's properties and fields and invoke class methods. C# VB // Set a property value. sampleObject.sampleProperty = "Sample String"; // Call a method. sampleObject.sampleMethod(); To assign values to properties during the class instantiation process, use object initializers: C# VB // Set a property value. SampleClass sampleObject = new SampleClass { FirstProperty = "A", SecondProperty = "B" }; For more information, see:
Visual Basic
C#
Object and Collection Initializers (C# Programming Guide) Static (Shared) Classes and Members A static (shared in Visual Basic) member of the class is a property, procedure, or field that is shared by all instances of a class. To define a static (shared) member: C# VB static class SampleClass { public static string SampleString = "Sample String"; } To access the static (shared) member, use the name of the class without creating an object of this class: C# VB Console.WriteLine(SampleClass.SampleString); Static (shared) classes in C# and modules in Visual Basic have static (shared) members only and cannot be instantiated. Static (shared) members also cannot access non-static (non-shared) properties, fields or methods C# static (C# Reference) Anonymous Types Anonymous types enable you to create objects without writing a class definition for the data type. Instead, the compiler generates a class for you. The class has no usable name and contains the properties you specify in declaring the object. To create an instance of an anonymous type: C# // sampleObject is an instance of a simple anonymous type. var sampleObject = new { FirstProperty = "A", SecondProperty = "B" };
C#: Anonymous Types (C# Programming Guide) Inheritance Inheritance enables you to create a new class that reuses, extends, and modifies the behavior that is defined in another class. The class whose members are inherited is called the base class, and the class that inherits those members is called the derived class. However, all classes in both C# and Visual Basic implicitly inherit from the Object class that supports .NET class hierarchy and provides low-level services to all classes.Note
Managed languages in the .NET Framework do not support multiple inheritance, i.e. you can specify only one base class for a derived class.
To inherit from a base class: C# class DerivedClass:BaseClass{} By default all classes can be inherited. However, you can specify whether a class must not be used as a base class, or create a class that can be used as a base class only. To specify that a class cannot be used as a base class: C# public sealed class A { } To specify that a class can be used as a base class only and cannot be instantiated: C# public abstract class B { }
abstract (C# Reference) Overriding Members By default, a derived class inherits all members from its base class. If you want to change the behavior of the inherited member, you need to override it. That is, you can define a new implementation of the method, property or event in the derived class. The following modifiers are used to control how properties and methods are overridden: C# Modifier Definition virtual (C# Reference) Allows a class member to be overridden in a derived class. override (C# Reference) Overrides a virtual (overridable) member defined in the base class. Not supported Prevents a member from being overridden in an inheriting class. abstract (C# Reference) Requires that a class member to be overridden in the derived class. new Modifier (C# Reference) Hides a member inherited from a base class
Interfaces Interfaces, like classes, define a set of properties, methods, and events. But unlike classes, interfaces do not provide implementation. They are implemented by classes, and defined as separate entities from classes. An interface represents a contract, in that a class that implements an interface must implement every aspect of that interface exactly as it is defined. To define an interface: C# VB interface ISampleInterface { void doSomething(); } To implement an interface in a class: C# class SampleClass : ISampleInterface { void ISampleInterface.SampleMethod() { // Method implementation. } } For more information, see:
C# Interfaces (C# Programming Guide) interface (C# Reference) Generics Classes, structures, interfaces and methods in the .NET Framework can type parameters that define types of objects that they can store or use. The most common example of generics is a collection, where you can specify the type of objects to be stored in a collection. To define a generic class: C# VB Public class SampleGeneric<T> { public T Field; } To create an instance of a generic class: C# VB SampleGeneric<string> sampleObject = new SampleGeneric<string>();
sampleObject.Field = "Sample string"; For more information, see: Generics in the .NET Framework Generic Types in Visual Basic (Visual Basic) Generics (C# Programming Guide) Delegates A delegate is a type that defines a method signature, and can provide a reference to any method with a compatible signature. You can invoke (or call) the method through the delegate. Delegates are used to pass methods as arguments to other methods. Note Event handlers are nothing more than methods that are invoked through delegates. For more information about using delegates in event handling, see Handling and Raising Events. To create a delegate: C# VB public delegate void SampleDelegate(string str); To create a reference to a method that matches the signature specified by the delegate: C# VB class SampleClass { // Method that matches the SampleDelegate signature. public static void sampleMethod(string message) { // Add code here. } // Method that instantiates the delegate. void SampleDelegate() { SampleDelegate sd = sampleMethod; sd("Sample string"); } } For more information, see: Visual Basic Delegates (Visual Basic) Delegate Statement AddressOf Operator (Visual Basic) C# Delegates (C# Programming Guide) delegate (C# Reference) Application Lifecycle Management with Visual Studio and Team Foundation Server Visual Studio 2012 Other Versions 103 out of 172 rated this helpful - Rate this topic
By using the suite of tools in Visual Studio 2012, and combining those tools with Visual Studio Team Foundation Server, you can apply proven practices to manage your application's lifecycle, from understanding customer needs through code design and implementation to deployment. You can use the instrumentation in these tools to trace requirements to checked-in code, builds and test results. These practices can help your team create software that is valued by your customers and that is faster and more reliable. You can use these tools to achieve the following results: Planning and Tracking Projects Plan and Track: Capture what is important to your customers, and track your project's progress. Enact processes and monitor their quality to help your team turn customer requirements into working software. Modeling the Application Design: Design functionality either on top of existing assets or from scratch, using architectural diagrams to communicate critical information about your team's software. Improving Quality with Visual Studio Diagnostic Tools Using Version Control Using Version Control (Team Explorer Everywhere Visual Studio 2010) Develop: Write, unit test, debug, analyze, and profile your application using tools that are integrated with the rest of the application lifecycle so that your team can understand how your progress contributes to the project. Building the Application Building the Application (Team Explorer Everywhere Visual Studio 2010) Build: Build your application using the integrated build system so that your team can ensure quality gates are met and see what requirements have been fulfilled in each build. Testing the Application Test: Run manual or automated tests, including performance and stress tests. Manage testing systematically so that your team knows the software quality on any given day. Setting up Lab Environments Lab Management: Using Microsoft Test Manager you can create lab environments on which to run tests on either physical computers or on virtual machines. Virtual machines can run on any virtualization framework that is managed by System Center Virtual Machine Manager (SCVMM). Using a Lab Environment for Your Application Lifecycle Deploy: Deploy into virtual environments to enable more sophisticated development and testing.
To start to use these tools, see Adopting Team Foundation and Visual Studio for Application Lifecycle Management. For information about how to use these tools with Eclipse, see Adopting Team Explorer Everywhere.
To administer Team Foundation Server, see Administering Team Foundation and Technical Reference for Team Foundation. Team Foundation Server Microsoft Visual Studio Team Foundation Server, the core of the application lifecycle management tools, provides version control, a build system, and tools and metrics for managing and organizing projects. With a license for Team Explorer, you can view and update data in Team Foundation Server by using Team Web Access, Visual Studio and other integrated development environments. For more information about clients for Team Foundation Server, see Working with Team Foundation Clients. Visual Studio Application Lifecycle Management You can integrate other aspects of the application development lifecycle with Team Foundation Server by using one or more of the following products:
Visual Studio Professional is a unified development experience that enables developers to create multitier applications across the web, cloud, and devices. It provides the ability to maintain and modernize existing applications while building cutting-edge apps for new platforms such as Windows 8.
Visual Studio Premium offers an integrated ALM solution to bring together stakeholders, users, and software development functions to deliver compelling applications as a unified team. Businesses of all sizes require collaboration across a diverse set of team players, often working in heterogeneous development environments, to deliver software applications with agility that yield predictable value. Visual Studio Premium provides business analysts, project managers and testers, alongside developers and users, with the tools to integrate their processes and collaborate seamlessly. It comprises agile project planning and management, stakeholder and user engagement, developer productivity, and quality enablement and testing capabilities to deliver an integrated ALM solution.
Visual Studio Ultimate is the comprehensive ALM offering for organizations developing and operating highly scalable software applications and services. It provides architecture discovery and validation tools that enable teams to maintain a high degree of architectural integrity and efficiently manage technical debt. Quality of Service testing tools helps proactively validate the scalability of software applications and services in meeting the target scaling requirements. Incident management and production debugging seamlessly integrate development and operations teams in releasing, monitoring, and maintaining applications in production.
Visual Studio Test Professional is ideal for testers, business analysts, product managers, and other stakeholders who need team collaboration tools, but not a full development IDE. These team members can take advantage of an integrated testing and product management toolset that delivers quality across the development process. Visual Studio Test Professional also supports lightweight requirements definition and continuous customer feedback, and provides traceability across these processes.
The following table shows how these tools can be used throughout the application lifecycle. For more information about detailed feature availability, see Visual Studio 2012 Comparison. Application Lifecycle Visual Studio Professional 2012 Visual Studio Premium 2012 Visual Studio Ultimate 2012 Visual Studio Test Professional 2012 Agile planning tools
Development
Test (1)
Lab Management
Build
Version Control
Notes:
Microsoft Test Manager enables you to manage and execute test cases outside Visual Studio, and create and manage physical or virtual environments. This client application installs with Visual Studio Premium 2012, Visual Studio Ultimate 2012, and Visual Studio Test Professional 2012.\\ override (C# Reference) Visual Studio 2012 Other Versions 2 out of 2 rated this helpful - Rate this topic
The override modifier is required to extend or modify the abstract or virtual implementation of an inherited method, property, indexer, or event. Example In this example, the Square class must provide an overridden implementation of Area because Area is inherited from the abstract ShapesClass: C# abstract class ShapesClass { abstract public int Area(); } class Square : ShapesClass { int side = 0; public Square(int n) { side = n; } // Area method is required to avoid // a compile-time error. public override int Area() { return side * side; }
static void Main() { Square sq = new Square(12); Console.WriteLine("Area of the square = {0}", sq.Area()); } interface I { void M(); } abstract class C : I { public abstract void M(); } } // Output: Area of the square = 144 An override method provides a new implementation of a member that is inherited from a base class. The method that is overridden by an override declaration is known as the overridden base method. The overridden base method must have the same signature as the override method. For information about inheritance, see Inheritance (C# Programming Guide). You cannot override a non-virtual or static method. The overridden base method must be virtual, abstract, or override. An override declaration cannot change the accessibility of the virtual method. Both the override method and the virtual method must have the same access level modifier. You cannot use the new, static, or virtual modifiers to modify an override method. An overriding property declaration must specify exactly the same access modifier, type, and name as the inherited property, and the overridden property must be virtual, abstract, or override. For more information about how to use the override keyword, see Versioning with the Override and New Keywords (C# Programming Guide) and Knowing when to use Override and New Keywords. This example defines a base class named Employee, and a derived class named SalesEmployee. The SalesEmployee class includes an extra property, salesbonus, and overrides the method CalculatePay in order to take it into account. C# class TestOverride { public class Employee { public string name; // Basepay is defined as protected, so that it may be
// accessed only by this class and derrived classes. protected decimal basepay; // Constructor to set the name and basepay values. public Employee(string name, decimal basepay) { this.name = name; this.basepay = basepay; } // Declared virtual so it can be overridden. public virtual decimal CalculatePay() { return basepay; } } // Derive a new class from Employee. public class SalesEmployee : Employee { // New field that will affect the base pay. private decimal salesbonus; // The constructor calls the base-class version, and // initializes the salesbonus field. public SalesEmployee(string name, decimal basepay, decimal salesbonus) : base(name, basepay) { this.salesbonus = salesbonus; } // Override the CalculatePay method // to take bonus into account. public override decimal CalculatePay() { return basepay + salesbonus; } } static void Main() { // Create some new employees. SalesEmployee employee1 = new SalesEmployee("Alice", 1000, 500); Employee employee2 = new Employee("Bob", 1200); Console.WriteLine("Employee4 " + employee1.name + " earned: " + employee1.CalculatePay());
Console.WriteLine("Employee4 " + employee2.name + " earned: " + employee2.CalculatePay()); } } /* Output: Employee4 Alice earned: 1500 Employee4 Bob earned: 1200 */ C# Language Specification For more information, see the C# Language Specification. The language specification is the definitive source for C# syntax and usage. Inheritance (C# Programming Guide) Visual Studio 2012 Other Versions 18 out of 21 rated this helpful - Rate this topic
Inheritance, together with encapsulation and polymorphism, is one of the three primary characteristics (or pillars) of object-oriented programming. Inheritance enables you to create new classes that reuse, extend, and modify the behavior that is defined in other classes. The class whose members are inherited is called the base class, and the class that inherits those members is called the derived class. A derived class can have only one direct base class. However, inheritance is transitive. If ClassC is derived from ClassB, and ClassB is derived from ClassA, ClassC inherits the members declared in ClassB and ClassA. Note Structs do not support inheritance, but they can implement interfaces. For more information, see Interfaces (C# Programming Guide).
Conceptually, a derived class is a specialization of the base class. For example, if you have a base class Animal, you might have one derived class that is named Mammal and another derived class that is named Reptile. A Mammal is an Animal, and a Reptile is an Animal, but each derived class represents different specializations of the base class. When you define a class to derive from another class, the derived class implicitly gains all the members of the base class, except for its constructors and destructors. The derived class can thereby reuse the code in the base class without having to re-implement it. In the derived class, you can add more members. In this manner, the derived class extends the functionality of the base class. The following illustration shows a class WorkItem that represents an item of work in some business process. Like all classes, it derives from System.Object and inherits all its methods. WorkItem adds five members of its own. These include a constructor, because constructors are not inherited. Class ChangeRequest inherits from WorkItem and represents a particular kind of work item. ChangeRequest adds two more members to the members that it inherits from WorkItem and from Object. It must add its own constructor, and it also adds originalItemID. Property originalItemID enables the ChangeRequest instance to be associated with the original WorkItem to which the change request applies.
Class inheritance
The following example shows how the class relationships demonstrated in the previous illustration are expressed in C#. The example also shows how WorkItem overrides the virtual method Object.ToString, and how the ChangeRequest class inherits the WorkItem implementation of the method. C# // WorkItem implicitly inherits from the Object class. public class WorkItem { // Static field currentID stores the job ID of the last WorkItem that // has been created. private static int currentID; //Properties. protected int ID { get; set; } protected string Title { get; set; } protected string Description { get; set; } protected TimeSpan jobLength { get; set; } // Default constructor. If a derived class does not invoke a base// class constructor explicitly, the default constructor is called // implicitly. public WorkItem() { ID = 0; Title = "Default title"; Description = "Default description."; jobLength = new TimeSpan(); } // Instance constructor that has three parameters. public WorkItem(string title, string desc, TimeSpan joblen) { this.ID = GetNextID(); this.Title = title; this.Description = desc; this.jobLength = joblen; } // Static constructor to initialize the static member, currentID. This // constructor is called one time, automatically, before any instance // of WorkItem or ChangeRequest is created, or currentID is referenced. static WorkItem() { currentID = 0; }
protected int GetNextID() { // currentID is a static field. It is incremented each time a new // instance of WorkItem is created. return ++currentID; } // Method Update enables you to update the title and job length of an // existing WorkItem object. public void Update(string title, TimeSpan joblen) { this.Title = title; this.jobLength = joblen; } // Virtual method override of the ToString method that is inherited // from System.Object. public override string ToString() { return String.Format("{0} - {1}", this.ID, this.Title); } } // ChangeRequest derives from WorkItem and adds a property (originalItemID) // and two constructors. public class ChangeRequest : WorkItem { protected int originalItemID { get; set; } // Constructors. Because neither constructor calls a base-class // constructor explicitly, the default constructor in the base class // is called implicitly. The base class must contain a default // constructor. // Default constructor for the derived class. public ChangeRequest() { } // Instance constructor that has four parameters. public ChangeRequest(string title, string desc, TimeSpan jobLen, int originalID) { // The following properties and the GetNexID method are inherited // from WorkItem. this.ID = GetNextID(); this.Title = title; this.Description = desc;
this.jobLength = jobLen; // Property originalItemId is a member of ChangeRequest, but not // of WorkItem. this.originalItemID = originalID; } } class Program { static void Main() { // Create an instance of WorkItem by using the constructor in the // base class that takes three arguments. WorkItem item = new WorkItem("Fix Bugs", "Fix all bugs in my code branch", new TimeSpan(3, 4, 0, 0)); // Create an instance of ChangeRequest by using the constructor in // the derived class that takes four arguments. ChangeRequest change = new ChangeRequest("Change Base Class Design", "Add members to the class", new TimeSpan(4, 0, 0), 1); // Use the ToString method defined in WorkItem. Console.WriteLine(item.ToString()); // Use the inherited Update method to change the title of the // ChangeRequest object. change.Update("Change the Design of the Base Class", new TimeSpan(4, 0, 0)); // ChangeRequest inherits WorkItem's override of ToString. Console.WriteLine(change.ToString()); // Keep the console open in debug mode. Console.WriteLine("Press any key to exit."); Console.ReadKey(); } } /* Output: 1 - Fix Bugs 2 - Change the Design of the Base Class */ Abstract and Virtual Methods
When a base class declares a method as virtual, a derived class can override the method with its own implementation. If a base class declares a member as abstract, that method must be overridden in any non-abstract class that directly inherits from that class. If a derived class is itself abstract, it inherits abstract members without implementing them. Abstract and virtual members are the basis for polymorphism, which is the second primary characteristic of object-oriented programming. For more information, see Polymorphism (C# Programming Guide). Abstract Base Classes You can declare a class as abstract if you want to prevent direct instantiation by using the new keyword. If you do this, the class can be used only if a new class is derived from it. An abstract class can contain one or more method signatures that themselves are declared as abstract. These signatures specify the parameters and return value but have no implementation (method body). An abstract class does not have to contain abstract members; however, if a class does contain an abstract member, the class itself must be declared as abstract. Derived classes that are not abstract themselves must provide the implementation for any abstract methods from an abstract base class. For more information, see Abstract and Sealed Classes and Class Members (C# Programming Guide). Interfaces An interface is a reference type that is somewhat similar to an abstract base class that consists of only abstract members. When a class implements an interface, it must provide an implementation for all the members of the interface. A class can implement multiple interfaces even though it can derive from only a single direct base class. Interfaces are used to define specific capabilities for classes that do not necessarily have an "is a" relationship. For example, the System.IEquatable<T> interface can be implemented by any class or struct that has to enable client code to determine whether two objects of the type are equivalent (however the type defines equivalence). IEquatable<T> does not imply the same kind of "is a" relationship that exists between a base class and a derived class (for example, a Mammal is an Animal). For more information, see Interfaces (C# Programming Guide). Derived Class Access to Base Class Members A derived class has access to the public, protected, internal, and protected internal members of a base class. Even though a derived class inherits the private members of a base class, it cannot access those members. However, all those private members are still present in the derived class and can do the same work they would do in the base class itself. For example, suppose that a protected base class method accesses a private field. That field has to be present in the derived class for the inherited base class method to work correctly. Preventing Further Derivation A class can prevent other classes from inheriting from it, or from any of its members, by declaring itself or the member as sealed. For more information, see Abstract and Sealed Classes and Class Members (C# Programming Guide). Derived Class Hiding of Base Class Members A derived class can hide base class members by declaring members with the same name and signature. The new modifier can be used to explicitly indicate that the member is not intended to be an override of the base member. The use of new is not required, but a compiler warning will be generated if new is not
used. For more information, see Versioning with the Override and New Keywords (C# Programming Guide) and Knowing When to Use Override and New Keywords (C# Programming Guide). See Also Knowing When to Use Override and New Keywords (C# Programming Guide) Visual Studio 2012 Other Versions 5 out of 7 rated this helpful - Rate this topic
In C#, a method in a derived class can have the same name as a method in the base class. You can specify how the methods interact by using the new and override keywords. The override modifier extends the base class method, and the new modifier hides it. The difference is illustrated in the examples in this topic. In a console application, declare the following two classes, BaseClass and DerivedClass. DerivedClass inherits from BaseClass. C# class BaseClass { public void Method1() { Console.WriteLine("Base - Method1"); } } class DerivedClass : BaseClass { public void Method2() { Console.WriteLine("Derived - Method2"); } } In the Main method, declare variables bc, dc, and bcdc.
bcdc is of type BaseClass, and its value is of type DerivedClass. This is the variable to pay attention to. Because bc and bcdc have type BaseClass, they can only directly access Method1, unless you use casting. Variable dc can access both Method1 and Method2. These relationships are shown in the following code. C#
class Program { static void Main(string[] args) { BaseClass bc = new BaseClass(); DerivedClass dc = new DerivedClass(); BaseClass bcdc = new DerivedClass(); bc.Method1(); dc.Method1(); dc.Method2(); bcdc.Method1(); } // Output: // Base - Method1 // Base - Method1 // Derived - Method2 // Base - Method1 } Next, add the following Method2 method to BaseClass. The signature of this method matches the signature of the Method2 method in DerivedClass. C# public void Method2() { Console.WriteLine("Base - Method2"); } Because BaseClass now has a Method2 method, a second calling statement can be added for BaseClass variables bc and bcdc, as shown in the following code. C# bc.Method1(); bc.Method2(); dc.Method1(); dc.Method2(); bcdc.Method1(); bcdc.Method2(); When you build the project, you see that the addition of the Method2 method in BaseClass causes a warning. The warning says that the Method2 method in DerivedClass hides the Method2 method in BaseClass. You are advised to use the new keyword in the Method2 definition if you intend to cause that result. Alternatively, you could rename one of the Method2 methods to resolve the warning, but that is not always practical. Before adding new, run the program to see the output produced by the additional calling statements. The following results are displayed. C# // Output:
// Base - Method1 // Base - Method2 // Base - Method1 // Derived - Method2 // Base - Method1 // Base - Method2 The new keyword preserves the relationships that produce that output, but it suppresses the warning. The variables that have type BaseClass continue to access the members of BaseClass, and the variable that has type DerivedClass continues to access members in DerivedClass first, and then to consider members inherited from BaseClass. To suppress the warning, add the new modifier to the definition of Method2 in DerivedClass, as shown in the following code. The modifier can be added before or after public. C# public new void Method2() { Console.WriteLine("Derived - Method2"); } Run the program again to verify that the output has not changed. Also verify that the warning no longer appears. By using new, you are asserting that you are aware that the member that it modifies hides a member that is inherited from the base class. For more information about name hiding through inheritance, see new Modifier (C# Reference). To contrast this behavior to the effects of using override, add the following method to DerivedClass. The override modifier can be added before or after public. C# public override void Method1() { Console.WriteLine("Derived - Method1"); } Add the virtual modifier to the definition of Method1 in BaseClass. The virtual modifier can be added before or after public. C# public virtual void Method1() { Console.WriteLine("Base - Method1"); } Run the project again. Notice especially the last two lines of the following output. C# // Output: // Base - Method1 // Base - Method2 // Derived - Method1 // Derived - Method2
// Derived - Method1 // Base - Method2 The use of the override modifier enables bcdc to access the Method1 method that is defined in DerivedClass. Typically, that is the desired behavior in inheritance hierarchies. You want objects that have values that are created from the derived class to use the methods that are defined in the derived class. You achieve that behavior by using override to extend the base class method. The following code contains the full example. C# using System; using System.Text; namespace OverrideAndNew { class Program { static void Main(string[] args) { BaseClass bc = new BaseClass(); DerivedClass dc = new DerivedClass(); BaseClass bcdc = new DerivedClass(); // The following two calls do what you would expect. They call // the methods that are defined in BaseClass. bc.Method1(); bc.Method2(); // Output: // Base - Method1 // Base - Method2
// The following two calls do what you would expect. They call // the methods that are defined in DerivedClass. dc.Method1(); dc.Method2(); // Output: // Derived - Method1 // Derived - Method2
// The following two calls produce different results, depending // on whether override (Method1) or new (Method2) is used. bcdc.Method1(); bcdc.Method2(); // Output: // Derived - Method1 // Base - Method2
} } class BaseClass { public virtual void Method1() { Console.WriteLine("Base - Method1"); } public virtual void Method2() { Console.WriteLine("Base - Method2"); } } class DerivedClass : BaseClass { public override void Method1() { Console.WriteLine("Derived - Method1"); } public new void Method2() { Console.WriteLine("Derived - Method2"); } } } The following example illustrates similar behavior in a different context. The example defines three classes: a base class named Car and two classes that are derived from it, ConvertibleCar and Minivan. The base class contains a DescribeCar method. The method displays a basic description of a car, and then calls ShowDetails to provide additional information. Each of the three classes defines a ShowDetails method. The new modifier is used to define ShowDetails in the ConvertibleCar class. The override modifier is used to define ShowDetails in the Minivan class. C# // Define the base class, Car. The class defines two methods, // DescribeCar and ShowDetails. DescribeCar calls ShowDetails, and each derived // class also defines a ShowDetails method. The example tests which version of // ShowDetails is selected, the base class method or the derived class method. class Car { public void DescribeCar() { System.Console.WriteLine("Four wheels and an engine."); ShowDetails(); }
public virtual void ShowDetails() { System.Console.WriteLine("Standard transportation."); } } // Define the derived classes. // Class ConvertibleCar uses the new modifier to acknowledge that ShowDetails // hides the base class method. class ConvertibleCar : Car { public new void ShowDetails() { System.Console.WriteLine("A roof that opens up."); } } // Class Minivan uses the override modifier to specify that ShowDetails // extends the base class method. class Minivan : Car { public override void ShowDetails() { System.Console.WriteLine("Carries seven people."); } } The example tests which version of ShowDetails is called. The following method, TestCars1, declares an instance of each class, and then calls DescribeCar on each instance. C# public static void TestCars1() { System.Console.WriteLine("\nTestCars1"); System.Console.WriteLine("----------"); Car car1 = new Car(); car1.DescribeCar(); System.Console.WriteLine("----------");
// Notice the output from this test case. The new modifier is // used in the definition of ShowDetails in the ConvertibleCar // class. ConvertibleCar car2 = new ConvertibleCar(); car2.DescribeCar();
System.Console.WriteLine("----------"); Minivan car3 = new Minivan(); car3.DescribeCar(); System.Console.WriteLine("----------"); } TestCars1 produces the following output. Notice especially the results for car2, which probably are not what you expected. The type of the object is ConvertibleCar, but DescribeCar does not access the version of ShowDetails that is defined in the ConvertibleCar class because that method is declared with the new modifier, not the override modifier. As a result, a ConvertibleCar object displays the same description as a Car object. Contrast the results for car3, which is a Minivan object. In this case, the ShowDetails method that is declared in the Minivan class overrides the ShowDetails method that is declared in the Car class, and the description that is displayed describes a minivan. C# // TestCars1 // ---------// Four wheels and an engine. // Standard transportation. // ---------// Four wheels and an engine. // Standard transportation. // ---------// Four wheels and an engine. // Carries seven people. // ---------TestCars2 creates a list of objects that have type Car. The values of the objects are instantiated from the Car, ConvertibleCar, and Minivan classes. DescribeCar is called on each element of the list. The following code shows the definition of TestCars2. C# public static void TestCars2() { System.Console.WriteLine("\nTestCars2"); System.Console.WriteLine("----------"); var cars = new List<Car> { new Car(), new ConvertibleCar(), new Minivan() }; foreach (var car in cars) { car.DescribeCar(); System.Console.WriteLine("----------"); } } The following output is displayed. Notice that it is the same as the output that is displayed by TestCars1. The ShowDetails method of the ConvertibleCar class is not called, regardless of whether the type of the
object is ConvertibleCar, as in TestCars1, or Car, as in TestCars2. Conversely, car3 calls the ShowDetails method from the Minivan class in both cases, whether it has type Minivan or type Car. C# // TestCars2 // ---------// Four wheels and an engine. // Standard transportation. // ---------// Four wheels and an engine. // Standard transportation. // ---------// Four wheels and an engine. // Carries seven people. // ---------Methods TestCars3 and TestCars4 complete the example. These methods call ShowDetails directly, first from objects declared to have type ConvertibleCar and Minivan (TestCars3), then from objects declared to have type Car (TestCars4). The following code defines these two methods. C# public static void TestCars3() { System.Console.WriteLine("\nTestCars3"); System.Console.WriteLine("----------"); ConvertibleCar car2 = new ConvertibleCar(); Minivan car3 = new Minivan(); car2.ShowDetails(); car3.ShowDetails(); } public static void TestCars4() { System.Console.WriteLine("\nTestCars4"); System.Console.WriteLine("----------"); Car car2 = new ConvertibleCar(); Car car3 = new Minivan(); car2.ShowDetails(); car3.ShowDetails(); } The methods produce the following output, which corresponds to the results from the first example in this topic. C# // TestCars3 // ---------// A roof that opens up. // Carries seven people. // TestCars4
// ---------// Standard transportation. // Carries seven people. The following code shows the complete project and its output. C# using System; using System.Collections.Generic; using System.Linq; using System.Text; namespace OverrideAndNew2 { class Program { static void Main(string[] args) { // Declare objects of the derived classes and test which version // of ShowDetails is run, base or derived. TestCars1(); // Declare objects of the base class, instantiated with the // derived classes, and repeat the tests. TestCars2(); // Declare objects of the derived classes and call ShowDetails // directly. TestCars3(); // Declare objects of the base class, instantiated with the // derived classes, and repeat the tests. TestCars4(); } public static void TestCars1() { System.Console.WriteLine("\nTestCars1"); System.Console.WriteLine("----------"); Car car1 = new Car(); car1.DescribeCar(); System.Console.WriteLine("----------"); // Notice the output from this test case. The new modifier is // used in the definition of ShowDetails in the ConvertibleCar // class. ConvertibleCar car2 = new ConvertibleCar(); car2.DescribeCar();
System.Console.WriteLine("----------"); Minivan car3 = new Minivan(); car3.DescribeCar(); System.Console.WriteLine("----------"); } // Output: // TestCars1 // ---------// Four wheels and an engine. // Standard transportation. // ---------// Four wheels and an engine. // Standard transportation. // ---------// Four wheels and an engine. // Carries seven people. // ----------
public static void TestCars2() { System.Console.WriteLine("\nTestCars2"); System.Console.WriteLine("----------"); var cars = new List<Car> { new Car(), new ConvertibleCar(), new Minivan() }; foreach (var car in cars) { car.DescribeCar(); System.Console.WriteLine("----------"); } } // Output: // TestCars2 // ---------// Four wheels and an engine. // Standard transportation. // ---------// Four wheels and an engine. // Standard transportation. // ---------// Four wheels and an engine. // Carries seven people. // ----------
public static void TestCars3() { System.Console.WriteLine("\nTestCars3"); System.Console.WriteLine("----------"); ConvertibleCar car2 = new ConvertibleCar(); Minivan car3 = new Minivan(); car2.ShowDetails(); car3.ShowDetails(); } // Output: // TestCars3 // ---------// A roof that opens up. // Carries seven people.
public static void TestCars4() { System.Console.WriteLine("\nTestCars4"); System.Console.WriteLine("----------"); Car car2 = new ConvertibleCar(); Car car3 = new Minivan(); car2.ShowDetails(); car3.ShowDetails(); } // Output: // TestCars4 // ---------// Standard transportation. // Carries seven people. }
// Define the base class, Car. The class defines two virtual methods, // DescribeCar and ShowDetails. DescribeCar calls ShowDetails, and each derived // class also defines a ShowDetails method. The example tests which version of // ShowDetails is used, the base class method or the derived class method. class Car { public virtual void DescribeCar() { System.Console.WriteLine("Four wheels and an engine."); ShowDetails(); } public virtual void ShowDetails() { System.Console.WriteLine("Standard transportation.");
} }
// Define the derived classes. // Class ConvertibleCar uses the new modifier to acknowledge that ShowDetails // hides the base class method. class ConvertibleCar : Car { public new void ShowDetails() { System.Console.WriteLine("A roof that opens up."); } } // Class Minivan uses the override modifier to specify that ShowDetails // extends the base class method. class Minivan : Car { public override void ShowDetails() { System.Console.WriteLine("Carries seven people."); } } } Object and Collection Initializers (C# Programming Guide) Visual Studio 2012 Other Versions 7 out of 9 rated this helpful - Rate this topic
Object initializers let you assign values to any accessible fields or properties of an object at creation time without having to explicitly invoke a constructor. The following example shows how to use an object initializer with a named type, Cat. Note the use of auto-implemented properties in the Cat class. For more information, see Auto-Implemented Properties (C# Programming Guide). C# class Cat { // Auto-implemented properties. public int Age { get; set; } public string Name { get; set; } } C# Cat cat = new Cat { Age = 10, Name = "Fluffy" }; Object Initializers with anonymous types
Although object initializers can be used in any context, they are especially useful in LINQ query expressions. Query expressions make frequent use of anonymous types, which can only be initialized by using an object initializer, as shown in the following declaration. var pet = new { Age = 10, Name = "Fluffy" }; Anonymous types enable the select clause in a LINQ query expression to transform objects of the original sequence into objects whose value and shape may differ from the original. This is useful if you want to store only a part of the information from each object in a sequence. In the following example, assume that a product object (p) contains many fields and methods, and that you are only interested in creating a sequence of objects that contain the product name and the unit price. C# var productInfos = from p in products select new { p.ProductName, p.UnitPrice }; When this query is executed, the productInfos variable will contain a sequence of objects that can be accessed in a foreach statement as shown in this example: foreach(var p in productInfos){...} Each object in the new anonymous type has two public properties which receive the same names as the properties or fields in the original object. You can also rename a field when you are creating an anonymous type; the following example renames the UnitPrice field to Price. select new {p.ProductName, Price = p.UnitPrice}; Object initializers with nullable types It is a compile-time error to use an object initializer with a nullable struct. Collection Initializers Collection initializers let you specify one or more element initializers when you initialize a collection class that implements IEnumerable. The element initializers can be a simple value, an expression or an object initializer. By using a collection initializer you do not have to specify multiple calls to the Add method of the class in your source code; the compiler adds the calls. The following examples shows two simple collection initializers: List<int> digits = new List<int> { 0, 1, 2, 3, 4, 5, 6, 7, 8, 9 }; List<int> digits2 = new List<int> { 0 + 1, 12 % 3, MakeInt() }; The following collection initializer uses object initializers to initialize objects of the Cat class defined in a previous example. Note that the individual object initializers are enclosed in braces and separated by commas. C# List<Cat> cats = new List<Cat> { new Cat(){ Name = "Sylvester", Age=8 }, new Cat(){ Name = "Whiskers", Age=2 }, new Cat(){ Name = "Sasha", Age=14 } };
You can specify null as an element in a collection initializer if the collection's Add method allows it. C# List<Cat> moreCats = new List<Cat> { new Cat(){ Name = "Furrytail", Age=5 }, new Cat(){ Name = "Peaches", Age=4 }, null }; Example C# // The following code consolidates examples from the topic. class ObjInitializers { class Cat { // Auto-implemented properties. public int Age { get; set; } public string Name { get; set; } } static void Main() { Cat cat = new Cat { Age = 10, Name = "Fluffy" }; List<Cat> cats = new List<Cat> { new Cat(){ Name = "Sylvester", Age=8 }, new Cat(){ Name = "Whiskers", Age=2 }, new Cat(){ Name = "Sasha", Age=14 } }; List<Cat> moreCats = new List<Cat> { new Cat(){ Name = "Furrytail", Age=5 }, new Cat(){ Name = "Peaches", Age=4 }, null }; // Display results. System.Console.WriteLine(cat.Name); foreach (Cat c in cats) System.Console.WriteLine(c.Name); foreach (Cat c in moreCats) if (c != null) System.Console.WriteLine(c.Name); else
System.Console.WriteLine("List element has null value."); } // Output: //Fluffy //Sylvester //Whiskers //Sasha //Furrytail //Peaches //List element has null value. } LINQ Query Expressions (C# Programming Guide) Visual Studio 2012 Other Versions 11 out of 12 rated this helpful - Rate this topic
Language-Integrated Query (LINQ) is the name for a set of technologies based on the integration of query capabilities directly into the C# language (also in Visual Basic and potentially any other .NET language). With LINQ, a query is now a first-class language construct, just like classes, methods, events and so on. For a developer who writes queries, the most visible "language-integrated" part of LINQ is the query expression. Query expressions are written in a declarative query syntax introduced in C# 3.0. By using query syntax, you can perform even complex filtering, ordering, and grouping operations on data sources with a minimum of code. You use the same basic query expression patterns to query and transform data in SQL databases, ADO.NET Datasets, XML documents and streams, and .NET collections. The following example shows the complete query operation. The complete operation includes creating a data source, defining the query expression, and executing the query in a foreach statement. C# class LINQQueryExpressions { static void Main() { // Specify the data source. int[] scores = new int[] { 97, 92, 81, 60 }; // Define the query expression. IEnumerable<int> scoreQuery = from score in scores where score > 80 select score; // Execute the query. foreach (int i in scoreQuery) {
Console.Write(i + " "); } } } // Output: 97 92 81 For more information about the basics of LINQ in C#, see Getting Started with LINQ in C#. Query Expression Overview
Query expressions can be used to query and to transform data from any LINQ-enabled data source. For example, a single query can retrieve data from a SQL database, and produce an XML stream as output.
Query expressions are easy to master because they use many familiar C# language constructs. For more information, see Getting Started with LINQ in C#.
The variables in a query expression are all strongly typed, although in many cases you do not have to provide the type explicitly because the compiler can infer it. For more information, see Type Relationships in LINQ Query Operations (C#).
A query is not executed until you iterate over the query variable in a foreach statement. For more information, see Introduction to LINQ Queries (C#).
At compile time, query expressions are converted to Standard Query Operator method calls according to the rules set forth in the C# specification. Any query that can be expressed by using query syntax can also be expressed by using method syntax. However, in most cases query syntax is more readable and concise. For more information, see C# Language Specification and Standard Query Operators Overview.
As a rule when you write LINQ queries, we recommend that you use query syntax whenever possible and method syntax whenever necessary. There is no semantic or performance difference between the two different forms. Query expressions are often more readable than equivalent expressions written in method syntax.
Some query operations, such as Count or Max, have no equivalent query expression clause and must therefore be expressed as a method call. Method syntax can be combined with query syntax in various ways. For more information, see LINQ Query Syntax versus Method Syntax (C#).
Query expressions can be compiled to expression trees or to delegates, depending on the type that the query is applied to. IEnumerable<T> queries are compiled to delegates. IQueryable and IQueryable<T> queries are compiled to expression trees. For more information, see Expression Trees (C# and Visual Basic).
The following table lists topics that provide additional information about queries and code examples for common tasks. Topic Description Query Expression Basics (C# Programming Guide) Introduces fundamental query concepts and provides examples of C# query syntax. How to: Write LINQ Queries in C# Provides examples of several basic types of query expressions. How to: Handle Exceptions in Query Expressions (C# Programming Guide) How and when to move potential exception-throwing code outside a query expression. How to: Populate Object Collections from Multiple Sources (LINQ) How to use the select statement to merge data from different sources into a new type. How to: Group Query Results (C# Programming Guide) Shows different ways to use the group clause. How to: Create a Nested Group (C# Programming Guide) Shows how to create nested groups. How to: Perform a Subquery on a Grouping Operation (C# Programming Guide) Shows how to use a sub-expression in a query as a data source for a new query. How to: Group Results by Contiguous Keys (C# Programming Guide) Shows how to implement a thread-safe standard query operator that can perform grouping operations on streaming data sources. How to: Dynamically Specify Predicate Filters at Runtime (C# Programming Guide) Shows how to supply an arbitrary number of values to use in equality comparisons in a where clause. How to: Store the Results of a Query in Memory (C# Programming Guide) Illustrates how to materialize and store query results without necessarily using a foreach loop. How to: Return a Query from a Method (C# Programming Guide) Shows how to return query variables from methods, and how to pass them to methods as input parameters. How to: Perform Custom Join Operations (C# Programming Guide) Shows how to perform join operations based on any kind of predicate function. How to: Join by Using Composite Keys (C# Programming Guide) Shows how to join two sources based on more than one matching key. How to: Order the Results of a Join Clause (C# Programming Guide)
Shows how to order a sequence that is produced by a join operation. How to: Perform Inner Joins (C# Programming Guide) Shows how to perform an inner join in LINQ. How to: Perform Grouped Joins (C# Programming Guide) Shows how to produce a grouped join in LINQ. How to: Perform Left Outer Joins (C# Programming Guide) Shows how to produce a left outer join in LINQ. How to: Handle Null Values in Query Expressions (C# Programming Guide) Shows how to handle null values in LINQ queries. Query Expression Basics (C# Programming Guide) Visual Studio 2012 Other Versions 7 out of 9 rated this helpful - Rate this topic What Is a Query and What Does It Do? A query is a set of instructions that describes what data to retrieve from a given data source (or sources) and what shape and organization the returned data should have. A query is distinct from the results that it produces. Generally, the source data is organized logically as a sequence of elements of the same kind. A SQL database table contains a sequence of rows. Similarly, an ADO.NET DataTable contains a sequence of DataRow objects. In an XML file, there is a "sequence" of XML elements (although these are organized hierarchically in a tree structure). An in-memory collection contains a sequence of objects. From an application's viewpoint, the specific type and structure of the original source data is not important. The application always sees the source data as an IEnumerable<T> or IQueryable<T> collection. In LINQ to XML, the source data is made visible as an IEnumerable<XElement>. In LINQ to DataSet, it is an IEnumerable<DataRow>. In LINQ to SQL, it is an IEnumerable or IQueryable of whatever custom objects you have defined to represent the data in the SQL table. Given this source sequence, a query may do one of three things:
Retrieve a subset of the elements to produce a new sequence without modifying the individual elements. The query may then sort or group the returned sequence in various ways, as shown in the following example (assume scores is an int[]): C# IEnumerable<int> highScoresQuery = from score in scores where score > 80 orderby score descending select score;
Retrieve a sequence of elements as in the previous example but transform them to a new type of object. For example, a query may retrieve only the last names from certain customer records in a data source. Or it may retrieve the complete record and then use it to construct another in-memory object type or even XML data before generating the final result sequence. The following example shows a transform from an int to a string. Note the new type of highScoresQuery. C# IEnumerable<string> highScoresQuery2 = from score in scores where score > 80 orderby score descending select String.Format("The score is {0}", score);
The first element that matches a condition, or the sum of particular values in a specified set of elements. For example, the following query returns the number of scores greater than 80 from the scores integer array: C# int highScoreCount = (from score in scores where score > 80 select score) .Count(); In the previous example, note the use of parentheses around the query expression before the call to the Count method. You can also express this by using a new variable to store the concrete result. This technique is more readable because it keeps the variable that store the query separate from the query that stores a result. C# IEnumerable<int> highScoresQuery3 = from score in scores where score > 80 select score; int scoreCount = highScoresQuery3.Count(); In the previous example, the query is executed in the call to Count, because Count must iterate over the results in order to determine the number of elements returned by highScoresQuery.
What Is a Query Expression? A query expression is a query expressed in query syntax. A query expression is a first-class language construct. It is just like any other expression and can be used in any context in which a C# expression is valid. A query expression consists of a set of clauses written in a declarative syntax similar to SQL or XQuery. Each clause in turn contains one or more C# expressions, and these expressions may themselves be either a query expression or contain a query expression. A query expression must begin with a from clause and must end with a select or group clause. Between the first from clause and the last select or group clause, it can contain one or more of these optional clauses: where, orderby, join, let and even additional from clauses. You can also use the into keyword to enable the result of a join or group clause to serve as the source for additional query clauses in the same query expression. Query Variable In LINQ, a query variable is any variable that stores a query instead of the results of a query. More specifically, a query variable is always an enumerable type that will produce a sequence of elements when it is iterated over in a foreach statement or a direct call to its IEnumerator.MoveNext method. The following code example shows a simple query expression with one data source, one filtering clause, one ordering clause, and no transformation of the source elements. The select clause ends the query. C# static void Main() { // Data source. int[] scores = { 90, 71, 82, 93, 75, 82 }; // Query Expression. IEnumerable<int> scoreQuery = //query variable from score in scores //required where score > 80 // optional orderby score descending // optional select score; //must end with select or group // Execute the query to produce the results foreach (int testScore in scoreQuery) { Console.WriteLine(testScore); } } // Outputs: 93 90 82 82 In the previous example, scoreQuery is a query variable, which is sometimes referred to as just a query. The query variable stores no actual result data, which is produced in the foreach loop. And when the foreach statement executes, the query results are not returned through the query variable scoreQuery. Rather, they are returned through the iteration variable testScore. The scoreQuery variable can be iterated in a second foreach loop. It will produce the same results as long as neither it nor the data source has been modified.
A query variable may store a query that is expressed in query syntax or method syntax, or a combination of the two. In the following examples, both queryMajorCities and queryMajorCities2 are query variables: C# //Query syntax IEnumerable<City> queryMajorCities = from city in cities where city.Population > 100000 select city;
// Method-based syntax IEnumerable<City> queryMajorCities2 = cities.Where(c => c.Population > 100000); On the other hand, the following two examples show variables that are not query variables even through each is initialized with a query. They are not query variables because they store results: C# int highestScore = (from score in scores select score) .Max(); // or split the expression IEnumerable<int> scoreQuery = from score in scores select score; int highScore = scoreQuery.Max(); List<City> largeCitiesList = (from country in countries from city in country.Cities where city.Population > 10000 select city) .ToList(); // or split the expression IEnumerable<City> largeCitiesQuery = from country in countries from city in country.Cities where city.Population > 10000 select city; List<City> largeCitiesList2 = largeCitiesQuery.ToList(); Note In the LINQ documentation, variables that store a query have the word "query" as part of their names. Variables that store an actual result do not have "query" in their names.
For more information about the different ways to express queries, see LINQ Query Syntax versus Method Syntax (C#). Explicit and Implicit Typing of Query Variables This documentation usually provides the explicit type of the query variable in order to show the type relationship between the query variable and the select clause. However, you can also use the var keyword to instruct the compiler to infer the type of a query variable (or any other local variable) at compile time. For example, the query example that was shown previously in this topic can also be expressed by using implicit typing: C# // Use of var is optional here and in all queries. // queryCities is an IEnumerable<City> just as // when it is explicitly typed. var queryCities = from city in cities where city.Population > 100000 select city; For more information, see Implicitly Typed Local Variables (C# Programming Guide) and Type Relationships in LINQ Query Operations (C#). Starting a Query Expression A query expression must begin with a from clause. It specifies a data source together with a range variable. The range variable represents each successive element in the source sequence as the source sequence is being traversed. The range variable is strongly typed based on the type of elements in the data source. In the following example, because countries is an array of Country objects, the range variable is also typed as Country. Because the range variable is strongly typed, you can use the dot operator to access any available members of the type. C# IEnumerable<Country> countryAreaQuery = from country in countries where country.Area > 500000 //sq km select country; The range variable is in scope until the query is exited either with a semicolon or with a continuation clause. A query expression may contain multiple from clauses. Use additional from clauses when each element in the source sequence is itself a collection or contains a collection. For example, assume that you have a collection of Country objects, each of which contains a collection of City objects named Cities. To query the City objects in each Country, use two from clauses as shown here: C# IEnumerable<City> cityQuery = from country in countries from city in country.Cities where city.Population > 10000 select city;
For more information, see from clause (C# Reference). Ending a Query Expression A query expression must end with either a select clause or a group clause. group Clause Use the group clause to produce a sequence of groups organized by a key that you specify. The key can be any data type. For example, the following query creates a sequence of groups that contains one or more Country objects and whose key is a char value. C# var queryCountryGroups = from country in countries group country by country.Name[0]; For more information about grouping, see group clause (C# Reference). select Clause Use the select clause to produce all other types of sequences. A simple select clause just produces a sequence of the same type of objects as the objects that are contained in the data source. In this example, the data source contains Country objects. The orderby clause just sorts the elements into a new order and the select clause produces a sequence of the reordered Country objects. C# IEnumerable<Country> sortedQuery = from country in countries orderby country.Area select country; The select clause can be used to transform source data into sequences of new types. This transformation is also named a projection. In the following example, the select clause projects a sequence of anonymous types which contains only a subset of the fields in the original element. Note that the new objects are initialized by using an object initializer. C# // Here var is required because the query // produces an anonymous type. var queryNameAndPop = from country in countries select new { Name = country.Name, Pop = country.Population }; For more information about all the ways that a select clause can be used to transform source data, see select clause (C# Reference). Continuations with "into" You can use the into keyword in a select or group clause to create a temporary identifier that stores a query. Do this when you must perform additional query operations on a query after a grouping or select operation. In the following example countries are grouped according to population in ranges of 10 million. After these groups are created, additional clauses filter out some groups, and then to sort the
groups in ascending order. To perform those additional operations, the continuation represented by countryGroup is required. C# // percentileQuery is an IEnumerable<IGrouping<int, Country>> var percentileQuery = from country in countries let percentile = (int) country.Population / 10000000 group country by percentile into countryGroup where countryGroup.Key >= 20 orderby countryGroup.Key select countryGroup; // grouping is an IGrouping<int, Country> foreach (var grouping in percentileQuery) { Console.WriteLine(grouping.Key); foreach (var country in grouping) Console.WriteLine(country.Name + ":" + country.Population); } For more information, see into (C# Reference). Filtering, Ordering, and Joining Between the starting from clause, and the ending select or group clause, all other clauses (where, join, orderby, from, let) are optional. Any of the optional clauses may be used zero times or multiple times in a query body. where Clause Use the where clause to filter out elements from the source data based on one or more predicate expressions. The where clause in the following example has two predicates. C# IEnumerable<City> queryCityPop = from city in cities where city.Population < 200000 && city.Population > 100000 select city; For more information, see where clause (C# Reference). orderby Clause Use the orderby clause to sort the results in either ascending or descending order. You can also specify secondary sort orders. The following example performs a primary sort on the country objects by using the Area property. It then performs a secondary sort by using the Population property. C# IEnumerable<Country> querySortedCountries = from country in countries orderby country.Area, country.Population descending select country;
The ascending keyword is optional; it is the default sort order if no order is specified. For more information, see orderby clause (C# Reference). join Clause Use the join clause to associate and/or combine elements from one data source with elements from another data source based on an equality comparison between specified keys in each element. In LINQ, join operations are performed on sequences of objects whose elements are different types. After you have joined two sequences, you must use a select or group statement to specify which element to store in the output sequence. You can also use an anonymous type to combine properties from each set of associated elements into a new type for the output sequence. The following example associates prod objects whose Category property matches one of the categories in the categories string array. Products whose Category does not match any string in categories are filtered out. The select statement projects a new type whose properties are taken from both cat and prod. C# var categoryQuery = from cat in categories join prod in products on cat equals prod.Category select new { Category = cat, Name = prod.Name }; You can also perform a group join by storing the results of the joint operation into a temporary variable by using the into keyword. For more information, see join clause (C# Reference). let Clause Use the let clause to store the result of an expression, such as a method call, in a new range variable. In the following example, the range variable firstName stores the first element of the array of strings that is returned by Split. C# string[] names = { "Svetlana Omelchenko", "Claire O'Donnell", "Sven Mortensen", "Cesar Garcia" }; IEnumerable<string> queryFirstNames = from name in names let firstName = name.Split(new char[] { ' ' })[0] select firstName; foreach (string s in queryFirstNames) Console.Write(s + " "); //Output: Svetlana Claire Sven Cesar For more information, see let clause (C# Reference). Subqueries in a Query Expression A query clause may itself contain a query expression, which is sometimes referred to as a subquery. Each subquery starts with its own from clause that does not necessarily point to the same data source in the first from clause. For example, the following query shows a query expression that is used in the select statement to retrieve the results of a grouping operation. C# var queryGroupMax = from student in students group student by student.GradeLevel into studentGroup
select new { Level = studentGroup.Key, HighestScore = (from student2 in studentGroup select student2.Scores.Average()) .Max() }; For more information, see How to: Perform a Subquery on a Grouping Operation (C# Programming Guide). How to: Perform a Subquery on a Grouping Operation (C# Programming Guide) Visual Studio 2012 Other Versions 0 out of 1 rated this helpful - Rate this topic
This topic shows two different ways to create a query that orders the source data into groups, and then performs a subquery over each group individually. The basic technique in each example is to group the source elements by using a continuation named newGroup, and then generating a new subquery against newGroup. This subquery is run against each new group that is created by the outer query. Note that in this particular example the final output is not a group, but a flat sequence of anonymous types. For more information about how to group, see group clause (C# Reference). For more information about continuations, see into (C# Reference). The following example uses an inmemory data structure as the data source, but the same principles apply for any kind of LINQ data source. Example C# public void QueryMax() { var queryGroupMax = from student in students group student by student.Year into studentGroup select new { Level = studentGroup.Key, HighestScore = (from student2 in studentGroup select student2.ExamScores.Average()).Max() }; int count = queryGroupMax.Count(); Console.WriteLine("Number of groups = {0}", count); foreach (var item in queryGroupMax) {
Console.WriteLine(" {0} Highest Score={1}", item.Level, item.HighestScore); } } Compiling the Code This example contains references to objects that are defined in the sample application in How to: Query a Collection of Objects (C# Programming Guide). To compile and run this method, paste it into the StudentClass class in that application and add a call to it from the Main method. When you adapt this method to your own application, remember that LINQ requires version 3.5 of the .NET Framework, and the project must contain a reference to System.Core.dll and a using directive for System.Linq. LINQ to SQL, LINQ to XML and LINQ to DataSet types require additional usings and references. For more information, see How to: Create a LINQ Project. LINQ Query Expressions (C# Programming Guide) Visual Studio 2012 Other Versions 11 out of 12 rated this helpful - Rate this topic
Language-Integrated Query (LINQ) is the name for a set of technologies based on the integration of query capabilities directly into the C# language (also in Visual Basic and potentially any other .NET language). With LINQ, a query is now a first-class language construct, just like classes, methods, events and so on. For a developer who writes queries, the most visible "language-integrated" part of LINQ is the query expression. Query expressions are written in a declarative query syntax introduced in C# 3.0. By using query syntax, you can perform even complex filtering, ordering, and grouping operations on data sources with a minimum of code. You use the same basic query expression patterns to query and transform data in SQL databases, ADO.NET Datasets, XML documents and streams, and .NET collections. The following example shows the complete query operation. The complete operation includes creating a data source, defining the query expression, and executing the query in a foreach statement. C# class LINQQueryExpressions { static void Main() { // Specify the data source. int[] scores = new int[] { 97, 92, 81, 60 }; // Define the query expression. IEnumerable<int> scoreQuery = from score in scores where score > 80 select score;
// Execute the query. foreach (int i in scoreQuery) { Console.Write(i + " "); } } } // Output: 97 92 81 For more information about the basics of LINQ in C#, see Getting Started with LINQ in C#. Query Expression Overview
Query expressions can be used to query and to transform data from any LINQ-enabled data source. For example, a single query can retrieve data from a SQL database, and produce an XML stream as output.
Query expressions are easy to master because they use many familiar C# language constructs. For more information, see Getting Started with LINQ in C#.
The variables in a query expression are all strongly typed, although in many cases you do not have to provide the type explicitly because the compiler can infer it. For more information, see Type Relationships in LINQ Query Operations (C#).
A query is not executed until you iterate over the query variable in a foreach statement. For more information, see Introduction to LINQ Queries (C#).
At compile time, query expressions are converted to Standard Query Operator method calls according to the rules set forth in the C# specification. Any query that can be expressed by using query syntax can also be expressed by using method syntax. However, in most cases query syntax is more readable and concise. For more information, see C# Language Specification and Standard Query Operators Overview.
As a rule when you write LINQ queries, we recommend that you use query syntax whenever possible and method syntax whenever necessary. There is no semantic or performance difference between the two different forms. Query expressions are often more readable than equivalent expressions written in method syntax.
Some query operations, such as Count or Max, have no equivalent query expression clause and must therefore be expressed as a method call. Method syntax can be combined with query syntax in various ways. For more information, see LINQ Query Syntax versus Method Syntax (C#).
Query expressions can be compiled to expression trees or to delegates, depending on the type that the query is applied to. IEnumerable<T> queries are compiled to delegates. IQueryable and IQueryable<T> queries are compiled to expression trees. For more information, see Expression Trees (C# and Visual Basic). The following table lists topics that provide additional information about queries and code examples for common tasks. Topic Description Query Expression Basics (C# Programming Guide) Introduces fundamental query concepts and provides examples of C# query syntax. How to: Write LINQ Queries in C# Provides examples of several basic types of query expressions. How to: Handle Exceptions in Query Expressions (C# Programming Guide) How and when to move potential exception-throwing code outside a query expression. How to: Populate Object Collections from Multiple Sources (LINQ) How to use the select statement to merge data from different sources into a new type. How to: Group Query Results (C# Programming Guide) Shows different ways to use the group clause. How to: Create a Nested Group (C# Programming Guide) Shows how to create nested groups. How to: Perform a Subquery on a Grouping Operation (C# Programming Guide) Shows how to use a sub-expression in a query as a data source for a new query. How to: Group Results by Contiguous Keys (C# Programming Guide) Shows how to implement a thread-safe standard query operator that can perform grouping operations on streaming data sources. How to: Dynamically Specify Predicate Filters at Runtime (C# Programming Guide) Shows how to supply an arbitrary number of values to use in equality comparisons in a where clause. How to: Store the Results of a Query in Memory (C# Programming Guide) Illustrates how to materialize and store query results without necessarily using a foreach loop. How to: Return a Query from a Method (C# Programming Guide) Shows how to return query variables from methods, and how to pass them to methods as input parameters. How to: Perform Custom Join Operations (C# Programming Guide) Shows how to perform join operations based on any kind of predicate function.
How to: Join by Using Composite Keys (C# Programming Guide) Shows how to join two sources based on more than one matching key. How to: Order the Results of a Join Clause (C# Programming Guide) Shows how to order a sequence that is produced by a join operation. How to: Perform Inner Joins (C# Programming Guide) Shows how to perform an inner join in LINQ. How to: Perform Grouped Joins (C# Programming Guide) Shows how to produce a grouped join in LINQ. How to: Perform Left Outer Joins (C# Programming Guide) Shows how to produce a left outer join in LINQ. How to: Handle Null Values in Query Expressions (C# Programming Guide) Shows how to handle null values in LINQ queries. Query Expression Basics (C# Programming Guide) Visual Studio 2012 Other Versions 7 out of 9 rated this helpful - Rate this topic What Is a Query and What Does It Do? A query is a set of instructions that describes what data to retrieve from a given data source (or sources) and what shape and organization the returned data should have. A query is distinct from the results that it produces. Generally, the source data is organized logically as a sequence of elements of the same kind. A SQL database table contains a sequence of rows. Similarly, an ADO.NET DataTable contains a sequence of DataRow objects. In an XML file, there is a "sequence" of XML elements (although these are organized hierarchically in a tree structure). An in-memory collection contains a sequence of objects. From an application's viewpoint, the specific type and structure of the original source data is not important. The application always sees the source data as an IEnumerable<T> or IQueryable<T> collection. In LINQ to XML, the source data is made visible as an IEnumerable<XElement>. In LINQ to DataSet, it is an IEnumerable<DataRow>. In LINQ to SQL, it is an IEnumerable or IQueryable of whatever custom objects you have defined to represent the data in the SQL table. Given this source sequence, a query may do one of three things:
Retrieve a subset of the elements to produce a new sequence without modifying the individual elements. The query may then sort or group the returned sequence in various ways, as shown in the following example (assume scores is an int[]): C# IEnumerable<int> highScoresQuery =
from score in scores where score > 80 orderby score descending select score;
Retrieve a sequence of elements as in the previous example but transform them to a new type of object. For example, a query may retrieve only the last names from certain customer records in a data source. Or it may retrieve the complete record and then use it to construct another in-memory object type or even XML data before generating the final result sequence. The following example shows a transform from an int to a string. Note the new type of highScoresQuery. C# IEnumerable<string> highScoresQuery2 = from score in scores where score > 80 orderby score descending select String.Format("The score is {0}", score);
The first element that matches a condition, or the sum of particular values in a specified set of elements. For example, the following query returns the number of scores greater than 80 from the scores integer array: C# int highScoreCount = (from score in scores where score > 80 select score) .Count(); In the previous example, note the use of parentheses around the query expression before the call to the Count method. You can also express this by using a new variable to store the concrete result. This technique is more readable because it keeps the variable that store the query separate from the query that stores a result. C# IEnumerable<int> highScoresQuery3 = from score in scores where score > 80 select score;
int scoreCount = highScoresQuery3.Count(); In the previous example, the query is executed in the call to Count, because Count must iterate over the results in order to determine the number of elements returned by highScoresQuery. What Is a Query Expression? A query expression is a query expressed in query syntax. A query expression is a first-class language construct. It is just like any other expression and can be used in any context in which a C# expression is valid. A query expression consists of a set of clauses written in a declarative syntax similar to SQL or XQuery. Each clause in turn contains one or more C# expressions, and these expressions may themselves be either a query expression or contain a query expression. A query expression must begin with a from clause and must end with a select or group clause. Between the first from clause and the last select or group clause, it can contain one or more of these optional clauses: where, orderby, join, let and even additional from clauses. You can also use the into keyword to enable the result of a join or group clause to serve as the source for additional query clauses in the same query expression. Query Variable In LINQ, a query variable is any variable that stores a query instead of the results of a query. More specifically, a query variable is always an enumerable type that will produce a sequence of elements when it is iterated over in a foreach statement or a direct call to its IEnumerator.MoveNext method. The following code example shows a simple query expression with one data source, one filtering clause, one ordering clause, and no transformation of the source elements. The select clause ends the query. C# static void Main() { // Data source. int[] scores = { 90, 71, 82, 93, 75, 82 }; // Query Expression. IEnumerable<int> scoreQuery = //query variable from score in scores //required where score > 80 // optional orderby score descending // optional select score; //must end with select or group // Execute the query to produce the results foreach (int testScore in scoreQuery) { Console.WriteLine(testScore); } } // Outputs: 93 90 82 82 In the previous example, scoreQuery is a query variable, which is sometimes referred to as just a query. The query variable stores no actual result data, which is produced in the foreach loop. And when the
foreach statement executes, the query results are not returned through the query variable scoreQuery. Rather, they are returned through the iteration variable testScore. The scoreQuery variable can be iterated in a second foreach loop. It will produce the same results as long as neither it nor the data source has been modified. A query variable may store a query that is expressed in query syntax or method syntax, or a combination of the two. In the following examples, both queryMajorCities and queryMajorCities2 are query variables: C# //Query syntax IEnumerable<City> queryMajorCities = from city in cities where city.Population > 100000 select city;
// Method-based syntax IEnumerable<City> queryMajorCities2 = cities.Where(c => c.Population > 100000); On the other hand, the following two examples show variables that are not query variables even through each is initialized with a query. They are not query variables because they store results: C# int highestScore = (from score in scores select score) .Max(); // or split the expression IEnumerable<int> scoreQuery = from score in scores select score; int highScore = scoreQuery.Max(); List<City> largeCitiesList = (from country in countries from city in country.Cities where city.Population > 10000 select city) .ToList(); // or split the expression IEnumerable<City> largeCitiesQuery = from country in countries from city in country.Cities where city.Population > 10000 select city; List<City> largeCitiesList2 = largeCitiesQuery.ToList(); Note
In the LINQ documentation, variables that store a query have the word "query" as part of their names. Variables that store an actual result do not have "query" in their names.
For more information about the different ways to express queries, see LINQ Query Syntax versus Method Syntax (C#). Explicit and Implicit Typing of Query Variables This documentation usually provides the explicit type of the query variable in order to show the type relationship between the query variable and the select clause. However, you can also use the var keyword to instruct the compiler to infer the type of a query variable (or any other local variable) at compile time. For example, the query example that was shown previously in this topic can also be expressed by using implicit typing: C# // Use of var is optional here and in all queries. // queryCities is an IEnumerable<City> just as // when it is explicitly typed. var queryCities = from city in cities where city.Population > 100000 select city; For more information, see Implicitly Typed Local Variables (C# Programming Guide) and Type Relationships in LINQ Query Operations (C#). Starting a Query Expression A query expression must begin with a from clause. It specifies a data source together with a range variable. The range variable represents each successive element in the source sequence as the source sequence is being traversed. The range variable is strongly typed based on the type of elements in the data source. In the following example, because countries is an array of Country objects, the range variable is also typed as Country. Because the range variable is strongly typed, you can use the dot operator to access any available members of the type. C# IEnumerable<Country> countryAreaQuery = from country in countries where country.Area > 500000 //sq km select country; The range variable is in scope until the query is exited either with a semicolon or with a continuation clause. A query expression may contain multiple from clauses. Use additional from clauses when each element in the source sequence is itself a collection or contains a collection. For example, assume that you have a collection of Country objects, each of which contains a collection of City objects named Cities. To query the City objects in each Country, use two from clauses as shown here: C# IEnumerable<City> cityQuery =
from country in countries from city in country.Cities where city.Population > 10000 select city; For more information, see from clause (C# Reference). Ending a Query Expression A query expression must end with either a select clause or a group clause. group Clause Use the group clause to produce a sequence of groups organized by a key that you specify. The key can be any data type. For example, the following query creates a sequence of groups that contains one or more Country objects and whose key is a char value. C# var queryCountryGroups = from country in countries group country by country.Name[0]; For more information about grouping, see group clause (C# Reference). select Clause Use the select clause to produce all other types of sequences. A simple select clause just produces a sequence of the same type of objects as the objects that are contained in the data source. In this example, the data source contains Country objects. The orderby clause just sorts the elements into a new order and the select clause produces a sequence of the reordered Country objects. C# IEnumerable<Country> sortedQuery = from country in countries orderby country.Area select country; The select clause can be used to transform source data into sequences of new types. This transformation is also named a projection. In the following example, the select clause projects a sequence of anonymous types which contains only a subset of the fields in the original element. Note that the new objects are initialized by using an object initializer. C# // Here var is required because the query // produces an anonymous type. var queryNameAndPop = from country in countries select new { Name = country.Name, Pop = country.Population }; For more information about all the ways that a select clause can be used to transform source data, see select clause (C# Reference). Continuations with "into"
You can use the into keyword in a select or group clause to create a temporary identifier that stores a query. Do this when you must perform additional query operations on a query after a grouping or select operation. In the following example countries are grouped according to population in ranges of 10 million. After these groups are created, additional clauses filter out some groups, and then to sort the groups in ascending order. To perform those additional operations, the continuation represented by countryGroup is required. C# // percentileQuery is an IEnumerable<IGrouping<int, Country>> var percentileQuery = from country in countries let percentile = (int) country.Population / 10000000 group country by percentile into countryGroup where countryGroup.Key >= 20 orderby countryGroup.Key select countryGroup; // grouping is an IGrouping<int, Country> foreach (var grouping in percentileQuery) { Console.WriteLine(grouping.Key); foreach (var country in grouping) Console.WriteLine(country.Name + ":" + country.Population); } For more information, see into (C# Reference). Filtering, Ordering, and Joining Between the starting from clause, and the ending select or group clause, all other clauses (where, join, orderby, from, let) are optional. Any of the optional clauses may be used zero times or multiple times in a query body. where Clause Use the where clause to filter out elements from the source data based on one or more predicate expressions. The where clause in the following example has two predicates. C# IEnumerable<City> queryCityPop = from city in cities where city.Population < 200000 && city.Population > 100000 select city; For more information, see where clause (C# Reference). orderby Clause Use the orderby clause to sort the results in either ascending or descending order. You can also specify secondary sort orders. The following example performs a primary sort on the country objects by using the Area property. It then performs a secondary sort by using the Population property. C# IEnumerable<Country> querySortedCountries =
from country in countries orderby country.Area, country.Population descending select country; The ascending keyword is optional; it is the default sort order if no order is specified. For more information, see orderby clause (C# Reference). join Clause Use the join clause to associate and/or combine elements from one data source with elements from another data source based on an equality comparison between specified keys in each element. In LINQ, join operations are performed on sequences of objects whose elements are different types. After you have joined two sequences, you must use a select or group statement to specify which element to store in the output sequence. You can also use an anonymous type to combine properties from each set of associated elements into a new type for the output sequence. The following example associates prod objects whose Category property matches one of the categories in the categories string array. Products whose Category does not match any string in categories are filtered out. The select statement projects a new type whose properties are taken from both cat and prod. C# var categoryQuery = from cat in categories join prod in products on cat equals prod.Category select new { Category = cat, Name = prod.Name }; You can also perform a group join by storing the results of the join operation into a temporary variable by using the into keyword. For more information, see join clause (C# Reference). let Clause Use the let clause to store the result of an expression, such as a method call, in a new range variable. In the following example, the range variable firstName stores the first element of the array of strings that is returned by Split. C# string[] names = { "Svetlana Omelchenko", "Claire O'Donnell", "Sven Mortensen", "Cesar Garcia" }; IEnumerable<string> queryFirstNames = from name in names let firstName = name.Split(new char[] { ' ' })[0] select firstName; foreach (string s in queryFirstNames) Console.Write(s + " "); //Output: Svetlana Claire Sven Cesar For more information, see let clause (C# Reference). Subqueries in a Query Expression A query clause may itself contain a query expression, which is sometimes referred to as a subquery. Each subquery starts with its own from clause that does not necessarily point to the same data source in the first from clause. For example, the following query shows a query expression that is used in the select statement to retrieve the results of a grouping operation.
C# var queryGroupMax = from student in students group student by student.GradeLevel into studentGroup select new { Level = studentGroup.Key, HighestScore = (from student2 in studentGroup select student2.Scores.Average()) .Max() }; For more information, see How to: Perform a Subquery on a Grouping Operation (C# Programming Guide). Implicitly Typed Local Variables (C# Programming Guide) Visual Studio 2012 Other Versions 7 out of 9 rated this helpful - Rate this topic
Local variables can be given an inferred "type" of var instead of 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 Framework class library. For more information about how to initialize arrays with var, see Implicitly Typed Arrays (C# Programming Guide). The following examples show various ways in which local variables can be declared with var: C# // 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>(); It is important to understand that the var keyword does not mean "variant" and does not indicate that the variable is loosely typed, or late-bound. It just means that the compiler determines and assigns the most appropriate type. The var keyword may be used in the following contexts:
On local variables (variables declared at method scope) as shown in the previous example.
In a using statement. using (var file = new StreamReader("C:\\myfile.txt")) {...} For more information, see How to: Use Implicitly Typed Local Variables and Arrays in a Query Expression (C# Programming Guide). var and Anonymous Types In many cases the use of var is optional and is just a syntactic convenience. However, when a variable is initialized with an anonymous type you must declare the variable as var if you need to access the properties of the object at a later point. This is a common scenario in LINQ query expressions. For more information, see Anonymous Types (C# Programming Guide). From the perspective of your source code, an anonymous type has no name. Therefore, if a query variable has been initialized with var, then the only way to access the properties in the returned sequence of objects is to use var as the type of the iteration variable in the foreach statement. C# class ImplicitlyTypedLocals2 { static void Main() { string[] words = { "aPPLE", "BlUeBeRrY", "cHeRry" }; // If a query produces a sequence of anonymous types, // then use var in the foreach statement to access the properties. var upperLowerWords = from w in words
select new { Upper = w.ToUpper(), Lower = w.ToLower() }; // Execute the query foreach (var ul in upperLowerWords) { Console.WriteLine("Uppercase: {0}, Lowercase: {1}", ul.Upper, ul.Lower); } } } /* Outputs: Uppercase: APPLE, Lowercase: apple Uppercase: BLUEBERRY, Lowercase: blueberry Uppercase: CHERRY, Lowercase: cherry */ Remarks The following restrictions apply to implicitly-typed variable declarations:
var can only be used when a local variable is declared and initialized in the same statement; the variable cannot be initialized to null, or to a method group or an anonymous function.
Variables declared by using var cannot be used in the initialization expression. In other words, this expression is legal: int i = (i = 20); but this expression produces a compile-time error: var i = (i = 20);
If a type named var is in scope, then the var keyword will resolve to that type name and will not be treated as part of an implicitly typed local variable declaration. You may find that var can also be useful with query expressions in which the exact constructed type of the query variable is difficult to determine. This can occur with grouping and ordering operations. The var keyword can also be useful when the specific type of the variable is tedious to type on the keyboard, or is obvious, or does not add to the readability of the code. One example where var is helpful in this manner is with nested generic types such as those used with group operations. In the following query, the type of the query variable is IEnumerable<IGrouping<string, Student>>. As long as you and others who must maintain your code understand this, there is no problem with using implicit typing for convenience and brevity. C# // Same as previous example except we use the entire last name as a key. // Query variable is an IEnumerable<IGrouping<string, Student>>
var studentQuery3 = from student in students group student by student.Last; However, the use of var does have at least the potential to make your code more difficult to understand for other developers. For that reason, the C# documentation generally uses var only when it is required. How to: Use Implicitly Typed Local Variables and Arrays in a Query Expression (C# Programming Guide) Visual Studio 2012 Other Versions This topic has not yet been rated - Rate this topic
You can use implicitly typed local variables whenever you want the compiler to determine the type of a local variable. You must use implicitly typed local variables to store anonymous types, which are often used in query expressions. The following examples illustrate both optional and required uses of implicitly typed local variables in queries. Implicitly typed local variables are declared by using the var contextual keyword. For more information, see Implicitly Typed Local Variables (C# Programming Guide) and Implicitly Typed Arrays (C# Programming Guide). Example The following example shows a common scenario in which the var keyword is required: a query expression that produces a sequence of anonymous types. In this scenario, both the query variable and the iteration variable in the foreach statement must be implicitly typed by using var because you do not have access to a type name for the anonymous type. For more information about anonymous types, see Anonymous Types (C# Programming Guide). C# private static void QueryNames(char firstLetter) { // Create the query. Use of var is required because // the query produces a sequence of anonymous types: // System.Collections.Generic.IEnumerable<????>. var studentQuery = from student in students where student.FirstName[0] == firstLetter select new { student.FirstName, student.LastName }; // Execute the query and display the results. foreach (var anonType in studentQuery) { Console.WriteLine("First = {0}, Last = {1}", anonType.FirstName, anonType.LastName); } } The following example uses the var keyword in a situation that is similar, but in which the use of var is optional. Because student.LastName is a string, execution of the query returns a sequence of strings.
Therefore, the type of queryID could be declared as System.Collections.Generic.IEnumerable<string> instead of var. Keyword var is used for convenience. In the example, the iteration variable in the foreach statement is explicitly typed as a string, but it could instead be declared by using var. Because the type of the iteration variable is not an anonymous type, the use of var is an option, not a requirement. Remember, var itself is not a type, but an instruction to the compiler to infer and assign the type. C# // Variable queryID could be declared by using // System.Collections.Generic.IEnumerable<string> // instead of var. var queryID = from student in students where student.ID > 111 select student.LastName; // Variable str could be declared by using var instead of string. foreach (string str in queryID) { Console.WriteLine("Last name: {0}", str); } var (C# Reference) Visual Studio 2012 Other Versions 26 out of 33 rated this helpful - Rate this topic
Beginning in Visual C# 3.0, variables that are declared at method scope can have an implicit type var. An implicitly typed local variable is strongly typed just as if you had declared the type yourself, but the compiler determines the type. The following two declarations of i are functionally equivalent: var i = 10; // implicitly typed int i = 10; //explicitly typed For more information, see Implicitly Typed Local Variables (C# Programming Guide) and Type Relationships in LINQ Query Operations (C#). Example The following example shows two query expressions. In the first expression, the use of var is permitted but is not required, because the type of the query result can be stated explicitly as an IEnumerable<string>. However, in the second expression, var must be used because the result is a collection of anonymous types, and the name of that type is not accessible except to the compiler itself. Note that in Example #2, the foreach iteration variable item must also be implicitly typed. C# // Example #1: var is optional because // the select clause specifies a string string[] words = { "apple", "strawberry", "grape", "peach", "banana" }; var wordQuery = from word in words where word[0] == 'g' select word;
// Because each element in the sequence is a string, // not an anonymous type, var is optional here also. foreach (string s in wordQuery) { Console.WriteLine(s); } // Example #2: var is required because // the select clause specifies an anonymous type var custQuery = from cust in customers where cust.City == "Phoenix" select new { cust.Name, cust.Phone }; // var must be used because each item // in the sequence is an anonymous type foreach (var item in custQuery) { Console.WriteLine("Name={0}, Phone={1}", item.Name, item.Phone); } See Also Type Relationships in LINQ Query Operations (C#) Visual Studio 2012 Other Versions 14 out of 15 rated this helpful - Rate this topic
To write queries effectively, you should understand how types of the variables in a complete query operation all relate to each other. If you understand these relationships you will more easily comprehend the LINQ samples and code examples in the documentation. Furthermore, you will understand what occurs behind the scenes when variables are implicitly typed by using var. LINQ query operations are strongly typed in the data source, in the query itself, and in the query execution. The type of the variables in the query must be compatible with the type of the elements in the data source and with the type of the iteration variable in the foreach statement. This strong typing guarantees that type errors are caught at compile time when they can be corrected before users encounter them. In order to demonstrate these type relationships, most of the examples that follow use explicit typing for all variables. The last example shows how the same principles apply even when you use implicit typing by using var. Queries that do not Transform the Source Data The following illustration shows a LINQ to Objects query operation that performs no transformations on the data. The source contains a sequence of strings and the query output is also a sequence of strings.
The type argument of the data source determines the type of the range variable.
The type of the object that is selected determines the type of the query variable. Here name is a string. Therefore, the query variable is an IEnumerable<string>.
The query variable is iterated over in the foreach statement. Because the query variable is a sequence of strings, the iteration variable is also a string. Queries that Transform the Source Data The following illustration shows a LINQ to SQL query operation that performs a simple transformation on the data. The query takes a sequence of Customer objects as input, and selects only the Name property in the result. Because Name is a string, the query produces a sequence of strings as output.
The type argument of the data source determines the type of the range variable.
The select statement returns the Name property instead of the complete Customer object. Because Name is a string, the type argument of custNameQuery is string, not Customer.
Because custNameQuery is a sequence of strings, the foreach loop's iteration variable must also be a string. The following illustration shows a slightly more complex transformation. The select statement returns an anonymous type that captures just two members of the original Customer object.
The type argument of the data source is always the type of the range variable in the query.
Because the select statement produces an anonymous type, the query variable must be implicitly typed by using var.
Because the type of the query variable is implicit, the iteration variable in the foreach loop must also be implicit. Letting the compiler infer type information Although you should understand the type relationships in a query operation, you do have the option to let the compiler do all the work for you. The keyword var can be used for any local variable in a query operation. The following illustration is exactly equivalent to example number 2 that was discussed earlier. The only difference is that the compiler will supply the strong type for each variable in the query operation: