-
-
Notifications
You must be signed in to change notification settings - Fork 0
Filtrado
Genera estructuras de consulta type-safe para filtrar entidades. El filtrado permite paginación, búsqueda y consultas de rango con seguridad en tiempo de compilación.
#[derive(Entity)]
#[entity(table = "products")]
pub struct Product {
#[id]
pub id: Uuid,
#[field(create, update, response)]
#[filter]
pub name: String,
#[field(create, update, response)]
#[filter(like)]
pub description: String,
#[field(create, update, response)]
#[filter(range)]
pub price: i64,
#[field(create, response)]
#[filter]
pub category_id: Uuid,
#[field(response)]
#[auto]
#[filter(range)]
pub created_at: DateTime<Utc>,
}/// Parámetros de consulta para filtrar entidades Product.
#[derive(Debug, Clone, Default)]
pub struct ProductQuery {
/// Filtrar por coincidencia exacta de name.
pub name: Option<String>,
/// Filtrar por patrón de description (ILIKE).
pub description: Option<String>,
/// Filtrar por precio mínimo.
pub price_from: Option<i64>,
/// Filtrar por precio máximo.
pub price_to: Option<i64>,
/// Filtrar por coincidencia exacta de category_id.
pub category_id: Option<Uuid>,
/// Filtrar por created_at mínimo.
pub created_at_from: Option<DateTime<Utc>>,
/// Filtrar por created_at máximo.
pub created_at_to: Option<DateTime<Utc>>,
/// Número máximo de resultados.
pub limit: Option<i64>,
/// Número de resultados a omitir.
pub offset: Option<i64>,
}#[async_trait]
pub trait ProductRepository: Send + Sync {
// ... métodos CRUD estándar
/// Consultar productos con filtros.
async fn query(&self, query: ProductQuery) -> Result<Vec<Product>, Self::Error>;
}SELECT id, name, description, price, category_id, created_at
FROM products
WHERE ($1 IS NULL OR name = $1)
AND ($2 IS NULL OR description ILIKE $2)
AND ($3 IS NULL OR price >= $3)
AND ($4 IS NULL OR price <= $4)
AND ($5 IS NULL OR category_id = $5)
AND ($6 IS NULL OR created_at >= $6)
AND ($7 IS NULL OR created_at <= $7)
ORDER BY created_at DESC
LIMIT $8 OFFSET $9Filtra donde el campo es igual al valor proporcionado.
#[filter]
pub status: String,
#[filter(eq)] // Igual que arriba
pub category_id: Uuid,Generado:
pub status: Option<String>,
pub category_id: Option<Uuid>,SQL:
WHERE status = $1
AND category_id = $2Filtra usando coincidencia de patrones case-insensitive (ILIKE).
#[filter(like)]
pub name: String,
#[filter(like)]
pub description: String,Generado:
pub name: Option<String>,
pub description: Option<String>,SQL:
WHERE name ILIKE $1
AND description ILIKE $2Uso:
let query = ProductQuery {
name: Some("%widget%".into()), // Contiene "widget"
description: Some("premium%".into()), // Empieza con "premium"
..Default::default()
};Filtra dentro de un rango (inclusivo).
#[filter(range)]
pub price: i64,
#[filter(range)]
pub created_at: DateTime<Utc>,Generado:
pub price_from: Option<i64>,
pub price_to: Option<i64>,
pub created_at_from: Option<DateTime<Utc>>,
pub created_at_to: Option<DateTime<Utc>>,SQL:
WHERE price >= $1 AND price <= $2
AND created_at >= $3 AND created_at <= $4// Encontrar productos por categoría
let query = ProductQuery {
category_id: Some(electronics_category_id),
..Default::default()
};
let products = repo.query(query).await?;// Obtener página 2 (20 items por página)
let query = ProductQuery {
limit: Some(20),
offset: Some(20),
..Default::default()
};
let products = repo.query(query).await?;// Buscar electrónicos asequibles
let query = ProductQuery {
category_id: Some(electronics_category_id),
price_from: Some(0),
price_to: Some(10000), // $100.00
name: Some("%phone%".into()),
limit: Some(50),
..Default::default()
};
let products = repo.query(query).await?;// Obtener productos creados este mes
let now = Utc::now();
let month_start = now.with_day(1).unwrap().date_naive().and_hms_opt(0, 0, 0).unwrap();
let query = ProductQuery {
created_at_from: Some(month_start.and_utc()),
created_at_to: Some(now),
..Default::default()
};
let products = repo.query(query).await?;use axum::{extract::Query, Json};
#[derive(Deserialize)]
pub struct ProductQueryParams {
pub name: Option<String>,
pub category_id: Option<Uuid>,
pub min_price: Option<i64>,
pub max_price: Option<i64>,
pub page: Option<i64>,
pub per_page: Option<i64>,
}
async fn list_products(
Query(params): Query<ProductQueryParams>,
pool: Extension<PgPool>,
) -> Result<Json<Vec<ProductResponse>>, AppError> {
let page = params.page.unwrap_or(1);
let per_page = params.per_page.unwrap_or(20).min(100);
let query = ProductQuery {
name: params.name.map(|n| format!("%{}%", n)),
category_id: params.category_id,
price_from: params.min_price,
price_to: params.max_price,
limit: Some(per_page),
offset: Some((page - 1) * per_page),
..Default::default()
};
let products = pool.query(query).await?;
let responses: Vec<_> = products.into_iter().map(ProductResponse::from).collect();
Ok(Json(responses))
}Cuando soft_delete está habilitado, la consulta excluye automáticamente registros eliminados:
#[derive(Entity)]
#[entity(table = "documents", soft_delete)]
pub struct Document {
#[id]
pub id: Uuid,
#[field(create, response)]
#[filter(like)]
pub title: String,
#[field(skip)]
pub deleted_at: Option<DateTime<Utc>>,
}SQL Generado:
SELECT * FROM documents
WHERE deleted_at IS NULL
AND ($1 IS NULL OR title ILIKE $1)
LIMIT $2 OFFSET $3Método adicional para incluir eliminados:
async fn query_with_deleted(&self, query: DocumentQuery) -> Result<Vec<Document>, Self::Error>;Para consultas complejas, usa sql = "trait" e implementa filtrado personalizado:
#[derive(Entity)]
#[entity(table = "products", sql = "trait")]
pub struct Product { /* ... */ }
pub trait ProductQueryExt {
async fn search_fulltext(&self, term: &str, limit: i64) -> Result<Vec<Product>, sqlx::Error>;
async fn find_by_tags(&self, tags: &[String]) -> Result<Vec<Product>, sqlx::Error>;
}
#[async_trait]
impl ProductQueryExt for PgPool {
async fn search_fulltext(&self, term: &str, limit: i64) -> Result<Vec<Product>, sqlx::Error> {
let rows: Vec<ProductRow> = sqlx::query_as(
r#"
SELECT * FROM products
WHERE to_tsvector('english', name || ' ' || description)
@@ plainto_tsquery('english', $1)
ORDER BY ts_rank(to_tsvector('english', name || ' ' || description),
plainto_tsquery('english', $1)) DESC
LIMIT $2
"#
)
.bind(term)
.bind(limit)
.fetch_all(self)
.await?;
Ok(rows.into_iter().map(Product::from).collect())
}
async fn find_by_tags(&self, tags: &[String]) -> Result<Vec<Product>, sqlx::Error> {
let rows: Vec<ProductRow> = sqlx::query_as(
"SELECT * FROM products WHERE tags && $1"
)
.bind(tags)
.fetch_all(self)
.await?;
Ok(rows.into_iter().map(Product::from).collect())
}
}- Paginación por defecto — Siempre aplica límites sensatos para prevenir conjuntos de resultados grandes
- Validar patrones — Sanitiza patrones LIKE para prevenir problemas SQL
- Indexar columnas filtradas — Crea índices de BD para campos filtrados frecuentemente
- Usar filtros específicos — Prefiere coincidencia exacta sobre coincidencia de patrón cuando sea posible
- Combinar con ordenación — Considera agregar campos de ordenación a tu estructura de query
- Atributos — Referencia completa de atributos
- SQL Personalizado — Consultas personalizadas complejas
- Relaciones — Filtrado con relaciones
🇬🇧 English | 🇷🇺 Русский | 🇰🇷 한국어 | 🇪🇸 Español | 🇨🇳 中文
🇬🇧 English | 🇷🇺 Русский | 🇰🇷 한국어 | 🇪🇸 Español | 🇨🇳 中文
Getting Started
Features
Advanced
Начало работы
Возможности
Продвинутое
시작하기
기능
고급
Comenzando
Características
Avanzado
入门
功能
高级