uniapp+canvas实现逐字手写效果

在移动端使用 UniApp 进行逐字手写的功能。用户可以在一个 inputCanvas 上书写单个字,然后在特定时间后将这个字添加到 outputCanvas 上,形成一个逐字的手写效果。用户还可以保存整幅图像或者撤销上一个添加的字。

 

  1. 初始化 Canvas

    • 使用 uni.createCanvasContext 创建画布上下文,设置笔触样式和线条属性。
  2. 触摸事件处理

    • handleTouchStart:捕获触摸开始事件,初始化绘图状态。
    • handleTouchMove:捕获触摸移动事件,实时绘制路径。
    • handleTouchEnd:捕获触摸结束事件,启动定时器准备添加字。
  3. 添加字符

    • addChar 方法将 inputCanvas 的内容绘制到 outputCanvas 上,同时保存字符的路径。
  4. 撤销功能

    • undoChar 方法删除上一个字符,并重新绘制 outputCanvas
  5. 保存和上传图像

    • saveImage 方法将 outputCanvas 的内容保存为图片,并调用 upload 方法上传。

完整代码:

<template>
	<view class="container">
		<view class="tip">
			<view class="">
				请您在区域内逐字手写以下文字,全部写完后点击保存!
			</view>
			
			<u-alert style="margin-bottom: 20upx;" :description="ruleForm.sqcn" type = "primary" ></u-alert>
		</view>
		<view class="canvas-container">
			<canvas canvas-id="inputCanvas" class="input-canvas" @touchstart="handleTouchStart"
				@touchmove="handleTouchMove" @touchend="handleTouchEnd"></canvas>
		</view>
		<view class="buttons">
			<u-button text="撤销上一个字" size="normal" type="error" @click="undoChar"></u-button>
			<u-button text="保存" size="normal" type="primary" @click="saveImage"></u-button>
		</view>
		<canvas :style="{ height: outputHeight }" canvas-id="outputCanvas" class="output-canvas"></canvas>
	</view>
</template>

