首页 > 作文

web页面录屏实现

更新时间:2023-04-03 08:10:14 阅读: 评论:0

在前面的话

在看到评论后,突然意识到自己没有提前说明,本文可以说是一篇调研学习文,是我自己感觉可行的一套方案,后续会去读读已经开源的一些类似的代码库,补足自己遗漏的一些细节,所以大家可以当作学习文,生产环境慎用。

录屏重现错误场景

如果你的应用有接入到web apm系统中,那么你可能就知道apm系统能帮你捕获到页面发生的未捕获错误,给出错误栈,帮助你定位到bug。但是,有些时候,当你不知道用户的具体操作时,是没有办法重现这个错误的,这时候,如果有操作录屏,你就可以清楚地了解到用户的操作路径,从而复现这个bug并且修复。

实现思路

思路一:利用canvas截图

这个思路比较简单,就是利用canvas去画网页内容,比较有名的库有: ,这个库的简单原理是:

收集所有的dom,存入一个queue中;根据zindex按照顺序将dom一个个通过一定规则,把dom和其css样式一起画到canvas上。

这个实现是比较复杂的,但是我们可以直接使用,所以我们可以获取到我们想要的网页截图。

为了使得生成的视频较为流畅,我们一秒中需要生成大约25帧,也就是需要25张截图,思路流程图如下:

但是,这个思路有个最致命的不足:为了视频流畅,一秒中我们需要25张图,一张图300kb,当我们需要30秒的视频时,图的大小总共为220m,这么大的网络开销明显不行。

思路二:记录所有操作重现

为了降低网络开销,我们换个思路,我们在最开始的页面基础上,记录下一步步操作,在我们需要”播放”的时候,按照顺序应用这些操作,这样我们就能看到页面的变化了。这个思路把鼠标操作和dom变化分开:

鼠标变化:

监听mouover事件,记录鼠标的clientx和clienty。重放的时候使用js画出一个假的鼠标,根据坐标记录来更改”鼠标”的位置。

dom变化:

对页面dom进行一次全量快照。包括样式的收集、js脚本去除,并通过一定的规则给当前的每个dom元素标记一个id。监听所有可能对界面产生影响的事件,例如各类鼠标事件、输入事件、滚动事件、缩放事件等等,每个事件都记录参数和目标元素,目标元素可以是刚才记录的id,这样的每一次变化事件可以记录为一次增量的快照。将一定量的快照发送给后端。在后台根据快照和操作链进行播放。

当然这个说明是比较简略的,鼠标的记录比较简单,我们不展开讲,主要说明一下dom监控的实现思路。

页面首次全量快照

首先你可能会想到,要实现页面全量快照,可以直接使用 outerhtml

const content = document.documentelement.outerhtml;

这样就简单记录了页面的所有dom,你只需要首先给dom增加标记id,然后得到outerhtml,然后去除js脚本。

但是,这里有个问题,使用 outerhtml 记录的dom会将把临近的两个textnode合并为一个节点,而我们后续监控dom变化时会使用 mutationobrver ,此时你需要大量的处理来兼容这种textnode的合并,不然你在还原操作的时候无法定位到操作的目标节点。

那么,我们有办法保持页面dom的原有结构吗?

答案是肯定的,在这里我们使用virtual dom来记录dom结构,把documentelement变成virtual dom,记录下来,后面还原的时候重新生成dom即可。

dom转化为virtual dom

我们在这里只需要关心两种node类型: node.text_nodenode.element_node 。同时,要注意,svg和svg子元素的创建需要使用api:createelementns,所以,我们在记录virtual dom的时候,需要注意namespace的记录,上代码:

const svg_namespace = 'http://www.w3.org/2000/svg';const xml_namespaces = ['xmlns', 'xmlns:svg', 'xmlns:xlink']搞笑群名;function createvirtualdom(element, issvg = fal)  {  switch (element.nodetype) {    ca node.text_node:      return createvirtualtext(element);    ca node.element_node:      return createvirtualelement(element, issvg || element.tagname.tolowerca() === 'svg');    default:      return null;  }}function createvirtualtext(element) {  const vtext = {    text: element.nodevalue,    type: 'virtualtext',  };  if (typeof element.__flow !== 'undefined') {    vtext.__flow = element.__flow;  }  return vtext;}function createvirtualelement(element, issvg = fal) {  const tagname = element.tagname.tolowerca();  const children = getnodechildren(element, issvg);  const { attr, namespace } = getnodeattributes(element, issvg);  const velement = {    tagname, type: 'virtualelement', children, attributes: attr, namespace,  };  if (typeof element.__flow !== 'undefined') {    velement.__flow = element.__flow;  }  return velement;}function getnodechildren(element, issvg = fal) {  const childnodes = element.childnodes ? [...element.childnodes] : [];  const children = [];  childnodes.foreach((cnode) => {    children.push(createvirtualdom(cnode, issvg));  });  return children.filter(c => !!c);}function getnodeattributes(element, issvg = fal) {  const attributes = element.attributes ? [...element.attributes] : [];  const attr = {};  let namespace;  attributes.foreach(({ nodename, nodevalue }) => {    attr[nodename] = nodevalue;    if (xml_namespaces.includes(nodename)) {      namespace = nodevalue;    } el if (issvg) {      namespace = svg_namespace;    }  });  return { attr, namespace };}

