码迷,mamicode.com
首页 > Web开发 > 详细

JSON和HTML之间互转实现

时间:2020-09-18 17:16:55      阅读:61      评论:0      收藏:0      [点我收藏+]

标签:parser   col   item   驼峰命名   save   lis   result   map   解析   

主要实现功能html转json,再由json恢复html

可去除 style 和 script 标签

将行内样式转换为 js object

将 class 转换为数组形式

主要依赖于 htmlparser2 ; 这是一个性能优越、功能强大的 html 解析库

 

直接上代码

import { Parser } from "htmlparser2"

const numberValueRegexp = /^\d+$/
const zeroValueRegexp = /^0[^0\s].*$/
const scriptRegexp = /^script$/i
const styleRegexp = /^style$/i
const selfCloseTagRegexp = /^(meta|base|br|img|input|col|frame|link|area|param|embed|keygen|source)$/i

const TAG = ‘tag‘
const TEXT = ‘text‘
const COMMENT = ‘comment‘

/**
 * 去除前后空格
 */
export const trim = val => {
    return (val || ‘‘).replace(/^\s+/, ‘‘).replace(/\s+$/, ‘‘)
}
/**
 * 首字母大写
 */
export const capitalize = word => {
    return (word || ‘‘).replace(/( |^)[a-z]/, c => c.toUpperCase())
}
/**
 * 驼峰命名法/小驼峰命名法, 首字母小写
 */
export const camelCase = key => {
    return (key || ‘‘).split(/[_-]/).map((item, i) => i === 0 ? item : capitalize(item)).join(‘‘)
}
/**
 * 大驼峰命名法,首字母大写
 */
export const pascalCase = key => {
    return (key || ‘‘).split(/[_-]/).map(capitalize).join(‘‘)
}
export const isPlainObject = obj => {
    return Object.prototype.toString.call(obj) === ‘[object Object]‘
}
/**
 * 行内样式转Object
 */
export const style2Object = (style) => {
    if (!style || typeof style !== ‘string‘) {
        return {}
    }
    const styleObject = {}
    const styles = style.split(/;/)
    styles.forEach(item => {
        const [prop, value] = item.split(/:/)
        if (prop && value && trim(value)) {
            const val = trim(value)
            styleObject[camelCase(trim(prop))] = zeroValueRegexp.test(val) ? 0 : numberValueRegexp.test(val) ? Number(val) : val
        }
    })
    return styleObject
}

export const toJSON = (html, options) => {
    options = Object.assign({ skipStyle: false, skipScript: false, pureClass: false, pureComment: false }, options)
    const json = []
    let levelNodes = []
    const parser = new Parser({
        onopentag: (name, { style, class: classNames, ...attrs } = {}) => {
            let node = {}
            if ((scriptRegexp.test(name) && options.skipScript === true) ||
                (styleRegexp.test(name) && options.skipStyle === true)) {
                node = false
            } else {
                if (options.pureClass === true) {
                    classNames = ‘‘
                }
                node = {
                    type: TAG,
                    tagName: name,
                    style: style2Object(style),
                    inlineStyle: style || ‘‘,
                    attrs: { ...attrs },
                    classNames: classNames || ‘‘,
                    classList: options.pureClass ? [] : (classNames || ‘‘).split(/\s+/).map(trim).filter(Boolean),
                    children: []

                }
            }
            if (levelNodes[0]) {
                if (node !== false) {
                    const parent = levelNodes[0]
                    parent.children.push(node)
                }
                levelNodes.unshift(node)
            } else {
                if (node !== false) {
                    json.push(node)
                }
                levelNodes.push(node)
            }
        },
        ontext(text) {
            const parent = levelNodes[0]
            if (parent === false) {
                return
            }
            const node = {
                type: TEXT,
                content: text
            }
            if (!parent) {
                json.push(node)
            } else {
                if (!parent.children) {
                    parent.children = []
                }
                parent.children.push(node)
            }
        },
        oncomment(comments) {
            if (options.pureComment) {
                return
            }
            const parent = levelNodes[0]
            if (parent === false) {
                return
            }
            const node = {
                type: COMMENT,
                content: comments
            }
            if (!parent) {
                json.push(node)
            } else {
                if (!parent.children) {
                    parent.children = []
                }
                parent.children.push(node)
            }
        },
        onclosetag() {
            levelNodes.shift()
        },
        onend() {
            levelNodes = null
        }
    })
    parser.done(html)
    return json
}
const setAttrs = (attrs, results) => {
    Object.keys(attrs || {}).forEach(k => {
        if (!attrs[k]) {
            results.push(k)
        } else {
            results.push(‘ ‘, k, ‘=‘, ‘"‘, attrs[k], ‘"‘)
        }
    })
}
const toElement = (elementInfo, results) => {

    switch (elementInfo.type) {
        case TAG:
            const tagName = elementInfo.tagName
            results.push(‘<‘, tagName)
            if (elementInfo.inlineStyle) {
                results.push(‘, elementInfo.inlineStyle, ‘"‘)
            }
            if (elementInfo.classNames) {
                results.push(‘, elementInfo.classNames, ‘"‘)
            }
            setAttrs(elementInfo.attrs, results)
            if (selfCloseTagRegexp.test(tagName)) {
                results.push(‘ />‘)
            } else {
                results.push(‘>‘)
                if (Array.isArray(elementInfo.children)) {
                    elementInfo.children.forEach(item => toElement(item, results))
                }
                results.push(‘</‘, tagName, ‘>‘)
            }
            break;
        case TEXT:
            results.push(elementInfo.content)
            break;
        case COMMENT:
            results.push("<!-- ", elementInfo.content, " -->")
            break;
        default:
        // ignore
    }
}
export const toHTML = json => {
    json = json || []
    if (isPlainObject(json)) {
        json = [json]
    }
    const results = []
    json.forEach(item => toElement(item, results))
    return results.join(‘‘)
}
 

示例

const source = ‘<div>测试1</div> <div>测试2</div>‘
const htmljson = toJSON(source, { skipScript: true, skipStyle: true, pureClass: true, pureComment: true })
const jsonhtml = toHTML(htmljson)
console.log(htmljson)
console.log(jsonhtml)

 

参数说明

skipScript 过滤 script 标签,默认 false

skipStyle 过滤 style 标签,默认 false

pureClass 去掉 class 属性,默认 false

pureComment 去掉注释,默认 false

广州vi设计http://www.maiqicn.com 办公资源网站大全https://www.wode007.com

备注

htmlparser2 通过 npm i htmlparser2 --save 进行安装即可  

JSON和HTML之间互转实现

标签:parser   col   item   驼峰命名   save   lis   result   map   解析   

原文地址:https://www.cnblogs.com/cmqj/p/13690761.html

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!