我编写了一个简单的SessionItem管理类来处理所有那些讨厌的空检查,如果不存在则插入一个默认值.这是我的GetItem方法:
public static T GetItem(string key, Func defaultValue) { if (HttpContext.Current.Session[key] == null) { HttpContext.Current.Session[key] = defaultValue.Invoke(); } return (T)HttpContext.Current.Session[key]; }
现在,我如何实际使用它,将Func
由于这是一个函数,lambda将是最简单的方法:
Foo foo = GetItem("abc", () => new Foo("blah"));
其中[new Foo("blah")]是作为默认调用的func.
您还可以简化为:
return ((T)HttpContext.Current.Session[key]) ?? defaultValue();
哪里?? 是null-coalescing运算符 - 如果第一个arg是非null,则返回它; 否则会评估并返回右手(因此除非该项为null,否则不会调用defaultValue()).
最后,如果您只想使用默认构造函数,那么您可以添加"new()"约束:
public static T GetItem(string key) where T : new() { return ((T)HttpContext.Current.Session[key]) ?? new T(); }
这仍然是懒惰的 - 仅当项目为null时才使用new().