vue3使用canvas实现图层的移动、缩放、旋转等其他编辑操作

一、Canvas的点击区域检测以及如何监听Canvas上各种图形的点击事件

1、利用数学的力量

一些简单有规则的图形,比如矩形,椭圆,多边形......我们可以使用一些数学函数来计算判断。

这种方式非常棒,当你的画布上没有大量的图形时,他可能是非常快的。

但是这种方式很难处理那些非常复杂的几何图形。比如说,你正在使用具有二次曲线的线。

2、模拟点击区域

点击区域的思路很简单,我们只需要获取点击区域的像素,并且找到拥有相同颜色的图形即可。

但是这种方式可能无效,因为不同的图形可能拥有相同的颜色。为了避免这种问题,我们应该创建一个隐藏的“点击canvas画布”,它将跟主canvas画布拥有几乎相同的图形,并且每一个图形都拥有唯一的颜色。因此我们需要对每一个圆圈生成随机的颜色。

然后,我们需要绘制每个图形2次。第一次在主画布上(可见的),然后在“点击canvas画布”上(不可见)。

当你点击主canvas时,你需要做的就是获取到你点击处的位置坐标,然后在“点击canvas画布”上找到跟主cavnas同样位置的像素的颜色。

这种方式最主要的瓶颈在于你需要绘制2次。因此性能可能下降2倍!

但是我们可以简化hitCanvas的绘制,比如,跳过shadows或者strokes绘制,简化图形,比如,用矩形来代替文本。简化绘制后的方式可能是非常快的。因为从canvas上去一像素和从一个颜色hash对象(colorsHash)中取值是非常快的操作。

// 主canvas
const canvas = document.getElementById('canvas');
const ctx = canvas.getContext('2d');// 点击canvas
const hitCanvas = document.createElement('canvas');
const hitCtx = hitCanvas.getContext('2d');// 颜色对象
const colorsHash = {};// 生成随机颜色
function getRandomColor() {const r = Math.round(Math.random() * 255);const g = Math.round(Math.random() * 255);const b = Math.round(Math.random() * 255);return `rgb(${r},${g},${b})`;
}// 要绘制的图形对象数组
const circles = [{id: '1', x: 40, y: 40, radius: 10, color: 'rgb(255,0,0)'
}, {id: '2', x: 100, y: 70, radius: 10, color: 'rgb(0,255,0)'
}];circles.forEach(circle => {while(true) {const colorKey = getRandomColor();if (!colorsHash[colorKey]) {circle.colorKey = colorKey;colorsHash[colorKey] = circle;return;}}
});// 绘制图形
circles.forEach(circle => {// 主canvasctx.beginPath();ctx.arc(circle.x, circle.y, circle.radius, 0, 2 * Math.PI, false);ctx.fillStyle = circle.color;ctx.fill();// 点击canvashitCtx.beginPath();hitCtx.arc(circle.x, circle.y, circle.radius, 0, 2 * Math.PI, false);hitCtx.fillStyle = circle.colorKey;hitCtx.fill();
});// 监听点击事件
canvas.addEventListener('click', (e) => {// 获取鼠标点击位置坐标const mousePos = {x: e.clientX - canvas.offsetLeft,y: e.clientY - canvas.offsetTop};// 获取点击位置的像素const pixel = hitCtx.getImageData(mousePos.x, mousePos.y, 1, 1).data;const color = `rgb(${pixel[0]},${pixel[1]},${pixel[2]})`;const shape = colorsHash[color];// 判断是否颜色对象为空if (shape) {alert('click on circle: ' + shape.id);}
});

二、给JSON对象排序

众所周知,json对象是没有顺序的。只有数组才有排序功能。

但我们遇到的业务场景里面,不仅仅需要对数组排序,也有需要对对象排序的情况。

let data = {a: {age: 18, height: 189}, b: {age: 18, height: 175}
}
let map = new Map()for (let k in data) {map.set(k, data[k])
}let arrayObj = Array.from(map)// 根据 age 排序
arrayObj.sort((a, b) => {return b[1]['age'] -a[1]['age']
})

此时会获得一个新的数组,你打印出来发现,格式变了,但我们想要的还是一开始那样的json格式,那就再把它转回来就好了。

let obj = {}for (let i in arrayObj) {let k = arrayObj[i][0]let value = arrayObj[i][1]obj[k] = value
}

想要转成map的话,可以如下:

var result = new Map(arrayObj.map(i => [i[0], i[1]]));

 

 三、画板分辨率转换

