123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607 |
- const app = getApp();
- Page({
- data: {
- contact: '',
- phone: '',
- description: '',
- imageList: [],
- showNotification: true,
- countDown: 3,
- isFormValid: false,
- category: '投诉',
- categoryValue: '1',
- isPreviewMode: false,
- title: '',
- content: '',
- replyTime: '',
- replyContent: '',
- formSubmitted: false,
- isSubmitting: false,
- lastSubmitTime: 0,
- categoryMap: [
- {name: '投诉', value: '1'},
- {name: '建议', value: '2'}
- ],
- },
- onLoad: function (options) {
- this.startCountDown();
- // 检查是否是预览模式
- if (options.mode === 'preview') {
- const id = options.id;
- // 获取数据
- this.getDataById(id);
- // 设置为预览模式
- this.setData({
- isPreviewMode: true
- });
- } else {
- // 非预览模式才检查表单有效性
- this.checkFormValidity();
- }
- },
- onShow: function () {
- // 检查是否是从成功页面返回
- if (this.data.formSubmitted) {
- // 重置表单数据
- this.resetForm();
- // 重置提交状态标记
- this.setData({
- formSubmitted: false
- });
- }
- },
- startCountDown: function () {
- let that = this;
- let timer = setInterval(function () {
- if (that.data.countDown > 0) {
- that.setData({
- countDown: that.data.countDown - 1
- });
- } else {
- clearInterval(timer);
- }
- }, 1000);
- },
- goBack: function () {
- wx.navigateBack();
- },
- radioChange: function (e) {
- const value = e.detail.value;
- const selectedCategory = this.data.categoryMap.find(item => item.value === value || item.name === value);
-
- this.setData({
- category: selectedCategory.name,
- categoryValue: selectedCategory.value
- });
- this.checkFormValidity();
- },
- inputContact: function (e) {
- this.setData({
- contact: e.detail.value
- });
- this.checkFormValidity();
- },
- inputPhone: function (e) {
- const value = e.detail.value;
- const phoneNumber = value.replace(/\D/g, '');
- this.setData({
- phone: phoneNumber
- });
- this.checkFormValidity();
- },
- validatePhone: function (phone) {
- const phoneReg = /^1[3-9]\d{9}$/;
- return phoneReg.test(phone);
- },
- inputDescription: function (e) {
- this.setData({
- description: e.detail.value
- });
- this.checkFormValidity();
- },
- chooseImage: function () {
- let that = this;
- if (that.data.imageList.length >= 10) {
- wx.showToast({
- title: '最多只能上传10张图片',
- icon: 'none'
- });
- return;
- }
- wx.chooseMedia({
- count: 10 - that.data.imageList.length,
- mediaType: ['image'],
- sourceType: ['album', 'camera'],
- sizeType: ['compressed'],
- success: function (res) {
- let tempFiles = res.tempFiles;
- let validFiles = [];
- for (let i = 0; i < tempFiles.length; i++) {
- const file = tempFiles[i];
- if (file.size <= 10 * 1024 * 1024) {
- // 为每个文件添加唯一标识
- validFiles.push({
- ...file,
- uid: `${Date.now()}_${Math.random().toString(36).substr(2, 9)}_${i}`
- });
- } else {
- wx.showToast({
- title: '图片大小不能超过10M',
- icon: 'none'
- });
- }
- }
- if (validFiles.length > 0) {
- wx.showLoading({
- title: '图片处理中...',
- mask: true
- });
-
- // 创建副本保存待处理的图片列表
- const filesToProcess = [...validFiles];
- // 使用Map结构存储结果,确保不会丢失
- let processedFilesMap = new Map();
- let processCount = 0;
-
- // 获取当前已有图片的路径列表,用于去重检查
- const existingPaths = that.data.imageList.map(img =>
- typeof img === 'string' ? img : img.tempFilePath
- );
-
- // 处理每个图片
- filesToProcess.forEach((file) => {
- // 检查是否已经存在相同路径的图片
- if (existingPaths.includes(file.tempFilePath)) {
- console.log("跳过重复图片:", file.tempFilePath);
- processCount++;
-
- // 检查是否所有图片都已处理完成
- if (processCount === filesToProcess.length) {
- finishProcessing();
- }
- return;
- }
-
- that.compressImage(file.tempFilePath).then(compressedPath => {
- processCount++;
-
- // 如果返回路径与原路径不同,则认为已成功压缩
- if (compressedPath !== file.tempFilePath) {
- // 使用Map结构通过uid存储处理结果,保证一一对应
- processedFilesMap.set(file.uid, {
- tempFilePath: compressedPath,
- size: file.size, // 这里使用原始大小,实际上压缩后大小会变小
- uid: file.uid,
- originalPath: file.tempFilePath // 保存原始路径以便追踪
- });
- } else {
- // 如果路径没变,可能是压缩失败或无需压缩的小图片
- processedFilesMap.set(file.uid, {
- tempFilePath: compressedPath,
- size: file.size,
- uid: file.uid
- });
- }
-
- // 检查是否所有图片都已处理完成
- if (processCount === filesToProcess.length) {
- finishProcessing();
- }
- }).catch(err => {
- console.error('图片压缩失败:', err);
- processCount++;
-
- // 即使压缩失败,也将原图添加到结果中
- processedFilesMap.set(file.uid, {
- tempFilePath: file.tempFilePath,
- size: file.size,
- uid: file.uid
- });
-
- if (processCount === filesToProcess.length) {
- finishProcessing();
- }
- });
- });
-
- // 统一处理添加图片到列表的逻辑
- function finishProcessing() {
- // 将Map转换为数组,保持原有顺序
- let processedFiles = filesToProcess.map(file => processedFilesMap.get(file.uid)).filter(Boolean);
-
- // 再次检查去重,防止压缩后的图片路径与已有图片重复
- let currentImagePaths = that.data.imageList.map(img =>
- typeof img === 'string' ? img : img.tempFilePath
- );
-
- let newFiles = processedFiles.filter(file =>
- !currentImagePaths.includes(file.tempFilePath)
- );
-
- console.log(`添加 ${newFiles.length} 张新图片,跳过 ${processedFiles.length - newFiles.length} 张重复图片`);
-
- if (newFiles.length > 0) {
- let newImageList = that.data.imageList.concat(newFiles);
- that.setData({
- imageList: newImageList
- });
- }
-
- wx.hideLoading();
- }
- }
- }
- });
- },
-
- // 使用canvas进行图片压缩
- compressImage: function(imagePath) {
- return new Promise((resolve, reject) => {
- // 对于已经压缩过的图片(通常路径中会包含"compressed"),直接返回
- if (imagePath.indexOf("compressed") > -1) {
- console.log("图片已压缩,直接使用:", imagePath);
- resolve(imagePath);
- return;
- }
-
- // 获取图片信息
- wx.getImageInfo({
- src: imagePath,
- success: (res) => {
- // 先获取原图大小,单位KB
- wx.getFileInfo({
- filePath: imagePath,
- success: (fileInfo) => {
- const originalSize = fileInfo.size / 1024; // 原始大小,单位KB
-
- // 如果原图已经很小(小于300KB),可以直接使用
- if (originalSize < 300) {
- console.log("图片较小,无需压缩:", originalSize, "KB");
- resolve(imagePath);
- return;
- }
-
- // 根据原图大小确定压缩质量
- let targetQuality = 0.8; // 默认压缩质量
-
- if (originalSize <= 500) {
- // 如果原图已经小于500KB,保持较高质量
- targetQuality = 0.9;
- } else if (originalSize <= 1024) {
- // 1MB以下,适当压缩
- targetQuality = 0.7;
- } else if (originalSize <= 2048) {
- // 2MB以下,中等压缩
- targetQuality = 0.5;
- } else if (originalSize <= 5120) {
- // 5MB以下,较大压缩
- targetQuality = 0.3;
- } else {
- // 超过5MB,大幅压缩
- targetQuality = 0.2;
- }
-
- // 创建canvas上下文
- wx.createSelectorQuery()
- .select('#compressCanvas')
- .fields({ node: true, size: true })
- .exec((canvasRes) => {
- if (!canvasRes || !canvasRes[0] || !canvasRes[0].node) {
- // 如果找不到canvas节点,则返回原图
- console.log("找不到canvas节点,使用原图");
- resolve(imagePath);
- return;
- }
-
- const canvas = canvasRes[0].node;
- const ctx = canvas.getContext('2d');
- const image = canvas.createImage();
-
- image.onload = () => {
- // 计算要缩放的尺寸,保持宽高比
- let ratio = 1;
-
- // 根据原图大小调整尺寸
- if (originalSize > 5120) { // 5MB以上
- ratio = Math.min(1, 1200 / res.width, 1200 / res.height);
- } else if (originalSize > 2048) { // 2MB以上
- ratio = Math.min(1, 1500 / res.width, 1500 / res.height);
- } else if (originalSize > 1024) { // 1MB以上
- ratio = Math.min(1, 1800 / res.width, 1800 / res.height);
- } else {
- ratio = Math.min(1, 2000 / res.width, 2000 / res.height);
- }
-
- const targetWidth = Math.round(res.width * ratio);
- const targetHeight = Math.round(res.height * ratio);
-
- // 设置canvas尺寸
- canvas.width = targetWidth;
- canvas.height = targetHeight;
-
- // 清除画布
- ctx.clearRect(0, 0, targetWidth, targetHeight);
-
- // 绘制图片
- ctx.drawImage(image, 0, 0, targetWidth, targetHeight);
-
- // 生成带有标记的压缩后路径名称
- const compressedName = `compressed_${Date.now()}_${Math.random().toString(36).substr(2, 5)}`;
-
- // 压缩参数
- const compressOptions = {
- canvas: canvas,
- width: targetWidth,
- height: targetHeight,
- destWidth: targetWidth,
- destHeight: targetHeight,
- fileType: 'jpg',
- quality: targetQuality,
- // 添加压缩标记
- filePath: `${wx.env.USER_DATA_PATH}/${compressedName}.jpg`
- };
-
- // 执行一次压缩
- wx.canvasToTempFilePath({
- ...compressOptions,
- success: (result) => {
- console.log("压缩成功,新路径:", result.tempFilePath);
- resolve(result.tempFilePath);
- },
- fail: (error) => {
- console.error('Canvas转图片失败:', error);
- // 如果转换失败则返回原图
- resolve(imagePath);
- }
- });
- };
-
- image.onerror = () => {
- console.error('图片加载失败');
- resolve(imagePath);
- };
-
- image.src = imagePath;
- });
- },
- fail: (error) => {
- console.error('获取原始图片信息失败:', error);
- resolve(imagePath);
- }
- });
- },
- fail: (error) => {
- console.error('获取图片信息失败:', error);
- resolve(imagePath);
- }
- });
- });
- },
- previewImage: function (e) {
- let index = e.currentTarget.dataset.index;
- let urls = this.data.imageList.map(item => {
- // 处理不同格式的图片对象
- return typeof item === 'string' ? item : item.tempFilePath;
- });
- wx.previewImage({
- current: urls[index],
- urls: urls
- });
- },
- deleteImage: function (e) {
- let index = e.currentTarget.dataset.index;
- let imageList = this.data.imageList;
- imageList.splice(index, 1);
- this.setData({
- imageList: imageList
- });
- },
- checkFormValidity: function () {
- const {
- contact,
- phone,
- description,
- category
- } = this.data;
- // 只检查必填项:联系人、联系电话和内容说明
- const isValid = contact.trim() !== '' && this.validatePhone(phone) && description.trim() !== '';
- this.setData({
- isFormValid: isValid
- });
- return isValid;
- },
- onInputChange: function (e) {
- const {
- field
- } = e.currentTarget.dataset;
- const {
- value
- } = e.detail;
- this.setData({
- [field]: value
- });
- this.checkFormValidity();
- },
- bindPickerChange: function (e) {
- this.checkFormValidity();
- },
- // 添加submitForm方法
- submitForm: function () {
- // 如果正在提交中,直接返回
- if (this.data.isSubmitting) {
- return;
- }
-
- if (!this.checkFormValidity()) {
- let errorMsg = '';
- if (!this.data.contact.trim()) {
- errorMsg = '请填写联系人';
- } else if (!this.validatePhone(this.data.phone)) {
- errorMsg = '请输入正确的联系电话';
- } else if (!this.data.description.trim()) {
- errorMsg = '请填写内容说明';
- }
- wx.showToast({
- title: errorMsg,
- icon: 'none'
- });
- return;
- }
- const now = Date.now();
- const lastSubmitTime = this.data.lastSubmitTime;
- // 如果距离上次提交时间小于 2 秒,直接返回
- if (now - lastSubmitTime < 2000) {
- // wx.showToast({
- // title: '请勿重复提交',
- // icon: 'none',
- // });
- return;
- }
- // 更新上次提交时间
- this.setData({
- lastSubmitTime: now,
- });
- const fileManager = wx.getFileSystemManager();
- this.data.imageList.map(imgInfo => {
- const base64 = fileManager.readFileSync(imgInfo.tempFilePath, 'base64');
- imgInfo.base64 = base64;
- return imgInfo;
- })
- const submitData = {
- category: this.data.categoryValue,
- contact: this.data.contact,
- phone: this.data.phone,
- description: this.data.description,
- images: this.data.imageList,
- userName: app.globalData.currentAccountInfo.username,
- userNum: app.globalData.currentAccountInfo.usernumber
- };
- debugger
- // 设置正在提交中 防止重复点击提交按钮
- this.setData({
- isSubmitting: true,
- });
- console.log('提交的数据:', submitData);
- wx.showLoading({
- title: '提交中...',
- });
- wx.request({
- url: app.globalData.interfaceUrls.feedback,
- method: 'POST',
- header: {
- 'content-type': 'application/json', // 默认值
- 'token': app.globalData.userWxInfo.token,
- 'source': "wc",
- '!SAAS_LOGIN_TOKEN_!': app.globalData.currentAccountInfo.dsKey
- },
- data: submitData,
- success(res) {
- wx.hideLoading();
- if (res.data.code == '200') {
- wx.navigateTo({
- url: '/pages/tousujianyiSuccess/tousujianyiSuccess',
- });
- }
- },
- fail(error) {
- wx.hideLoading()
- utils.simleInfo('登记失败,请稍后再试')
- },
- complete: () => {
- this.setData({
- isSubmitting: false, // 提交完成,重置标志位,可继续提交
- formSubmitted: true // 在提交成功后设置标记,返回将重置表单
- });
- },
- })
- // 在提交成功后设置标记,返回将重置表单
- // this.setData({
- // formSubmitted: true
- // });
- },
- submitRepair: function () {
- this.submitForm();
- },
- // 根据ID获取数据
- getDataById: function (id) {
- // 这里应该是从服务器获取数据
- // 但为了演示,我们从本地数据中获取
- const pages = getCurrentPages();
- const prevPage = pages[pages.length - 2]; // 获取上一个页面
- if (prevPage && prevPage.data.noticeList) {
- const item = prevPage.data.noticeList.find(item => item.id == id);
- if (item) {
- const formatTime = (timeString) => {
- if (!timeString) return ''; // 如果时间为空,返回空字符串
- const date = new Date(timeString);
- const year = date.getFullYear();
- const month = String(date.getMonth() + 1).padStart(2, '0'); // 月份补零
- const day = String(date.getDate()).padStart(2, '0'); // 日期补零
- return `${year}-${month}-${day}`;
- };
-
- let categoryName = '投诉';
- const categoryItem = this.data.categoryMap.find(cat => cat.value === item.category);
- if (categoryItem) {
- categoryName = categoryItem.name;
- }
-
- this.setData({
- category: categoryName,
- categoryValue: item.category || '1',
- contact: item.feedbackperson || '',
- description: item.replynote || '',
- phone: item.contactnumber || '',
- imageList: item.attachments || [],
- replyTime: formatTime(item.replytime) || '',
- replyContent: item.replycontent || ''
- });
- }
- }
- },
- resetForm: function () {
- this.setData({
- contact: '',
- phone: '',
- description: '',
- imageList: [],
- category: '投诉',
- categoryValue: '1'
- });
- }
- });
|