我正在尝试将浏览器定向到不同的页面。如果我想要一个 GET 请求,我可能会说
document.location.href = 'http://example.com/q=a';
但是除非我使用 POST 请求,否则我尝试访问的资源将无法正确响应。如果这不是动态生成的,我可能会使用 HTML
<form action="http://example.com/" method="POST"> <input type="hidden" name="q" value="a"> </form>
然后我只需从 DOM 提交表单。
但我真的想要让我说的 JavaScript 代码
post_to_url('http://example.com/', {'q':'a'});
什么是最好的跨浏览器实现?
/** * 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(); }
例子:
post('/contact/', {name: 'Johnny Bravo'});
编辑:由于这已经得到了如此多的支持,我猜人们会复制粘贴很多。所以我添加了hasOwnProperty检查以修复任何无意的错误。
hasOwnProperty