web-dev-qa-db-ja.com

ページをリロードせずにフォームを送信

JavaScriptに組み込まれた関数があり、フォーム送信がヒットした後に実行したい。基本的に、ページの外観を完全に変更します。ただし、JavaScriptを使用するには、検索ボックスの変数が必要です。現時点では、ページをリロードするため、点滅してそこにあったものをリセットします。

そのため、関数にreturn falseを設定して、それを行わないようにしますが、必要な変数はフォームから送信されません。私はそれを得るために何をすべきかについてのアイデアはありますか? updateTable()関数が機能し、ページのリセットでリセットされない限り、ページを更新してもかまいません。

<form action="" method="get" onsubmit="return updateTable();">
  <input name="search" type="text">
  <input type="submit" value="Search" >
</form>

これはupdateTable関数です:

function updateTable() { 
  var photoViewer = document.getElementById('photoViewer');
  var photo = document.getElementById('photo1').href;
  var numOfPics = 5;
  var columns = 3; 
  var rows = Math.ceil(numOfPics/columns);
  var content="";
  var count=0;

  content = "<table class='photoViewer' id='photoViewer'>";
  for (r = 0; r < rows; r++) {
    content +="<tr>";
    for (c = 0; c < columns; c++) {
      count++;
      if(count == numOfPics) break; // check if number of cells is equal number of pictures to stop
      content +="<td><a href='"+photo+"' id='photo1'><img class='photo' src='"+photo+"' alt='Photo'></a><p>City View</p></td>";
    }
    content +="</tr>";
  }
  content += "</table>";
  photoViewer.innerHTML = content;
}
23
Butterflycode

通常の方法でフォームを使用してこれを行うことはできません。代わりに、AJAXを使用します。

データを送信し、ページの応答を警告するサンプル関数。

function submitForm() {
    var http = new XMLHttpRequest();
    http.open("POST", "<<whereverTheFormIsGoing>>", true);
    http.setRequestHeader("Content-type","application/x-www-form-urlencoded");
    var params = "search=" + <<get search value>>; // probably use document.getElementById(...).value
    http.send(params);
    http.onload = function() {
        alert(http.responseText);
    }
}
32
Matt Bryant

次のように、jQueryシリアル化関数をget/postとともに使用できます。

$.get('server.php?' + $('#theForm').serialize())

$.post('server.php', $('#theform').serialize())

jQuery Serializeドキュメント: http://api.jquery.com/serialize/

シンプルAJAX jQueryを使用して送信:

// this is the id of the submit button
$("#submitButtonId").click(function() {

    var url = "path/to/your/script.php"; // the script where you handle the form input.

    $.ajax({
           type: "POST",
           url: url,
           data: $("#idForm").serialize(), // serializes the form's elements.
           success: function(data)
           {
               alert(data); // show response from the php script.
           }
         });

    return false; // avoid to execute the actual submit of the form.
});
29
Ahsan Shah