Compartilhar via


Introdução ao LINQ no Visual Basic

Language-Integrated Query (LINQ) adds query capabilities to Visual Basic and provides simple and powerful capabilities when you work with all kinds of data. Rather than sending a query to a database to be processed, or working with different query syntax for each type of data that you are searching, LINQ introduces queries as part of the Visual Basic language. It uses a unified syntax regardless of the type of data.

LINQ permite consulta dados de um SQL de banco de dados, XML, in-memória de matrizes e coleções, ADO.NET conjuntos de dados, ou qualquer outro remoto ou local fonte de dados que ofereça suporte a LINQ. You can do all this with common Visual Basic language elements. Because your queries are written in the Visual Basic language, your query results are returned as strongly-typed objects. These objects support IntelliSense, which enables you to write code faster and catch errors in your queries at compile time instead of at run time. LINQ queries can be used as the source of additional queries to refine results. They can also be bound to controls so that users can easily view and modify your query results.

For example, the following code example shows a LINQ query that returns a list of customers from a collection and groups them based on their location.

Dim customers As List(Of Customer) = GetCustomerList()

Dim customersByCountry = From cust In customers 
                         Order By cust.Country, cust.City 
                         Group By CountryName = cust.Country 
                         Into RegionalCustomers = Group, Count() 
                         Order By CountryName

For Each country In customersByCountry
  Console.WriteLine(country.CountryName & 
                    " (" & country.Count & ")" & vbCrLf)

  For Each customer In country.RegionalCustomers
    Console.WriteLine(vbTab & customer.CompanyName & 
                      " (" & customer.City & ")")
  Next
Next

In this topic, you will find information about the following areas:

  • LINQ Providers

  • The Structure of a LINQ Query

  • Visual Basic LINQ Query Operators

  • Connecting to a Database by Using LINQ to SQL

  • Visual Basic Features That Support LINQ

  • Deferred and Immediate Query Execution

  • XML in Visual Basic

  • Related Resources

  • How To and Walkthrough Topics

LINQ Providers

A LINQ provider maps your Visual Basic LINQ queries to the data source being queried. When you write a LINQ query, the provider takes that query and translates it into commands that the data source will be able to execute. The provider also converts data from the source to the objects that make up your query result. Finally, it converts objects to data when you send updates to the data source.

Visual Basic includes the following LINQ providers.

Provider

Description

LINQ to Objects

The LINQ to Objects provider enables you to query in-memory collections and arrays. If an object supports either the IEnumerable or IEnumerable<T> interface, the LINQ to Objects provider enables you to query it.

You can enable the LINQ to Objects provider by importing the System.Linq namespace, which is imported by default for all Visual Basic projects.

For more information about the LINQ to Objects provider, see LINQ para Objetos.

LINQ to SQL

The LINQ to SQL provider enables you to query and modify data in a SQL Server database. This makes it easy to map the object model for an application to the tables and objects in a database.

Visual Basic makes it easier to work with LINQ to SQL by including the Object Relational Designer (O/R Designer). Este designer é usado para criar um modelo de objeto em um aplicativo que mapeia para objetos em um banco de dados. O Designer Relacional de Objetos também fornece funcionalidade para os procedimentos armazenados de mapa e funciona para o DataContext objeto, que gerencia a comunicação com o banco de dados e armazena o estado para verificações de simultaneidade de otimista.

Para obter mais informações sobre o LINQ do SQLprovedor, consulte LINQ to SQL. For more information about the Object Relational Designer, see Object Relational Designer (O/R Designer).

LINQ to XML

The LINQ to XML provider enables you to query and modify XML. You can modify in-memory XML, or you can load XML from and save XML to a file.

Additionally, the LINQ to XML provider enables XML literals and XML axis properties that enable you to write XML directly in your Visual Basic code. For more information, see XML no Visual Basic.

LINQ to DataSet

A LINQ do provedor permite que você consulta e atualização dados em um ADO.NET dataset. You can add the power of LINQ to applications that use datasets in order to simplify and extend your capabilities for querying, aggregating, and updating the data in your dataset.

For more information, see LINQ to DataSet.

