首頁 > 軟體

Vue中通過minio上傳檔案的詳細步驟

2022-07-13 18:02:10

在Vue中minio上傳檔案(stream流和連結)

1、minio的安裝

直接使用npm或者cnpm下載即可

npm i minio --save
//或者
cnpm i minio --save

2、minio.js檔案

封裝了連線minio、檔案上傳,檔案刪除等方法

注:此檔案中的url都是在minio設定了永久連結的基礎上

2.1連線minio

const minioClient = new Minio.Client({
  endPoint: 'xxx.xxx.x.xxx', // 地址
  port: xx, // 埠號,若地址為類似test.minio.com,就不必寫埠號
  useSSL: false, // 是否使用ssl
  accessKey: '', // 登入的accessKey
  secretKey: '' // secretKey
});

2.2通過stream流上傳

const stream = require('stream')
const Minio = require('minio')
import {
  getNowTime
} from "@common/publicmethods"
/**
 *
 * @export 上傳檔案(stream流方法)
 * @param {*} backetName String 儲存桶名字
 * @param {*} fileObj Object 檔案物件
 * @param {*} path String 檔案儲存路徑
 * @param {*} vm Object 呼叫該方法的頁面的this
 * @return {*} null
 */
export function uploadMinIo(backetName,fileObj, path, vm) {
  if (
    fileObj
  ) {
    let file = fileObj;
    console.log("file", file);
    //判斷是否選擇了檔案
    if (file == undefined) {
      //未選擇
    } else {
      //選擇
      // 獲取檔案型別及大小
      // 給檔名加上當前時間
      const fileName = getNowTime("time") + file.name;
      const fileDate = getNowTime("fileDate") // 生成以日為分類的資料夾
      const mineType = file.type;
      const fileSize = file.size;
      console.log("fileName", fileName);
      //引數
      let metadata = {
        "content-type": mineType,
        "content-length": fileSize,
      };
      //判斷儲存桶是否存在
      minioClient.bucketExists(backetName, function (err) {
        console.log("判斷儲存桶是否存在");
        if (err) {
          if (err.code == "NoSuchBucket")
            return console.log("bucket does not exist.");
          return console.log(err);
        }
        //準備上傳
        let reader = new FileReader();
        console.log(reader);
        reader.readAsDataURL(file);
        reader.onloadend = function (e) {
          //讀取完成觸發,無論成功或失敗
          console.log("ee", e);
          const dataurl = e.target.result;
          //base64轉blob
          const blob = toBlob(dataurl);
          //blob轉arrayBuffer
          let reader2 = new FileReader();
          reader2.readAsArrayBuffer(blob);
          reader2.onload = function (ex) {
            //定義流
            let bufferStream = new stream.PassThrough();
            //將buffer寫入

            bufferStream.end(Buffer.from(ex.target.result));
            //上傳
            minioClient.putObject(
              backetName,
              `${path}/${fileDate}/${fileName}`,
              bufferStream,
              fileSize,
              metadata,
              function (err, etag) {
                // console.log("dddddd");
                if (err == null) { // 為空則代表上傳成功
                  let res = {
                    path: `http://192.168.0.226:30014/${backetName}/${path}/${fileDate}/${fileName}`,
                    result: 1,
                  };
                  // 成功生成url後呼叫
                  // 呼叫傳進來的this的的方法,然後通過該方法把成功事件傳送出去
                  vm.handleAvatarSuccess(res, vm.filedname);
                  vm.fileName = fileName;
                  vm.$message({
                    message: "上傳成功!",
                    type: "success",
                  });
                  // 由於minio設定了永久連結,該生成臨時url的方法就不再使用
                  // minioClient.presignedGetObject(
                  //   "medialibrary",
                  //   `archive${a}${fileName}`,
                  //   24 * 60 * 60,
                  //   function (err, presignedUrl) {
                  //     if (err) return console.log(err);
                  //     let res = {
                  //       path: presignedUrl,
                  //       result: 1,
                  //     };
                  //     // 成功生成url後呼叫
                  //     vm.handleAvatarSuccess(res, vm.filedname);
                  //     vm.fileName = fileName;
                  //     vm.$message({
                  //       message: "上傳成功!",
                  //       type: "success",
                  //     });
                  //     console.log("連結:",presignedUrl);
                  //   }
                  // );
                }
              }
            );
          };
        };
      });
    }
  } else {
    this.$message({
      message: "檔案型別錯誤!",
      type: "error",
    });
  }
}

2.3通過帶預簽名的url上傳(最好是minio設定了連結永久存取)

1.先拿到預簽名連結

2.再通過預簽名上傳檔案

// 兩個引數,儲存桶的名字,要上傳檔案的名字。例如test.txt
/**
 *
 * @export 獲取上傳連結(url方法)獲取上傳的url;會生成一個帶預簽名的連結
 * @param {*} bucket String 儲存桶的名字
 * @param {*} totalFolderName String 總資料夾名字 例如:imagelibrary
 * @param {*} fileName String 檔案名字
 * @return {*} Promise
 */
export function getUploadUrl(bucket, totalFolderName,fileName) {
  let defaultPath = getNowTime("fileDate"); // 新增預設的以日為分類的資料夾
  return minioClient.presignedPutObject(bucket, `${totalFolderName}/${defaultPath}/${fileName}`)
}

// 通過url上傳
/**
 *
 * @export 上傳檔案(url方法)通過獲取帶預簽名的連結上傳
 * @param {*} url String 預簽名連結
 * @param {*} data Object 檔案物件
 * @return {*} Promise
 */
