在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();
            // 编写LINQ查询
            var query = from c in connection.GetTable<Customer>()
                        where c.age > 30 && c.city == "New York"
                        select c;
            // 执行查询并输出结果
            foreach (var customer in query)
            {
                Console.WriteLine($"ID: {customer.id}, Name: {customer.name}, Age: {customer.age}, City: {customer.city}");
            }
        }
    }
}
// 定义Customer类以匹配表结构
public class Customer
{
    public int id { get; set; }
    public string name { get; set; }
    public int age { get; set; }
    public string city { get; set; }
}
在这个示例中,我们使用了LINQ的from子句来指定要查询的表(通过connection.GetTable<Customer>()获取),并使用where子句来添加过滤条件。最后,我们使用select子句来选择要返回的字段。
请注意,你需要将your_connection_string_here替换为实际的数据库连接字符串。此外,你可能需要根据实际的表结构和字段类型调整Customer类的定义。