<script>
	import fileService from "@/api/file/fileService.js";
	import knsService from "@/api/kns/knsService"
	export default {
		data() {
			return {
				isDrawing: false,
				startX: 0,
				startY: 0,
				strokes: [],
				canvasWidth: 300,
				canvasHeight: 300,
				charObjects: [],
				timer: null,
				delay: 1000, // 1秒延迟
				fj: '',
				outputHeight: '50px',
				label: '',
				ruleForm: {}
			};
		},
		mounted() {
			this.getData()
			this.initCanvas('inputCanvas');
			this.initCanvas('outputCanvas');
		},
		onLoad(option) {
			this.label = option.label;
		},
		methods: {
			// 获取承诺
			async getData() {
				const res = await knsService.getSettingData();
				this.ruleForm = res[0];
			},
			initCanvas(canvasId) {
				const context = uni.createCanvasContext(canvasId, this);
				context.setStrokeStyle('#000');
				context.setLineWidth(4);
				context.setLineCap('round');
				context.setLineJoin('round');
				context.draw();
			},
			handleTouchStart(e) {
				e.preventDefault(); // 阻止默认滚动行为
				if (this.timer) {
					clearTimeout(this.timer);
					this.timer = null;
				}
				const touch = e.touches[0];
				this.isDrawing = true;
				this.startX = touch.x;
				this.startY = touch.y;
				this.strokes.push({
					x: touch.x,
					y: touch.y
				});
			},
			handleTouchMove(e) {
				e.preventDefault(); // 阻止默认滚动行为
				if (!this.isDrawing) return;
				const touch = e.touches[0];
				const context = uni.createCanvasContext('inputCanvas', this);
				context.moveTo(this.startX, this.startY);
				context.lineTo(touch.x, touch.y);
				context.stroke();
				context.draw(true);
				this.startX = touch.x;
				this.startY = touch.y;
				this.strokes.push({
					x: touch.x,
					y: touch.y
				});
			},
			handleTouchEnd(e) {
				e.preventDefault(); // 阻止默认滚动行为
				this.isDrawing = false;
				this.timer = setTimeout(this.addChar, this.delay);
			},
			addChar() {
				const inputContext = uni.createCanvasContext('inputCanvas', this);
				uni.canvasToTempFilePath({
					canvasId: 'inputCanvas',
					success: (res) => {
						// 保存这个字符的路径
						this.charObjects.push(res.tempFilePath);
						// 清空 inputCanvas 上的内容
						inputContext.clearRect(0, 0, this.canvasWidth, this.canvasHeight);
						inputContext.draw();
						this.redrawOutputCanvas()
					},
				});
			},
			undoChar() {
				if (this.charObjects.length > 0) {
					this.charObjects.pop();
					this.redrawOutputCanvas();
					if (this.charObjects.length === 0) {
						this.outputHeight = 50; // 如果字符对象为空,则将输出画布高度设置为 50
					}
				}
			},
			redrawOutputCanvas() {
				const context = uni.createCanvasContext('outputCanvas', this);

				const charSize = 50; // 调整字符大小
				const charSpacing = 48; // 调整字符间距
				const maxCharsPerRow = Math.floor(this.canvasWidth / charSpacing); // 每行最大字符数

				// 动态设置高度
				const numRows = Math.ceil(this.charObjects.length / maxCharsPerRow); // 计算行数
				this.outputHeight = `${numRows * charSize}px`; // 动态计算输出画布的高度
				console.log(this.outputHeight, this.charObjects.length, 'outputHeight');

				// 清除画布并设置高度
				context.clearRect(0, 0, this.canvasWidth, this.outputHeight);
				// 绘制字符

				this.charObjects.forEach((charPath, index) => {
					const rowIndex = Math.floor(index / maxCharsPerRow); // 当前字符的行索引
					const colIndex = index % maxCharsPerRow; // 当前字符的列索引
					context.drawImage(charPath, 10 + colIndex * charSpacing, 10 + rowIndex * charSpacing, charSize,
						charSize);
				});
				this.$nextTick(() => {
					// 一次性绘制所有字符
					context.draw();
				})
			},



			saveImage() {
				if (this.charObjects.length === 0) {
					uni.showToast({
						icon: "error",
						title: '请手写文字!'
					})
					return false;
				}

				uni.canvasToTempFilePath({
					canvasId: 'outputCanvas',
					success: (res) => {
						// 保存图片
						console.log(res.tempFilePath, 'res.tempFilePath');
						this.upload(res.tempFilePath);
					},
				});
			},
			upload(img) {
				fileService.upload(img).then((res) => {
					let pages = getCurrentPages()
					let currPage = pages[pages.length - 1]; //当前页面
					let prevPage = pages[pages.length - 2]; //上一个页面

					//修改前一页数据
					if (prevPage.inputForm) {
						prevPage.inputForm[this.label] = res
					} 

					console.log(res, 'res');
					//返回上一页
					uni.navigateBack({
						delta: 1,
					})
				});
			},
		},
	};
</script>

<style scoped lang="scss">
	.container {
		display: flex;
		flex-direction: column;
		align-items: center;
		margin-top: 40upx;

		.canvas-container {
			position: relative;
			width: 600upx;
			height: 600upx;
			.input-canvas {
				position: absolute;
				top: 0;
				left: 0;
				width: 100%;
				height: 100%;
				border-radius: 10upx;
				border: 4upx dashed #dddee1;
				touch-action: none;
				/* 禁止默认触摸动作 */
			}
		}



		.output-canvas {
			width: 600upx;
			/* 设置高度为原来的一半 */
			border: 2upx solid #dddee1;
			margin-top: 40upx;
		}

		.buttons {
			display: flex;
			justify-content: space-around;
			width: 100%;
			padding: 0upx 50upx;
		}

		button {
			margin: 20upx;
		}

		.tip {
			view:nth-child(1){
				color: #FF6F77;
				font-size: 24upx;
				margin-bottom: 20upx;
			}
		}
	}
