refactor(markdown-vetur): support generate webstorm types (#5900)

This commit is contained in:
neverland 2020-03-24 20:43:28 +08:00 committed by GitHub
parent 7ae3a4a1b1
commit c74fbf58a4
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
12 changed files with 422 additions and 226 deletions

View File

@ -5,8 +5,8 @@ import { SRC_DIR, getVantConfig, ROOT } from '../common/constant';
// generate vetur tags & attributes
export function genVeturConfig() {
const vantCongig = getVantConfig();
const options = get(vantCongig, 'build.vetur');
const vantConfig = getVantConfig();
const options = get(vantConfig, 'build.vetur');
if (options) {
markdownVetur.parseAndWrite({

View File

@ -1,6 +1,6 @@
# Vant Markdown Vetur
将 .md 文件转换成能描述 vue 组件的 .json 文件,供 vscode 插件 *vetur* 读取,从而可以在 vue 模版语法中拥有自动补全的功能。
将 .md 文件转换成能描述 vue 组件的 .json 文件,供 WebStorm 和 vscode 的 `vetur` 插件读取,从而可以在 vue 模版语法中拥有自动补全的功能。
## Install

View File

@ -16,5 +16,12 @@
"dev": "tsc --watch",
"build": "tsc",
"release": "npm run build && npm publish"
},
"dependencies": {
"fast-glob": "^3.2.2",
"fs-extra": "^9.0.0"
},
"devDependencies": {
"@types/fs-extra": "^8.1.0"
}
}

View File

@ -1,89 +0,0 @@
/* eslint-disable no-continue */
import { Artical } from './md-parser';
const FLAG_REG = /(.*?)\s*(Props|Event)/i;
export type Tag = {
attributes: Record<string, Attribute>;
description: string;
defaults?: Array<string>;
subtags?: Array<string>;
};
export type Attribute = {
description: string;
type?: string;
options?: Array<string>;
};
function camelCaseToKebabCase(input: string): string {
return input.replace(
/[A-Z]/g,
(val, index) => (index === 0 ? '' : '-') + val.toLowerCase()
);
}
function removeVersionTag(str: string) {
return str.replace(/`(\w|\.)+`/g, '').trim();
}
function getDescription(td: string[], isProp: boolean) {
const desc = td[1] ? td[1].replace('<br>', '') : '';
const type = td[2] ? td[2].replace(/\*/g, '') : '';
const defaultVal = td[3] ? td[3].replace(/`/g, '') : '';
if (isProp) {
return `${desc}, 默认值: ${defaultVal}, 类型: ${type}`;
}
return desc;
}
export function codegen(artical: Artical) {
const tags: Record<string, Tag> = {};
let tagDescription = '';
for (let i = 0, len = artical.length; i < len; i++) {
const item = artical[i];
if (item.type === 'title' && item.level === 2) {
if (item.content) {
tagDescription = item.content;
}
} else if (item.type === 'table') {
const before = artical[i - 1];
if (!before || !before.content) {
continue;
}
const { table } = item;
const match = FLAG_REG.exec(before.content);
if (!match || !table) {
continue;
}
const key = camelCaseToKebabCase(match[1] || 'default');
const tag: Tag = tags[key] || {
description: tagDescription,
attributes: {},
};
tags[key] = tag;
const isProp = /Props/i.test(match[2]);
table.body.forEach(td => {
const name = removeVersionTag(td[0]);
const attr: Attribute = {
description: getDescription(td, isProp),
type: isProp ? td[2].replace(/`/g, '').toLowerCase() : 'event',
};
tag.attributes[name] = attr;
});
}
}
return tags;
}

View File