通过以上代码,我们可以将整个documentelement转化为virtual dom,其中__flow用来记录一些参数,包括标记id等,virtual node记录了:type、attributes、children、namespace。

virtual dom还原为dom

将virtual dom还原为dom的时候就比较简单了,只需要递归创建dom即可,其中nodefilter是为了过滤script元素,因为我们不需要js脚本的执行。

function createelement(vdom, nodefilter = () => true) {  let node;  if (vdom.type === 'virtualtext') {    node = document.createtextnode(vdom.text);  } el {    node = typeof vdom.namespace === 'undefined'      ? document.createelement(vdom.tagname)      : document.createelementns(vdom.namespace, vdom.tagname);    for (let name in vdom.attributes) {      node.tattribute(name, vdom.attributes[name]);    }    vdom.children.foreach((cnode) => {      const childnode = createelement(cnode, nodefilter);      if (childnode && nodefilter(childnode)) {        node.appendchild(childnode);      }    });  }  if (vdom.__flow) {    node.__flow = vdom.__flow;  }  return node;}

dom结构变化监控

在这里,我们使用了api:mutationobrver,更值得高兴的是,这个api是所有浏览器都兼容的,所以我们可以大胆使用。

使用mutationobrver:

const options = {  childlist: true, // 是否观察子节点的变动  subtree: true, // 是否观察所有后代节点的变动  attributes: true, // 是否观察属性的变动  attributeoldvalue: true, // 是否观察属性的变动的旧值  characterdata: true, // 是否节点内容或节点文本的变动  characterdataoldvalue: true, // 是否节点内容或节点文本的变动的旧值  // attributefilter: ['class', 'src'] 不在此数组中的属性变化时将被忽略};const obrver = new mutationobrver((mutationlist) => {    // mutationlist: array of mutation});obrver.obrve(document.documentelement, options);

使用起来很简单,你只需要指定一个根节点和需要监控的一些选项,那么当dom变化时,在callback函数中就会有一个mutationlist,这是一个dom的变化列表,其中mutation的结构大概为:

{    type: 'childlist', // or characterdata、attributes    target: <dom>,    // other params}

我们使用一个数组来存放mutation,具体的callback为:

const onmutationchange = (mutationslist) => {  const getflowid = (node) => {    if (node) {      // 新插入的dom没有标记,所以这里需要兼容      if (!node.__flow) node.__flow = { id: uuid() };      return node.__flow.id;    }  };  mutationslist.foreach((mutation) => {    const { target, type, attributename } = mutation;    const record = {       type,       target: getflowid(target),     };    switch (type) {      ca 'characterdata':        record.value = target.nodevalue;        break;      ca 'attributes':        record.attributename = attributename;        record.attributevalue = target.getattribute(attributename);        break;      ca 'childlist':        record.removednodes = [...mutation.removednodes].map(n => getflowid(n));        record.addednodes = [...mutation.addednodes].map((n) => {          const snapshot = this.takesnapshot(n);          return {            ...snapshot,            nextsibling: getflowid(n.nextsibling),            previoussibling: getflowid(n.previoussibling)          };中小学心理健康        });        break;    }    this.records.push(record);  });}function takesnapshot(node, options = {}) {  this.marknodes(node);  const snapshot = {    vdom: createvirtualdom(node),  };  if (options.doctype === true) {    snapshot.doctype = document.doctype.name;    snapshot.clientwidth = document.body.clientwidth;    snapshot.clientheight = document.body.clientheight;  }  return snapshot;}

这里面只需要注意,当你处理新增dom的时候,你需要一次增量的快照,这里仍然使用virtual dom来记录,在后面播放的时候,仍然生成dom,插入到父元素即可,所以这里需要参照dom,也就是兄弟节点。

表单元素监控

上面的mutationobrver并不能监控到input等元素的值变化,所以我们需要对表单元素的值进行特殊处理。

oninput事件监听

mdn文档: https://developer.mozilla.org/en-us/docs/web/api/globaleventhandlers/oninput

事件对象:lect、input,textarea

window.addeventlistener('input', this.onforminput, true);onforminput = (event) => {  const target = event.target;  if 影视化装(    target &&     target.__flow &&    ['lect', 'textarea', 'input'].includes(target.tagname.tolowerca())   ) {     this.records.push({       type: 'input',        target: target.__flow.id,        value: target.value,      });   }}

在window上使用捕获来捕获事件,后面也是这样处理的,这样做的原因是我们是可能并经常在冒泡阶段阻止冒泡来实现一些功能,所以使用捕获可以减少事件丢失,另外,像scroll事件是不会冒泡的,必须使用捕获。

onchange事件监听

mdn文档: https://developer.mozilla.org/en-us/docs/web/api/globaleventhandlers/oninput

input事件没法满足type为checkbox和radio的监控,所以需要借助onchange事件来监控

window.addeventlistener('change', this.onformchange, true);onformchange = (event) => {  const target = event.target;  if (target && target.__flow) {    if (      target.tagname.tolowerca() === 'input' &&      ['checkbox', 'radio'].includes(target.getattribute('type'))    ) {      this.records.push({        type: 'checked',         target: target.__flow.id,         checked: target.checked,      });    }  }}

onfocus事件监听

mdn文档: https://developer.mozilla.org/en-us/docs/web/api/globaleventhandlers/onfocus

window.addeventlistener('focus', this.onformfocus, true);onformfocus = (event) => {  const target = eve治疗脸部过敏nt.target;  if (target && target.__flow) {    this.records.push({      type: 'focus',       target: target.__flow.id,    });  }}

onblur事件监听

mdn文档: https://developer.mozilla.org/en-us/docs/web/api/globaleventhandlers/onblur

window.addeventlistener('blur', this.onformblur, true);onformblur = (event) => {  const target = event.target;  if (target && target.__flow) {    this.records.push({      type: 'blur',       target: target.__flow.id,    });  }}

媒体元素变化监听

这里指audio和video,类似上面的表单元素,可以监听onplay、onpau事件、timeupdate、volumechange等等事件,然后存入records

武汉大学简介canvas画布变化监听

canvas内容变化没有抛出事件,所以我们可以:

收集canvas元素,定时去更新实时内容 hack一些画画的api,来抛出事件

canvas监听研究没有很深入,需要进一步深入研究

播放

思路比较简单,就是从后端拿到一些信息:

全量快照virtual dom操作链records屏幕分辨率doctype

利用这些信息,你就可以首先生成页面dom,其中包括过滤script标签,然后创建iframe,append到一个容器中,其中使用一个map来存储dom

function play(options = {}) {  const { container, records = [], snapshot ={} } = options;  const { vdom, doctype, clientheight, clientwidth } = snapshot;  this.nodecache = {};  this.records = records;  this.container = container;  this.snapshot = snapshot;  this.iframe = document.createelement('iframe');  const documentelement = createelement(vdom, (node) => {    // 缓存dom    const flowid = node.__flow && node.__flow.id;    if (flowid) {      this.nodecache[flowid] = node;    }    // 过滤script    return !(node.nodetype === node.element_node && node.tagname.tolowerca() === 'script');   });      this.iframe.style.width = `${clientwidth}px`;  this.iframe.style.height = `${clientheight}px`;  container.appendchild(iframe);  const doc = iframe.contentdocument;  this.iframedocument = doc;  doc.open();  doc.write(`<!doctype ${doctype}><html><head></head><body></body></html>`);  doc.clo();  doc.replacechild(documentelement, doc.documentelement);  this.execrecords();}
function execrecords(preduration = 0) {  const record = this.records.shift();  let node;  if (record) {    ttimeout(() => {      switch (record.type) {        // 'childlist'、'characterdata'、        // 'attributes'、'input'、'checked'、        // 'focus'、'blur'、'play''pau'等事件的处理      }      this.execrecords(record.duration);    }, record.duration - preduration)  }}

上面的duration在上文中省略了,这个你可以根据自己的优化来做播放的流畅度,看是多个record作为一帧还是原本呈现。

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持www.887551.com。

本文发布于:2023-04-03 08:10:10,感谢您对本站的认可!

本文链接:https://www.wtabcd.cn/fanwen/zuowen/20f2364e4df8b1e0992c7bddcfd4e933.html

版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系,我们将在24小时内删除。

本文word下载地址:web页面录屏实现.doc

本文 PDF 下载地址:web页面录屏实现.pdf

标签:事件   节点   鼠标   快照
相关文章
留言与评论(共有 0 条评论)
   
验证码:
Copyright ©2019-2022 Comsenz Inc.Powered by © 专利检索| 网站地图