The Moox Core package provides common features, used by all Moox packages. If you use Moox Builder to create your own Moox package, these features are already included and pre-configured.
- Dynamic Tabs - create your own tabs just by a few lines of configuration
- Dynamic Taxonomies - attach hierarchical or flat taxonomies to your items
- Simple Items - provides simple form actions and features
- Soft Delete Items - provides soft delete actions, features and tabs
- Publishable Items - provides publis and soft delete features, actions and tabs
The last three features provide traits for model, resource and resource pages. They are named Single... as they can not be used together with other Single... traits. You need to also include the Base traits. Example:
use Moox\Core\Traits\Base\BaseInResource;
use Moox\Core\Traits\SoftDelete\SingleSoftDeleteInResource;
class YourResource extends Resource
{
    use BaseInResource;
    use SingleSoftDeleteInResource;
}This part is currently not well documented. We will cover that soon.
Moox is installed by the Moox Installer, that includes Moox Core and all other Moox packages, that you previously required.
composer require moox/core
php artisan moox:installMoox Core requires these packages:
- https://filamentphp.com/ and https://laravel.com/ usually in the latest stable version, see composer.json
- https://github.com/Pharaonic/laravel-readable - for formatting numbers and dates to be human readable
- https://github.com/ryangjchandler/filament-progress-column - to use progress bars in Filament tables
- https://github.com/codeat3/blade-google-material-design-icons - we use Google Material Design Icons
This trait provides functionality for creating dynamic tabs in Filament resources.
- getDynamicTabs(string $configPath, string $modelClass): Returns an array of dynamic tabs based on configuration.
The DynamicTabs trait is already implemented in all Moox packages including Moox Builder. If you want to implement this feature in your existing package:
use Moox\Core\Traits\Tabs\HasListPageTabs;
class ListItems extends ListRecords
{
    use HasListPageTabs;
    public function getTabs(): array
    {
        return $this->getDynamicTabs('package.resources.item.tabs', YourModel::class);
    }
}Provide a configuration like:
    'resources' => [
        'item' => [
            /*
            |--------------------------------------------------------------------------
            | Tabs
            |--------------------------------------------------------------------------
            |
            | Define the tabs for the Resource table. They are optional, but
            | pretty awesome to filter the table by certain values.
            | You may simply do a 'tabs' => [], to disable them.
            |
            */
            'tabs' => [
                'all' => [
                    'label' => 'trans//core::core.all',
                    'icon' => 'gmdi-filter-list',
                    'query' => [],
                ],
                'documents' => [
                    'label' => 'trans//core::core.documents',
                    'icon' => 'gmdi-text-snippet',
                    'query' => [
                        [
                            'field' => 'expiry_job',
                            'operator' => '=',
                            'value' => 'Documents',
                        ],
                    ],
                ],
            ],
        ],
    ],If you want to disable tabs for this resource, just do a
            'tabs' => [],A pretty basic example:
            'tabs' => [
                'all' => [
                    'label' => 'trans//core::core.all',
                    'icon' => 'gmdi-filter-list',
                    'query' => [],
                ],
                'user' => [
                    'label' => 'trans//core::core.user_session',
                    'icon' => 'gmdi-account-circle',
                    'query' => [
                        [
                            'field' => 'user_id',
                            'operator' => '!=',
                            'value' => null,
                        ],
                    ],
                  	'visible' => true,
                ],
            ],The visible-option is not necessary, as it defaults to true. But if you want to toggle the visibility of a Tab, you can use a Closure like this:
                    'visible' => in_array(rtrim(env('APP_URL'), '/'), [
                    'https://visible.test',
                    'http://localhost',
                ]),See Queries in Config on how to use the query feature.
