pkstate 0.1.2

A library for representing, serializing, and deserializing the state of a poker hand
Documentation
# Claude Instructions for pkstate

These instructions guide Claude to generate code that aligns with our project standards for testing, documentation, and code quality.

## Testing Requirements

### Unit Tests
- **Every public function must have at least one unit test** covering the happy path
- **Every public struct/enum must have tests** that validate construction, methods, and trait implementations
- Unit tests should be placed in a `#[cfg(test)]` module at the end of the file or in a `tests/` directory
- Test names should be descriptive and follow the pattern: `test_<function_or_struct_name>_<scenario>`
- Include edge cases, error conditions, and boundary conditions
- Use `assert!`, `assert_eq!`, and `assert_ne!` macros effectively

### Doc Tests
- **Every public function and method must include at least one doc test** demonstrating basic usage
- Doc tests should be included in the doc comment (`///`) using triple backticks with `rust` syntax highlighting
- Doc tests must compile and run successfully
- Doc tests should show the most common usage pattern
- If a function can fail, include a doc test that shows success cases
- Doc tests should be runnable with `cargo test --doc`

### Example Structure
```rust
/// Brief description of what this function does.
///
/// Longer explanation of behavior, parameters, and return values.
///
/// # Panics
/// Panics if the condition X is violated.
///
/// # Errors
/// Returns `Err` if the operation fails due to reason Y.
///
/// # Examples
/// ```
/// use pkcore::your_module::your_function;
/// let result = your_function(42);
/// assert_eq!(result, Ok(expected_value));
/// ```
pub fn your_function(param: Type) -> Result<ReturnType, ErrorType> {
    // implementation
}

#[cfg(test)]
mod tests {
    use super::*;

    #[test]
    fn your_function_happy_path() {
        let result = your_function(42);
        assert!(result.is_ok());
    }

    #[test]
    fn your_function_edge_case() {
        let result = your_function(0);
        assert!(result.is_err());
    }

    #[test]
    fn your_function_boundary() {
        // Test boundary conditions
        let result = your_function(u32::MAX);
        assert!(result.is_ok());
    }
}
```

## Documentation Requirements

### For Functions
- **Brief summary**: First line should be a concise, single-sentence description
- **Detailed explanation**: Explain what the function does, why it exists, when to use it, and any important caveats
- **Parameters**: Document all parameters with their types, ranges, and expected behavior
- **Return value**: Clearly explain what is returned and under what conditions
- **Errors**: Document all possible error cases using `# Errors` section with explanation
- **Panics**: Document if the function can panic using `# Panics` section
- **Examples**: Include `# Examples` with working doc test code that demonstrates usage
- **Safety**: Use `# Safety` section if the function is `unsafe`, explaining why it's unsafe and how to use safely

### For Structs and Enums
- **Brief description**: Explain the purpose and role of the type in the system
- **Fields**: Document each field with its purpose and expected invariants
- **Examples**: Show common construction and usage patterns
- **Trait implementations**: Explain behavior of implemented traits if non-obvious
- Include examples showing how to construct and interact with the type

### For Modules
- **Module-level documentation**: Each module file should start with a module-level doc comment explaining its purpose
- Example: `//! Handles poker hand ranking and comparison logic.`
- Include examples of common usage patterns for the module

### For Crate Root (lib.rs)
- **Comprehensive overview**: Explain the crate's purpose and main concepts
- **Module organization**: Link to key modules and their purposes
- **Quick start guide**: Show how to get started with the crate
- **Examples**: Provide complete working examples of common tasks

## Code Quality Standards

### Naming Conventions
- Use clear, descriptive names for functions, variables, and types
- Use `snake_case` for functions, variables, and module names
- Use `PascalCase` for types, structs, enums, and traits
- Avoid single-letter variable names except for loop indices (i, j, k)
- Use full words in variable names (e.g., `cards` instead of `c`, `rank` instead of `r`)

