monkeyscloud / monkeyslegion-skeleton
Starter project for the MonkeysLegion framework
Installs: 96
Dependents: 0
Suggesters: 0
Security: 0
Stars: 9
Watchers: 1
Forks: 1
Open Issues: 0
Type:project
pkg:composer/monkeyscloud/monkeyslegion-skeleton
Requires
- php: ^8.4
- laminas/laminas-diactoros: ^3.6
- monkeyscloud/monkeyslegion: ^1.0
- monolog/monolog: ^3.9
Requires (Dev)
- http-interop/http-factory-tests: ^2.2
- phpunit/phpunit: ^11.0
This package is auto-updated.
Last update: 2025-10-20 18:36:24 UTC
README
A production-ready starter for building web apps & APIs with the MonkeysLegion framework.
Includes:
- PSR-11 DI Container with config-first definitions
- PSR-7/15 HTTP stack (Request, Response, Middleware, Emitter)
- Attribute-based Router v2 with auto-discovery
- Live OpenAPI 3.1 & Swagger UI (
/openapi.json
,/docs
) - Validation layer (DTO binding + attribute constraints)
- Sliding-window Rate-Limiter (IP + User buckets)
- MLView component templating
- CLI toolbox (migrations, cache, key-gen, scaffolding)
- Entity → Migration SQL diff generator
- Schema auto-update (
schema:update
) - Fixtures & Seeds commands
- Dev-server with hot reload
🚀 Quick-start
composer create-project monkeyscloud/monkeyslegion-skeleton my-app cd my-app cp .env.example .env # configure DB, secrets composer install php ml key:generate composer serve # or php vendor/bin/dev-server open http://127.0.0.1:8000 # your first MonkeysLegion page
📁 Project layout
my-app/
├─ app/
│ ├─ Controller/ # HTTP controllers (auto-scanned)
│ ├─ Dto/ # Request DTOs with validation attributes
│ └─ Entity/ # DB entities
├─ config/
│ ├─ app.php # DI definitions (services & middleware)
│ ├─ database.php # DSN + creds
│ └─ *.mlc # key-value config (CORS, cache, auth,…)
├─ public/ # Web root (index.php, assets)
├─ resources/
│ └─ views/ # MLView templates & components
├─ var/
│ ├─ cache/ # compiled templates, rate-limit buckets
│ └─ migrations/ # auto-generated SQL
├─ database/
│ └─ seeders/ # generated seeder stubs
├─ tests/ # PHPUnit integration/unit tests
│ └─ IntegrationTestCase.php
├─ vendor/ # Composer deps
├─ bin/ # Dev helpers (ml, dev-server)
├─ phpunit.xml # PHPUnit config
└─ README.md
🔨 Configuration & DI
All services are wired in config/app.php
. Customize:
- Database DSN & credentials (
config/database.php
) - CORS, cache, auth (
.mlc
files) - Middleware order, validation, rate-limit thresholds
- CLI commands registered in
CliKernel
⚙️ Routing & Controllers
Attribute syntax v2
use MonkeysLegion\Router\Attributes\Route; use Psr\Http\Message\ResponseInterface; final class UserController { #[Route('GET', '/users', summary: 'List users', tags: ['User'])] public function index(): ResponseInterface { /* … */ } #[Route('POST', '/login', name: 'user_login', tags: ['Auth'])] public function login(): ResponseInterface { /* … */ } #[Route(['PUT','PATCH'], '/users/{id}', summary: 'Update user')] public function update(string \$id): ResponseInterface { /* … */ } }
- Controllers under
app/Controller
auto-registered. - Imperative routes via
$router->add()
still available.
Live API docs
Endpoint | Description |
---|---|
GET /openapi.json |
OpenAPI 3.1 spec (generated) |
GET /docs |
Swagger UI |
🔒 Validation Layer
namespace App\Dto; use MonkeysLegion\Validation\Attributes as Assert; final readonly class SignupRequest { public function __construct( #[Assert\NotBlank, Assert\Email] public string \$email, #[Assert\Length(min: 8, max: 64)] public string \$password, ) {} }
- Binds JSON & query params into DTOs.
- On validation failure returns 400 with
{ "errors": […] }
.
🚦 Rate Limiting
-
Hybrid buckets: per-user (
uid
) or per-IP. -
Defaults: 200 req / 60 s. Configurable in
config/app.php
. -
Headers:
X-RateLimit-Limit: 200 X-RateLimit-Remaining: 123 X-RateLimit-Reset: 1716509930
-
429 responses include
Retry-After
.
🖼 MLView Templating
Place templates in resources/views/
with .ml.php
extension. MLView supports:
- Escaped output:
{{ $var }}
- Raw output:
{!! $html !!}
- Components:
<x-foo>
includesviews/components/foo.ml.php
- Slots:
<x-layout>…</x-layout>
with@slot('name')…@endslot
- Layout inheritance:
- Child views start with
@extends('layouts.app')
- Define blocks in the child with
@section('name')…@endsection
- In the parent layout, use
@yield('name')
to inject each block
- Child views start with
- Control structures:
@if … @endif
,@foreach … @endforeach
💾 Entities & Migrations
use MonkeysLegion\Entity\Attributes\Field; class User { #[Field(type: 'string', length: 255)] private string \$email; }
php ml make:migration # diff → var/migrations/ php ml migrate # apply migrations php ml rollback # revert last migration
🌱 Fixtures & Seeds
php ml make:seeder UsersTable # create App/Database/Seeders/UsersTableSeeder.php php ml db:seed # run all seeders php ml db:seed UsersTable # run only UsersTableSeeder
🛠 CLI Cheatsheet
php ml make:dkim-pkey # Generate DKIM private and public key files php ml mail:install # Publish Mail scaffolding into your project php ml make:dkim-pkey # Generate DKIM private and public key files php ml key:generate # Generate a new APP_KEY in your .env file php ml db:create # Create the schema using .env credentials php ml cache:clear # Clear the compiled view cache (var/cache/views) php ml make:mail Mail # Generate a new Mailable class php ml make:entity User # Generate or update an Entity class with fields & relationships php ml make:controller User # Generate a new Controller class stub php ml make:middleware Auth # Generate a new Middleware class stub php ml make:policy User # Generate a new Policy class stub php ml make:migration # Generate SQL diff from entities to MySQL schema php ml migrate # Run outstanding migrations php ml rollback # Undo the last batch of migrations php ml route:list # Display all registered routes. php ml openapi:export # Dump OpenAPI spec to stdout or a file. php ml schema:update # Compare entities → database and apply missing tables/columns (use --dump or --force) php ml make:seeder UsersTable # Generate a new database seeder class stub php ml db:seed # Run database seeders (optionally specify one) php ml tinker # Interactive REPL (Tinker) with Container bootstrapped # if monkeyscloud/monkeyslegion-stripe installed php ml stripe:install #Publish Stripe scaffolding into your project
✅ Testing & Build
Test Harness
A base PHPUnit class tests/IntegrationTestCase.php
provides:
-
DI bootstrapping from
config/app.php
-
PSR-15 pipeline via
MiddlewareDispatcher
-
createRequest($method, $uri, $headers, $body)
to craft HTTP requests -
dispatch($request)
to get aResponseInterface
-
Assertions:
assertStatus(Response, int)
assertJsonResponse(Response, array)
Example:
namespace Tests\Controller; use Tests\IntegrationTestCase; final class HomeControllerTest extends IntegrationTestCase { public function testIndexReturnsHtml(): void { \$request = \$this->createRequest('GET', '/'); \$response = \$this->dispatch(\$request); \$this->assertStatus(\$response, 200); \$this->assertStringContainsString('<h1>', (string)\$response->getBody()); } public function testApiReturnsJson(): void { \$request = \$this->createRequest( 'GET', '/api/users', ['Accept'=>'application/json'] ); \$response = \$this->dispatch(\$request); \$this->assertStatus(\$response, 200); \$this->assertJsonResponse(\$response, [ /* expected data */ ]); } }
Setup
-
Add test autoload in
composer.json
:"autoload-dev": { "psr-4": { "Tests\\": "tests/" } }
-
Create
phpunit.xml
pointing totests/
with bootstrapvendor/autoload.php
. -
Run:
composer dump-autoload ./vendor/bin/phpunit
🤝 Contributing
- Fork 🍴
- Create a feature branch 🌱
- Submit a PR 🚀
Happy hacking with MonkeysLegion! 🎉
Contributors
![]() Jorge Peraza |
![]() Amanar Marouane |