The Welds ORM Programming Book

by Lex Childs, with contributions from the Rust Community

This version of the text is for the latest stable version of the Welds ORM library.

The source for this book is hosted on github at https://github.com/weldsorm/book. Contributions to this book are very welcome and appreciated. Clarifying a single poorly worded sentence can make a big difference to the people who read this book after you.

Welds Supports

  • Sqlite
  • MySql
  • Postgres
  • Mircosoft Sql Server (mssql)

Welds is an ORM written in rust with the following ideals:

  • Your Welds code should be simple, easy to read and easy to write.
  • Your welds code should work across all supported databases.
  • You should always be able to drop down to SQL if you need.
  • All database calls should be async

Getting Started

Project Setup

For the most part there isn't really much extra you need to do over a normal crate. It is recommended to install Welds with a simple cargo add command, but you will need to pick your database backends you want to support. These are enabled as features on the Welds crate.

You will also need to setup SQLx or Tiberius as well. Tiberius for Microsoft SQL Server and SQLx for the other backends. This has been left up to you because these library support multiple async backends and you need to pick which one to use.

You can also add more features as you need, but a couple simple examples would be:

Welds compiled for Sqlite

cargo add welds --features="sqlite"
cargo add sqlx --features="runtime-tokio"

Welds compiled for Postgres

cargo add welds --features="postgres"
cargo add sqlx --features="runtime-tokio,tls-rustls"

Welds compiled for Microsoft Sql Server

cargo add welds --features="mssql"
cargo add tiberius

For external extra types you will need to enable them in the underlying database driver.

Welds compiled for Sqlite with chrono support

cargo add welds --features="sqlite"
cargo add sqlx --features="runtime-tokio,chrono"

For external extra types with Mssql you will need to enable them in welds-connections too.

Welds compiled for Sqlite and Microsoft Sql Server with chrono and uuid support

cargo add welds --features="sqlite,mssql"
cargo add sqlx --features="runtime-tokio,chrono,uuid"
cargo add tiberius --features="chrono"
cargo add welds-connections --features="mssql,sqlite,mssql-chrono"

Fundamentals

Before diving to deep into Welds, there are a couple constructs you should be aware of. These are the four most common things you will see when interacting with Welds.

Infact, This is what is included when you add the line.

#![allow(unused)]
fn main() {
use welds::prelude::*;
}

which you should do.

welds::Client

This is the trait that is implemented by All the backend pools and all the backend transaction types.

It is common to see this trait passed into your function that does database calls.

With this trait you can execute SQL and get data back, however you typically don't call it directly.

welds::TransactStart

This trait is implemented by All the backend pools.

It is used to start a transaction. It is almost always the same object as the Client.

You can use it to start a transaction by calling begin()

NOTE: transactions are automatically rolled back unless you call commit()

welds::DbState<T>

This is a wrapper around your model. While you might not use this struct directly, it is what is returned to you from a database query. It works very similar to std::sync::MutexGuard, transparently giving you access to the model inside. It is used by welds to keep track of the changes you make to your model so Welds can create or update it in the database.

If you are finished with Welds and just want your vanilla model back, you can call into_inner or into_vm to get to the inner object.

WeldsModel

The Attribute you will add to your models. More information can be found here

Connections

Connections in welds are done using the crate welds-connections. This crate is re-exported out of welds for ease of use. welds-connections is a common interface that allows for talking to different databases in a common way.

You can create a database client for a specific database backend, but generally It is recommended to use the generic connection that supports whatever backends you have enabled. To do this you make a call into welds connections passing a connection_string.

#![allow(unused)]
fn main() {
let connection_string = "sqlite::./database.sqlite";
let client = welds::connections::connect(connection_string).await?;
}

Client

A couple important things to understand about the client.

  1. Client is an Arc<> feel free to call clone() on it as much as you want.
  2. Client is a Connection Pool. It contains multiple connections and will handle sharing this resource for you.

Connection String

Connection string follow the format of there corresponding database backends.

For SQLx you use a URL style connection string with the database backend being the protocol.

Valid backends are

postgres://
mysql://
sqlite://

And follow the format:

postgres://[user[:password]@][host][:port][/dbname][?params]

Microsoft SQL Server uses the ADO.NET style connection that they have documented here

#![allow(unused)]
fn main() {
// export DATABASE_URL='server=127.0.0.1;user id=sa;password=password!123;Database=AdventureWorksDW2022;TrustServerCertificate=true;'
let connection_string = env::var("DATABASE_URL").unwrap();
let client = welds::connections::connect(connection_string).await?;
}

