首页龙虾技能列表 › Ecto Migrator — 技能工具

Ecto Migrator — 技能工具

v1.0.0

[自动翻译] Generate Ecto migrations from natural language or schema descriptions. Handles tables, columns, indexes, constraints, references, enums, and partition...

1· 1,688·2 当前·2 累计
by @gchapim·MIT-0
下载技能包
License
MIT-0
最后更新
2026/2/26
安全扫描
VirusTotal
无害
查看报告
OpenClaw
安全
high confidence
The skill is an instruction-only helper for generating Ecto migrations and its requirements and instructions are consistent with that purpose.
评估建议
This skill is coherent and appears safe as an authoring helper, but remember: generated migrations change your database schema. Always review generated migration code before running it, run migrations in a development/staging environment first, take backups, and ensure patterns (primary key type, tenant_id decisions, concurrent index flags, data-migration strategies) match your application's conventions. Because the skill is instruction-only, installing it does not add code to your system, but d...
详细分析 ▾
用途与能力
Name/description (Ecto migrations) match the content of SKILL.md and the provided references. The skill does not request unrelated binaries, credentials, or config paths — everything is appropriate for a migration-generation helper.
指令范围
SKILL.md contains templates, patterns, and concrete migration snippets (indexes, constraints, multi-tenant patterns, data-migration guidance). It does not instruct the agent to read arbitrary local files, access environment variables, or send data to external endpoints. It also does not instruct the agent to execute migrations against a database (only shows mix/execute examples), so runtime scope is limited to generating code/text.
安装机制
No install spec and no code files that run on the host. As an instruction-only skill, it does not download or write executables to disk — lowest-risk install profile.
凭证需求
The skill declares no required environment variables, credentials, or config paths. That is proportionate: generating migration text does not require secrets or external service access.
持久化与权限
always is false and the skill does not request persistent presence or modify other skills. Autonomous invocation is allowed (platform default) but the skill's content does not raise additional privilege concerns.
安全有层次,运行前请审查代码。

License

MIT-0

可自由使用、修改和再分发,无需署名。

运行时依赖

无特殊依赖

版本

latestv1.0.02026/2/3

Initial release of ecto-migrator. - Generate Ecto migrations from natural language or schema descriptions. - Supports creation and modification of tables, columns, indexes, constraints, references, enums, and partitioning. - Handles reversible migrations, data migrations, and multi-tenant schema patterns. - Provides naming conventions, migration templates, index and constraint strategies, and PostgreSQL extension guidance. - Includes best practices for data migrations and enum types in Elixir projects.

● 无害

安装命令 点击复制

官方npx clawhub@latest install ecto-migrator
镜像加速npx clawhub@latest install ecto-migrator --registry https://cn.clawhub-mirror.com

技能文档

Generating Migrations

From Natural Language

Parse the user's description and generate a migration file. Common patterns:

User SaysMigration Action
"Create users table with email and name"create table(:users) with columns
"Add phone to users"alter table(:users), add :phone
"Make email unique on users"create unique_index(:users, [:email])
"Add tenant_id to all tables"Multiple alter table with index
"Rename status to state on orders"rename table(:orders), :status, to: :state
"Remove the legacy_id column from users"alter table(:users), remove :legacy_id
"Add a check constraint on orders amount > 0"create constraint(:orders, ...)

File Naming

mix ecto.gen.migration 
# Generates: priv/repo/migrations/YYYYMMDDHHMMSS_.exs

Name conventions: create_

, add__to_
, create_
__index, alter_
_add_.

Migration Template

defmodule MyApp.Repo.Migrations.CreateUsers do
  use Ecto.Migration

def change do create table(:users, primary_key: false) do add :id, :binary_id, primary_key: true add :email, :string, null: false add :name, :string, null: false add :role, :string, null: false, default: "member" add :metadata, :map, default: %{} add :tenant_id, :binary_id, null: false

add :team_id, references(:teams, type: :binary_id, on_delete: :delete_all)

timestamps(type: :utc_datetime_usec) end

create unique_index(:users, [:tenant_id, :email]) create index(:users, [:tenant_id]) create index(:users, [:team_id]) end end

Column Types

See references/column-types.md for complete type mapping and guidance.

Key decisions:

  • IDs: Use :binary_id (UUID) — set primary_key: false on table, add :id manually.
  • Money: Use :integer (cents) or :decimal — never :float.
  • Timestamps: Always timestamps(type: :utc_datetime_usec).
  • Enums: Use :string with app-level Ecto.Enum — avoid Postgres enums (hard to migrate).
  • JSON: Use :map (maps to jsonb).
  • Arrays: Use {:array, :string} etc.

Index Strategies

See references/index-patterns.md for detailed index guidance.

When to Add Indexes

Always index:

  • Foreign keys (_id columns)
  • tenant_id (first column in composite indexes)
  • Columns used in WHERE clauses
  • Columns used in ORDER BY
  • Unique constraints

Index Types

# Standard B-tree
create index(:users, [:tenant_id])

# Unique create unique_index(:users, [:tenant_id, :email])

# Partial (conditional) create index(:orders, [:status], where: "status != 'completed'", name: :orders_active_status_idx)

