Platenum
The PHP enumeration type library
Install / Use
/learn @thunderer/PlatenumREADME
Platenum
Platenum provides a flexible and feature-complete solution for enumerations (enums) in PHP with no external dependencies. The name comes from the Latin term for a Platinum chemical element.
Installation
This library is available on Packagist and can be installed with Composer in projects supporting PHP 7.1 and above:
composer require thunderer/platenum
Usage
Create a new class with members definition:
<?php
declare(strict_types=1);
namespace X;
use Thunder\Platenum\Enum\ConstantsEnumTrait;
/**
* @method static static ACTIVE()
* @method static static INACTIVE()
* @method static static SUSPENDED()
* @method static static DISABLED()
*/
final class AccountStatusEnum
{
private const ACTIVE = 1;
private const INACTIVE = 2;
private const SUSPENDED = 3;
private const DISABLED = 4;
use ConstantsEnumTrait;
}
Tip: To enable autocomplete for the constant methods, include the
@methoddeclarations as shown in the listing above.
Members instances can be created using either constants methods, members names, or their values:
$active = AccountStatusEnum::ACTIVE();
$alsoActive = AccountStatusEnum::fromMember('ACTIVE');
$stillActive = AccountStatusEnum::fromValue(1);
Enums can be compared using strict === operator or an equals() method:
assert($active === $alsoActive);
assert(true === $active->equals($alsoActive));
Note: Strict comparison
===should be always preferred. Loose==comparison will also work correctly, but it has loads of quirks.
The getValue() method returns the raw value of given instance:
assert(1 === $active->getValue());
enum generator
Classes can be automatically generated using built-in bin/generate utility. It accepts three parameters:
- location of its members (either
constants,docblockorstatic), - (fully qualified) class name, Platenum matches the namespace to your autoloading configuration and puts the file in the proper directory,
- members names with optional values where supported.
Example:
bin/generate constants Thunder\\Platenum\\YourEnum FOO=1,BAR=3
bin/generate docblock Thunder\\Platenum\\YourEnum FOO,BAR
bin/generate static Thunder\\Platenum\\YourEnum FOO,BAR=3
Sources
There are multiple sources from which Platenum can read enumeration members. Base EnumTrait provides all enum functionality without any source, to be defined in a static resolve() method. Each source is available both as a trait which uses EnumTrait with concrete resolve() method implementation and an abstract class based on that trait. Usage of traits is recommended as target enum classes should not have any common type hint.
In this section the StatusEnum class with two members (ACTIVE=1 and DISABLED=2) will be used as an example.
class constants
final class StatusEnum
{
use ConstantsEnumTrait;
private const ACTIVE = 1;
private const DISABLED = 2;
}
final class StatusEnum extends AbstractConstantsEnum
{
private const ACTIVE = 1;
private const DISABLED = 2;
}
class docblock
Note: There is no way to specify members values inside docblock, therefore all members names are also their values - in this case
ACTIVE='ACTIVE'andDISABLED='DISABLED'.
/**
* @method static static ACTIVE()
* @method static static DISABLED()
*/
final class StatusEnum
{
use DocblockEnumTrait;
}
/**
* @method static static ACTIVE()
* @method static static DISABLED()
*/
final class StatusEnum extends AbstractDocblockEnum {}
attributes (PHP 8.0)
Leverage PHP 8.0 features by declaring members through attributes:
#[Member('ACTIVE', 1)]
#[Member('DISABLED', 2)]
final class StatusEnum
{
use AttributeEnumTrait;
}
use Thunder\Platenum\Enum\Member;
#[Member(member: 'ACTIVE', value: 1)]
#[Member(member: 'DISABLED', value: 2)]
final class StatusEnum extends AbstractAttributeEnum {}
static property
final class StatusEnum
{
use StaticEnumTrait;
private static $mapping = [
'ACTIVE' => 1,
'DISABLED' => 2,
];
}
final class StatusEnum extends AbstractStaticEnum
{
private static $mapping = [
'ACTIVE' => 1,
'DISABLED' => 2,
];
}
callback
final class Currency
{
use CallbackEnumTrait;
}
final class Currency extends AbstractCallbackEnum
{
}
Unlike other types, callback enum requires initialization before creating member instances. To make it ready to use, run initialize() method with a callback returning member => value mapping (similar to StaticEnumTrait). This callback will be run exactly once right before creating the first member instance:
Currency::initialize(fn() => [
'PLN' => 985,
'EUR' => 978,
'USD' => 840,
]);
NOTE: This type allows loading members and values mapping from virtually any external place (database, Redis, session, files, etc.). The only requirement for this callable is that it returns a proper
member => valuepairs.
Currency::initialize(fn() => SomeClass::CONSTANT);
Currency::initialize(fn() => $database->sql('...'));
Currency::initialize(fn() => $redis->hGetAll('...'));
Currency::initialize(fn() => json_decode(file_get_contents('...')));
// etc.
custom source
Note: The
resolvemethod will be called only once when the enumeration is used for the first time.
final class StatusEnum
{
use EnumTrait;
private static function resolve(): array
{
return [
'ACTIVE' => 1,
'DISABLED' => 2,
];
}
}
Exceptions
The library throws default PlatenumException with dedicated message for all errors happening in the enum classes. Certain situations may require a dedicated exception class and message. To redefine the exception logic, override one or more of the static methods described below:
throwInvalidMemberException()used when enum receives an invalid enum member in any method,throwInvalidValueException()used when enum receives an invalid enum value in any method.
NOTE: If the overridden method won't throw an exception, the library contains a safeguard which will still throw the default one. This way a development oversight won't hide errors in your application.
final class AccountStatus
{
use ConstantsEnumTrait;
private const ACTIVE = 1;
private const DISABLED = 2;
protected static function throwInvalidMemberException(string $name): void
{
throw new InvalidAccountStatusException($name);
}
protected static function throwInvalidValueException($value): void
{
throw new InvalidAccountStatusValueException($value);
}
}
Persistence
Enumerations are frequently used in entities and mapped in ORMs. Register your custom Doctrine enum type by calling dedicated PlatenumDoctrineType static method:
PlatenumDoctrineType::registerString('currency', Currency::class);
PlatenumDoctrineType::registerInteger('accountStatus', AccountStatus::class);
The alias provided as a first argument can be then used as a Doctrine type, as shown in the listings below (equivalent XML and PHP mapping):
<entity name="App\Entity" table="app_entity">
<id name="id" type="bigint" column="id" />
<field name="currencyCode" type="currency" column="currency_code" />
<field name="status" type="accountStatus" column="status" />
</entity>
final class Entity
{
public static function loadMetadata(ClassMetadata $m): void
{
$m->setPrimaryTable(['name' => 'doctrine_entity']);
$m->mapField(['fieldName' => 'id', 'type' => 'bigint', 'id' => true]);
$m->mapField(['fieldName' => 'code', 'type' => 'currency', 'columnName' => 'code']);
$m->mapField(['fieldName' => 'status', 'type' => 'accountStatus', 'columnName' => 'status']);
}
}
Reasons
There are already a few enum libraries in the PHP ecosystem. Why another one? There are several reasons to do so:
Sources Platenum allows multiple sources for enumeration members. EnumTrait contains all enum functions - extend it with your custom resolve() method to create custom source. In fact, all enumeration sources in this repository are defined this way.
Features Platenum provides complete feature set for all kinds of operations on enumeration members, values, comparison, transformation, and more. Look at PhpEnumerations project to see the feature matrix created during development of this library.
Inheritance Existing solutions use inheritance for creating enum classes:
class YourEnum extends LibraryEnum
{
const ONE = 1;
const TWO
Related Skills
node-connect
352.5kDiagnose OpenClaw node connection and pairing failures for Android, iOS, and macOS companion apps
frontend-design
111.3kCreate distinctive, production-grade frontend interfaces with high design quality. Use this skill when the user asks to build web components, pages, or applications. Generates creative, polished code that avoids generic AI aesthetics.
openai-whisper-api
352.5kTranscribe audio via OpenAI Audio Transcriptions API (Whisper).
qqbot-media
352.5kQQBot 富媒体收发能力。使用 <qqmedia> 标签,系统根据文件扩展名自动识别类型(图片/语音/视频/文件)。