Models

Models are the heart of Welds. All queries are made off of the models you define. Additionally models are used to de-serialize rows from the database, so they might not always represent corresponding tables or views.

Relationships are also defined on your models. These relationships allow for complex queries like joins and sub-queries.

Basic

At its very simplest all that is needed is a #[derive(WeldsModel)]. This derive gives you basic deserialization. If you are working with other models, and selecting into a basic struct, that might be all you need. but most likely you will want a little more. A better basic example would be as follows.

#![allow(unused)]
fn main() {
#[derive(WeldsModel)]
#[welds(schema = "dto", table = "pets")]
pub struct Pet {
    #[welds(primary_key)]
    pub id: i32,
}
}

This model is fully functional. It can be loaded from the database; saved to the database; or queried in the database.

For example a basic query might look something like this.

#![allow(unused)]
fn main() {
let pets = Pet::all().where_col(|x| x.id.not_equal(42)).run(client.as_ref()).await?;
}

Attributes

This is a list of Attributes you can add to your welds model to help control how it is wired up.

Struct Level Attributes

#![allow(unused)]
fn main() {
#[welds(table = "tablename")]
// or 
#[welds(schema="schemaname", table = "tablename")]
}

Link a model to a table.
If a model is a one-to-one, or a subset of a table, add this on to it so that You can query directly off of the model.

Readonly

#![allow(unused)]
fn main() {
#[welds(readonly)]
}

Mark a model as being readonly. Useful when wiring up views or other read only objects. This prevents the save code from being generated in the derive

Relationships

#![allow(unused)]
fn main() {
#[welds(BelongsTo(team, Team, "team_id"))]
#[welds(HasMany(players, Player, "team_id"))]
#[welds(HasOne(profile, Profile, "profile_id"))]
#[welds(BelongsToOne(user, User, "profile_id"))]
}

See the Relations section for more details

Hooks

#![allow(unused)]
fn main() {
#[welds(BeforeCreate(func))]
#[welds(AfterCreate(func))]
#[welds(BeforeUpdate(func))]
#[welds(AfterUpdate(func))]
#[welds(BeforeDelete(func))]
#[welds(AfterDelete(func))]
}

Hooks. See the Hooks section for more details

Field Level Attributes

Primary key

#[welds(primary_key)]

Lets welds know which field is the primary_key of the table/view.

This is needed for:

  • find_by_id
  • Creating / Updating / Deleting
  • Relationships

Rename

#[welds(rename="new_name")]

Add This to a field when the field's name doesn't match the name in the database

Ignore

//  #[welds(ignore)]

Sometimes you need to have a little extra state or other stuff attached to your model. This tells welds that this field has nothing to do with the database and should be ignored.

If you can, It is useful to make this field Default. That way welds can really ignore it all the way.

Whats Added To your Model

When you use the Welds ORM derive on your struct, it automatically provides several methods to help you create, retrieve, query, and manage data. Here’s an overview of those methods:


YourModel::new()

Purpose: Creates a new instance of the model in memory (not yet inserted into the database). call save() to insert into the database.

Usage:

let mut model = YourModel::new();
model.save(client.as_ref()).await?;

Typical Use Cases:

  • Create an empty model to fill with data.
  • Prepare a model before saving to the database.

Alternatives: Sometimes you want to compile time check that all fields have values. In this case it is recommended to create your new instance with state.

#![allow(unused)]
fn main() {
let mut model = DbState::new_uncreated(Model {
  id: 0, /* A default value like 0 will be filled in from database */
  name: "Bobby".to_owned(),
});
model.save(client.as_ref()).await?;
// The new id is updated on the model.
assert_eq( model.id, 1);
}



YourModel::all()

Purpose: Returns a query (un-executed) of all rows in the table.

Usage:

#![allow(unused)]
fn main() {
let query = YourModel::all();
}

Typical Use Cases:

  • Starting place for querying a table.
  • Starting place for querying a related table using map_query.



YourModel::find_by_id()

Purpose: Finds a single record by its primary key ID.

Usage:

#![allow(unused)]
fn main() {
let id = 42;
let maybe_record = YourModel::find_by_id(client.as_ref(), id).await?;
if let Some(record) = maybe_record {
    // Found the record with ID = 42
} else {
    // No record with that ID
}
}

Typical Use Case:

  • Retrieve a single row when you know its primary key.



YourModel::where_col()

Purpose: Returns a query (un-executed) of a filtered set of rows in the table.

You can read a detailed explanation of basic queries here

Usage:

