3
1

2 Коммитууд c784acb420 ... cb88fa1ecb

Эзэн SHA1 Мессеж Огноо
  未来全栈 cb88fa1ecb Merge branch 'master' of http://git.fmode.cn:3000/csdn1233/s202226701049 10 сар өмнө
  未来全栈 dc4bce59be feat: upload file 10 сар өмнө

+ 1 - 1
AIart-app/package-lock.json

@@ -29,7 +29,7 @@
         "@tensorflow/tfjs-core": "^4.22.0",
         "@vladmandic/face-api": "^1.7.14",
         "fmode-ng": "^0.0.63",
-        "ionicons": "^7.2.1",
+        "ionicons": "^7.4.0",
         "markmap-lib": "^0.17.2",
         "markmap-view": "^0.17.2",
         "rxjs": "~7.8.0",

+ 1 - 1
AIart-app/package.json

@@ -34,7 +34,7 @@
     "@tensorflow/tfjs-core": "^4.22.0",
     "@vladmandic/face-api": "^1.7.14",
     "fmode-ng": "^0.0.63",
-    "ionicons": "^7.2.1",
+    "ionicons": "^7.4.0",
     "markmap-lib": "^0.17.2",
     "markmap-view": "^0.17.2",
     "rxjs": "~7.8.0",

+ 170 - 0
AIart-app/src/app/lib/hwobs.service.ts

@@ -0,0 +1,170 @@
+import { Injectable } from '@angular/core';
+
+// @ts-ignore
+import ObsClient from "esdk-obs-browserjs"
+
+import Parse from "parse";
+
+/**
+ * HwobsDir 华为OBS目录接口
+ * @public
+ */
+export interface HwobsDir {
+    Prefix: string  // "storage/2023/"
+
+}
+
+/**
+ * HwobsDir 华为OBS文件接口
+ * @public
+ */
+export interface HwobsFile {
+    ETag: "\"f0ec968fe51ab48348307e06476122eb\""
+    Key: string  //"storage/3mkf41033623275.png"
+    LastModified: string //"2023-11-08T12:03:13.008Z"
+    Owner: object // {ID: '09971a1979800fb60fbbc00ada51f7e0'}
+    Size: string //"25839"
+    StorageClass: string //"STANDARD"
+}
+
+/**
+ * HwobsProvider 华为OBS文件服务
+ * @public
+ */
+export class HwobsProvider {
+    obsClient: ObsClient
+    bucketName: string
+    host: string
+    globalPrefix: string = ""
+    constructor(options: {
+        host: string
+        bucketName: string
+        access_key_id: string
+        secret_access_key: string
+        prefix?: string
+        server?: string
+    }) {
+        this.globalPrefix = options.prefix || ""
+        this.host = options?.host
+        this.bucketName = options?.bucketName
+        this.obsClient = new ObsClient({
+            access_key_id: options.access_key_id,
+            secret_access_key: options.secret_access_key,
+            // 这里以华南-广州为例,其他地区请按实际情况填写
+            server: options?.server || 'https://obs.cn-south-1.myhuaweicloud.com'
+        });
+    }
+
+    /**
+     * 目录及检索相关函数
+     */
+    listDir(prefix: any): Promise<{
+        dirs: Array<HwobsDir>,
+        files: Array<HwobsFile>
+    }> {
+        return new Promise((resolve, reject) => {
+            this.obsClient.listObjects({
+                Bucket: this.bucketName,
+                Prefix: prefix,
+                Delimiter: '/'
+            }, (err: any, result: any) => {
+                if (err) {
+                    console.error('Error-->' + err);
+                    reject(err)
+                } else {
+                    console.log('Status-->' + result.CommonMsg.Status);
+                    console.log(result)
+                    if (result.CommonMsg.Status < 300 && result.InterfaceResult) {
+                        for (var j in result.InterfaceResult.Contents) {
+                            console.log('Contents[' + j + ']:');
+                            console.log('Key-->' + result.InterfaceResult.Contents[j]['Key']);
+                            console.log('Owner[ID]-->' + result.InterfaceResult.Contents[j]['Owner']['ID']);
+                        }
+                    }
+                    let dirs: HwobsDir[] = result.InterfaceResult.CommonPrefixes
+                    let files: HwobsFile[] = result.InterfaceResult.Contents
+                    resolve({ dirs: dirs, files: files })
+                }
+            });
+        })
+
+    }
+
+    /**
+     * 文件上传相关函数
+     * @param file 
+     * @param key 
+     * @returns 
+     */
+    async uploadFile(file: File, key: string): Promise<Parse.Object> {
+        console.log(this.globalPrefix, key)
+        // key 文件上传后的全部路径
+        // /storage/<公司账套>/<应用名称>/年月日/<文件名>.<文件后缀>
+        // /storage/web2023/<学号>/年月日/<文件名>.<文件后缀>
+        let attach = await this.checkFileExists(file);
+        if (attach?.id) return attach
+        return new Promise((resolve, reject) => {
+            this.obsClient.putObject({
+                Bucket: this.bucketName,
+                Key: this.globalPrefix + key,
+                SourceFile: file
+            }, async (err: any, result: any) => {
+                if (err) {
+                    console.error('Error-->' + err);
+                    reject(err)
+                } else {
+
+                    console.log('Status-->' + result.CommonMsg.Status);
+                    let attach = await this.saveAttachment(file, this.globalPrefix + key)
+
+                    const fileUrl = this.host + this.globalPrefix + key;
+                    console.log(fileUrl)
+                    resolve(attach)
+                }
+            });
+        })
+    }
+    Attachment = Parse.Object.extend("Attachment")
+
+    async checkFileExists(file: any): Promise<Parse.Object> {
+        let hash = await this.getFileHash(file)
+        // 文件HASH查重,避免重复上传
+        let attach: Parse.Object
+        let query = new Parse.Query("Attachment")
+        query.equalTo("hash", hash);
+        query.equalTo("size", file.size);
+        let exists: any = await query.first();
+        if (!exists?.id) exists = new this.Attachment()
+        attach = exists
+        return attach
+    }
+    async saveAttachment(file: File, key: string) {
+        console.log("saveAttachment", key)
+        let hash = await this.getFileHash(file)
+        let attach = await this.checkFileExists(file)
+        attach.set("name", file.name)
+        attach.set("size", file.size)
+        attach.set("mime", file.type)
+        attach.set("url", this.host + key)
+        attach.set("hash", hash)
+        attach = await attach.save()
+        return attach
+    }
+
+    async getFileHash(file: File) {
+        return new Promise((resolve, reject) => {
+            const reader = new FileReader();
+            reader.onload = async (event: any) => {
+                const buffer = event.target.result;
+                const hashBuffer = await crypto.subtle.digest('SHA-256', buffer);
+                const hashArray = Array.from(new Uint8Array(hashBuffer));
+                const hashHex = hashArray.map(byte => byte.toString(16).padStart(2, '0')).join('');
+                resolve(hashHex);
+            };
+            reader.onerror = (event: any) => {
+                reject(event.target.error);
+            };
+            reader.readAsArrayBuffer(file);
+        });
+    }
+}