// 默认分辨率
let defaultRealResolutionPower = '720*1280'// 转化分辨率
function formResolutionPower(resolutionPower: String = defaultRealResolutionPower) {// 分辨率if (resolutionPower) {let _sarr = resolutionPower.split("*");let _arr = [Number(_sarr[0]), Number(_sarr[1])];// 设置在画板里绘制的实际分辨率this.realResolutionPower = _arr// 获取包裹canvas的外层标签的属性const winBox = document.getElementById('winBox')?.getBoundingClientRect()// 判断横竖屏if (_arr[0] > _arr[1]) {this.sDpi = _arr[0] / winBox?.width// 编辑分辨率this.resolutionPower = JSON.parse(JSON.stringify([715, _arr[1] / this.sDpi]))} else {this.sDpi = _arr[1] / winBox?.height// 编辑分辨率this.resolutionPower = JSON.parse(JSON.stringify([_arr[0] / this.sDpi, 512]))}this.$nextTick(() => {const canvasBox = document.getElementById('canvasBox')?.getBoundingClientRect()// 设置模版可编辑区域的宽高和左上角坐标this.toucheWrap = {width: this.resolutionPower[0],height: this.resolutionPower[1],top: canvasBox.top,left: canvasBox.left}console.log(this.toucheWrap)})this.callBack('formResolutionPower')}
}