See Translatable Config on how to use the trans feature.
This trait allows building complex queries from configuration arrays.
- buildQueryFromConfig(array $queryConfig): Builds a query based on the provided configuration.
use Moox\Core\Traits\HasQueriesInConfig;
class YourClass
{
    use HasQueriesInConfig;
    public function someMethod()
    {
        $queryConfig = [
            ['field' => 'status', 'operator' => '=', 'value' => 'open'],
        ];
        $query = $this->buildQueryFromConfig($queryConfig);
    }
}Dynamic Tabs uses the HasQueriesInConfig Trait, that means you can build queries like this:
The simplest query is for the All tab, of course:
					'query' => [],All other queries require three parameters:
                    'query' => [
                        [
                            'field' => 'status',
                            'operator' => '=',
                            'value' => 'open',
                        ],
                    ],Add more, if you need:
                    'query' => [
                        [
                            'field' => 'post_type',
                            'operator' => '=',
                            'value' => 'Post',
                        ],
                        [
                            'field' => 'deleted',
                            'operator' => '!=',
                            'value' => 'false',
                        ],
                    ],We DON'T YET support relations nor the like operator. If you're in the need, we would be happy to merge a PR :-)
                    // TODO: not implemented yet
										'query' => [
                        [
                            'field' => 'user_name',
                            'relation' => 'user',
                            'operator' => 'like',
                            'value' => 'Alf',
                        ],
                    ],The value of a query accepts a closure. Following example is perfect for a "My Tab" as it filters for the current user:
                    'query' => [
                        [
                            'field' => 'user_id',
                            'operator' => '=',
                            'value' => function () {
                                return auth()->user()->id;
                            },
                        ],
                    ],Finally, a special idea and therefor NOT YET implemented: if the value contains a class and a forth parameter hide-if-not-existsset to true, Moox will check, if the class exists and otherwise hide the tab. That allows us to register buttons for packages, that are not necessarily required.
                    // TODO: not implemented yet
										'query' => [
                        [
                            'field' => 'status',
                            'operator' => '=',
                            'value' => 'Moox\Press\Models\WpUser',
                            'hide-if-not-exists' => true,
                        ],
                    ],An practical example (works for Sessions, Devices and other user-related entities):
            'tabs' => [
	            'mine' => [
                    'label' => 'My Sessions',
                    'icon' => 'gmdi-account-circle',
                    'query' => [
                        [
                            'field' => 'user_id',
                            'operator' => '=',
                            'value' => function () {
                                return auth()->user()->id;
                            },
                        ],
                    ],
                ],
                'all' => [
                    'label' => 'trans//core::core.all',
                    'icon' => 'gmdi-filter-list',
                    'query' => [],
                ],
                'user' => [
                    'label' => 'User Sessions',
                    'icon' => 'gmdi-account-circle',
                    'query' => [
                        [
                            'field' => 'user_type',
                            'operator' => '=',
                            'value' => 'Moox\User\Models\User',
                        ],
                    ],
                ],
                'wpuser' => [
                    'label' => 'WordPress Sessions',
                    'icon' => 'gmdi-account-circle',
                    'query' => [
                        [
                            'field' => 'user_type',
                            'operator' => '=',
                            'value' => 'Moox\Press\Models\WpUser',
                        ],
                    ],
                ],
                'anonymous' => [
                    'label' => 'Anonymous Sessions',
                    'icon' => 'gmdi-no-accounts',
                    'query' => [
                        [
                            'field' => 'user_id',
                            'operator' => '=',
                            'value' => null,
                        ],
                    ],
                ],
            ],And finally the most-known mistake, throws "Cannot access offset of type string on string":
        'query' => [
						'field' => 'user_id',
						'operator' => '=',
						'value' => null,
        ],So don't forget to put the query in an extra array, even if it is a single query.
As mentioned, the HasQueriesInConfig trait is used in HasListPageTabs, another Trait in Moox Core. Please code dive there, to see how to implement the Feature from outside Moox.
This trait provides functionality for translating configuration values.
This trait is already loaded in Moox Core. If your package requires Moox Core, you should not use this trait.
- translateConfigurations(): Translates configuration values based on defined translation keys.
Do not use this trait, if your package requires Moox Core!
use Moox\Core\Traits\HasTranslatableConfig;
class YourServiceProvider extends ServiceProvider
{
    use HasTranslatableConfig;
    public function boot()
    {
        $this->translateConfigurations();
    }
}A simple but useful feature is the TranslationsInConfig Trait that is used a lot in our config files, as seen with Tabs:
                    'label' => 'trans//core::core.all',Translations of our packages are generally organized in Moox Core. Only few of our packages ship with own translation files. These packages are registered in the core.php configuration file. If you develop a custom package (preferably using Moox Builder) you need to add your custom package to the Package Registration.
