Skip to content

Command Reference

This page documents all script commands available in LoomCAD.


Command Syntax

All commands follow this pattern:

javascript
Script.commandName({ options });
  • Options are passed as an object
  • Most commands have required and optional parameters
  • Query commands return data directly: { success: boolean, elements: [...] }
  • All other commands (draw, update, erase, move) are asynchronous and do not return usable data

Execution Model

Draw, update, erase, and move commands are asynchronous — they are queued and executed in order, with changes applied after the script completes. You do not need to check their return values — errors are reported automatically.

Query commands are synchronous — they return data immediately. :::


Draw Commands

Create new elements on the canvas.

drawComponent

Creates a component (connector, terminal, device).

javascript
Script.drawComponent({
  position: { x: 200, y: 300 }, // Required: Position on canvas
  pinNumberingOrder: "column", // Required: 'column' or 'row'
  flipped: false, // Required: Flip orientation
  compElementData: {
    // Required: Component metadata
    name: "J101", // Required: Component name
    partnumber: "MOLEX-123", // Required: Part number
    pinCount: 8, // Required: Number of pins
  },
  pinData: {
    // Required: Pin configuration
    x: 1, // Horizontal pin count
    y: 8, // Vertical pin count
    pins: [
      // Required: Array of pin definitions
      { name: "1", partnumber: "" },
      { name: "2", partnumber: "" },
      // ... one entry for each pin
    ],
  },
});

Simplified example (minimum required):

javascript
// Create 8-pin connector with auto-generated pin names
const pins = [];
for (let i = 1; i <= 8; i++) {
  pins.push({ name: String(i), partnumber: "" });
}

Script.drawComponent({
  position: { x: 200, y: 300 },
  pinNumberingOrder: "column",
  flipped: false,
  compElementData: {
    name: "J101",
    partnumber: "MOLEX-123",
    pinCount: 8,
  },
  pinData: { x: 1, y: 8, pins },
});

drawLibraryComponent

Creates a component from a library.

javascript
Script.drawLibraryComponent({
  libraryId: "lib-123", // Library component ID
  name: "ECU1", // Name for the new instance
  x: 200,
  y: 300,
});

createLibraryComponent

Creates a new component in a library project. A new sheet is added to the library and the component is drawn on it.

javascript
Script.createLibraryComponent({
  libraryProject: libraryProject, // Required: Library project object
  pinData: {
    // Required: Pin layout
    x: 1, // Horizontal pin count
    y: 8, // Vertical pin count
    pins: [
      { name: "1", partnumber: "" },
      // ... one entry per pin
    ],
  },
  compElementData: {
    // Required: Component properties
    name: "J1",
    partnumber: "MOLEX-123",
    pinCount: 8,
  },
  flipped: false, // Required: Orientation
  pinNumberingOrder: "column", // Required: 'column' or 'row'
  position: { x: 200, y: 300 }, // Required: Position on sheet
  usePartNumber: true, // Optional: Use partnumber as sheet name
  sheetName: "NewComponent", // Optional: Fallback sheet name
  sideViewData: null, // Optional: Sideview image/SVG data
});

When usePartNumber is true, the library sheet is named after the component's part number. Otherwise the sheetName value is used (defaults to "NewComponent").

drawWire

Creates a wire connection between pins.

javascript
Script.drawWire({
  start: {
    // Required: Source pin
    componentName: "ECU1", // Component name
    pinName: "1", // Pin name (string)
  },
  end: {
    // Required: Destination pin
    componentName: "J101",
    pinName: "3",
  },
  name: "PWR_MAIN", // Required: Wire name
  partnumber: "WIRE-18AWG-RED", // Required: Part number
  colors: ["red"], // Optional: DIN 47100 color(s)
  coreSizeAWG: "18", // Optional: Wire gauge
});

Alternative: Pin by index (1-based):

javascript
Script.drawWire({
  start: { componentName: "ECU1", pinIndex: 1 }, // First pin
  end: { componentName: "J101", pinIndex: 3 }, // Third pin
  name: "PWR_MAIN",
  partnumber: "WIRE-18AWG-RED",
});

Color values: white, brown, green, yellow, grey, pink, blue, red, black, violet, orange

Two-color (stripe): Use array ['red', 'blue'] for stripe combinations.

drawBundle

Creates a bundle segment between two points, optionally with bend points.

javascript
Script.drawBundle({
  start: { x: 100, y: 200 }, // Required: Start point
  end: { x: 300, y: 200 }, // Required: End point
  name: "MAIN_TRUNK", // Required: Bundle name
  partnumber: "BUNDLE-001", // Required: Part number
  bendPoints: [
    // Optional: intermediate bend points
    { x: 150, y: 250 },
    { x: 250, y: 250 },
  ],
});