四、绘制主画布和点击画布

        <canvas id="canvas" ref="canvas" style="display: block; width: 100%; height: 100%;"@mousedown.left.stop.prevent="wrapStart($event)" @mousemove.left.stop.prevent="wrapMove($event)"@mouseup.stop.prevent="wrapUp($event)" @mouseleave.stop.prevent="wrapUp($event)"@mousedown.right.stop.prevent="wrapStart($event, true)"></canvas>

 

    // 初始化画板initCanvas() {console.log('初始化画板', this.realResolutionPower)// 真实画板if(!this.canvas) {this.canvas = document.getElementById('canvas')this.ctx = this.canvas.getContext('2d')}this.canvas.width = this.realResolutionPower[0]this.canvas.height = this.realResolutionPower[1]// 模拟画板if(!this._canvas) {this._canvas = document.createElement('canvas')this._ctx = this._canvas.getContext('2d')}this._canvas.width = this.realResolutionPower[0]this._canvas.height = this.realResolutionPower[1]// 初始化videoif(!this._video) {this._video = document.createElement('video')this._video.setAttribute('autoplay', true)this._video.setAttribute('loop', true)}},// 生成随机颜色getRandomColor() {const r = Math.round(Math.random() * 255)const g = Math.round(Math.random() * 255)const b = Math.round(Math.random() * 255)// const a = Math.round(Math.random() * 255)return `rgb(${r},${g},${b})`},// 绘制视频片段drawSpPartItem() {const _items = JSON.parse(JSON.stringify(this.items))_items.sort((a, b) => a.zIndex - b.zIndex)// console.log('绘制图层:', _items)this.ctx.clearRect(0, 0, this.realResolutionPower[0], this.realResolutionPower[1])this._ctx.clearRect(0, 0, this.realResolutionPower[0], this.realResolutionPower[1])this._tcList = [] // 模拟点击的图层列表let activeItem = null;for (let i = 0; i < _items.length; i++) {let item = _items[i]if (!item.display || !item.show) {continue}if (['bg', 'tt', 'ai'].includes(item.type)) {// 视频if (item.iobsType == 'video') {if (this._video.src !== item.content) {this._video.src = item.contentconsole.log(this._video)}this.ctx.drawImage(this._video, item.left, item.top, item.width, item.height)} else {// 图片const img = new Image()// img.crossOrigin = 'anonymous'img.src = item.content// const img = await this.loadImage(item.content)this.ctx.drawImage(img, item.left, item.top, item.width, item.height)}// 锁定if(!item.lock) {// 绘制模拟canvasconst _color = this.getRandomColor()this._tcList.push({id: item.id,color: _color})this._ctx.save()this._ctx.fillStyle = _colorthis._ctx.fillRect(item.left, item.top, item.width, item.height)this._ctx.restore()}} else if (['zm', 'bt'].includes(item.type)) {this.ctx.save()this.ctx.font = item.fontSize + 'px ' + item.fontFamilythis.ctx.textAlign = item.alignlet showStroke = falseif (item.strokeShow && item.strokeSize) {this.ctx.strokeStyle = item.strokeColorthis.ctx.lineWidth = item.strokeSizeshowStroke = true}this.ctx.textBaseline = 'top'this.ctx.fillStyle = item.fontBgColor// const measureText = this.ctx.newMeasureText(item.content)// 绘制文字背景色this.ctx.fillRect(item.left, item.top, item.width, item.height)// 绘制文字this.ctx.fillStyle = item.fontColorconst _content = item.type == 'zm' ? '智能字幕' : item.content// this.ctx.strokeText(item.content, item.left, item.top)if (item.align == 'center') {this.ctx.wrapText(showStroke, _content, item.left + item.width / 2, item.top, item.width, item.fontSize)} else if (item.align == 'right') {this.ctx.wrapText(showStroke, _content, item.left + item.width, item.top, item.width, item.fontSize)} else {this.ctx.wrapText(showStroke, _content, item.left, item.top, item.width, item.fontSize)}this.ctx.restore()// 锁定if(!item.lock) {// 绘制模拟canvasconst _color = this.getRandomColor()this._tcList.push({id: item.id,color: _color})this._ctx.save()this._ctx.fillStyle = _colorthis._ctx.fillRect(item.left, item.top, item.width, item.height)this._ctx.restore()}}// 绘制编辑框if (item.active && !item.lock) {activeItem = item}}if (activeItem) {this.drawEditBox(activeItem)}},// 绘制图层async drawItems() {cancelAnimationFrame(this.requestAnimationFrameId)if(this.previewStatus === -1) {this.drawSpPartItem()} else {this.drawPreview()}this.requestAnimationFrameId = requestAnimationFrame(this.drawItems)},// 绘制编辑边框drawEditBox(item) {this.ctx.save()const r = 10 // 圆半径const w = 20 // 矩形宽度// 绘制矩形this.ctx.lineWidth = 5this.ctx.strokeStyle = '#779BF1'this.ctx.strokeRect(item.left, item.top, item.width, item.height)// 阴影this.ctx.shadowBlur = 5;this.ctx.shadowColor = "#779BF1";let _color/*** * 拉伸按钮* */if(item.type === 'zm') {// 中上this.ctx.fillStyle = 'white'this.ctx.fillRect(item.left + item.width/2 - w/2, item.top - w/2, w, w)// 绘制模拟canvas_color = this.getRandomColor()this._tcList.push({type: 'lh-btn',cursor: 'ns-resize', // 上下id: item.id,color: _color})this._ctx.fillStyle = _colorthis._ctx.fillRect(item.left + item.width/2 - w/2, item.top - w/2, w, w)// 中下this.ctx.fillStyle = 'white'this.ctx.fillRect(item.left + item.width/2 - w/2, item.top + item.height - w/2, w, w)// 绘制模拟canvas_color = this.getRandomColor()this._tcList.push({type: 'lh-btn',cursor: 'ns-resize', // 上下id: item.id,color: _color})this._ctx.fillStyle = _colorthis._ctx.fillRect(item.left + item.width/2 - w/2, item.top + item.height - w/2, w, w)// 中左this.ctx.fillStyle = 'white'this.ctx.fillRect(item.left - w/2, item.top + item.height/2 - w/2, w, w)// 绘制模拟canvas_color = this.getRandomColor()this._tcList.push({type: 'lw-btn',cursor: 'ew-resize', // 左右id: item.id,color: _color})this._ctx.fillStyle = _colorthis._ctx.fillRect(item.left - w/2, item.top + item.height/2 - w/2, w, w)// 中右this.ctx.fillStyle = 'white'this.ctx.fillRect(item.left + item.width - w/2, item.top + item.height/2 - w/2, w, w)// 绘制模拟canvas_color = this.getRandomColor()this._tcList.push({type: 'lw-btn',cursor: 'ew-resize', // 左右id: item.id,color: _color})this._ctx.fillStyle = _colorthis._ctx.fillRect(item.left + item.width - w/2, item.top + item.height/2 - w/2, w, w)}/*** *  缩放按钮* * */ // 左上this.ctx.beginPath()this.ctx.arc(item.left, item.top, r, 0, 2 * Math.PI)this.ctx.stroke()this.ctx.fillStyle = 'white'this.ctx.fill()// 绘制模拟canvas_color = this.getRandomColor()this._tcList.push({type: 's-btn',cursor: 'nwse-resize', // 左上角id: item.id,color: _color})this._ctx.beginPath()this._ctx.arc(item.left, item.top, r, 0, 2 * Math.PI)this._ctx.stroke()this._ctx.fillStyle = _colorthis._ctx.fill()// 右上this.ctx.beginPath()this.ctx.arc(item.left + item.width, item.top, r, 0, 2 * Math.PI)this.ctx.stroke()this.ctx.fillStyle = 'white'this.ctx.fill()// 绘制模拟canvas_color = this.getRandomColor()this._tcList.push({type: 's-btn',cursor: 'nesw-resize', // 右上角id: item.id,color: _color})this._ctx.beginPath()this._ctx.arc(item.left + item.width, item.top, r, 0, 2 * Math.PI)this._ctx.stroke()this._ctx.fillStyle = _colorthis._ctx.fill()// 左下this.ctx.beginPath()this.ctx.arc(item.left, item.top + item.height, r, 0, 2 * Math.PI)this.ctx.stroke()this.ctx.fillStyle = 'white'this.ctx.fill()// 绘制模拟canvas_color = this.getRandomColor()this._tcList.push({type: 's-btn',cursor: 'nesw-resize', // 左下角id: item.id,color: _color})this._ctx.beginPath()this._ctx.arc(item.left, item.top + item.height, r, 0, 2 * Math.PI)this._ctx.stroke()this._ctx.fillStyle = _colorthis._ctx.fill()// 右下this.ctx.beginPath()this.ctx.arc(item.left + item.width, item.top + item.height, r, 0, 2 * Math.PI)this.ctx.stroke()this.ctx.fillStyle = 'white'this.ctx.fill()// 绘制模拟canvas_color = this.getRandomColor()this._tcList.push({type: 's-btn',cursor: 'nwse-resize', // 右下角id: item.id,color: _color})this._ctx.beginPath()this._ctx.arc(item.left + item.width, item.top + item.height, r, 0, 2 * Math.PI)this._ctx.stroke()this._ctx.fillStyle = _colorthis._ctx.fill()this.ctx.restore()},

