| 12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091 | import { v4 as uuid } from "uuid"
import * as vec from "utils/vec"
import { RectangleShape, ShapeType } from "types"
import { createShape } from "./index"
import { boundsContained, boundsCollide } from "utils/bounds"
const rectangle = createShape<RectangleShape>({
  boundsCache: new WeakMap([]),
  create(props) {
    return {
      id: uuid(),
      type: ShapeType.Rectangle,
      name: "Rectangle",
      parentId: "page0",
      childIndex: 0,
      point: [0, 0],
      size: [1, 1],
      rotation: 0,
      style: {},
      ...props,
    }
  },
  render({ id, size }) {
    return <rect id={id} width={size[0]} height={size[1]} />
  },
  getBounds(shape) {
    if (this.boundsCache.has(shape)) {
      return this.boundsCache.get(shape)
    }
    const {
      point: [x, y],
      size: [width, height],
    } = shape
    const bounds = {
      minX: x,
      maxX: x + width,
      minY: y,
      maxY: y + height,
      width,
      height,
    }
    this.boundsCache.set(shape, bounds)
    return bounds
  },
  hitTest(shape) {
    return true
  },
  hitTestBounds(shape, brushBounds) {
    const shapeBounds = this.getBounds(shape)
    return (
      boundsContained(shapeBounds, brushBounds) ||
      boundsCollide(shapeBounds, brushBounds)
    )
  },
  rotate(shape) {
    return shape
  },
  translate(shape, delta) {
    shape.point = vec.add(shape.point, delta)
    return shape
  },
  scale(shape, scale) {
    return shape
  },
  stretch(shape, scaleX, scaleY) {
    shape.size = vec.mulV(shape.size, [scaleX, scaleY])
    return shape
  },
  transform(shape, bounds) {
    shape.point = [bounds.minX, bounds.minY]
    shape.size = [bounds.width, bounds.height]
    return shape
  },
})
export default rectangle
 |