本篇主要用来说明基于minio文件存储的断点续传及断点下载的解决方案
1.断点续传
断点续传功能采用Tus+Minio结构,其中Minio作为文件存储服务器,提供文件存储功能。Tus是开源的断点续传的框架,用于连接Minio并提供统一的接口供客户端连接。服务端由go编写,客户端提供多种语言,如js、java、android
tus及minio, docker-compose.yml文件:
version: '3.3'
services:
minio-server:
image: minio/minio
container_name: minio-server
volumes:
- ./data:/data
ports:
- 9000:9000
environment:
MINIO_ACCESS_KEY: admin
MINIO_SECRET_KEY: 123456
command: server /data
restart: always
tus-server:
image: tusio/tusd
container_name: tus-server
ports:
- 1080:1080
privileged: true
environment:
AWS_ACCESS_KEY_ID: admin
AWS_SECRET_ACCESS_KEY: 123456
AWS_REGION: us-east-1
command:
["--s3-bucket","bucketname","--s3-endpoint","http://minio1:9000","--base-path","/files/"]
networks:
default:
driver: bridge
前端Uppy.js可支持上传, index.html
<!doctype html>
<html>
<head>
<meta charset="utf-8">
<title>Uppy</title>
<link href="https://transloadit.edgly.net/releases/uppy/v1.0.0/uppy.min.css" rel="stylesheet">
</head>
<body>
<div id="drag-drop-area"></div>
<script src="https://transloadit.edgly.net/releases/uppy/v1.0.0/uppy.min.js"></script>
<script>
var uppy = Uppy.Core()
.use(Uppy.Dashboard, {
inline: true,
target: '#drag-drop-area'
})
.use(Uppy.Tus, {endpoint: 'http://localhost:1080/files/'})
uppy.on('complete', (result) => {
console.log('Upload complete! We’ve uploaded these files:', result.successful)
})
</script>
</body>
</html>
浏览器打开index.html即可实现断点续传功能。
2.断点下载功能
断点下载功能可以根据Minio提供的原有接口实现该功能。minio提供文件状态查询接口,可根据bucketname 和objectname查询文件字节大小。minio的获取文件方法还提供了可根据字节数范围获取文件。由此可实现断点下载功能。
如下为测试demo,使用go语言编写
package main
import (
"fmt"
"github.com/minio/minio-go"
"os"
)
func NewMinIOClient()(client *minio.Client) {
ssl:=false
client,err:=minio.New("127.0.0.1:9000","admin","123456",ssl)
if err!=nil{
panic(err)
}
return
}
func main() {
client:=NewMinIOClient()
objectName:="test.jpg" //minio中已有的objectname
bucketName:="bucketname" //minio中的bucketname
//获取object 信息
stat,err:=client.StatObject(bucketName,objectName,minio.StatObjectOptions{})
if err!=nil{
panic(err)
}
var start int64 //定义下载的起始位置
//获取本地文件的状态
localStat,err:=os.Stat(objectName)
if err!=nil{
//如果本地文件不存在,则从开始下载
if os.IsNotExist(err){
start=0
}else {
//若为其他错误
panic(err)
}
}else {
if localStat.Size()==stat.Size{
fmt.Println("已下载完整文件,无需下载")
}else if localStat.Size()<stat.Size{
//若本地未下载完成,则将start赋值,继续下载
start=localStat.Size()
}else{
fmt.Printf("文件大小错误")
return
}
}
//配置minio objectOption
objectOptin:=minio.GetObjectOptions{}
end:=stat.Size
err=objectOptin.SetRange(start,end)
if err!=nil{
panic(err)
}
//从minio中获取object
o,err:=client.GetObject(bucketName,objectName,objectOptin)
if err!=nil{
panic(err)
}
//将读到的文件流以追加的方式写入
b:=make([]byte,end-start)
_,err=o.Read(b)
if err!=nil{
panic(err)
}
file,err:=os.OpenFile(objectName,os.O_APPEND|os.O_WRONLY|os.O_CREATE,0644)
defer file.Close()
if _,err:=file.Write(b);err!=nil{
fmt.Println(err)
}
}