Send Data With Jquery To An Mvc Controller
I have an ASP.NET MVC3 app and when the user clicks on my anchor tag, I want to send 3 pieces of data to an action: var $whatIsClicked = $('#whatIsClicked');
// .live persists on the page even after other ajax calls// So when the thing is clicked
$whatIsClicked.live('click', function() {
// Grab the information needed to updatevar theId = $('#whatever-the-id-is').val(); //Or it could be .text()var theFilename = $('#whatever-the-filename').val();
var theDescript = $('#whatever-the-description').val();
// Let's edit the description!
$.ajax({
type: "POST",
url: "OrderDetail/_EditDescription", // the method we are callingcontentType: "application/json; charset=utf-8",
data: {id: theId, filename: theFilename, description: theDescript},
dataType: "json",
success: function (result) {
alert('Yay! It worked!');
// Or if you are returning somethingalert('I returned... ' + result.WhateverIsReturning);
},
error: function (result) {
alert('Oh no :(');
}
});
});
</script>
Even though it will still work, make sure you change your Controller method to:
[HttpPost]
public ActionResult _EditDescription(string id, string filename, string descritpion)
Solution 2:
Solution 3:
Declare your action as a POST
[HttpPost]
public ActionResult _EditDescription(string docId, string filename, string description)
Create an invisible HTML form:
<form action="@Url.Content("~/OrderDetail/_EditDescription/")" method="post" name="editDescriptionForm">
<inputtype="hidden" name="docId" />
<inputtype="hidden" name="fileName" />
<inputtype="hidden" name="description" />
</form>
Fill out the form and submit it with JS:
functioneditDescription(docId, fileName, description) {
document.editDescriptionForm.docId = docId;
...
document.editDescriptionForm.submit();
}
Post a Comment for "Send Data With Jquery To An Mvc Controller"