The Structure of a LINQ Query

A LINQ query, often referred to as a query expression, consists of a combination of query clauses that identify the data sources and iteration variables for the query. A query expression can also include instructions for sorting, filtering, grouping, and joining, or calculations to apply to the source data. Query expression syntax resembles the syntax of SQL; therefore, you may find much of the syntax familiar.

A query expression starts with a From clause. This clause identifies the source data for a query and the variables that are used to refer to each element of the source data individually. These variables are named range variables or iteration variables. The From clause is required for a query, except for Aggregate queries, where the From clause is optional. After the scope and source of the query are identified in the From or Aggregate clauses, you can include any combination of query clauses to refine the query. For details about query clauses, see Visual Basic LINQ Query Operators later in this topic. For example, the following query identifies a source collection of customer data as the customers variable, and an iteration variable named cust.

Dim queryResults = From cust In customers 
                   Select cust.CompanyName

This example is a valid query by itself; however, the query becomes far more powerful when you add more query clauses to refine the result. For example, you can add a Where clause to filter the result by one or more values. Query expressions are a single line of code; you can just append additional query clauses to the end of the query. You can break up a query across multiple lines of text to improve readability by using the underscore (_) line-continuation character. The following code example shows an example of a query that includes a Where clause.

Dim queryResults = From cust In customers 
                   Where cust.Country = "USA"

Another powerful query clause is the Select clause, which enables you to return only selected fields from the data source. LINQ queries return enumerable collections of strongly typed objects. A query can return a collection of anonymous types or named types. You can use the Select clause to return only a single field from the data source. When you do this, the type of the collection returned is the type of that single field. You can also use the Select clause to return multiple fields from the data source. When you do this, the type of the collection returned is a new anonymous type. You can also match the fields returned by the query to the fields of a specified named type. The following code example shows a query expression that returns a collection of anonymous types that have members populated with data from the selected fields from the data source.

Dim queryResults = From cust In customers 
               Where cust.Country = "USA" 
               Select cust.CompanyName, cust.Country

LINQ queries can also be used to combine multiple sources of data and return a single result. This can be done with one or more From clauses, or by using the Join or Group Join query clauses. The following code example shows a query expression that combines customer and order data and returns a collection of anonymous types containing customer and order data.

Dim queryResults = From cust In customers, ord In orders 
                   Where cust.CustomerID = ord.CustomerID 
                   Select cust, ord

You can use the Group Join clause to create a hierarchical query result that contains a collection of customer objects. Each customer object has a property that contains a collection of all orders for that customer. The following code example shows a query expression that combines customer and order data as a hierarchical result and returns a collection of anonymous types. The query returns a type that includes a CustomerOrders property that contains a collection of order data for the customer. It also includes an OrderTotal property that contains the sum of the totals for all the orders for that customer. (This query is equivalent to a LEFT OUTER JOIN.)

Dim queryResults = From cust In customers 
                   Group Join ord In orders On 
                     cust.CustomerID Equals ord.CustomerID 
                     Into CustomerOrders = Group, 
                          OrderTotal = Sum(ord.Total) 
                   Select cust.CompanyName, cust.CustomerID, 
                          CustomerOrders, OrderTotal

There are several additional LINQ query operators that you can use to create powerful query expressions. The next section of this topic discusses the various query clauses that you can include in a query expression. For details about Visual Basic query clauses, see Consultas(Visual Basic).

Visual Basic LINQ Query Operators

As classes de System.Linq namespace e os namespaces que oferecem suporte a consultas LINQ incluem métodos que você pode chamar para criar e refinar as consultas com base nas necessidades do seu aplicativo. Visual Basicinclui palavras-chave para as cláusulas de consulta mais comuns, como descrito na tabela a seguir.

Term

Definition

A partir da cláusula (Visual Basic)

Either a From clause or an Aggregate clause is required to begin a query. A From clause specifies a source collection and an iteration variable for a query. For example:

Cláusula Select (Visual Basic)

Optional. Declares a set of iteration variables for a query. For example:

If a Select clause is not specified, the iteration variables for the query consist of the iteration variables specified by the From or Aggregate clause.