### Error Handling
- **Never use `unwrap()`, `expect()`, or `panic!()` in library code**
- It's acceptable to use these in tests if testing, but not in production code
- Prefer `Result<T, E>` over `Option<T>` for operations that can fail with meaningful errors
- Create custom error types for domain-specific errors
- Implement `std::error::Error` for custom error types
- Document all error cases clearly
- Use `?` operator for error propagation in library code

### Trait Implementations
- Implement `Display` for user-facing types (those that will be shown to users)
- Implement `Debug` for all public types
- Implement `Default` for types that have a sensible default value
- Implement `Clone` and `Copy` when semantically appropriate
- Document non-obvious trait behavior in the trait implementation

### Code Organization
- Keep functions focused and single-purpose
- Extract complex logic into well-named helper functions
- Group related functions and types in logical modules
- Use visibility modifiers (`pub`, `pub(crate)`, private) appropriately

## Rust-Specific Guidelines

### Working with References
- Prefer `&T` (borrowing) over `T` (taking ownership) when possible
- Use `&mut T` only when mutation is needed
- Document borrowing requirements in function documentation
- Consider lifetime requirements for complex references

### Performance Considerations
- Avoid unnecessary cloning; use references when possible
- Use `&[T]` for slices instead of `&Vec<T>`
- Pre-allocate collections with `with_capacity()` when size is known
- Document performance characteristics for expensive operations

### Type Safety
- Use type-safe abstractions instead of primitive types when semantically meaningful
- Use enums instead of strings for fixed sets of values
- Leverage Rust's type system to prevent invalid states at compile time

## Checklist for Code Generation

Before accepting or suggesting code:
- ✓ Does the function have comprehensive doc comments with `# Examples`?
- ✓ Are there unit tests covering happy path, edge cases, and error conditions?
- ✓ Are there doc tests in the doc comments that compile and run?
- ✓ Are all error cases handled and documented?
- ✓ Does the code avoid `unwrap()`, `expect()`, and `panic!()` in library code?
- ✓ Are edge cases and boundary conditions covered in tests?
- ✓ Is the code readable and maintainable?
- ✓ Are all public APIs documented with examples?
- ✓ Do tests run successfully with `cargo test`?
- ✓ Do doc tests pass with `cargo test --doc`?
- ✓ Does the code follow naming conventions?
- ✓ Are trait implementations documented if behavior is non-obvious?

## Testing Commands

```bash
# Run all tests
cargo test

# Run doc tests only
cargo test --doc

# Run tests with output
cargo test -- --nocapture

# Run specific test
cargo test test_function_name

# Run tests with specific number of threads
cargo test -- --test-threads=1

# Run tests matching a pattern
cargo test function_name
```

## Common Patterns to Use

### Result Type for Fallible Operations
```rust
pub fn operation(param: Type) -> Result<ReturnType, ErrorType> {
    // implementation
}
```

### Option Type for Optional Values
```rust
pub fn find_value(key: &str) -> Option<Value> {
    // implementation
}
```

### Custom Error Type
```rust
#[derive(Debug)]
pub enum MyError {
    InvalidInput(String),
    NotFound,
}

impl std::fmt::Display for MyError {
    fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
        match self {
            MyError::InvalidInput(msg) => write!(f, "Invalid input: {}", msg),
            MyError::NotFound => write!(f, "Not found"),
        }
    }
}

impl std::error::Error for MyError {}
```

## References

- [Rust API Guidelines]https://rust-lang.github.io/api-guidelines/
- [Rust Book - Error Handling]https://doc.rust-lang.org/book/ch09-00-error-handling.html
- [Rust by Example: Documentation]https://doc.rust-lang.org/rust-by-example/meta/doc.html
- [Writing Unsafe Rust]https://doc.rust-lang.org/book/ch19-01-unsafe-rust.html
- [Effective Rust]https://effective-rust.dev/