excalidraw/src/element/newElement.ts

107 lines
2.4 KiB
TypeScript
Raw Normal View History

import { randomSeed } from "roughjs/bin/math";
import nanoid from "nanoid";
import { Point } from "roughjs/bin/geometry";
import { ExcalidrawElement, ExcalidrawTextElement } from "../element/types";
import { measureText } from "../utils";
export function newElement(
type: string,
x: number,
y: number,
strokeColor: string,
backgroundColor: string,
fillStyle: string,
strokeWidth: number,
roughness: number,
opacity: number,
width = 0,
2020-01-24 12:04:54 +02:00
height = 0,
) {
const element = {
id: nanoid(),
type,
x,
y,
width,
height,
strokeColor,
backgroundColor,
fillStyle,
strokeWidth,
roughness,
opacity,
seed: randomSeed(),
points: [] as Point[],
version: 1,
};
return element;
}
2020-01-08 19:54:42 +01:00
export function newTextElement(
element: ExcalidrawElement,
text: string,
2020-01-24 12:04:54 +02:00
font: string,
) {
const metrics = measureText(text, font);
const textElement: ExcalidrawTextElement = {
...element,
type: "text",
text: text,
font: font,
// Center the text
x: element.x - metrics.width / 2,
y: element.y - metrics.height / 2,
width: metrics.width,
height: metrics.height,
2020-01-24 12:04:54 +02:00
baseline: metrics.baseline,
};
return textElement;
}
// Simplified deep clone for the purpose of cloning ExcalidrawElement only
// (doesn't clone Date, RegExp, Map, Set, Typed arrays etc.)
//
// Adapted from https://github.com/lukeed/klona
function _duplicateElement(val: any, depth: number = 0) {
if (val == null || typeof val !== "object") {
return val;
}
if (Object.prototype.toString.call(val) === "[object Object]") {
const tmp =
typeof val.constructor === "function"
? Object.create(Object.getPrototypeOf(val))
: {};
for (const key in val) {
if (val.hasOwnProperty(key)) {
// don't copy top-level shape property, which we want to regenerate
if (depth === 0 && (key === "shape" || key === "canvas")) {
continue;
}
tmp[key] = _duplicateElement(val[key], depth + 1);
}
}
return tmp;
2020-02-09 23:57:14 +01:00
}
if (Array.isArray(val)) {
let k = val.length;
const arr = new Array(k);
while (k--) {
arr[k] = _duplicateElement(val[k], depth + 1);
}
return arr;
}
return val;
}
export function duplicateElement(element: ReturnType<typeof newElement>) {
const copy = _duplicateElement(element);
2020-01-08 19:54:42 +01:00
copy.id = nanoid();
copy.seed = randomSeed();
return copy;
}