公司最近在做一个h5嵌入原生的项目,其中有一个需求是在没有和原生交互的前提下,调用调用手机相机进行拍照,然后将照片上传后端。
之前没接触过类似的需求,然后就感觉要调用移动端的硬件设备很是高大上;现在项目做完了复盘一看,发现其实不难,固定的方法固定的格式,然后结果就出来了。特此整理一篇文章,希望小伙伴能够少走坑。
FileReader 对象允许Web应用程序异步读取存储在用户计算机上的文件(或原始数据缓冲区)的内容,使用 File
或 Blob
对象指定要读取的文件或数据。
属性:
- FileReader.error 表示在读取文件时发生的错误
- FileReader.readyState
- FilerReader.result 读取到的结果
下面开始实际例子
index.html
如下
<!DOCTYPE html>
<html lang="zh">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>FileReader</title>
</head>
<body>
<input id="input" type="file">
</body>
</html>
demo.txt
如下
this is a demo test
hello world
读取txt文件
<script>
const input = document.querySelector('input[type=file]')
input.addEventListener('change', ()=>{
const reader = new FileReader()
reader.readAsText(input.files[0],'utf8') // input.files[0]为第一个文件
reader.onload = ()=>{
document.body.innerHTML += reader.result // reader.result为获取结果
}
}, false)
</script>
读取图片文件
<script>
const input = document.querySelector('input[type=file]')
input.addEventListener('change', ()=>{
console.log( input.files )
const reader = new FileReader()
reader.readAsDataURL(input.files[0]) // input.files[0]为第一个文件
reader.onload = ()=>{
const img = new Image()
img.src = reader.result
document.body.appendChild(img) // reader.result为获取结果
}
}, false)
</script>
图片上传(FormData)
ps:
ajax必须设置这两个属性为false,否则上传会失败
contentType: false, //不设置Content-Type请求头
processData: false,
var formdata = new FormData();
// 此处设置上传图片所需携带的参数,若有多个参数就写多个append即可
formdata.append('params1', 'aaa');
formdata.append('params2', 'bbb');
formdata.append('file', input.files[0]);
$.ajax({
type: "POST",
url: url,
data: formdata,
dataType: "json",
contentType: false, //不设置Content-Type请求头
processData: false,
success: function(res) {
},
error: function(err) {
}
});
如果有多张图片上传,可以配合Promise.all属性进行异步管理
本文参考了文章:https://www.jianshu.com/p/42fd93f08554