@ -0,0 +1,77 @@
/* eslint-disable no-continue */
import { Artical, Articals } from './parser';
import { formatType, removeVersion, toKebabCase } from './utils';
import { VueTag } from './type';
function getComponentName(artical: Artical, tagPrefix: string) {
if (artical.content) {
return tagPrefix + toKebabCase(artical.content.split(' ')[0]);
}
return '';
}
export function formatter(articals: Articals, tagPrefix: string = '') {
if (!articals.length) {
return;
}
const tag: VueTag = {
name: getComponentName(articals[0], tagPrefix),
slots: [],
events: [],
attributes: [],
};
const tables = articals.filter(artical => artical.type === 'table');
tables.forEach(item => {
const { table } = item;
const prevIndex = articals.indexOf(item) - 1;
const prevArtical = articals[prevIndex];
if (!prevArtical || !prevArtical.content || !table || !table.body) {
return;
}
const tableTitle = prevArtical.content;
if (tableTitle.includes('Props')) {
table.body.forEach(line => {
const [name, desc, type, defaultVal] = line;
tag.attributes!.push({
name: removeVersion(name),
default: defaultVal,
description: desc,
value: {
type: formatType(type),
kind: 'expression',
},
});
});
return;
}
if (tableTitle.includes('Events')) {
table.body.forEach(line => {
const [name, desc] = line;
tag.events!.push({
name: removeVersion(name),
description: desc,
});
});
return;
}
if (tableTitle.includes('Slots')) {
table.body.forEach(line => {
const [name, desc] = line;
tag.slots!.push({
name: removeVersion(name),
description: desc,
});
});
}
});
return tag;
}

View File

