pressgang-wp/quartermaster

WordPress-first fluent WP_Query args builder

Installs: 11

Dependents: 0

Suggesters: 0

Security: 0

Stars: 0

Watchers: 0

Forks: 0

Open Issues: 0

pkg:composer/pressgang-wp/quartermaster

v0.1.0 2026-02-08 14:00 UTC

This package is auto-updated.

Last update: 2026-02-15 10:23:21 UTC


README

Quartermaster

βš“ Quartermaster

Quartermaster is a fluent, args-first builder for WP_Query.

It helps you build complex query arrays in readable, composable steps, while staying 100% WordPress-native under the hood. It ships as a standalone package in the pressgang-wp ecosystem, but it does not depend on the PressGang theme framework.

Think of it as a reliable quartermaster for your query cargo: you decide what goes aboard, nothing gets smuggled in. 🧭

πŸ“¦ Install

composer require pressgang-wp/quartermaster

Requirements: PHP 8.3+.

πŸ—ΊοΈ Quick Reference Method Index

Area Methods
Bootstrap posts(), terms(), prepare() (compatibility alias)
Core post constraints postType(), status(), whereId(), whereInIds(), excludeIds(), whereParent(), whereParentIn()
Author constraints whereAuthor(), whereAuthorIn(), whereAuthorNotIn()
Pagination / search paged(), limit(), all() (fetch all: posts_per_page=-1, nopaging=true), search()
Query-var binding bindQueryVars(), Bind::paged(), Bind::tax(), Bind::orderBy(), Bind::metaNum(), Bind::search()
Ordering orderBy(), orderByAsc(), orderByDesc(), orderByMeta(), orderByMetaAsc(), orderByMetaDesc(), orderByMetaNumeric(), orderByMetaNumericAsc(), orderByMetaNumericDesc()
Meta query whereMeta(), orWhereMeta(), whereMetaNot(), whereMetaLikeAny(), whereMetaDate(), whereMetaExists(), whereMetaNotExists()
Tax query whereTax()
Date query whereDate(), whereDateAfter(), whereDateBefore()
Query-shaping flags idsOnly(), noFoundRows(), withMetaCache(), withTermCache()
Conditional & hooks when(), unless(), tap()
Macros macro(), hasMacro(), flushMacros()
Escape hatch tapArgs()
Introspection toArgs(), explain()
Terminals get(), toArray(), wpQuery(), timber()
Terms core taxonomy(), objectIds(), hideEmpty(), slug(), name(), fields(), include(), exclude(), excludeTree(), parent(), childOf(), childless(), search()
Terms pagination / ordering limit(), offset(), page(), orderBy()
Terms meta query whereMeta(), orWhereMeta()
Terms terminal get(), timber()

πŸ€” Why Fluent?

WP_Query arrays are powerful, but as they grow they become harder to scan, review, and refactor.

Quartermaster gives you:

  • ✨ Better readability β€” query intent is expressed step-by-step
  • 🧩 Better composability β€” add or remove clauses without rewriting a large array
  • πŸ›‘οΈ Better safety β€” methods are explicit about which WP args they set
  • πŸ” Better debugging β€” inspect exact output with toArgs() and explain()

You still end up with plain WordPress args.
No ORM. No hidden query engine. No lock-in. Just well-organised cargo. βš“

Sometimes raw WP_Query is fine β€” if your query is short and static, use it.
Quartermaster shines when queries evolve, branch, or need to be composed without losing your bearings. 🧭

🧠 Design Philosophy

Quartermaster is intentionally light-touch:

  • 🧱 WordPress-native β€” every fluent method maps directly to real WP_Query keys
  • πŸ«™ Zero side effects by default β€” Quartermaster::posts()->toArgs() is empty
  • 🎯 Opt-in only β€” nothing changes unless you call a method
  • πŸ”Œ Loosely coupled β€” no mutation of WordPress internals, no global state changes
  • 🌲 Timber-agnostic core β€” Timber support is optional and runtime-guarded
  • 🧭 Explicit over magic β€” sharp WP edges are documented, not hidden