五、判断点击区域

    // 鼠标开始点击wrapStart(e, _isRightClick = false) {// 右键点击if(_isRightClick) {console.log('右键点击')this.mousePos = {x: e.clientX,y: e.clientY}this.showRmenu = true}// 判断画板上的点击区域const mousePos = {x: (e.pageX - this.toucheWrap.left) * this.sDpi,y: (e.pageY - this.toucheWrap.top) * this.sDpi}const pixel = this._ctx.getImageData(mousePos.x, mousePos.y, 1, 1).dataconst color = `rgb(${pixel[0]},${pixel[1]},${pixel[2]})`for (let i = 0; i < this._tcList.length; i++) {if (this._tcList[i].color == color) {const id = this._tcList[i].id// 缩放按钮if (this._tcList[i].type == 's-btn') {this.oTouchStart(e, id)} // 拉伸(高度)按钮else if(this._tcList[i].type == 'lh-btn') {this.oLwhStart(e, id, 'h')} // 拉伸(宽度)按钮else if(this._tcList[i].type == 'lw-btn') {this.oLwhStart(e, id, 'w')}else {// 点击图层this.wraptouchStart(e, id, _isRightClick)}break}}this.drag = true;},
    // 鼠标放开wrapUp(e) {// console.log("wrapUp");this.drag = false;this.oTouchUp();this.xMLine = false;this.yMLine = false;},
    // 鼠标取消oTouchUp(e, id) {if (this.items && this.items[this.index]) {// console.log("oTouchUp");this.items[this.index].lMoveabled = false;this.items[this.index].sMoveabled = false;this.items[this.index].moveabled = false;}},
    // 点击图层wraptouchStart(e, id, _isRightClick) {console.log("点击图层", e, e.target.focus);// 循环图片数组获取点击的图片信息for (let i = 0; i < this.items.length; i++) {this.items[i].active = false;this.items[i].moveabled = false;this.items[i].sMoveabled = false;if (id == this.items[i].id) {// 不是编辑封面的时候if(!this.isCoverEdit) {this.selectSpPartIndex = this.spPartIndexthis.selectItemId = id}this.canvas.style.cursor = 'move'this.index = ithis.items[this.index].active = truethis.items[this.index].moveabled = trueif (this.items[this.index].isEdit) {e.stopPropagation()} else {e.preventDefault()}}}let editType = "";if (this.items[this.index].type == "bg") {editType = "bg";} else if (this.items[this.index].type == "ai") {editType = "ai";} else if (this.items[this.index].type == "tt") {editType = "tt";} else if (this.items[this.index].type == "bt") {editType = "bt";} else if (this.items[this.index].type == "zm") {editType = "zm";}if (this.isCoverEdit) {this.fmItems = this.items;} else {this.spPart[this.spPartIndex] = this.items;}this.editType = editType;this.isInitEdit = false;// 获取点击的坐标值this.items[this.index].lx = e.pageX;this.items[this.index].ly = e.pageY;this.items = JSON.parse(JSON.stringify(this.items));},

 