+ 5 - 0
AIart-app/src/app/tab3/tab3.page.html

@@ -119,6 +119,11 @@
         <ion-label>浏览记录</ion-label>
       </ion-item>
 
+      <ion-item button detail (click)="goToUploadFile()">
+        <ion-icon name="add-outline" slot="start"></ion-icon>
+        <ion-label>上传文件</ion-label>
+      </ion-item>
+
     </ion-list>
   </ion-content>
 </ion-menu>

+ 7 - 0
AIart-app/src/app/tab3/tab3.page.ts

@@ -153,6 +153,13 @@ export class Tab3Page implements OnInit {
       console.warn('Artwork not found for id:', artId);
     }
   }
+
+
+  // 跳转到上传文件页面
+  goToUploadFile() {
+    console.log("跳转上传文件的页面")
+    this.router.navigate(['/tabs/upload-file']);  // 跳转到 upload-file 页面
+  }
   // 使用 trackByFn 来提高性能
   trackByFn(index: number, item: any) {
     return item.WorkId;  // 使用 WorkId 作为唯一标识符

+ 4 - 0
AIart-app/src/app/tabs/tabs.routes.ts

@@ -80,6 +80,10 @@ export const routes: Routes = [
         path: 'art-detail/:id',
         loadComponent: () => import('../art-detail/art-detail.component').then((m) => m.ArtDetailComponent)
       },
+      {
+        path: 'upload-file',
+        loadComponent: () => import('../upload-file/upload-file.component').then((m) => m.UploadFileComponent)
+      },
     ],
   },
   {

+ 27 - 0
AIart-app/src/app/upload-file/upload-file.component.html

@@ -0,0 +1,27 @@
+<div class="container">
+  <!-- 上半部分:文件选择器 -->
+  <div class="upload-section">
+    <h1 class="main-title">文件上传与预览</h1>
+    <p class="subtitle">选择文件后,点击上传并查看文件的预览</p>
+    <input type="file" multiple (change)="onFileChange($event)" />
+    <button (click)="upload()">上传文件</button>
+  </div>
+
+  <!-- 下半部分:文件上传预览 -->
+  <div class="preview-section" *ngIf="url; else emptyState">
+    <h3>文件预览:</h3>
+    <!-- 判断是否为图片 -->
+    <img *ngIf="isImage(url)" [src]="url" alt="Uploaded Image" />
+    <!-- 判断是否为视频 -->
+    <video *ngIf="isVideo(url)" [src]="url" controls></video>
+    <!-- 其他文件类型提供下载链接 -->
+    <a *ngIf="!isImage(url) && !isVideo(url)" [href]="url" target="_blank">下载文件</a>
+  </div>
+
+  <!-- 没有文件时的提示 -->
+  <ng-template #emptyState>
+    <div class="empty-preview">
+      <p>上传后在此查看文件的预览</p>
+    </div>
+  </ng-template>
+</div>

+ 133 - 0
AIart-app/src/app/upload-file/upload-file.component.scss

@@ -0,0 +1,133 @@
+/* 整体容器 */
+.container {
+    display: flex;
+    flex-direction: column;
+    height: 100vh;
+    /* 占满整个页面高度 */
+    padding: 20px;
+    box-sizing: border-box;
+    background: linear-gradient(to bottom, #f9f9f9, #e9ecef);
+    /* 渐变背景 */
+    font-family: 'Arial', sans-serif;
+}
+
+/* 上半部分:文件选择器 */
+.upload-section {
+    flex: 1;
+    /* 上半部分占页面高度的一半 */
+    display: flex;
+    flex-direction: column;
+    align-items: center;
+    justify-content: center;
+    border-bottom: 2px solid #ccc;
+    text-align: center;
+}
+
+.main-title {
+    font-size: 28px;
+    /* 增大标题字体 */
+    font-weight: bold;
+    color: #f57c00;
+    margin-bottom: 10px;
+}
+
+.subtitle {
+    font-size: 16px;
+    color: #6c757d;
+    margin-bottom: 20px;
+}
+
+.upload-section input[type="file"] {
+    padding: 10px;
+    margin-bottom: 20px;
+    font-size: 16px;
+    border: 2px dashed #6c757d;
+    border-radius: 8px;
+    background-color: #fff;
+    cursor: pointer;
+    transition: border-color 0.3s, background-color 0.3s;
+}
+
+.upload-section input[type="file"]:hover {
+    border-color: #f57c00;
+    background-color: #f9f9f9;
+}
+
+.upload-section button {
+    padding: 10px 20px;
+    font-size: 16px;
+    font-weight: bold;
+    color: #fff;
+    background-color: #f57c00;
+    border: none;
+    border-radius: 8px;
+    cursor: pointer;
+    transition: background-color 0.3s;
+}
+
+.upload-section button:hover {
+    background-color: #d65a00;
+}
+
+/* 下半部分:文件预览 */
+.preview-section {
+    flex: 1;
+    /* 下半部分占页面高度的一半 */
+    display: flex;
+    flex-direction: column;
+    align-items: center;
+    justify-content: center;
+    overflow-y: auto;
+}
+
+.preview-section h3 {
+    font-size: 22px;
+    color: #495057;
+    margin-bottom: 20px;
+}
+
+.preview-section img,
+.preview-section video {
+    max-width: 80%;
+    max-height: 80%;
+    border-radius: 8px;
+    border: 1px solid #ddd;
+    box-shadow: 0px 4px 10px rgba(0, 0, 0, 0.1);
+    margin-bottom: 10px;
+}
+
+.preview-section a {
+    font-size: 16px;
+    font-weight: bold;
+    color: #f57c00;
+    text-decoration: none;
+    border: 2px solid #f57c00;
+    border-radius: 8px;
+    padding: 10px 20px;
+    transition: background-color 0.3s, color 0.3s;
+}
+
+.preview-section a:hover {
+    background-color: #f57c00;
+    color: #fff;
+}
+
+/* 空状态提示 */
+.empty-preview {
+    text-align: center;
+    font-size: 16px;
+    color: #6c757d;
+    border: 2px solid #ddd;
+    border-radius: 8px;
+    padding: 20px;
+    background-color: #efae6d;
+    box-shadow: 0px 4px 8px rgba(0, 0, 0, 0.2);
+    /* 添加阴影 */
+    transition: box-shadow 0.3s ease;
+    /* 添加阴影动画 */
+}
+
+.empty-preview:hover {
+    box-shadow: 0px 6px 12px rgba(0, 0, 0, 0.3);
+    /* 鼠标悬停时阴影增强 */
+}

+ 22 - 0
AIart-app/src/app/upload-file/upload-file.component.spec.ts

@@ -0,0 +1,22 @@
+import { ComponentFixture, TestBed, waitForAsync } from '@angular/core/testing';
+
+import { UploadFileComponent } from './upload-file.component';
+
+describe('CompUploaderHwobsComponent', () => {
+  let component: UploadFileComponent;
+  let fixture: ComponentFixture<UploadFileComponent>;
+
+  beforeEach(waitForAsync(() => {
+    TestBed.configureTestingModule({
+      imports: [UploadFileComponent],
+    }).compileComponents();
+
+    fixture = TestBed.createComponent(UploadFileComponent);
+    component = fixture.componentInstance;
+    fixture.detectChanges();
+  }));
+
+  it('should create', () => {
+    expect(component).toBeTruthy();
+  });
+});

+ 97 - 0
AIart-app/src/app/upload-file/upload-file.component.ts

@@ -0,0 +1,97 @@
+import { Component, OnInit, Input, Output, EventEmitter } from '@angular/core';
+import { HwobsProvider } from '../lib/hwobs.service';
+import { CommonModule } from '@angular/common';
+
+@Component({
+  selector: 'upload-file',
+  templateUrl: './upload-file.component.html',
+  styleUrls: ['./upload-file.component.scss'],
+  standalone: true,
+  imports: [CommonModule],  // 在 imports 中添加 CommonModule
+})
+export class UploadFileComponent implements OnInit {
+
+  @Input() url: string = "";
+  @Output() onUrlChange: EventEmitter<string> = new EventEmitter<string>()
+
+  uploader: HwobsProvider | undefined;
+  isUploading: boolean = false; // 控制“正在上传”提示的变量
+
+  constructor() { }
+
+  ngOnInit() {
+    this.uploader = new HwobsProvider({
+      bucketName: "nova-cloud",
+      prefix: "dev/jxnu/storage/",
+      host: "https://app.fmode.cn/",
+      access_key_id: "XSUWJSVMZNHLWFAINRZ1",
+      secret_access_key: "P4TyfwfDovVNqz08tI1IXoLWXyEOSTKJRVlsGcV6"
+    });
+  }
+
+  file: File | undefined;
+  fileData: any = "";
+  fileList: File[] = [];
+
+  async upload() {
+    if (!this.file) {
+      alert("请先选择文件!");
+      return;
+    }
+
+    this.isUploading = true; // 显示“正在上传”提示
+    let filename = this.file.name;
+    let dateStr = `${new Date().getFullYear()}${new Date().getMonth() + 1}${new Date().getDate()}`;
+    let hourStr = `${new Date().getHours()}${new Date().getMinutes() + 1}${new Date().getSeconds()}`;
+    let key = `${dateStr}/${hourStr}-${filename}`;
+
+    try {
+      // 上传文件
+      let attachment = await this.uploader?.uploadFile(this.file, key);
+      console.log(attachment);
+      // 获取文件 URL
+      this.url = attachment?.get("url") || "";
+      // 通过 EventEmitter 传递 URL
+      this.onUrlChange.emit(this.url);
+    } catch (error) {
+      console.error("上传失败:", error);
+      alert("上传失败,请重试!");
+    } finally {
+      this.isUploading = false; // 隐藏“正在上传”提示
+    }
+  }
+
+  /**
+   * 文件选择器 选择文件触发事件
+   * @param event 
+   */
+  async onFileChange(event: any) {
+    console.log(event);
+    // 将选择的文件列表赋值给 fileList
+    this.fileList = event?.target?.files;
+    // 默认将第一个文件设置为展示区域文件
+    this.setFile(event?.target?.files?.[0]);
+  }
+
+  /**
+   * 设置展示区域文件
+   * @param file 
+   */
+  async setFile(file: any) {
+    this.file = file; // 将文件设置为展示区域文件
+  }
+
+  /**
+   * 判断是否为图片
+   */
+  isImage(url: string): boolean {
+    return url.endsWith('.png') || url.endsWith('.jpg') || url.endsWith('.jpeg') || url.endsWith('.gif');
+  }
+
+  /**
+   * 判断是否为视频
+   */
+  isVideo(url: string): boolean {
+    return url.endsWith('.mp4') || url.endsWith('.mov') || url.endsWith('.avi');
+  }
+}