Multi-segment bundles

Use the bendPoints parameter to create a bundle with multiple segments in one command. The bundle path goes: start → bend1 → bend2 → ... → end.

tubingType values (set via updateBundle):

  • heatshrink, coldshrink, sleeving
  • braidedsleeving, solid, wireloom
  • conduit, pvccoated

Naming elements All draw commands below accept an optional name

parameter. Named elements can later be queried and updated using updateX commands (e.g. updateLine, updateTextcontainer). :::

drawLine

Creates a decorative line (not electrical).

javascript
Script.drawLine({
  start: { x: 100, y: 100 },
  end: { x: 300, y: 100 },
  name: "BORDER_LINE",
  style: {
    strokeWidth: 2,
    strokeColor: "#000000",
    dashArray: [10, 5], // Optional: dashed line
  },
});

drawCircle

Creates a circle shape.

javascript
Script.drawCircle({
  center: { x: 200, y: 200 },
  radius: 50,
  name: "MARKER_CIRCLE",
  style: {
    strokeWidth: 1,
    strokeColor: "#000000",
    fillColor: "#ffffff",
  },
});

drawRectangle

Creates a rectangle shape.

javascript
Script.drawRectangle({
  start: { x: 100, y: 100 },
  end: { x: 300, y: 250 },
  name: "FRAME_RECT",
  style: {
    strokeWidth: 1,
    strokeColor: "#000000",
    fillColor: "#f0f0f0",
  },
});

drawText

Creates a text annotation.

javascript
Script.drawText({
  position: { x: 100, y: 50 },
  text: "Power Distribution",
  name: "TITLE_TEXT",
  fontSize: 14,
  style: {
    color: "#000000",
    fontFamily: "Arial",
    fontWeight: "bold",
    isItalic: false,
  },
});

drawDimension

Creates a dimension annotation.

javascript
Script.drawDimension({
  start: { x: 100, y: 200 },
  end: { x: 400, y: 200 },
  name: "MAIN_DIM",
  leadSize: -120,
});

drawImage

Places an image on the canvas.

javascript
Script.drawImage({
  src: "data:image/png;base64,...", // Image data or URL
  x: 100,
  y: 100,
  width: 200, // Optional
  height: 150, // Optional
});

drawSVG

Places an SVG graphic. SVGs are stored as Image elements with pathDataType: "svg".

javascript
Script.drawSVG({
  svg: "<svg>...</svg>", // SVG content
  x: 100,
  y: 100,
});

drawBundleBreak

Adds a break point to a bundle.

javascript
Script.drawBundleBreak({
  bundleName: "MAIN_TRUNK",
  offset: 0.5, // Position along bundle (0.0 = start, 1.0 = end)
});

addBundleBend

Adds a bend (corner) to a bundle, splitting it into two segments.

javascript
Script.addBundleBend({
  bundleName: "MAIN_TRUNK",
  point: { x: 250, y: 200 }, // Point ON the bundle line
});

Calculating the point: The point must lie on the bundle segment:

point.x = start.x + k * (end.x - start.x)
point.y = start.y + k * (end.y - start.y)

where k is between 0 and 1 (e.g., 0.5 = midpoint). The point is projected onto the segment and clamped to the 5%–95% range.

removeBundleBend

Removes a bend from a bundle, merging two adjacent segments back into one.

javascript
Script.removeBundleBend({
  anchorID: "bend-anchor-id", // ID of the nonMergeable bend anchor
});

The anchor must be a bend anchor (nonMergeable: true). Both adjacent segments must belong to the same logical bundle. Any breaks on the merged segments are removed automatically.

Style Reference

Drawing and update commands use nested style objects for visual properties.

Shape Style (Line, Circle, Rectangle)

Used by: drawLine, drawCircle, drawRectangle, updateLine, updateCircle, updateRectangle

PropertyTypeDescription
strokeWidthnumberBorder/line thickness
strokeColorstring or [r,g,b]Border/line color
fillColorstring or [r,g,b]Fill color
dashArraynumber[]Dash pattern, e.g., [10, 5]

Text Style (TextContainer)

Used by: drawText, updateTextcontainer

PropertyTypeDescription
colorstring or [r,g,b]Text fill color
fontFamilystringFont name (e.g., "Arial")
fontWeightstring"normal", "bold", "lighter"
isItalicbooleanItalic text (default: false)
strokeColorstring or [r,g,b]Text outline color
strokeWidthnumberText outline thickness

Table Text Style (Pinout, CompWireTable)