Clúasula Where (Visual Basic)

Optional. Specifies a filtering condition for a query. For example:

Cláusula Order By (Visual Basic)

Optional. Specifies the sort order for columns in a query. For example:

Cláusula de adição (Visual Basic)

Optional. Combines two collections into a single collection. For example:

Cláusula Group By (Visual Basic)

Optional. Groups the elements of a query result. Can be used to apply aggregate functions to each group. For example:

Cláusula Join Group (Visual Basic)

Optional. Combines two collections into a single hierarchical collection. For example:

Aggregate Clause (Visual Basic)

Either a From clause or an Aggregate clause is required to begin a query. An Aggregate clause applies one or more aggregate functions to a collection. For example, you can use the Aggregate clause to calculate a sum for all the elements returned by a query.

You can also use the Aggregate clause to modify a query. For example, you can use the Aggregate clause to perform a calculation on a related query collection.

Cláusula Let (Visual Basic)

Optional. Computes a value and assigns it to a new variable in the query. For example:

Cláusula Distinta (Visual Basic)

Optional. Restricts the values of the current iteration variable to eliminate duplicate values in query results. For example:

Cláusula Skip (Visual Basic)

Optional. Bypasses a specified number of elements in a collection and then returns the remaining elements. For example:

Ignorar Cláusula While (Visual Basic)

Optional. Bypasses elements in a collection as long as a specified condition is true and then returns the remaining elements. For example:

Tomar cláusula (Visual Basic)

Optional. Returns a specified number of contiguous elements from the start of a collection. For example:

Cláusula Take While (Visual Basic)

Optional. Includes elements in a collection as long as a specified condition is true and bypasses the remaining elements. For example:

For details about Visual Basic query clauses, see Consultas(Visual Basic).

You can use additional LINQ query features by calling members of the enumerable and queryable types provided by LINQ. You can use these additional capabilities by calling a particular query operator on the result of a query expression. For example, the following code example uses the Union method to combine the results of two queries into one query result. It uses the ToList<TSource> method to return the query result as a generic list.

Public Function GetAllCustomers() As List(Of Customer)
  Dim customers1 = From cust In domesticCustomers
  Dim customers2 = From cust In internationalCustomers

  Dim customerList = customers1.Union(customers2)

  Return customerList.ToList()
End Function

For details about additional LINQ capabilities, see Visão geral operadores de consulta padrão.

Connecting to a Database by Using LINQ to SQL

In Visual Basic, you identify the SQL Server database objects, such as tables, views, and stored procedures, that you want to access by using a LINQ to SQL file. A LINQ to SQL file has an extension of .dbml.

When you have a valid connection to a SQL Server database, you can add a LINQ to SQL Classes item template to your project. This will display the Object Relational Designer (O/R designer). The O/R Designer enables you to drag the items that you want to access in your code from the Server Explorer/Database Explorer onto the designer surface. The LINQ to SQL file adds a DataContext object to your project. This object includes properties and collections for the tables and views that you want access to, and methods for the stored procedures that you want to call. After you have saved your changes to the LINQ to SQL (.dbml) file, you can access these objects in your code by referencing the DataContext object that is defined by the O/R Designer. The DataContext object for your project is named based on the name of your LINQ to SQL file. For example, a LINQ to SQL file that is named Northwind.dbml will create a DataContext object named NorthwindDataContext.

For examples with step-by-step instructions, see Como: Consultar um banco de dados usando LINQ (Visual Basic) and Como: chamar um procedimento armazenado usando LINQ (Visual Basic).

Visual Basic Features That Support LINQ

Visual Basic includes other notable features that make the use of LINQ simple and reduce the amount of code that you must write to perform LINQ queries. These include the following:

  • Anonymous types, which enable you to create a new type based on a query result.

  • Implicitly typed variables, which enable you to defer specifying a type and let the compiler infer the type based on the query result.

  • Extension methods, which enable you to extend an existing type with your own methods without modifying the type itself.

For details, see Recursos Visual Basic que suportam LINQ.

Deferred and Immediate Query Execution