This trait allows access to request data within models.
- getRequestData(string $key): Retrieves request data for the given key.
use Moox\Core\Traits\RequestInModel;
class YourModel extends Model
{
    use RequestInModel;
    public function someMethod()
    {
        $data = $this->getRequestData('some_key');
    }
}The RequestInModel Trait is currently used by all Moox Press packages. It allows us to use the request data in some of our models. You can code dive into Moox\Press\Models\WpTerm.php, to find more code examples. The basic implementation looks like this:
use Illuminate\Database\Eloquent\Model;
use Moox\Core\Traits\RequestInModel;
class WpTerm extends Model
{
	use RequestInModel;
  $description = $wpTerm->getRequestData('description');
}This trait provides methods for using Google Material Design Icons in your application.
- useGoogleIcons(): Configures the application to use Google Material Design Icons.
use Moox\Core\Traits\HasGoogleIcons;
class YourServiceProvider extends ServiceProvider
{
    use HasGoogleIcons;
    public function boot()
    {
        $this->useHasGoogleIcons();
    }
}As Google Material Design Icons provides one of the largest sets of high quality icons, we decided to use them as default for Moox. The HasGoogleIcons Trait changes the default Filament Icons, too. It is used in the CoreServiceProvider like this:
You can disable Google Icons and use the Filament default icons instead, see config.
This trait provides functionality for models to work with dynamic taxonomies.
- taxonomy(string $taxonomy): Returns a MorphToMany relationship for the given taxonomy.
- syncTaxonomy(string $taxonomy, array $ids): Syncs the given taxonomy with the provided IDs.
use Moox\Core\Traits\Taxonomy\HasModelTaxonomy;
class YourItem extends Model
{
    use HasModelTaxonomy;
    protected function getResourceName(): string
    {
        return 'youritem'; // name your item
    }
    // ... other model code ...
    // Add a polymorphic relation
    public function youritemables(string $type): MorphToMany
    {
        return $this->morphedByMany($type, 'youritemable');
    }
    // Delete relations on (soft)-delete
    public function detachAllYouritemables(): void
    {
        DB::table('youritemables')->where('youritem_id', $this->id)->delete();
    }
  	// Needed for deletion
    protected static function booted(): void
    {
        static::deleting(function (YourItem $youritem) {
            $youritem->detachAllYouritemables();
        });
    }
}> [!WARNING]
> We do not soft-delete the polymorphics, so if you restore a Taxonomy, these are lost.
This trait provides methods for generating Filament form fields, table columns, and filters for dynamic taxonomies.
- getTaxonomyFields(): Returns an array of Filament form fields for taxonomies.
- getTaxonomyFilters(): Returns an array of Filament table filters for taxonomies.
- getTaxonomyColumns(): Returns an array of Filament table columns for taxonomies.
- handleTaxonomies(Model $record, array $data): Handles saving taxonomy relationships.
use Moox\Core\Traits\Taxonomy\HasResourceTaxonomy;
class YourResource extends Resource
{
    use HasResourceTaxonomy;
    public static function form(Form $form): Form
    {
        return $form->schema([
            // ... other fields ...
            ...static::getTaxonomyFields(),
        ]);
    }
    public static function table(Table $table): Table
    {
        return $table
            ->columns([
                // ... other columns ...
                ...static::getTaxonomyColumns(),
            ])
            ->filters([
                // ... other filters ...
                ...static::getTaxonomyFilters(),
            ]);
    }
}This trait provides methods for handling dynamic taxonomies in Filament resource pages.
- handleTaxonomies(): Handles saving taxonomy relationships.
- mutateFormDataBeforeFill(array $data): Prepares taxonomy data for form filling.
- refreshTaxonomyFormData(): Refreshes taxonomy form data after save.
use Moox\Core\Traits\Taxonomy\HasPagesTaxonomy;
class EditYourModel extends EditRecord
{
    use HasPagesTaxonomy;
    // ... other page code ...
}Log Level is a useful feature to debug things in Moox, even when you're in production, or get your logs silent while developing.
    $this->logDebug('This is a debug message');
    $this->logInfo('This is an info message');You can adjust the log level and whether to log in production in Moox Core's Config.
