axios POST
request is hitting the url on the controller but setting null values to my POJO class, when I go through developer tools in chrome, the payload contains data. What am I doing wrong?
Axios POST Request:
var body = { userName: 'Fred', userEmail: '<a href="https://getridbug.com/cdn-cgi/l/email-protection" class="__cf_email__" data-cfemail="1c5a707572686f687372795c7b717d7570327f7371">[email protected]</a>' } axios({ method: 'post', url: '/addUser', data: body }) .then(function (response) { console.log(response); }) .catch(function (error) { console.log(error); });
Browser Response:
If I set headers as:
headers:{ Content-Type:'multipart/form-data' }
The request throws the error
Error in posting multipart/form-data. Content-Type header is missing boundary
If I make the same request in postman it’s working fine and sets values to my POJO class.
Can anyone explain how to set boundary or how can I send form data using axios.
Answers:
Thank you for visiting the Q&A section on Magenaut. Please note that all the answers may not help you solve the issue immediately. So please treat them as advisements. If you found the post helpful (or not), leave a comment & I’ll get back to you as soon as possible.
Method 1
You can post axios data by using FormData() like:
var bodyFormData = new FormData();
And then add the fields to the form you want to send:
bodyFormData.append('userName', 'Fred');
If you are uploading images, you may want to use .append
bodyFormData.append('image', imageFile);
And then you can use axios post method (You can amend it accordingly)
axios({
method: "post",
url: "myurl",
data: bodyFormData,
headers: { "Content-Type": "multipart/form-data" },
})
.then(function (response) {
//handle success
console.log(response);
})
.catch(function (response) {
//handle error
console.log(response);
});
Related GitHub issue:
Can’t get a .post with ‘Content-Type’: ‘multipart/form-data’ to work @ axios/axios
Method 2
In my case I had to add the boundary to the header like the following:
const form = new FormData();
form.append(item.name, fs.createReadStream(pathToFile));
const response = await axios({
method: 'post',
url: 'http://www.yourserver.com/upload',
data: form,
headers: {
'Content-Type': `multipart/form-data; boundary=${form._boundary}`,
},
});
This solution is also useful if you’re working with React Native.
Method 3
Check out querystring.
You can use it as follows:
var querystring = require('querystring'); axios.post('http://something.com/', querystring.stringify({ foo: 'bar' }));
Method 4
Upload (multiple) binary files
Node.js
Things become complicated when you want to post files via multipart/form-data
, especially multiple binary files. Below is a working example:
const FormData = require('form-data') const fs = require('fs') const path = require('path') const formData = new FormData() formData.append('files[]', JSON.stringify({ to: [{ phoneNumber: process.env.RINGCENTRAL_RECEIVER }] }), 'test.json') formData.append('files[]', fs.createReadStream(path.join(__dirname, 'test.png')), 'test.png') await rc.post('/restapi/v1.0/account/~/extension/~/fax', formData, { headers: formData.getHeaders() })
- Instead of
headers: {'Content-Type': 'multipart/form-data' }
I preferheaders: formData.getHeaders()
- I use
async
andawait
above, you can change them to plain Promise statements if you don’t like them - In order to add your own headers, you just
headers: { ...yourHeaders, ...formData.getHeaders() }
Newly added content below:
Browser
Browser’s FormData
is different from the NPM package ‘form-data’. The following code works for me in browser:
HTML:
<input type="file" id="image" accept="image/png"/>
JavaScript:
const formData = new FormData() // add a non-binary file formData.append('files[]', new Blob(['{"hello": "world"}'], { type: 'application/json' }), 'request.json') // add a binary file const element = document.getElementById('image') const file = element.files[0] formData.append('files[]', file, file.name) await rc.post('/restapi/v1.0/account/~/extension/~/fax', formData)
Method 5
2020 ES6 way of doing
Having the form in html I binded in data like so:
DATA:
form: { name: 'Joan Cap de porc', email: '<a href="https://getridbug.com/cdn-cgi/l/email-protection" class="__cf_email__" data-cfemail="086e69636d486d65696164266b6765">[email protected]</a>', phone: 2323, query: 'cap dou' file: null, legal: false },
onSubmit:
async submitForm() { const formData = new FormData() Object.keys(this.form).forEach((key) => { formData.append(key, this.form[key]) }) try { await this.$axios.post('/ajax/contact/contact-us', formData) this.$emit('formSent') } catch (err) { this.errors.push('form_error') } }
Method 6
Using application/x-www-form-urlencoded format in axios
By default, axios serializes JavaScript objects to JSON. To send data
in the application/x-www-form-urlencoded format instead, you can use
one of the following options.
Browser
In a browser, you can use the URLSearchParams API as follows:
const params = new URLSearchParams(); params.append('param1', 'value1'); params.append('param2', 'value2'); axios.post('/foo', params);
Note that URLSearchParams is not supported by all browsers (see caniuse.com), but there is a polyfill available (make sure to polyfill the global environment).
Alternatively, you can encode data using the qs library:
const qs = require('qs'); axios.post('/foo', qs.stringify({ 'bar': 123 }));
Or in another way (ES6),
import qs from 'qs'; const data = { 'bar': 123 }; const options = { method: 'POST', headers: { 'content-type': 'application/x-www-form-urlencoded' }, data: qs.stringify(data), url, }; axios(options);
Method 7
Even More straightforward:
axios.post('/addUser',{ userName: 'Fred', userEmail: '<a href="https://getridbug.com/cdn-cgi/l/email-protection" class="__cf_email__" data-cfemail="1452787d7a6067607b7a71547379757d783a777b79">[email protected]</a>' }) .then(function (response) { console.log(response); }) .catch(function (error) { console.log(error); });
Method 8
import axios from "axios"; import qs from "qs"; const url = "https://yourapplicationbaseurl/api/user/authenticate"; let data = { Email: "<a href="https://getridbug.com/cdn-cgi/l/email-protection" class="__cf_email__" data-cfemail="60140513141513051220070d01090c4e030f0d">[email protected]</a>", Password: "<a href="https://getridbug.com/cdn-cgi/l/email-protection" class="__cf_email__" data-cfemail="da9bbeb7b3b49aebe8e9">[email protected]</a>" }; let options = { method: "POST", headers: { "content-type": "application/x-www-form-urlencoded" }, data: qs.stringify(data), url }; axios(options) .then(res => { console.log("yeh we have", res.data); }) .catch(er => { console.log("no data sorry ", er); }); };
Method 9
I had the similar issues when using FormData with axios to make calls on https://apps.dev.microsoft.com service and it error-red out with “The request body must contain the following parameter: ‘grant_type’”
After reformatting the data from
{ grant_type: 'client_credentials', id: '123', secret: '456789' }
to
"grant_type=client_credentials&id=123&secret=456789"
and the following code worked:
const config: AxiosRequestConfig = { method: 'post', url: https://apps.dev.microsoft.com/auth, data: 'grant_type=client_credentials&id=123&secret=456789', headers: { 'Content-Type': 'application/x-www-form-urlencoded', } }; axios(config) .then(function (response) { console.log(JSON.stringify(response.data)); }) .catch(function (error) { console.log(error); });
Method 10
i needed to calculate the content length aswell
const formHeaders = form.getHeaders(); formHeaders["Content-Length"] = form.getLengthSync() const config = {headers: formHeaders} return axios.post(url, form, config) .then(res => { console.log(`form uploaded`) })
Method 11
I needed to upload many files at once using axios and I struggled for a while because of the FormData API:
// const instance = axios.create(config);
let fd = new FormData();
for (const img of images) { // images is an array of File Object
fd.append('images', img, img.name); // multiple upload
}
const response = await instance({
method: 'post',
url: '/upload/',
data: fd
})
I did NOT specify the content-type: multipart/form-data
header!
Method 12
The above method worked for me but since it was something I needed often, I used a basic method for flat object. Note, I was also using Vue and not REACT
packageData: (data) => { const form = new FormData() for ( const key in data ) { form.append(key, data[key]); } return form }
Which worked for me until I ran into more complex data structures with nested objects and files which then let to the following
packageData: (obj, form, namespace) => { for(const property in obj) { // if form is passed in through recursion assign otherwise create new const formData = form || new FormData() let formKey if(obj.hasOwnProperty(property)) { if(namespace) { formKey = namespace + '[' + property + ']'; } else { formKey = property; } // if the property is an object, but not a File, use recursion. if(typeof obj[property] === 'object' && !(obj[property] instanceof File)) { packageData(obj[property], formData, property); } else { // if it's a string or a File formData.append(formKey, obj[property]); } } } return formData; }
Method 13
In my case, the problem was that the format of the FormData append operation needed the additional “options” parameter filling in to define the filename thus:
var formData = new FormData(); formData.append(fieldName, fileBuffer, {filename: originalName});
I’m seeing a lot of complaints that axios is broken, but in fact the root cause is not using form-data properly. My versions are:
"axios": "^0.21.1", "form-data": "^3.0.0",
On the receiving end I am processing this with multer, and the original problem was that the file array was not being filled – I was always getting back a request with no files parsed from the stream.
In addition, it was necessary to pass the form-data header set in the axios request:
const response = await axios.post(getBackendURL() + '/api/Documents/' + userId + '/createDocument', formData, { headers: formData.getHeaders() });
My entire function looks like this:
async function uploadDocumentTransaction(userId, fileBuffer, fieldName, originalName) { var formData = new FormData(); formData.append(fieldName, fileBuffer, {filename: originalName}); try { const response = await axios.post( getBackendURL() + '/api/Documents/' + userId + '/createDocument', formData, { headers: formData.getHeaders() } ); return response; } catch (err) { // error handling } }
The value of the “fieldName” is not significant, unless you have some receiving end processing that needs it.
Method 14
https://www.npmjs.com/package/axios
Its Working
// “content-type”: “application/x-www-form-urlencoded”,
// commit this
import axios from 'axios'; let requestData = { username : "<a href="https://getridbug.com/cdn-cgi/l/email-protection" class="__cf_email__" data-cfemail="3657545576515b575f5a18555b">[email protected]</a>", password: "123456" }; const url = "Your Url Paste Here"; let options = { method: "POST", headers: { 'Content-type': 'application/json; charset=UTF-8', Authorization: 'Bearer ' + "your token Paste Here", }, data: JSON.stringify(requestData), url }; axios(options) .then(response => { console.log("K_____ res :- ", response); console.log("K_____ res status:- ", response.status); }) .catch(error => { console.log("K_____ error :- ", error); });
fetch request
fetch(url, { method: 'POST', body: JSON.stringify(requestPayload), headers: { 'Content-type': 'application/json; charset=UTF-8', Authorization: 'Bearer ' + token, }, }) // .then((response) => response.json()) . // commit out this part if response body is empty .then((json) => { console.log("response :- ", json); }).catch((error)=>{ console.log("Api call error ", error.message); alert(error.message); });
Method 15
transformRequest: [ function(data, headers) { headers["Content-Type"] = "application/json"; return JSON.stringify(data); } ]
try this, it works
Method 16
For me it worked using axios, typescript and form-data(v4.0.0):
import FormData from "form-data"; import axios from "axios"; async function login() { var data = new FormData(); data.append("User", "asdf"); const return = await axios.post( "https://ptsv2.com/t/1q9gx-1652805776/post", data, { headers: data.getHeaders() } ); console.log(return); }
Method 17
This should work well when needing to POST x-www-form-urlencoded data using axios from a NodeJS environment. You may need to add an Authorization header to the config.headers object if the endpoint requires authentication.
const config = { headers: { accept: 'application/json', 'cache-control': 'no-cache', 'content-type': 'application/x-www-form-urlencoded' } const params = new URLSearchParams({key1: value1, key2: value2}); return axios .post(url, params.toString(), config) .then((response) => { return response.data; }) .catch((error) => console.error(error));
All methods was sourced from stackoverflow.com or stackexchange.com, is licensed under cc by-sa 2.5, cc by-sa 3.0 and cc by-sa 4.0