</style>

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:/a/640564.html

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

每日一题《leetcode--1472.设计浏览器历史记录》

https://leetcode.cn/problems/design-browser-history/ 这里我是用双栈实现前进和后退。 #define URL_SIZE 21 #define STACK_SIZE 5000typedef struct {char *BackStack[STACK_SIZE]; //回退栈char *ForwardStack[STACK_SIZE]; //前进栈int BackTop; //回退栈的栈顶下标…

3D瓦片地图组件上线|提供DEM数据接入,全方位呈现三维地图地形!

在用户调研中&#xff0c;我们了解到很多用户自身的可视化项目&#xff0c;需要在垂直空间上表现一些业务&#xff0c;例如&#xff1a;3D地形效果&#xff0c;数据底板建设等&#xff0c;而传统的地图效果不满足此用户需求。瓦片地图能够无限加载大地图&#xff0c;以更三维的…

云端升级,智能适配——LDR6282,USB-C接口显示器的最佳选择

华为MateView USB-C接口显示器技术深度解析与科普 随着科技的飞速发展&#xff0c;终端显示产品也迎来了全新的变革。在众多更新迭代中&#xff0c;华为MateView显示器凭借其独特的USB-C接口设计&#xff0c;为用户带来了前所未有的便捷体验。本文将带您深入探索这款显示器的技…

uniapp开发vue3监听右滑返回操作,返回到指定页面

想要在uniapp框架中监听左滑或者右滑手势&#xff0c;需要使用touchstart和touchend两个api&#xff0c;因为没有原生的左右滑监听api&#xff0c;所以我们只能依靠这两个api来获取滑动开始时候的x坐标和滑动结束后的x坐标做比对&#xff0c;右滑的话&#xff0c;结束时候的x坐…

Flutter 页面布局 Flex Expanded弹性布局

题记 —— 执剑天涯&#xff0c;从你的点滴积累开始&#xff0c;所及之处&#xff0c;必精益求精&#xff0c;即是折腾每一天。 什么是弹性布局&#xff08;Flex&#xff09;&#xff1f; 弹性布局&#xff08;Flex&#xff09;是一种基于弹性盒子模型的布局方式&#xff0c;类…

【如何让论文中摘要后面的内容不出现在目录中】

首先选择摘要二字&#xff0c;设置为一级标题&#xff0c;然后选择摘要后面的内容设置为正文样式&#xff0c;再选择这一部分看一下是不是都是正文大纲级别&#xff0c;如果是那就可以了。 具体流程如下 1、选择摘要二字&#xff0c;设置为一级标题样式 2、选择摘要后面的文…

Springboot零星知识点1

1、请求路径的组成 2、多个环境配置文件 3、对 自定义的属性 增加文字描述&#xff0c;而且IDEA不会警告 4、读取属性值的两种方式 5、东东

TP6 模型批量插入获取插入的自增ID

在TP框架中&#xff0c;数据插入 添加一条数据,返回添加成功的条数 $data [foo > bar, bar > foo]; Db::name(user)->save($data); // 或者 Db::name(user)->insert($data); 批量添加 $data [[foo > bar, bar > foo],[foo > bar1, bar > foo1],[…

【管理咨询宝藏112】波士顿现场精益生产及运营管理整体优化方案

本报告首发于公号“管理咨询宝藏”&#xff0c;如需阅读完整版报告内容&#xff0c;请查阅公号“管理咨询宝藏”。 【管理咨询宝藏112】波士顿现场精益生产及运营管理整体优化方案 【格式】PDF版本 【关键词】波士顿咨询、精益生产、运营提升 【核心观点】 - 家电市场的发展要…

推荐几款新手学习编程的网站

免费在线开发平台 介绍一款编程平台&#xff0c;专为学生和开发者量身打造&#xff01;平台拥有近4000道编程题目&#xff0c;支持多种编程语言&#xff08;包括C、C、JavaScript、TypeScript、Go、Rust、PHP、Java、Ruby、Python3和C#&#xff09;&#xff0c;为您提供全面的学…

