Convert.ToInt32
只返回int
,而不是int?
- 所以表达式的类型:
size ?? Convert.ToInt32(...)
是类型int
。您不能将不可为空的值类型用作 null 合并运算符表达式的第一个操作数 - 它不可能为 null,因此永远不可能使用第二个操作数(在本例中为 10)。
如果您尝试使用StoriesPageSize
cookie,但您不知道它是否存在,您可以使用:
public ActionResult Index(string keyword, int? page, int? size)
{
keyword = keyword ?? "";
page = page ?? 1;
size = size ?? GetSizeFromCookie() ?? 10;
}
private int? GetSizeFromCookie()
{
string cookieValue = Request.Cookies.Get("StoriesPageSize").Value;
if (cookieValue == null)
{
return null;
}
int size;
if (int.TryParse(cookieValue, CultureInfo.InvariantCulture, out size))
{
return size;
}
// Couldn't parse...
return null;
}
如评论中所述,您可以编写一个扩展方法以使其更普遍可用:
public static int? GetInt32OrNull(this CookieCollection cookies, string name)
{
if (cookies == null)
{
throw ArgumentNullException("cookies");
}
if (name == null)
{
throw ArgumentNullException("name");
}
string cookieValue = cookies.Get(name).Value;
if (cookieValue == null)
{
return null;
}
int size;
if (int.TryParse(cookieValue, CultureInfo.InvariantCulture, out size))
{
return size;
}
// Couldn't parse...
return null;
}
请注意,我已更改代码以使用不变文化 - 在不变文化中传播 cookie 中的信息是有意义的,因为它并不真正意味着用户可见或文化敏感。您应该确保也使用不变的文化来保存cookie。
无论如何,使用适当的扩展方法(在静态非泛型顶级类中),您可以使用:
size = size ?? Request.Cookies.GetInt32OrNull("StoriesPageSize") ?? 10;