uni-app中uni-file-picker如何实现不回显上传的图片?

uni-app中uni-file-picker如何实现不回显上传的图片?

上传图片不想显示到页面上,uni-file-picker 如何实现不回显上传的图片?

图片

1 回复

更多关于uni-app中uni-file-picker如何实现不回显上传的图片?的实战教程也可以访问 https://www.itying.com/category-93-b0.html


在uni-app中,如果你希望使用uni-file-picker组件上传图片但不希望其自动回显上传的图片,可以通过控制组件的属性和手动管理文件上传流程来实现。以下是一个示例代码,展示了如何实现这一功能。

首先,确保你的项目中已经安装了uni-file-picker组件。如果没有,可以通过以下命令安装(假设你使用的是npm):

npm install @dcloudio/uni-ui

然后在你的页面或组件中引入并使用uni-file-picker

示例代码

1. 引入uni-file-picker组件

在你的页面的<script>部分引入组件:

import uniFilePicker from '@dcloudio/uni-ui/lib/uni-file-picker/uni-file-picker.vue';

export default {
  components: {
    uniFilePicker
  },
  data() {
    return {
      files: [], // 用于存储上传的文件
      showPicker: false // 控制文件选择器显示
    };
  },
  methods: {
    // 选择文件
    chooseFile() {
      this.showPicker = true;
    },
    // 文件选择完成后的回调
    onFileChange(e) {
      this.files = e.detail.files;
      // 可以在这里处理文件上传逻辑,比如上传到服务器
      this.uploadFiles();
      // 隐藏文件选择器
      this.showPicker = false;
    },
    // 上传文件到服务器(示例代码,实际使用时需替换为真实的上传逻辑)
    uploadFiles() {
      this.files.forEach(file => {
        const formData = new FormData();
        formData.append('file', file.file);
        
        uni.uploadFile({
          url: 'https://your-server-url/upload', // 替换为你的服务器上传接口
          filePath: file.path,
          name: 'file',
          formData: formData,
          success: (uploadFileRes) => {
            console.log('文件上传成功', uploadFileRes);
            // 可以在这里处理上传成功后的逻辑,比如更新UI等
          },
          fail: (err) => {
            console.error('文件上传失败', err);
          }
        });
      });
    }
  }
};

2. 在模板中使用uni-file-picker

<template>
  <view>
    <button @click="chooseFile">选择图片</button>
    <uni-file-picker
      v-if="showPicker"
      @change="onFileChange"
      :count="9"
      :file-mediatype="['image']"
      :mode="['multi']"
    />
  </view>
</template>

在这个示例中,我们通过控制showPicker的值来显示和隐藏uni-file-picker组件,并在选择文件后通过onFileChange方法处理文件上传逻辑。上传完成后,我们并不将文件回显在页面上,而是通过files数组来管理上传的文件。这样,就实现了使用uni-file-picker上传图片但不回显的功能。

回到顶部