export function uploadByUrl(url, data) {
  return fetch(url, {
    mode: "cors", // 解決跨域
    headers: {
      Accept: "application/json,text/plain,/",
    },
    method: "PUT",
    body: data,
  });
}

2.4刪除物件

/**
 * @export 從儲存桶中刪除一個物件
 * @param {*} bucketName 儲存桶的名字
 * @param {*} objectPathAndName 要刪除物件的路徑(注意:要寫對路徑,緊跟儲存桶後面的路徑)
 * @description 
 * @author 
 * @version V1.0.0
 * @return {*} Promise
*/
export function removeObject(bucketName,objectPathAndName){
  return minioClient.removeObject(bucketName, objectPathAndName)
}

補充:base64轉blob

/**
 *
 * @export base64轉blob
 * @param {*} base64Data Object base64資料
 * @return {*} blob
 */
//base64轉blob
export function toBlob(base64Data) {
  let byteString = base64Data
  if (base64Data.split(',')[0].indexOf('base64') >= 0) {
    byteString = window.atob(base64Data.split(',')[1]) // base64 解碼
  } else {
    byteString = unescape(base64Data.split(',')[1])
  }
  // 獲取檔案型別
  let mimeString = base64Data.split(';')[0].split(":")[1] // mime型別

  // ArrayBuffer 物件用來表示通用的、固定長度的原始二進位制資料緩衝區
  // let arrayBuffer = new ArrayBuffer(byteString.length) // 建立緩衝陣列
  // let uintArr = new Uint8Array(arrayBuffer) // 建立檢視

  let uintArr = new Uint8Array(byteString.length) // 建立檢視

  for (let i = 0; i < byteString.length; i++) {
    uintArr[i] = byteString.charCodeAt(i)
  }
  // 生成blob
  const blob = new Blob([uintArr], {
    type: mimeString
  })
  // 使用 Blob 建立一個指向型別化陣列的URL, URL.createObjectURL是new Blob檔案的方法,可以生成一個普通的url,可以直接使用,比如用在img.src上
  return blob
}

3、獲取時間方法

publicmethods.js

/**
 *
 *
 * @export 獲取當前時間並格式化
 * @param {*} isDate Boolean 為真返回時分秒; 為"time"返回不帶連線符的時分秒;為"fileDate"返回資料夾日期
 * @return {*} yyyy-MM-dd hh:mm:ss
 */
export function getNowTime(isDate = false) {
    var now = new Date();
    var year = now.getFullYear(); //得到年份
    var month = now.getMonth(); //得到月份
    var date = now.getDate(); //得到日期
    var hh = now.getHours();
    var mm = now.getMinutes();
    var ss = now.getSeconds();
    var hour = " " + hh + ":" + mm + ":" + ss + ""; //預設時分秒 如果傳給後臺的格式為年月日時分秒,就需要加這個,如若不需要,此行可忽略
    var hours = hh + '' + mm + '' + ss + "-";
    month = month + 1;
    month = month.toString().padStart(2, "0");
    date = date.toString().padStart(2, "0");
    var defaultDate = `${year}-${month}-${date}${hour}`;
    if (isDate) {
        var defaultDate = `${year}-${month}-${date}`;
    }
    if (isDate == 'time') { // 返回給檔案前新增的時間
        var defaultDate = `${year}${month}${date}${hours}`;
    }
    if (isDate == 'fileDate') { // 返回預設建立資料夾的時間
        var defaultDate = `${year}${month}${date}`;
    }
    return defaultDate;
}

4、minio設定連結永久存取(使用者端)

注意: 在設定永久存取後,地址上會有預設的路徑:"/minio",需要把它去掉即可正常存取

5、解決跨域問題

修改如下檔案中的設定

ingress:
  enabled: true
  labels: {}
    # node-role.kubernetes.io/ingress: platform

  annotations:
    kubernetes.io/ingress.class: nginx
    # kubernetes.io/tls-acme: "true"
    # kubernetes.io/ingress.allow-http: "false"
    # kubernetes.io/ingress.global-static-ip-name: ""
    # nginx.ingress.kubernetes.io/secure-backends: "true"
    # nginx.ingress.kubernetes.io/backend-protocol: "HTTPS"
    # nginx.ingress.kubernetes.io/whitelist-source-range: 0.0.0.0/0
    nginx.ingress.kubernetes.io/cors-allow-headers: DNT,web-token,app-token,Authorization,Accept,Origin,Keep-Alive,User-Agent,X-Mx-ReqToken,X-Data-Type,X-Auth-Token,X-Requested-With,If-Modified-Since,Cache-Control,Content-Type,Range,token,Cookie,x-amz-content-sha256,x-amz-date
    nginx.ingress.kubernetes.io/cors-allow-methods: PUT, GET, POST, OPTIONS, DELETE
    nginx.ingress.kubernetes.io/cors-allow-origin: '*'
    nginx.ingress.kubernetes.io/enable-cors: 'true'

6、儲存大小限制問題

加上下面一行就可以了

7、minio官方檔案

官方連結

8、minio設定連結永久存取(其他方法)

minio永久存取

總結

到此這篇關於Vue中通過minio上傳檔案的文章就介紹到這了,更多相關Vue minio上傳檔案內容請搜尋it145.com以前的文章或繼續瀏覽下面的相關文章希望大家以後多多支援it145.com!


IT145.com E-mail:sddin#qq.com