#![allow(unused)]
fn main() {
let query = YourModel::where_col(|col| col.name.equal("some_name"));
}

Typical Use Cases:

  • Starting place for querying a table.
  • Starting place for querying a related table using. map_query.
  • Used to pass into other queries to help filter them more. (sub-query) where_relation



YourModel::from_raw_sql()

Purpose: Execute custom or raw SQL that maps directly to your model fields.

It is recommended to avoid if you can, but it is recognized that welds doesn't do everything and sometimes you just need raw SQL.

Usage:

#![allow(unused)]
fn main() {
let name = "bobby".to_string();
let params: welds::query::clause::ParamArgs = vec![&42, &name];
let profiles = Profile::from_raw_sql(
    "select * from profiles where id > ? OR name = ?",
    &params,
    client.as_ref(),
)
.await?;
}

Typical Use Cases:

  • Complex queries not easily expressed with the provided query builder.
  • Performing specialized joins, aggregates, or database-specific functionality, while still returning YourModel items.



YourModel::select()

Purpose: Starts a customizable “select” query builder for this model. This is used to return a sub-set of your columns on your model. You can also start a "select" query off of any query such as where_col.

You can read a detailed explanation of select queries here

NOTE: You will want a second model that represents your subset of columns

Usage:

Subset Model

#![allow(unused)]
fn main() {
// Because all you need is deserealization. All you need to add is WeldsModel

#[derive(WeldsModel)]
pub struct IdAndName {
    pub id: i32,
    pub name: String,
}
}

Query filling your subset model

#![allow(unused)]
fn main() {
let query = YourModel::select(|x| x.id).select(|x| x.name);
let data: Vec<IdAndName> = query.run(client.as_ref()).await?.collect_into()?;
}

Typical Use Cases:

  • When you want only some of the data from your table.
  • When you want columns of data across table. (Join / Left Join)

Create, Update, And Delete

When you get data back from the database it is typically wrapped in DbState like this.

let mut pet: DbState<Pet> = Pet::find_by_id(42).run(client.as_ref()).await?;

DbState is how welds knows what to do with your models.

The compiler knows how to automatically treat a DbState as a borrowed version of its inner type. This means for the most part you shouldn't need to refer to DbState much, just the borrowed type.

For example:

#![allow(unused)]
fn main() {
fn give_dog_treat(&mut dog: Pet) {
    dog.wags += 1;
}
}
#![allow(unused)]
fn main() {
let mut pet: DbState<Pet> = Pet::find_by_id(42).run(client.as_ref()).await?;
give_dog_treat(&pet);
}


DbState is required to Create, Update, or Delete the instance of your model in the database.

Saving can always be done by calling. save(). Save will create or update based on the states knowledge of what is in the database. Additionally delete can be called to execute a SQL delete command.

#![allow(unused)]
fn main() {
let mut pet: DbState<Pet> = Pet::find_by_id(42).run(&client).await?;
give_dog_treat(&pet);
pet.save(&client).await?;
}




Removing DbState

A very common use case is to fetch some data and then display, or do something with it that doesn't involve the database. When this happens it is often nice to not have to worry about DbState. Welds provides several ease of use functions to help remove DbState when you want just the Underlying Model.


Single Instances

into_inner()

returns the inner Model stripped of DbState.

Usage:

#![allow(unused)]
fn main() {
let pet_with_state: DbState<Pet> = Pet::find_by_id(42).run(client.as_ref()).await?;
let pet: Pet = pet_with_state.into_inner();
}

Typical Use Case:

  • Interacting with other code non-welds related.

into_vm()

returns the inner Model stripped of DbState and wrapped in Arc.

Usage:

#![allow(unused)]
fn main() {
let pet_with_state: DbState<Pet> = Pet::find_by_id(42).run(client.as_ref()).await?;
let pet: Arc<Pet> = pet_with_state.into_vm();
}

Typical Use Case:

  • Interacting with other code non-welds related.
  • Interacting with view type layers of code that want to share the model. (Yew)



Vec of DbState

These methods are Method Extensions added to Vec<DbState<T>> when you include

#![allow(unused)]
fn main() {
use welds::prelude::*;
}

into_inners()

returns a Vec of Models stripped of DbState.

Usage:

#![allow(unused)]
fn main() {
let pets: Vec<DbState<Pet>> = Pet::all().run(client.as_ref()).await?;
let pet: Vec<Pet> = pets.into_inners();
}

Typical Use Case:

  • Interacting with other code non-welds related.

into_vms()

returns a Vec of Models stripped of DbState and wrapped in Arc.

Usage:

