检查c#中的可为Null的Guid是否为空
本文关键字:Guid 是否 Null 检查 | 更新日期: 2023-09-27 18:22:38
引用这个问题的答案。
Guid是一个值类型,因此类型为Guid的变量对于从开始。
如果我看到这个怎么办?
public Nullable<System.Guid> SomeProperty { get; set; }
我应该如何检查这是否为空?像这样?
(SomeProperty == null)
还是像这样?
(SomeProperty == Guid.Empty)
如果你想确定你需要检查两个
SomeProperty == null || SomeProperty == Guid.Empty
因为它可以是null"Nullable",也可以是一个空GUID,类似于{00000000-0000-0000-0000-000000000}
SomeProperty.HasValue我认为这正是您想要的
请参阅DevDave或Sir l33tname的回答。
EDIT:顺便说一句,你可以写System.Guid?
而不是Nullable<System.Guid>
;)
Guid
,HasValue
将返回true。
bool validGuid = SomeProperty.HasValue && SomeProperty != Guid.Empty;
检查Nullable<T>.HasValue
if(!SomeProperty.HasValue ||SomeProperty.Value == Guid.Empty)
{
//not valid GUID
}
else
{
//Valid GUID
}
您应该使用HasValue
属性:
SomeProperty.HasValue
例如:
if (SomeProperty.HasValue)
{
// Do Something
}
else
{
// Do Something Else
}
FYI
public Nullable<System.Guid> SomeProperty { get; set; }
相当于:
public System.Guid? SomeProperty { get; set; }
MSDN参考资料:http://msdn.microsoft.com/en-us/library/sksw8094.aspx
从C#7.1开始,当编译器可以推断表达式类型时,可以使用默认文字来生成类型的默认值。
Console.Writeline(default(Guid));
// ouptut: 00000000-0000-0000-0000-000000000000
Console.WriteLine(default(int)); // output: 0
Console.WriteLine(default(object) is null); // output: True
https://learn.microsoft.com/en-us/dotnet/csharp/language-reference/operators/default-
您可以创建一个扩展方法来验证GUID。
public static class Validate
{
public static void HasValue(this Guid identity)
{
if (identity == null || identity == Guid.Empty)
throw new Exception("The GUID needs a value");
}
}
并使用扩展
public static void Test()
{
var newguid = Guid.NewGuid();
newguid.HasValue();
}