LINQ to SQL语句(14)之Null语义和DateTime

Null语义

说明:下面第一个例子说明查询ReportsToEmployee为null的雇员。第二个例子使用Nullable<T>.HasValue查询雇员,其结果与第一个例子相同。在第三个例子中,使用Nullable<T>.Value来返回ReportsToEmployee不为null的雇员的ReportsTo的值。函数

1.Null

查找不隶属于另外一个雇员的全部雇员:spa

var q =
    from e in db.Employees
    where e.ReportsToEmployee == null
    select e;

2.Nullable<T>.HasValue

查找不隶属于另外一个雇员的全部雇员:code

var q =
    from e in db.Employees
    where !e.ReportsTo.HasValue
    select e;

3.Nullable<T>.Value

返回前者的EmployeeID 编号。请注意.Value 为可选:blog

var q =
    from e in db.Employees
    where e.ReportsTo.HasValue
    select new
    {
        e.FirstName,
        e.LastName,
        ReportsTo = e.ReportsTo.Value
    };

 

日期函数

LINQ to SQL支持如下DateTime方法。可是,SQL Server和CLR的DateTime类型在范围和计时周期精度上不一样,以下表。ci

类型table

最小值ast

最大值class

计时周期select

System.DateTime方法

0001 年 1 月 1 日

9999 年 12 月 31 日

100 毫微秒(0.0000001 秒)

T-SQL DateTime

1753 年 1 月 1 日

9999 年 12 月 31 日

3.33… 毫秒(0.0033333 秒)

T-SQL SmallDateTime

1900 年 1 月 1 日

2079 年 6 月 6 日

1 分钟(60 秒)

 

CLR DateTime 类型与SQL Server类型相比,前者范围更大、精度更高。所以来自SQL Server的数据用CLR类型表示时,毫不会损失量值或精度。但若是反过来的话,则范围可能会减少,精度可能会下降;SQL Server日期不存在TimeZone概念,而在CLR中支持这个功能。 咱们在LINQ to SQL查询使用以当地时间、UTC 或固定时间要本身执行转换。

下面用三个实例说明一下。

1.DateTime.Year

var q =
    from o in db.Orders
    where o.OrderDate.Value.Year == 1997
    select o;

语句描述:这个例子使用DateTime 的Year 属性查找1997 年下的订单。

2.DateTime.Month

var q =
    from o in db.Orders
    where o.OrderDate.Value.Month == 12
    select o;

语句描述:这个例子使用DateTime的Month属性查找十二月下的订单。

3.DateTime.Day

var q =
    from o in db.Orders
    where o.OrderDate.Value.Day == 31
    select o;

语句描述:这个例子使用DateTime的Day属性查找某月 31 日下的订单。