Used by: updatePinout, updateCompwiretable

PropertyTypeDescription
fontSizenumberFont size
fontFamilystringFont name (e.g., "Arial")
fontWeightstring"normal", "bold"

Table textStyle Limitations

Table textStyle does NOT support isItalic or color - only fontSize, fontFamily, and fontWeight.

Color Formats

Colors can be specified as:

  • Hex strings: "#FF0000", "#f00", "red"
  • RGB arrays: [255, 0, 0] (values 0-255)

Query Commands

Find and retrieve element data. Queries use exact name matching (case-sensitive).

Most query commands accept query as a string (name shorthand), or an object with one of: id, name, componentId, or componentName.

For child elements (queryPinout, querySideview, queryCompwiretable), the query refers to the parent component — use componentName or componentId to find elements belonging to a specific component.

No Wildcards

Queries use exact matching only. You cannot use patterns like J* or PWR*. Instead, query all elements and filter with JavaScript.

queryComponent

javascript
// By exact name
const result = Script.queryComponent({ query: "ECU1" });
if (result.success && result.elements.length > 0) {
  const comp = result.elements[0];
  scriptConsole.log(`Found: ${comp.name} with ${comp.pinCount} pins`);
}

// Get all components, then filter in JavaScript
const allComps = Script.queryComponent({});
const jConnectors = allComps.elements.filter(c => c.name.startsWith("J"));
scriptConsole.log(`Found ${jConnectors.length} J-series connectors`);

// By ID
const result = Script.queryComponent({
  query: { id: "comp-uuid-123" },
});

Returns: { success: boolean, elements: [...] } where elements have:

  • id, name, x, y, pinCount, partnumber, manufacturer, etc.

queryWire

javascript
// By exact name
const result = Script.queryWire({ query: "PWR_MAIN" });

// Get all wires, then filter by property in JavaScript
const allWires = Script.queryWire({});
const redWires = allWires.elements.filter(
  w => w.colors && w.colors.includes("red")
);
scriptConsole.log(`Found ${redWires.length} red wires`);

Returns: Array of wire objects with:

  • id, name, colors, coreSizeAWG, fromComponent, fromPin, toComponent, toPin, etc.

queryBundle

javascript
const result = Script.queryBundle({ query: "MAIN_TRUNK" });

queryPin

Uses a special query format with componentName plus pinName or pinIndex.

javascript
// Query specific pin by name
const result = Script.queryPin({
  query: { componentName: "ECU1", pinName: "GND" },
});

// Query specific pin by index (1-based)
const result = Script.queryPin({
  query: { componentName: "ECU1", pinIndex: 3 },
});

// Query pin by ID
const result = Script.queryPin({
  query: { id: "pin-uuid-123" },
});

queryAnchor

Query anchors by ID only:

javascript
// Query specific anchor by ID
const result = Script.queryAnchor({
  query: { id: "anchor-uuid-string" },
});

// Get all anchors (no filter)
const allAnchors = Script.queryAnchor({});

ID-only queries

queryAnchor only supports querying by id. There is no bundle parameter. To find anchors on a specific bundle, query all anchors and filter in JavaScript.

querySideview

Queries by parent component name or ID, not by sideview name.

javascript
// By parent component name (string shorthand)
const result = Script.querySideview({ query: "J101" });

// By parent component name (object format)
const result = Script.querySideview({ query: { componentName: "J101" } });

// By parent component ID
const result = Script.querySideview({
  query: { componentId: "60d5ec49b4f4a73d4c8b4567" },
});

queryPinout

Queries by parent component name or ID, not by pinout name.

javascript
// By parent component name (string shorthand)
const result = Script.queryPinout({ query: "ECU1" });

// By parent component name (object format)
const result = Script.queryPinout({ query: { componentName: "ECU1" } });

// By parent component ID
const result = Script.queryPinout({
  query: { componentId: "60d5ec49b4f4a73d4c8b4567" },
});

Update Commands

Modify existing elements. Requires exact name or ID in the query parameter.

Update Syntax

Update commands use { query: '...', update: {...} } format. You must specify the exact element to update—wildcards are not supported.

updateComponent

javascript
Script.updateComponent({
  query: "ECU1", // Target by exact name
  update: {
    partnumber: "NEW-PART", // Properties to update
    manufacturer: "Bosch",
  },
});

// Update by ID
Script.updateComponent({
  query: { id: "comp-uuid-123" },
  update: { name: "ECU_RENAMED" },
});

updateWire

javascript
Script.updateWire({
  query: "PWR_MAIN", // Exact wire name
  update: {
    colors: ["red"],
    coreSizeAWG: "14",
  },
});

