0

运行时出现 id 空错误。这是我所有的部分。

这是我的 DAL,ProjectDB

 public static List<Product> IsOrganic(int lotid)
    {
        using (var db = new ProductDB())
        {   //Selects from database in SQL what we need
            //IsDamaged is Organic, and bool for true/false for food
            DbCommand cmd = db.GetSqlStringCommand("SELECT * FROM PRODUCTS WHERE ORGANIC = 1");


            return FillList(db.ExecuteDataSet(cmd));
        }
    }

这是我的经理

public List<Product> IsOrganic(int lotid)
    {


        return ProductDB.IsOrganic(lotid);


    }

这是我的控制器

 public ActionResult Organic(int id)//Store/Organic
    {
        ProductManager mgr = new ProductManager();

        var list = mgr.IsOrganic(id);

        return View(list);
    }

另外,这是我的全球

  public static void RegisterRoutes(RouteCollection routes)
    {
        routes.IgnoreRoute("{resource}.axd/{*pathInfo}");

        routes.MapRoute(
            "Default", // Route name
            "{controller}/{action}/{id}", // URL with parameters
            new { controller = "Home", action = "Index", id = UrlParameter.Optional } // Parameter defaults
        );
4

1 回答 1

3

如果您使用的是 C# 4,请使用可选参数的默认值

public ActionResult Organic(int id = 0)//Store/Organic
{
    ProductManager mgr = new ProductManager();

    var list = mgr.IsOrganic(id);

    return View(list);
}

如果仅 C# 3,则使用 DefaultValue 属性作为可选参数

public ActionResult Organic(
      [System.ComponentModel.DefaultValue(0)] int id) //Store/Organic
{
    ProductManager mgr = new ProductManager();

    var list = mgr.IsOrganic(id);

    return View(list);
}

但我想知道你为什么这样调用 Organic 方法,即没有参数。

如果您想测试 StoreController 的 Organic 操作是否有效,请在 url 中输入:

http://localhost/Store/Organic/7

或这个:

http://localhost/Store/Organic?id=7

如果您为 StoreController 的 Organic 操作的参数 id 使用自定义名称,请说 organicId:

public ActionResult Organic(int organicId = 0) //Store/Organic?organicId=7
{
    ProductManager mgr = new ProductManager();

    var list = mgr.IsOrganic(id);

    return View(list);
}

,这个网址不起作用:http://localhost/Store/Organic/7

,不会出现运行时错误,但不会将有机ID 值传递给值,因此其值始终为 0

,你必须改用这个:http://localhost/Store/Organic?organicId=7

顺便问一下,运行时错误从何而来?点击链接后?尝试将鼠标悬停在该链接上并查看浏览器的状态栏,您的 URL 必须符合: http://localhost/Store/Organic/7http://localhost/Store/Organic?id=7

如果看起来不是这样,请将您的 ActionLink 更改为:

@Html.ActionLink("Store", "Organic", new {id = 7})

或者如果您使用的是纯 HTML:

<a href="Store/Organic/7">

或这个:

<a href="Store/Organic?id=7">
于 2012-04-25T00:42:05.657 回答