1

这是我在 ASP.NET MVC (MVC3) 中的第一个项目,我在处理所有事情时遇到了很多麻烦。根据选择的语言,我在页面中的所有文本都将从数据库中选择。对于这种语言选择,我更喜欢使用 Session 变量。我需要一个语言的图像链接,所以我将以下行写入 .cshtml 页面。

@using (Html.BeginForm()) {
    <a href='<%: Url.Action("Index", "Home", new { lang="Tr" }) %>'>
        <img src="../../Content/Images/flag_tr.jpg" width="40" height="20" />
    </a>
    <a href='<%: Url.Action("Index", "Home", new { lang = "En" }) %>'>
        <img src="../../Content/Images/flag_en.jpg" width="40" height="20" />
    </a>
}

HomeController中:

    public ActionResult Index()

        ViewBag.Message = "Welcome to ASP.NET MVC!";
        ViewBag.Selected = "Not yet selected";
        return View();
    }

    [HttpPost]
    public ActionResult Index(String lang)
    {
        if (lang == "Tr")
        {
            System.Web.HttpContext.Current.Session["Language"] = "Tr";
        }
        else if (lang == "En")
        {
            System.Web.HttpContext.Current.Session["Language"] = "En";
        }
        ViewBag.Selected = System.Web.HttpContext.Current.Session["Language"];
        return View();
    }

当我单击标志链接时,我得到“HTTP 错误 400 - 错误请求”。谁能告诉我我做错了什么,或者我应该怎么做?

PS:我也试过不使用Form,在Controller中添加一个名为Lang的新函数并从那里重定向到Index,但没有成功。

4

2 回答 2

1

您似乎正在混合使用 Razor 和 WebForms 语法。当您在页面上“查看源代码”时,我相信您不会在锚点中看到正确的 URL:

<a href='<%: Url.Action("Index", "Home", new { lang="Tr" }) %>'>

应该:

<a href='@Url.Action("Index", "Home", new { lang="Tr" })'>

另外,请注意,即使在表单中,锚也会导致 HTTPGET,因此您需要使用 JavaScript 覆盖它们的行为或将lang检查添加到控制器操作的 HTTPGET 版本。尝试这样的事情,将您的两个控制器操作合二为一:

public ActionResult Index(string lang)
{
    if (lang == "Tr")
    {
        System.Web.HttpContext.Current.Session["Language"] = "Tr";
    }
    else if (lang == "En")
    {
        System.Web.HttpContext.Current.Session["Language"] = "En";
    }

    ViewBag.Message = "Welcome to ASP.NET MVC!";
    ViewBag.Selected = System.Web.HttpContext.Current.Session["Language"] ?? "Not yet selected";
    return View();
}

如果你不使用[HttpGet]or来装饰它[HttpPost],那么任何 HTTP 动词都会被映射到这个动作。

于 2012-12-03T05:07:10.493 回答
-1

如果我没记错的话,你的 HomeController 类名是HomeController

<a href='<%: Url.Action("Index", "HomeController", new { lang="Tr" }) %>'>
    <img src="../../Content/Images/flag_tr.jpg" width="40" height="20" />
</a>

因此,当您在 Url.Action 中指定 Controller 时,它应该只是Home而不是HomeController

因此,您的代码将如下所示:

@using (Html.BeginForm()) {
    <a href='<%: Url.Action("Index", "Home", new { lang="Tr" }) %>'>
        <img src="../../Content/Images/flag_tr.jpg" width="40" height="20" />
    </a>
    <a href='<%: Url.Action("Index", "Home", new { lang = "En" }) %>'>
        <img src="../../Content/Images/flag_en.jpg" width="40" height="20" />
    </a>
}

让我知道这是否适合您,或者您需要更多说明。谢谢

于 2012-12-03T04:43:14.843 回答