// To update multiple wires, query all then iterate
const allWires = Script.queryWire({});
allWires.elements.forEach(wire => {
  if (wire.name.startsWith("SIG")) {
    // JavaScript filtering
    Script.updateWire({
      query: wire.name,
      update: { coreSizeAWG: "22" },
    });
  }
});

updateBundle

javascript
Script.updateBundle({
  query: "MAIN_TRUNK",
  update: {
    tubingType: "conduit",
    coveringColor: "grey",
  },
});

updateAnchor

javascript
Script.updateAnchor({
  query: { id: "anchor-uuid" },
  update: {
    x: 350,
    y: 200,
  },
});

updatePin

javascript
// By component name and pin name
Script.updatePin({
  query: { componentName: "ECU1", pinName: "1" },
  update: {
    name: "VBAT",
  },
});

// By component name and pin index (1-based)
Script.updatePin({
  query: { componentName: "ECU1", pinIndex: 1 },
  update: {
    name: "VBAT",
  },
});

updateLine

Updates a line's geometry and style.

javascript
Script.updateLine({
  query: "BORDER_LINE",
  update: {
    coords: { x: 0, y: 0 },
    coordsEnd: { x: 100, y: 100 },
    style: {
      strokeWidth: 2,
      strokeColor: "#FF0000",
      dashArray: [10, 5],
    },
  },
});

updateCircle

Updates a circle's geometry and style.

javascript
Script.updateCircle({
  query: "MARKER_CIRCLE",
  update: {
    coords: { x: 250, y: 250 },
    radius: 75,
    style: {
      strokeWidth: 2,
      strokeColor: "#0000FF",
      fillColor: "#CCCCFF",
    },
  },
});

updateRectangle

Updates a rectangle's geometry and style.

javascript
Script.updateRectangle({
  query: "FRAME_RECT",
  update: {
    width: 200,
    length: 100,
    style: {
      strokeWidth: 1,
      strokeColor: "#000000",
      fillColor: "#FFFFCC",
    },
  },
});

updateTextcontainer

Updates a text element. Note: Uses style (not textStyle).

javascript
Script.updateTextcontainer({
  query: "TITLE_TEXT",
  update: {
    text: "Updated Label",
    fontSize: 16,
    style: {
      color: "#333333",
      fontFamily: "Arial",
      fontWeight: "bold",
      isItalic: true,
    },
  },
});

updatePinout

Updates a component's pinout table appearance. The query refers to the parent component, not the pinout element itself.

javascript
// By parent component name (string shorthand)
Script.updatePinout({
  query: "J101",
  update: {
    colSizes: { x: 60, y: 25 },
    numColsRows: { x: 4, y: 2 },
    textStyle: {
      fontSize: 10,
      fontFamily: "Courier",
      fontWeight: "normal",
    },
  },
});

// By parent component name (object format)
Script.updatePinout({
  query: { componentName: "J101" },
  update: { colSizes: { x: 250, y: 50 } },
});

updateCompwiretable

Updates a component's wire table appearance. The query refers to the parent component, not the wire table element itself.

javascript
// By parent component name (string shorthand)
Script.updateCompwiretable({
  query: "J101",
  update: {
    colSizes: { x: 80, y: 20 },
    isFlip: false,
    textStyle: {
      fontSize: 12,
      fontFamily: "Arial",
      fontWeight: "bold",
    },
  },
});

// By parent component name (object format)
Script.updateCompwiretable({
  query: { componentName: "J101" },
  update: { colSizes: { x: 80, y: 20 } },
});

Move Commands

Reposition elements.

move

javascript
// Single element - absolute position
Script.move({
  queries: [{ type: "component", query: "J101" }],
  position: { x: 500, y: 300 },
});

// Single element - relative movement
Script.move({
  queries: [{ type: "component", query: "J101" }],
  position: { dx: 100, dy: -50 }, // Move 100 right, 50 up
});

// Multiple elements - MUST use relative position
Script.move({
  queries: [
    { type: "component", query: "J101" },
    { type: "component", query: "J102" },
    { type: "wire", query: "PWR_MAIN" },
  ],
  position: { dx: 100, dy: 0 }, // Relative required for multiple
});

Query types: component, wire, bundle, anchor, sideview, pinout

Multiple elements

When moving multiple elements, you MUST use relative position (dx, dy). Absolute position (x, y) only works for a single element.


Erase Commands

Delete elements.

eraseComponent

javascript
Script.eraseComponent({ query: "J101" });

// By ID
Script.eraseComponent({ query: { id: "comp-uuid" } });

eraseWire

javascript
Script.eraseWire({ query: "PWR_MAIN" });