Query execution is separate from creating a query. After a query is created, its execution is triggered by a separate mechanism. A query can be executed as soon as it is defined (immediate execution), or the definition can be stored and the query can be executed later (deferred execution).

By default, when you create a query, the query itself does not execute immediately. Instead, the query definition is stored in the variable that is used to reference the query result. When the query result variable is accessed later in code, such as in a For…Next loop, the query is executed. This process is referred to as deferred execution.

Queries can also be executed when they are defined, which is referred to as immediate execution. You can trigger immediate execution by applying a method that requires access to individual elements of the query result. This can be the result of including an aggregate function, such as Count, Sum, Average, Min, or Max. For more information about aggregate functions, see Aggregate Clause (Visual Basic).

Using the ToList or ToArray methods will also force immediate execution. This can be useful when you want to execute the query immediately and cache the results. For more information about these methods, see Convertendo tipos de dados.

For more information about query execution, see Gravando a primeira consulta LINQ (Visual Basic).

XML in Visual Basic

The XML features in Visual Basic include XML literals and XML axis properties, which enable you easily to create, access, query, and modify XML in your code. XML literals enable you to write XML directly in your code. The Visual Basic compiler treats the XML as a first-class data object.

The following code example shows how to create an XML element, access its sub-elements and attributes, and query the contents of the element by using LINQ.

' Place Imports statements at the top of your program.  
Imports <xmlns:ns="http://SomeNamespace">

Module Sample1

    Sub SampleTransform()

        ' Create test by using a global XML namespace prefix. 

        Dim contact = 
            <ns:contact>
                <ns:name>Patrick Hines</ns:name>
                <ns:phone ns:type="home">206-555-0144</ns:phone>
                <ns:phone ns:type="work">425-555-0145</ns:phone>
            </ns:contact>

        Dim phoneTypes = 
          <phoneTypes>
              <%= From phone In contact.<ns:phone> 
                  Select <type><%= phone.@ns:type %></type> 
              %>
          </phoneTypes>

        Console.WriteLine(phoneTypes)
    End Sub

End Module

For more information, see XML no Visual Basic.

Topic

Description

XML no Visual Basic

Describes the XML features in Visual Basic that can be queried and that enable you to include XML as first-class data objects in your Visual Basic code.

Consultas(Visual Basic)

Provides reference information about the query clauses that are available in Visual Basic.

LINQ (consulta integrada à linguagem)

Includes general information, programming guidance, and samples for LINQ.

LINQ to SQL

Includes general information, programming guidance, and samples for LINQ to SQL.

LINQ para Objetos

Includes general information, programming guidance, and samples for LINQ to Objects.

LINQ para ADO.NET (página de Portal)

Inclui links para informações gerais, programação orientações e exemplos para LINQ to ADO.NET.

LINQ to XML

Includes general information, programming guidance, and samples for LINQ to XML.

How To and Walkthrough Topics

Como: Consultar um banco de dados usando LINQ (Visual Basic)

Como: chamar um procedimento armazenado usando LINQ (Visual Basic)

Como: Modificar dados em um banco de dados usando LINQ (Visual Basic)

Como: Combinar Dados com LINQ usando Joins Visual Basic)

Como: Classificar resultados de consulta usando o LINQ (Visual Basic)

Como: Filtrar resultados de consulta usando o LINQ (Visual Basic)

Como: Contar, Somar ou Fazer média de dados usando LINQ (Visual Basic)

Como: Localizar o mínimo ou máximo do valor em um resultado de consulta usando LINQ (Visual Basic)

Walkthrough: Creating LINQ to SQL Classes (O/R Designer)

How to: Assign Stored Procedures to Perform Updates, Inserts, and Deletes (O/R Designer)

Capítulos de livros em destaque

Chapter 17: LINQemProgramming Visual Basic 2008

Consulte também

Tarefas

Amostras do LINQ

Conceitos

Visão geral de LINQ to XML em Visual Basic

LINQ to DataSet Overview

DataContext Methods (O/R Designer)

Outros recursos

LINQ (consulta integrada à linguagem)

LINQ to SQL

Object Relational Designer (O/R Designer)