Joomla Developer Manual
Manual Index
CLI example - Onoffbydate
Introduction¶
There are occasions when a site needs to display or hide a module depending on the date. One example might be a custom html module displaying a message during winter. Another might be alternation of custom modules depending on the day of the week, say one for weekdays and another for weekends. The example presented here uses a plugin, a cli command and a cron to achieve the desired effect.
The code is available from GitHub
There are more articles on the use of the CLI in the User Manual and in the Joomla! Programmers Documentation local copy or original source;
Joomla Standards¶
In earlier versions of Joomla the plugin system used an implementation of the Observable/Observer pattern. As a result, every plugin being loaded would immediately have all of its public methods registered as observers. This could cause problems.
Joomla 4 and later uses the Joomla Framework Event package to handle plugin Events. This provides for better performance and security. In practical terms it means that the file structure of a Joomla 4/5/6 plugin is different from the Legacy plugin structure from earlier versions.
The Plugin Structure¶
The plugin is named onoffbydate. The following schematic diagram shows the file structure used for local development of the plugin:
cefjdemos-plg-onoffbydate
|-- .vscode (folder for build settings)
|-- cefjdemos-plg-onoffbydate (folder compressed to create an installable zip file)
|-- language
|-- en-GB (language folder, kept with the extension code)
|-- plg_system_onoffbydate.ini
|-- plg_system_onoffbydate.sys.ini
|-- services (folder for dependency injection)
|-- provider.php (the DI code)
|-- src (folder for namespaced classes)
|-- Console (folder for extension specific code)
|-- OnoffbydateCommand.php (the plugin execution code)
|-- Extension
|-- Onoffbydate.php (the plugin register code)
|-- onoffbydate.xml (the manifest file)
|-- .gitignore (items not to include in the git repository)
|-- build.xml (instructions for building the extension with phing)
|-- changelog.xml (a record of changes in each release)
|-- README.md (brief description and instructions on use)
|-- updates.xml (the update server specification)
The Manifest File onoffbydate.xml¶
This is the installation file - a standard item for any extension.
<?xml version="1.0" encoding="utf-8"?>
<extension type="plugin" group="console" method="upgrade">
<name>plg_console_onoffbydate</name>
<author>Clifford E Ford</author>
<creationDate>Jamuary 2025</creationDate>
<copyright>(C) Clifford E Ford</copyright>
<license>GNU General Public License version 3 or later</license>
<authorEmail>cliff@xxx.yyy.co.uk</authorEmail>
<version>0.3.0</version>
<description>PLG_CONSOLE_ONOFFBYDATE_DESCRIPTION</description>
<namespace path="src">Cefjdemos\Plugin\Console\Onoffbydate</namespace>
<files>
<folder>language</folder>
<folder plugin="onoffbydate">services</folder>
<folder>src</folder>
</files>
<changelogurl>https://raw.githubusercontent.com/ceford/cefjdemos-plg-onoffbydate/main/changelog.xml</changelogurl>
<updateservers>
<!-- Note: No spaces or linebreaks allowed between the server tags -->
<server type="extension" priority="2" name="Cefjdemosonoffbydate Update Site">https://raw.githubusercontent.com/ceford/cefjdemos-plg-onoffbydate/main/updates.xml</server>
</updateservers>
<config>
<fields>
</fields>
</config>
</extension>
- The namespace line tells Joomla where to find the namespaced code for this plugin.
- The language folder is kept with the plugin code.
- An updateserver is required to satisfy the JED requirements.
- There are no config options for this plugin but it might be changed in the future. For example, the user might prefer to set the winter months using checkboxes rather than have them hard coded.
Registration: services/provider.php¶
This is the entry point for the plugin code.
<?php
/**
* @package Cefjdemos.Plugin
* @subpackage Console.Onoffbydate
*
* @copyright Copyright (C) 2025 Clifford E Ford.
* @license GNU General Public License version 3 or later.
*/
// phpcs:disable PSR1.Files.SideEffects
\defined('_JEXEC') or die;
// phpcs:enable PSR1.Files.SideEffects
use Joomla\CMS\Extension\PluginInterface;
use Joomla\CMS\Plugin\PluginHelper;
use Joomla\DI\Container;
use Joomla\DI\ServiceProviderInterface;
use Joomla\CMS\Factory;
use Joomla\Event\DispatcherInterface;
use Cefjdemos\Plugin\Console\Onoffbydate\Extension\Onoffbydate;
return new class implements ServiceProviderInterface {
/**
* Registers the service provider with a DI container.
*
* @param Container $container The DI container.
*
* @return void
*
* @since 4.2.0
*/
public function register(Container $container)
{
$container->set(
PluginInterface::class,
function (Container $container) {
$dispatcher = $container->get(DispatcherInterface::class);
$plugin = new Onoffbydate(
$dispatcher,
(array) PluginHelper::getPlugin('console', 'onoffbydate')
);
$plugin->setApplication(Factory::getApplication());
return $plugin;
}
);
}
};
Event Subscription: src/Extension/Onoffbydate.php¶
This is the place where the event that triggers the plugin is registered and the location of the code that will handle the event is set.
<?php
/**
* @package Cefjdemos.Plugin
* @subpackage Console.Onoffbydate
*
* @copyright Copyright (C) 2025 Clifford E Ford.
* @license GNU General Public License version 3 or later.
*/
namespace Cefjdemos\Plugin\Console\Onoffbydate\Extension;
// phpcs:disable PSR1.Files.SideEffects
\defined('_JEXEC') or die;
// phpcs:enable PSR1.Files.SideEffects
use Joomla\CMS\Plugin\CMSPlugin;
use Joomla\Event\SubscriberInterface;
use Cefjdemos\Plugin\Console\Onoffbydate\Console\OnoffbydateCommand;
final class Onoffbydate extends CMSPlugin implements SubscriberInterface
{
/**
* Returns the event this subscriber will listen to.
*
* @return array
*/
public static function getSubscribedEvents(): array
{
return [
\Joomla\Application\ApplicationEvents::BEFORE_EXECUTE => 'registerCommands',
];
}
/**
* Returns the command class for the Onoffbydate CLI plugin.
*
* @return void
*/
public function registerCommands(): void
{
$myCommand = new OnoffbydateCommand();
$myCommand->setParams($this->params);
$this->getApplication()->addCommand($myCommand);
}
}
The OnoffbydateCommand class is located in the src/Console folder as the built in Joomla Console commands are located in a Console folder. It could have been place in an Extension folder.
The Command File: src/Console/OnoffbydateCommand.php¶
This file contains the code that does all of the work for this extension.
<?php
/**
* @package Cefjdemos.Plugin
* @subpackage Console.Onoffbydate
*
* @copyright Copyright (C) 2025 Clifford E Ford.
* @license GNU General Public License version 3 or later.
*/
namespace Cefjdemos\Plugin\Console\Onoffbydate\Console;
// phpcs:disable PSR1.Files.SideEffects
\defined('_JEXEC') or die;
// phpcs:enable PSR1.Files.SideEffects
use Joomla\CMS\Factory;
use Joomla\CMS\Language\Text;
use Joomla\Console\Command\AbstractCommand;
use Joomla\Database\DatabaseInterface;
use Symfony\Component\Console\Input\InputArgument;
use Symfony\Component\Console\Input\InputInterface;
use Symfony\Component\Console\Output\OutputInterface;
use Symfony\Component\Console\Style\SymfonyStyle;
use Joomla\Database\DatabaseAwareTrait;
class OnoffbydateCommand extends AbstractCommand
{
use DatabaseAwareTrait;
/**
* The default command name
*
* @var string
*
* @since 4.0.0
*/
protected static $defaultName = 'onoffbydate:action';
/**
* @var InputInterface
* @since version
*/
private $cliInput;
/**
* SymfonyStyle Object
* @var SymfonyStyle
* @since 4.0.0
*/
private $ioStyle;
/**
* The params associated with the plugin, plus getter and setter
* These are injected into this class by the plugin instance
*/
protected $params;
protected function getParams()
{
return $this->params;
}
public function setParams($params)
{
$this->params = $params;
}
/**
* Initialise the command.
*
* @return void
*
* @since 4.0.0
*/
protected function configure(): void
{
$lang = Factory::getApplication()->getLanguage();
$test = $lang->load(
'plg_console_onoffbydate',
JPATH_BASE . '/plugins/console/onoffbydate'
);
$this->addArgument(
'season',
InputArgument::REQUIRED,
'winter or weekend'
);
$this->addArgument(
'action',
InputArgument::REQUIRED,
'publish or unpublish'
);
$this->addArgument(
'module_id',
InputArgument::REQUIRED,
'module id'
);
$help = Text::_('PLG_CONSOLE_ONOFFBYDATE_HELP_1');
$help .= Text::_('PLG_CONSOLE_ONOFFBYDATE_HELP_2');
$help .= Text::_('PLG_CONSOLE_ONOFFBYDATE_HELP_3');
$help .= Text::_('PLG_CONSOLE_ONOFFBYDATE_HELP_4');
$help .= Text::_('PLG_CONSOLE_ONOFFBYDATE_HELP_5');
$this->setDescription(Text::_('PLG_CONSOLE_ONOFFBYDATE_DESCRIPTION'));
$this->setHelp($help);
}
/**
* Internal function to execute the command.
*
* @param InputInterface $input The input to inject into the command.
* @param OutputInterface $output The output to inject into the command.
*
* @return integer The command exit code
*
* @since 4.0.0
*/
protected function doExecute(InputInterface $input, OutputInterface $output): int
{
$this->configureIO($input, $output);
$season = $this->cliInput->getArgument('season');
$action = $this->cliInput->getArgument('action');
$module_id = $this->cliInput->getArgument('module_id');
switch ($season) {
case 'winter':
$result = $this->winter($module_id, $action);
break;
case 'weekend':
$result = $this->weekend($module_id, $action);
break;
default:
$result = Text::_('PLG_CONSOLE_ONOFFBYDATE_ERROR', $season);
$this->ioStyle->error($result);
return 0;
}
return 1;
}
protected function publish($module_id, $published)
{
$db = Factory::getContainer()->get(DatabaseInterface::class);
//$db = $this->getDatabase();
$query = $db->getQuery(true);
$query->update('#__modules')
->set('published = ' . $published)
->where('id = ' . $module_id);
$db->setQuery($query);
$db->execute();
}
protected function weekend($module_id, $action)
{
// get the day of the week
$day = date('w');
if (in_array($day, array(0,6))) {
$msg = Text::_('PLG_CONSOLE_ONOFFBYDATE_TODAY_IS_IN_A_WEEKEND');
$published = $action === 'publish' ? 1 : 0;
} else {
$msg = Text::_('PLG_CONSOLE_ONOFFBYDATE_TODAY_IS_NOT_IN_A_WEEKEND');
$published = $action === 'publish' ? 0 : 1;
}
$this->publish($module_id, $published);
$state = empty($published) ? Text::_('JUNPUBLISHED') : Text::_('JPUBLISHED');
$result = Text::sprintf('PLG_CONSOLE_ONOFFBYDATE_SUCCESS', $msg, $module_id, $state);
$this->ioStyle->success($result);
}
protected function winter($module_id, $action)
{
// get the month of the month
$month = date('n');
if (in_array($month, array(1,2,11,12))) {
$msg = Text::_('PLG_CONSOLE_ONOFFBYDATE_TODAY_IS_IN_WINTER');
$published = $action === 'publish' ? 1 : 0;
} else {
$msg = Text::_('PLG_CONSOLE_ONOFFBYDATE_TODAY_IS_NOT_IN_WINTER');
$published = $action === 'publish' ? 0 : 1;
}
$this->publish($module_id, $published);
$state = empty($published) ? Text::_('JUNPUBLISHED') : Text::_('JPUBLISHED');
$state = empty($published) ? Text::_('JUNPUBLISHED') : Text::_('JPUBLISHED');
$result = Text::sprintf('PLG_CONSOLE_ONOFFBYDATE_SUCCESS', $msg, $module_id, $state);
$this->ioStyle->success($result);
}
/**
* Configures the IO
*
* @param InputInterface $input Console Input
* @param OutputInterface $output Console Output
*
* @return void
*
* @since 4.0.0
*
*/
private function configureIO(InputInterface $input, OutputInterface $output)
{
$this->cliInput = $input;
$this->ioStyle = new SymfonyStyle($input, $output);
}
}
- The
configure
function establishes that three command line arguments are required:-
season
must be one ofweekend
orwinter
. -
action
must be one ofpublish
orunpublish
-
module_id
must be the integer ID of the the module to be published or unpublished.
-
- The
doExecute
function is where the work gets done. Two action options are recognised:-
winter
calls a function to publish or unpublish a module if today is in winter months. -
weekend
calls a function to publish or unpublish a module if today is a weekend day.
-
- The
publish
function makes a database call to set the modulepublishes
field to0
or1
as appropriate. - The
winter
andweekend
functions do some date calculations to determine whether today is in winter (or not) or in a weekend (or not) to pass appropriate parameters to the the publish function. - The
$this->ioStyle->success()
function call produces a console text message with black text and a green background.$this->ioStyle->error()
produces an ERROR message with white text on a maroon background.
language files¶
There are two language files used during installation and plugin configuration. The en-GB/plg_console_onoffbydate.sys.ini file contains the strings seen during installation and management:
PLG_CONSOLE_ONOFFBYDATE="Console - Onoffbydate"
PLG_CONSOLE_ONOFFBYDATE_DESCRIPTION="Set date-dependent enabled state of a module via cli"
The en-GB/plg_console_onoffbydate.ini file contains the strings seen in use:
PLG_CONSOLE_ONOFFBYDATE="Console - Onoffbydate"
PLG_CONSOLE_ONOFFBYDATE_DESCRIPTION="Set date-dependent enabled state of a module via cli"
PLG_CONSOLE_ONOFFBYDATE_ERROR="Unknown season: %s."
PLG_CONSOLE_ONOFFBYDATE_HELP_1="<info>%command.name%</info> Toggles module Enabled/Disabled state\n"
PLG_CONSOLE_ONOFFBYDATE_HELP_2="Usage: <info>php %command.full_name% season action module_id where\n"
PLG_CONSOLE_ONOFFBYDATE_HELP_3=" season is one of winter or weekend,\n"
PLG_CONSOLE_ONOFFBYDATE_HELP_4=" action is one of publish or unpublish and\n"
PLG_CONSOLE_ONOFFBYDATE_HELP_5=" module_id is the id of the module to publish or unpublish.</info>\n"
PLG_CONSOLE_ONOFFBYDATE_SUCCESS="That seemed to work. %s Module %s has been %s."
PLG_CONSOLE_ONOFFBYDATE_TODAY_IS_IN_A_WEEKEND="Today is in a weekend."
PLG_CONSOLE_ONOFFBYDATE_TODAY_IS_IN_WINTER="Today is in winter."
PLG_CONSOLE_ONOFFBYDATE_TODAY_IS_NOT_IN_A_WEEKEND="Today is not in a weekend."
PLG_CONSOLE_ONOFFBYDATE_TODAY_IS_NOT_IN_WINTER="Today is not in winter."
Note that the command output is seen only by you on your Joomla installation.
The Module¶
This code simply changes the published state of a module depending on some function of the date. So you need the module id as illustrated in the right hand column of the Modules (Site) list page.
The Command Line¶
Install the plugin in your Joomla test installation and enable it. If it crashes your site, use phpMyAdmin to find the newly installed plugin in the #__extensions table and set its enabled parameter to 0. Fix the problem and try again.
In a terminal window, change directory to the root of your site and use the following command:
php cli/joomla.php list
If something goes wrong at this stage check that the php version invoked is the command line version and not that used by the web server. You can suppress deprecation messages with this version of the command line
php -d error_reporting="E_ALL & ~E_DEPRECATED" cli/joomla.php onoffbydate:action garbage publish 133
If the code works you will see onoffbydate
among the list of available commands and you can invoke help to see how it should be used:
php cli/joomla.php onoffbydate:action --help
Usage:
onoffbydate:action <season> <action> <module_id>
Arguments:
season winter or summer or weekday or weekend
action publish or unpublish
module_id module id
Options:
-h, --help Display the help information
-q, --quiet Flag indicating that all output should be silenced
-V, --version Displays the application version
--ansi Force ANSI output
--no-ansi Disable ANSI output
-n, --no-interaction Flag to disable interacting with the user
--live-site[=LIVE-SITE] The URL to your site, e.g. https://www.example.com
-v|vv|vvv, --verbose Increase the verbosity of messages: 1 for normal output, 2 for more verbose output and 3 for debug
Help:
onoffbydate:action Toggles module Enabled/Disabled state
Usage: php joomla.php onoffbydate:action season action module_id where
season is one of winter or summer or weekday or weekend,
action is one of publish or unpublish and
module_id is the id of the module to publish or unpublish.
And then just try it out:
php cli/joomla.php onoffbydate:action weekend publish 133
[OK] That seemed to work. Today is not a weekend. Module 133 has been Unpublished
In Use¶
Ths usage logic is a little bit illogical! If you have a module that should only be published at the weekend that parameters to use every day are weekend publish module_id
. That publishes the module on days in a weekend and unpublishes it on days that are not in the weekend. For a module that neeeds to be published on weekdays the parameters to use every day are weekend unpublish module_id
. That unpublishes the module on days in the weekend and publishes it on days not in the weekend. The same logic applies to the winter
version.
The cron¶
The command can be tested in a terminal window but you probably want to use it from a cron. The winter
option could be run on the first day of each month. The weekend
option would be run daily. The important point is that you can have as many crons as you need to change the published state of as many modules as you like at any appropriate intervals. The same code works for all.
On a hosting service you need to give the full paths to the php executable and the joomla cli command. Example:
/usr/local/bin/php /home/username/public_html/pathtojoomla/cli/joomla.php onoffbydate:action winter publish 130
Depending on how you have set up your cron and your system you may get a comforting email containing exactly the same information you see in the command line.
Check¶
And of course: go to your home page and check that the module really has been published or unpublished.