eraseBundle

javascript
Script.eraseBundle({ query: "MAIN_TRUNK" });

eraseDimension, eraseTextcontainer, eraseImage, eraseSvg

javascript
Script.eraseDimension({ query: { id: "dim-uuid" } });
Script.eraseTextcontainer({ query: { id: "text-uuid" } });
Script.eraseImage({ query: { id: "img-uuid" } });
Script.eraseSvg({ query: { id: "svg-uuid" } });

Utility Commands

copyWire

Duplicates wire configuration from one pin to another.

javascript
Script.copyWire({
  from: { componentName: "ECU1", pinName: "1" },
  to: { componentName: "ECU1", pinName: "2" },
});

mergeAnchors

Combines multiple anchor points into one.

javascript
Script.mergeAnchors({
  anchors: ["anchor-1", "anchor-2", "anchor-3"],
  target: { x: 300, y: 200 }, // Position for merged anchor
});

makeSideview

Creates a sideview (connector shell image) for a component. Three modes are supported — use exactly one per call.

Mode 1 — From existing image on canvas:

javascript
Script.makeSideview({
  image: { type: "image", query: { id: "image-id" } },
  component: { query: "J101" },
});

Merges anchors and converts the image into a sideview.

Mode 2 — From component's own image data:

javascript
Script.makeSideview({
  component: { query: "J101" },
  useComponentImageData: true,
  autoScale: true,
});

Uses the component's imageData and imageType properties (e.g. populated from DigiKey). No pre-drawn image needed.

Mode 3 — From explicit image data:

javascript
Script.makeSideview({
  component: { query: "J101" },
  pathData: "data:image/png;base64,...",
  pathDataType: "png",
  scale: { x: 2.0, y: 2.0 },
  coords: { x: -200, y: 0 },
});

Common options (Modes 2 & 3):

OptionTypeDescription
autoScalebooleanAuto-calculate scale to fit ~150px sideview size
scaleobject{ x, y } scale factors (default {1,1}; overrides autoScale)
coordsobject{ x, y } offset from component anchor (default {-200, 0})
transparentColorstringColor to make transparent, e.g. "#ffffff"
transparentColorTolerancenumberTolerance for transparent color matching
createRevisionbooleanCreate revision entry (default true; set false in batch scripts)

convertToSideview

Converts an image into a sideview.

javascript
Script.convertToSideview({
  type: "image",
  query: { id: "image-element-id" },
});

rehangWire

Reconnects a wire to a different pin.

javascript
Script.rehangWire({
  wire: "PWR_MAIN",
  endpoint: "from", // 'from' or 'to'
  newPin: { componentName: "ECU2", pinName: "1" },
});

Revision Commands

Manage named revision checkpoints in the project history.

createRevision

Creates a named revision checkpoint. Named revisions appear bold in the undo/redo history menus, making them easy to find among regular operations.

javascript
Script.createRevision({
  name: "Before bulk wire update", // Required: human-readable label
});

Automatic Checkpoints

When you run a script from the Scripts tab or AI chat, LoomCAD automatically creates a named revision checkpoint before execution. This lets you easily revert the entire script's changes with a single undo step.

restoreRevision

Loads a previous revision by name or numeric index.

javascript
// Restore by name — finds the revision labeled "Before bulk wire update"
Script.restoreRevision({
  name: "Before bulk wire update",
});

// Restore by absolute index
Script.restoreRevision({
  index: 5,
});

// Restore by relative index — go back 3 steps from current
Script.restoreRevision({
  index: -3,
});

Parameters (one required):

ParameterTypeDescription
namestringFind revision by its label, searching backward from current position
indexnumberJump to revision number. Negative values are relative (e.g., -3 = go back 3)

Backward Search

When searching by name, restoreRevision scans backward from the current revision. Calling it repeatedly with the same name walks back through all matching checkpoints one by one.


Script Output

Use scriptConsole (not console) for output:

javascript
scriptConsole.log("Information message");
scriptConsole.warning("Warning message");
scriptConsole.critical("Error message");
scriptConsole.table(data); // Display tabular data

Enums Reference

Wire Colors (DIN 47100)

Single colors: white, brown, green, yellow, grey, pink, blue, red, black, violet, orange

Two-color combinations (stripe): Use array format: ['white', 'green'], ['red', 'blue'], ['yellow', 'brown'], etc.

Tubing Types

heatshrink, coldshrink, sleeving, braidedsleeving, solid, wireloom, conduit, pvccoated

Wire Types

singlecore, multicore, twisted

Pin Numbering Order

column, row

Gender

male, female

Join Type

crimp, solder


Next Steps