Expand description
Β§Frontmatter Gen (frontmatter-gen)
A high-performance Rust library for parsing and serialising frontmatter in YAML, TOML, and JSON formats. Built for safety, efficiency, and ease of use.
β’ Website β’ Documentation β’ Report Bug β’ Request Feature β’ Contributing Guidelines
Β§Overview π
frontmatter-gen is a comprehensive Rust library that provides robust handling of frontmatter in content files. It delivers a type-safe, efficient solution for extracting, parsing, and serialising frontmatter in multiple formats. Whether youβre building a static site generator, content management system, or any application requiring structured metadata, frontmatter-gen offers the tools you need.
Β§Key Features π―
- Zero-Copy Parsing: Parse YAML, TOML, and JSON frontmatter efficiently with zero memory copying
- Safe Extraction: Extract frontmatter using standard delimiters (
---for YAML,+++for TOML) with comprehensive error handling - Type Safety: Leverage Rustβs type system with the
Valueenum for safe frontmatter manipulation - High Performance: Optimised for speed with minimal allocations and efficient algorithms
- Memory Safety: Guaranteed memory safety through Rustβs ownership system
- Rich Error Handling: Detailed error types with context for effective debugging
- Async Support: First-class asynchronous operation support
- Flexible Configuration: Customisable parsing behaviour to match your needs
Β§Available Features π οΈ
This crate provides several feature flags to customise its functionality:
- default: Core frontmatter parsing functionality only
- cli: Command-line interface tools for quick operations
- ssg: Static Site Generator functionality (includes CLI features)
- logging: Debug logging capabilities
Β§Getting Started π¦
Add this to your Cargo.toml:
[dependencies]
# Basic frontmatter parsing only
frontmatter-gen = "0.0.3"
# With Static Site Generator functionality
frontmatter-gen = { version = "0.0.3", features = ["ssg"] }Β§Basic Usage π¨
Β§Extract and Parse Frontmatter
use frontmatter_gen::extract;
fn main() -> Result<(), Box<dyn std::error::Error>> {
// Example content with YAML frontmatter
let content = r#"---
title: My Document
date: 2025-09-09
tags:
- documentation
- rust
---
// Extract frontmatter and content
let (frontmatter, content) = extract(content)?;
// Access frontmatter fields safely
println!("Title: {}", frontmatter.get("title")
.and_then(|v| v.as_str())
.unwrap_or("Untitled"));
println!("Content: {}", content);
Ok(())
}Β§Format Conversion
use frontmatter_gen::{Frontmatter, Format, Value, to_format};
fn main() -> Result<(), Box<dyn std::error::Error>> {
// Create frontmatter with some data
let mut frontmatter = Frontmatter::new();
frontmatter.insert("title".to_string(), Value::String("My Document".into()));
frontmatter.insert("draft".to_string(), Value::Boolean(false));
frontmatter.insert("views".to_string(), Value::Number(42.0));
// Convert to different formats
let yaml = to_format(&frontmatter, Format::Yaml)?;
let toml = to_format(&frontmatter, Format::Toml)?;
let json = to_format(&frontmatter, Format::Json)?;
println!("YAML:\n{}\n", yaml);
println!("TOML:\n{}\n", toml);
println!("JSON:\n{}\n", json);
Ok(())
}Β§Advanced Features π
Β§Handle Complex Nested Structures
use frontmatter_gen::{parser, Format, Value};
fn main() -> Result<(), Box<dyn std::error::Error>> {
// Complex nested YAML frontmatter
let yaml = r#"
title: My Document
metadata:
author:
name: Jane Smith
email: jane@example.com
categories:
- technology
- rust
settings:
template: article
published: true
stats:
views: 1000
likes: 50
"#;
let frontmatter = parser::parse(yaml, Format::Yaml)?;
// Access nested values safely using pattern matching
if let Some(Value::Object(metadata)) = frontmatter.get("metadata") {
if let Some(Value::Object(author)) = metadata.get("author") {
if let Some(Value::String(name)) = author.get("name") {
println!("Author: {}", name);
}
}
}
Ok(())
}Β§Documentation π
For comprehensive API documentation and examples, visit:
Β§CLI Tool π οΈ
The library includes a powerful command-line interface for quick frontmatter operations:
# Generate a static site
frontmatter-gen build \
--content-dir examples/content \
--output-dir examples/public \
--template-dir examples/templates
# Extract frontmatter in various formats
frontmatter-gen extract input.md --format yaml
frontmatter-gen extract input.md --format toml
frontmatter-gen extract input.md --format json
# Save extracted frontmatter to files
frontmatter-gen extract input.md --format yaml --output output.yaml
frontmatter-gen extract input.md --format toml --output output.toml
frontmatter-gen extract input.md --format json --output output.json
# Validate frontmatter with required fields
frontmatter-gen validate input.md --required title,date,authorΒ§Running from Source
You can also run the CLI tool directly from the source code:
# Generate a static site
cargo run --features="ssg" build \
--content-dir examples/content \
--output-dir examples/public \
--template-dir examples/templates
# Extract and validate frontmatter
cargo run --features="ssg" extract input.md --format yaml
cargo run --features="ssg" validate input.md --required title,dateΒ§Error Handling π¨
The library provides detailed error handling with context:
use frontmatter_gen::{extract, error::FrontmatterError};
fn process_content(content: &str) -> Result<(), FrontmatterError> {
// Extract frontmatter and content
let (frontmatter, _) = extract(content)?;
// Validate required fields
for field in ["title", "date", "author"].iter() {
if !frontmatter.contains_key(*field) {
return Err(FrontmatterError::ValidationError(
format!("Missing required field: {}", field)
));
}
}
// Validate field types
if let Some(date) = frontmatter.get("date") {
if !date.is_string() {
return Err(FrontmatterError::ValidationError(
"Date field must be a string".to_string()
));
}
}
Ok(())
}Β§Contributing π€
We welcome contributions! Please see our Contributing Guidelines for details on:
- Code of Conduct
- Development Process
- Submitting Pull Requests
- Reporting Issues
Β§Licence π
This project is dual-licensed under either:
- Apache License, Version 2.0 (LICENSE-APACHE or http://www.apache.org/licenses/LICENSE-2.0)
- MIT licence (LICENSE-MIT or http://opensource.org/licenses/MIT)
at your option.
Β§Acknowledgements π
Special thanks to all contributors and the Rust community for their invaluable support and feedback.
Β§Frontmatter Gen
frontmatter-gen is a fast, secure, and memory-efficient library for working with
frontmatter in multiple formats (YAML, TOML, and JSON).
Β§Overview
Frontmatter is metadata prepended to content files, commonly used in static site generators and content management systems. This library provides:
- Zero-copy parsing for optimal performance
- Format auto-detection between YAML, TOML, and JSON
- Memory safety with no unsafe code
- Comprehensive validation of all inputs
- Rich error handling with detailed diagnostics
- Async support for non-blocking operations
Β§Quick Start
use frontmatter_gen::{extract, Format, Result};
fn main() -> Result<()> {
let content = r#"---
title: My Post
date: 2025-09-09
draft: false
---
"#;
let (frontmatter, content) = extract(content)?;
println!("Title: {}", frontmatter.get("title")
.and_then(|v| v.as_str())
.unwrap_or("Untitled"));
Ok(())
}Re-exportsΒ§
pub use crate::config::Config;pub use crate::error::FrontmatterError;pub use crate::extractor::detect_format;pub use crate::extractor::extract_raw_frontmatter;pub use crate::parser::parse;pub use crate::parser::to_string;pub use crate::types::Format;pub use crate::types::Frontmatter;pub use crate::types::Value;
ModulesΒ§
- Configuration Module
- Site Generation Engine
- Error handling for the frontmatter-gen crate.
- This module provides functionality for extracting frontmatter from content.
- Frontmatter Parser and Serialiser Module
- Prelude module for convenient imports.
- This module defines the core types used throughout the frontmatter-gen crate. It includes the
Formatenum for representing different frontmatter formats, theValueenum for representing various data types that can be stored in frontmatter, and theFrontmatterstruct which is the main container for frontmatter data. - Utility Module
FunctionsΒ§
- Extracts and parses frontmatter from content with format auto-detection.
- Converts frontmatter to a specific format.
Type AliasesΒ§
- A specialized Result type for frontmatter operations.