#![allow(unused)]
fn main() {
let pets: Vec<DbState<Pet>> = Pet::all().run(client.as_ref()).await?;
let pet: Vec<Arc<Pet>> = pets.into_vms();
}

Typical Use Case:

  • Interacting with other code non-welds related.
  • Interacting with view type layers of code that want to share the model. (Yew)

Model Relationships

Welds supports several different types of relationships between models. By specifying these relationships, you can let the ORM know how your models are connected in the database. This is used when making advanced queries across tables and across table updates

Overview

Relationships are defined as attributes on your model’s struct. Each relationship attribute includes:

  1. A name (the field or logical name of the relationship).
  2. A target type (the related model).
  3. A foreign key or reference field (the column in this model or the related model that links them).

For example:

#![allow(unused)]
fn main() {
#[welds(BelongsTo(team, Team, "team_id"))]
}





1. BelongsTo

#![allow(unused)]
fn main() {
#[welds(BelongsTo(team, Team, "team_id"))]
}

Use BelongsTo when your model holds the foreign key referencing another model.

  • Name (first parameter): The name you want to give this relationship in your model (e.g., team).
  • Target model (second parameter): The Rust struct you’re linking to (e.g., Team).
  • Foreign key (third parameter): The column in this model that references the parent’s primary key (e.g., "team_id").

Example use case:

#![allow(unused)]
fn main() {
#[derive(welds::WeldsModel)]
#[welds(table = "players")]
#[welds(BelongsTo(team, Team, "team_id"))]
pub struct Player {
    #[welds(primary_key)]
    pub id: i32,
    pub name: String,
    pub team_id: i32,
}
}
The Player model has a team_id field referencing a Team record’s primary key.





2. HasMany

#![allow(unused)]
fn main() {
#[welds(HasMany(players, Player, "team_id"))]
}

Use HasMany when the other model holds the foreign key.

  • Name (first parameter): The name of the relationship collection (e.g., players).
  • Target model (second parameter): The child model (e.g., Player).
  • Foreign key (third parameter): The column on the child model that references this model’s primary key (e.g., "team_id").

Example use case:

#![allow(unused)]
fn main() {
#[derive(welds::WeldsModel)]
#[welds(table = "teams")]
#[welds(HasMany(players, Player, "team_id"))]
pub struct Team {
    #[welds(primary_key)]
    pub id: i32,
    pub name: String,
}
}
The Team model can have many Player records, each storing team_id.





Hooks

Welds allows you to attach functions (called "hooks") that run at specific points in the lifecycle of a model's interaction with the database. These hooks enable you to perform actions such as validation, logging, or side-effectful tasks (e.g., sending notifications) before or after a model is created, updated, or deleted.

Warning: hooks do not run on bulk operations

Overview

Hook functions are regular Rust functions (or async functions) you register on your model using #[welds(...)] attributes. Each function has access to the current model instance so it can inspect or even mutate fields (for "before" hooks). In Welds, you can define hooks at these points:

  • BeforeCreate Runs just before inserting the model as a new row in the database.

  • AfterCreate Runs immediately after the model is inserted in the database.

  • BeforeUpdate Runs right before an existing model is updated in the database.

  • AfterUpdate Runs right after an existing model is updated in the database.

  • BeforeDelete Runs just before an existing model is deleted from the database.

  • AfterDelete Runs immediately after an existing model is deleted from the database.


Because these hooks can alter or inspect your model right before or after it touches the database, they are a powerful way to inject your application-specific logic. Typical uses include:

  • Validation: Validate fields before insertion or update.
  • Audit Logging: Output or record a log of changes.
  • Timestamps: Automatically update timestamps or record user info.
  • Notifications: Email or push notifications in the "after" hooks.
  • Transformation: Adjust or sanitize data before persisting.

Synchronous vs. Asynchronous Hooks

By default, Welds treats hook functions as synchronous. You can, however, specify async = true in the attribute if your function is async:

#![allow(unused)]
fn main() {
#[welds(AfterCreate(my_async_callback, async = true))]
}

This allows you to perform asynchronous tasks, such as making web requests, sending notifications, etc., without blocking the thread.

Warning: If you use an async hook within a transaction, you will be locking the table for the life of that async call. This should be avoided

Hook Function Signatures

Each hook receives different parameters depending on whether it’s a "before" or "after" hook:


Before Hooks accept a mutable reference to the model, allowing you to change the model before writing to the database:

#![allow(unused)]
fn main() {
fn before_create(model: &mut MyModel) -> welds::errors::Result<()> {
    // Possibly mutate fields or validate
    Ok(())
}
}

