Block API

Category: Block API

Basic Custom Block Plugin

Creates a simple "Hello World" block.
Basic Custom Block Plugin
              

namespace Drupal\my_module\Plugin\Block;
use Drupal\Core\Block\BlockBase;

/**
* Provides a 'Hello World' block.

* @Block(
* id = "hello_world_block",
* admin_label = @Translation("Hello World Block")
* )
*/
class HelloWorldBlock extends BlockBase {
   public function build(): array {
      return [
         '#markup' => $this->t('Hello, world!'),
      ];
   }
}
 


Configurable Block Plugin

Creates a block plugin that has a configuration form in the block settings.
Configurable Block Plugin
              

namespace Drupal\my_module\Plugin\Block;
use Drupal\Core\Block\BlockBase;
use Drupal\Core\Form\FormStateInterface;

/**
* Provides a configurable block.
*
* @Block(
* id = "configurable_block",
* admin_label = @Translation("Configurable Block")
* )
*/

class ConfigurableBlock extends BlockBase {
   /**
    * {@inheritdoc}
    */
   public function build(): array {
      $config = $this->getConfiguration();
      return [
         '#markup' => $this->t('Configurable value: @value', ['@value' => $config['block_value'] ?? 'Default']),
      ];
   }

   /**
    * {@inheritdoc}
    */
   public function blockForm(array $form, FormStateInterface $form_state): array {
      $form = parent::blockForm($form, $form_state);
      $config = $this->getConfiguration();
      $form['block_value'] = [
         '#type' => 'textfield',
         '#title' => $this->t('Block Value'),
         '#default_value' => $config['block_value'] ?? '',
      ];
      return $form;
   }

   /**
    * {@inheritdoc}
    */
   public function blockSubmit(array &$form, FormStateInterface $form_state): void {
      $this->setConfigurationValue('block_value', $form_state->getValue('block_value'));
   }
}