Steady hands on the wheel, predictable seas ahead. 🚒

Quartermaster::posts()->toArgs(); // []

🚫 Non-Goals (Read Before Boarding)

Quartermaster deliberately does not aim to:

  • Replace WP_Query or abstract it away
  • Act as an ORM or ActiveRecord layer
  • Hide WordPress limitations (e.g. tax/meta OR logic)
  • Automatically infer defaults or β€œbest practices”
  • Replace WordPress term query APIs

If WordPress requires a specific argument shape, Quartermaster expects you to be explicit.
No fog, no illusions, no siren songs. πŸ§œβ€β™€οΈ

πŸš€ Quick Start

posts('event') is a convenience seed only. It only sets post_type and does not infer any other query args.

Quartermaster::posts('event');

// is equivalent to

Quartermaster::posts()->postType('event');

prepare() remains available as a low-level backwards-compatible alias.

use PressGang\Quartermaster\Quartermaster;

$args = Quartermaster::posts()
    ->postType('event')
    ->status('publish')
    ->paged(10)
    ->orderByMeta('start', 'ASC')
    ->search(get_query_var('s'))
    ->toArgs();

Run the query and get posts:

$posts = Quartermaster::posts()
    ->postType('event')
    ->status('publish')
    ->get();

When you need the full WP_Query object (pagination metadata, found rows, loop state):

$query = Quartermaster::posts()
    ->postType('event')
    ->status('publish')
    ->wpQuery();

$posts = $query->posts;
$total = $query->found_posts;

🌿 Terms Quick Start

use PressGang\Quartermaster\Quartermaster;

$terms = Quartermaster::terms('category')
    ->hideEmpty()
    ->orderBy('name')
    ->limit(20)
    ->get();

Filter by slug, get just IDs, or scope to a specific post:

// Terms attached to a specific post
$tags = Quartermaster::terms('post_tag')
    ->objectIds($post->ID)
    ->get();

// Leaf categories only (no children), return IDs
$leafIds = Quartermaster::terms('category')
    ->childless()
    ->fields('ids')
    ->get();

// Find terms by slug
$terms = Quartermaster::terms('genre')
    ->slug(['rock', 'jazz'])
    ->hideEmpty(false)
    ->get();

// All descendants of a parent term
$children = Quartermaster::terms('category')
    ->childOf(5)
    ->excludeTree(12)
    ->get();

// Get Timber term objects (runtime-guarded)
$timberTerms = Quartermaster::terms('category')
    ->hideEmpty()
    ->orderBy('name')
    ->timber();

Inspect generated args:

$args = Quartermaster::terms('category')
    ->hideEmpty(false)
    ->whereMeta('featured', 1)
    ->toArgs();

πŸ”— Binding Query Vars (Two Styles)

Nothing reads query vars unless you explicitly call bindQueryVars().

Map style with Bind::*:

use PressGang\Quartermaster\Bindings\Bind;
use PressGang\Quartermaster\Quartermaster;

$q = Quartermaster::posts('route')->bindQueryVars([
    'paged' => Bind::paged(),
    'orderby' => Bind::orderBy('date', 'DESC', ['title' => 'ASC']),
    'shape' => Bind::tax('route_shape'),
    'difficulty' => Bind::tax('route_difficulty'),
    'min_distance' => Bind::metaNum('distance_miles', '>='),
    'max_distance' => Bind::metaNum('distance_miles', '<='),
    'search' => Bind::search(),
]);

Fluent binder style with Binder:

use PressGang\Quartermaster\Bindings\Binder;
use PressGang\Quartermaster\Quartermaster;