This service manages taxonomy configurations and provides utility methods for working with taxonomies.
- setCurrentResource(string $resource): Sets the current resource context.
- getTaxonomies(): Returns all configured taxonomies for the current resource.
- getTaxonomyModel(string $taxonomy): Returns the model class for a given taxonomy.
- validateTaxonomy(string $taxonomy): Validates a taxonomy configuration.
use Moox\Core\Services\TaxonomyService;
class YourClass
{
    protected TaxonomyService $taxonomyService;
    public function __construct(TaxonomyService $taxonomyService)
    {
        $this->taxonomyService = $taxonomyService;
        $this->taxonomyService->setCurrentResource('your_resource');
    }
    public function someMethod()
    {
        $taxonomies = $this->taxonomyService->getTaxonomies();
        // ... use taxonomies ...
    }
}This service provides DNS lookup functionality.
- getIpAddress(string $domain): Retrieves the IP address for a given domain.
use Moox\Core\Services\DnsLookupService;
class YourClass
{
    public function someMethod(string $domain)
    {
        $ipAddress = DnsLookupService::getIpAddress($domain);
    }
}That Service is currently used in Moox Sync's PlatformResource like so:
use Moox\Core\Services\DnsLookupService;
class PlatformResource extends Resource
{
		public static function form(Form $form): Form
    {
        return $form->schema([
            Section::make()->schema([
                Grid::make(['default' => 0])->schema([
                  TextInput::make('domain')
                        ->label(__('core::core.domain'))
                        ->rules(['max:255', 'string'])
                        ->required()
                        ->unique(ignoreRecord: true)
                        ->live(debounce: 500)
                        ->afterStateUpdated(function ($state, callable $set) {
                            if (empty($state)) {
                                $set('ip_address', 'The host is not resolvable');
                            } else {
                                $ipAddress = DnsLookupService::getIpAddress($state);
                                $set('ip_address', $ipAddress ?: 'The host is not resolvable');
                            }
                        })
                  ]),
            ]),
        ]);This class provides a schema for creating taxonomy entries.
use Moox\Tag\Forms\TaxonomyCreateForm;
class YourResource extends Resource
{
    public static function form(Form $form): Form
    {
        return $form->schema([
            // ... other fields ...
            ...TaxonomyCreateForm::getSchema(),
        ]);
    }
}This form includes fields for title and slug, as these are needed for creating Taxonomies. As your taxonomy might need further fields, you can use your own form to create your custom taxonomies.
The Core API api/core provides all available packages (and their configuration).
It is currently not used, and may be changed or removed.
The Models API api/models provides all available and loaded models. It is used by Moox Sync, for example.
The Models API is work in progress. It probably will be secured.
The Shared Hosting API schedule/run is used to run scheduled tasks in shared hosting environments.
https://yourdomain.com/schedule/run?token=secure
If you want to use the Shared Hosting API, you need to set the SHARED_HOSTING_ENABLED config to true and the SHARED_HOSTING_TOKEN config to a secure token.
Register Moox packages and custom packages in the config/core.php file:
Moox has a simple package registration. To ensure that some features of Moox Core are only available for known packages, all Moox packages and all custom packages, created with Moox Builder, need to register here:
    /*
    |--------------------------------------------------------------------------
    | Moox Packages
    |--------------------------------------------------------------------------
    |
    | This config array registers all known Moox packages. You may add own
    | packages to this array. If you use Moox Builder, these packages
    | work out of the box. Adding a non-compatible package fails.
    |
    */
    'packages' => [
        'audit' => 'Moox Audit',
        'builder' => 'Moox Builder',
        'core' => 'Moox Core',
        'expiry' => 'Moox Expiry',
        'jobs' => 'Moox Jobs',
        'login-link' => 'Moox Login Link',
        'notifications' => 'Moox Notifications',
        'page' => 'Moox Page',
        'passkey' => 'Moox Passkey',
        'permission' => 'Moox Permission',
        'press' => 'Moox Press',
        'press-wiki' => 'Moox Press Wiki',
        'security' => 'Moox Security',
        'sync' => 'Moox Sync',
        'training' => 'Moox Trainings',
        'user' => 'Moox User',
        'user-device' => 'Moox User Device',
        'user-session' => 'Moox User Session',
    ],
];You can publish the Moox Core configuration file and add own packages:
php artisan vendor:publish --tag="core-config"but remember to update the Array regularly then, to allow newer Moox packages to work flawlessly.
You can disable Google Icons, and use the Filament default iconset (Heroicons) instead.
This disables the replacement of the Filament core icons, done in Core, as well as the individual icons of most of our packages. Some packages will remain with Google Icons, because there is no corresponding icon in the Heroicon set.
    /*
    |--------------------------------------------------------------------------
    | Google Icons
    |--------------------------------------------------------------------------
    |
    | We use Google Material Design Icons, but if you want to use the
    | Heroicons, used by Filament as default, you can disable the
    | Google Icons here. This will affect the whole application.
    |
    */
    'google_icons' => true,You can adjust the log level and whether to log in production. Currently used by Moox Sync and soon by other Moox packages, too.
    /*
    |--------------------------------------------------------------------------
    | Logging
    |--------------------------------------------------------------------------
    |
    | This config array sets the logging level and whether to log in
    | production. It is used by some Moox packages where verbose
    | logging is a good thing while implementing complex stuff.
    |
    */
    'logging' => [
        'verbose_level' => env('VERBOSE_LEVEL', 0), // 0: Off, 1: Debug, 2: Info, 3: All
        'log_in_production' => env('LOG_IN_PRODUCTION', false),
    ],You can enable shared hosting features. This is useful if you want to run scheduled tasks in shared hosting environments. It allows you to run the queue:work and 'schedule:run' command from an URL
    /*
    |--------------------------------------------------------------------------
    | Shared Hosting
    |--------------------------------------------------------------------------
    |
    | This config array sets the shared hosting token. This token is used to
    | authenticate requests from shared hosting environments.
    |
    */
    'shared_hosting' => [
        'enabled' => env('SHARED_HOSTING_ENABLED', false),
        'token' => env('SHARED_HOSTING_TOKEN', 'secret'),
    ],Moox Core provides a couple of (non-publishable) assets, loaded by a dynamic route. All images and assets in /public can be used like url('/moox/core/assets/noimage.svg'.
Please see CHANGELOG for more information on what has changed recently.
Please review our security policy on how to report security vulnerabilities.
The MIT License (MIT). Please see License File for more information.