六、移动图层

    // 鼠标移动wrapMove(e) {if (!this.canvas || !this.items[this.index]) {return}// 判断画板上的点击区域const mousePos = {x: (e.pageX - this.toucheWrap.left) * this.sDpi,y: (e.pageY - this.toucheWrap.top) * this.sDpi}const pixel = this._ctx.getImageData(mousePos.x, mousePos.y, 1, 1)?.dataconst color = `rgb(${pixel[0]},${pixel[1]},${pixel[2]})`if (!this.items[this.index]?.sMoveabled && !this.items[this.index]?.moveabled && !this.items[this.index]?.lMoveabled) {this.canvas.style.cursor = 'auto'for (let i = 0; i < this._tcList.length; i++) {if (this._tcList[i].color == color) {const id = this._tcList[i].id// 编辑按钮if (['s-btn', 'lh-btn', 'lw-btn'].includes(this._tcList[i].type)) {this.canvas.style.cursor = this._tcList[i].cursor}else {// 循环图片数组获取点击的图片信息for (let j = 0; j < this.items.length; j++) {if (this.items[j].id == id && this.items[j].active) {if(this.items[j].type !== 'zm') {this.canvas.style.cursor = 'move'} else {this.canvas.style.cursor = 'auto'}break}}}break}}}if (this.drag && this.items[this.index].type != "bg") {if (this.items[this.index].active) {// 缩放if (this.items[this.index].sMoveabled) {console.log("wrapMove-sMoveabled");this.oTouchMove(e);}// 移动else if (this.items[this.index].moveabled) {if(this.items[this.index].type !== 'zm') {console.log("wrapMove-moveabled")this.wraptouchMove(e)}}// 拉伸else if (this.items[this.index].lMoveabled) {console.log("wrapMove-lMoveabled");this.oLwhMove(e,this.items[this.index].id,this.items[this.index].lMoveType);}}}},
    // 拖动图层wraptouchMove(e) {let { items, index } = this;if (!items[index].moveabled) {return;}console.log("拖动图层", e);items[index]._lx = e.pageX;items[index]._ly = e.pageY;let _getXDistancs = nulllet _getYDistancs = nullif (Math.round(items[index].x) == this.realResolutionPower[0] / 2) {this.xMLine = true;_getXDistancs = this.getDistancs(items[index].lx,items[index].ly,items[index]._lx,items[index]._ly)} else {this.xMLine = false;}if (Math.round(items[index].y) == this.realResolutionPower[1] / 2) {this.yMLine = true;_getYDistancs = this.getDistancs(items[index].lx,items[index].ly,items[index]._lx,items[index]._ly)} else {this.yMLine = false;}if((_getXDistancs != null && _getXDistancs < 20) || (_getYDistancs != null && _getYDistancs < 20)){return}items[index].left += (items[index]._lx - items[index].lx) * this.sDpi;items[index].top += (items[index]._ly - items[index].ly) * this.sDpi;items[index].x += (items[index]._lx - items[index].lx) * this.sDpi;items[index].y += (items[index]._ly - items[index].ly) * this.sDpi;items[index].lx = e.pageX;items[index].ly = e.pageY;this.items = JSON.parse(JSON.stringify(items))if (this.isCoverEdit) {this.fmItems = this.items;} else {this.spPart[this.spPartIndex] = this.itemsthis.spPart = JSON.parse(JSON.stringify(this.spPart))}},

七、图层伸缩

    // 点击伸缩图标oTouchStart(e, id) {console.log("点击伸缩图标", e);// 找到点击的那个图片对象,并记录for (let i = 0; i < this.items.length; i++) {this.items[i].active = false;this.items[i].moveabled = false;this.items[i].sMoveabled = false;if (id == this.items[i].id) {this.index = i;this.items[i].active = true;this.items[i].sMoveabled = true;}}// 获取作为移动前的坐标this.items[this.index].tx = (e.pageX - this.toucheWrap.left) * this.sDpi;this.items[this.index].ty = (e.pageY - this.toucheWrap.top) * this.sDpi;// 获取图片半径this.items[this.index].r = this.getDistancs(this.items[this.index].x,this.items[this.index].y,this.items[this.index].tx,this.items[this.index].ty);},// 移动伸缩图标oTouchMove(e) {console.log("移动伸缩图标", e);let { items, index, toucheWrap, sDpi } = this;if (!items[index].sMoveabled) {return;}// 记录移动后的位置items[index]._tx = (e.pageX - toucheWrap.left) * this.sDpi;items[index]._ty = (e.pageY - toucheWrap.top) * this.sDpi;// 移动的点到圆心的距离items[index].disPtoO = this.getDistancs(items[index].x,items[index].y,items[index]._tx,items[index]._ty);let _s = items[index].disPtoO / items[index].r// 记录新旧数据let _oiW = items[index].widthlet _niW = _oiW * _slet _oiS = _niW / _oiWlet _oiH = items[index].heightlet _niH = _oiS * _oiH// 使用缩放// items[index].scale = items[index].disPtoO / items[index].r;// 不使用缩放if (items[index].type === "bt" || items[index].type === "zm") {let _newFontSize = items[index].fontSize * _slet maxFontSize = items[index].type == 'zm' ? 46 : 100;let minFontSize = 12if(_newFontSize < minFontSize) {return} else if(_newFontSize > maxFontSize) {return} let _txt = TextNode(items[index].type === 'zm' ? '智能字幕' : items[index].content, `${_newFontSize}px ${items[index].fontFamily}`)_niW = _txt.width_niH = _txt.heightitems[index].fontSize = _newFontSize;}if(items[index].type === 'zm') {// 距离底部间距let _distance = this.realResolutionPower[1] * 0.1items[index].height = _niH// 中心坐标items[index].y = this.realResolutionPower[1] - _distance - (items[index].height/2)items[index].top = items[index].y - items[index].height / 2} else {items[index].width = _niWitems[index].height = _niHitems[index].top = items[index].y - items[index].height / 2items[index].left = items[index].x - items[index].width / 2}// 获取图片半径items[index].r = items[index].disPtoO;this.items = JSON.parse(JSON.stringify(items));if (this.isCoverEdit) {this.fmItems = this.items;} else {this.spPart[this.spPartIndex] = this.itemsthis.spPart = JSON.parse(JSON.stringify(this.spPart))}},

