check-bounds-safety
Apply type-safe bounds checking patterns using Index/Length types instead of usize. Use when working with arrays, buffers, cursors, viewports, or any code that handles indices and lengths.
Install
mkdir -p .claude/skills/check-bounds-safety && curl -L -o skill.zip "https://mcp.directory/api/skills/download/5678" && unzip -o skill.zip -d .claude/skills/check-bounds-safety && rm skill.zipInstalls to .claude/skills/check-bounds-safety
About this skill
Type-Safe Bounds Checking
When to Use
- Working with array access or buffer operations
- Implementing cursor positioning logic (text editors, terminal emulators)
- Handling viewport rendering and scrolling
- Dealing with 0-based indices vs 1-based lengths
- Validating range boundaries
- Converting VT-100 ranges to Rust ranges
- Before creating commits with bounds-sensitive code
- When user asks about "bounds checking", "type safety", "off-by-one errors", etc.
The Problem
Raw usize values are ambiguous and error-prone:
// ❌ Bad - What is `x`? Index or length?
let x = 10_usize;
if x < length { // Off-by-one error waiting to happen
buffer[x]
}
// Is this an index (0-based) or a length (1-based)?
// The type system can't help us!
The Solution
Use type-safe wrappers from tui/src/core/units/bounds_check/:
// ✅ Good - Types make it clear
use r3bl_tui::{idx, len, ArrayBoundsCheck};
let index = idx(10); // Clearly an index (0-based)
let length = len(100); // Clearly a length (1-based)
if index.overflows(length) {
// Safely caught! Can't accidentally compare incompatible types
}
Core Principles
Follow these principles when working with indices and lengths:
-
Use Index types (0-based) instead of
usizeRowIndex,ColIndex,Index- Construct with
row(),col(),idx()
-
Use Length types (1-based) instead of
usizeRowHeight,ColWidth,Length- Construct with
height(),width(),len()
-
Type-safe comparisons
- Cannot compare
RowIndexwithColWidth(compile error!) - Prevents category errors like "is row 5 < width 10?"
- Cannot compare
-
Use
.is_zero()for zero checks- Instead of
== 0 - More idiomatic with newtype wrappers
- Instead of
-
Distinguish navigation from measurement
- Navigation (
index - offset → index): Moving backward in position space - Measurement (
index.distance_from(other) → length): Calculating distance between positions - Use
-for cursor movement, usedistance_from()for calculating spans
- Navigation (
Common Imports
use std::ops::Range;
use r3bl_tui::{
// Traits
ArrayBoundsCheck, CursorBoundsCheck, ViewportBoundsCheck,
RangeBoundsExt, RangeConvertExt, IndexOps, LengthOps,
// Status enums
ArrayOverflowResult, CursorPositionBoundsStatus,
RangeValidityStatus, RangeBoundsResult,
// Type constructors
col, row, width, height, idx, len,
// Terminal delta types (relative cursor movement)
TermRowDelta, TermColDelta, term_row_delta, term_col_delta,
};
Quick Pattern Reference
| Use Case | Trait | Key Method | When to Use |
|---|---|---|---|
| Array access | ArrayBoundsCheck | index.overflows(length) | Validating buffer[index] access (index < length) |
| Cursor positioning | CursorBoundsCheck | length.check_cursor_position_bounds(pos) | Text editing where cursor can be at end (index <= length) |
| Viewport visibility | ViewportBoundsCheck | index.check_viewport_bounds(start, size) | Rendering optimization (is content on-screen?) |
| Range validation | RangeBoundsExt | range.check_range_is_valid_for_length(len) | Iterator bounds, algorithm parameters |
| Range membership | RangeBoundsExt | range.check_index_is_within(index) | VT-100 scroll regions, text selections |
| Range conversion | RangeConvertExt | inclusive_range.to_exclusive() | Converting VT-100 ranges for Rust iteration |
| Relative movement | TermRowDelta/TermColDelta | TermRowDelta::new(n) returns Option | ANSI cursor movement preventing CSI zero bug |
Detailed Examples
Example 1: Array Bounds Checking
Use ArrayBoundsCheck when validating buffer access.
use r3bl_tui::{idx, len, ArrayBoundsCheck, ArrayOverflowResult};
let buffer_length = len(100);
let index = idx(50);
match index.overflows(buffer_length) {
ArrayOverflowResult::Within => {
// Safe to access: buffer[50]
let value = buffer[index.value()];
}
ArrayOverflowResult::Overflows => {
// Out of bounds! Handle error
eprintln!("Index {} overflows buffer length {}", index, buffer_length);
}
}
Mathematical law:
- For valid access:
0 <= index < length - Or equivalently:
index < length(since Index is always >= 0)
Example 2: Cursor Position Bounds
Use CursorBoundsCheck for text cursor positioning.
use r3bl_tui::{idx, len, CursorBoundsCheck, CursorPositionBoundsStatus};
let text_length = len(10); // Text has 10 characters
let cursor = idx(10); // Cursor at position 10 (after last char)
match text_length.check_cursor_position_bounds(cursor) {
CursorPositionBoundsStatus::Within => {
// Valid! Cursor CAN be at position 10 (after char 9)
// User can insert text here
}
CursorPositionBoundsStatus::Overflows => {
// Invalid cursor position
}
}
Mathematical law:
- For valid cursor:
0 <= position <= length - Note: Cursor CAN be at
length(after the last character)
Key difference from array access:
- Array access:
index < length(strict inequality) - Cursor position:
index <= length(includes equality)
Example 3: Viewport Visibility Check
Use ViewportBoundsCheck to optimize rendering.
use r3bl_tui::{idx, len, ViewportBoundsCheck};
let line_index = idx(150); // Line 150 in document
let viewport_start = idx(100); // Viewport starts at line 100
let viewport_size = len(50); // Viewport shows 50 lines
if line_index.check_viewport_bounds(viewport_start, viewport_size) {
// Line 150 is visible (100 <= 150 < 150)
// Render this line
} else {
// Line is off-screen, skip rendering
}
Mathematical law:
- Visible if:
viewport_start <= index < viewport_start + viewport_size
Example 4: Range Validation
Use RangeBoundsExt to validate range boundaries.
use r3bl_tui::{len, RangeBoundsExt, RangeValidityStatus};
let buffer_length = len(100);
let range = 10..50; // Want to process elements 10-49
match range.check_range_is_valid_for_length(buffer_length) {
RangeValidityStatus::Valid => {
// Range is valid for this buffer
for i in range {
process(buffer[i]);
}
}
RangeValidityStatus::Invalid(reason) => {
eprintln!("Invalid range: {}", reason);
}
}
Example 5: Range Membership
Use RangeBoundsExt to check if index is within a range.
use r3bl_tui::{idx, RangeBoundsExt};
// VT-100 scroll region: lines 5-15
let scroll_region = 5..=15; // Inclusive range
let cursor_row = idx(10);
if scroll_region.check_index_is_within(cursor_row) {
// Cursor is within scroll region
// Apply scroll behavior
} else {
// Cursor outside scroll region
}
Example 6: Range Conversion
Use RangeConvertExt to convert inclusive to exclusive ranges.
use r3bl_tui::RangeConvertExt;
// VT-100 uses inclusive ranges: 1..=10 means lines 1 through 10
let vt100_range = 1..=10;
// Rust iterators use exclusive ranges: 1..11
let rust_range = vt100_range.to_exclusive();
// Now can use in Rust iteration
for line in rust_range {
process_line(line);
}
Example 7: Navigation vs Measurement
Use - for navigation (moving cursor), distance_from() for measurement (calculating spans).
use r3bl_tui::{row, height, RowIndex, RowHeight};
// Navigation: Move cursor backward by offset (returns RowIndex).
let cursor_pos = row(10);
let new_pos = cursor_pos - row(3); // row(7) - moved 3 positions back
// Uses saturating subtraction: row(2) - row(5) = row(0), not overflow
// Measurement: Calculate distance between two positions (returns RowHeight).
let start = row(5);
let end = row(15);
let distance: RowHeight = end.distance_from(start); // height(10) - 10 rows apart
// Panics if start > end (negative distance)
When to use which:
- Moving cursor up/down/left/right →
-operator - Calculating scroll amount, viewport span, selection size →
distance_from()
Example 8: Terminal Cursor Movement (Make Illegal States Unrepresentable)
Use TermRowDelta/TermColDelta for relative cursor movement in ANSI sequences.
The CSI zero problem: ANSI cursor movement commands interpret parameter 0 as 1:
CSI 0 A(CursorUpwith n=0) moves cursor 1 row up, not 0CSI 0 C(CursorForwardwith n=0) moves cursor 1 column right, not 0
Solution: TermRowDelta and TermColDelta wrap NonZeroU16 internally, making zero-valued
deltas impossible to represent. Construction is fallible:
use r3bl_tui::{TermRowDelta, TermColDelta, CsiSequence};
use std::io::Write;
// Calculate cursor movement from position on 80-column terminal.
let position: u16 = 240; // 240 chars from start
let term_width: u16 = 80;
// Fallible construction - must handle the None case.
// For position 240: rows = 3 (Some), cols = 0 (None).
if let Some(delta) = TermRowDelta::new(position / term_width) {
// delta is guaranteed non-zero, safe to emit
term.write_all(CsiSequence::CursorDown(delta).to_string().as_bytes())?;
}
if let Some(delta) = TermColDelta::new(position % term_width) {
// This branch is NOT taken for position 240 (cols = 0)
// Zero cannot be represented, so the bug is prevented at the type level!
term.write_all(CsiSequence::CursorForward(delta).to_string().as_bytes())?;
}
Using the ONE constant for common case:
use r3bl_tui::{TermRowDelta, TermColDe
---
*Content truncated.*
More by r3bl-org
View all skills by r3bl-org →You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
fastapi-templates
wshobson
Create production-ready FastAPI projects with async patterns, dependency injection, and comprehensive error handling. Use when building new FastAPI applications or setting up backend API projects.
Related MCP Servers
Browse all serversTavily Search offers real-time web search and content extraction, perfect for research, aggregation, and endnote online
Securely join MySQL databases with Read MySQL for read-only query access and in-depth data analysis.
Context Portal: Manage project memory with a database-backed system for decisions, tracking, and semantic search via a k
Dot AI (Kubernetes Deployment) streamlines and automates Kubernetes deployment with intelligent guidance and vector sear
Claude Historian is a free AI search engine offering advanced search, file context, and solution discovery in Claude Cod
Claude Historian: AI-powered search for Claude Code conversations—find files, errors, context, and sessions via JSONL pa
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.