我需要将react本机应用程序中的图像文件输出到预先配置的s3上传URL。我看到了一个带有fetch的示例,它通过路径将图像上传为二进制文件,但它是以多部分表单形式上传的。因为s3上传网址只能将其作为正文中的原始二进制文件 - 而不是多部分的内容类型,所以将原始二进制图像作为主体使用fetch或其他任何库中的原始二进制图像的语法是什么?
以下代码将其上传为表单数据 - 这不是我想要做的。
var photo = {
uri: response.uri,
name: fileName,
};
const body = new FormData(); // how can I do this not as a form?
body.append('photo', photo);
const results = await fetch('https://somes3uploadurl.com, {
method: 'PUT',
body,
});
答案 0 :(得分:3)
事实证明,您可以通过多种方式发送文件,包括base64
和Buffer
。
作为base64上传工作,但图像以某种方式损坏。所以我上传了一个缓冲区:
export const uploadToAws = async (signedRequest, file) => {
const base64 = await fs.readFile(file.uri, 'base64')
const buffer = Buffer.from(base64, 'base64')
return fetch(signedRequest, {
method: 'PUT',
headers: {
'Content-Type': 'image/jpeg; charset=utf-8',
'x-amz-acl': 'public-read',
},
body: buffer,
})
}
请注意,在服务器上,您需要确保设置正确的Content-Type:{ ContentType: "image/jpeg; charset=utf-8", 'x-amz-acl': 'public-read' }
,因为看起来fetch会将charset添加到Content-Type。
答案 1 :(得分:0)
您还可以使用下一个解决方案:
/**
* @param {{contentType: string, uploadUrl: string}} resourceData for upload your image
* @param {string} file path to file in filesystem
* @returns {boolean} true if data uploaded
*/
async uploadImage(resourceData, file) {
return new Promise((resolver, rejecter) => {
const xhr = new XMLHttpRequest();
xhr.onload = () => {
if (xhr.status < 400) {
resolver(true)
} else {
const error = new Error(xhr.response);
rejecter(error)
}
};
xhr.onerror = (error) => {
rejecter(error)
};
xhr.open('PUT', resourceData.uploadUrl);
xhr.setRequestHeader('Content-Type', resourceData.contentType);
xhr.send({ uri: file });
})
}
然后从您的代码中调用此函数,例如:
let isSuccess = uploadImage({
contentType: "image/jpeg",
uploadUrl: "http://my.super.web.amazon.service..."
}, "file:///path-to-file-in-filesystem.jpeg")
来源:https://github.com/react-native-community/react-native-image-picker/issues/61#issuecomment-297865475
答案 2 :(得分:-1)
您不需要使用react-native-fs或缓冲库。而只是使用https://developer.mozilla.org/en-US/docs/Web/API/FileReader/readAsArrayBuffer读取文件,将结果传递给fetch的body参数。 readAsBinaryString和readAsDataUrl给了我奇怪的结果。
注意:我没有必要将“; charset = utf-8”附加到我的内容类型标题中。