八、拉伸宽高

    // 点击文字拉宽高图标oLwhStart(e, id, _type) {// 找到点击的那个图片对象,并记录for (let i = 0; i < this.items.length; i++) {this.items[i].active = false;this.items[i].moveabled = false;this.items[i].sMoveabled = false;this.items[i].lMoveabled = false;if (id == this.items[i].id) {this.index = i;this.items[i].active = true;this.items[i].lMoveabled = true;this.items[i].lMoveType = _type;}}// 获取作为移动前的坐标this.items[this.index].tx = (e.pageX - this.toucheWrap.left) * this.sDpi;this.items[this.index].ty = (e.pageY - this.toucheWrap.top) * this.sDpi;// 获取触摸点到圆心距离this.items[this.index].r = this.getDistancs(this.items[this.index].x,this.items[this.index].y,this.items[this.index].tx,this.items[this.index].ty);},// 移动文字拉宽高图标oLwhMove(e, id, _type) {console.log('移动文字拉宽高图标', e)let { items, index, toucheWrap } = this;if (!items[index].lMoveabled) {return;}// 记录移动后的位置items[index]._tx = (e.pageX - toucheWrap.left) * this.sDpiitems[index]._ty = (e.pageY - toucheWrap.top) * this.sDpi// 移动的点到圆心的距离items[index].disPtoO = this.getDistancs(items[index].x,items[index].y,items[index]._tx,items[index]._ty);let _s = items[index].disPtoO / items[index].r;// 拉宽度if (_type === "w") {let _sW = _s * items[index].widthif(['zm', 'bt'].includes(items[index].type)){let _txt = TextNode(items[index].type === 'zm' ? '智能字幕' : items[index].content, `${items[index].fontSize}px ${items[index].fontFamily}`, '', items[index].height+'px')if(_txt.width >= _sW) {return}}items[index].width = _sWitems[index].left = items[index].x - items[index].width / 2;} // 拉高度else {let _sH = _s * items[index].heightif(['zm', 'bt'].includes(items[index].type)){let _txt = TextNode(items[index].type === 'zm' ? '智能字幕' : items[index].content,  `${items[index].fontSize}px ${items[index].fontFamily}`, items[index].width+'px', '')if(_txt.height >= _sH) {return}}items[index].height = _sHitems[index].top = items[index].y - items[index].height / 2;}// 获取触摸点到圆心距离items[index].r = items[index].disPtoO;this.items = JSON.parse(JSON.stringify(items))if (this.isCoverEdit) {this.fmItems = this.items} else {this.spPart[this.spPartIndex] = this.itemsthis.spPart = JSON.parse(JSON.stringify(this.spPart))}},

九、旋转图层

    // 点击旋转图标oScaleStart(e, id) {// 找到点击的那个图片对象,并记录for (let i = 0; i < this.items.length; i++) {this.items[i].active = false;if (id == this.items[i].id) {this.index = i;this.items[this.index].active = true;}}// 获取作为移动前角度的坐标this.items[this.index].tx = e.layerX - this.toucheWrap.left;this.items[this.index].ty = e.layerY - this.toucheWrap.top;// 移动前的角度this.items[this.index].anglePre = this.countDeg(this.items[this.index].x,this.items[this.index].y,this.items[this.index].tx,this.items[this.index].ty);},// 移动旋转图标oScaleMove(e, id) {console.log('移动旋转图标')let { items, index } = this;// 记录移动后的位置items[index]._tx = e.layerX - this.toucheWrap.left;items[index]._ty = e.layerY - this.toucheWrap.top;// 移动的点到圆心的距离items[index].disPtoO = this.getDistancs(items[index].x,items[index].y,items[index]._tx,items[index]._ty - 10);// 移动后位置的角度items[index].angleNext = this.countDeg(items[index].x,items[index].y,items[index]._tx,items[index]._ty);// 角度差items[index].new_rotate = items[index].angleNext - items[index].anglePre;//叠加的角度差items[index].rotate += items[index].new_rotate;items[index].angle = items[index].type == "tt" ? items[index].rotate : 0; //赋值//用过移动后的坐标赋值为移动前坐标items[index].tx = e.layerX - this.toucheWrap.left;items[index].ty = e.layerY - this.toucheWrap.top;// 下次移动前的角度items[index].anglePre = this.countDeg(items[index].x,items[index].y,items[index].tx,items[index].ty);this.items = items;if (this.isCoverEdit) {this.fmItems = items;} else {this.spPart[this.spPartIndex] = items;}},

