Requête POST en JavaScript comme soumission de formulaire
Cherchant à rediriger un navigateur vers une page différente, une requête GET peut être utilisée, comme dans l'exemple ci-dessous :
document.location.href = 'http://example.com/q=a';
Cependant, pour les ressources qui nécessitent une requête POST, une approche différente est nécessaire. Le HTML peut être utilisé pour les soumissions statiques, comme indiqué :
<form action="http://example.com/" method="POST"> <input type="hidden" name="q" value="a"> </form>
D'un autre côté, une solution JavaScript est préférable pour les soumissions dynamiques :
post_to_url('http://example.com/', {'q':'a'});
La compatibilité entre navigateurs nécessite une analyse complète mise en œuvre. Le code suivant fournit une solution simple :
/** * sends a request to the specified url from a form. this will change the window location. * @param {string} path the path to send the post request to * @param {object} params the parameters to add to the url * @param {string} [method=post] the method to use on the form */ function post(path, params, method='post') { // The rest of this code assumes you are not using a library. // It can be made less verbose if you use one. const form = document.createElement('form'); form.method = method; form.action = path; for (const key in params) { if (params.hasOwnProperty(key)) { const hiddenField = document.createElement('input'); hiddenField.type = 'hidden'; hiddenField.name = key; hiddenField.value = params[key]; form.appendChild(hiddenField); } } document.body.appendChild(form); form.submit(); }
Exemple d'utilisation :
post('/contact/', {name: 'Johnny Bravo'});
Cette méthode garantit que l'emplacement du navigateur change, simulant la soumission d'un formulaire. Notez que la vérification hasOwnProperty a été ajoutée pour éviter les bugs accidentels.
Ce qui précède est le contenu détaillé de. pour plus d'informations, suivez d'autres articles connexes sur le site Web de PHP en chinois!