@ -1,140 +1,46 @@
import glob from 'fast-glob';
import { join } from 'path';
import { mdParser } from './md-parser';
import { codegen, Tag, Attribute } from './codegen';
import {
PathLike,
statSync,
mkdirSync,
existsSync,
readdirSync,
readFileSync,
writeFileSync,
} from 'fs';
import { mdParser } from './parser';
import { formatter } from './formatter';
import { genWebTypes } from './web-types';
import { readFileSync, outputFileSync } from 'fs-extra';
import { Options, VueTag } from './type';
import { normalizePath } from './utils';
import { genVeturTags, genVeturAttributes } from './vetur';
export function parseText(input: string) {
const ast = mdParser(input);
return codegen(ast);
async function readMarkdown(options: Options) {
const mds = await glob(normalizePath(`${options.path}/**/*.md`));
return mds
.filter(md => options.test.test(md))
.map(path => readFileSync(path, 'utf-8'));
}
export type Options = {
// 需要解析的文件夹路径
path: PathLike;
// 文件匹配正则
test: RegExp;
// 输出目录
outputDir?: string;
// 递归的目录最大深度
maxDeep?: number;
// 解析出来的组件名前缀
tagPrefix?: string;
};
export type ParseResult = {
tags: Record<
string,
{
description: string;
attributes: string[];
}
>;
attributes: Record<string, Attribute>;
};
const defaultOptions = {
maxDeep: Infinity,
tagPrefix: '',
};
export function parse(options: Options) {
options = {
...defaultOptions,
...options,
};
const result: ParseResult = {
tags: {},
attributes: {},
};
function putResult(componentName: string, component: Tag) {
componentName = options.tagPrefix + componentName;
const attributes = Object.keys(component.attributes);
const tag = {
description: component.description,
attributes,
};
result.tags[componentName] = tag;
attributes.forEach(key => {
result.attributes[`${componentName}/${key}`] = component.attributes[key];
});
}
function recursiveParse(options: Options, deep: number) {
if (options.maxDeep && deep > options.maxDeep) {
return;
}
deep++;
const files = readdirSync(options.path);
files.forEach(item => {
const currentPath = join(options.path.toString(), item);
const stats = statSync(currentPath);
if (stats.isDirectory()) {
recursiveParse(
{
...options,
path: currentPath,
},
deep
);
} else if (stats.isFile() && options.test.test(item)) {
const file = readFileSync(currentPath);
const tags = parseText(file.toString());
if (tags.default) {
// one tag
putResult(currentPath.split('/').slice(-2)[0], tags.default);
} else {
Object.keys(tags).forEach(key => {
putResult(key, tags[key]);
});
}
}
});
}
recursiveParse(options, 0);
return result;
}
export function parseAndWrite(options: Options) {
const { tags, attributes } = parse(options);
export async function parseAndWrite(options: Options) {
if (!options.outputDir) {
return;
throw new Error('outputDir can not be empty.');
}
const isExist = existsSync(options.outputDir);
if (!isExist) {
mkdirSync(options.outputDir);
}
const mds = await readMarkdown(options);
const datas = mds
.map(md => formatter(mdParser(md), options.tagPrefix))
.filter(item => !!item) as VueTag[];
writeFileSync(
const webTypes = genWebTypes(datas, options);
const veturTags = genVeturTags(datas);
const veturAttributes = genVeturAttributes(datas);
outputFileSync(
join(options.outputDir, 'tags.json'),
JSON.stringify(tags, null, 2)
JSON.stringify(veturTags, null, 2)
);
writeFileSync(
outputFileSync(
join(options.outputDir, 'attributes.json'),
JSON.stringify(attributes, null, 2)
JSON.stringify(veturAttributes, null, 2)
);
outputFileSync(
join(options.outputDir, 'web-types.json'),
JSON.stringify(webTypes, null, 2)
);
}
export default {
parse,
parseText,
parseAndWrite,
};
export default { parseAndWrite };

View File

@ -4,19 +4,19 @@ const TABLE_REG = /^\|.+\n\|\s*-+/;
const TD_REG = /\s*`[^`]+`\s*|([^|`]+)/g;
const TABLE_SPLIT_LINE_REG = /^\|\s*-/;
interface TableContent {
head: Array<string>;
body: Array<Array<string>>;
}
type TableContent = {
head: string[];
body: string[][];
};
interface SimpleMdAst {
export type Artical = {
type: string;
content?: string;
table?: TableContent;
level?: number;
}
};
export interface Artical extends Array<SimpleMdAst> {}
export type Articals = Artical[];
function readLine(input: string) {
const end = input.indexOf('\n');
@ -73,7 +73,7 @@ function tableParse(input: string) {
};
}
export function mdParser(input: string): Array<SimpleMdAst> {
export function mdParser(input: string): Articals {
const artical = [];
let start = 0;
const end = input.length;

View File

@ -0,0 +1,63 @@
import { PathLike } from 'fs';
export type VueSlot = {
name: string;
description: string;
};
export type VueEventArgument = {
name: string;
type: string;
};
export type VueEvent = {
name: string;
description?: string;
arguments?: VueEventArgument[];
};
export type VueAttribute = {
name: string;
default: string;
description: string;
value: {
kind: 'expression';
type: string;
};
};
export type VueTag = {
name: string;
slots?: VueSlot[];
events?: VueEvent[];
attributes?: VueAttribute[];
description?: string;
};
export type VeturTag = {
description?: string;
attributes: string[];
};
export type VeturTags = Record<string, VeturTag>;
export type VeturAttribute = {
type: string;
description: string;
};
export type VeturAttributes = Record<string, VeturAttribute>;
export type VeturResult = {
tags: VeturTags;
attributes: VeturAttributes;
};
export type Options = {
name: string;
path: PathLike;
test: RegExp;
version: string;
outputDir?: string;
tagPrefix?: string;
};

View File

@ -0,0 +1,21 @@
// myName -> my-name
export function toKebabCase(input: string): string {
return input.replace(
/[A-Z]/g,
(val, index) => (index === 0 ? '' : '-') + val.toLowerCase()
);
}
// name `v2.0.0` -> name
export function removeVersion(str: string) {
return str.replace(/`(\w|\.)+`/g, '').trim();
}
// *boolean* -> boolean
export function formatType(type: string) {
return type.replace(/\*/g, '');
}
export function normalizePath(path: string): string {
return path.replace(/\\/g, '/');
}

View File

@ -0,0 +1,30 @@
import { VueTag, VeturTags, VeturAttributes } from './type';
export function genVeturTags(tags: VueTag[]) {
const veturTags: VeturTags = {};
tags.forEach(tag => {
veturTags[tag.name] = {
attributes: tag.attributes ? tag.attributes.map(item => item.name) : [],
};
});
return veturTags;
}
export function genVeturAttributes(tags: VueTag[]) {
const veturAttributes: VeturAttributes = {};
tags.forEach(tag => {
if (tag.attributes) {
tag.attributes.forEach(attr => {
veturAttributes[`${tag.name}/${attr.name}`] = {
type: attr.value.type,
description: `${attr.description}, 默认值: ${attr.default}`,
};
});
}
});
return veturAttributes;
}

View File

@ -0,0 +1,19 @@
import { VueTag, Options } from './type';
// create web-types.json to provide autocomplete in JetBrains IDEs
export function genWebTypes(tags: VueTag[], options: Options) {
return {
$schema:
'https://raw.githubusercontent.com/JetBrains/web-types/master/schema/web-types.json',
framework: 'vue',
name: options.name,
version: options.version,
contributions: {
html: {
tags,
attributes: [],
'types-syntax': 'typescript',
},
},
};
}

View File

@ -0,0 +1,162 @@
# THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
# yarn lockfile v1
"@nodelib/fs.scandir@2.1.3":
version "2.1.3"
resolved "http://registry.npm.qima-inc.com/@nodelib/fs.scandir/download/@nodelib/fs.scandir-2.1.3.tgz#3a582bdb53804c6ba6d146579c46e52130cf4a3b"
integrity sha1-Olgr21OATGum0UZXnEblITDPSjs=
dependencies:
"@nodelib/fs.stat" "2.0.3"
run-parallel "^1.1.9"
"@nodelib/fs.stat@2.0.3", "@nodelib/fs.stat@^2.0.2":
version "2.0.3"
resolved "http://registry.npm.qima-inc.com/@nodelib/fs.stat/download/@nodelib/fs.stat-2.0.3.tgz#34dc5f4cabbc720f4e60f75a747e7ecd6c175bd3"
integrity sha1-NNxfTKu8cg9OYPdadH5+zWwXW9M=
"@nodelib/fs.walk@^1.2.3":
version "1.2.4"
resolved "http://registry.npm.qima-inc.com/@nodelib/fs.walk/download/@nodelib/fs.walk-1.2.4.tgz#011b9202a70a6366e436ca5c065844528ab04976"
integrity sha1-ARuSAqcKY2bkNspcBlhEUoqwSXY=
dependencies:
"@nodelib/fs.scandir" "2.1.3"
fastq "^1.6.0"
"@types/fs-extra@^8.1.0":
version "8.1.0"
resolved "http://registry.npm.qima-inc.com/@types/fs-extra/download/@types/fs-extra-8.1.0.tgz#1114834b53c3914806cd03b3304b37b3bd221a4d"
integrity sha1-ERSDS1PDkUgGzQOzMEs3s70iGk0=
dependencies:
"@types/node" "*"
"@types/node@*":
version "13.9.3"
resolved "http://registry.npm.qima-inc.com/@types/node/download/@types/node-13.9.3.tgz#6356df2647de9eac569f9a52eda3480fa9e70b4d"
integrity sha1-Y1bfJkfenqxWn5pS7aNID6nnC00=
at-least-node@^1.0.0:
version "1.0.0"
resolved "http://registry.npm.qima-inc.com/at-least-node/download/at-least-node-1.0.0.tgz#602cd4b46e844ad4effc92a8011a3c46e0238dc2"
integrity sha1-YCzUtG6EStTv/JKoARo8RuAjjcI=
braces@^3.0.1:
version "3.0.2"
resolved "http://registry.npm.qima-inc.com/braces/download/braces-3.0.2.tgz#3454e1a462ee8d599e236df336cd9ea4f8afe107"
integrity sha1-NFThpGLujVmeI23zNs2epPiv4Qc=
dependencies:
fill-range "^7.0.1"
fast-glob@^3.2.2:
version "3.2.2"
resolved "http://registry.npm.qima-inc.com/fast-glob/download/fast-glob-3.2.2.tgz#ade1a9d91148965d4bf7c51f72e1ca662d32e63d"
integrity sha1-reGp2RFIll1L98UfcuHKZi0y5j0=
dependencies:
"@nodelib/fs.stat" "^2.0.2"
"@nodelib/fs.walk" "^1.2.3"
glob-parent "^5.1.0"
merge2 "^1.3.0"
micromatch "^4.0.2"
picomatch "^2.2.1"
fastq@^1.6.0:
version "1.6.1"
resolved "http://registry.npm.qima-inc.com/fastq/download/fastq-1.6.1.tgz#4570c74f2ded173e71cf0beb08ac70bb85826791"
integrity sha1-RXDHTy3tFz5xzwvrCKxwu4WCZ5E=
dependencies:
reusify "^1.0.4"
fill-range@^7.0.1:
version "7.0.1"
resolved "http://registry.npm.qima-inc.com/fill-range/download/fill-range-7.0.1.tgz#1919a6a7c75fe38b2c7c77e5198535da9acdda40"
integrity sha1-GRmmp8df44ssfHflGYU12prN2kA=
dependencies:
to-regex-range "^5.0.1"
fs-extra@^9.0.0:
version "9.0.0"
resolved "http://registry.npm.qima-inc.com/fs-extra/download/fs-extra-9.0.0.tgz#b6afc31036e247b2466dc99c29ae797d5d4580a3"
integrity sha1-tq/DEDbiR7JGbcmcKa55fV1FgKM=
dependencies:
at-least-node "^1.0.0"
graceful-fs "^4.2.0"
jsonfile "^6.0.1"
universalify "^1.0.0"
glob-parent@^5.1.0:
version "5.1.1"
resolved "http://registry.npm.qima-inc.com/glob-parent/download/glob-parent-5.1.1.tgz#b6c1ef417c4e5663ea498f1c45afac6916bbc229"
integrity sha1-tsHvQXxOVmPqSY8cRa+saRa7wik=
dependencies:
is-glob "^4.0.1"
graceful-fs@^4.1.6, graceful-fs@^4.2.0:
version "4.2.3"
resolved "http://registry.npm.qima-inc.com/graceful-fs/download/graceful-fs-4.2.3.tgz#4a12ff1b60376ef09862c2093edd908328be8423"
integrity sha1-ShL/G2A3bvCYYsIJPt2Qgyi+hCM=
is-extglob@^2.1.1:
version "2.1.1"
resolved "http://registry.npm.qima-inc.com/is-extglob/download/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2"
integrity sha1-qIwCU1eR8C7TfHahueqXc8gz+MI=
is-glob@^4.0.1:
version "4.0.1"
resolved "http://registry.npm.qima-inc.com/is-glob/download/is-glob-4.0.1.tgz#7567dbe9f2f5e2467bc77ab83c4a29482407a5dc"
integrity sha1-dWfb6fL14kZ7x3q4PEopSCQHpdw=
dependencies:
is-extglob "^2.1.1"
is-number@^7.0.0:
version "7.0.0"
resolved "http://registry.npm.qima-inc.com/is-number/download/is-number-7.0.0.tgz#7535345b896734d5f80c4d06c50955527a14f12b"
integrity sha1-dTU0W4lnNNX4DE0GxQlVUnoU8Ss=
jsonfile@^6.0.1:
version "6.0.1"
resolved "http://registry.npm.qima-inc.com/jsonfile/download/jsonfile-6.0.1.tgz#98966cba214378c8c84b82e085907b40bf614179"
integrity sha1-mJZsuiFDeMjIS4LghZB7QL9hQXk=
dependencies:
universalify "^1.0.0"
optionalDependencies:
graceful-fs "^4.1.6"
merge2@^1.3.0:
version "1.3.0"
resolved "http://registry.npm.qima-inc.com/merge2/download/merge2-1.3.0.tgz#5b366ee83b2f1582c48f87e47cf1a9352103ca81"
integrity sha1-WzZu6DsvFYLEj4fkfPGpNSEDyoE=
micromatch@^4.0.2:
version "4.0.2"
resolved "http://registry.npm.qima-inc.com/micromatch/download/micromatch-4.0.2.tgz#4fcb0999bf9fbc2fcbdd212f6d629b9a56c39259"
integrity sha1-T8sJmb+fvC/L3SEvbWKbmlbDklk=
dependencies:
braces "^3.0.1"
picomatch "^2.0.5"
picomatch@^2.0.5, picomatch@^2.2.1:
version "2.2.2"
resolved "http://registry.npm.qima-inc.com/picomatch/download/picomatch-2.2.2.tgz#21f333e9b6b8eaff02468f5146ea406d345f4dad"
integrity sha1-IfMz6ba46v8CRo9RRupAbTRfTa0=
reusify@^1.0.4:
version "1.0.4"
resolved "http://registry.npm.qima-inc.com/reusify/download/reusify-1.0.4.tgz#90da382b1e126efc02146e90845a88db12925d76"
integrity sha1-kNo4Kx4SbvwCFG6QhFqI2xKSXXY=
run-parallel@^1.1.9:
version "1.1.9"
resolved "http://registry.npm.qima-inc.com/run-parallel/download/run-parallel-1.1.9.tgz#c9dd3a7cf9f4b2c4b6244e173a6ed866e61dd679"
integrity sha1-yd06fPn0ssS2JE4XOm7YZuYd1nk=
to-regex-range@^5.0.1:
version "5.0.1"
resolved "http://registry.npm.qima-inc.com/to-regex-range/download/to-regex-range-5.0.1.tgz#1648c44aae7c8d988a326018ed72f5b4dd0392e4"
integrity sha1-FkjESq58jZiKMmAY7XL1tN0DkuQ=
dependencies:
is-number "^7.0.0"
universalify@^1.0.0:
version "1.0.0"
resolved "http://registry.npm.qima-inc.com/universalify/download/universalify-1.0.0.tgz#b61a1da173e8435b2fe3c67d29b9adf8594bd16d"
integrity sha1-thodoXPoQ1sv48Z9Kbmt+FlL0W0=