十、计算坐标点到圆心的距离

    getDistancs(cx, cy, pointer_x, pointer_y) {var ox = pointer_x - cx;var oy = pointer_y - cy;return Math.sqrt((ox * ox) + (oy * oy));},

十一、点击的坐标到圆心的角度

    /** 参数cx和cy为图片圆心坐标* 参数pointer_x和pointer_y为手点击的坐标* 返回值为手点击的坐标到圆心的角度*/countDeg(cx, cy, pointer_x, pointer_y) {var ox = pointer_x - cx;var oy = pointer_y - cy;var to = Math.abs(ox / oy);var angle = (Math.atan(to) / (2 * Math.PI)) * 360;// 相对在左上角,第四象限,js中坐标系是从左上角开始的,这里的象限是正常坐标系if (ox < 0 && oy < 0) {angle = -angle;}// 左下角,3象限else if (ox <= 0 && oy >= 0) {angle = -(180 - angle);}// 右上角,1象限else if (ox > 0 && oy < 0) {angle = angle;}// 右下角,2象限else if (ox > 0 && oy > 0) {angle = 180 - angle;}return angle;}

十二、拖动放置

<div class="image" @dragstart="dragStart($event, item)" draggable="true" ref="boothRef">
</div><script>/* 拖动时触发 */dragStart($event, item) {console.log("开始拖动:", item);$event.dataTransfer.setData("item",JSON.stringify({eType: "bg",type: item.resourceType,url: item.src,key: item.iobsKey}));},
</script>
<div class="wrap":class="{wrapfc: isFullscreen}"id="winBox" ref="winBox"@click="canvasFullscreen(false)"@drop="drop($event)"@dragover="allowDrop($event)"@contextmenu.prevent="rightClick">...
</div><script>/*** 拖动完成时触发*/allowDrop($event) {$event.preventDefault();},/*** 拖动放置*/drop($event) {$event.preventDefault();let data = $event.dataTransfer.getData("item");console.log('拖动放置:

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

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

JOJO的奇妙冒险

JOJO,我不想再做人了。 推荐一部动漫 JOJO的奇妙冒险 荒木飞吕彦创作的漫画 《JOJO的奇妙冒险》是由日本漫画家荒木飞吕彦所著漫画。漫画于1987年至2004年在集英社的少年漫画杂志少年JUMP上连载&#xff08;1987年12号刊-2004年47号刊&#xff09;&#xff0c;2005年后在集英…

全国首台!浙江机器人产业集团发布垂起固定翼无人机-机器人自动换电机巢

展示突破性创新技术&#xff0c;共话行业发展趋势。8月25日&#xff0c;全国首台垂起固定翼无人机-机器人自动换电机巢新品发布会暨“科创中国宁波”无人机产业趋势分享会在余姚市机器人小镇成功举行。 本次活动在宁波市科学技术协会、余姚市科学技术协会指导下&#xff0c;由浙…

DBO优化SVM的电力负荷预测,附MATLAB代码

今天为大家带来一期基于DBO-SVM的电力负荷预测。 原理详解 文章对支持向量机(SVM)的两个参数进行优化&#xff0c;分别是&#xff1a;惩罚系数c和 gamma。 其中&#xff0c;惩罚系数c表示对误差的宽容度。c越高&#xff0c;说明越不能容忍出现误差,容易过拟合。c越小&#xff0…

Pytorch-以数字识别更好地入门深度学习

目录 一、数据介绍 二、下载数据 三、可视化数据 四、模型构建 五、模型训练 六、模型预测 一、数据介绍 MNIST数据集是深度学习入门的经典案例&#xff0c;因为它具有以下优点&#xff1a; 1. 数据量小&#xff0c;计算速度快。MNIST数据集包含60000个训练样本和1000…

Go学习-Day4

文章目录 Go学习-Day4函数值传递&#xff0c;引用传递常用的函数 异常处理数组Slice切片 Go学习-Day4 个人博客&#xff1a;CSDN博客 函数 值传递&#xff0c;引用传递 值传递直接拷贝值&#xff0c;一般是基本数据类型&#xff0c;数组&#xff0c;结构体也是引用传递传递…

【程序员必知必会2】中英文混合超长字符串如何截断(C++)

背景 用户输入的搜索关键词可能是包含中英文、特殊字符混合的字符串&#xff0c;如果长度超长&#xff0c;可能会导致下游服务的报错&#xff0c;需要提前对keyword做截断。 版本一 (只考虑中英文) bool CutOff(std::string keyword){int query_length keyword.length();// …

网络编程 http 相关基础概念

文章目录 表单是什么http请求是什么http请求的结构和说明关于http方法 GET和POST区别http常见状态码http响应http 请求是无状态的含义html是什么 &#xff08;前端内容&#xff0c;了解即可&#xff09;html 常见标签 &#xff08;前端内容&#xff0c;了解即可&#xff09;关于…

App卡帧与BlockCanary

作者&#xff1a;图个喜庆 一&#xff0c;前言 app卡帧一直是性能优化的一个重要方面&#xff0c;虽然现在手机硬件性能越来越高&#xff0c;明显的卡帧现象越来越少&#xff0c;但是了解卡帧相关的知识还是非常有必要的。 本文分两部分从app卡帧的原理出发&#xff0c;讨论屏…

Mainline Linux 和 U-Boot编译

By Toradex胡珊逢 Toradex 自从 Linux BSP v6 开始在使用 32位处理器的 Arm 模块如 iMX6、iMX6ULL、iMX7 上提供 mainline/upstream kernel &#xff0c;部分 64位处理器模块如 Verdin iMX8M Mini/Plus 也提供实验性支持。文章将以季度发布版本 Linux BSP V6.3.0 为例介绍如何下…

detour编译问题及导入visual studio

Detours是经过微软认证的一个开源Hook库&#xff0c;Detours在GitHub上&#xff0c;网址为 https://github.com/Microsoft/Detours 注意版本不一样的话也是会出问题的&#xff0c;因为我之前是vs2022的所以之前的detours.lib不能使用&#xff0c;必须用对应版本的x64 Native To…

python的安装(推荐)

torch安装与卸载推荐链接1推荐链接2 推荐链接3 安装pytorch步骤推荐链接 python关键字&#xff1a;

Java简单算法题(面试准备)

一、两数之和 public int[] twoSum(int[] nums, int target) {for (int i 0; i < nums.length; i) {for (int j i 1; j < nums.length; j) {if (nums[i] nums[j] target) {return new int[]{i, j};}}}throw new IllegalArgumentException("No two sum solutio…

4 hadoop集群配置案例

3&#xff09;配置集群 &#xff08;1&#xff09;核心配置文件&#xff0c;core-site.xml cd $HADOOP_HOME/etc/hadoopvim core-site.xml文件内容如下&#xff1a; <?xml version"1.0" encoding"UTF-8"?> <?xml-stylesheet type"text…

数据库概述

目录 数据库 数据库的基本概念 数据 表 数据库 数据库管理系统 数据库系统 DBMS的主要功能 DBMS的工作模式 ​编辑 数据库的发展 数据库类型 关系数据库 关系数据库的构成 非关系数据库 非关系型数据库的优点 关系型数据库与非关系型数据库的区别 数据库 数据库…

Flink流批一体计算(16):PyFlink DataStream API

目录 概述 Pipeline Dataflow 代码示例WorldCount.py 执行脚本WorldCount.py 概述 Apache Flink 提供了 DataStream API&#xff0c;用于构建健壮的、有状态的流式应用程序。它提供了对状态和时间细粒度控制&#xff0c;从而允许实现高级事件驱动系统。 用户实现的Flink程…

Ubuntu安装RabbitMQ

一、安装 更新系统软件包列表&#xff1a; sudo apt update安装RabbitMQ的依赖组件和GPG密钥&#xff1a; sudo apt install -y curl gnupg curl -fsSL https://github.com/rabbitmq/signing-keys/releases/download/2.0/rabbitmq-release-signing-key.asc | sudo gpg --dearmo…

半导体制造常用软件工具总结

半导体制造常用软件工具总结 CIM&#xff1a;Computer Integrated Manufacturing 设备自动化&#xff0c;总称MES&#xff1a;Manufacturing Execution System 制造执行系统EAP&#xff1a;Equipment Automation Programming 设备自动化&#xff0c;是MES与设备的桥梁APC&…

暴力递归转动态规划(二)

上一篇已经简单的介绍了暴力递归如何转动态规划&#xff0c;如果在暴力递归的过程中发现子过程中有重复解的情况&#xff0c;则证明这个暴力递归可以转化成动态规划。 这篇帖子会继续暴力递归转化动态规划的练习&#xff0c;这道题有点难度。 题目 给定一个整型数组arr[]&…

用心维护好电脑,提高学习工作效率

文章目录 一、我的电脑1.1 如何查看自己的电脑硬件信息呢&#xff1f; 二、电脑标准保养步骤和建议2.1 保持清洁2.2 定期升级系统和软件2.3 安全防护2.4 清理磁盘空间2.5 备份重要数据2.6 优化启动项2.7 散热管理2.8 硬件维护2.9 电源管理2.10 注意下载和安装2.11 定期维护 三、…