# GIN for JSONB create index(:events, [:metadata], using: :gin)

# GIN for array columns create index(:posts, [:tags], using: :gin)

# Composite create index(:orders, [:tenant_id, :status, :inserted_at])

# Concurrent (no table lock — use in separate migration) @disable_ddl_transaction true @disable_migration_lock true

def change do create index(:users, [:email], concurrently: true) end

Constraints

# Check constraint
create constraint(:orders, :amount_must_be_positive, check: "amount > 0")

# Exclusion constraint (requires btree_gist extension) execute "CREATE EXTENSION IF NOT EXISTS btree_gist", "" create constraint(:reservations, :no_overlapping_bookings, exclude: ~s|gist (room_id WITH =, tstzrange(starts_at, ends_at) WITH &&)| )

# Unique constraint (same as unique_index for most purposes) create unique_index(:accounts, [:slug])

References (Foreign Keys)

add :user_id, references(:users, type: :binary_id, on_delete: :delete_all), null: false
add :team_id, references(:teams, type: :binary_id, on_delete: :nilify_all)
add :parent_id, references(:categories, type: :binary_id, on_delete: :nothing)
on_deleteUse When
:delete_allChild can't exist without parent (memberships, line items)
:nilify_allChild should survive parent deletion (optional association)
:nothingHandle in application code (default)
:restrictPrevent parent deletion if children exist

Multi-Tenant Patterns

Every Table Gets tenant_id

def change do
  create table(:items, primary_key: false) do
    add :id, :binary_id, primary_key: true
    add :name, :string, null: false
    add :tenant_id, :binary_id, null: false
    timestamps(type: :utc_datetime_usec)
  end

# Always composite index with tenant_id first create index(:items, [:tenant_id]) create unique_index(:items, [:tenant_id, :name]) end

Adding tenant_id to Existing Tables

def change do
  alter table(:items) do
    add :tenant_id, :binary_id
  end

# Backfill in a separate data migration, then: # alter table(:items) do # modify :tenant_id, :binary_id, null: false # end end

Data Migrations

Rule: Never mix schema changes and data changes in the same migration.

Safe Data Migration Pattern

defmodule MyApp.Repo.Migrations.BackfillUserRoles do
  use Ecto.Migration

# Don't use schema modules — they may change after this migration runs def up do execute """ UPDATE users SET role = 'member' WHERE role IS NULL """ end

def down do # Data migrations may not be reversible :ok end end

Batched Data Migration (large tables)

def up do
  execute """
  UPDATE users SET role = 'member'
  WHERE id IN (
    SELECT id FROM users WHERE role IS NULL LIMIT 10000
  )
  """

# For very large tables, use a Task or Oban job instead end

Reversible vs Irreversible

Reversible (use change)

These are auto-reversible:

  • create tabledrop table
  • add columnremove column
  • create indexdrop index
  • renamerename

Irreversible (use up/down)

Must define both directions:

  • modify column type — Ecto can't infer the old type
  • execute raw SQL
  • Data backfills
  • Dropping columns with data
def up do
  alter table(:users) do
    modify :email, :citext, from: :string  # from: helps reversibility
  end
end

def down do alter table(:users) do modify :email, :string, from: :citext end end

Using modify with from:

Phoenix 1.7+ supports from: for reversible modify:

def change do
  alter table(:users) do
    modify :email, :citext, null: false, from: {:string, null: true}
  end
end

PostgreSQL Extensions

def change do
  execute "CREATE EXTENSION IF NOT EXISTS citext", "DROP EXTENSION IF EXISTS citext"
  execute "CREATE EXTENSION IF NOT EXISTS pgcrypto", "DROP EXTENSION IF EXISTS pgcrypto"
  execute "CREATE EXTENSION IF NOT EXISTS pg_trgm", "DROP EXTENSION IF EXISTS pg_trgm"
end

Enum Types (PostgreSQL native — use sparingly)

Prefer Ecto.Enum with :string columns. If you must use Postgres enums:

def up do
  execute "CREATE TYPE order_status AS ENUM ('pending', 'confirmed', 'shipped', 'delivered')"

alter table(:orders) do add :status, :order_status, null: false, default: "pending" end end

def down do alter table(:orders) do remove :status end

execute "DROP TYPE order_status" end

Warning: Adding values to Postgres enums requires ALTER TYPE ... ADD VALUE which cannot run inside a transaction. Prefer :string + Ecto.Enum.

Checklist

  • [ ] Primary key: primary_key: false + add :id, :binary_id, primary_key: true
  • [ ] null: false on required columns
  • [ ] timestamps(type: :utc_datetime_usec)
  • [ ] Foreign keys with appropriate on_delete
  • [ ] Index on every foreign key column
  • [ ] tenant_id indexed (composite with lookup fields)
  • [ ] Unique constraints where needed
  • [ ] Concurrent indexes in separate migration with @disable_ddl_transaction true
  • [ ] Data migrations in separate files from schema migrations
数据来源:ClawHub ↗ · 中文优化:龙虾技能库
OpenClaw 技能定制 / 插件定制 / 私有工作流定制

免费技能或插件可能存在安全风险,如需更匹配、更安全的方案,建议联系付费定制

了解定制服务