MVC控制器方法参数始终为空

时间:2013-02-03 16:39:52

标签: c# javascript asp.net-mvc-4

我的javascript函数正在调用我的MVC 4控制器,但参数始终为null。这似乎是一个常见的问题,我尝试了一些我研究过的东西,但没有任何工作。知道为什么它总是空的吗?

我的javascript GetEntries()函数正确创建了一个显示值的警告:

function GetEntries(firstLetter) {
    alert(firstLetter);
    $.post('/Home/GetEntries',
           firstLetter,
           EntriesReceived());
}

我的控制器方法断点被点击:

public void GetEntries(string firstLetter)
{
    Debug.WriteLine(firstLetter);
}

但是,firstLetter始终为null。我不知道该怎么做。

尝试失败:

我尝试使用JSON.stringify发布。

function GetEntries(firstLetter) {
    alert(firstLetter);
    var firstLetterAsJson = JSON.stringify(firstLetter);
    $.post('/Home/GetEntries',
           { jsonData: firstLetterAsJson },
            EntriesReceived());
}

我尝试将HttpPost属性添加到我的控制器:

[HttpPost]
public void GetEntries(string firstLetter)
{
    Debug.WriteLine(firstLetter);
}

我尝试将参数名称更改为“id”以匹配我的路线映射:

[HttpPost]
public void GetEntries(string id)
{
    Debug.WriteLine(id);
}

1 个答案:

答案 0 :(得分:4)

以下内容应该有效

function GetEntries(firstLetter) {
    $.post('/Home/GetEntries', { firstLetter: firstLetter }, EntriesReceived);
}

还要注意EntriesReceived回调如何作为第三个参数传递给$.post函数。在您的代码中,您似乎在调用函数(EntriesReceived())而不是将其作为回调传递。这里我假设这个函数定义如下:

function EntriesReceived(result) {
    // handle the result of the AJAX call here
}

如果您想将其作为JSON请求发送,您应该使用$ .ajax方法,该方法允许您指定正确的请求内容类型:

function GetEntries(firstLetter) {
    $.ajax({
        url: '/Home/GetEntries',
        type: 'POST',
        contentType: 'application/json; charset=utf-8',
        data: JSON.stringify({ firstLetter: firstLetter }),
        success: function(result) {
            // handle the result of the AJAX call here
        }
    });
}

我在控制器操作中看到的另一个问题是您将其定义为void。在ASP.NET MVC中,常见的建议约定是所有控制器操作都必须返回ActionResult类的实例。但是如果你不想向客户端返回任何内容,那么在这种情况下使用特定的ActionResult - EmptyResult:

[HttpPost]
public ActionResult GetEntries(string firstLetter)
{
    Debug.WriteLine(firstLetter);
    return new EmptyResult();
}