Returning errors If a "before" hook fails and returns an error, Welds will stop the associated operation (create, update, or delete) and return the error to the caller.


After Hooks accept an immutable reference to the model, as the change has already happened in the database:

#![allow(unused)]
fn main() {
fn after_create(model: &MyModel) {
    // Log or send a notification
}
}

Query

In Welds a query or QueryBuilder<T> is an un-executed action to be preformed in the database. It is the root; the starting point for interactions with the database.

Bulk operations and single column selects are both accessible from a Query, so it really is the first place you should turn.

QueryBuilders can be accessed off of your models directly using functions such as where_col(...) or all()

Basic - (single table query)

Overview

Welds uses a builder-like API for constructing queries against your database models. These queries are strongly typed, ensuring compile-time safety and making it clearer which columns and constraints are being used. You can chain methods such as where_col(), order_by_asc(), and others to build increasingly complex queries without sacrificing readability.

Executing Queries

Welds queries don't run in the database until you call run or count. These calls build the required SQL, execute it in the database, and returns the corresponding data.

#![allow(unused)]
fn main() {
let row_count = Model::all().count(client.as_ref()).await?;
let models = Model::all().run(client.as_ref()).await?;
}


where_col(...)

Use where_col() to filter rows based on one or more columns. The closure you provide gives you typed access to the model’s fields, letting you specify constraints such as equal, not_equal, lt, lte, gt, gte, like, etc. These filters are dependent on the underlying field type. (I.E. i32 doesn't have ilike)

Usage:

#![allow(unused)]
fn main() {
let query = Product::all()
    .where_col(|p| p.active.equal(true))
    .where_col(|p| p.name.like("%Cookie%"))
    .where_col(|p| p.price.not_equal(None));
}

List of filters by types:

  • Everything
    • equal
    • not_equal
    • in_list (sql "in")
  • Numbers (everything plus)
    • gt
    • lt
    • gte
    • lte
  • Text (everything plus)
    • like
    • not_like
    • ilike
    • not_ilike


limit()

Use limit() to restrict the number of rows returned by the query. This is particularly useful for pagination or if you only need a certain number of records.

Usage

#![allow(unused)]
fn main() {
let products = Product::all()
    .limit(10) // Only fetch up to 10 products
    .run(&client)
    .await?;
}

Typical Use Case

  • Implementing pagination (in combination with offset() if needed).
  • Quickly previewing only a small subset of rows without fetching an entire table.
  • Performance optimization when you only need the first few rows.


offset()

Use offset() to skip over a set of rows This is particularly useful for pagination.

Usage

#![allow(unused)]
fn main() {
let products = Product::all()
    .limit(10) // Only fetch up to 10 products
    .offset(5) // skips the first 5 rows
    .run(&client)
    .await?;
}

Typical Use Case

  • Implementing pagination (in combination with limit()).


order_by_asc() and order_by_desc()

Use order_by_asc() and order_by_desc() to sort your query results in on a specified column. Calls to order_by and be compounded to make complex order by statements

Usage

#![allow(unused)]
fn main() {
let query = Product::all()
    .order_by_desc(|x| x.created_at)
    .order_by_asc(|x| x.name);
}

Variants

order_by_asc_null_first and order_by_desc_null_first also exist to help with null values in your returning dataset

Advanced - (cross table query)

Not data from multiple tables. See Custom Select for that

Requirements: the following section requires that you have relationships setup on your models.

Overview

In general when working with collections of data in code it is very common to see heavy use of map and filter to transform a collection of data.

#![allow(unused)]
fn main() {
let good_players: Vec<&str> = players
    .filter(|p| p.goals > 3)
    .map(|p| p.name)
    .collect();
}

This style of programming can be pleasant to write, and easy to read. However it is limited to the data you have already loaded into memory. Wouldn't it be nice if you could write this style of code that ran in the database? Welds tries to emulate this with the two functions map_query and where_relation. While it isn't an exact one to one, It is a good mindset to help understand these two concepts.

map_query()

Lets say I want to fetch data on one table, and use that data to lookup another table.

A very bad way of doing this might be.

#![allow(unused)]
fn main() {
let people = People::all().run(&client).await?;
let addresses = people.map(|p| Address::find_by_id(&client, p.address_id).await.unwrap() ).collect();

// or

let people = People::all().run(&client).await?;
for person in people {
    let address = Address::find_by_id(&client, p.address_id).await?;
}
}

This will have very bad performance and will make many, many, many, database calls. This is sometimes referred to as an "N+1 query". Instead lets do the mapping in the database.

A much better way would be

#![allow(unused)]
fn main() {
let addresses = People::all().map_query(|p| p.addresses).run(&client).await?;
}

This does the equivalent mapping, but is much faster and easier to read.

This can of course be combined with other queries.

#![allow(unused)]
fn main() {
// get Bob's addresses
let addresses = People::where_col(|p| p.name.ilike("bob"))
    .map_query(|p| p.addresses).run(&client).await?;
}

where_relation()

where_relation is the other side of this coin. It is a way to filter your data based on another query.

Lets say I have a complicated query of People.

#![allow(unused)]
fn main() {
// get Bob's addresses
let people_query = People::all()
    ...
    .where_col(|p| p.created_at.gt(started_date))
    .where_col(|p| p.name.ilike("%b%"));
}

It would be nice to be able to filter addresses on that list of people too. You can do this with where_relation

for example:

#![allow(unused)]
fn main() {
let addresses_query = Address::all().where_relation(|a| a.person, people_query);
}

Again this can be combined with other queries.

#![allow(unused)]
fn main() {
let addresses_query = Address::where_col(|a| a.active)
    .where_relation(|a| a.person, people_query);
}

Custom Select

So far in the book, our models have been One-to-One matches with the underlying tables. But what do we do if we want a subset of columns, or maybe data across tables.

Introducing select and select_as

select and select_as allow for the writing of queries that are disconnected from the concept of the underlying table.

This means:

  • They can span multiple tables via joins
  • They can rename columns
  • They can pick only the parts of the data you care about.

Introduction

A Custom Select involves two basic steps.

  1. Define a struct that represents the data you want out of the database.
  2. Write a Query selecting parts from your existing models to extract that data.

Lets assume we want this data.

#![allow(unused)]
fn main() {
#[derive(WeldsModel)]
struct PlayerInfo {
    pub name: String,
}
}

Note: This model is not connected to a table and there isn't a table that looks like this.

Start Querying (single column)

To get just the Player name we can start querying off of our existing Player Model that is wired up to the table. Once we have a basic query we can select out only the columns we care about.

A query with a call to select returns generic rows, so we must call collect_into() to collect them into our PlayerInfo struct.

#![allow(unused)]
fn main() {
let player_query = Player::where_col(|p| p.goals.gt(3) );
let info_query = player_query.select(|p| p.name );
let infos: Vec<PlayerInfo> = info_query.run(&client).await?.collect_into()?;
}

With more data (Joining table)

What about if we want a list of player names, and their team names. Lets first start by updating our output struct.

#![allow(unused)]
fn main() {
#[derive(WeldsModel)]
struct PlayerInfo {
    pub player_name: String,
    pub team_name: String,
}
}

This time around both models have a column called name. so we will need to rename them with select_as. We can then start querying like before, but this time we will Join using our relationships we defined on the models Player and Team.

#![allow(unused)]
fn main() {
let player_query = Player::where_col(|p| p.goals.gt(3) );

let info_query = order_query
    .select_as(|x| x.name, "player_name")
    .join( |p| p.team, Team::select_as(|p| p.name, "team_name") );

let infos: Vec<PlayerInfo> = info_query.run(&client).await?.collect_into()?;
}

Manual SQL

Custom SQL in WHERE Clauses Sometimes you need more flexibility than the standard .where_col method provides. For instance, you might want to perform a comparison between columns or use a database function in a way the query builder doesn’t directly support. Welds offers two helper methods where_manual and where_manual2 that let you drop in custom SQL snippets in your WHERE clauses.

Introduction

Welds typically handles SQL generation for you. However, in advanced scenarios, you might need direct control over part of the WHERE clause.

The two functions covered here:

  • where_manual
  • where_manual2

Both let you inject custom SQL strings. They differ slightly in how they reference columns and in how the snippet is anchored in the WHERE condition.

Important Notes:

  1. Use ? for parameters. Welds will substitute them with the correct syntax ($1, ?, or @p1 depending on your database).
  2. Use $ as a placeholder for the table alias. At runtime, Welds replaces $ with the actual table alias (e.g., t1). For instance, $.price1 might become t1.price1.

where_manual Description

where_manual

where_manual adds custom SQL to the right side of a clause while anchoring it to a specific column in your model. Internally, it references the column you choose (in the lambda) and appends a user-supplied custom snippet.

Usage:

Imagine you have a table thing with two integer fields price1 and price2. You want to return rows where price1 is greater than price2 + 5. We can’t express this directly with standard comparisons, so we use where_manual:

#![allow(unused)]
fn main() {
let query = Thing::all().where_manual(|c| c.price1, " > ($.price2 + ?) * ?", (1, 0.19) );
}

The params for where_manual are automatically converted from a tuple of whatever size.

where_manual2

where_manual2 gives you full control over a custom SQL snippet in the WHERE clause without requiring an anchor column. This is useful for comparing multiple columns or more elaborate function calls.

#![allow(unused)]
fn main() {
let query = Thing::all().where_manual2("$.price1 + $.price2 > ?", (33,) );
}

The params for where_manual2 are automatically converted from a tuple of whatever size.

Other

There are a couple other *_manual functions in the QueryBuilder with the purpose of allowing small manual SQL snippets in the query.

Raw SQL

Welds has the mindset that you should be able to drop down to SQL if you need it. We provide several ways to use SQL snipits in your queries, but this chapter is how to bypass the QueryBuilder altogether.

Your client from when you connected has everything on it that you could need. Most likely you have connected with a generic AnyClient connection. AnyClient and the four specific variants all implement the two traits welds_connections::Client and welds_connections::TransactStart. These two trans are the common way to tall to any database.


It should be noted while the interface is common between the different database backends, the database backend all expect their own slightly different flavor of SQL. If you are writing raw SQL, you will need to write it for all the backends you would like to support.

execute

If you aren't expecting to get any data back from the database, execute is what you are looking for. You pass in raw SQL with SQL parameters, and the database runs it for you.

#![allow(unused)]
fn main() {
    use welds::prelude::*;
    let client = welds::connections::connect(connection_string).await?;
    let text: String = "I'm a String".to_owned();
    client.execute("select ?, ?", &[&2, &text]).await?;
}

There are a couple things worth pointing out in this example.

  1. Make sure you are including the prelude. It includes the traits you need
  2. Those parameters are a little crazy looking. Are They mixing types?

The parameters are actually just a slice of borrowed dyn Param (can be sent to database). This is why all parts of it are borrowed &.

A much more verbose way of writing this might look like this.

#![allow(unused)]
fn main() {
    use welds::prelude::*;
    use welds::connections::Param;
    let mut params: Vec<&(dyn Param + Sync)> = Vec::default();
    let text: String = "I'm a String".to_owned();
    params.push(&2);
    params.push(&text);
    client.execute("select ?, ?;", &params).await?;
}

fetch_rows, Into Model

fetch_rows works exactly like execute except it returns a Vec<Row>. All welds models impl TryFrom<Row>. This allows you to read out raw values from each row or map them into a WeldsModel.

The welds model

#![allow(unused)]
fn main() {
#[derive(WeldsModel)]
struct Car {
    id: i32,
}
}

Running the raw SQL and mapping into your struct

#![allow(unused)]
fn main() {
    use welds::prelude::*;
    let client = welds::connections::connect(connection_string).await?;
    let rows = client.execute("select id from cars", &[]).await?;
    let cars: Vec<Car> = rows.collect_into()?;
}

There are a couple things to note about this example.

  1. The mapping into the model is done by column name. Make sure the field name on your model matches what is being selected.
  2. collect_into() is a helper method extension added to Vec<Row>

fetch_rows, By Hand

If you are just reading a single value like a count or total, it might be easier to avoid a welds model. Here are two examples that read a value directly from a row.

#![allow(unused)]
fn main() {
    use welds::prelude::*;
    let rows = client.fetch_rows("select 1 + 1 as total;", &[]).await?;
    let first_row = rows.first().unwrap();
    let total: i32 = first_row.get("total")?;
    println!("Total: {total}");
}

You can read values by position in the row with get_by_position. Note it is zero based.

#![allow(unused)]
fn main() {
    use welds::prelude::*;
    let rows = client.fetch_rows("select 1 + 2;", &[]).await?;
    let first_row = rows.first().unwrap();
    let total: i32 = first_row.get_by_position(0)?;
    println!("Total: {total}");
}

Fetch Many

Last we have one more function that is used by welds internally for optimizations and you can use it too if you wish. fetch_many takes in a slice of welds_connections::Fetch (pairs of sql and params).

This is specifically useful when you want to force multiple database calls onto the same connection in a database pool. There are a couple niche use cases you might want to do this, but most likely fetch_rows is what you want.

#![allow(unused)]
fn main() {
    use welds::prelude::*;
    use welds::connections::Fetch;

    let fetches = vec![
        Fetch {
            sql: "select 1",
            params: &[],
        },
        Fetch {
            sql: "select 2",
            params: &[],
        },
    ];

    let groups_of_rows = client.fetch_many(&fetches).await?;
    for rows in groups_of_rows {
        // work with each individual set of rows
    }

}

Migrations

Welds has built in migrations that offer a couple nice benefits SQL script style migrations do not.

  1. You can write them once and they work with all backends
  2. Welds migrations are database aware, so they automatically generate down migrations.
  3. You can always fallback to raw SQL style migrations with the Manual migrations struct.

To use migrations make sure the migrations feature flag is enabled.

cargo add welds --feature=migrations

Common Setup / layout

Feel free to layout migrations in your project how you see fit, but if you are looking for a simple starting place:

  1. make a migrations module src/migrations/mod.rs
  2. add an up style function to run all your migrations. migrations that have already executed will be skipped.
#![allow(unused)]
fn main() {
/*  ./src/migrations/mod.rs  */

use welds::errors::Result;
use welds::migrations::prelude::*;

pub async fn up(client: &dyn welds::TransactStart) -> Result<()> {
    let list: Vec<MigrationFn> = vec![
        m20250210064356_create_table_dogs::step,
    ];
    welds::migrations::up(client, list.as_slice()).await?;
    Ok(())
}

mod m20250210064356_create_table_dogs;
}
  1. keep adding your migrations as sub-modules as you need them.
  2. call crate::migrations::up(&client).await?; when your app boots.

Types

welds::migrations::Types is an Enum of generic sounding types that welds knows how to translate into Rust code and each database backend. Stick to these types if you can. Sometimes you have an odd SQL Type you need to work with. You can do so with Types::Raw(XXX). This variant allows full control of what type is used in SQL.

Create Table

create_table is a function to generate a migration to create a table. It is a build pattern style call. Inside each call to column lambda is a nested build pattern style call for each column.

A vary plain example might look like this.

#![allow(unused)]
fn main() {
use welds::errors::Result;
use welds::migrations::prelude::*;

pub(super) fn step(_state: &TableState) -> Result<MigrationStep> {
    let m = create_table("dogs")
        .id(|c| c("id", Type::IntBig))
        .column(|c| c("name", Type::String))
        .column(|c| c("wags", Type::Int));
    Ok(MigrationStep::new("m20250210064356_create_table_dogs", m))
}
}

By default all columns are not null. We can change this by adding onto the columns lambda call.

#![allow(unused)]
fn main() {
    let m = create_table("dogs")
        .id(|c| c("id", Type::IntBig))
        .column(|c| c("name", Type::String).is_null())
        .column(|c| c("wags", Type::Int));
}
}