$q = Quartermaster::posts('route')->bindQueryVars(function (Binder $b): void {
    $b->paged();
    $b->orderBy('orderby', 'date', 'DESC', ['title' => 'ASC']);
    $b->tax('district'); // district -> district
    $b->tax('shape', 'route_shape'); // shape -> route_shape
    $b->tax('difficulty', 'route_difficulty');
    $b->metaNum('min_distance')->to('distance_miles', '>=');
    $b->metaNum('max_distance')->to('distance_miles', '<=');
    $b->search('search');
});

If no taxonomy is provided, Binder assumes the taxonomy name matches the query var key.

Both styles are explicit and compile to the same binding map. No smuggling, no hidden defaults.

πŸ—“οΈ Common Pattern: Meta Date vs Today

Filtering by a meta date (e.g. upcoming vs past events) is a very common WordPress pattern.

$isArchive = isset($_GET['archive']);

$q = Quartermaster::posts()
    ->postType('event')
    ->status('publish')
    ->whereMetaDate('start', $isArchive ? '<' : '>=')
    ->orderByMeta('start', $isArchive ? 'DESC' : 'ASC');

This keeps intent explicit:

  • whereMetaDate(...) adds a meta_query DATE clause
  • orderByMeta(...) controls ordering separately

No hidden assumptions. No barnacles. βš“

πŸ”Œ Macros (Project-Level Sugar)

Macros let you register project-specific fluent methods without bloating the core API. They are opt-in, not part of core β€” use them for patterns that repeat across your project.

Quartermaster::macro('orderByMenuOrder', function (string $dir = 'ASC') {
    return $this->orderBy('menu_order', $dir);
});

$posts = Quartermaster::posts('page')
    ->orderByMenuOrder()
    ->status('publish')
    ->get();

Macros should call existing Quartermaster methods β€” avoid mutating internal args directly. Macro invocations are recorded in explain() as macro:<name> for debuggability.

Register macros in your theme's functions.php or a service provider. Both builders (Quartermaster and TermsBuilder) support macros independently.

πŸ”€ Conditional Queries & Hooks

when(), unless(), and tap() keep fluent chains readable without introducing magic or hidden state. None of them read globals or add defaults.

when() β€” runs a closure when the condition is true:

$q = Quartermaster::posts('event')
    ->when($isArchive, fn ($q) =>
        $q->whereMetaDate('start', '<')->orderByMeta('start', 'DESC')
    )
    ->when(! $isArchive, fn ($q) =>
        $q->whereMetaDate('start', '>=')->orderByMeta('start', 'ASC')
    );

Or with an else clause:

$q = Quartermaster::posts('event')
    ->when(
        $isArchive,
        fn ($q) => $q->orderBy('date', 'DESC'),
        fn ($q) => $q->orderBy('date', 'ASC'),
    );

unless() β€” inverse of when() (unless($x) is when(!$x)):

$q = Quartermaster::posts('event')
    ->unless($isArchive, fn ($q) =>
        $q->whereMetaDate('start', '>=')->orderByMeta('start', 'ASC')
    );

tap() β€” always runs a closure, for builder-level logic without breaking the chain:

$q = Quartermaster::posts('event')
    ->tap(function ($q) use ($debug) {
        if ($debug) {
            $q->noFoundRows();
        }
    })
    ->status('publish');

All three are recorded in explain() for debuggability. No magic, no hidden state. βš“

🌲 Optional Timber Terminal

$posts = Quartermaster::posts()
    ->postType('event')
    ->status('publish')
    ->timber();

If Timber is unavailable, Quartermaster throws a clear runtime exception rather than hard-coupling Timber into core.

πŸ” Debugging & Introspection

Ordering direction is explicit: Quartermaster accepts only ASC/DESC; invalid values are normalized to method defaults and surfaced in explain() warnings.

Inspect generated args:

$args = Quartermaster::posts()
    ->postType('event')
    ->toArgs();

Inspect args plus applied calls and warnings:

$explain = Quartermaster::posts()
    ->orderBy('meta_value')
    ->explain();

Perfect for reviews, debugging, and keeping junior crew out of trouble. 🧭

Smooth seas and predictable queries.
Happy sailing. βš“πŸš’