Merge branch 'feat/joint-editor' into feat/code-generator

This commit is contained in:
春希 2020-03-17 15:06:55 +08:00
commit 0210c4d9ba
332 changed files with 216305 additions and 1397 deletions

View File

@ -2,13 +2,13 @@
"name": "lowcode-designer",
"version": "0.9.0",
"description": "alibaba lowcode designer",
"main": "index.js",
"main": "src/index.ts",
"author": "",
"license": "MIT",
"dependencies": {
"@ali/iceluna-sdk": "^1.0.5-beta.12",
"@recore/core-obx": "^1.0.4",
"@recore/obx": "^1.0.5",
"@recore/obx": "^1.0.8",
"@recore/obx-react": "^1.0.7",
"@types/medium-editor": "^5.0.3",
"classnames": "^2.2.6",
"react": "^16",

View File

@ -1,11 +1,9 @@
import { Component } from 'react';
import { obx } from '@recore/obx';
import { observer } from '@recore/core-obx';
import { observer } from '@recore/obx-react';
import Designer from '../../designer/designer';
import './ghost.less';
import { NodeSchema } from '../../designer/schema';
import Node from '../../designer/document/node/node';
import { isDragNodeObject, DragObject, isDragNodeDataObject } from '../../designer/helper/dragon';
import './ghost.less';
type offBinding = () => any;
@ -20,7 +18,10 @@ export default class Ghost extends Component<{ designer: Designer }> {
constructor(props: any) {
super(props);
this.dispose = [
this.dragon.onDragstart((e) => {
this.dragon.onDragstart(e => {
if (e.originalEvent.type.substr(0, 4) === 'drag') {
return;
}
this.dragObject = e.dragObject;
this.x = e.globalX;
this.y = e.globalY;
@ -50,7 +51,7 @@ export default class Ghost extends Component<{ designer: Designer }> {
renderGhostGroup() {
const dragObject = this.dragObject;
if (isDragNodeObject(dragObject)) {
return dragObject.nodes.map((node) => {
return dragObject.nodes.map(node => {
const ghost = (
<div className="lc-ghost" key={node.id}>
<div className="lc-ghost-title">{node.title}</div>
@ -59,17 +60,19 @@ export default class Ghost extends Component<{ designer: Designer }> {
return ghost;
});
} else if (isDragNodeDataObject(dragObject)) {
return Array.isArray(dragObject.data) ? dragObject.data.map((item, index) => {
return Array.isArray(dragObject.data) ? (
dragObject.data.map((item, index) => {
return (
<div className="lc-ghost" key={`ghost-${index}`}>
<div className="lc-ghost-title">{item.componentName}</div>
</div>
)
}) : (
);
})
) : (
<div className="lc-ghost">
<div className="lc-ghost-title">{dragObject.data.componentName}</div>
</div>
)
);
}
}

View File

@ -1,4 +1,4 @@
import { observer } from '@recore/core-obx';
import { observer } from '@recore/obx-react';
import { Component } from 'react';
import { OutlineHovering } from './outline-hovering';
import { SimulatorContext } from '../context';

View File

@ -1,9 +1,14 @@
import { Component } from 'react';
import { computed } from '@recore/obx';
import { observer } from '@recore/core-obx';
import { observer } from '@recore/obx-react';
import { SimulatorContext } from '../context';
import { SimulatorHost } from '../host';
import Location, { Rect, isLocationChildrenDetail, LocationChildrenDetail, isVertical } from '../../../../designer/helper/location';
import Location, {
Rect,
isLocationChildrenDetail,
LocationChildrenDetail,
isVertical,
} from '../../../../designer/helper/location';
import { ISimulator } from '../../../../designer/simulator';
import { NodeParent } from '../../../../designer/document/node/node';
import './insertion.less';
@ -19,11 +24,7 @@ interface InsertionData {
/**
* (INode)
*/
function processChildrenDetail(
sim: ISimulator,
target: NodeParent,
detail: LocationChildrenDetail,
): InsertionData {
function processChildrenDetail(sim: ISimulator, target: NodeParent, detail: LocationChildrenDetail): InsertionData {
let edge = detail.edge || null;
if (edge) {

View File

@ -1,6 +1,6 @@
import { Component, Fragment, PureComponent } from 'react';
import classNames from 'classnames';
import { observer } from '@recore/core-obx';
import { observer } from '@recore/obx-react';
import { SimulatorContext } from '../context';
import { SimulatorHost } from '../host';
import { computed } from '@recore/obx';
@ -72,12 +72,10 @@ export class OutlineHovering extends Component {
render() {
const host = this.context as SimulatorHost;
const current = this.current;
console.info('current', current)
if (!current || host.viewport.scrolling) {
return <Fragment />;
}
const instances = host.getComponentInstances(current);
console.info('current instances', instances)
if (!instances || instances.length < 1) {
return <Fragment />;
}

View File

@ -1,6 +1,6 @@
import { Component, Fragment } from 'react';
import classNames from 'classnames';
import { observer } from '@recore/core-obx';
import { observer } from '@recore/obx-react';
import { SimulatorContext } from '../context';
import { SimulatorHost } from '../host';
import { computed } from '@recore/obx';
@ -8,17 +8,17 @@ import OffsetObserver from '../../../../designer/helper/offset-observer';
import Node from '../../../../designer/document/node/node';
@observer
export class OutlineSelectingInstance extends Component<{ observed: OffsetObserver; highlight?: boolean }> {
shouldComponentUpdate() {
return false;
}
export class OutlineSelectingInstance extends Component<{
observed: OffsetObserver;
highlight?: boolean;
dragging?: boolean;
}> {
componentWillUnmount() {
this.props.observed.purge();
}
render() {
const { observed, highlight } = this.props;
const { observed, highlight, dragging } = this.props;
if (!observed.hasOffset) {
return null;
}
@ -33,6 +33,7 @@ export class OutlineSelectingInstance extends Component<{ observed: OffsetObserv
const className = classNames('lc-outlines lc-outlines-selecting', {
highlight,
dragging,
});
return (
@ -51,6 +52,10 @@ export class OutlineSelectingForNode extends Component<{ node: Node }> {
return this.context;
}
get dragging(): boolean {
return this.host.designer.dragon.dragging;
}
@computed get instances() {
return this.host.getComponentInstances(this.props.node);
}
@ -69,7 +74,7 @@ export class OutlineSelectingForNode extends Component<{ node: Node }> {
}
return (
<Fragment key={node.id}>
{instances.map((instance) => {
{instances.map(instance => {
const observed = designer.createOffsetObserver({
node,
instance,
@ -77,7 +82,7 @@ export class OutlineSelectingForNode extends Component<{ node: Node }> {
if (!observed) {
return null;
}
return <OutlineSelectingInstance key={observed.id} observed={observed} />;
return <OutlineSelectingInstance key={observed.id} dragging={this.dragging} observed={observed} />;
})}
</Fragment>
);
@ -92,12 +97,17 @@ export class OutlineSelecting extends Component {
return this.context;
}
get dragging(): boolean {
return this.host.designer.dragon.dragging;
}
@computed get selecting() {
const doc = this.host.document;
if (doc.suspensed) {
return null;
}
return doc.selection.getNodes();
const selection = doc.selection;
return this.dragging ? selection.getTopNodes() : selection.getNodes();
}
shouldComponentUpdate() {

View File

@ -22,7 +22,7 @@
&&-hovering {
z-index: 1;
border-style: dashed;
background: rgba(95, 240, 114, 0.04);
background: rgba(0,121,242,.04);
&.x-loop {
border-color: rgba(138, 93, 226, 0.8);
@ -44,6 +44,7 @@
&&-selecting {
z-index: 2;
border-width: 2px;
&.x-loop {
border-color: rgba(147, 112, 219, 1.0);
@ -67,7 +68,6 @@
&.dragging {
background: rgba(182, 178, 178, 0.8);
border: none;
pointer-events: all;
}
}
}

View File

@ -4,7 +4,11 @@ import { SimulatorHost } from './host';
import { AssetLevel, AssetLevels, AssetList, isAssetBundle, isAssetItem, AssetType, assetItem } from '../utils/asset';
import { isCSSUrl } from '../../../utils/is-css-url';
export function createSimulator(host: SimulatorHost, iframe: HTMLIFrameElement, vendors: AssetList = []): Promise<SimulatorRenderer> {
export function createSimulator(
host: SimulatorHost,
iframe: HTMLIFrameElement,
vendors: AssetList = [],
): Promise<SimulatorRenderer> {
const win: any = iframe.contentWindow;
const doc = iframe.contentDocument!;
@ -12,7 +16,7 @@ export function createSimulator(host: SimulatorHost, iframe: HTMLIFrameElement,
const styles: any = {};
const scripts: any = {};
AssetLevels.forEach((lv) => {
AssetLevels.forEach(lv => {
styles[lv] = [];
scripts[lv] = [];
});
@ -36,9 +40,9 @@ export function createSimulator(host: SimulatorHost, iframe: HTMLIFrameElement,
asset = assetItem(isCSSUrl(asset) ? AssetType.CSSUrl : AssetType.JSUrl, asset, level)!;
}
const id = asset.id ? ` data-id="${asset.id}"` : '';
const lv = asset.level || level || AssetLevel.BaseDepends;
const lv = asset.level || level || AssetLevel.Environment;
if (asset.type === AssetType.JSUrl) {
(scripts[lv] || scripts[AssetLevel.App]).push(`<script src="${asset.content}"${id}></script>`)
(scripts[lv] || scripts[AssetLevel.App]).push(`<script src="${asset.content}"${id}></script>`);
} else if (asset.type === AssetType.JSText) {
(scripts[lv] || scripts[AssetLevel.App]).push(`<script${id}>${asset.content}</script>`);
} else if (asset.type === AssetType.CSSUrl) {
@ -51,12 +55,16 @@ export function createSimulator(host: SimulatorHost, iframe: HTMLIFrameElement,
parseAssetList(vendors);
const styleFrags = Object.keys(styles).map(key => {
const styleFrags = Object.keys(styles)
.map(key => {
return styles[key].join('\n') + `<meta level="${key}" />`;
}).join('');
const scriptFrags = Object.keys(scripts).map(key => {
})
.join('');
const scriptFrags = Object.keys(scripts)
.map(key => {
return scripts[key].join('\n');
}).join('');
})
.join('');
doc.open();
doc.write(`<!doctype html><html><head><meta charset="utf-8"/>

View File

@ -1,5 +1,5 @@
import { Component } from 'react';
import { observer } from '@recore/core-obx';
import { observer } from '@recore/obx-react';
import { SimulatorHost, SimulatorProps } from './host';
import DocumentModel from '../../../designer/document/document-model';
import { SimulatorContext } from './context';
@ -15,10 +15,12 @@ import './host.less';
Auxiliary Content 0,0 Canvas, Content
*/
export class SimulatorHostView extends Component<SimulatorProps & {
type SimulatorHostProps = SimulatorProps & {
documentContext: DocumentModel;
onMount?: (host: SimulatorHost) => void;
}> {
};
export class SimulatorHostView extends Component<SimulatorHostProps> {
readonly host: SimulatorHost;
constructor(props: any) {
super(props);

View File

@ -45,8 +45,12 @@
}
}
&-device-legao {
margin: 15px;
&-device-default {
top: 15px;
right: 15px;
bottom: 15px;
left: 15px;
width: auto;
box-shadow: 0 2px 10px 0 rgba(31,56,88,.15);
}

View File

@ -6,7 +6,7 @@ import { SimulatorRenderer } from '../renderer/renderer';
import Node, { NodeParent, isNodeParent, isNode, contains } from '../../../designer/document/node/node';
import DocumentModel from '../../../designer/document/document-model';
import ResourceConsumer from './resource-consumer';
import { AssetLevel, Asset, assetBundle, assetItem, AssetType } from '../utils/asset';
import { AssetLevel, Asset, AssetList, assetBundle, assetItem, AssetType } from '../utils/asset';
import {
DragObjectType,
isShaken,
@ -29,11 +29,16 @@ import {
CanvasPoint,
} from '../../../designer/helper/location';
import { isNodeSchema, NodeSchema } from '../../../designer/schema';
import { ComponentDescriptionSpec } from '../../../designer/component-config';
import { ComponentMetadata } from '../../../designer/component-meta';
import { ReactInstance } from 'react';
import { setNativeSelection } from '../../../designer/helper/navtive-selection';
import cursor from '../../../designer/helper/cursor';
import { isRootNode } from '../../../designer/document/node/root-node';
import { parseProps } from '../utils/parse-props';
export interface LibraryItem {
package: string;
library: string;
urls: Asset;
}
export interface SimulatorProps {
// 从 documentModel 上获取
@ -42,8 +47,9 @@ export interface SimulatorProps {
device?: 'mobile' | 'iphone' | string;
deviceClassName?: string;
simulatorUrl?: Asset;
dependsAsset?: Asset;
themesAsset?: Asset;
environment?: Asset;
library?: LibraryItem[];
theme?: Asset;
componentsAsset?: Asset;
[key: string]: any;
}
@ -53,22 +59,21 @@ const publicPath = (document.currentScript as HTMLScriptElement).src.replace(/^(
const defaultSimulatorUrl = (() => {
let urls;
if (process.env.NODE_ENV === 'production') {
urls = [`${publicPath}simulator-renderer.min.css`, `${publicPath}simulator-renderer.min.js`];
urls = [`${publicPath}../css/simulator-renderer.min.css`, `${publicPath}simulator-renderer.min.js`];
} else {
urls = [`${publicPath}simulator-renderer.css`, `${publicPath}simulator-renderer.js`];
urls = [`${publicPath}../css/simulator-renderer.css`, `${publicPath}simulator-renderer.js`];
}
return urls;
})();
const defaultDepends = [
const defaultEnvironment = [
// https://g.alicdn.com/mylib/??react/16.11.0/umd/react.production.min.js,react-dom/16.8.6/umd/react-dom.production.min.js,prop-types/15.7.2/prop-types.min.js
assetItem(AssetType.JSText, 'window.React=parent.React;window.ReactDOM=parent.ReactDOM;', undefined, 'react'),
assetItem(
AssetType.JSText,
'window.PropTypes=parent.PropTypes;React.PropTypes=parent.PropTypes; window.__REACT_DEVTOOLS_GLOBAL_HOOK__ = window.parent.__REACT_DEVTOOLS_GLOBAL_HOOK__;',
),
assetItem(AssetType.JSUrl, 'https://g.alicdn.com/mylib/@ali/recore/1.5.7/umd/recore.min.js'),
assetItem(AssetType.JSUrl, 'http://localhost:4444/js/index.js'),
assetItem(AssetType.JSUrl, '/statics/lowcode-renderer.js'),
];
export class SimulatorHost implements ISimulator<SimulatorProps> {
@ -81,7 +86,7 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
@computed get device(): string | undefined {
// 根据 device 不同来做画布外框样式变化 渲染时可选择不同组件
// renderer 依赖
return this.get('device');
return this.get('device') || 'default';
}
@computed get deviceClassName(): string | undefined {
@ -98,8 +103,8 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
return this.get('componentsAsset');
}
@computed get themesAsset(): Asset | undefined {
return this.get('themesAsset');
@computed get theme(): Asset | undefined {
return this.get('theme');
}
@computed get componentsMap() {
@ -132,15 +137,14 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
return autorun(fn as any, true);
}
purge(): void {}
purge(): void {
// todo
}
readonly viewport = new Viewport();
readonly scroller = this.designer.createScroller(this.viewport);
mountViewport(viewport: Element | null) {
if (!viewport) {
return;
}
this.viewport.mount(viewport);
}
@ -165,18 +169,33 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
return {};
});
readonly libraryMap: { [key: string]: string } = {};
private _iframe?: HTMLIFrameElement;
async mountContentFrame(iframe: HTMLIFrameElement | null) {
if (!iframe) {
if (!iframe || this._iframe === iframe) {
return;
}
this._iframe = iframe;
this._contentWindow = iframe.contentWindow!;
const library = this.get('library') as LibraryItem[];
const libraryAsset: AssetList = [];
if (library) {
library.forEach(item => {
this.libraryMap[item.package] = item.library;
libraryAsset.push(item.urls);
});
}
const vendors = [
// required & use once
assetBundle(this.get('dependsAsset') || defaultDepends, AssetLevel.BaseDepends),
assetBundle(this.get('environment') || defaultEnvironment, AssetLevel.Environment),
// required & use once
assetBundle(libraryAsset, AssetLevel.Library),
// required & TODO: think of update
assetBundle(this.themesAsset, AssetLevel.Theme),
assetBundle(this.theme, AssetLevel.Theme),
// required & use once
assetBundle(this.get('simulatorUrl') || defaultSimulatorUrl, AssetLevel.Runtime),
];
@ -214,18 +233,31 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
// TODO: think of lock when edit a node
// 事件路由
doc.addEventListener('mousedown', (downEvent: MouseEvent) => {
const nodeInst = this.getNodeInstanceFromElement(downEvent.target as Element);
if (!nodeInst?.node) {
selection.clear();
return;
}
doc.addEventListener(
'mousedown',
(downEvent: MouseEvent) => {
// stop response document focus event
downEvent.stopPropagation();
downEvent.preventDefault();
const nodeInst = this.getNodeInstanceFromElement(downEvent.target as Element);
const node = nodeInst?.node || this.document.rootNode;
const isMulti = downEvent.metaKey || downEvent.ctrlKey;
const isLeftButton = downEvent.which === 1 || downEvent.button === 0;
const checkSelect = (e: MouseEvent) => {
doc.removeEventListener('mouseup', checkSelect, true);
if (!isShaken(downEvent, e)) {
const id = node.id;
designer.activeTracker.track(node);
if (isMulti && !isRootNode(node) && selection.has(id)) {
selection.remove(id);
} else {
selection.select(id);
}
}
};
if (isLeftButton) {
let node: Node = nodeInst.node;
if (isLeftButton && !isRootNode(node)) {
let nodes: Node[] = [node];
let ignoreUpSelected = false;
if (isMulti) {
@ -235,9 +267,10 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
selection.add(node.id);
ignoreUpSelected = true;
}
selection.remove(this.document.rootNode.id);
// 获得顶层 nodes
nodes = selection.getTopNodes();
} else if (selection.containsNode(node)) {
} else if (selection.containsNode(node, true)) {
nodes = selection.getTopNodes();
} else {
// will clear current selection & select dragment in dragstart
@ -255,27 +288,33 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
}
}
const checkSelect = (e: MouseEvent) => {
doc.removeEventListener('mouseup', checkSelect, true);
if (!isShaken(downEvent, e)) {
// const node = hasConditionFlow(target) ? target.conditionFlow : target;
const node = nodeInst.node!;
const id = node.id;
designer.activeTracker.track(node);
if (isMulti && selection.has(id)) {
selection.remove(id);
} else {
selection.select(id);
}
}
};
doc.addEventListener('mouseup', checkSelect, true);
});
},
true,
);
doc.addEventListener(
'click',
e => {
// stop response document click event
e.preventDefault();
e.stopPropagation();
// todo: catch link redirect
},
true,
);
// cause edit
doc.addEventListener('dblclick', (e: MouseEvent) => {
// TODO:
});
doc.addEventListener(
'dblclick',
(e: MouseEvent) => {
// stop response document dblclick event
e.stopPropagation();
e.preventDefault();
// todo: quick editing
},
true,
);
}
private disableHovering?: () => void;
@ -290,8 +329,6 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
return;
}
const nodeInst = this.getNodeInstanceFromElement(e.target as Element);
// TODO: enhance only hover one instance
console.info(nodeInst);
hovering.hover(nodeInst?.node || null);
e.stopPropagation();
};
@ -337,15 +374,35 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
/**
* @see ISimulator
*/
describeComponent(component: Component): ComponentDescriptionSpec {
throw new Error('Method not implemented.');
generateComponentMetadata(componentName: string): ComponentMetadata {
// if html tags
if (isHTMLTag(componentName)) {
return {
componentName,
// TODO: read builtins html metadata
};
}
const component = this.getComponent(componentName);
if (component) {
parseProps(component as any);
}
// TODO:
// 1. generate builtin div/p/h1/h2
// 2. read propTypes
return {
componentName,
props: parseProps(this.getComponent(componentName)),
};
}
/**
* @see ISimulator
*/
getComponent(componentName: string): Component | null {
return null;
return this.renderer?.getComponent(componentName) || null;
}
@obx.val private instancesMap = new Map<string, ReactInstance[]>();
@ -367,7 +424,9 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
/**
* @see ISimulator
*/
getComponentInstanceId(instance: ReactInstance) {}
getComponentInstanceId(instance: ReactInstance) {
throw new Error('Method not implemented.');
}
/**
* @see ISimulator
@ -408,18 +467,28 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
let last: { x: number; y: number; r: number; b: number } | undefined;
let computed = false;
const elems = elements.slice();
const commonParent: Element | null = null;
while (true) {
if (!rects || rects.length < 1) {
const elem = elems.pop();
if (!elem) {
break;
}
/*
if (!commonParent) {
commonParent = elem.parentElement;
} else if (elem.parentElement !== commonParent) {
continue;
}*/
rects = renderer.getClientRects(elem);
}
const rect = rects.pop();
if (!rect) {
break;
}
if (rect.width === 0 && rect.height === 0) {
continue;
}
if (!last) {
last = {
x: rect.left,
@ -495,7 +564,7 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
}
const opt: any = {};
let scroll = false;
const scroll = false;
if (detail) {
// TODO:
@ -567,7 +636,7 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
this.renderer?.clearState();
}
private _sensorAvailable: boolean = true;
private _sensorAvailable = true;
/**
* @see ISensor
*/
@ -615,7 +684,7 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
return e.globalY >= rect.top && e.globalY <= rect.bottom && e.globalX >= rect.left && e.globalX <= rect.right;
}
private sensing: boolean = false;
private sensing = false;
/**
* @see ISensor
*/
@ -633,7 +702,6 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
this.sensing = true;
this.scroller.scrolling(e);
const dropTarget = this.getDropTarget(e);
console.info('aa', dropTarget);
if (!dropTarget) {
return null;
}
@ -643,8 +711,10 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
}
const target = dropTarget;
const targetInstance = e.targetInstance as ReactInstance;
// FIXME: e.target is #document, etc., does not has e.targetInstance
const targetInstance = e.targetInstance as ReactInstance;
const parentInstance = this.getClosestNodeInstance(targetInstance, target.id);
const edge = this.computeComponentInstanceRect(parentInstance?.instance as any);
@ -677,14 +747,12 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
let maxBottom = null;
for (let i = 0, l = children.size; i < l; i++) {
let node = children.get(i)!;
let index = i;
const node = children.get(i)!;
const index = i;
const instances = this.getComponentInstances(node);
const inst = instances
? instances.length > 1
? instances.find(inst => {
return this.getClosestNodeInstance(inst, target.id)?.instance === targetInstance;
})
? instances.find(inst => this.getClosestNodeInstance(inst, target.id)?.instance === targetInstance)
: instances[0]
: null;
const rect = inst ? this.computeComponentInstanceRect(inst) : null;
@ -808,7 +876,7 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
} else {
container = container.parent;
}
}
} else if (isNode(res)) {
/* else if (res === AT_CHILD) {
if (!upward) {
upward = container.parent;
@ -819,8 +887,6 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
upward = null;
}
}*/
else if (isNode(res)) {
console.info('res', res);
container = res;
upward = null;
}
@ -834,7 +900,7 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
return this.checkDropTarget(container, dragObject as any);
}
const config = container.componentConfig;
const config = container.componentMeta;
if (!config.isContainer) {
return false;
@ -902,7 +968,7 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
if (isDragNodeDataObject(dragObject)) {
items = Array.isArray(dragObject.data) ? dragObject.data : [dragObject.data];
} else {
items = dragObject.nodes
items = dragObject.nodes;
}
return items.every(item => this.checkNestingDown(dropTarget, item));
}
@ -912,14 +978,14 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
if (isDragNodeDataObject(dragObject)) {
items = Array.isArray(dragObject.data) ? dragObject.data : [dragObject.data];
} else {
items = dragObject.nodes
items = dragObject.nodes;
}
return items.every(item => this.checkNestingUp(dropTarget, item));
}
checkNestingUp(parent: NodeParent, target: NodeSchema | Node): boolean {
if (isNode(target) || isNodeSchema(target)) {
const config = isNode(target) ? target.componentConfig : this.designer.getComponentConfig(target.componentName);
const config = isNode(target) ? target.componentMeta : this.document.getComponentMeta(target.componentName);
if (config) {
return config.checkNestingUp(target, parent);
}
@ -929,18 +995,22 @@ export class SimulatorHost implements ISimulator<SimulatorProps> {
}
checkNestingDown(parent: NodeParent, target: NodeSchema | Node): boolean {
const config = parent.componentConfig;
const config = parent.componentMeta;
return config.checkNestingDown(parent, target) && this.checkNestingUp(parent, target);
}
// #endregion
}
function isHTMLTag(name: string) {
return /^[a-z]\w*$/.test(name);
}
function isPointInRect(point: CanvasPoint, rect: Rect) {
return (
point.canvasY >= rect.top &&
point.canvasY <= rect.bottom &&
(point.canvasX >= rect.left && point.canvasX <= rect.right)
point.canvasX >= rect.left &&
point.canvasX <= rect.right
);
}

View File

@ -25,7 +25,7 @@ export default class Viewport implements IViewport {
private viewportElement?: Element;
mount(viewportElement: Element | null) {
if (!viewportElement) {
if (!viewportElement || this.viewportElement === viewportElement) {
return;
}
this.viewportElement = viewportElement;
@ -54,7 +54,7 @@ export default class Viewport implements IViewport {
/**
*
*/
get scale(): number {
@computed get scale(): number {
if (!this.rect || this.contentWidth === AutoFit) {
return 1;
}
@ -63,14 +63,14 @@ export default class Viewport implements IViewport {
@obx.ref private _contentWidth: number | AutoFit = AutoFit;
get contentHeight(): number | AutoFit {
@computed get contentHeight(): number | AutoFit {
if (!this.rect || this.scale === 1) {
return AutoFit;
}
return this.height / this.scale;
}
get contentWidth(): number | AutoFit {
@computed get contentWidth(): number | AutoFit {
if (!this.rect || (this._contentWidth !== AutoFit && this._contentWidth <= this.width)) {
return AutoFit;
}
@ -98,7 +98,7 @@ export default class Viewport implements IViewport {
return this._scrollTarget;
}
@obx private _scrolling: boolean = false;
@obx private _scrolling = false;
get scrolling(): boolean {
return this._scrolling;
}
@ -120,6 +120,7 @@ export default class Viewport implements IViewport {
this._scrolling = false;
}, 80);
});
target.addEventListener('resize', () => this.touch());
this._scrollTarget = scrollTarget;
}

View File

@ -1,6 +1,6 @@
import LowCodeRenderer from '@ali/iceluna-sdk';
import LowCodeRenderer from '@ali/lowcode-renderer';
import { ReactInstance, Fragment, Component } from 'react';
import { observer } from '@recore/core-obx';
import { observer } from '@recore/obx-react';
import { SimulatorRenderer } from './renderer';
import './renderer.less';
@ -16,7 +16,7 @@ export default class SimulatorRendererView extends Component<{ renderer: Simulat
}
@observer
class Layout extends Component<{ renderer: SimulatorRenderer; }> {
class Layout extends Component<{ renderer: SimulatorRenderer }> {
shouldComponentUpdate() {
return false;
}
@ -40,11 +40,11 @@ class Renderer extends Component<{ renderer: SimulatorRenderer }> {
}
render() {
const { renderer } = this.props;
const { components, schemas } = LowCodeRenderer.others
// const { components, schemas } = LowCodeRenderer.others;
return (
<LowCodeRenderer
schema={renderer.schema}
components={components /*renderer.components*/}
components={renderer.components}
appHelper={renderer.context}
// context={renderer.context}
designMode={renderer.designMode}

View File

@ -7,9 +7,8 @@ import { RootSchema, NpmInfo } from '../../../designer/schema';
import { getClientRects } from '../../../utils/get-client-rects';
import { Asset } from '../utils/asset';
import loader from '../utils/loader';
import { ComponentDescriptionSpec } from '../../../designer/component-config';
import { reactFindDOMNodes, FIBER_KEY } from '../utils/react-find-dom-nodes';
import { isESModule } from '../../../utils/is-es-module';
import { isESModule } from '../../../../../utils/is-es-module';
import { NodeInstance } from '../../../designer/simulator';
import { isElement } from '../../../utils/is-element';
import cursor from '../../../designer/helper/cursor';
@ -28,8 +27,12 @@ export class SimulatorRenderer {
// sync schema
this._schema = host.document.schema;
// todo: split with others, not all should recompute
if (this._libraryMap !== host.libraryMap || this._componentsMap !== host.designer.componentsMap) {
this._libraryMap = host.libraryMap || {};
this._componentsMap = host.designer.componentsMap;
this.buildComponents();
}
// sync designMode
@ -39,13 +42,13 @@ export class SimulatorRenderer {
// sync device
});
host.componentsConsumer.consume(async (componentsAsset) => {
host.componentsConsumer.consume(async componentsAsset => {
if (componentsAsset) {
await this.load(componentsAsset);
this.buildComponents();
}
});
host.injectionConsumer.consume((data) => {
host.injectionConsumer.consume(data => {
// sync utils, i18n, contants,... config
this._appContext = {
utils: {},
@ -65,10 +68,11 @@ export class SimulatorRenderer {
@computed get schema(): any {
return this._schema;
}
private _libraryMap: { [key: string]: string } = {};
private buildComponents() {
this._components = buildComponents(this._componentsMap);
this._components = buildComponents(this._libraryMap, this._componentsMap);
}
@obx.ref private _components = {};
@obx.ref private _components: any = {};
@computed get components(): object {
// 根据 device 选择不同组件,进行响应式
// 更好的做法是,根据 device 选择加载不同的组件资源,甚至是 simulatorUrl
@ -175,6 +179,27 @@ export class SimulatorRenderer {
this.ctxMap.set(id, ctx);
}
getComponent(componentName: string) {
const paths = componentName.split('.');
const subs: string[] = [];
while (true) {
const component = this._components[componentName];
if (component) {
return getSubComponent(component, subs);
}
const sub = paths.pop();
if (!sub) {
return null;
}
subs.unshift(sub);
componentName = paths.join('.');
}
return null;
}
getComponentInstances(id: string): ReactInstance[] | null {
return this.instancesMap.get(id) || null;
}
@ -204,7 +229,7 @@ export class SimulatorRenderer {
cursor.release();
}
private _running: boolean = false;
private _running = false;
run() {
if (this._running) {
return;
@ -260,7 +285,7 @@ function getSubComponent(library: any, paths: string[]) {
return component;
}
function findComponent(componentName: string, npm?: NpmInfo) {
function findComponent(libraryMap: LibraryMap, componentName: string, npm?: NpmInfo) {
if (!npm) {
return accessLibrary(componentName);
}
@ -270,26 +295,33 @@ function findComponent(componentName: string, npm?: NpmInfo) {
// export { exportName as componentName } from package
// if exportName == null exportName === componentName;
// const componentName = exportName.subName, if exportName empty subName donot use
const libraryName = npm.exportName || npm.componentName || componentName;
const exportName = npm.exportName || npm.componentName || componentName;
const libraryName = libraryMap[npm.package] || exportName;
const library = accessLibrary(libraryName);
const paths = npm.exportName && npm.subName ? npm.subName.split('.') : [];
if (npm.destructuring) {
paths.unshift(libraryName);
paths.unshift(exportName);
} else if (isESModule(library)) {
paths.unshift('default');
}
return getSubComponent(library, paths);
}
function buildComponents(componentsMap: { [componentName: string]: ComponentDescriptionSpec }) {
export interface LibraryMap {
[key: string]: string;
}
function buildComponents(libraryMap: LibraryMap, componentsMap: { [componentName: string]: NpmInfo }) {
const components: any = {};
Object.keys(componentsMap).forEach(componentName => {
components[componentName] = findComponent(componentName, componentsMap[componentName].npm);
const component = findComponent(libraryMap, componentName, componentsMap[componentName]);
if (component) {
components[componentName] = component;
}
});
return components;
}
let REACT_KEY = '';
function cacheReactKey(el: Element): Element {
if (REACT_KEY !== '') {

View File

@ -6,11 +6,11 @@ export interface AssetItem {
}
export enum AssetLevel {
// 基础依赖库
BaseDepends = 1,
// 基础组件库
BaseComponents = 2,
// 主题
// 环境依赖库 比如 react, react-dom
Environment = 1,
// 基础类库,比如 lodash deep fusion antd
Library = 2,
// 主题
Theme = 3,
// 运行时
Runtime = 4,
@ -21,8 +21,8 @@ export enum AssetLevel {
}
export const AssetLevels = [
AssetLevel.BaseDepends,
AssetLevel.BaseComponents,
AssetLevel.Environment,
AssetLevel.Library,
AssetLevel.Theme,
AssetLevel.Runtime,
AssetLevel.Components,

View File

@ -1,10 +1,20 @@
import { load, evaluate } from './script';
import StylePoint from './style';
import { Asset, AssetLevel, AssetLevels, AssetType, AssetList, isAssetBundle, isAssetItem, assetItem, AssetItem } from './asset';
import {
Asset,
AssetLevel,
AssetLevels,
AssetType,
AssetList,
isAssetBundle,
isAssetItem,
assetItem,
AssetItem,
} from './asset';
import { isCSSUrl } from '../../../utils/is-css-url';
function parseAssetList(scripts: any, styles: any, assets: AssetList, level?: AssetLevel) {
for (let asset of assets) {
for (const asset of assets) {
parseAsset(scripts, styles, asset, level);
}
}
@ -36,7 +46,7 @@ function parseAsset(scripts: any, styles: any, asset: Asset | undefined | null,
let lv = asset.level || level;
if (!lv || AssetLevel[lv] == null) {
lv = AssetLevel.App
lv = AssetLevel.App;
}
asset.level = lv;
@ -51,19 +61,19 @@ export class AssetLoader {
async load(asset: Asset) {
const styles: any = {};
const scripts: any = {};
AssetLevels.forEach((lv) => {
AssetLevels.forEach(lv => {
styles[lv] = [];
scripts[lv] = [];
});
parseAsset(scripts, styles, asset);
const styleQueue: AssetItem[] = styles[AssetLevel.BaseDepends].concat(
styles[AssetLevel.BaseComponents],
const styleQueue: AssetItem[] = styles[AssetLevel.Environment].concat(
styles[AssetLevel.Library],
styles[AssetLevel.Theme],
styles[AssetLevel.Runtime],
styles[AssetLevel.App],
);
const scriptQueue: AssetItem[] = scripts[AssetLevel.BaseDepends].concat(
scripts[AssetLevel.BaseComponents],
const scriptQueue: AssetItem[] = scripts[AssetLevel.Environment].concat(
scripts[AssetLevel.Library],
scripts[AssetLevel.Theme],
scripts[AssetLevel.Runtime],
scripts[AssetLevel.App],
@ -71,9 +81,7 @@ export class AssetLoader {
await Promise.all(
styleQueue.map(({ content, level, type, id }) => this.loadStyle(content, level!, type === AssetType.CSSUrl, id)),
);
await Promise.all(
scriptQueue.map(({ content, type }) => this.loadScript(content, type === AssetType.JSUrl)),
);
await Promise.all(scriptQueue.map(({ content, type }) => this.loadScript(content, type === AssetType.JSUrl)));
}
private stylePoints = new Map<string, StylePoint>();

View File

@ -0,0 +1,200 @@
import PropTypes from 'prop-types';
import { isValidElement } from 'react';
import { isElement } from '../../../utils/is-element';
import { PropType, PropConfig } from '../../../designer/prop-config';
export const primitiveTypes = [
'string',
'number',
'array',
'bool',
'func',
'object',
'node',
'element',
'symbol',
'any',
];
function makeRequired(propType: any, lowcodeType: string | object) {
function lowcodeCheckTypeIsRequired(...rest: any[]) {
return propType.isRequired(...rest);
}
if (typeof lowcodeType === 'string') {
lowcodeType = {
type: lowcodeType,
};
}
lowcodeCheckTypeIsRequired.lowcodeType = {
...lowcodeType,
isRequired: true,
};
return lowcodeCheckTypeIsRequired;
}
function define(propType: any = PropTypes.any, lowcodeType: string | object = {}) {
if (!propType._inner && propType.name !== 'lowcodeCheckType') {
propType.lowcodeType = lowcodeType;
}
function lowcodeCheckType(...rest: any[]) {
return propType(...rest);
}
lowcodeCheckType.lowcodeType = lowcodeType;
lowcodeCheckType.isRequired = makeRequired(propType, lowcodeType);
return lowcodeCheckType;
}
const LowcodeTypes: any = {
...PropTypes,
define,
};
(window as any).PropTypes = LowcodeTypes;
(window as any).React.PropTypes = LowcodeTypes;
// override primitive type chechers
primitiveTypes.forEach(type => {
const propType = (PropTypes as any)[type];
if (!propType) {
return;
}
propType._inner = true;
LowcodeTypes[type] = define(propType, type);
});
// You can ensure that your prop is limited to specific values by treating
// it as an enum.
LowcodeTypes.oneOf = (list: any[]) => {
return define(PropTypes.oneOf(list), {
type: 'oneOf',
value: list,
});
};
// An array of a certain type
LowcodeTypes.arrayOf = (type: any) => {
return define(PropTypes.arrayOf(type), {
type: 'arrayOf',
value: type.lowcodeType || 'any',
});
};
// An object with property values of a certain type
LowcodeTypes.objectOf = (type: any) => {
return define(PropTypes.objectOf(type), {
type: 'objectOf',
value: type.lowcodeType || 'any',
});
};
// An object that could be one of many types
LowcodeTypes.oneOfType = (types: any[]) => {
const itemTypes = types.map(type => type.lowcodeType || 'any');
return define(PropTypes.oneOfType(types), {
type: 'oneOfType',
value: itemTypes,
});
};
// An object with warnings on extra properties
LowcodeTypes.exact = (typesMap: any) => {
const configs = Object.keys(typesMap).map(key => {
return {
name: key,
propType: typesMap[key].lowcodeType || 'any',
};
});
return define(PropTypes.exact(typesMap), {
type: 'exact',
value: configs,
});
};
// An object taking on a particular shape
LowcodeTypes.shape = (typesMap: any) => {
const configs = Object.keys(typesMap).map(key => {
return {
name: key,
propType: typesMap[key].lowcodeType || 'any',
};
});
return define(PropTypes.shape(typesMap), {
type: 'shape',
value: configs,
});
};
const BasicTypes = ['string', 'number', 'object'];
export function parseProps(component: any): PropConfig[] {
if (!component) {
return [];
}
const propTypes = component.propTypes || ({} as any);
const defaultProps = component.defaultProps || ({} as any);
const result: any = {};
if (!propTypes) return [];
Object.keys(propTypes).forEach(key => {
const propTypeItem = propTypes[key];
const defaultValue = defaultProps[key];
const lowcodeType = propTypeItem.lowcodeType;
if (lowcodeType) {
result[key] = {
name: key,
propType: lowcodeType,
};
if (defaultValue != null) {
result[key].defaultValue = defaultValue;
}
return;
}
let i = primitiveTypes.length;
while (i-- > 0) {
const k = primitiveTypes[i];
if ((LowcodeTypes as any)[k] === propTypeItem) {
result[key] = {
name: key,
propType: k,
};
if (defaultValue != null) {
result[key].defaultValue = defaultValue;
}
return;
}
}
result[key] = {
name: key,
propType: 'any',
};
if (defaultValue != null) {
result[key].defaultValue = defaultValue;
}
});
Object.keys(defaultProps).forEach(key => {
if (result[key]) return;
const defaultValue = defaultProps[key];
let type: string = typeof defaultValue;
if (type === 'boolean') {
type = 'bool';
} else if (type === 'function') {
type = 'func';
} else if (type === 'object' && Array.isArray(defaultValue)) {
type = 'array';
} else if (defaultValue && isValidElement(defaultValue)) {
type = 'node';
} else if (defaultValue && isElement(defaultValue)) {
type = 'element';
} else if (!BasicTypes.includes(type)) {
type = 'any';
}
result[key] = {
name: key,
propType: type || 'any',
defaultValue,
};
});
return Object.keys(result).map(key => result[key]);
}

View File

@ -1,198 +0,0 @@
import PropTypes from 'prop-types';
export const primitiveTypeMaps = {
string: {
defaultValue: '',
display: 'inline',
setter: 'TextSetter',
},
number: {
display: 'inline',
setter: 'NumberSetter' // extends TextSetter
},
array: {
defaultValue: [],
display: 'inline',
// itemType: any
setter: 'ArraySetter' // extends ExpressionSetter
},
bool: {
defaultValue: false,
display: 'inline',
setter: 'BoolSetter'
},
func: {
defaultValue: () => {},
display: 'inline',
setter: 'FunctionSetter' // extends ExpressionSetter
},
object: {
defaultValue: {},
display: 'inline',
// itemType: any
setter: 'ObjectSetter' // extends ExpressionSetter
},
// Anything that can be rendered: numbers, strings, elements or an array
// (or fragment) containing these types.
node: {
defaultValue: '',
display: 'inline',
setter: 'FragmentSetter',
},
// A React element.
element: {
display: 'inline',
setter: 'JSXSetter', // extends ExpressionSetter
},
symbol: {
display: 'inline',
setter: 'ExpressionSetter',
},
any: {
display: 'inline',
setter: 'ExpressionSetter',
}
};
function makeRequired(propType, visionType) {
function visionCheckTypeIsRequired(...rest) {
return propType.isRequired(...rest);
}
visionCheckTypeIsRequired.visionType = {
...visionType,
required: true,
};
return visionCheckTypeIsRequired;
}
function define(propType = PropTypes.any, visionType = {}) {
if (!propType._inner && propType.name !== 'visionCheckType') {
propType.visionType = visionType;
}
function visionCheckType(...rest) {
return propType(...rest);
}
visionCheckType.visionType = visionType;
visionCheckType.isRequired = makeRequired(propType, visionType);
return visionCheckType;
}
const VisionTypes = {
...PropTypes,
define,
};
export default VisionTypes;
// override primitive type chechers
Object.keys(primitiveTypeMaps).forEach((type) => {
const propType = PropTypes[type];
if (!propType) {
return;
}
propType._inner = true;
VisionTypes[type] = define(propType, primitiveTypeMaps[type]);
});
// You can ensure that your prop is limited to specific values by treating
// it as an enum.
VisionTypes.oneOf = (list) => {
return define(PropTypes.oneOf(list), {
defaultValue: list && list[0],
display: 'inline',
setter: {
type: 'SelectSetter',
options: list,
},
});
};
// An array of a certain type
VisionTypes.arrayOf = (type) => {
return define(PropTypes.arrayOf(type), {
defaultValue: [],
display: 'inline',
setter: {
type: 'ArraySetter', // list
itemType: type.visionType || primitiveTypeMaps.any, // addable type
}
});
};
// An object with property values of a certain type
VisionTypes.objectOf = (type) => {
return define(PropTypes.objectOf(type), {
defaultValue: {},
display: 'inline',
setter: {
type: 'ObjectSetter', // all itemType
itemType: type.visionType || primitiveTypeMaps.any, // addable type
}
});
};
// An object that could be one of many types
VisionTypes.oneOfType = (types) => {
const itemType = types.map(type => type.visionType || primitiveTypeMaps.any);
return define(PropTypes.oneOfType(types), {
defaultValue: itemType[0] && itemType[0].defaultValue,
display: 'inline',
setter: {
type: 'OneOfTypeSetter',
itemType, // addable type
},
});
};
// You can also declare that a prop is an instance of a class. This uses
// JS's instanceof operator.
VisionTypes.instanceOf = (classType) => {
return define(PropTypes.instanceOf(classType), {
display: 'inline',
setter: 'ExpressionSetter',
});
};
// An object with warnings on extra properties
VisionTypes.exact = (typesMap) => {
const exactTypes = {};
const defaultValue = {};
Object.keys(typesMap).forEach(key => {
exactTypes[key] = typesMap[key].visionType || primitiveTypeMaps.any;
defaultValue[key] = exactTypes[key].defaultValue;
});
return define(PropTypes.exact(typesMap), {
defaultValue,
display: 'inline',
setter: {
type: 'ObjectSetter', // all itemType
exactTypes,
},
});
}
// An object taking on a particular shape
VisionTypes.shape = (typesMap) => {
const exactTypes = {};
const defaultValue = {};
Object.keys(typesMap).forEach(key => {
exactTypes[key] = typesMap[key].visionType || primitiveTypeMaps.any;
defaultValue[key] = exactTypes[key].defaultValue;
});
return define(PropTypes.shape(typesMap), {
defaultValue,
display: 'inline',
setter: {
type: 'ObjectSetter', // all itemType
exactTypes,
itemType: primitiveTypeMaps.any, // addable type
},
});
};
// color
// time
// date
// range

View File

@ -1,384 +0,0 @@
import { ReactNode, ReactElement, ComponentType } from 'react';
import Node, { NodeParent } from './document/node/node';
import { NodeData, NodeSchema } from './schema';
export type BasicTypes = 'array' | 'bool' | 'func' | 'number' | 'object' | 'string' | 'node' | 'element' | 'any';
export interface CompositeType {
type: BasicTypes;
isRequired: boolean;
}
// TODO: add complex types
export interface PropConfig {
name: string;
propType: BasicTypes | CompositeType;
description?: string;
defaultValue?: any;
}
export type CustomView = ReactElement | ComponentType<any>;
export interface TipConfig {
className?: string;
children?: ReactNode;
theme?: string;
direction?: string; // 'n|s|w|e|top|bottom|left|right';
}
export interface IconConfig {
name: string;
size?: string;
className?: string;
effect?: string;
}
export interface TitleConfig {
label?: ReactNode;
tip?: string | ReactElement | TipConfig;
icon?: string | ReactElement | IconConfig;
className?: string;
}
export type Title = string | ReactElement | TitleConfig;
export enum DisplayType {
Inline = 'inline',
Block = 'block',
Accordion = 'Accordion',
Plain = 'plain',
Caption = 'caption',
}
export interface SetterConfig {
/**
* if *string* passed must be a registered Setter Name
*/
componentName: string | CustomView;
/**
* the props pass to Setter Component
*/
props?: {
[prop: string]: any;
};
}
/**
* if *string* passed must be a registered Setter Name
*/
export type SetterType = SetterConfig | string | CustomView;
export interface SettingFieldConfig {
/**
* the name of this setting field, which used in quickEditor
*/
name: string;
/**
* the field body contains
*/
setter: SetterType;
/**
* the prop target which to set, eg. "style.width"
* @default sameas .name
*/
propTarget?: string;
/**
* the field title
* @default sameas .propTarget
*/
title?: Title;
extraProps?: {
/**
* default value of target prop for setter use
*/
defaultValue?: any;
onChange?: (value: any) => void;
getValue?: () => any;
/**
* the field conditional show, is not set always true
* @default undefined
*/
condition?: (node: Node) => boolean;
/**
* quick add "required" validation
*/
required?: boolean;
/**
* the field display
* @default DisplayType.Block
*/
display?: DisplayType.Inline | DisplayType.Block | DisplayType.Accordion | DisplayType.Plain;
/**
* default collapsed when display accordion
*/
defaultCollapsed?: boolean;
/**
* layout control
* number or [column number, left offset]
* @default 6
*/
span?: number | [number, number];
};
}
export interface SettingGroupConfig {
/**
* the type "group"
*/
type: 'group';
/**
* the name of this setting group, which used in quickEditor
*/
name?: string;
/**
* the setting items which group body contains
*/
items: Array<SettingFieldConfig | SettingGroupConfig | CustomView>;
/**
* the group title
* @default sameas .name
*/
title?: Title;
extraProps: {
/**
* the field conditional show, is not set always true
* @default undefined
*/
condition?: (node: Node) => boolean;
/**
* the group display
* @default DisplayType.Block
*/
display?: DisplayType.Block | DisplayType.Accordion;
/**
* default collapsed when display accordion
*/
defaultCollapsed?: boolean;
/**
* the gap between span
* @default 0 px
*/
gap?: number;
/**
* layout control
* number or [column number, left offset]
* @default 6
*/
span?: number | [number, number];
};
}
export type PropSettingConfig = SettingFieldConfig | SettingGroupConfig | CustomView;
export interface NestingRule {
childWhitelist?: string[];
parentWhitelist?: string[];
}
export interface Configure {
props?: PropSettingConfig[];
styles?: object;
events?: object;
component?: {
isContainer?: boolean;
isModal?: boolean;
descriptor?: string;
nestingRule?: NestingRule;
};
}
export interface ComponentDescriptionSpec {
componentName: string;
/**
* unique id
*/
uri?: string;
/**
* title or description
*/
title?: string;
/**
* svg icon for component
*/
icon?: string | ReactNode;
tags?: string[];
description?: string;
docUrl?: string;
screenshot?: string;
devMode?: 'procode' | 'lowcode';
npm?: {
package: string;
exportName: string;
subName: string;
main: string;
destructuring: boolean;
version: string;
};
props?: PropConfig[];
configure?: PropSettingConfig[] | Configure;
}
function ensureAList(list?: string | string[]): string[] | null {
if (!list) {
return null;
}
if (!Array.isArray(list)) {
list = list.split(/ *[ ,|] */).filter(Boolean);
}
if (list.length < 1) {
return null;
}
return list;
}
function npmToURI(npm: {
package: string;
exportName?: string;
subName?: string;
destructuring?: boolean;
main?: string;
version: string;
}): string {
let pkg = [];
if (npm.package) {
pkg.push(npm.package);
}
if (npm.main) {
if (npm.main[0] === '/') {
pkg.push(npm.main.slice(1));
} else if (npm.main.slice(0, 2) === './') {
pkg.push(npm.main.slice(2));
} else {
pkg.push(npm.main);
}
}
let uri = pkg.join('/');
uri += `:${npm.destructuring && npm.exportName ? npm.exportName : 'default'}`;
if (npm.subName) {
uri += `.${npm.subName}`;
}
return uri;
}
function generatePropsConfigure(props: PropConfig[]) {
// todo:
return [];
}
export class ComponentConfig {
readonly isComponentConfig = true;
private _uri?: string;
get uri(): string {
return this._uri!;
}
private _componentName?: string;
get componentName(): string {
return this._componentName!;
}
private _isContainer?: boolean;
get isContainer(): boolean {
return this._isContainer! || this.isRootComponent();
}
private _isModal?: boolean;
get isModal(): boolean {
return this._isModal!;
}
private _descriptor?: string;
get descriptor(): string {
return this._descriptor!;
}
private _acceptable?: boolean;
get acceptable(): boolean {
return this._acceptable!;
}
private _configure?: Configure;
get configure(): Configure {
return this._configure!;
}
private parentWhitelist?: string[] | null;
private childWhitelist?: string[] | null;
get title() {
return this._spec.title;
}
get icon() {
return this._spec.icon;
}
get propsConfigure() {
return this.configure.props;
}
constructor(private _spec: ComponentDescriptionSpec) {
this.parseSpec(_spec);
}
private parseSpec(spec: ComponentDescriptionSpec) {
const { componentName, uri, configure, npm, props } = spec;
this._uri = uri || (npm ? npmToURI(npm) : componentName);
this._componentName = componentName;
this._acceptable = false;
if (!configure || Array.isArray(configure)) {
this._configure = {
props: !configure ? [] : configure,
styles: {
supportClassName: true,
supportInlineStyle: true,
},
};
} else {
this._configure = configure;
}
if (!this.configure.props) {
this.configure.props = props ? generatePropsConfigure(props) : [];
}
const { component } = this.configure;
if (component) {
this._isContainer = component.isContainer ? true : false;
this._isModal = component.isModal ? true : false;
this._descriptor = component.descriptor;
if (component.nestingRule) {
const { parentWhitelist, childWhitelist } = component.nestingRule;
this.parentWhitelist = ensureAList(parentWhitelist);
this.childWhitelist = ensureAList(childWhitelist);
}
} else {
this._isContainer = false;
this._isModal = false;
}
}
isRootComponent() {
return this.componentName === 'Page' || this.componentName === 'Block' || this.componentName === 'Component';
}
set spec(spec: ComponentDescriptionSpec) {
this._spec = spec;
this.parseSpec(spec);
}
get spec(): ComponentDescriptionSpec {
return this._spec;
}
checkNestingUp(my: Node | NodeData, parent: NodeParent) {
if (this.parentWhitelist) {
return this.parentWhitelist.includes(parent.componentName);
}
return true;
}
checkNestingDown(my: Node, target: Node | NodeSchema) {
if (this.childWhitelist) {
return this.childWhitelist.includes(target.componentName);
}
return true;
}
}

View File

@ -0,0 +1,224 @@
import { ReactNode } from 'react';
import Node, { NodeParent } from './document/node/node';
import { NodeData, NodeSchema } from './schema';
import { PropConfig } from './prop-config';
export interface NestingRule {
childWhitelist?: string[];
parentWhitelist?: string[];
}
export interface Configure {
props?: any[];
styles?: object;
events?: object;
component?: {
isContainer?: boolean;
isModal?: boolean;
descriptor?: string;
nestingRule?: NestingRule;
};
}
export interface ComponentMetadata {
componentName: string;
/**
* unique id
*/
uri?: string;
/**
* title or description
*/
title?: string;
/**
* svg icon for component
*/
icon?: string | ReactNode;
tags?: string[];
description?: string;
docUrl?: string;
screenshot?: string;
devMode?: 'procode' | 'lowcode';
npm?: {
package: string;
exportName: string;
subName: string;
main: string;
destructuring: boolean;
version: string;
};
props?: PropConfig[];
configure?: any[] | Configure;
}
interface TransformedComponentMetadata extends ComponentMetadata {
configure?: Configure & {
combined?: any[];
};
}
function ensureAList(list?: string | string[]): string[] | null {
if (!list) {
return null;
}
if (!Array.isArray(list)) {
list = list.split(/ *[ ,|] */).filter(Boolean);
}
if (list.length < 1) {
return null;
}
return list;
}
function npmToURI(npm: {
package: string;
exportName?: string;
subName?: string;
destructuring?: boolean;
main?: string;
version: string;
}): string {
const pkg = [];
if (npm.package) {
pkg.push(npm.package);
}
if (npm.main) {
if (npm.main[0] === '/') {
pkg.push(npm.main.slice(1));
} else if (npm.main.slice(0, 2) === './') {
pkg.push(npm.main.slice(2));
} else {
pkg.push(npm.main);
}
}
let uri = pkg.join('/');
uri += `:${npm.destructuring && npm.exportName ? npm.exportName : 'default'}`;
if (npm.subName) {
uri += `.${npm.subName}`;
}
return uri;
}
export type MetadataTransducer = (prev: ComponentMetadata) => TransformedComponentMetadata;
const metadataTransducers: MetadataTransducer[] = [];
export function registerMetadataTransducer(transducer: MetadataTransducer) {
metadataTransducers.push(transducer);
}
export class ComponentMeta {
readonly isComponentMeta = true;
private _uri?: string;
get uri(): string {
return this._uri!;
}
private _componentName?: string;
get componentName(): string {
return this._componentName!;
}
private _isContainer?: boolean;
get isContainer(): boolean {
return this._isContainer! || this.isRootComponent();
}
private _isModal?: boolean;
get isModal(): boolean {
return this._isModal!;
}
private _descriptor?: string;
get descriptor(): string {
return this._descriptor!;
}
private _acceptable?: boolean;
get acceptable(): boolean {
return this._acceptable!;
}
private _transformedMetadata?: TransformedComponentMetadata;
get configure() {
const config = this._transformedMetadata?.configure;
return config?.combined || config?.props || [];
}
private parentWhitelist?: string[] | null;
private childWhitelist?: string[] | null;
get title() {
return this._metadata.title || this.componentName;
}
get icon() {
return this._metadata.icon;
}
constructor(private _metadata: ComponentMetadata) {
this.parseMetadata(_metadata);
}
private parseMetadata(metadta: ComponentMetadata) {
const { componentName, uri, npm, props } = metadta;
this._uri = uri || (npm ? npmToURI(npm) : componentName);
this._componentName = componentName;
metadta.uri = this._uri;
// 额外转换逻辑
this._transformedMetadata = this.transformMetadata(metadta);
const { configure = {} } = this._transformedMetadata;
this._acceptable = false;
const { component } = configure;
if (component) {
this._isContainer = component.isContainer ? true : false;
this._isModal = component.isModal ? true : false;
this._descriptor = component.descriptor;
if (component.nestingRule) {
const { parentWhitelist, childWhitelist } = component.nestingRule;
this.parentWhitelist = ensureAList(parentWhitelist);
this.childWhitelist = ensureAList(childWhitelist);
}
} else {
this._isContainer = false;
this._isModal = false;
}
}
private transformMetadata(metadta: ComponentMetadata): TransformedComponentMetadata {
const result = metadataTransducers.reduce((prevMetadata, current) => {
return current(prevMetadata);
}, metadta);
if (!result.configure) {
result.configure = {};
}
return result as any;
}
isRootComponent() {
return this.componentName === 'Page' || this.componentName === 'Block' || this.componentName === 'Component';
}
set metadata(metadata: ComponentMetadata) {
this._metadata = metadata;
this.parseMetadata(metadata);
}
get metadata(): ComponentMetadata {
return this._metadata;
}
checkNestingUp(my: Node | NodeData, parent: NodeParent) {
if (this.parentWhitelist) {
return this.parentWhitelist.includes(parent.componentName);
}
return true;
}
checkNestingDown(my: Node, target: Node | NodeSchema) {
if (this.childWhitelist) {
return this.childWhitelist.includes(target.componentName);
}
return true;
}
}

View File

@ -8,7 +8,9 @@
--font-size-btn-medium: @fontSize-4;
--font-size-btn-small: @fontSize-5;
--color-brand-light: rgb(102, 188, 92);
--color-brand: #006cff;
--color-brand-light: #197aff;
--color-brand-dark: #0060e5;
--color-icon: rgba(255, 255, 255, 0.8);
--color-visited: rgba(179, 182, 201, 0.4);
--color-actived: #498ee6;

View File

@ -1,8 +1,8 @@
import { ComponentType } from 'react';
import { obx, computed } from '@recore/obx';
import { ComponentType as ReactComponentType } from 'react';
import { obx, computed, autorun } from '@recore/obx';
import BuiltinSimulatorView from '../builtins/simulator';
import Project from './project';
import { ProjectSchema } from './schema';
import { ProjectSchema, NpmInfo } from './schema';
import Dragon, { isDragNodeObject, isDragNodeDataObject, LocateEvent, DragObject } from './helper/dragon';
import ActiveTracker from './helper/active-tracker';
import Hovering from './helper/hovering';
@ -10,10 +10,11 @@ import Location, { LocationData, isLocationChildrenDetail } from './helper/locat
import DocumentModel from './document/document-model';
import Node, { insertChildren } from './document/node/node';
import { isRootNode } from './document/node/root-node';
import { ComponentDescriptionSpec, ComponentConfig } from './component-config';
import { ComponentMetadata, ComponentMeta } from './component-meta';
import Scroller, { IScrollable } from './helper/scroller';
import { INodeSelector } from './simulator';
import OffsetObserver, { createOffsetObserver } from './helper/offset-observer';
import { EventEmitter } from 'events';
export interface DesignerProps {
className?: string;
@ -21,15 +22,15 @@ export interface DesignerProps {
defaultSchema?: ProjectSchema;
hotkeys?: object;
simulatorProps?: object | ((document: DocumentModel) => object);
simulatorComponent?: ComponentType<any>;
dragGhostComponent?: ComponentType<any>;
simulatorComponent?: ReactComponentType<any>;
dragGhostComponent?: ReactComponentType<any>;
suspensed?: boolean;
componentDescriptionSpecs?: ComponentDescriptionSpec[];
componentsDescription?: ComponentMetadata[];
eventPipe?: EventEmitter;
onMount?: (designer: Designer) => void;
onDragstart?: (e: LocateEvent) => void;
onDrag?: (e: LocateEvent) => void;
onDragend?: (e: { dragObject: DragObject; copy: boolean }, loc?: Location) => void;
// TODO: ...add other events support
[key: string]: any;
}
@ -40,26 +41,45 @@ export default class Designer {
readonly hovering = new Hovering();
readonly project: Project;
get currentDocument() {
return this.project.currentDocument;
}
get currentHistory() {
return this.currentDocument?.history;
}
get currentSelection() {
return this.currentDocument?.selection;
}
constructor(props: DesignerProps) {
this.setProps(props);
this.project = new Project(this, props.defaultSchema);
this.dragon.onDragstart(e => {
this.hovering.enable = false;
const { dragObject } = e;
if (isDragNodeObject(dragObject) && dragObject.nodes.length === 1) {
if (isDragNodeObject(dragObject)) {
if (dragObject.nodes.length === 1) {
// ensure current selecting
dragObject.nodes[0].select();
}
} else {
this.currentSelection?.clear();
}
if (this.props?.onDragstart) {
this.props.onDragstart(e);
}
this.postEvent('dragstart', e);
});
this.dragon.onDrag(e => {
console.info('dropLocation', this._dropLocation);
if (this.props?.onDrag) {
this.props.onDrag(e);
}
this.postEvent('drag', e);
});
this.dragon.onDragend(e => {
@ -85,6 +105,7 @@ export default class Designer {
if (this.props?.onDragend) {
this.props.onDragend(e, loc);
}
this.postEvent('dragend', e, loc);
this.hovering.enable = true;
});
@ -92,7 +113,49 @@ export default class Designer {
node.document.simulator?.scrollToNode(node, detail);
});
this.setProps(props);
let selectionDispose: undefined | (() => void);
const setupSelection = () => {
if (selectionDispose) {
selectionDispose();
selectionDispose = undefined;
}
this.postEvent('selection-change', this.currentSelection);
if (this.currentSelection) {
const currentSelection = this.currentSelection;
selectionDispose = currentSelection.onSelectionChange(() => {
this.postEvent('selection-change', currentSelection);
});
}
};
let historyDispose: undefined | (() => void);
const setupHistory = () => {
if (historyDispose) {
historyDispose();
historyDispose = undefined;
}
this.postEvent('history-change', this.currentHistory);
if (this.currentHistory) {
const currentHistory = this.currentHistory;
historyDispose = currentHistory.onStateChange(() => {
this.postEvent('history-change', currentHistory);
});
}
};
this.project.onCurrentDocumentChange(() => {
this.postEvent('current-document-change', this.currentDocument);
this.postEvent('selection-change', this.currentSelection);
this.postEvent('history-change', this.currentHistory);
setupSelection();
setupHistory();
});
setupSelection();
setupHistory();
this.postEvent('designer.ready', this);
}
postEvent(event: string, ...args: any[]) {
this.props?.eventPipe?.emit(`designer.${event}`, ...args);
}
private _dropLocation?: Location;
@ -129,7 +192,7 @@ export default class Designer {
*
*/
getSuitableInsertion() {
const activedDoc = this.project.activedDocuments[0];
const activedDoc = this.project.currentDocument;
if (!activedDoc) {
return null;
}
@ -166,8 +229,8 @@ export default class Designer {
if (props.suspensed !== this.props.suspensed && props.suspensed != null) {
this.suspensed = props.suspensed;
}
if (props.componentDescriptionSpecs !== this.props.componentDescriptionSpecs && props.componentDescriptionSpecs != null) {
this.buildComponentConfigsMap(props.componentDescriptionSpecs);
if (props.componentsDescription !== this.props.componentsDescription && props.componentsDescription != null) {
this.buildComponentMetasMap(props.componentsDescription);
}
} else {
// init hotkeys
@ -183,8 +246,8 @@ export default class Designer {
if (props.suspensed != null) {
this.suspensed = props.suspensed;
}
if (props.componentDescriptionSpecs != null) {
this.buildComponentConfigsMap(props.componentDescriptionSpecs);
if (props.componentsDescription != null) {
this.buildComponentMetasMap(props.componentsDescription);
}
}
this.props = props;
@ -194,9 +257,9 @@ export default class Designer {
return this.props ? this.props[key] : null;
}
@obx.ref private _simulatorComponent?: ComponentType<any>;
@obx.ref private _simulatorComponent?: ReactComponentType<any>;
@computed get simulatorComponent(): ComponentType<any> {
@computed get simulatorComponent(): ReactComponentType<any> {
return this._simulatorComponent || BuiltinSimulatorView;
}
@ -206,7 +269,7 @@ export default class Designer {
return this._simulatorProps || {};
}
@obx.ref private _suspensed: boolean = false;
@obx.ref private _suspensed = false;
get suspensed(): boolean {
return this._suspensed;
@ -228,38 +291,61 @@ export default class Designer {
// todo:
}
@obx.val private _componentConfigsMap = new Map<string, ComponentConfig>();
@obx.val private _componentMetasMap = new Map<string, ComponentMeta>();
private _lostComponentMetasMap = new Map<string, ComponentMeta>();
private buildComponentConfigsMap(specs: ComponentDescriptionSpec[]) {
specs.forEach(spec => {
const key = spec.componentName;
const had = this._componentConfigsMap.get(key);
if (had) {
had.spec = spec;
private buildComponentMetasMap(metas: ComponentMetadata[]) {
metas.forEach(data => {
const key = data.componentName;
let meta = this._componentMetasMap.get(key);
if (meta) {
meta.metadata = data;
} else {
this._componentConfigsMap.set(key, new ComponentConfig(spec));
meta = this._lostComponentMetasMap.get(key);
if (meta) {
meta.metadata = data;
this._lostComponentMetasMap.delete(key);
} else {
meta = new ComponentMeta(data);
}
this._componentMetasMap.set(key, meta);
}
});
}
getComponentConfig(componentName: string): ComponentConfig {
if (this._componentConfigsMap.has(componentName)) {
return this._componentConfigsMap.get(componentName)!;
getComponentMeta(componentName: string, generateMetadata?: () => ComponentMetadata | null): ComponentMeta {
if (this._componentMetasMap.has(componentName)) {
return this._componentMetasMap.get(componentName)!;
}
return new ComponentConfig({
if (this._lostComponentMetasMap.has(componentName)) {
return this._lostComponentMetasMap.get(componentName)!;
}
const meta = new ComponentMeta({
componentName,
...(generateMetadata ? generateMetadata() : null),
});
this._lostComponentMetasMap.set(componentName, meta);
return meta;
}
get componentsMap(): { [key: string]: ComponentDescriptionSpec } {
@computed get componentsMap(): { [key: string]: NpmInfo } {
const maps: any = {};
this._componentConfigsMap.forEach((config, key) => {
maps[key] = config.spec;
this._componentMetasMap.forEach((config, key) => {
maps[key] = config.metadata.npm;
});
return maps;
}
autorun(action: (context: { firstRun: boolean }) => void, sync = false): () => void {
return autorun(action, sync as true);
}
purge() {
// todo:
}

View File

@ -4,9 +4,11 @@ import Node, { isNodeParent, insertChildren, insertChild, NodeParent } from './n
import { Selection } from './selection';
import RootNode from './node/root-node';
import { ISimulator, Component } from '../simulator';
import { computed, obx } from '@recore/obx';
import { computed, obx, autorun } from '@recore/obx';
import Location from '../helper/location';
import { ComponentConfig } from '../component-config';
import { ComponentMeta } from '../component-meta';
import History from '../helper/history';
import Prop from './node/props/prop';
export default class DocumentModel {
/**
@ -24,11 +26,10 @@ export default class DocumentModel {
/**
*
*/
// TODO
// readonly history: History = new History(this);
readonly history: History;
private nodesMap = new Map<string, Node>();
private nodes = new Set<Node>();
@obx.val private nodes = new Set<Node>();
private seqId = 0;
private _simulator?: ISimulator;
@ -40,16 +41,28 @@ export default class DocumentModel {
}
get fileName(): string {
return (this.rootNode.extras.get('fileName')?.value as string) || this.id;
return this.rootNode.getExtraProp('fileName')?.getAsString() || this.id;
}
set fileName(fileName: string) {
this.rootNode.extras.get('fileName', true).value = fileName;
this.rootNode.getExtraProp('fileName', true)?.setValue(fileName);
}
constructor(readonly project: Project, schema: RootSchema) {
this.rootNode = this.createNode(schema) as RootNode;
autorun(() => {
this.nodes.forEach(item => {
if (item.parent == null && item !== this.rootNode) {
item.purge();
}
});
}, true);
this.rootNode = this.createRootNode(schema);
this.id = this.rootNode.id;
this.history = new History(
() => this.schema,
schema => this.import(schema as RootSchema, true),
);
this.setupListenActiveNodes();
}
readonly designer = this.project.designer;
@ -76,20 +89,59 @@ export default class DocumentModel {
return node ? !node.isPurged : false;
}
@obx.val private activeNodes?: Node[];
private setupListenActiveNodes() {
// todo:
}
/**
* schema
*/
createNode(data: NodeData): Node {
createNode(data: NodeData, slotFor?: Prop): Node {
let schema: any;
if (isDOMText(data) || isJSExpression(data)) {
schema = {
componentName: '#frag',
componentName: 'Leaf',
children: data,
};
} else {
schema = data;
}
const node = new Node(this, schema);
let node: Node | null = null;
if (schema.id) {
node = this.getNode(schema.id);
if (node && node.componentName === schema.componentName) {
if (node.parent) {
node.internalSetParent(null);
// will move to another position
// todo: this.activeNodes?.push(node);
}
node.internalSetSlotFor(slotFor);
node.import(schema, true);
} else if (node) {
node = null;
}
}
if (!node) {
node = new Node(this, schema, slotFor);
// will add
// todo: this.activeNodes?.push(node);
}
if (this.nodesMap.has(node.id)) {
this.nodesMap.get(node.id)!.internalSetParent(null);
}
this.nodesMap.set(node.id, node);
this.nodes.add(node);
return node;
}
private createRootNode(schema: RootSchema) {
const node = new RootNode(this, schema);
this.nodesMap.set(node.id, node);
this.nodes.add(node);
return node;
@ -137,6 +189,7 @@ export default class DocumentModel {
}
this.nodesMap.delete(node.id);
this.nodes.delete(node);
this.selection.remove(node.id);
node.remove();
}
@ -184,6 +237,12 @@ export default class DocumentModel {
return this.rootNode.schema as any;
}
import(schema: RootSchema, checkId = false) {
this.rootNode.import(schema, checkId);
// todo: purge something
// todo: select added and active track added
}
/**
*
*/
@ -199,7 +258,7 @@ export default class DocumentModel {
*
*/
isModified() {
// return !this.history.isSavePoint();
return !this.history.isSavePoint();
}
/**
@ -222,19 +281,20 @@ export default class DocumentModel {
// TODO: emit simulator mounted
}
// FIXME: does needed?
getComponent(componentName: string): any {
return this.simulator!.getComponent(componentName);
}
getComponentConfig(componentName: string, component?: Component | null): ComponentConfig {
// TODO: guess componentConfig from component by simulator
return this.designer.getComponentConfig(componentName);
getComponentMeta(componentName: string): ComponentMeta {
return this.designer.getComponentMeta(
componentName,
() => this.simulator?.generateComponentMetadata(componentName) || null,
);
}
@obx.ref private _opened: boolean = true;
@obx.ref private _suspensed: boolean = false;
@obx.ref private _opened = false;
@obx.ref private _suspensed = false;
/**
* 
@ -284,7 +344,11 @@ export default class DocumentModel {
*
*/
open(): void {
const originState = this._opened;
this._opened = true;
if (originState === false) {
this.designer.postEvent('document-open', this);
}
if (this._suspensed) {
this.setSuspense(false);
} else {
@ -303,7 +367,9 @@ export default class DocumentModel {
/**
*
*/
remove() {}
remove() {
// todo:
}
}
export function isDocumentModel(obj: any): obj is DocumentModel {

View File

@ -1,6 +1,6 @@
import { Component } from 'react';
import DocumentModel from './document-model';
import { observer } from '@recore/core-obx';
import { observer } from '@recore/obx-react';
import classNames from 'classnames';
@observer

View File

@ -1,11 +1,11 @@
import Node, { NodeParent } from './node';
import { NodeData } from '../../schema';
import { NodeData, isNodeSchema } from '../../schema';
import { obx, computed } from '@recore/obx';
export default class NodeChildren {
@obx.val private children: Node[];
constructor(readonly owner: NodeParent, childrenData: NodeData | NodeData[]) {
this.children = (Array.isArray(childrenData) ? childrenData : [childrenData]).map(child => {
constructor(readonly owner: NodeParent, data: NodeData | NodeData[]) {
this.children = (Array.isArray(data) ? data : [data]).map(child => {
const node = this.owner.document.createNode(child);
node.internalSetParent(this.owner);
return node;
@ -16,8 +16,33 @@ export default class NodeChildren {
* schema
* @param serialize id
*/
exportSchema(serialize = false): NodeData[] {
return this.children.map(node => node.exportSchema(serialize));
export(serialize = false): NodeData[] {
return this.children.map(node => node.export(serialize));
}
import(data?: NodeData | NodeData[], checkId: boolean = false) {
data = data ? (Array.isArray(data) ? data : [data]) : [];
const originChildren = this.children.slice();
this.children.forEach(child => child.internalSetParent(null));
const children = new Array<Node>(data.length);
for (let i = 0, l = data.length; i < l; i++) {
const child = originChildren[i];
const item = data[i];
let node: Node | undefined;
if (isNodeSchema(item) && !checkId && child && child.componentName === item.componentName) {
node = child;
node.import(item);
} else {
node = this.owner.document.createNode(item);
}
node.internalSetParent(this.owner);
children[i] = node;
}
this.children = children;
}
/**
@ -34,27 +59,6 @@ export default class NodeChildren {
return this.size < 1;
}
/*
// 用于数据重新灌入
merge() {
for (let i = 0, l = data.length; i < l; i++) {
const item = this.children[i];
if (item && isMergeable(item) && item.tagName === data[i].tagName) {
item.merge(data[i]);
} else {
if (item) {
item.purge();
}
this.children[i] = this.document.createNode(data[i]);
this.children[i].internalSetParent(this);
}
}
if (this.children.length > data.length) {
this.children.splice(data.length).forEach(child => child.purge());
}
}
*/
/**
*
*/

View File

@ -1,86 +0,0 @@
import { obx, computed } from '@recore/obx';
import { JSExpression, isJSExpression } from '../../schema';
export default class NodeContent {
@obx.ref private _value: string | JSExpression = '';
@computed get value(): string | JSExpression {
return this._value;
}
set value(val: string | JSExpression) {
this._value = val;
}
/**
*
*/
@computed get code() {
if (isJSExpression(this._value)) {
return this._value.value;
}
return JSON.stringify(this.value);
}
/**
*
*/
set code(code: string) {
if (isJSExpression(this._value)) {
this._value = {
...this._value,
value: code,
};
} else {
let useCode: boolean = true;
try {
const v = JSON.parse(code);
const t = typeof v;
if (v == null) {
this._value = '';
useCode = false;
} else if (t === 'string' || t === 'number' || t === 'boolean') {
this._value = String(v);
useCode = false;
}
} catch (e) {
// ignore
}
if (useCode) {
this._value = {
type: 'JSExpression',
value: code,
mock: this._value,
};
}
}
}
constructor(value: any) {
const type = typeof value;
if (value == null) {
this._value = '';
} else if (type === 'string' || type === 'number' || type === 'boolean') {
this._value = String(value);
} else if (isJSExpression(value)) {
this._value = value;
}
}
/**
*
*/
@computed isJSExpression(): boolean {
return isJSExpression(this._value);
}
/**
*
*/
@computed isEmpty() {
if (isJSExpression(this._value)) {
return this._value.value === '';
}
return this._value === '';
}
}

View File

@ -1,14 +1,10 @@
import { obx, computed } from '@recore/obx';
import { NodeSchema, NodeData, PropsMap, PropsList } from '../../schema';
import Props from './props/props';
import { NodeSchema, NodeData, PropsMap, PropsList, isDOMText, isJSExpression } from '../../schema';
import Props, { EXTRA_KEY_PREFIX } from './props/props';
import DocumentModel from '../document-model';
import NodeChildren from './node-children';
import Prop from './props/prop';
import NodeContent from './node-content';
import { Component } from '../../simulator';
import { ComponentConfig } from '../../component-config';
const DIRECTIVES = ['condition', 'conditionGroup', 'loop', 'loopArgs', 'title', 'ignore', 'hidden', 'locked'];
import { ComponentMeta } from '../../component-meta';
/**
*
@ -50,21 +46,12 @@ export default class Node {
* * Component /
*/
readonly componentName: string;
protected _props?: Props<Node>;
protected _directives?: Props<Node>;
protected _extras?: Props<Node>;
protected _children: NodeChildren | NodeContent;
/**
*
*/
readonly props: Props;
protected _children?: NodeChildren;
@obx.ref private _parent: NodeParent | null = null;
@obx.ref private _zLevel = 0;
get props(): Props<Node> | undefined {
return this._props;
}
get directives(): Props<Node> | undefined {
return this._directives;
}
get extras(): Props<Node> | undefined {
return this._extras;
}
/**
*
*/
@ -74,20 +61,23 @@ export default class Node {
/**
*
*/
get children(): NodeChildren | NodeContent {
return this._children;
get children(): NodeChildren | null {
return this._children || null;
}
/**
*
*/
get zLevel(): number {
return this._zLevel;
@computed get zLevel(): number {
if (this._parent) {
return this._parent.zLevel + 1;
}
return -1;
}
@computed get title(): string {
let t = this.getDirective('x-title');
if (!t && this.componentConfig.descriptor) {
t = this.getProp(this.componentConfig.descriptor, false);
let t = this.getExtraProp('title');
if (!t && this.componentMeta.descriptor) {
t = this.getProp(this.componentMeta.descriptor, false);
}
if (t) {
const v = t.getAsString();
@ -95,62 +85,66 @@ export default class Node {
return v;
}
}
return this.componentName;
return this.componentMeta.title;
}
constructor(readonly document: DocumentModel, nodeSchema: NodeSchema) {
get isSlotRoot(): boolean {
return this._slotFor != null;
}
constructor(readonly document: DocumentModel, nodeSchema: NodeSchema, slotFor?: Prop) {
const { componentName, id, children, props, ...extras } = nodeSchema;
this.id = id || `node$${document.nextId()}`;
this.componentName = componentName;
if (this.isNodeParent) {
this._props = new Props(this, props);
this._directives = new Props(this, {});
Object.keys(extras).forEach(key => {
if (DIRECTIVES.indexOf(key) > -1) {
this._directives!.add((extras as any)[key], key);
delete (extras as any)[key];
}
});
this._extras = new Props(this, extras as any);
this._slotFor = slotFor;
let _props: Props;
if (isNodeParent(this)) {
_props = new Props(this, props, extras);
this._children = new NodeChildren(this as NodeParent, children || []);
} else {
this._children = new NodeContent(children);
_props = new Props(this, {
children: isDOMText(children) || isJSExpression(children) ? children : '',
});
}
this.props = _props;
}
/**
*
*/
get isNodeParent(): boolean {
return this.componentName.charAt(0) !== '#';
return this.componentName !== 'Leaf';
}
/**
* 使
*
* @ignore
*/
internalSetParent(parent: NodeParent | null) {
if (this._parent === parent) {
return;
}
if (this._parent) {
if (this._parent && !this.isSlotRoot) {
this._parent.children.delete(this);
}
this._parent = parent;
if (parent) {
this._zLevel = parent.zLevel + 1;
} else {
this._zLevel = -1;
}
private _slotFor?: Prop | null = null;
internalSetSlotFor(slotFor: Prop | null | undefined) {
this._slotFor = slotFor;
}
get slotFor() {
return this._slotFor;
}
/**
*
*/
remove() {
if (this.parent) {
if (this.parent && !this.isSlotRoot) {
this.parent.children.delete(this, true);
}
}
@ -163,34 +157,28 @@ export default class Node {
}
/**
*
*
*/
@obx.ref get component(): Component | null {
if (this.isNodeParent) {
return this.document.getComponent(this.componentName);
hover(flag = true) {
if (flag) {
this.document.designer.hovering.hover(this);
} else {
this.document.designer.hovering.unhover(this);
}
return null;
}
/**
*
*/
@obx.ref get componentConfig(): ComponentConfig {
return this.document.getComponentConfig(this.componentName, this.component);
@computed get componentMeta(): ComponentMeta {
return this.document.getComponentMeta(this.componentName);
}
@obx.ref get propsData(): PropsMap | PropsList | null {
@computed get propsData(): PropsMap | PropsList | null {
if (!this.isNodeParent || this.componentName === 'Fragment') {
return null;
}
return this.props?.value || null;
}
get directivesData(): PropsMap | null {
if (!this.isNodeParent) {
return null;
}
return this.directives?.value as PropsMap || null;
return this.props.export(true).props || null;
}
private _conditionGroup: string | null = null;
@ -227,35 +215,48 @@ export default class Node {
}
wrapWith(schema: NodeSchema) {
// todo
}
replaceWith(schema: NodeSchema, migrate: boolean = true) {
replaceWith(schema: NodeSchema, migrate = true) {
// reuse the same id? or replaceSelection
//
}
/*
// TODO
// 外部修改merge 进来,产生一次可恢复的历史数据
merge(data: ElementData) {
this.elementData = data;
const { leadingComments } = data;
this.leadingComments = leadingComments ? leadingComments.slice() : [];
this.parse();
this.mergeChildren(data.children || []);
getProp(path: string, stash = true): Prop | null {
return this.props.query(path, stash as any) || null;
}
// TODO: 再利用历史数据,不产生历史数据
reuse(timelineData: NodeSchema) {}
getExtraProp(key: string, stash = true): Prop | null {
return this.props.get(EXTRA_KEY_PREFIX + key, stash) || null;
}
/**
*
*/
getProp(path: string, useStash: boolean = true): Prop | null {
return this.props?.query(path, useStash as any) || null;
getPropValue(path: string): any {
return this.getProp(path, false)?.value;
}
getDirective(name: string, useStash: boolean = true): Prop | null {
return this.directives?.get(name, useStash as any) || null;
/**
*
*/
setPropValue(path: string, value: any) {
this.getProp(path, true)!.setValue(value);
}
/**
*
*/
mergeProps(props: PropsMap) {
this.props.merge(props);
}
/**
*
*/
setProps(props?: PropsMap | PropsList | null) {
this.props.import(props);
}
/**
@ -300,32 +301,54 @@ export default class Node {
* - schema
*/
get schema(): NodeSchema {
// TODO: ..
return this.exportSchema(true);
return this.export(true);
}
set schema(data: NodeSchema) {
this.import(data);
}
import(data: NodeSchema, checkId = false) {
const { componentName, id, children, props, ...extras } = data;
if (isNodeParent(this)) {
this.props.import(props, extras);
(this._children as NodeChildren).import(children, checkId);
} else {
this.props.get('children', true)!.setValue(isDOMText(children) || isJSExpression(children) ? children : '');
}
}
/**
* schema
* @param serialize id
*/
exportSchema(serialize = false): NodeSchema {
// TODO...
const schema: any = {
componentName: this.componentName,
...this.extras?.value,
props: this.props?.value || {},
...this.directives?.value,
export(serialize = false): NodeSchema {
const baseSchema: any = {
componentName: this.componentName === 'Leaf' ? 'Fragment' : this.componentName,
};
if (serialize) {
schema.id = this.id;
baseSchema.id = this.id;
}
if (isNodeParent(this)) {
if (!isNodeParent(this)) {
baseSchema.children = this.props.get('children')?.export(serialize);
// FIXME!
return baseSchema.children;
}
const { props = {}, extras } = this.props.export(serialize) || {};
const schema: any = {
...baseSchema,
props,
...extras,
};
if (this.children.size > 0) {
schema.children = this.children.exportSchema(serialize);
}
} else {
schema.children = (this.children as NodeContent).value;
schema.children = this.children.export(serialize);
}
return schema;
}
@ -351,7 +374,7 @@ export default class Node {
* 2 thisNode before or after otherNode
* 0 thisNode same as otherNode
*/
comparePosition(otherNode: Node): number {
comparePosition(otherNode: Node): PositionNO {
return comparePosition(this, otherNode);
}
@ -378,18 +401,14 @@ export default class Node {
if (isNodeParent(this)) {
this.children.purge();
}
this.props?.purge();
this.directives?.purge();
this.extras?.purge();
this.props.purge();
this.document.internalRemoveAndPurgeNode(this);
}
}
export interface NodeParent extends Node {
readonly children: NodeChildren;
readonly props: Props<Node>;
readonly directives: Props<Node>;
readonly extras: Props<Node>;
readonly props: Props;
}
export function isNode(node: any): node is Node {
@ -436,37 +455,43 @@ export function contains(node1: Node, node2: Node): boolean {
// 8 node1 contained_by node2
// 2 node1 before or after node2
// 0 node1 same as node2
export function comparePosition(node1: Node, node2: Node): number {
export enum PositionNO {
Contains = 16,
ContainedBy = 8,
BeforeOrAfter = 2,
TheSame = 0,
}
export function comparePosition(node1: Node, node2: Node): PositionNO {
if (node1 === node2) {
return 0;
return PositionNO.TheSame;
}
const l1 = node1.zLevel;
const l2 = node2.zLevel;
if (l1 === l2) {
return 2;
return PositionNO.BeforeOrAfter;
}
let p: any;
if (l1 > l2) {
if (l1 < l2) {
p = getZLevelTop(node2, l1);
if (p && p === node1) {
return 16;
return PositionNO.Contains;
}
return 2;
return PositionNO.BeforeOrAfter;
}
p = getZLevelTop(node1, l2);
if (p && p === node2) {
return 8;
return PositionNO.ContainedBy;
}
return 2;
return PositionNO.BeforeOrAfter;
}
export function insertChild(container: NodeParent, thing: Node | NodeData, at?: number | null, copy?: boolean): Node {
let node: Node;
if (copy && isNode(thing)) {
thing = thing.exportSchema(false);
if (isNode(thing) && (copy || thing.isSlotRoot)) {
thing = thing.export(false);
}
if (isNode(thing)) {
node = thing;
@ -496,4 +521,3 @@ export function insertChildren(
}
return results;
}

View File

@ -1,10 +1,11 @@
import { obx, autorun, untracked, computed } from '@recore/obx';
import Prop, { IPropParent } from './prop';
import Prop, { IPropParent, UNSET } from './prop';
import Props from './props';
export type PendingItem = Prop[];
export default class StashSpace implements IPropParent {
export default class PropStash implements IPropParent {
@obx.val private space: Set<Prop> = new Set();
@computed private get maps(): Map<string, Prop> {
@computed private get maps(): Map<string | number, Prop> {
const maps = new Map();
if (this.space.size > 0) {
this.space.forEach(prop => {
@ -15,34 +16,32 @@ export default class StashSpace implements IPropParent {
}
private willPurge: () => void;
constructor(write: (item: Prop) => void, before: () => boolean) {
constructor(readonly props: Props, write: (item: Prop) => void) {
this.willPurge = autorun(() => {
if (this.space.size < 1) {
return;
}
const pending: Prop[] = [];
for (const prop of this.space) {
if (!prop.isUnset()) {
if (!prop.isUnset() && !prop.isVirtual()) {
this.space.delete(prop);
pending.push(prop);
}
}
if (pending.length > 0) {
untracked(() => {
if (before()) {
for (const item of pending) {
write(item);
}
}
});
}
});
}
get(key: string): Prop {
get(key: string | number): Prop {
let prop = this.maps.get(key);
if (!prop) {
prop = new Prop(this, null, key);
prop = new Prop(this, UNSET, key);
this.space.add(prop);
}
return prop;

View File

@ -1,28 +1,33 @@
import { untracked, computed, obx } from '@recore/obx';
import { valueToSource } from '../../../../utils/value-to-source';
import { CompositeValue, isJSExpression } from '../../../schema';
import StashSpace from './stash-space';
import { uniqueId } from '../../../../utils/unique-id';
import { isPlainObject } from '../../../../utils/is-plain-object';
import { CompositeValue, isJSExpression, isJSSlot, NodeSchema, NodeData, isNodeSchema } from '../../../schema';
import PropStash from './prop-stash';
import { uniqueId } from '../../../../../../utils/unique-id';
import { isPlainObject } from '../../../../../../utils/is-plain-object';
import { hasOwnProperty } from '../../../../utils/has-own-property';
import Props from './props';
import Node from '../node';
export const UNSET = Symbol.for('unset');
export type UNSET = typeof UNSET;
export interface IPropParent {
delete(prop: Prop): void;
readonly props: Props;
}
export type ValueTypes = 'unset' | 'literal' | 'map' | 'list' | 'expression' | 'slot';
export default class Prop implements IPropParent {
readonly isProp = true;
readonly id = uniqueId('prop$');
private _type: 'unset' | 'literal' | 'map' | 'list' | 'expression' = 'unset';
@obx.ref private _type: ValueTypes = 'unset';
/**
*
*/
get type(): 'unset' | 'literal' | 'map' | 'list' | 'expression' {
get type(): ValueTypes {
return this._type;
}
@ -31,37 +36,100 @@ export default class Prop implements IPropParent {
/**
*
*/
@computed get value(): CompositeValue {
if (this._type === 'unset') {
return null;
@computed get value(): CompositeValue | UNSET {
return this.export(true);
}
export(serialize = false): CompositeValue | UNSET {
const type = this._type;
if (type === 'unset') {
return UNSET;
}
if (type === 'literal' || type === 'expression') {
return this._value;
}
if (type === 'slot') {
return {
type: 'JSSlot',
value: this._slotNode!.export(serialize),
};
}
if (type === 'map') {
if (!this._items) {
return this._value;
}
const maps: any = {};
this.items!.forEach((prop, key) => {
maps[key] = prop.value;
const v = prop.export(serialize);
if (v !== UNSET) {
maps[key] = v;
}
});
return maps;
}
if (type === 'list') {
if (!this._items) {
return this._items;
return this._value;
}
return this.items!.map(prop => prop.value);
return this.items!.map(prop => {
const v = prop.export(serialize);
return v === UNSET ? null : v;
});
}
return null;
}
private _code: string | null = null;
/**
*
*/
@computed get code() {
if (isJSExpression(this.value)) {
return this.value.value;
}
// todo: JSFunction ...
if (this.type === 'slot') {
return JSON.stringify(this._slotNode!.export(false));
}
return this._code != null ? this._code : JSON.stringify(this.value);
}
/**
*
*/
set code(code: string) {
if (isJSExpression(this._value)) {
this.setValue({
...this._value,
value: code,
});
this._code = code;
return;
}
try {
const v = JSON.parse(code);
this.setValue(v);
this._code = code;
return;
} catch (e) {
// ignore
}
this.setValue({
type: 'JSExpression',
value: code,
mock: this._value,
});
this._code = code;
}
@computed getAsString(): string {
if (this.type === 'literal') {
return this._value ? String(this._value) : '';
@ -72,18 +140,22 @@ export default class Prop implements IPropParent {
/**
* set value, val should be JSON Object
*/
set value(val: CompositeValue) {
setValue(val: CompositeValue) {
this._value = val;
this._code = null;
const t = typeof val;
if (val == null) {
this._value = null;
this._type = 'literal';
} else if (t === 'string' || t === 'number' || t === 'boolean') {
this._value = val;
this._type = 'literal';
} else if (Array.isArray(val)) {
this._type = 'list';
} else if (isPlainObject(val)) {
if (isJSSlot(val)) {
this.setAsSlot(val.value);
return;
}
if (isJSExpression(val)) {
this._type = 'expression';
} else {
@ -97,14 +169,50 @@ export default class Prop implements IPropParent {
value: valueToSource(val),
};
}
if (untracked(() => this._items)) {
this._items!.forEach(prop => prop.purge());
this._items = null;
this.dispose();
}
@computed getValue(): CompositeValue {
const v = this.export(true);
if (v === UNSET) {
return null;
}
return v;
}
private dispose() {
const items = untracked(() => this._items);
if (items) {
items.forEach(prop => prop.purge());
}
this._items = null;
this._maps = null;
if (this.stash) {
this.stash.clear();
}
if (this._type !== 'slot' && this._slotNode) {
this._slotNode.purge();
this._slotNode = undefined;
}
}
private _slotNode?: Node;
setAsSlot(data: NodeData) {
this._type = 'slot';
if (
this._slotNode &&
isNodeSchema(data) &&
(!data.id || this._slotNode.id === data.id) &&
this._slotNode.componentName === data.componentName
) {
this._slotNode.import(data);
} else {
this._slotNode?.internalSetParent(null);
const owner = this.props.owner;
this._slotNode = owner.document.createNode(data, this);
this._slotNode.internalSetParent(owner as any);
}
this.dispose();
}
/**
@ -121,33 +229,32 @@ export default class Prop implements IPropParent {
return this._type === 'unset';
}
/**
*
* JSExpresion | JSSlot
*/
@computed isContainJSExpression(): boolean {
const type = this._type;
if (type === 'expression') {
return true;
}
if (type === 'literal' || type === 'unset') {
return false;
}
if ((type === 'list' || type === 'map') && this.items) {
return this.items.some(item => item.isContainJSExpression());
}
return false;
isVirtual() {
return typeof this.key === 'string' && this.key.charAt(0) === '!';
}
/**
* JSON
*/
@computed isJSON() {
return !this.isContainJSExpression();
// TODO: improve this logic
compare(other: Prop | null): number {
if (!other || other.isUnset()) {
return this.isUnset() ? 0 : 2;
}
if (other.type !== this.type) {
return 2;
}
// list
if (this.type === 'list') {
return this.size === other.size ? 1 : 2;
}
if (this.type === 'map') {
return 1;
}
// 'literal' | 'map' | 'expression' | 'slot'
return this.code === other.code ? 0 : 2;
}
@obx.val private _items: Prop[] | null = null;
@obx.val private _maps: Map<string, Prop> | null = null;
@obx.val private _maps: Map<string | number, Prop> | null = null;
@computed private get items(): Prop[] | null {
let _items: any;
untracked(() => {
@ -182,14 +289,14 @@ export default class Prop implements IPropParent {
}
return _items;
}
@computed private get maps(): Map<string, Prop> | null {
if (!this.items || this.items.length < 1) {
@computed private get maps(): Map<string | number, Prop> | null {
if (!this.items) {
return null;
}
return this._maps;
}
private stash: StashSpace | undefined;
private stash: PropStash | undefined;
/**
*
@ -200,14 +307,17 @@ export default class Prop implements IPropParent {
*/
@obx spread: boolean;
readonly props: Props;
constructor(
public parent: IPropParent,
value: CompositeValue | UNSET = UNSET,
key?: string | number,
spread = false,
) {
this.props = parent.props;
if (value !== UNSET) {
this.value = value;
this.setValue(value);
}
this.key = key;
this.spread = spread;
@ -215,58 +325,51 @@ export default class Prop implements IPropParent {
/**
*
* @param stash
* @param stash
*/
get(path: string, stash: false): Prop | null;
/**
* ,
* @param stash
*/
get(path: string, stash: true): Prop;
/**
* ,
*/
get(path: string): Prop;
get(path: string, stash = true) {
get(path: string | number, stash = true): Prop | null {
const type = this._type;
if (type !== 'map' && type !== 'unset' && !stash) {
if (type !== 'map' && type !== 'list' && type !== 'unset' && !stash) {
return null;
}
const maps = type === 'map' ? this.maps : null;
const items = type === 'list' ? this.items : null;
let prop: any = maps ? maps.get(path) : null;
if (prop) {
return prop;
}
const i = path.indexOf('.');
let entry = path;
let nest = '';
if (typeof path !== 'number') {
const i = path.indexOf('.');
if (i > 0) {
nest = path.slice(i + 1);
if (nest) {
entry = path.slice(0, i);
prop = maps ? maps.get(entry) : null;
if (prop) {
return prop.get(nest, stash);
}
}
}
let prop: any;
if (type === 'list') {
if (isValidArrayIndex(entry, this.size)) {
prop = items![entry];
}
} else if (type === 'map') {
prop = maps?.get(entry);
}
if (prop) {
return nest ? prop.get(nest, stash) : prop;
}
if (stash) {
if (!this.stash) {
this.stash = new StashSpace(
item => {
this.stash = new PropStash(this.props, item => {
// item take effect
this.set(String(item.key), item);
if (item.key) {
this.set(item.key, item, true);
}
item.parent = this;
},
() => {
return true;
},
);
});
}
prop = this.stash.get(entry);
if (nest) {
@ -317,7 +420,7 @@ export default class Prop implements IPropParent {
/**
*
*/
size(): number {
get size(): number {
return this.items?.length || 0;
}
@ -332,7 +435,7 @@ export default class Prop implements IPropParent {
return null;
}
if (type === 'unset' || (force && type !== 'list')) {
this.value = [];
this.setValue([]);
}
const prop = new Prop(this, value);
this.items!.push(prop);
@ -344,17 +447,29 @@ export default class Prop implements IPropParent {
*
* @param force
*/
set(key: string, value: CompositeValue | Prop, force = false) {
set(key: string | number, value: CompositeValue | Prop, force = false) {
const type = this._type;
if (type !== 'map' && type !== 'unset' && !force) {
if (type !== 'map' && type !== 'list' && type !== 'unset' && !force) {
return null;
}
if (type === 'unset' || (force && type !== 'map')) {
this.value = {};
if (isValidArrayIndex(key)) {
if (type !== 'list') {
this.setValue([]);
}
} else {
this.setValue({});
}
}
const prop = isProp(value) ? value : new Prop(this, value, key);
const items = this.items!;
const maps = this.maps!;
if (this.type === 'list') {
if (!isValidArrayIndex(key)) {
return null;
}
items[key] = prop;
} else if (this.maps) {
const maps = this.maps;
const orig = maps.get(key);
if (orig) {
// replace
@ -368,6 +483,9 @@ export default class Prop implements IPropParent {
items.push(prop);
maps.set(key, prop);
}
} else {
return null;
}
return prop;
}
@ -401,6 +519,9 @@ export default class Prop implements IPropParent {
this._items.forEach(item => item.purge());
}
this._maps = null;
if (this._slotNode && this._slotNode.slotFor === this) {
this._slotNode.purge();
}
}
/**
@ -458,3 +579,8 @@ export default class Prop implements IPropParent {
export function isProp(obj: any): obj is Prop {
return obj && obj.isProp;
}
export function isValidArrayIndex(key: any, limit = -1): key is number {
const n = parseFloat(String(key));
return n >= 0 && Math.floor(n) === n && isFinite(n) && (limit < 0 || n < limit);
}

View File

@ -1,14 +1,13 @@
import { computed, obx } from '@recore/obx';
import { uniqueId } from '../../../../utils/unique-id';
import { uniqueId } from '../../../../../../utils/unique-id';
import { CompositeValue, PropsList, PropsMap } from '../../../schema';
import StashSpace from './stash-space';
import Prop, { IPropParent } from './prop';
import PropStash from './prop-stash';
import Prop, { IPropParent, UNSET } from './prop';
import Node from '../node';
export const UNSET = Symbol.for('unset');
export type UNSET = typeof UNSET;
export const EXTRA_KEY_PREFIX = '__';
export default class Props<O = any> implements IPropParent {
export default class Props implements IPropParent {
readonly id = uniqueId('props');
@obx.val private items: Prop[] = [];
@computed private get maps(): Map<string, Prop> {
@ -23,15 +22,14 @@ export default class Props<O = any> implements IPropParent {
return maps;
}
private stash = new StashSpace(
prop => {
get props(): Props {
return this;
}
private stash = new PropStash(this, prop => {
this.items.push(prop);
prop.parent = this;
},
() => {
return true;
},
);
});
/**
*
@ -40,58 +38,105 @@ export default class Props<O = any> implements IPropParent {
return this.items.length;
}
@computed get value(): PropsMap | PropsList | null {
if (this.items.length < 1) {
return null;
}
if (this.type === 'list') {
return this.items.map(item => ({
spread: item.spread,
name: item.key as string,
value: item.value,
}));
}
const maps: any = {};
this.items.forEach(prop => {
if (prop.key) {
maps[prop.key] = prop.value;
}
});
return maps;
}
@obx type: 'map' | 'list' = 'map';
constructor(readonly owner: O, value?: PropsMap | PropsList | null) {
constructor(readonly owner: Node, value?: PropsMap | PropsList | null, extras?: object) {
if (Array.isArray(value)) {
this.type = 'list';
this.items = value.map(item => new Prop(this, item.value, item.name, item.spread));
} else if (value != null) {
this.items = Object.keys(value).map(key => new Prop(this, value[key], key));
}
if (extras) {
Object.keys(extras).forEach(key => {
this.items.push(new Prop(this, (extras as any)[key], EXTRA_KEY_PREFIX + key));
});
}
}
import(value?: PropsMap | PropsList | null, extras?: object) {
this.stash.clear();
const originItems = this.items;
if (Array.isArray(value)) {
this.type = 'list';
this.items = value.map(item => new Prop(this, item.value, item.name, item.spread));
} else if (value != null) {
this.type = 'map';
this.items = Object.keys(value).map(key => new Prop(this, value[key], key));
} else {
this.type = 'map';
this.items = [];
}
if (extras) {
Object.keys(extras).forEach(key => {
this.items.push(new Prop(this, (extras as any)[key], EXTRA_KEY_PREFIX + key));
});
}
originItems.forEach(item => item.purge());
}
merge(value: PropsMap) {
Object.keys(value).forEach(key => {
this.query(key, true)!.setValue(value[key]);
});
}
export(serialize = false): { props?: PropsMap | PropsList; extras?: object } {
if (this.items.length < 1) {
return {};
}
let props: any = {};
const extras: any = {};
if (this.type === 'list') {
props = [];
this.items.forEach(item => {
let value = item.export(serialize);
if (value === UNSET) {
value = null;
}
let name = item.key as string;
if (name && typeof name === 'string' && name.startsWith(EXTRA_KEY_PREFIX)) {
name = name.substr(EXTRA_KEY_PREFIX.length);
extras[name] = value;
} else {
props.push({
spread: item.spread,
name,
value,
});
}
});
} else {
this.items.forEach(item => {
let name = item.key as string;
if (name == null) {
// todo ...spread
return;
}
let value = item.export(serialize);
if (value === UNSET) {
value = null;
}
if (typeof name === 'string' && name.startsWith(EXTRA_KEY_PREFIX)) {
name = name.substr(EXTRA_KEY_PREFIX.length);
extras[name] = value;
} else {
props[name] = value;
}
});
}
return { props, extras };
}
/**
* path
*/
query(path: string): Prop;
/**
* path
*
* @useStash
* @param stash
*/
query(path: string, useStash: true): Prop;
/**
* path
*/
query(path: string, useStash: false): Prop | null;
/**
* path
*
* @useStash
*/
query(path: string, useStash: boolean = true) {
query(path: string, stash = true): Prop | null {
return this.get(path, stash);
// todo: future support list search
let matchedLength = 0;
let firstMatched = null;
if (this.items) {
@ -122,7 +167,7 @@ export default class Props<O = any> implements IPropParent {
if (firstMatched) {
ret = firstMatched.get(path.slice(matchedLength + 1), true);
}
if (!ret && useStash) {
if (!ret && stash) {
return this.stash.get(path);
}
@ -131,20 +176,26 @@ export default class Props<O = any> implements IPropParent {
/**
* ,
* @param useStash
* @param stash
*/
get(path: string, useStash: true): Prop;
/**
*
* @param useStash
*/
get(path: string, useStash: false): Prop | null;
/**
*
*/
get(path: string): Prop | null;
get(name: string, useStash = false) {
return this.maps.get(name) || (useStash && this.stash.get(name)) || null;
get(path: string, stash = false): Prop | null {
let entry = path;
let nest = '';
const i = path.indexOf('.');
if (i > 0) {
nest = path.slice(i + 1);
if (nest) {
entry = path.slice(0, i);
}
}
const prop = this.maps.get(entry) || (stash && this.stash.get(entry)) || null;
if (prop) {
return nest ? prop.get(nest, stash) : prop;
}
return null;
}
/**

View File

@ -17,9 +17,9 @@ import Props from './props/props';
* meta
* state
* defaultProps
* dataSource
* lifeCycles
* methods
* dataSource
* css
*
* [Directives **not used**]
@ -42,30 +42,23 @@ export default class RootNode extends Node implements NodeParent {
return 0;
}
get nextSibling() {
return null
return null;
}
get prevSibling() {
return null
return null;
}
get zLevel() {
return 0;
}
get parent() {
return null
return null;
}
get children(): NodeChildren {
return this._children as NodeChildren;
}
get props(): Props<RootNode> {
return this._props as any;
internalSetParent(parent: null) {
// empty
}
get extras(): Props<RootNode> {
return this._extras as any;
}
get directives(): Props<RootNode> {
return this._directives as any;
}
internalSetParent(parent: null) {}
constructor(readonly document: DocumentModel, rootSchema: RootSchema) {
super(document, rootSchema);

View File

@ -1,87 +1,108 @@
import Node, { comparePosition } from './node/node';
import Node, { comparePosition, PositionNO } from './node/node';
import { obx } from '@recore/obx';
import DocumentModel from './document-model';
import { EventEmitter } from 'events';
export class Selection {
@obx.val private selected: string[] = [];
private emitter = new EventEmitter();
@obx.val private _selected: string[] = [];
/**
* id
*/
get selected(): string[] {
return this._selected;
}
constructor(private doc: DocumentModel) {}
constructor(readonly doc: DocumentModel) {}
/**
*
*/
select(id: string) {
if (this.selected.length === 1 && this.selected.indexOf(id) > -1) {
if (this._selected.length === 1 && this._selected.indexOf(id) > -1) {
// avoid cause reaction
return;
}
this.selected = [id];
this._selected = [id];
this.emitter.emit('selectionchange', this._selected);
}
/**
*
*/
selectAll(ids: string[]) {
this.selected = ids;
this._selected = ids;
this.emitter.emit('selectionchange', this._selected);
}
/**
*
*/
clear() {
this.selected = [];
if (this._selected.length < 1) {
return;
}
this._selected = [];
this.emitter.emit('selectionchange', this._selected);
}
/**
*
*/
dispose() {
let i = this.selected.length;
const l = this._selected.length;
let i = l;
while (i-- > 0) {
const id = this.selected[i];
const id = this._selected[i];
if (!this.doc.hasNode(id)) {
this.selected.splice(i, 1);
} else {
this.selected[i] = id;
this._selected.splice(i, 1);
}
}
if (this._selected.length !== l) {
this.emitter.emit('selectionchange', this._selected);
}
}
/**
*
*/
add(id: string) {
if (this.selected.indexOf(id) > -1) {
if (this._selected.indexOf(id) > -1) {
return;
}
this.selected.push(id);
this._selected.push(id);
this.emitter.emit('selectionchange', this._selected);
}
/**
*
*/
has(id: string) {
return this.selected.indexOf(id) > -1;
return this._selected.indexOf(id) > -1;
}
/**
*
*/
remove(id: string) {
let i = this.selected.indexOf(id);
const i = this._selected.indexOf(id);
if (i > -1) {
this.selected.splice(i, 1);
this._selected.splice(i, 1);
this.emitter.emit('selectionchange', this._selected);
}
}
/**
*
*/
containsNode(node: Node) {
for (const id of this.selected) {
containsNode(node: Node, excludeRoot = false) {
for (const id of this._selected) {
const parent = this.doc.getNode(id);
if (excludeRoot && parent === this.doc.rootNode) {
continue;
}
if (parent?.contains(node)) {
return true;
}
@ -94,7 +115,7 @@ export class Selection {
*/
getNodes() {
const nodes = [];
for (const id of this.selected) {
for (const id of this._selected) {
const node = this.doc.getNode(id);
if (node) {
nodes.push(node);
@ -106,11 +127,12 @@ export class Selection {
/**
* ,
*/
getTopNodes() {
getTopNodes(includeRoot = false) {
const nodes = [];
for (const id of this.selected) {
for (const id of this._selected) {
const node = this.doc.getNode(id);
if (!node) {
// 排除根节点
if (!node || (!includeRoot && node === this.doc.rootNode)) {
continue;
}
let i = nodes.length;
@ -118,12 +140,12 @@ export class Selection {
while (i-- > 0) {
const n = comparePosition(nodes[i], node);
// nodes[i] contains node
if (n === 16 || n === 0) {
if (n === PositionNO.Contains || n === PositionNO.TheSame) {
isTop = false;
break;
}
// node contains nodes[i], delete nodes[i]
if (n === 8) {
if (n === PositionNO.ContainedBy) {
nodes.splice(i, 1);
}
}
@ -134,4 +156,11 @@ export class Selection {
}
return nodes;
}
onSelectionChange(fn: () => void): () => void {
this.emitter.on('selectionchange', fn);
return () => {
this.emitter.removeListener('selectionchange', fn);
};
}
}

View File

@ -19,7 +19,7 @@ export interface LocateEvent {
/**
*
*/
readonly originalEvent: MouseEvent;
readonly originalEvent: MouseEvent | DragEvent;
/**
*
*/
@ -124,7 +124,7 @@ const SHAKE_DISTANCE = 4;
/**
* mouse shake check
*/
export function isShaken(e1: MouseEvent, e2: MouseEvent): boolean {
export function isShaken(e1: MouseEvent | DragEvent, e2: MouseEvent | DragEvent): boolean {
if ((e1 as any).shaken) {
return true;
}
@ -134,6 +134,19 @@ export function isShaken(e1: MouseEvent, e2: MouseEvent): boolean {
return Math.pow(e1.clientY - e2.clientY, 2) + Math.pow(e1.clientX - e2.clientX, 2) > SHAKE_DISTANCE;
}
function isInvalidPoint(e: any, last: any): boolean {
return (
e.clientX === 0 &&
e.clientY === 0 &&
last &&
(Math.abs(last.clientX - e.clientX) > 5 || Math.abs(last.clientY - e.clientY) > 5)
);
}
function isSameAs(e1: MouseEvent | DragEvent, e2: MouseEvent | DragEvent): boolean {
return e1.clientY === e2.clientY && e1.clientX === e2.clientX;
}
export function setShaken(e: any) {
e.shaken = true;
}
@ -145,17 +158,36 @@ function getSourceSensor(dragObject: DragObject): ISimulator | null {
return dragObject.nodes[0]?.document.simulator || null;
}
function makeSimulatorListener(masterSensors: ISimulator[]): (fn: (sdoc: Document) => void) => void {
return (fn: (sdoc: Document) => void) => {
masterSensors.forEach(sim => {
function makeEventsHandler(
boostEvent: MouseEvent | DragEvent,
sensors: ISimulator[],
): (fn: (sdoc: Document) => void) => void {
const topDoc = window.top.document;
const sourceDoc = boostEvent.view?.document || topDoc;
const boostPrevented = boostEvent.defaultPrevented;
const docs = new Set<Document>();
if (boostPrevented || isDragEvent(boostEvent)) {
docs.add(topDoc);
}
docs.add(sourceDoc);
if (sourceDoc !== topDoc || isDragEvent(boostEvent)) {
sensors.forEach(sim => {
const sdoc = sim.contentDocument;
if (sdoc) {
fn(sdoc);
docs.add(sdoc);
}
});
}
return (handle: (sdoc: Document) => void) => {
docs.forEach(doc => handle(doc));
};
}
function isDragEvent(e: any): e is DragEvent {
return e?.type?.substr(0, 4) === 'drag';
}
export default class Dragon {
private sensors: ISensor[] = [];
@ -167,14 +199,17 @@ export default class Dragon {
return this._activeSensor;
}
@obx.ref private _dragging: boolean = false;
@obx.ref private _dragging = false;
get dragging(): boolean {
return this._dragging;
}
private emitter = new EventEmitter();
private emptyImage: HTMLImageElement = new Image();
constructor(readonly designer: Designer) {}
constructor(readonly designer: Designer) {
this.emptyImage.src = 'data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==';
}
from(shell: Element, boost: (e: MouseEvent) => DragObject | null) {
const mousedown = (e: MouseEvent) => {
@ -197,21 +232,17 @@ export default class Dragon {
};
}
boost(dragObject: DragObject, boostEvent: MouseEvent) {
const doc = document;
const sourceDoc = boostEvent.view?.document;
const masterSensors = this.getMasterSensors();
const listenSimulators = !sourceDoc || sourceDoc === doc ? makeSimulatorListener(masterSensors) : null;
const alwaysListen = listenSimulators ? doc : sourceDoc!;
boost(dragObject: DragObject, boostEvent: MouseEvent | DragEvent) {
const designer = this.designer;
const newBie = dragObject.type !== DragObjectType.Node;
const masterSensors = this.getMasterSensors();
const handleEvents = makeEventsHandler(boostEvent, masterSensors);
const newBie = !isDragNodeObject(dragObject);
const forceCopyState = isDragNodeObject(dragObject) && dragObject.nodes.some(node => node.isSlotRoot);
const isBoostFromDragAPI = boostEvent.type.substr(0, 4) === 'drag';
let lastSensor: ISensor | undefined;
this._dragging = false;
// 禁用默认的文稿拖选
this.setNativeSelection(false);
const checkesc = (e: KeyboardEvent) => {
if (e.keyCode === 27) {
designer.clearLocation();
@ -219,20 +250,47 @@ export default class Dragon {
}
};
const checkcopy = (e: MouseEvent) => {
let copy = false;
const checkcopy = (e: MouseEvent | DragEvent | KeyboardEvent) => {
if (isDragEvent(e) && e.dataTransfer) {
if (newBie || forceCopyState) {
e.dataTransfer.dropEffect = 'copy';
}
return;
}
if (newBie) {
return;
}
if (e.altKey || e.ctrlKey) {
copy = true;
this.setCopyState(true);
if (isDragEvent(e) && e.dataTransfer) {
e.dataTransfer.dropEffect = 'copy';
}
} else {
copy = false;
if (!forceCopyState) {
this.setCopyState(false);
if (isDragEvent(e) && e.dataTransfer) {
e.dataTransfer.dropEffect = 'move';
}
}
}
};
const drag = (e: MouseEvent) => {
let lastArrive: any;
const drag = (e: MouseEvent | DragEvent) => {
checkcopy(e);
if (isInvalidPoint(e, lastArrive)) return;
if (lastArrive && isSameAs(e, lastArrive)) {
lastArrive = e;
return;
}
lastArrive = e;
const locateEvent = createLocateEvent(e);
const sensor = chooseSensor(locateEvent);
if (sensor) {
@ -245,44 +303,61 @@ export default class Dragon {
};
const dragstart = () => {
this._dragging = true;
setShaken(boostEvent);
const locateEvent = createLocateEvent(boostEvent);
if (newBie) {
if (newBie || forceCopyState) {
this.setCopyState(true);
} else {
chooseSensor(locateEvent);
}
this.setDraggingState(true);
// ESC cancel drag
alwaysListen.addEventListener('keydown', checkesc, false);
listenSimulators &&
listenSimulators(sdoc => {
sdoc.addEventListener('keydown', checkesc, false);
if (!isBoostFromDragAPI) {
handleEvents(doc => {
doc.addEventListener('keydown', checkesc, false);
});
}
this.emitter.emit('dragstart', locateEvent);
};
const move = (e: MouseEvent) => {
if (this.dragging) {
const move = (e: MouseEvent | DragEvent) => {
if (isBoostFromDragAPI) {
e.preventDefault();
}
if (this._dragging) {
drag(e);
return;
}
if (isShaken(boostEvent, e)) {
this._dragging = true;
setShaken(boostEvent);
dragstart();
drag(e);
}
};
let didDrop = true;
const drop = (e: DragEvent) => {
e.preventDefault();
e.stopPropagation();
didDrop = true;
};
const over = (e?: any) => {
if (e && isDragEvent(e)) {
e.preventDefault();
}
if (lastSensor) {
lastSensor.deactiveSensor();
}
if (isBoostFromDragAPI) {
if (!didDrop) {
designer.clearLocation();
}
} else {
this.setNativeSelection(true);
const copy = !newBie && this.isCopyState();
}
this.clearState();
let exception;
@ -295,31 +370,26 @@ export default class Dragon {
}
}
alwaysListen.removeEventListener('mousemove', move, true);
alwaysListen.removeEventListener('mouseup', over, true);
alwaysListen.removeEventListener('mousedown', over, true);
alwaysListen.removeEventListener('keydown', checkesc, false);
alwaysListen.removeEventListener('keydown', checkcopy as any, false);
alwaysListen.removeEventListener('keyup', checkcopy as any, false);
listenSimulators &&
listenSimulators(sdoc => {
sdoc.removeEventListener('mousemove', move, true);
sdoc.removeEventListener('mouseup', over, true);
sdoc.removeEventListener('mousedown', over, true);
sdoc.removeEventListener('keydown', checkesc, false);
sdoc.removeEventListener('keydown', checkcopy as any, false);
sdoc.removeEventListener('keyup', checkcopy as any, false);
handleEvents(doc => {
if (isBoostFromDragAPI) {
doc.removeEventListener('dragover', move, true);
doc.removeEventListener('dragend', over, true);
doc.removeEventListener('drop', drop, true);
} else {
doc.removeEventListener('mousemove', move, true);
doc.removeEventListener('mouseup', over, true);
}
doc.removeEventListener('mousedown', over, true);
doc.removeEventListener('keydown', checkesc, false);
doc.removeEventListener('keydown', checkcopy, false);
doc.removeEventListener('keyup', checkcopy, false);
});
if (exception) {
throw exception;
}
};
const createLocateEvent = (e: MouseEvent): LocateEvent => {
if (isLocateEvent(e)) {
return e;
}
const createLocateEvent = (e: MouseEvent | DragEvent): LocateEvent => {
const evt: any = {
type: 'LocateEvent',
dragObject,
@ -334,7 +404,7 @@ export default class Dragon {
evt.globalY = e.clientY;
} else {
let srcSim: ISimulator | undefined;
let lastSim = lastSensor && isSimulator(lastSensor) ? lastSensor : null;
const lastSim = lastSensor && isSimulator(lastSensor) ? lastSensor : null;
if (lastSim && lastSim.contentDocument === sourceDocument) {
srcSim = lastSim;
} else {
@ -386,27 +456,46 @@ export default class Dragon {
return sensor;
};
alwaysListen.addEventListener('mousemove', move, true);
alwaysListen.addEventListener('mouseup', over, true);
alwaysListen.addEventListener('mousedown', over, true);
listenSimulators &&
listenSimulators(sdoc => {
// alwaysListen = global document
// listen others simulator iframe
sdoc.addEventListener('mousemove', move, true);
sdoc.addEventListener('mouseup', over, true);
sdoc.addEventListener('mousedown', over, true);
if (isDragEvent(boostEvent)) {
const { dataTransfer } = boostEvent;
if (dataTransfer) {
// dataTransfer.setDragImage(this.emptyImage, 0, 0);
dataTransfer.effectAllowed = 'all';
// dataTransfer.dropEffect = newBie || forceCopyState ? 'copy' : 'move';
try {
dataTransfer.setData('application/json', '{}');
} catch (ex) {
// ignore
}
}
dragstart();
} else {
this.setNativeSelection(false);
}
handleEvents(doc => {
if (isBoostFromDragAPI) {
doc.addEventListener('dragover', move, true);
// dragexit
didDrop = false;
doc.addEventListener('drop', drop, true);
doc.addEventListener('dragend', over, true);
} else {
doc.addEventListener('mousemove', move, true);
doc.addEventListener('mouseup', over, true);
}
doc.addEventListener('mousedown', over, true);
});
// future think: drag things from browser-out or a iframe-pane
if (!newBie) {
alwaysListen.addEventListener('keydown', checkcopy as any, false);
alwaysListen.addEventListener('keyup', checkcopy as any, false);
listenSimulators &&
listenSimulators(sdoc => {
sdoc.addEventListener('keydown', checkcopy as any, false);
sdoc.addEventListener('keyup', checkcopy as any, false);
if (!newBie && !isBoostFromDragAPI) {
handleEvents(doc => {
doc.addEventListener('keydown', checkcopy, false);
doc.addEventListener('keyup', checkcopy, false);
});
}
}
@ -414,6 +503,7 @@ export default class Dragon {
private getMasterSensors(): ISimulator[] {
return this.designer.project.documents
.map(doc => {
// TODO: not use actived,
if (doc.actived && doc.simulator?.sensorAvailable) {
return doc.simulator;
}

View File

@ -1 +1,178 @@
// todo
import { EventEmitter } from 'events';
import Session from './session';
import { autorun, Reaction, untracked } from '@recore/obx';
import { NodeSchema } from '../schema';
// TODO: cache to localStorage
export interface Serialization<T = any> {
serialize(data: NodeSchema): T;
unserialize(data: T): NodeSchema;
}
let currentSerializion: Serialization<any> = {
serialize(data: NodeSchema): string {
return JSON.stringify(data);
},
unserialize(data: string) {
return JSON.parse(data);
},
};
export function setSerialization(serializion: Serialization) {
currentSerializion = serializion;
}
export default class History {
private session: Session;
private records: Session[];
private point = 0;
private emitter = new EventEmitter();
private obx: Reaction;
private justWokeup = false;
constructor(logger: () => any, private redoer: (data: NodeSchema) => void, private timeGap: number = 1000) {
this.session = new Session(0, null, this.timeGap);
this.records = [this.session];
this.obx = autorun(() => {
const data = logger();
// TODO: remove this line
console.info('log');
if (this.justWokeup) {
this.justWokeup = false;
return;
}
untracked(() => {
const log = currentSerializion.serialize(data);
if (this.session.cursor === 0 && this.session.isActive()) {
// first log
this.session.log(log);
this.session.end();
} else if (this.session) {
if (this.session.isActive()) {
this.session.log(log);
} else {
this.session.end();
const lastState = this.getState();
const cursor = this.session.cursor + 1;
const session = new Session(cursor, log, this.timeGap);
this.session = session;
this.records.splice(cursor, this.records.length - cursor, session);
const currentState = this.getState();
if (currentState !== lastState) {
this.emitter.emit('statechange', currentState);
}
}
}
});
}, true).$obx;
}
get hotData() {
return this.session.data;
}
isSavePoint(): boolean {
return this.point !== this.session.cursor;
}
go(cursor: number) {
this.session.end();
const currentCursor = this.session.cursor;
cursor = +cursor;
if (cursor < 0) {
cursor = 0;
} else if (cursor >= this.records.length) {
cursor = this.records.length - 1;
}
if (cursor === currentCursor) {
return;
}
const session = this.records[cursor];
const hotData = session.data;
this.obx.sleep();
try {
this.redoer(currentSerializion.unserialize(hotData));
this.emitter.emit('cursor', hotData);
} catch (e) {
//
}
this.justWokeup = true;
this.obx.wakeup();
this.session = session;
this.emitter.emit('statechange', this.getState());
}
back() {
if (!this.session) {
return;
}
const cursor = this.session.cursor - 1;
this.go(cursor);
}
forward() {
if (!this.session) {
return;
}
const cursor = this.session.cursor + 1;
this.go(cursor);
}
savePoint() {
if (!this.session) {
return;
}
this.session.end();
this.point = this.session.cursor;
this.emitter.emit('statechange', this.getState());
}
/**
* | 1 | 1 | 1 |
* | -------- | -------- | -------- |
* | modified | redoable | undoable |
*/
getState(): number {
const cursor = this.session.cursor;
let state = 7;
// undoable ?
if (cursor <= 0) {
state -= 1;
}
// redoable ?
if (cursor >= this.records.length - 1) {
state -= 2;
}
// modified ?
if (this.point === cursor) {
state -= 4;
}
return state;
}
onStateChange(func: () => any) {
this.emitter.on('statechange', func);
return () => {
this.emitter.removeListener('statechange', func);
};
}
onCursor(func: () => any) {
this.emitter.on('cursor', func);
return () => {
this.emitter.removeListener('cursor', func);
};
}
destroy() {
this.emitter.removeAllListeners();
this.records = [];
}
}

View File

@ -24,6 +24,12 @@ export default class Hovering {
this._current = node;
}
unhover(node: Node) {
if (this._current === node) {
this._current = null;
}
}
leave(document: DocumentModel) {
if (this.current && this.current.document === document) {
this._current = null;

View File

@ -1,6 +1,7 @@
import { obx, computed } from '@recore/obx';
import { INodeSelector, IViewport } from '../simulator';
import { uniqueId } from '../../utils/unique-id';
import { uniqueId } from '../../../../utils/unique-id';
import { isRootNode } from '../document/node/root-node';
export default class OffsetObserver {
readonly id = uniqueId('oobx');
@ -17,25 +18,25 @@ export default class OffsetObserver {
@obx hasOffset = false;
@computed get offsetLeft() {
if (!this.viewport.scrolling || this.lastOffsetLeft == null) {
this.lastOffsetLeft = (this.left + this.viewport.scrollX) * this.scale;
this.lastOffsetLeft = this.isRoot ? this.viewport.scrollX : (this.left + this.viewport.scrollX) * this.scale;
}
return this.lastOffsetLeft;
}
@computed get offsetTop() {
if (!this.viewport.scrolling || this.lastOffsetTop == null) {
this.lastOffsetTop = (this.top + this.viewport.scrollY) * this.scale;
this.lastOffsetTop = this.isRoot ? this.viewport.scrollY : (this.top + this.viewport.scrollY) * this.scale;
}
return this.lastOffsetTop;
}
@computed get offsetHeight() {
if (!this.viewport.scrolling || this.lastOffsetHeight == null) {
this.lastOffsetHeight = this.height * this.scale;
this.lastOffsetHeight = this.isRoot ? this.viewport.height : this.height * this.scale;
}
return this.lastOffsetHeight;
}
@computed get offsetWidth() {
if (!this.viewport.scrolling || this.lastOffsetWidth == null) {
this.lastOffsetWidth = this.width * this.scale;
this.lastOffsetWidth = this.isRoot ? this.viewport.width : this.width * this.scale;
}
return this.lastOffsetWidth;
}
@ -46,12 +47,18 @@ export default class OffsetObserver {
private pid: number | undefined;
private viewport: IViewport;
private isRoot: boolean;
constructor(readonly nodeInstance: INodeSelector) {
const { node, instance } = nodeInstance;
const doc = node.document;
const host = doc.simulator!;
this.isRoot = isRootNode(node);
this.viewport = host.viewport;
if (this.isRoot) {
this.hasOffset = true;
return;
}
if (!instance) {
return;
}

View File

@ -0,0 +1,44 @@
export default class Session {
private _data: any;
private activedTimer: any;
get data() {
return this._data;
}
constructor(readonly cursor: number, data: any, private timeGap: number = 1000) {
this.setTimer();
this.log(data);
}
log(data: any) {
if (!this.isActive()) {
return;
}
this._data = data;
this.setTimer();
}
isActive() {
return this.activedTimer != null;
}
end() {
if (this.isActive()) {
this.clearTimer();
console.info('session end');
}
}
private setTimer() {
this.clearTimer();
this.activedTimer = setTimeout(() => this.end(), this.timeGap);
}
private clearTimer() {
if (this.activedTimer) {
clearTimeout(this.activedTimer);
}
this.activedTimer = null;
}
}

View File

@ -1,5 +1,5 @@
import { Component } from 'react';
import { observer } from '@recore/core-obx';
import { observer } from '@recore/obx-react';
import Designer from './designer';
import DocumentView from './document/document-view';
@ -8,7 +8,6 @@ export default class ProjectView extends Component<{ designer: Designer }> {
render() {
const { designer } = this.props;
// TODO: support splitview
console.info(designer.project.documents);
return (
<div className="lc-project">
{designer.project.documents.map(doc => {

View File

@ -27,8 +27,8 @@ export default class Project {
});
}
@computed get activedDocuments() {
return this.documents.filter(doc => doc.actived);
@computed get currentDocument() {
return this.documents.find(doc => doc.actived);
}
/**
@ -106,14 +106,12 @@ export default class Project {
}
checkExclusive(actived: DocumentModel) {
if (this.canvasDisplayMode !== 'exclusive') {
return;
}
this.documents.forEach((doc) => {
if (doc !== actived) {
doc.suspense();
}
});
this.emitter.emit('current-document-change', actived);
}
closeOthers(opened: DocumentModel) {
@ -124,7 +122,14 @@ export default class Project {
});
}
onCurrentDocumentChange(fn: (doc: DocumentModel) => void): () => void {
this.emitter.on('current-document-change', fn);
return () => {
this.emitter.removeListener('current-document-change', fn);
};
}
// 通知标记删除,需要告知服务端
// 项目角度编辑不是全量打开所有文档,是按需加载,哪个更新就通知更新谁,
// 哪个删除就
}

View File

@ -0,0 +1,46 @@
export type PropType = BasicType | RequiredType | ComplexType;
export type BasicType = 'array' | 'bool' | 'func' | 'number' | 'object' | 'string' | 'node' | 'element' | 'any';
export type ComplexType = OneOf | OneOfType | ArrayOf | ObjectOf | Shape | Exact;
export interface RequiredType {
type: BasicType;
isRequired?: boolean;
}
export interface OneOf {
type: 'oneOf';
value: string[];
isRequired?: boolean;
}
export interface OneOfType {
type: 'oneOfType';
value: PropType[];
isRequired?: boolean;
}
export interface ArrayOf {
type: 'arrayOf';
value: PropType;
isRequired?: boolean;
}
export interface ObjectOf {
type: 'objectOf';
value: PropType;
isRequired?: boolean;
}
export interface Shape {
type: 'shape';
value: PropConfig[];
isRequired?: boolean;
}
export interface Exact {
type: 'exact';
value: PropConfig[];
isRequired?: boolean;
}
export interface PropConfig {
name: string;
propType: PropType;
description?: string;
defaultValue?: any;
}

View File

@ -90,15 +90,14 @@ export type PropsList = Array<{
export type NodeData = NodeSchema | JSExpression | DOMText;
export interface JSExpression {
type: 'JSExpression';
value: string;
}
export function isJSExpression(data: any): data is JSExpression {
return data && data.type === 'JSExpression';
}
export function isJSSlot(data: any): data is JSSlot {
return data && data.type === 'JSSlot';
}
export function isDOMText(data: any): data is DOMText {
return typeof data === 'string';
}
@ -106,7 +105,7 @@ export function isDOMText(data: any): data is DOMText {
export type DOMText = string;
export interface RootSchema extends NodeSchema {
componentName: 'Block' | 'Page' | 'Component';
componentName: string; // 'Block' | 'Page' | 'Component';
fileName: string;
meta?: object;
state?: {
@ -121,7 +120,7 @@ export interface RootSchema extends NodeSchema {
css?: string;
dataSource?: {
items: DataSourceConfig[];
};
} | any;
defaultProps?: CompositeObject;
}

View File

@ -3,7 +3,7 @@ import { LocateEvent, ISensor } from './helper/dragon';
import { Point } from './helper/location';
import Node from './document/node/node';
import { ScrollTarget, IScrollable } from './helper/scroller';
import { ComponentDescriptionSpec } from './component-config';
import { ComponentMetadata } from './component-meta';
export type AutoFit = '100%';
export const AutoFit = '100%';
@ -85,7 +85,6 @@ export interface ISimulator<P = object> extends ISensor {
// 获取区块代码, 通过 components 传递,可异步获取
setProps(props: P): void;
setSuspense(suspensed: boolean): void;
// #region ========= drag and drop helpers =============
@ -117,7 +116,7 @@ export interface ISimulator<P = object> extends ISensor {
/**
*
*/
describeComponent(component: Component): ComponentDescriptionSpec;
generateComponentMetadata(componentName: string): ComponentMetadata;
/**
*
*/

View File

@ -1,4 +1,4 @@
import { isPlainObject } from './is-plain-object';
import { isPlainObject } from '../../../utils/is-plain-object';
export function cloneDeep(src: any): any {
const type = typeof src;

View File

@ -4,6 +4,6 @@
"experimentalDecorators": true
},
"include": [
"./src/"
"./src/", "../utils/unique-id.ts", "../utils/is-plain-object.ts", "../utils/is-object.ts", "../utils/is-function.ts"
]
}

View File

@ -0,0 +1,6 @@
# 忽略目录
build/
node_modules/
**/*-min.js
**/*.min.js
coverage/

View File

@ -0,0 +1,5 @@
const { eslint, deepmerge } = require('@ice/spec');
module.exports = deepmerge(eslint, {
rules: {},
});

22
packages/editor-framework/.gitignore vendored Normal file
View File

@ -0,0 +1,22 @@
# See https://help.github.com/ignore-files/ for more about ignoring files.
# dependencies
node_modules/
# production
build/
dist/
tmp/
lib/
# misc
.idea/
.happypack
.DS_Store
*.swp
*.dia~
npm-debug.log*
yarn-debug.log*
yarn-error.log*
CHANGELOG.md

View File

@ -0,0 +1,6 @@
{
"semi": true,
"singleQuote": true,
"printWidth": 120,
"trailingComma": "all"
}

View File

@ -0,0 +1,11 @@
# demo component
t-s-demo
intro component
## API
| 参数名 | 说明 | 必填 | 类型 | 默认值 | 备注 |
| ------ | ---- | ---- | ---- | ------ | ---- |
| | | | | | |

View File

@ -1 +1 @@
编辑器框架
## todo

View File

@ -0,0 +1,9 @@
{
"plugins": [
"build-plugin-component",
"build-plugin-fusion",
["build-plugin-moment-locales", {
"locales": ["zh-cn"]
}]
]
}

View File

@ -0,0 +1,24 @@
---
title: Simple Usage
order: 1
---
本 Demo 演示一行文字的用法。
````jsx
import React, { Component } from 'react';
import ReactDOM from 'react-dom';
class App extends Component {
render() {
return (
<div>
</div>
);
}
}
ReactDOM.render((
<App />
), mountNode);
````

View File

@ -0,0 +1,3 @@
/// <reference types="react" />
declare const context: import("react").Context<{}>;
export default context;

View File

@ -0,0 +1,3 @@
import { createContext } from 'react';
var context = createContext({});
export default context;

View File

@ -0,0 +1,55 @@
{
"name": "@ali/lowcode-engine-editor",
"version": "0.0.1",
"description": "alibaba lowcode editor core",
"files": [
"demo/",
"es/",
"lib/",
"build/"
],
"main": "lib/index.js",
"module": "es/index.js",
"stylePath": "style.js",
"scripts": {
"start": "build-scripts start",
"build": "build-scripts build",
"prepublishOnly": "npm run prettier && npm run build",
"lint": "eslint --cache --ext .js,.jsx ./",
"prettier": "prettier --write \"./src/**/*.{ts,tsx,js,jsx,ejs,less,css,scss,json}\" "
},
"keywords": [
"lowcode",
"editor"
],
"author": "xiayang.xy",
"dependencies": {
"debug": "^4.1.1",
"events": "^3.1.0",
"intl-messageformat": "^7.8.4",
"lodash": "^4.17.15",
"prop-types": "^15.5.8",
"store": "^2.0.12"
},
"devDependencies": {
"@alib/build-scripts": "^0.1.3",
"@alifd/next": "1.x",
"@ice/spec": "^0.1.1",
"@types/lodash": "^4.14.149",
"@types/react": "^16.9.13",
"@types/react-dom": "^16.9.4",
"build-plugin-component": "^0.2.7-1",
"build-plugin-fusion": "^0.1.0",
"build-plugin-moment-locales": "^0.1.0",
"eslint": "^6.0.1",
"prettier": "^1.19.1",
"react": "^16.8.0",
"react-dom": "^16.8.0"
},
"peerDependencies": {
"react": "^16.8.0",
"@alifd/next": "1.x"
},
"license": "MIT",
"homepage": "https://unpkg.com/editor-framework@0.0.1/build/index.html"
}

View File

@ -0,0 +1,3 @@
import { createContext } from 'react';
const context = createContext({});
export default context;

View File

@ -0,0 +1,48 @@
export interface EditorConfig {
};
export interface NpmConfig {
version: string,
package: string,
main?: string,
exportName?: string,
subName?: string,
destructuring?: boolean
};
export interface SkeletonConfig {
config: NpmConfig,
props?: object,
handler?: (EditorConfig) => EditorConfig
};
export interface FusionTheme {
package: string,
version: string
};
export interface ThemeConfig {
fusion?: FusionTheme
}
export interface PluginsConfig {
[key]: Array<PluginConfig>
};
export interface PluginConfig {
pluginKey: string,
type: string,
props: object,
config: NpmConfig,
pluginProps: object
};
export type HooksConfig = Array<HookConfig>;
export interface HookConfig {
};

View File

@ -0,0 +1,186 @@
import EventEmitter from 'events';
import Debug from 'debug';
import store from 'store';
import {
unRegistShortCuts,
registShortCuts,
transformToPromise,
generateI18n
} from './utils';
// 根据url参数设置debug选项
const res = /_?debug=(.*?)(&|$)/.exec(location.search);
if (res && res[1]) {
window.__isDebug = true;
store.storage.write('debug', res[1] === 'true' ? '*' : res[1]);
} else {
window.__isDebug = false;
store.remove('debug');
}
//重要用于矫正画布执行new Function的window对象上下文
window.__newFunc = funContext => {
return new Function(funContext);
};
//关闭浏览器前提醒,只有产生过交互才会生效
window.onbeforeunload = function(e) {
e = e || window.event;
// 本地调试不生效
if (location.href.indexOf('localhost') > 0) return;
var msg = '您确定要离开此页面吗?';
e.cancelBubble = true;
e.returnValue = msg;
if (e.stopPropagation) {
e.stopPropagation();
e.preventDefault();
}
return msg;
};
let instance = null;
const debug = Debug('editor');
EventEmitter.defaultMaxListeners = 100;
export interface editor {
};
export default class Editor extends EventEmitter {
static getInstance = () => {
if (!instance) {
instance = new Editor();
}
return instance;
};
constructor(config) {
super();
instance = this;
Object.assign(this, config);
this.init();
}
init() {
const {
hooks,
shortCuts,
lifeCycles
} = this.config || {};
this.destroy();
this.locale = store.get('lowcode-editor-locale') || 'zh-CN';
this.messages = this.messagesSet[this.locale];
this.i18n = generateI18n(this.locale, this.messages);
this.pluginStatus = this.initPluginStatus();
this.initHooks(hooks, appHelper);
appHelper.emit('editor.beforeInit');
const init = lifeCycles && lifeCycles.init || () => {};
// 用户可以通过设置extensions.init自定义初始化流程
transformToPromise(init(this))
.then(() => {
// 注册快捷键
registShortCuts(shortCuts, this);
this.emit('editor.afterInit');
})
.catch(err => {
console.warn(err);
});
}
destroy() {
try {
const {
hooks = [],
shortCuts = [],
lifeCycles = {}
} = this.config;
unRegistShortCuts(shortCuts);
this.destroyHooks(hooks);
lifeCycles.destroy && lifeCycles.destroy();
} catch (err) {
console.warn(err);
return;
}
}
get(key:string):any {
return this[key];
}
set(key:string|object, val:any):void {
if (typeof key === 'string') {
if (['init', 'destroy', 'get', 'set', 'batchOn', 'batchOff', 'batchOnce'].includes(key)) {
console.warning('init, destroy, get, set, batchOn, batchOff, batchOnce is private attribute');
return;
}
this[key] = val;
} else if (typeof key === 'object') {
Object.keys(key).forEach(item => {
this[item] = key[item];
});
}
}
batchOn(events:Array<string>, lisenter:function):void {
if (!Array.isArray(events)) return;
events.forEach(event => this.on(event, lisenter));
}
batchOnce(events:Array<string>, lisenter:function):void {
if (!Array.isArray(events)) return;
events.forEach(event => this.once(event, lisenter));
}
batchOff(events:Array<string>, lisenter:function):void {
if (!Array.isArray(events)) return;
events.forEach(event => this.off(event, lisenter));
}
//销毁hooks中的消息监听
private destroyHooks(hooks = []) {
hooks.forEach((item, idx) => {
if (typeof this.__hooksFuncs[idx] === 'function') {
this.appHelper.off(item.message, this.__hooksFuncs[idx]);
}
});
delete this.__hooksFuncs;
};
//初始化hooks中的消息监听
private initHooks(hooks = []) {
this.__hooksFuncs = hooks.map(item => {
const func = (...args) => {
item.handler(this, ...args);
};
this[item.type](item.message, func);
return func;
});
};
private initPluginStatus () {
const {plugins = {}} = this.config;
const pluginAreas = Object.keys(plugins);
const res = {};
pluginAreas.forEach(area => {
(plugins[area] || []).forEach(plugin => {
if (plugin.type === 'Divider') return;
const { visible, disabled, dotted } = plugin.props || {};
res[plugin.pluginKey] = {
visible: typeof visible === 'boolean' ? visible : true,
disabled: typeof disabled === 'boolean' ? disabled : false,
dotted: typeof dotted === 'boolean' ? dotted : false
};
const pluginClass = this.props.components[skeletonUtils.generateAddonCompName(addon.addonKey)];
// 判断如果编辑器插件有init静态方法则在此执行init方法
if (pluginClass && pluginClass.init) {
pluginClass.init(this);
}
});
});
return res;
};
}

View File

@ -0,0 +1,4 @@
import Editor from './editor';
export default Editor;

View File

@ -0,0 +1,129 @@
import { PureComponent } from 'react';
import EditorContext from './context';
import { isEmpty, generateI18n, goldlog } from './utils';
export interface pluginProps {
config: object,
editor: object,
locale: string,
messages: object
}
export default function plugin(Comp) {
class Plugin extends PureComponent<pluginProps> {
static displayName = 'lowcode-editor-plugin';
static defaultProps = {
config: {}
};
static contextType = EditorContext;
constructor(props, context) {
super(props, context);
if (isEmpty(props.config) || !props.config.pluginKey) {
console.warn('lowcode editor plugin has wrong config');
return;
}
const { locale, messages, editor } = props;
// 注册插件
this.editor = editor;
this.i18n = generateI18n(locale, messages);
this.pluginKey = props.config.pluginKey;
editor.plugins = editor.plugins || {};
editor.plugins[this.pluginKey] = this;
}
componentWillUnmount() {
// 销毁插件
if (this.editor && this.editor.plugins) {
delete this.editor.plugins[this.pluginKey];
}
}
render() {
const {
config
} = this.props;
return <Comp i18n={this.i18n} editor={this.editor} config={config} {...config.pluginProps}/>
}
}
return Plugin;
}
export class Plugin extends PureComponent<pluginProps> {
static displayName = 'lowcode-editor-plugin';
static defaultProps = {
config: {}
};
static contextType = EditorContext;
constructor(props, context) {
super(props, context);
if (isEmpty(props.config) || !props.config.addonKey) {
console.warn('luna addon has wrong config');
return;
}
const { locale, messages, editor } = props;
// 注册插件
this.editor = editor;
this.i18n = generateI18n(locale, messages);
this.pluginKey = props.config.pluginKey;
editor.plugins = editor.plugins || {};
editor.plugins[this.pluginKey] = this;
}
async componentWillUnmount() {
// 销毁插件
if (this.editor && this.editor.plugins) {
delete this.editor.plugins[this.pluginKey];
}
}
open = () => {
return true;
};
close = () => {
return true;
};
goldlog = (goKey:string, params:any) => {
const { pluginKey, config = {} } = this.props.config || {};
goldlog(
goKey,
{
pluginKey,
package: config.package,
version: config.version,
...this.editor.logParams,
...params
},
'addon'
);
};
get utils() {
return this.editor.utils;
}
get constants() {
return this.editor.constants;
}
get history() {
return this.editor.history;
}
get location() {
return this.editor.location;
}
render() {
return null;
}
}

View File

@ -0,0 +1,242 @@
import IntlMessageFormat from 'intl-messageformat';
import _isEmpty from 'lodash/isEmpty';
export const isEmpty = _isEmpty;
/**
*
* @param {*} locale zh-CNen-US
* @param {*} messages
*/
export function generateI18n(locale = 'zh-CN', messages = {}) {
return (key, values = {}) => {
if (!messages || !messages[key]) return '';
const formater = new IntlMessageFormat(messages[key], locale);
return formater.format(values);
};
}
/**
*
* @param {*} obj
*/
export function serializeParams(obj:object):string {
if (typeof obj !== 'object') return '';
const res:Array<string> = [];
Object.entries(obj).forEach(([key, val]) => {
if (val === null || val === undefined || val === '') return;
if (typeof val === 'object') {
res.push(`${encodeURIComponent(key)}=${encodeURIComponent(JSON.stringify(val))}`);
} else {
res.push(`${encodeURIComponent(key)}=${encodeURIComponent(val)}`);
}
});
return res.join('&');
}
/**
*
* @param {String} gmKey
* @param {Object} params
* @param {String} logKey
*/
export function goldlog(gmKey, params = {}, logKey = 'other') {
const sendIDEMessage = window.sendIDEMessage || window.parent.sendIDEMessage;
const goKey = serializeParams({
sdkVersion: pkg.version,
env: getEnv(),
...params
});
if (sendIDEMessage) {
sendIDEMessage({
action: 'goldlog',
data: {
logKey: `/iceluna.core.${logKey}`,
gmKey,
goKey
}
});
}
window.goldlog && window.goldlog.record(`/iceluna.core.${logKey}`, gmKey, goKey, 'POST');
}
/**
*
*/
export function getEnv() {
const userAgent = navigator.userAgent;
const isVscode = /Electron\//.test(userAgent);
if (isVscode) return ENV.VSCODE;
const isTheia = window.is_theia === true;
if (isTheia) return ENV.WEBIDE;
return ENV.WEB;
}
// 注册快捷键
export function registShortCuts(config, editor) {
const keyboardFilter = (keymaster.filter = event => {
let eTarget = event.target || event.srcElement;
let tagName = eTarget.tagName;
let isInput = !!(tagName == 'INPUT' || tagName == 'SELECT' || tagName == 'TEXTAREA');
let isContenteditable = !!eTarget.getAttribute('contenteditable');
if (isInput || isContenteditable) {
if (event.metaKey === true && [70, 83].includes(event.keyCode)) event.preventDefault(); //禁止触发chrome原生的页面保存或查找
return false;
} else {
return true;
}
});
const ideMessage = appHelper.utils && appHelper.utils.ideMessage;
//复制
if (!document.copyListener) {
document.copyListener = e => {
if (!keyboardFilter(e) || appHelper.isCopying) return;
const schema = appHelper.schemaHelper && appHelper.schemaHelper.schemaMap[appHelper.activeKey];
if (!schema || !isSchema(schema)) return;
appHelper.isCopying = true;
const schemaStr = serialize(transformSchemaToPure(schema), {
unsafe: true
});
setClipboardData(schemaStr)
.then(() => {
ideMessage && ideMessage('success', '当前内容已复制到剪贴板请使用快捷键Command+v进行粘贴');
appHelper.emit('schema.copy', schemaStr, schema);
appHelper.isCopying = false;
})
.catch(errMsg => {
ideMessage && ideMessage('error', errMsg);
appHelper.isCopying = false;
});
};
document.addEventListener('copy', document.copyListener);
if (window.parent.vscode) {
keymaster('command+c', document.copyListener);
}
}
//粘贴
if (!document.pasteListener) {
const doPaste = (e, text) => {
if (!keyboardFilter(e) || appHelper.isPasting) return;
const schemaHelper = appHelper.schemaHelper;
let targetKey = appHelper.activeKey;
let direction = 'after';
const topKey = schemaHelper.schema && schemaHelper.schema.__ctx && schemaHelper.schema.__ctx.lunaKey;
if (!targetKey || topKey === targetKey) {
const schemaHelper = appHelper.schemaHelper;
const topKey = schemaHelper.schema && schemaHelper.schema.__ctx && schemaHelper.schema.__ctx.lunaKey;
if (!topKey) return;
targetKey = topKey;
direction = 'in';
}
appHelper.isPasting = true;
const schema = parseObj(text);
if (!isSchema(schema)) {
appHelper.emit('illegalSchema.paste', text);
// ideMessage && ideMessage('error', '当前内容不是模型结构,不能粘贴进来!');
console.warn('paste schema illegal');
appHelper.isPasting = false;
return;
}
appHelper.emit('material.add', {
schema,
targetKey,
direction
});
appHelper.isPasting = false;
appHelper.emit('schema.paste', schema);
};
document.pasteListener = e => {
const clipboardData = e.clipboardData || window.clipboardData;
const text = clipboardData && clipboardData.getData('text');
doPaste(e, text);
};
document.addEventListener('paste', document.pasteListener);
if (window.parent.vscode) {
keymaster('command+v', e => {
const sendIDEMessage = window.parent.sendIDEMessage;
sendIDEMessage &&
sendIDEMessage({
action: 'readClipboard'
})
.then(text => {
doPaste(e, text);
})
.catch(err => {
console.warn(err);
});
});
}
}
(config || []).forEach(item => {
keymaster(item.keyboard, ev => {
ev.preventDefault();
item.handler(ev, appHelper, keymaster);
});
});
}
// 取消注册快捷
export function unRegistShortCuts(config) {
(config || []).forEach(item => {
keymaster.unbind(item.keyboard);
});
if (window.parent.vscode) {
keymaster.unbind('command+c');
keymaster.unbind('command+v');
}
if (document.copyListener) {
document.removeEventListener('copy', document.copyListener);
delete document.copyListener;
}
if (document.pasteListener) {
document.removeEventListener('paste', document.pasteListener);
delete document.pasteListener;
}
}
// 将函数返回结果转成promise形式如果函数有返回值则根据返回值的bool类型判断是reject还是resolve若函数无返回值默认执行resolve
export function transformToPromise(input) {
if (input instanceof Promise) return input;
return new Promise((resolve, reject) => {
if (input || input === undefined) {
resolve();
} else {
reject();
}
});
}
export function comboEditorConfig(defaultConfig, customConfig) {
const { ideConfig = {}, utils = {} } = this.props;
const comboShortCuts = () => {
const defaultShortCuts = defaultIdeConfig.shortCuts;
const shortCuts = ideConfig.shortCuts || [];
const configMap = skeletonUtils.transformArrayToMap(defaultShortCuts, 'keyboard');
(shortCuts || []).forEach(item => {
configMap[item.keyboard] = item;
});
return Object.keys(configMap).map(key => configMap[key]);
};
return {
...ideConfig,
utils: {
...skeletonUtils,
...utils
},
constants: {
...defaultIdeConfig.constants,
...ideConfig.constants
},
extensions: {
...defaultIdeConfig.extensions,
...ideConfig.extensions
},
shortCuts: comboShortCuts()
};
}

View File

@ -0,0 +1,21 @@
{
"compileOnSave": false,
"buildOnSave": false,
"compilerOptions": {
"outDir": "build",
"module": "esnext",
"target": "es6",
"jsx": "react",
"moduleResolution": "node",
"lib": ["es6", "dom"],
"sourceMap": true,
"allowJs": true,
"noUnusedLocals": true,
"noImplicitReturns": true,
"noImplicitThis": true,
"noImplicitAny": true,
"skipLibCheck": true
},
"include": ["src/*.ts", "src/*.tsx"],
"exclude": ["node_modules", "build", "public"]
}

View File

@ -0,0 +1,12 @@
# http://editorconfig.org
root = true
[*]
indent_style = space
indent_size = 2
charset = utf-8
trim_trailing_whitespace = true
insert_final_newline = true
[*.md]
trim_trailing_whitespace = false

View File

@ -0,0 +1,11 @@
# 忽略目录
build/
tests/
demo/
# node 覆盖率文件
coverage/
# 忽略文件
**/*-min.js
**/*.min.js

View File

@ -0,0 +1,7 @@
const { eslint, deepmerge } = require('@ice/spec');
module.exports = deepmerge(eslint, {
rules: {
"global-require": 0,
},
});

20
packages/editor-skeleton/.gitignore vendored Normal file
View File

@ -0,0 +1,20 @@
# See https://help.github.com/ignore-files/ for more about ignoring files.
# dependencies
/node_modules
# production
/build
/dist
# misc
.idea/
.happypack
.DS_Store
npm-debug.log*
yarn-debug.log*
yarn-error.log*
# ignore d.ts auto generated by css-modules-typescript-loader
*.module.scss.d.ts

View File

@ -0,0 +1,7 @@
# 忽略目录
build/
tests/
demo/
# node 覆盖率文件
coverage/

View File

@ -0,0 +1,3 @@
const { stylelint } = require('@ice/spec');
module.exports = stylelint;

View File

@ -0,0 +1 @@
## todo

View File

@ -0,0 +1,4 @@
{
"type": "ice-scripts",
"builder": "@ali/builder-ice-scripts"
}

View File

@ -0,0 +1,9 @@
{
"plugins": [
"build-plugin-component",
"build-plugin-fusion",
["build-plugin-moment-locales", {
"locales": ["zh-cn"]
}]
]
}

View File

@ -0,0 +1,24 @@
---
title: Simple Usage
order: 1
---
本 Demo 演示一行文字的用法。
````jsx
import React, { Component } from 'react';
import ReactDOM from 'react-dom';
class App extends Component {
render() {
return (
<div>
</div>
);
}
}
ReactDOM.render((
<App />
), mountNode);
````

View File

@ -0,0 +1,30 @@
import { PureComponent } from 'react';
import './index.scss';
export default class LeftAddon extends PureComponent {
static displayName: string;
static propTypes: {
active: any;
config: any;
disabled: any;
dotted: any;
locked: any;
onClick: any;
};
static defaultProps: {
active: boolean;
config: {};
disabled: boolean;
dotted: boolean;
locked: boolean;
onClick: () => void;
};
static contextType: any;
constructor(props: any, context: any);
componentDidMount(): void;
componentWillUnmount(): void;
handleClose: () => void;
handleOpen: () => void;
handleShow: () => void;
renderIcon: (clickCallback: any) => JSX.Element;
render(): JSX.Element;
}

View File

@ -0,0 +1,259 @@
import _extends from "@babel/runtime/helpers/extends";
import _inheritsLoose from "@babel/runtime/helpers/inheritsLoose";
import React, { PureComponent, Fragment } from 'react';
import PropTypes from 'prop-types';
import classNames from 'classnames';
import AppContext from '@ali/iceluna-sdk/lib/context/appContext';
import { Balloon, Dialog, Icon, Badge } from '@alife/next';
import './index.scss';
var LeftAddon = /*#__PURE__*/function (_PureComponent) {
_inheritsLoose(LeftAddon, _PureComponent);
function LeftAddon(_props, context) {
var _this;
_this = _PureComponent.call(this, _props, context) || this;
_this.handleClose = function () {
var addonKey = _this.props.config && _this.props.config.addonKey;
var currentAddon = _this.appHelper.addons && _this.appHelper.addons[addonKey];
if (currentAddon) {
_this.utils.transformToPromise(currentAddon.close()).then(function () {
_this.setState({
dialogVisible: false
});
});
}
};
_this.handleOpen = function () {
// todo 对话框类型的插件初始时拿不到插件实例
_this.setState({
dialogVisible: true
});
};
_this.handleShow = function () {
var _this$props = _this.props,
disabled = _this$props.disabled,
config = _this$props.config,
onClick = _this$props.onClick;
var addonKey = config && config.addonKey;
if (disabled || !addonKey) return; //考虑到弹窗情况,延时发送消息
setTimeout(function () {
return _this.appHelper.emit(addonKey + ".addon.activate");
}, 0);
_this.handleOpen();
onClick && onClick();
};
_this.renderIcon = function (clickCallback) {
var _this$props2 = _this.props,
active = _this$props2.active,
disabled = _this$props2.disabled,
dotted = _this$props2.dotted,
locked = _this$props2.locked,
_onClick = _this$props2.onClick,
config = _this$props2.config;
var _ref = config || {},
addonKey = _ref.addonKey,
props = _ref.props;
var _ref2 = props || {},
icon = _ref2.icon,
title = _ref2.title;
return React.createElement("div", {
className: classNames('luna-left-addon', addonKey, {
active: active,
disabled: disabled,
locked: locked
}),
"data-tooltip": title,
onClick: function onClick() {
if (disabled) return; //考虑到弹窗情况,延时发送消息
clickCallback && clickCallback();
_onClick && _onClick();
}
}, dotted ? React.createElement(Badge, {
dot: true
}, React.createElement(Icon, {
type: icon,
size: "small"
})) : React.createElement(Icon, {
type: icon,
size: "small"
}));
};
_this.state = {
dialogVisible: false
};
_this.appHelper = context.appHelper;
_this.utils = _this.appHelper.utils;
_this.constants = _this.appHelper.constants;
return _this;
}
var _proto = LeftAddon.prototype;
_proto.componentDidMount = function componentDidMount() {
var config = this.props.config;
var addonKey = config && config.addonKey;
var appHelper = this.appHelper;
if (appHelper && addonKey) {
appHelper.on(addonKey + ".dialog.show", this.handleShow);
appHelper.on(addonKey + ".dialog.close", this.handleClose);
}
};
_proto.componentWillUnmount = function componentWillUnmount() {
var config = this.props.config;
var appHelper = this.appHelper;
var addonKey = config && config.addonKey;
if (appHelper && addonKey) {
appHelper.off(addonKey + ".dialog.show", this.handleShow);
appHelper.off(addonKey + ".dialog.close", this.handleClose);
}
};
_proto.render = function render() {
var _this2 = this;
var _this$props3 = this.props,
dotted = _this$props3.dotted,
locked = _this$props3.locked,
active = _this$props3.active,
disabled = _this$props3.disabled,
config = _this$props3.config;
var _ref3 = config || {},
addonKey = _ref3.addonKey,
props = _ref3.props,
type = _ref3.type,
addonProps = _ref3.addonProps;
var _ref4 = props || {},
_onClick2 = _ref4.onClick,
title = _ref4.title;
var dialogVisible = this.state.dialogVisible;
var _this$context = this.context,
appHelper = _this$context.appHelper,
components = _this$context.components;
if (!addonKey || !type || !props) return null;
var componentName = appHelper.utils.generateAddonCompName(addonKey);
var localeProps = {};
var locale = appHelper.locale,
messages = appHelper.messages;
if (locale) {
localeProps.locale = locale;
}
if (messages && messages[componentName]) {
localeProps.messages = messages[componentName];
}
var AddonComp = components && components[componentName];
var node = AddonComp && React.createElement(AddonComp, _extends({
active: active,
locked: locked,
disabled: disabled,
config: config,
onClick: function onClick() {
_onClick2 && _onClick2.call(null, appHelper);
}
}, localeProps, addonProps || {})) || null;
switch (type) {
case 'LinkIcon':
return React.createElement("a", props.linkProps || {}, this.renderIcon(function () {
_onClick2 && _onClick2.call(null, appHelper);
}));
case 'Icon':
return this.renderIcon(function () {
_onClick2 && _onClick2.call(null, appHelper);
});
case 'DialogIcon':
return React.createElement(Fragment, null, this.renderIcon(function () {
_onClick2 && _onClick2.call(null, appHelper);
_this2.handleOpen();
}), React.createElement(Dialog, _extends({
onOk: function onOk() {
appHelper.emit(addonKey + ".dialog.onOk");
_this2.handleClose();
},
onCancel: this.handleClose,
onClose: this.handleClose,
title: title
}, props.dialogProps || {}, {
visible: dialogVisible
}), node));
case 'BalloonIcon':
return React.createElement(Balloon, _extends({
trigger: this.renderIcon(function () {
_onClick2 && _onClick2.call(null, appHelper);
}),
align: "r",
triggerType: ['click', 'hover']
}, props.balloonProps || {}), node);
case 'PanelIcon':
return this.renderIcon(function () {
_onClick2 && _onClick2.call(null, appHelper);
_this2.handleOpen();
});
case 'Custom':
return dotted ? React.createElement(Badge, {
dot: true
}, node) : node;
default:
return null;
}
};
return LeftAddon;
}(PureComponent);
LeftAddon.displayName = 'LunaLeftAddon';
LeftAddon.propTypes = {
active: PropTypes.bool,
config: PropTypes.shape({
addonKey: PropTypes.string,
addonProps: PropTypes.object,
props: PropTypes.object,
type: PropTypes.oneOf(['DialogIcon', 'BalloonIcon', 'PanelIcon', 'LinkIcon', 'Icon', 'Custom'])
}),
disabled: PropTypes.bool,
dotted: PropTypes.bool,
locked: PropTypes.bool,
onClick: PropTypes.func
};
LeftAddon.defaultProps = {
active: false,
config: {},
disabled: false,
dotted: false,
locked: false,
onClick: function onClick() {}
};
LeftAddon.contextType = AppContext;
export { LeftAddon as default };

View File

@ -0,0 +1,59 @@
.luna-left-addon {
font-size: 16px;
text-align: center;
line-height: 36px;
height: 36px;
position: relative;
cursor: pointer;
transition: all 0.3s ease;
color: #777;
&.collapse {
height: 40px;
color: #8c8c8c;
border-bottom: 1px solid #bfbfbf;
}
&.locked {
color: red !important;
}
&.active {
color: #fff !important;
background-color: $color-brand1-9 !important;
&.disabled {
color: #fff;
background-color: $color-fill1-7;
}
}
&.disabled {
cursor: not-allowed;
color: $color-text1-1;
}
&:hover {
background-color: $color-brand1-1;
color: $color-brand1-6;
&:before {
content: attr(data-tooltip);
display: block;
position: absolute;
left: 50px;
top: 5px;
line-height: 18px;
font-size: 12px;
white-space: nowrap;
padding: 6px 8px;
border-radius: 4px;
background: rgba(0, 0, 0, 0.75);
color: #fff;
z-index: 100;
}
&:after {
content: '';
display: block;
position: absolute;
left: 40px;
top: 15px;
border: 5px solid transparent;
border-right-color: rgba(0, 0, 0, 0.75);
z-index: 100;
}
}
}

View File

@ -0,0 +1,30 @@
import { PureComponent } from 'react';
import './index.scss';
export default class TopIcon extends PureComponent {
static displayName: string;
static propTypes: {
active: any;
className: any;
disabled: any;
icon: any;
id: any;
locked: any;
onClick: any;
showTitle: any;
style: any;
title: any;
};
static defaultProps: {
active: boolean;
className: string;
disabled: boolean;
icon: string;
id: string;
locked: boolean;
onClick: () => void;
showTitle: boolean;
style: {};
title: string;
};
render(): JSX.Element;
}

View File

@ -0,0 +1,76 @@
import _Button from "@alifd/next/es/button";
import _Icon from "@alifd/next/es/icon";
import _inheritsLoose from "@babel/runtime/helpers/inheritsLoose";
import React, { PureComponent } from 'react';
import PropTypes from 'prop-types';
import classNames from 'classnames';
import './index.scss';
var TopIcon = /*#__PURE__*/function (_PureComponent) {
_inheritsLoose(TopIcon, _PureComponent);
function TopIcon() {
return _PureComponent.apply(this, arguments) || this;
}
var _proto = TopIcon.prototype;
_proto.render = function render() {
var _this$props = this.props,
active = _this$props.active,
disabled = _this$props.disabled,
icon = _this$props.icon,
locked = _this$props.locked,
title = _this$props.title,
className = _this$props.className,
id = _this$props.id,
style = _this$props.style,
showTitle = _this$props.showTitle,
onClick = _this$props.onClick;
return React.createElement(_Button, {
type: "normal",
size: "large",
text: true,
className: classNames('lowcode-top-btn', className, {
active: active,
disabled: disabled,
locked: locked
}),
id: id,
style: style,
onClick: disabled ? null : onClick
}, React.createElement("div", null, React.createElement(_Icon, {
size: "large",
type: icon
}), showTitle && React.createElement("span", null, title)));
};
return TopIcon;
}(PureComponent);
TopIcon.displayName = 'TopIcon';
TopIcon.propTypes = {
active: PropTypes.bool,
className: PropTypes.string,
disabled: PropTypes.bool,
icon: PropTypes.string,
id: PropTypes.string,
locked: PropTypes.bool,
onClick: PropTypes.func,
showTitle: PropTypes.bool,
style: PropTypes.object,
title: PropTypes.string
};
TopIcon.defaultProps = {
active: false,
className: '',
disabled: false,
icon: '',
id: '',
locked: false,
onClick: function onClick() {},
showTitle: false,
style: {},
title: ''
};
export { TopIcon as default };

View File

@ -0,0 +1,32 @@
.next-btn.next-large.lowcode-top-btn {
width: 44px;
height: 44px;
padding: 0;
margin: 4px -2px;
text-align: center;
border-radius: 8px;
border: 1px solid transparent;
color: #777;
&.disabled {
cursor: not-allowed;
color: $color-text1-1;
}
&.locked {
color: red !important;
}
i.next-icon {
&:before {
font-size: 17px;
}
margin-right: 0;
line-height: 18px;
}
span {
display: block;
margin: 0px -5px 0;
line-height: 16px;
text-align: center;
font-size: 12px;
transform: scale(0.8);
}
}

View File

@ -0,0 +1,21 @@
import { PureComponent } from 'react';
import './index.scss';
export default class TopPlugin extends PureComponent {
static displayName: string;
static defaultProps: {
active: boolean;
config: {};
disabled: boolean;
dotted: boolean;
locked: boolean;
onClick: () => void;
};
constructor(props: any, context: any);
componentDidMount(): void;
componentWillUnmount(): void;
handleShow: () => void;
handleClose: () => void;
handleOpen: () => void;
renderIcon: (clickCallback: any) => JSX.Element;
render(): JSX.Element;
}

View File

@ -0,0 +1,213 @@
import _Balloon from "@alifd/next/es/balloon";
import _Dialog from "@alifd/next/es/dialog";
import _extends from "@babel/runtime/helpers/extends";
import _Badge from "@alifd/next/es/badge";
import _inheritsLoose from "@babel/runtime/helpers/inheritsLoose";
import React, { PureComponent, Fragment } from 'react';
import TopIcon from '../TopIcon';
import './index.scss';
var TopPlugin = /*#__PURE__*/function (_PureComponent) {
_inheritsLoose(TopPlugin, _PureComponent);
function TopPlugin(_props, context) {
var _this;
_this = _PureComponent.call(this, _props, context) || this;
_this.handleShow = function () {
var _this$props = _this.props,
disabled = _this$props.disabled,
config = _this$props.config,
onClick = _this$props.onClick;
var addonKey = config && config.addonKey;
if (disabled || !addonKey) return; //考虑到弹窗情况,延时发送消息
setTimeout(function () {
return _this.appHelper.emit(addonKey + ".addon.activate");
}, 0);
_this.handleOpen();
onClick && onClick();
};
_this.handleClose = function () {
var addonKey = _this.props.config && _this.props.config.addonKey;
var currentAddon = _this.appHelper.addons && _this.appHelper.addons[addonKey];
if (currentAddon) {
_this.utils.transformToPromise(currentAddon.close()).then(function () {
_this.setState({
dialogVisible: false
});
});
}
};
_this.handleOpen = function () {
// todo dialog类型的插件初始时拿不动插件实例
_this.setState({
dialogVisible: true
});
};
_this.renderIcon = function (clickCallback) {
var _this$props2 = _this.props,
active = _this$props2.active,
disabled = _this$props2.disabled,
dotted = _this$props2.dotted,
locked = _this$props2.locked,
config = _this$props2.config,
_onClick = _this$props2.onClick;
var _ref = config || {},
pluginKey = _ref.pluginKey,
props = _ref.props;
var _ref2 = props || {},
icon = _ref2.icon,
title = _ref2.title;
var node = React.createElement(TopIcon, {
className: "lowcode-top-addon " + pluginKey,
active: active,
disabled: disabled,
locked: locked,
icon: icon,
title: title,
onClick: function onClick() {
if (disabled) return; //考虑到弹窗情况,延时发送消息
setTimeout(function () {
return _this.appHelper.emit(pluginKey + ".addon.activate");
}, 0);
clickCallback && clickCallback();
_onClick && _onClick();
}
});
return dotted ? React.createElement(_Badge, {
dot: true
}, node) : node;
};
_this.state = {
dialogVisible: false
};
return _this;
}
var _proto = TopPlugin.prototype;
_proto.componentDidMount = function componentDidMount() {
var config = this.props.config;
var pluginKey = config && config.pluginKey; // const appHelper = this.appHelper;
// if (appHelper && addonKey) {
// appHelper.on(`${addonKey}.dialog.show`, this.handleShow);
// appHelper.on(`${addonKey}.dialog.close`, this.handleClose);
// }
};
_proto.componentWillUnmount = function componentWillUnmount() {// const { config } = this.props;
// const addonKey = config && config.addonKey;
// const appHelper = this.appHelper;
// if (appHelper && addonKey) {
// appHelper.off(`${addonKey}.dialog.show`, this.handleShow);
// appHelper.off(`${addonKey}.dialog.close`, this.handleClose);
// }
};
_proto.render = function render() {
var _this2 = this;
var _this$props3 = this.props,
active = _this$props3.active,
dotted = _this$props3.dotted,
locked = _this$props3.locked,
disabled = _this$props3.disabled,
config = _this$props3.config,
editor = _this$props3.editor,
Comp = _this$props3.pluginClass;
var _ref3 = config || {},
pluginKey = _ref3.pluginKey,
pluginProps = _ref3.pluginProps,
props = _ref3.props,
type = _ref3.type;
var _ref4 = props || {},
_onClick2 = _ref4.onClick,
title = _ref4.title;
var dialogVisible = this.state.dialogVisible;
if (!pluginKey || !type || !Comp) return null;
var node = React.createElement(Comp, _extends({
active: active,
locked: locked,
disabled: disabled,
config: config,
onClick: function onClick() {
_onClick2 && _onClick2.call(null, editor);
}
}, pluginProps));
switch (type) {
case 'LinkIcon':
return React.createElement("a", props.linkProps, this.renderIcon(function () {
_onClick2 && _onClick2.call(null, editor);
}));
case 'Icon':
return this.renderIcon(function () {
_onClick2 && _onClick2.call(null, editor);
});
case 'DialogIcon':
return React.createElement(Fragment, null, this.renderIcon(function () {
_onClick2 && _onClick2.call(null, editor);
_this2.handleOpen();
}), React.createElement(_Dialog, _extends({
onOk: function onOk() {
editor.emit(pluginKey + ".dialog.onOk");
_this2.handleClose();
},
onCancel: this.handleClose,
onClose: this.handleClose,
title: title
}, props.dialogProps, {
visible: dialogVisible
}), node));
case 'BalloonIcon':
return React.createElement(_Balloon, _extends({
trigger: this.renderIcon(function () {
_onClick2 && _onClick2.call(null, editor);
}),
triggerType: ['click', 'hover']
}, props.balloonProps), node);
case 'Custom':
return dotted ? React.createElement(_Badge, {
dot: true
}, node) : node;
default:
return null;
}
};
return TopPlugin;
}(PureComponent);
TopPlugin.displayName = 'lowcodeTopPlugin';
TopPlugin.defaultProps = {
active: false,
config: {},
disabled: false,
dotted: false,
locked: false,
onClick: function onClick() {}
};
export { TopPlugin as default };

View File

@ -0,0 +1,2 @@
.lowcode-top-addon {
}

View File

@ -0,0 +1,14 @@
declare const routerConfig: {
path: string;
component: any;
children: ({
path: string;
component: any;
redirect?: undefined;
} | {
path: string;
redirect: string;
component?: undefined;
})[];
}[];
export default routerConfig;

View File

@ -0,0 +1,14 @@
import Dashboard from '@/pages/Dashboard';
import BasicLayout from '@/layouts/BasicLayout';
var routerConfig = [{
path: '/',
component: BasicLayout,
children: [{
path: '/dashboard',
component: Dashboard
}, {
path: '/',
redirect: '/dashboard'
}]
}];
export default routerConfig;

View File

@ -0,0 +1,2 @@
declare const asideMenuConfig: any[];
export { asideMenuConfig };

View File

@ -0,0 +1,3 @@
// 菜单配置
var asideMenuConfig = [];
export { asideMenuConfig };

View File

@ -0,0 +1,33 @@
body {
font-family: PingFangSC-Regular, Roboto, Helvetica Neue, Helvetica, Tahoma,
Arial, PingFang SC-Light, Microsoft YaHei;
font-size: 12px;
padding: 0;
margin: 0;
* {
box-sizing: border-box;
}
}
.next-loading {
.next-loading-wrap {
height: 100%;
}
}
.lowcode-editor {
.lowcode-main-content {
position: absolute;
top: 48px;
left: 0;
right: 0;
bottom: 0;
display: flex;
background-color: #d8d8d8;
}
.lowcode-center-area {
flex: 1;
display: flex;
flex-direction: column;
padding: 10px;
overflow: auto;
}
}

View File

@ -0,0 +1,8 @@
import { PureComponent } from 'react';
import './global.scss';
export default class Skeleton extends PureComponent {
static displayName: string;
constructor(props: any);
componentWillUnmount(): void;
render(): JSX.Element;
}

View File

@ -0,0 +1,70 @@
import _ConfigProvider from "@alifd/next/es/config-provider";
import _Loading from "@alifd/next/es/loading";
import _inheritsLoose from "@babel/runtime/helpers/inheritsLoose";
import React, { PureComponent } from 'react'; // import Editor from '@ali/lowcode-engine-editor';
import TopArea from './layouts/TopArea';
import LeftArea from './layouts/LeftArea';
import CenterArea from './layouts/CenterArea';
import RightArea from './layouts/RightArea';
import './global.scss';
var Skeleton = /*#__PURE__*/function (_PureComponent) {
_inheritsLoose(Skeleton, _PureComponent);
function Skeleton(props) {
var _this;
_this = _PureComponent.call(this, props) || this; // this.editor = new Editor(props.config, props.utils);
_this.editor = {
on: function on() {},
off: function off() {},
config: props.config,
pluginComponents: props.pluginComponents
};
return _this;
}
var _proto = Skeleton.prototype;
_proto.componentWillUnmount = function componentWillUnmount() {// this.editor && this.editor.destroy();
// this.editor = null;
};
_proto.render = function render() {
var _this$props = this.props,
location = _this$props.location,
history = _this$props.history,
messages = _this$props.messages;
this.editor.location = location;
this.editor.history = history;
this.editor.messages = messages;
return React.createElement(_ConfigProvider, null, React.createElement(_Loading, {
tip: "Loading",
size: "large",
visible: false,
shape: "fusion-reactor",
fullScreen: true
}, React.createElement("div", {
className: "lowcode-editor"
}, React.createElement(TopArea, {
editor: this.editor
}), React.createElement("div", {
className: "lowcode-main-content"
}, React.createElement(LeftArea.Nav, {
editor: this.editor
}), React.createElement(LeftArea.Panel, {
editor: this.editor
}), React.createElement(CenterArea, {
editor: this.editor
}), React.createElement(RightArea, {
editor: this.editor
})))));
};
return Skeleton;
}(PureComponent);
Skeleton.displayName = 'lowcodeEditorSkeleton';
export { Skeleton as default };

View File

@ -0,0 +1,7 @@
import { PureComponent } from 'react';
import './index.scss';
export default class CenterArea extends PureComponent {
static displayName: string;
constructor(props: any);
render(): JSX.Element;
}

View File

@ -0,0 +1,24 @@
import _inheritsLoose from "@babel/runtime/helpers/inheritsLoose";
import React, { PureComponent } from 'react';
import './index.scss';
var CenterArea = /*#__PURE__*/function (_PureComponent) {
_inheritsLoose(CenterArea, _PureComponent);
function CenterArea(props) {
return _PureComponent.call(this, props) || this;
}
var _proto = CenterArea.prototype;
_proto.render = function render() {
return React.createElement("div", {
className: "lowcode-center-area"
});
};
return CenterArea;
}(PureComponent);
CenterArea.displayName = 'lowcodeCenterArea';
export { CenterArea as default };

View File

@ -0,0 +1,3 @@
.lowcode-center-area {
padding: 12px;
}

View File

@ -0,0 +1,5 @@
declare const _default: {
Nav: any;
Panel: any;
};
export default _default;

View File

@ -0,0 +1,6 @@
import Nav from './nav';
import Panel from './panel';
export default {
Nav: Nav,
Panel: Panel
};

View File

@ -0,0 +1,21 @@
.lowcode-left-area-nav {
width: 48px;
height: 100%;
background: #ffffff;
border-right: 1px solid #e8ebee;
position: relative;
.top-area {
position: absolute;
top: 0;
width: 100%;
background: #ffffff;
max-height: 100%;
}
.bottom-area {
position: absolute;
bottom: 20px;
width: 100%;
background: #ffffff;
max-height: calc(100% - 20px);
}
}

View File

@ -0,0 +1,7 @@
import { PureComponent } from 'react';
import './index.scss';
export default class LeftAreaPanel extends PureComponent {
static displayName: string;
constructor(props: any);
render(): JSX.Element;
}

View File

@ -0,0 +1,24 @@
import _inheritsLoose from "@babel/runtime/helpers/inheritsLoose";
import React, { PureComponent } from 'react';
import './index.scss';
var LeftAreaPanel = /*#__PURE__*/function (_PureComponent) {
_inheritsLoose(LeftAreaPanel, _PureComponent);
function LeftAreaPanel(props) {
return _PureComponent.call(this, props) || this;
}
var _proto = LeftAreaPanel.prototype;
_proto.render = function render() {
return React.createElement("div", {
className: "lowcode-left-area-nav"
});
};
return LeftAreaPanel;
}(PureComponent);
LeftAreaPanel.displayName = 'lowcodeLeftAreaNav';
export { LeftAreaPanel as default };

View File

@ -0,0 +1,7 @@
import { PureComponent } from 'react';
import './index.scss';
export default class LeftAreaPanel extends PureComponent {
static displayName: string;
constructor(props: any);
render(): JSX.Element;
}

Some files were not shown because too many files have changed in this diff Show More