반응형
제출하기 전에 POST 매개 변수 추가
나는이 간단한 형태를 가지고있다 :
<form id="commentForm" method="POST" action="api/comment">
<input type="text" name="name" title="Your name"/>
<textarea cols="40" rows="10" name="comment" title="Enter a comment">
</textarea>
<input type="submit" value="Post"/>
<input type="reset" value="Reset"/>
</form>
서버로 보내기 전에 두 개의 POST 매개 변수를 추가해야합니다.
var params = [
{
name: "url",
value: window.location.pathname
},
{
name: "time",
value: new Date().getTime()
}
];
양식을 수정하지 마십시오.
Jquery를 사용하여 추가하려면 :
$('#commentForm').submit(function(){ //listen for submit event
$.each(params, function(i,param){
$('<input />').attr('type', 'hidden')
.attr('name', param.name)
.attr('value', param.value)
.appendTo('#commentForm');
});
return true;
});
이전 답변은 짧아 지고 더 읽기 쉽습니다 .
$('#commentForm').submit(function () {
$(this).append($.map(params, function (param) {
return $('<input>', {
type: 'hidden',
name: param.name,
value: param.value
})
}))
});
양식을 수정하지 않고 매개 변수를 추가하려면 양식을 직렬화하고 매개 변수를 추가 한 다음 AJAX와 함께 보내야합니다.
var formData = $("#commentForm").serializeArray();
formData.push({name: "url", value: window.location.pathname});
formData.push({name: "time", value: new Date().getTime()});
$.post("api/comment", formData, function(data) {
// request has finished, check for errors
// and then for example redirect to another page
});
.serializeArray()
및 $.post()
문서를 참조하십시오 .
jQuery없이이 작업을 수행 할 수 있습니다.
var form=document.getElementById('form-id');//retrieve the form as a DOM element
var input = document.createElement('input');//prepare a new input DOM element
input.setAttribute('name', inputName);//set the param name
input.setAttribute('value', inputValue);//set the value
input.setAttribute('type', inputType)//set the type
form.appendChild(input);//append the input to the form
form.submit();//send with added input
form.serializeArray ()를 수행 한 다음 게시하기 전에 이름-값 쌍을 추가 할 수 있습니다.
var form = $(this).closest('form');
form = form.serializeArray();
form = form.concat([
{name: "customer_id", value: window.username},
{name: "post_action", value: "Update Information"}
]);
$.post('/change-user-details', form, function(d) {
if (d.error) {
alert("There was a problem updating your user details")
}
});
순수 자바 스크립트 :
XMLHttpRequest 만들기 :
function getHTTPObject() {
/* Crea el objeto AJAX. Esta funcion es generica para cualquier utilidad de este tipo,
por lo que se puede copiar tal como esta aqui */
var xmlhttp = false;
/* No mas soporte para Internet Explorer
try { // Creacion del objeto AJAX para navegadores no IE
xmlhttp = new ActiveXObject("Msxml2.XMLHTTP");
} catch(nIE) {
try { // Creacion del objet AJAX para IE
xmlhttp = new ActiveXObject("Microsoft.XMLHTTP");
} catch(IE) {
if (!xmlhttp && typeof XMLHttpRequest!='undefined')
xmlhttp = new XMLHttpRequest();
}
}
*/
xmlhttp = new XMLHttpRequest();
return xmlhttp;
}
POST를 통해 정보를 보내는 JavaScript 기능 :
function sendInfo() {
var URL = "somepage.html"; //depends on you
var Params = encodeURI("var1="+val1+"var2="+val2+"var3="+val3);
console.log(Params);
var ajax = getHTTPObject();
ajax.open("POST", URL, true); //True:Sync - False:ASync
ajax.setRequestHeader('Content-type', 'application/x-www-form-urlencoded');
ajax.setRequestHeader("Content-length", Params.length);
ajax.setRequestHeader("Connection", "close");
ajax.onreadystatechange = function() {
if (ajax.readyState == 4 && ajax.status == 200) {
alert(ajax.responseText);
}
}
ajax.send(Params);
}
아약스 호출을 할 수 있습니다.
이렇게하면 ajax 'data :'매개 변수를 통해 POST 배열을 직접 채울 수 있습니다.
var params = {
url: window.location.pathname,
time: new Date().getTime(),
};
$.ajax({
method: "POST",
url: "your/script.php",
data: params
});
참고URL : https://stackoverflow.com/questions/993834/adding-post-parameters-before-submit
반응형
'Programing' 카테고리의 다른 글
Xcode의 "불완전한 구현"경고 (0) | 2020.11.24 |
---|---|
Babel 명령을 찾을 수 없습니다. (0) | 2020.11.24 |
Mac OS X Lion에 Python 라이브러리 'gevent'를 설치하려면 어떻게해야합니까? (0) | 2020.11.23 |
JavaScript에서 정수 자르기 / 반올림? (0) | 2020.11.23 |
AttributeError : '모듈'개체에 'urlretrieve'속성이 없습니다. (0) | 2020.11.23 |