在LINQ中,你可以使用SQL类似的语法来查询数据。以下是一个简单的示例,展示了如何在C#中使用LINQ查询数据库中的数据。
首先,假设你有一个名为customers的表,其结构如下:
CREATE TABLE customers (
    id INT PRIMARY KEY,
    name VARCHAR(255),
    age INT,
    city VARCHAR(255)
);
然后,你可以使用以下C#代码来查询这个表中的数据:
using System;
using System.Linq;
using System.Data.SqlClient;
class Program
{
    static void Main()
    {
        // 连接到数据库
        string connectionString = "your_connection_string_here";
        using (SqlConnection connection = new SqlConnection(connectionString))
        {
            connection.Open();
            // 执行SQL查询并转换为LINQ查询
            string sqlQuery = "SELECT * FROM customers WHERE age > 30";
            var customers = connection.Query(sqlQuery).ToList();
            // 输出查询结果
            foreach (var customer in customers)
            {
                Console.WriteLine($"ID: {customer.id}, Name: {customer.name}, Age: {customer.age}, City: {customer.city}");
            }
        }
    }
}
在这个示例中,我们首先连接到数据库,然后执行一个SQL查询来获取年龄大于30的所有客户。接着,我们使用connection.Query()方法将SQL查询转换为LINQ查询,并将结果存储在customers变量中。最后,我们遍历并输出查询结果。
需要注意的是,connection.Query()方法返回的是一个IEnumerable<dynamic>类型的集合,因此我们可以直接使用动态类型来访问查询结果的属性。如果你希望获得强类型的查询结果,你可以定义一个与数据库表结构相匹配的类,并使用Select()方法将查询结果转换为这个类的实例。
例如:
// 定义与数据库表结构相匹配的类
public class Customer
{
    public int Id { get; set; }
    public string Name { get; set; }
    public int Age { get; set; }
    public string City { get; set; }
}
// 将查询结果转换为强类型的集合
var customers = connection.Query<Customer>(sqlQuery).ToList();