> redis-om
You are an expert in Redis OM (Object Mapping), the high-level client for working with Redis as a primary database. You help developers define schemas, store JSON documents, perform full-text search, vector similarity search, and build real-time applications — using Redis Stack's JSON, Search, and Vector capabilities through an ORM-like interface instead of raw commands.
curl "https://skillshub.wtf/TerminalSkills/skills/redis-om?format=md"Redis OM — Object Mapping for Redis
You are an expert in Redis OM (Object Mapping), the high-level client for working with Redis as a primary database. You help developers define schemas, store JSON documents, perform full-text search, vector similarity search, and build real-time applications — using Redis Stack's JSON, Search, and Vector capabilities through an ORM-like interface instead of raw commands.
Core Capabilities
Schema and Repository
import { Client, Schema, Repository, EntityId } from "redis-om";
const client = await new Client().open(process.env.REDIS_URL);
// Define schema
const productSchema = new Schema("product", {
name: { type: "string" },
description: { type: "text" }, // Full-text searchable
price: { type: "number", sortable: true },
category: { type: "string[]" }, // Array of tags
inStock: { type: "boolean" },
embedding: { type: "number[]" }, // Vector for similarity search
createdAt: { type: "date", sortable: true },
location: { type: "point" }, // Geo coordinates
});
const productRepo = new Repository(productSchema, client);
// Create index (run once)
await productRepo.createIndex();
// CRUD operations
const product = await productRepo.save({
name: "Wireless Keyboard",
description: "Ergonomic bluetooth keyboard with backlight and long battery life",
price: 79.99,
category: ["electronics", "peripherals"],
inStock: true,
embedding: await getEmbedding("wireless keyboard ergonomic"), // 1536-dim vector
createdAt: new Date(),
location: { longitude: -122.4194, latitude: 37.7749 },
});
const id = product[EntityId]; // Auto-generated ULID
const fetched = await productRepo.fetch(id);
Search and Queries
// Full-text search
const results = await productRepo.search()
.where("description").matches("ergonomic bluetooth")
.and("inStock").is.true()
.and("price").is.between(50, 150)
.sortBy("price", "ASC")
.page(0, 20)
.return.all();
// Tag filtering
const electronics = await productRepo.search()
.where("category").contains("electronics")
.return.all();
// Geo search — products near San Francisco
const nearby = await productRepo.search()
.where("location").inRadius(
(circle) => circle.origin(-122.4194, 37.7749).radius(10).miles
)
.return.all();
// Vector similarity search (semantic search)
const queryEmbedding = await getEmbedding("comfortable typing experience");
const similar = await productRepo.search()
.where("embedding").nearest(queryEmbedding, 10) // Top 10 nearest
.return.all();
// Count
const count = await productRepo.search()
.where("inStock").is.true()
.return.count();
Python
from redis_om import HashModel, Field, Migrator
from redis_om import get_redis_connection
redis = get_redis_connection(url="redis://localhost:6379")
class Product(HashModel):
name: str = Field(index=True)
description: str = Field(index=True, full_text_search=True)
price: float = Field(index=True, sortable=True)
category: str = Field(index=True)
in_stock: bool = Field(index=True, default=True)
class Meta:
database = redis
Migrator().run() # Create indexes
# Save
product = Product(name="Wireless Mouse", description="Ergonomic wireless mouse", price=49.99, category="electronics")
product.save()
# Query
results = Product.find(
(Product.category == "electronics") &
(Product.price < 100) &
(Product.in_stock == True)
).sort_by("price").all()
Installation
# TypeScript
npm install redis-om
# Python
pip install redis-om
# Redis Stack (includes JSON + Search + Vector)
docker run -p 6379:6379 redis/redis-stack:latest
Best Practices
- Redis Stack required — Redis OM needs Redis Stack (JSON + Search modules); regular Redis won't work
- Create index once — Call
createIndex()on startup or migration; indexes enable all search features - Full-text vs exact — Use
texttype for full-text search,stringfor exact match/filtering - Vector search — Store embeddings as
number[]; query with.nearest()for semantic similarity - Sortable fields — Mark fields as
sortable: trueto enable.sortBy(); adds index overhead - Pagination — Use
.page(offset, count)for large result sets; don't fetch all at once - Geo queries — Use
pointtype for location-based search; radius queries built-in - Performance — Sub-millisecond reads/writes; Redis OM adds minimal overhead over raw commands
> related_skills --same-repo
> zustand
You are an expert in Zustand, the small, fast, and scalable state management library for React. You help developers manage global state without boilerplate using Zustand's hook-based stores, selectors for performance, middleware (persist, devtools, immer), computed values, and async actions — replacing Redux complexity with a simple, un-opinionated API in under 1KB.
> zoho
Integrate and automate Zoho products. Use when a user asks to work with Zoho CRM, Zoho Books, Zoho Desk, Zoho Projects, Zoho Mail, or Zoho Creator, build custom integrations via Zoho APIs, automate workflows with Deluge scripting, sync data between Zoho apps and external systems, manage leads and deals, automate invoicing, build custom Zoho Creator apps, set up webhooks, or manage Zoho organization settings. Covers Zoho CRM, Books, Desk, Projects, Creator, and cross-product integrations.
> zod
You are an expert in Zod, the TypeScript-first schema declaration and validation library. You help developers define schemas that validate data at runtime AND infer TypeScript types at compile time — eliminating the need to write types and validators separately. Used for API input validation, form validation, environment variables, config files, and any data boundary.
> zipkin
Deploy and configure Zipkin for distributed tracing and request flow visualization. Use when a user needs to set up trace collection, instrument Java/Spring or other services with Zipkin, analyze service dependencies, or configure storage backends for trace data.