ASP.NET MVC / C# - Null Coalescing Operator,Types

时间:2011-12-19 07:56:31

标签: c# asp.net-mvc null-coalescing-operator

我正在尝试在我的页面上创建分页。用户可以选择每页显示的项目数,然后首选大小将保存为cookie。但是当我尝试在querystring参数和cookie之间进行选择时,发生了错误:

    public ActionResult Index(string keyword, int? page, int? size)
    {
        keyword = keyword ?? "";
        page = page ?? 1;

        //Operator "??" cannot be applied to operands of type "int" and  "int"
        size = size ?? Convert.ToInt32(Request.Cookies.Get("StoriesPageSize").Value) ?? 10; 

导致此错误的原因是什么?如何解决?

2 个答案:

答案 0 :(得分:6)

Convert.ToInt32只返回int,而不是int? - 所以表达式的类型:

size ?? Convert.ToInt32(...)

的类型为int。您不能使用非可空值类型作为空合并运算符表达式的第一个操作数 - 它不可能为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;

答案 1 :(得分:1)

问题是第一个操作(size ?? Convert.ToInt32(Request.Cookies.Get("StoriesPageSize").Value))的结果是int。然后在这个int和另一个int之间使用Null Coalescing Operator,但由于int不能为null,它会失败。

如果左侧不能为null,则使用Null Coalescing Operator没有意义,因此编译器会给出错误。

关于如何修复它,你可以像这样重写它:

size = size ?? (Request.Cookies.Get("StoriesPageSize") != null ? Convert.ToInt32(Request.Cookies.Get("StoriesPageSize").Value) : 10);