web-dev-qa-db-ja.com

JavaScript配列をAJAXでasp.net MVCコントローラーに送信

私のコントローラー:

[HttpPost]
public ActionResult AddUsers(int projectId, int[] useraccountIds)
{
    ...
}

AJAX経由でコントローラーにパラメーターを投稿したいと思います。 int projectIdを渡すことは問題ではありませんが、int[]を投稿することはできません。

私のJavaScriptコード:

function sendForm(projectId, target) {
    $.ajax({
        traditional: true,
        url: target,
        type: "POST",
        data: { projectId: projectId, useraccountIds: new Array(1, 2, 3) },
        success: ajaxOnSuccess,
        error: function (jqXHR, exception) {
            alert('Error message.');
        }
    });
}

テスト配列で試しましたが、成功しませんでした。 :(また、traditional: true、またはcontentType: 'application/json; charset=utf-8'を設定しようとしましたが、成功しませんでした...

コントローラーに投稿されたint[] useraccountIdsは常にnullです。

21
mosquito87

ビューモデルを定義できます。

public class AddUserViewModel
{
    public int ProjectId { get; set; }
    public int[] userAccountIds { get; set; }
}

次に、コントローラーアクションを調整して、このビューモデルをパラメーターとして取得します。

[HttpPost]
public ActionResult AddUsers(AddUserViewModel model)
{
    ...
}

そして最後にそれを呼び出します:

function sendForm(projectId, target) {
    $.ajax({
        url: target,
        type: 'POST',
        contentType: 'application/json',
        data: JSON.stringify({ 
            projectId: projectId, 
            userAccountIds: [1, 2, 3] 
        }),
        success: ajaxOnSuccess,
        error: function (jqXHR, exception) {
            alert('Error message.');
        }
    });
}
36
Darin Dimitrov

JSの場合:

var myArray = new Array();
myArray.Push(2);
myArray.Push(3);
$.ajax({
            type: "POST",
            url: '/MyController/MyAction',
            data: { 'myArray': myArray.join() },
            success: refreshPage
        });

MVC/C#の場合:

public PartialViewResult MyAction(string myArray)
{
   var myArrayInt = myArray.Split(',').Select(x=>Int32.Parse(x)).ToArray();
   //My Action Code Here
}
16
Denis Besic

$ .Ajax()を使用すると、JavaScriptからMVCのコントローラーにデータを簡単に取得できます。

など、

var uname = 'John Doe';

$.ajax({

        url: "/Main/getRequestID",  // This is path of your Controller with Action Result.
        dataType: "json",           // Data Type for sending the data

        data: {                     // Data that will be passed to Controller
            'my_name': uname,     // assign data like key-value pair       
             // 'my_name'  like fields in quote is same with parameter in action Result
        },

        type: "POST",               // Type of Request
        contentType: "application/json; charset=utf-8", //Optional to specify Content Type.

        success: function (data) { // This function is executed when this request is succeed.
                alert(data);
        },

        error: function (data) {
                alert("Error");   // This function is executed when error occurred.
        }
)};

次に、コントローラー側で、

public ActionResult getRequestID(String my_name)
{

    MYDBModel myTable = new Models.MYDBModel();
    myTable.FBUserName = my_name;
    db.MYDBModel.Add(myTable);
    db.SaveChanges();              // db object of our DbContext.cs
    //return RedirectToAction(“Index”);   // After that you can redirect to some pages…
    return Json(true, JsonRequestBehavior.AllowGet);    // Or you can get that data back after inserting into database.. This json displays all the details to our view as well.
}

参照。 Java MVCのコントローラーへのスクリプト)からデータを送信

2

配列をmvcエンジンに渡す場合は、入力を複数回送信します。コードを次のように変更します。

function sendForm(projectId, target) {
var useraccountIds = new Array(1, 2, 3);
var data = { projectId: projectId };
for (var i = 0; i < useraccountIds.length; i++) {
  $.extend(true, data, {useraccountIds: useraccountIds[i]});
}
$.ajax({
    traditional: true,
    url: target,
    type: "POST",
    data: data,
    success: ajaxOnSuccess,
    error: function (jqXHR, exception) {
        alert('Error message.');
    }
});

}

1
Rabolf

クラスにserializable属性を設定します。その後、C#クラスに渡すJavaScriptオブジェクトを変換しようとします。

jSの場合:

{
   ProjectId = 0, 
   userAccountIds = []
}

// C#
[Serializable] 
public class AddUserViewModel
{
    public int ProjectId { get; set; }
    public int[] userAccountIds { get; set; }
}
0
marko

Ajaxリクエスト(Post/Get)にプロパティtraditionalがtrueに設定されていることを指定しないと機能しません。詳細については、こちらを参照してください question .

0
Mostafa