蓝桥杯-数三角(ac代码时间复杂度分析)

问题描述 小明在二维坐标系中放置了 ( n ) 个点&#xff0c;他想在其中选出一个包含三个点的子集&#xff0c;这三个点能组成三角形。然而这样的方案太多了&#xff0c;他决定只选择那些可以组成等腰三角形的方案。请帮他计算出一共有多少种选法可以组成等腰三角形&#xff1f…

dubbo复习:(7)使用sentinel对dubbo服务进行限流

一、下载sentinel-dashboard 并启动 java -Dserver.port8080 -Dcsp.sentinel.dashboard.serverlocalhost:8080 -Dproject.namesentinel-dashboard -jar sentinel-dashboard.jar二、在spring boot应用中增加sentinel相关依赖 <dependency><groupId>com.alibaba.csp…

Mybatis Cache(二)MybatisCache+Redis

前面提到了&#xff0c;使用mybatis cache&#xff0c;一般是结合redis使用。 一、demo 1、数据表 create table demo.t_address (id int auto_incrementprimary key,address_name varchar(200) null,address_code varchar(20) null,address_type int n…

Star CCM+在电池热管理中SOC计算、充电Map调用、电池内阻调用的方法

前言 众所周知电池充电电流是随着电池温度与容量变化查表获得(形式见下表),其中电池的充电倍率(电流)是阶梯变化的,而内阻是线型变化的。因此为了仿真的准确定,需要在软件中实现数据的调用,计算电池的发热量。 电池内阻/充电倍率表 一 SOC计算 SOC的估算方法有开路电…

selenium安装出错

selenium安装步骤&#xff08;法1&#xff09;&#xff1a; 安装失败法1 第一次实验&#xff0c;失败 又试了一次&#xff0c;失败 安装法2-失败&#xff1a; ERROR: Could not install packages due to an EnvironmentError: [WinError 5] 拒绝访问。: c:\\programdata\\a…

swust oj 1075: 求最小生成树(Prim算法)

#include <iostream> using namespace std;typedef struct {int n;int e;char data[500];int edge[500][500]; }Graph;typedef struct {int index;int cost; }mincost;typedef struct {int x;//起点int y;//终点int weight;//权重 }EDGE;typedef struct {int index;int …

Bugku Crypto 部分题目简单题解(四)

目录 python_jail 简单的rsa 托马斯.杰斐逊 这不是md5 进制转换 affine Crack it rsa python_jail 启动场景 使用虚拟机nc进行连接 输入print(flag) 发现报错&#xff0c;经过测试只能传入10个字符多了就会报错 利用python中help()函数&#xff0c;借报错信息带出flag变…

2024年商业管理与文化传播国际学术会议(ICBMCC 2024)

2024年商业管理与文化传播国际学术会议&#xff08;ICBMCC 2024) 2024 International Conference on Business Management and Cultural Communication 一、【会议简介】 2024年商业管理与文化传播国际学术会议&#xff08;ICBMCC 2024&#xff09;是一次汇集全球商业管理领域…

SwiftUI中的手势(MagnificationGesture、 RotationGesture)

通过前两篇文章的探索&#xff0c;手势的基本使用规则已经较深的了解&#xff0c;本篇文章主要看看放缩手势MagnificationGesture和旋转手势RotationGesture。 MagnificationGesture 放缩手势 放缩手势在App中用的也比较广泛&#xff0c;下面先看一个示例效果&#xff1a; 上…

必示科技参与智能运维国家标准预研线下编写会议并做主题分享

近日&#xff0c;《信息技术服务 智能运维 第3部分&#xff1a;算法治理》&#xff08;拟定名&#xff09;国家标准预研阶段第一次编写工作会议在杭州举行。本次会议由浙商证券承办。 此次编写有来自银行、证券、保险、通信、高校研究机构、互联网以及技术方等29家单位&#xf…