Notable column settings:

  • is_null() sets the column as nullable
  • with_index() adds an index to the column
  • with_index_name(&str) adds an index to the column, with a name that you provide
  • with_unique_index() Adds a unique constraint on this column
  • create_foreign_key(_,_,_) Adds a foreign key (foreign_table, foreign_column, delete_behavior)

Alter Table - Alter Columns - Delete Table

Modifications to tables including table drops are accessible from a call to change_table.

Dropping a table

#![allow(unused)]
fn main() {
fn step(state: &TableState) -> Result<MigrationStep> {
    let m = change_table(state, "dogs")?.drop();
    Ok(MigrationStep::new("m20250210064357_drop_table_dogs", m))
}
}

Add Column

#![allow(unused)]
fn main() {
fn step(state: &TableState) -> Result<MigrationStep> {
    let alter = change_table(state, "dogs")?;
    let m = alter.add_column("belly_rubs", Type::Int);
    Ok(MigrationStep::new("m20250210064357_add_column", m))
}
}

Change a column

#![allow(unused)]
fn main() {
fn step(state: &TableState) -> Result<MigrationStep> {
    let alter = change_table(state, "dogs")?;
    let m = alter.change("belly_rubs")
        .to_type( Type::IntBig )
        .null() // make nullable
        .rename("rubs");
    Ok(MigrationStep::new("m20250210064357_alter_column", m))
}
}

Manual SQL

Welds always tries to provide a fallback for a manual option. Migrations are no exception. You can always write manual raw SQL to make database changes if needed.

Manual migrations are ran within a transaction and support running multiple commands separated by a semicolon ";"

#![allow(unused)]
fn main() {
use welds::errors::Result;
use welds::migrations::prelude::*;
use welds::migrations::Manual;

fn step(state: &TableState) -> Result<MigrationStep> {
    let m = Manual::up("DROP TABLE dogs")
        .down("CREATE TABLE dogs ( id SERIAL PRIMARY KEY )");
    Ok(MigrationStep::new("m20250210064357_manual_dogs", m))
}
}