🔥 Automatic TypeScript type generation for Ash resources and actions
Generate type-safe TypeScript clients directly from your Elixir Ash resources, ensuring end-to-end type safety between your backend and frontend. Never write API types manually again.
Calculations without arguments no longer require the {fields: [...]} wrapper syntax. You can now select them directly as strings, just like regular attributes.
TypeScript Usage:
// ❌ Before (0.10.x) - fields-key was always required for all calculations
const todos = await listTodos({
fields: ["id", "title", { someCalcField: { fields: ["field1", "field2"] } }]
});
// ✅ After (0.11.0+) - fields-key no longer needed for calculations without args
const todos = await listTodos({
fields: ["id", "title", {someCalcField: ["field1", "field2"]}] // fullName is a calculation
});
// ✅ Calculations WITH arguments still use object syntax
const todos = await listTodos({
fields: ["id", "title", { distanceFrom: { args: { lat: 40.7, lng: -74.0 }, fields: ["miles"] } }]
});Key Changes:
- This simplifies the most common calculation usage patterns
- Calculations with arguments continue to require the object syntax with
args
Migration:
- Simplify calculation selections that don't require arguments from
{ calcName: { fields: [...] } }to just"{calcName: [...]}" - Keep the object syntax for calculations that need arguments
The field_names, argument_names, and metadata_field_names DSL options now require string values instead of atoms. Additionally, the string value is used as the literal exposed field name without any additional formatting applied.
Elixir Configuration:
# ❌ Before (0.10.x) - atoms with automatic formatting
typescript do
field_names id_1: :id1, is_active?: :isActive
end
# ✅ After (0.11.0+) - strings used literally
typescript do
field_names id_1: "id1", is_active?: "isActive"
endCustom Types with typescript_field_names/0 Callback:
For custom Ash types (e.g., Ash.Type.NewType wrapping maps or keyword lists), implement the typescript_field_names/0 callback to map invalid TypeScript field names:
defmodule MyApp.Types.CustomData do
use Ash.Type.NewType,
subtype_of: :map,
constraints: [
fields: [
field_1: [type: :string],
is_valid?: [type: :boolean]
]
]
# ❌ Before (0.10.x) - atoms
def typescript_field_names do
%{field_1: :field1, is_valid?: :isValid}
end
# ✅ After (0.11.0+) - strings used literally
def typescript_field_names do
%{field_1: "field1", is_valid?: "isValid"}
end
endKey Changes:
- All mapped names must be strings (atoms will raise an error)
- The string value is the exact name exposed to TypeScript (no camelCase conversion or other formatting)
- This applies to
field_names,argument_names,metadata_field_namesDSL options, and thetypescript_field_names/0callback
Migration:
- Convert all atom values to strings in your field name mappings
- Update any
typescript_field_names/0callbacks in custom types to return string values - Ensure the string values are exactly what you want exposed to TypeScript (apply any formatting manually)
The primaryKey field in update and destroy actions has been renamed to identity. This field now supports both primary key values and named identities for record lookup.
Elixir Configuration:
typescript_rpc do
resource MyApp.Accounts.User do
# Default: uses primary key (identities: [:_primary_key])
rpc_action :update_user, :update
# Named identity only (e.g., lookup by email)
rpc_action :update_user_by_email, :update, identities: [:unique_email]
# Multiple identities (primary key OR email)
rpc_action :update_user_by_identity, :update, identities: [:_primary_key, :unique_email]
# Actor-scoped actions (no identity required - uses actor from context)
rpc_action :update_me, :update_me, identities: []
end
endTypeScript Usage:
// ❌ Before (0.9.x) - used primaryKey
const updated = await updateUser({
primaryKey: "user-123",
input: { firstName: "Updated" },
fields: ["id", "title"]
});
// ✅ After (0.10.0+) - uses identity
const updated = await updateTodo({
identity: "todo-123",
input: { firstName: "Updated" },
fields: ["id", "title"]
});
// ✅ New: Named identities (e.g., lookup by email)
const updated = await updateUserByEmail({
identity: { email: "user@example.com" },
input: { firstName: "New Name" },
fields: ["id", "name"]
});
const updated = await updateUserByIdentity({
identity: { email: "user@example.com" }, // Identity is typed as string | {email: string}
input: { firstName: "New Name" },
fields: ["id", "name"]
});
// ✅ Actor-scoped actions (no identity parameter needed)
const updated = await updateMe({
input: { firstName: "My New Name" },
fields: ["id", "name"]
});Migration:
- Replace all
primaryKeyusages withidentityin your TypeScript code - The value format remains the same for primary key lookups, but now other identities are also supported
- For actor-scoped actions where the action already does things like
filter expr(id == ^actor.id), addidentities: []to therpc_actionconfiguration in order to not require any identities.
Get actions (get?, get_by, or Ash actions with get?: true) now return an error by default when no record is found:
// ❌ Before (0.8.x) - returned success with null data
const user = await getUserByEmail({ getBy: { email: "missing@example.com" }, fields: ["id"] });
// { success: true, data: null }
// ✅ After (0.9.0+) - returns error by default
const user = await getUserByEmail({ getBy: { email: "missing@example.com" }, fields: ["id"] });
// { success: false, errors: [{ type: "not_found", ... }] }Migration options:
- Update error handling to check for
not_founderrors - Add
not_found_error?: falseto specific actions to restore old behavior - Set global default:
config :ash_typescript, not_found_error?: false
The errors field in all action responses is now always of type AshRpcError[], providing more consistent error handling:
// ❌ Before (0.7.x) - errors could be different types
const result = await createTodo({...});
if (!result.success) {
// errors could be various shapes
console.log(result.errors); // Type was inconsistent
}
// ✅ After (0.8.0) - errors is always AshRpcError[]
const result = await createTodo({...});
if (!result.success) {
// errors is always AshRpcError[]
result.errors.forEach(error => {
console.log(error.message, error.field, error.code);
});
}
export type AshRpcError = {
/** Machine-readable error type (e.g., "invalid_changes", "not_found") */
type: string;
/** Full error message (may contain template variables like %{key}) */
message: string;
/** Concise version of the message */
shortMessage: string;
/** Variables to interpolate into the message template */
vars: Record<string, any>;
/** List of affected field names (for field-level errors) */
fields: string[];
/** Path to the error location in the data structure */
path: string[];
/** Optional map with extra details (e.g., suggestions, hints) */
details?: Record<string, any>;
}Type inference for certain composite types has improved after some internal refactoring. Earlier, the type-checking allowed users to select some composite fields using the string syntax, which would return the entire value.
Now however, since AshTypescript is able to more accurately see that a field is a composite type, you may experience that explicit field selection is now required in certain places where a string value earlier was okay.
// ❌ Before (0.7.x) - string syntax worked where fields should really be required
const todos = await listTodos({
fields: ["id", "title", "item"] // ← "item" is a composite type
});
// ✅ After (0.8.0) - must specify fields for composite types
const todos = await listTodos({
fields: ["id", "title", { item: ["id", "name", "description"] }]
});Migration Guide:
- Update error handling code to expect
AshRpcError[]for theerrorsfield - Replace string field names with object syntax for any composite types (embedded resources, union types, etc.)
- Run TypeScript compilation after upgrading to catch any remaining type errors
- 🔥 Zero-config TypeScript generation - Automatically generates types from Ash resources
- 🛡️ End-to-end type safety - Catch integration errors at compile time, not runtime
- ⚡ Smart field selection - Request only needed fields with full type inference
- 🎯 RPC client generation - Type-safe function calls for all action types
- 🔍 Get actions - Single record retrieval with
get?,get_by, andnot_found_error?options - 📡 Phoenix Channel support - Generate channel-based RPC functions for real-time applications
- 🪝 Lifecycle hooks - Inject custom logic before/after requests (auth, logging, telemetry, error tracking)
- 🏢 Multitenancy ready - Automatic tenant parameter handling
- 📦 Advanced type support - Enums, unions, embedded resources, and calculations
- 📊 Action metadata support - Attach and retrieve additional context with action results
- 🔧 Highly configurable - Custom endpoints, formatting, and output options
- 🧪 Runtime validation - Zod schemas for runtime type checking and form validation
- 🔍 Auto-generated filters - Type-safe filtering with comprehensive operator support
- 📋 Form validation - Client-side validation functions for all actions
- 🎯 Typed queries - Pre-configured queries for SSR and optimized data fetching
- 🎨 Flexible field formatting - Separate input/output formatters (camelCase, snake_case, etc.)
- 🔌 Custom HTTP clients - Support for custom fetch functions and request options (axios, interceptors, etc.)
- 🏷️ Field/argument name mapping - Map invalid TypeScript identifiers to valid names
Get up and running in under 5 minutes:
# Basic installation
mix igniter.install ash_typescript
# Full-stack Phoenix + React setup
mix igniter.install ash_typescript --framework reactdefmodule MyApp.Todo do
use Ash.Resource,
domain: MyApp.Domain,
extensions: [AshTypescript.Resource]
typescript do
type_name "Todo"
end
attributes do
uuid_primary_key :id
attribute :title, :string, allow_nil?: false
attribute :completed, :boolean, default: false
end
enddefmodule MyApp.Domain do
use Ash.Domain, extensions: [AshTypescript.Rpc]
typescript_rpc do
resource MyApp.Todo do
rpc_action :list_todos, :read
rpc_action :create_todo, :create
rpc_action :get_todo, :get
end
end
endmix ash.codegen --devimport { listTodos, createTodo } from './ash_rpc';
// ✅ Fully type-safe API calls
const todos = await listTodos({
fields: ["id", "title", "completed"],
filter: { completed: false }
});
const newTodo = await createTodo({
fields: ["id", "title", { user: ["name", "email"] }],
input: { title: "Learn AshTypescript", priority: "high" }
});🎉 That's it! Your TypeScript frontend now has compile-time type safety for your Elixir backend.
👉 For complete setup instructions, see the Getting Started Guide
- Getting Started - Complete installation and setup guide
- React Setup - Full Phoenix + React + TypeScript integration
- Basic CRUD Operations - Create, read, update, delete patterns
- Field Selection - Advanced field selection and nested relationships
- Error Handling - Comprehensive error handling strategies
- Custom Fetch Functions - Using custom HTTP clients and request options
- Lifecycle Hooks - Inject custom logic (auth, logging, telemetry)
- Phoenix Channels - Real-time WebSocket-based RPC actions
- Embedded Resources - Working with embedded data structures
- Union Types - Type-safe union type handling
- Multitenancy - Multi-tenant application support
- Action Metadata - Attach and retrieve action metadata
- Form Validation - Client-side validation functions
- Zod Schemas - Runtime validation with Zod
- Configuration - Complete configuration options
- Mix Tasks - Available Mix tasks and commands
- Troubleshooting - Common issues and solutions
AshTypescript bridges the gap between Elixir and TypeScript by automatically generating type-safe client code:
- Resource Definition - Define Ash resources with attributes, relationships, and actions
- RPC Configuration - Expose specific actions through your domain's RPC configuration
- Type Generation - Run
mix ash.codegento generate TypeScript types and RPC functions - Frontend Integration - Import and use fully type-safe client functions in your TypeScript code
- Compile-time validation - TypeScript compiler catches API misuse before runtime
- Autocomplete support - Full IntelliSense for all resource fields and actions
- Refactoring safety - Rename fields in Elixir, get TypeScript errors immediately
- Living documentation - Generated types serve as up-to-date API documentation
Check out the AshTypescript Demo by Christian Alexander featuring:
- Complete Phoenix + React + TypeScript integration
- TanStack Query for data fetching
- TanStack Table for data display
- Best practices and patterns
- Elixir 1.15 or later
- Ash 3.0 or later
- Phoenix (for RPC controller integration)
- Node.js 16+ (for TypeScript)
Contributions are welcome! Please:
- Fork the repository
- Create a feature branch (
git checkout -b feature/amazing-feature) - Make your changes with tests
- Ensure all tests pass (
mix test) - Run code formatter (
mix format) - Commit your changes (
git commit -m 'Add amazing feature') - Push to the branch (
git push origin feature/amazing-feature) - Open a Pull Request
Please ensure:
- All tests pass
- Code is formatted with
mix format - Documentation is updated for new features
- Commits follow conventional commit format
This project is licensed under the MIT License - see the MIT.txt file for details.
- Documentation: https://hexdocs.pm/ash_typescript
- GitHub Issues: https://github.com/ash-project/ash_typescript/issues
- Discord: Ash Framework Discord
- Forum: Elixir Forum - Ash Framework
