Thursday, June 26, 2025
No menu items!
No menu items!
HomeOthersHow To Use Autoloading And A Plugin Container In WordPress Plugins

How To Use Autoloading And A Plugin Container In WordPress Plugins

Settings Page In Action

Building and maintaining1 a WordPress plugin can be a daunting task. The bigger the codebase, the harder it is to keep track of all the working parts and their relationship to one another. And you can add to that the limitations imposed by working in an antiquated version of PHP, 5.2.

In this article we will explore an alternative way of developing WordPress plugins, using the lessons learned from the greater PHP community, the world outside WordPress. We will walk through the steps of creating a plugin and investigate the use of autoloading and a plugin container.

Let’s Begin

The first thing you need to do when creating a plugin is to give it a unique name. The name is important as it will be the basis for all our unique identifiers (function prefix, class prefix, textdomain, option prefix, etc.). The name should also be unique across the wordpress.org space. It won’t hurt if we make the name catchy. For our sample plugin I chose the name Simplarity, a play on the words “simple” and “clarity”.

We’ll assume you have a working WordPress installation already.

Folder Structure

First, create a directory named simplarity inside wp-content/plugins. Inside it create the following structure:

  • simplarity.php: our main plugin file
  • css/: directory containing our styles
  • js/: directory containing JavaScript files
  • languages/: directory that will contain translation files
  • src/: directory containing our classes
  • views/: directory that will contain our plugin view files

The Main Plugin File

Open the main plugin file, simplarity.php, and add the plugin information header:

<?php
/*
Plugin Name: Simplarity
Description: A plugin for smashingmagazine.com
Version: 1.0.0
License: GPL-2.0+
*/

This information is enough for now. The plugin name, description, and version will show up in the plugins area of WordPress admin. The license details are important to let your users know that this is an open source plugin. A full list of header information can found in the WordPress codex2.

Autoloading

Autoloading allows you to automatically load classes using an autoloader so you don’t have to manually include the files containing the class definitions. For example, whenever you need to use a class, you need to do the following:

require_once '/path/to/classes/class-container.php';
require_once '/path/to/classes/class-view.php';
require_once '/path/to/classes/class-settings-page.php';

$plugin = new Container();
$view = new View();
$settings_page = new SettingsPage();

With autoloading, you can use an autoloader instead of multiple require_once3 statements. It also eliminates the need to update these require statements whenever you add, rename, or change the location of your classes. That’s a big plus for maintainability.

Adopting The PEAR Naming Convention For Class Names

Before we create our autoloader we need to create a convention for our class names and their location in the file system. This will aid the autoloader in mapping out the class to its source file.

For our class names we will adopt the PEAR naming convention4. The gist is that class names are alphabetic characters in StudlyCaps. Each level of the hierarchy is separated with a single underscore. Class names will directly map to the directories in which they are stored.

It’s easier to illustrate it using examples:

  • A class named Simplarity_Plugin would be defined in the file src/Simplarity/Plugin.php.
  • A class named Simplarity_SettingsPage would be defined in src/Simplarity/SettingsPage.php.

As you can see with this convention, the autoloader will just replace the underscores with directory separators to locate the class definition.

What About The WordPress Coding Standards For Class Names?

As you might be aware, WordPress has its own naming convention5 for class names. It states:

Class names should use capitalized words separated by underscores. Any acronyms should be all upper case. […] Class file names should be based on the class name with class- prepended and the underscores in the class name replaced with hyphens, for example WP_Error becomes class-wp-error.php

I know that we should follow the standards of the platform that we are developing on. However, we suggest using the PEAR naming convention because:

  • WP coding standards do not cover autoloading.
  • WP does not follow its own coding standards. Examples: class.wp-scripts.php and SimplePie. This is understandable since WordPress grew organically.
  • Interoperability allows you to easily use third-party libraries that follow the PEAR naming convention, like Twig. And conversely, you can easily port your code to other libraries sharing the same convention.
  • It’s important your autoloader is future-ready. When WordPress decides to up the ante and finally move to PHP 5.3 as its minimum requirement, you can easily update the code to be PSR-0 or PSR-4-compatible and take advantage of the built-in namespaces instead of using prefixes. This is a big plus for interoperability.

Note that we are only using this naming convention for classes. The rest of our code will still follow the WordPress coding standards. It’s important to follow and respect the standards of the platform that we are developing on.

Now that we have fully covered the naming convention, we can finally build our autoloader.

Building Our Autoloader

Open our main plugin file and add the following code below the plugin information header:

spl_autoload_register( 'simplarity_autoloader' );
function simplarity_autoloader( $class_name ) {
  if ( false !== strpos( $class_name, 'Simplarity' ) ) {
    $classes_dir = realpath( plugin_dir_path( __FILE__ ) ) . DIRECTORY_SEPARATOR . 'src' . DIRECTORY_SEPARATOR;
    $class_file = str_replace( '_', DIRECTORY_SEPARATOR, $class_name ) . '.php';
    require_once $classes_dir . $class_file;
  }
}

At the heart of our autoloading mechanism is PHP’s built in spl_autoload_register6 function. All it does is register a function to be called automatically when your code references a class that hasn’t been loaded yet.

The first line tells spl_autoload_register to register our function named simplarity_autoloader:

spl_autoload_register( 'simplarity_autoloader' );

Next we define the simplarity_autoloader function:

function simplarity_autoloader( $class_name ) {
  …
}

Notice that it accepts a $class_name parameter. This parameter holds the class name. For example when you instantiate a class using $plugin = new Simplarity_Plugin(), $class_name will contain the string “Simplarity_Plugin”. Since we are adding this function in the global space, it’s important that we have it prefixed with simplarity_.

The next line checks if $classname contains the string “Simplarity” which is our top level namespace:

if ( false !== strpos( $class_name, 'Simplarity' ) ) {

This will ensure that the autoloader will only run on our classes. Without this check, our autoloader will run every time an unloaded class is referenced, even if the class is not ours, which is not ideal.

The next line constructs the path to the directory where our classes reside:

$classes_dir = realpath( plugin_dir_path( __FILE__ ) ) . DIRECTORY_SEPARATOR . 'src' . DIRECTORY_SEPARATOR;

It uses WP’s plugin_dir_path7 to get the plugin root directory. __FILE__ is a magic constant8 that contains the full path and filename of the current file. DIRECTORY_SEPARATOR is a predefined constant that contains either a forward slash or backslash depending on the OS your web server is on. We also use realpath9 to normalize the file path.

This line resolves the path to the class definition file:

$class_file = str_replace( '_', DIRECTORY_SEPARATOR, $class_name ) . '.php';

It replaces the underscore (_) in $class_name with the directory separator and appends .php.

Finally, this line builds the file path to the definition and includes the file using require_once:

require_once $classes_dir . $class_file;

That’s it! You now have an autoloader. Say goodbye to long lines of require_once statements.

Plugin Container

A plugin container is a special class that holds together our plugin code. It simplifies the interaction between the many working parts of your code by providing a centralized location to manage the configuration and objects.

Uses Of Our Plugin Container

Here are the things we can expect from the plugin container:

  • Store global parameters in a single location

    Often you’ll find this code in plugins:

    define( 'SIMPLARITY_VERSION', '1.0.0' );
    define( 'SIMPLARITY_PATH', realpath( plugin_dir_path( __FILE__ ) ) . DIRECTORY_SEPARATOR );
    define( 'SIMPLARITY_URL', plugin_dir_url( __FILE__ ) );
    

    Instead of doing that, we could do this instead:

    $plugin = new Simplarity_Plugin();
    $plugin['version] = '1.0.0';
    $plugin['path'] = realpath( plugin_dir_path( __FILE__ ) ) . DIRECTORY_SEPARATOR;
    $plugin['url'] = plugin_dir_url( __FILE__ );
    

    This has the added benefit of not polluting the global namespace with our plugin’s constants, which in most cases aren’t needed by other plugins.

  • Store objects in a single location

    Instead of scattering our class instantiations everywhere in our codebase we can just do this in a single location:

    $plugin = new Simplarity_Plugin();
    /…/
    $plugin['scripts'] = new Simplarity_Scripts(); // A class that loads javascript files
    
  • Service definitions

    This is the most powerful feature of the container. A service is an object that does something as part of a larger system. Services are defined by functions that return an instance of an object. Almost any global object can be a service.

    $plugin['settings_page'] = function ( $plugin ) {
      return new SettingsPage( $plugin['settings_page_properties'] );
    };
    

    Services result in lazy initialization whereby objects are only instantiated and initialized when needed.

    It also allows us to easily implement a self-resolving dependency injection design. An example:

    $plugin = new Plugin();
    $plugin['door_width'] = 100;
    $plugin['door_height'] = 500;
    $plugin['door_size'] = function ( $plugin ) {
      return new DoorSize( $plugin['door_width'], $plugin['door_height'] );
    };
    $plugin['door'] = function ( $plugin ) {
      return new Door( $plugin['door_size'] );
    };
    $plugin['window'] = function ( $plugin ) {
      return new Window();
    };
    $plugin['house'] = function ( $plugin ) {
      return new House( $plugin['door'], $plugin['window'] );
    };
    $house = $plugin['house'];

    This is roughly equivalent to:

    $door_width = 100;
    $door_height = 500;
    $door_size = new DoorSize( $door_width, $door_height );
    $door = new Door( $door_size );
    $window = new Window();
    $house = new House( $door, $window );

    Whenever we get an object, as in $house = $plugin['house']; , the object is created (lazy initialization) and dependencies are resolved automatically.

Building The Plugin Container

Let’s start by creating the plugin container class. We will name it “Simplarity_Plugin”. As our naming convention dictates, we should create a corresponding file: src/Simplarity/Plugin.php.

Open Plugin.php and add the following code:

<?php
class Simplarity_Plugin implements ArrayAccess {
  protected $contents;
    
  public function __construct() {
    $this->contents = array();
  }
  
  public function offsetSet( $offset, $value ) {
    $this->contents[$offset] = $value;
  }

  public function offsetExists($offset) {
    return isset( $this->contents[$offset] );
  }

  public function offsetUnset($offset) {
    unset( $this->contents[$offset] );
  }

  public function offsetGet($offset) {
    if( is_callable($this->contents[$offset]) ){
      return call_user_func( $this->contents[$offset], $this );
    }
    return isset( $this->contents[$offset] ) ? $this->contents[$offset] : null;
  }
  
  public function run(){ 
    foreach( $this->contents as $key => $content ){ // Loop on contents
      if( is_callable($content) ){
        $content = $this[$key];
      }
      if( is_object( $content ) ){
        $reflection = new ReflectionClass( $content );
        if( $reflection->hasMethod( 'run' ) ){
          $content->run(); // Call run method on object
        }
      }
    }
  }
}

The class implements the ArrayAccess interface:

class Simplarity_Plugin implements ArrayAccess {

This allows us to use it like PHP’s array:

$plugin = new Simplarity_Plugin();
$plugin['version'] = '1.0.0'; // Simplicity is beauty

The functions offsetSet, offsetExists, offsetUnset and offsetGet are required by ArrayAccess to be implemented. The run function will loop through the contents of the container and run the runnable objects.

To better illustrate our plugin container, let’s start by building a sample plugin.

Example Plugin: A Settings Page

This plugin will add a settings page named “Simplarity” under WordPress Admin ? Settings.

Let’s go back to the main plugin file. Open up simplarity.php and add the following code. Add this below the autoloader code:

add_action( 'plugins_loaded', 'simplarity_init' ); // Hook initialization function
function simplarity_init() {
  $plugin = new Simplarity_Plugin(); // Create container
  $plugin['path'] = realpath( plugin_dir_path( __FILE__ ) ) . DIRECTORY_SEPARATOR;
  $plugin['url'] = plugin_dir_url( __FILE__ );
  $plugin['version'] = '1.0.0';
  $plugin['settings_page_properties'] = array( 
    'parent_slug' => 'options-general.php',
    'page_title' =>  'Simplarity',
    'menu_title' =>  'Simplarity',
    'capability' => 'manage_options',
    'menu_slug' => 'simplarity-settings',
    'option_group' => 'simplarity_option_group',
    'option_name' => 'simplarity_option_name'
  );
  $plugin['settings_page'] = new Simplarity_SettingsPage( $plugin['settings_page_properties'] );
  $plugin->run();
}

Here we use WP’s add_action to hook our function simplarity_init into plugins_loaded:

add_action( 'plugins_loaded', 'simplarity_init' );

This is important as this will make our plugin overridable by using remove_action. An example use case would be a premium plugin overriding the free version.

Function simplarity_init contains our plugin’s initialization code. At the start, we simply instantiate our plugin container:

$plugin = new Simplarity_Plugin();

These lines assign global configuration data:

$plugin['path'] = realpath( plugin_dir_path( __FILE__ ) ) . DIRECTORY_SEPARATOR;
$plugin['url'] = plugin_dir_url( __FILE__ );
$plugin['version'] = '1.0.0';

The plugin path contains the full path to our plugin, the url contains the URL to our plugin directory. They will come in handy whenever we need to include files and assets. version contains the current version of the plugin that should match the one in the header info. Useful whenever you need to use the version in code.

This next code assigns various configuration data to settings_page_properties:

$plugin['settings_page_properties'] = array(
  'parent_slug' => 'options-general.php',
  'page_title' =>  'Simplarity',
  'menu_title' =>  'Simplarity',
  'capability' => 'manage_options',
  'menu_slug' => 'simplarity-settings',
  'option_group' => 'simplarity_option_group',
  'option_name' => 'simplarity_option_name'
);

These configuration data are related to WP settings API10.

This next code instantiates the settings page, passing along settings_page_properties:

$plugin['settings_page'] = new Simplarity_SettingsPage( $plugin['settings_page_properties'] );

The run method is where the fun starts:

$plugin->run();

It will call Simplarity_SettingsPage‘s own run method.

The Simplarity_SettingsPage Class

Now we need to create the Simplarity_SettingsPage class. It’s a class that groups together the settings API functions.

Create a file named SettingsPage.php in src/Simplarity/. Open it and add the following code:

<?php
class Simplarity_SettingsPage {
  protected $settings_page_properties;

  public function __construct( $settings_page_properties ){
    $this->settings_page_properties = $settings_page_properties;
  }

  public function run() {
    add_action( 'admin_menu', array( $this, 'add_menu_and_page' ) );
    add_action( 'admin_init', array( $this, 'register_settings' ) );
  }

  public function add_menu_and_page() { 

    add_submenu_page(
      $this->settings_page_properties['parent_slug'],
      $this->settings_page_properties['page_title'],
      $this->settings_page_properties['menu_title'], 
      $this->settings_page_properties['capability'],
      $this->settings_page_properties['menu_slug'],
      array( $this, 'render_settings_page' )
    );
  }
    
  public function register_settings() { 
    
    register_setting(
      $this->settings_page_properties['option_group'],
      $this->settings_page_properties['option_name']
    );   
  }
   
  public function get_settings_data(){
    return get_option( $this->settings_page_properties['option_name'], $this->get_default_settings_data() );
  }
    
  public function render_settings_page() {
    $option_name = $this->settings_page_properties['option_name'];
    $option_group = $this->settings_page_properties['option_group'];
    $settings_data = $this->get_settings_data();
    ?>
    <div class="wrap">
      <h2>Simplarity</h2>
      <p>This plugin is using the settings API.</p>
      <form method="post" action="options.php">
        <?php
        settings_fields( $this->plugin['settings_page_properties']['option_group']);
        ?>
        <table class="form-table">
          <tr>
              <th><label for="textbox">Textbox:</label></th>
              <td>
                <input type="text" id="textbox"
                  name="<?php echo esc_attr( $option_name."[textbox]" ); ?>"
                  value="<?php echo esc_attr( $settings_data['textbox'] ); ?>" />
              </td>
          </tr>
        </table>
        <input type="submit" name="submit" id="submit" class="button button-primary" value="Save Options">
      </form>
    </div>
    <?php
  }
   
  public function get_default_settings_data() {
    $defaults = array();
    $defaults['textbox'] = '';
      
    return $defaults;
  }
}

The class property $settings_page_properties stores the settings related to WP settings API:

<?php
class Simplarity_SettingsPage {
  protected $settings_page_properties;

The constructor function accepts the settings_page_properties and stores it:

public function __construct( $settings_page_properties ){
  $this->settings_page_properties = $settings_page_properties;
}

The values are passed from this line in the main plugin file:

$plugin['settings_page'] = new Simplarity_SettingsPage( $plugin['settings_page_properties'] );

The run function is use to run startup code:

public function run() {
  add_action( 'admin_menu', array( $this, 'add_menu_and_page' ) );
  add_action( 'admin_init', array( $this, 'register_settings' ) );
}

The most likely candidate for startup code are filters11 and action hooks12. Here we add the action hooks related to our settings page.
Do not confuse this run method with the run method of the plugin container. This run method belongs to the settings page class.

This line hooks the add_menu_and_page function on to the admin_menu action:

add_action( 'admin_menu', array( $this, 'add_menu_and_page' ) );

Function add_submenu_page in turn calls WP’s add_submenu_page13 function to add a link under the WP Admin ? Settings:

public function add_menu_and_page() { 

  add_submenu_page(
    $this->settings_page_properties['parent_slug'],
    $this->settings_page_properties['page_title'],
    $this->settings_page_properties['menu_title'], 
    $this->settings_page_properties['capability'],
    $this->settings_page_properties['menu_slug'],
    array( $this, 'render_settings_page' )
  );

}

As you can see, we are pulling the info from our class property $settings_page_properties which we specified in the main plugin file.

The parameters for add_submenu_page are:

  • parent_slug: slug name for the parent menu
  • page_title: text to be displayed in the </code> element of the page when the menu is selected</li> <li><code>menu_title</code>: text to be used for the menu</li> <li><code>capability</code>: the capability required for this menu to be displayed to the user</li> <li><code>menu_slug</code>: slug name to refer to this menu by (should be unique for this menu)</li> <li><code>function</code>: function to be called to output the content for this page</li> </ul> <p>This line hooks the <code>register_settings</code> function on to the <code>admin_init</code> action:</p> <pre><code>add_action( 'admin_init', array( $this, 'register_settings' ) );</code></pre> <p><code>array( $this, 'register_settings' )</code> means to call <code>register_settings</code> on <code>$this</code>, which points to our <code>SettingsPage</code> instance.</p> <p>The <code>register_settings</code> then calls WP’s <code>register_setting</code> to register a setting:</p> <pre><code>public function register_settings() { register_setting( $this->settings_page_properties['option_group'], $this->settings_page_properties['option_name'] ); }</code></pre> <p>Function <code>render_settings_page</code> is responsible for rendering the page:</p> <pre><code>public function render_settings_page() { $option_name = $this->settings_page_properties['option_name']; $option_group = $this->settings_page_properties['option_group']; $settings_data = $this->get_settings_data(); ?> <div class="wrap"> <h2>Simplarity</h2> <p>This plugin is using the settings API.</p> <form method="post" action="options.php"> <?php settings_fields( $option_group ); ?> <table class="form-table"> <tr> <th><label for="textbox">Textbox:</label></th> <td> <input type="text" id="textbox" name="<?php echo esc_attr( $option_name."[textbox]" ); ?>" value="<?php echo esc_attr( $settings_data['textbox'] ); ?>" /> </td> </tr> </table> <input type="submit" name="submit" id="submit" class="button button-primary" value="Save Options"> </form> </div> <?php }</code></pre> <p>We hooked <code>render_settings_page</code> earlier using <code>add_submenu_page</code>.</p> <p>Function <code>get_settings_data</code> is a wrapper function for <code>get_option</code>:</p> <pre><code>public function get_settings_data(){ return get_option( $this->plugin['settings_page_properties']['option_name'] ); }</code></pre> <p>This is to easily get the settings data with a single function call.</p> <p>Function <code>get_default_settings_data</code> is use to supply us with our own default values:</p> <pre><code>public function get_default_settings_data() { $defaults = array(); $defaults['textbox'] = ''; return $defaults; }</code></pre> <h3>Abstracting Our Settings Page Class</h3> <p>Right now our settings page class cannot be reused if you want to create another subpage. Let’s move the reusable code for the settings page to another class.</p> <p>Let’s call this class <code>Simplarity_WpSubPage</code>. Go ahead and create the file <i>src/Simplarity/WpSubPage.php</i>.</p> <p>Now add the code below:</p> <pre><code><?php abstract class Simplarity_WpSubPage { protected $settings_page_properties; public function __construct( $settings_page_properties ){ $this->settings_page_properties = $settings_page_properties; } public function run() { add_action( 'admin_menu', array( $this, 'add_menu_and_page' ) ); add_action( 'admin_init', array( $this, 'register_settings' ) ); } public function add_menu_and_page() { add_submenu_page( $this->settings_page_properties['parent_slug'], $this->settings_page_properties['page_title'], $this->settings_page_properties['menu_title'], $this->settings_page_properties['capability'], $this->settings_page_properties['menu_slug'], array( $this, 'render_settings_page' ) ); } public function register_settings() { register_setting( $this->settings_page_properties['option_group'], $this->settings_page_properties['option_name'] ); } public function get_settings_data(){ return get_option( $this->settings_page_properties['option_name'], $this->get_default_settings_data() ); } public function render_settings_page(){ } public function get_default_settings_data() { $defaults = array(); return $defaults; } } </code></pre> <p>Notice that it is an abstract class. This will prevent intantiating this class directly. To use it you need to extend it first with another class, which in our case is <code>Simplarity_SettingsPage</code>:</p> <pre><code><?php class Simplarity_SettingsPage extends Simplarity_WpSubPage { public function render_settings_page() { $option_name = $this->settings_page_properties['option_name']; $option_group = $this->settings_page_properties['option_group']; $settings_data = $this->get_settings_data(); ?> <div class="wrap"> <h2>Simplarity</h2> <p>This plugin is using the settings API.</p> <form method="post" action="options.php"> <?php settings_fields( $option_group ); ?> <table class="form-table"> <tr> <th><label for="textbox">Textbox:</label></th> <td> <input type="text" id="textbox" name="<?php echo esc_attr( $option_name."[textbox]" ); ?>" value="<?php echo esc_attr( $settings_data['textbox'] ); ?>" /> </td> </tr> </table> <input type="submit" name="submit" id="submit" class="button button-primary" value="Save Options"> </form> </div> <?php } public function get_default_settings_data() { $defaults = array(); defaults['textbox'] = ''; return $defaults; } } </code></pre> <p>The only functions we have implemented are <code>render_settings_page</code> and <code>get_default_settings_data</code>, which are customized to this settings page.</p> <p>To create another WP settings page you’ll just need to create a class and extend the <code>Simplarity_WpSubPage</code>. And implement your own <code>render_settings_page</code> and <code>get_default_settings_data</code>.</p> <h3>Defining A Service</h3> <p>The power of the plugin container is in defining services. A service is a function that contains instantiation and initialization code that will return an object. Whenever we pull a service from our container, the service function is called and will create the object for you. The object is only created when needed. This is called lazy initialization.</p> <p>To better illustrate this, let’s define a service for our settings page.</p> <p>Open <i>simplarity.php</i> and add this function below the Simplarity code:</p> <pre><code>function simplarity_service_settings( $plugin ){ $object = new Simplarity_SettingsPage( $plugin['settings_page_properties'] ); return $object; }</code></pre> <p>Notice that our service function has a <code>$plugin</code> parameter which contains our plugin container. This allows us to access all configuration, objects, and services that have been stored in our plugin container. We can see that the <code>Simplarity_SettingsPage</code> has a dependency on <code>$plugin['settings_page_properties']</code>. We inject this dependency to <code>Simplarity_SettingsPage</code> here. This is an example of dependency injection. Dependency injection is a practice where objects are designed in a manner where they receive instances of the objects from other pieces of code, instead of constructing them internally. This improves decoupling of code.</p> <p>Now let’s replace this line in <code>simplarity_init</code>:</p> <pre><code>$plugin['settings_page'] = new Simplarity_SettingsPage( $plugin['settings_page_properties'] );</code></pre> <p>with a service definition assignment:</p> <pre><code>$plugin['settings_page'] = 'simplarity_service_settings'</code></pre> <p>So instead of assigning our object instance directly, we assign the name of our function as string. Our container handles the rest. </p> <h3>Defining A Shared Service</h3> <p>Right now, every time we get <code>$plugin['settings_page']</code>, a new instance of <code>Simplarity_SettingsPage</code> is returned. Ideally, <code>Simplarity_SettingsPage</code> should only be instantiated once as we are using WP hooks, which in turn should only be registered once.</p> <p>To solve this we use a shared service. A shared service will return a new instance of an object on first call, on succeeding calls it will return the same instance.</p> <p>Let’s create a shared service using a static variable:</p> <pre><code>function simplarity_service_settings( $plugin ){ static $object; if (null !== $object) { return $object; } $object = new Simplarity_SettingsPage( $plugin['settings_page_properties'] ); return $object; }</code></pre> <p>On first call, <code>$object</code> is null, and on succeeding calls it will contain the instance of the object created on first call. Notice that we are using a static variable. A static variable exists only in a local function scope, but it does not lose its value when program execution leaves this scope.</p> <p>That’s it.</p> <p>Now if you activate the plugin, an admin menu will appear in Admin ? Settings named “Simplarity”. Click on it and you will be taken to the settings page we have created.</p> <figure><sup><a class="colorbox" href="http://www.smashingmagazine.com/#14">14</a></sup><br /><figcaption>Settings Page In Action</figcaption></figure> <h3>The Future: PHP 5.3+</h3> <p>Earlier we mentioned that our class naming convention was future-ready. In this section we will discuss how our codebase will work in PHP version 5.3 and up. Two of the best features that have graced the PHP world are namespaces and anonymous functions.</p> <h4>Namespaces</h4> <p>PHP does not allow two classes or functions to share the same name. When this happens, a name collision occurs and causes a nasty error.</p> <p>With namespaces you can have the same class names as long as they live in their own namespace. A good analogy for namespaces are the folders you have in your OS. You cannot have files with the same name in one folder. However, you can have the same filenames in different folders.</p> <p>With namespaces, class and function names won’t need unique prefixes anymore.</p> <h4>Anonymous Functions</h4> <p>Anonymous functions, also known as <strong>closures</strong>, allow the creation of functions which have no specified name. They are most useful as the value of callback parameters, but they have many other uses. You can also store closures in variables.</p> <p>Here’s an example of closure:</p> <pre><code><?php $greet = function($name) { printf("Hello %srn", $name); }; $greet('World'); $greet('PHP');</code></pre> <h3>Using Namespaces In Classes</h3> <p>Let’s go ahead and use namespaces in our class definitions. Open up the following files in <i>src/Simplarity:</i></p> <ul> <li><i>Plugin.php</i></li> <li><i>SettingsPage.php</i></li> <li><i>WpSubPage.php</i></li> </ul> <p>In each of these files, add a namespace declaration on top and remove the “Simplarity_” prefix on class names:</p> <pre><code>// Plugin.php namespace Simplarity; class Plugin { ... // SettingsPage.php namespace Simplarity; class SettingsPage extends WpSubPage { ... // WpSubPage.php namespace Simplarity; abstract class WpSubPage { ... </code></pre> <p>Since we have updated our class names we also need to update our class instantiations in <i>simplarity.php</i>. We do this by deleting the prefixes:</p> <pre><code>function simplarity_init() { $plugin = new Plugin(); ... } ... function simplarity_service_settings( $plugin ){ ... $object = new SettingsPage( $plugin['settings_page_properties'] ); return $object; } </code></pre> <p>By default, PHP will try to load the class from the root namespace so we need to tell it about our namespaced classes. We add this to the top of <i>simplarity.php</i> just above the autoloader code:</p> <pre><code>use SimplarityPlugin; use SimplaritySettingsPage; </code></pre> <p>This is called importing/aliasing with the <a class="colorbox" href="http://php.net/manual/en/language.namespaces.importing.php">use operator</a><sup><a class="colorbox" href="http://www.smashingmagazine.com/#15">15</a></sup>.</p> <h3>Updating The Autoloader</h3> <p>Open up <i>simplarity.php</i> and change this line in the autoloader from:</p> <pre><code>$class_file = str_replace( '_', DIRECTORY_SEPARATOR, $class_name ) . '.php';</code></pre> <p>to:</p> <pre><code>$class_file = str_replace( '', DIRECTORY_SEPARATOR, $class_name ) . '.php';</code></pre> <p>Remember that in 5.2 code we are using underscores as hierarchy separators. For 5.3+ we are using namespaces which use backslash “” as hierarchy separators. Thus we simply swap “_” for “”. We use another backslash to escape the original one: “”.</p> <h3>Updating Our Service Definitions To Use Anonymous Functions</h3> <p>We can now replace the global functions we created for our service definitions with anonymous functions. So instead of doing this:</p> <pre><code>function simplarity_init() { ... $plugin['settings_page'] = 'simplarity_service_settings'; ... } ... function simplarity_service_settings( $plugin ){ static $object; if (null !== $object) { return $object; } $object = new Simplarity_SettingsPage( $plugin['settings_page_properties'] ); return $object; }</code></pre> <p>we can just replace this with an inline anonymous function:</p> <pre><code>function simplarity_init() { $plugin = new Plugin(); ... $plugin['settings_page'] = function ( $plugin ) { static $object; if (null !== $object) { return $object; } return new SettingsPage( $plugin['settings_page_properties'] ); }; ... } </code></pre> <h3>Using Pimple As A Plugin Container</h3> <p>Pimple is a small dependency injection (DI) container for PHP 5.3+. Pimple has the same syntax as our simple plugin container. In fact our plugin container was inspired by Pimple. In this part, we will extend Pimple and use it.</p> <p>Download <a class="colorbox" href="https://raw.githubusercontent.com/silexphp/Pimple/master/src/Pimple/Container.php">Pimple container from GitHub</a><sup><a class="colorbox" href="http://www.smashingmagazine.com/#16">16</a></sup> and save it in <i>src/Simplarity/Pimple.php</i>.</p> <p>Open up <i>Pimple.php</i> and replace the namespace and the classname to:</p> <pre><code>... namespace Simplarity; /** * Container main class. * * @author Fabien Potencier */ class Pimple implements ArrayAccess ... </code></pre> <p>Open up <i>Plugin.php</i> and replace all the code with:</p> <pre><code><?php namespace Simplarity; class Plugin extends Pimple { public function run(){ foreach( $this->values as $key => $content ){ // Loop on contents $content = $this[$key]; if( is_object( $content ) ){ $reflection = new ReflectionClass( $content ); if( $reflection->hasMethod( 'run' ) ){ $content->run(); // Call run method on object } } } } } </code></pre> <p>Now let’s change the service definition in <i>simplarity.php</i> to:</p> <pre><code>$plugin['settings_page'] = function ( $plugin ) { return new SettingsPage( $plugin['settings_page_properties'] ); }; </code></pre> <p>By default, each time you get a service, Pimple returns the same instance of it. If you want a different instance to be returned for all calls, wrap your anonymous function with the <code>factory()</code> method:</p> <pre><code>$plugin['image_resizer'] = $plugin->factory(function ( $plugin ) { return new ImageResizer( $plugin['image_dir'] ); }); </code></pre> <h3>Conclusion</h3> <p>The PHP community is big. A lot of best practices have been learned over the years. It’s good to always look beyond the walled garden of WordPress to look for answers. With autoloading and a plugin container we are one step closer to better code.</p> <h4>Code Samples</h4> <ul> <li><a class="colorbox" href="https://github.com/kosinix/simplarity">Simplarity: settings page</a><sup><a class="colorbox" href="http://www.smashingmagazine.com/#17">17</a></sup></li> <li><a class="colorbox" href="https://github.com/kosinix/simplarity-php53">Simplarity: settings page (PHP5.3+)</a><sup><a class="colorbox" href="http://www.smashingmagazine.com/#18">18</a></sup></li> </ul> <h4>Resources</h4> <ul> <li><a class="colorbox" href="http://pear.php.net/manual/en/standards.naming.php">PEAR naming standards</a><sup><a class="colorbox" href="http://www.smashingmagazine.com/#19">19</a></sup></li> <li><a class="colorbox" href="http://daylerees.com/php-namespaces-explained">Namespaces explanation</a><sup><a class="colorbox" href="http://www.smashingmagazine.com/#20">20</a></sup></li> <li><a class="colorbox" href="https://github.com/silexphp/Pimple">Pimple (a small DI container)</a><sup><a class="colorbox" href="http://www.smashingmagazine.com/#21">21</a></sup></li> </ul> <p><em>(dp, og, il)</em></p> <h4>Footnotes</h4> <ol> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-1">1 https://shop.smashingmagazine.com/products/wordpress-maintenance-keeping-your-website-safe-and-efficient</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-2">2 http://codex.wordpress.org/Writing_a_Plugin</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-3">3 http://php.net/manual/en/function.require-once.php</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-4">4 http://pear.php.net/manual/en/standards.naming.php</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-5">5 https://make.wordpress.org/core/handbook/coding-standards/php/#naming-conventions</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-6">6 http://php.net/manual/en/function.spl-autoload-register.php</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-7">7 http://codex.wordpress.org/Function_Reference/plugin_dir_path</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-8">8 http://php.net/manual/en/language.constants.predefined.php</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-9">9 http://php.net/manual/en/function.realpath.php</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-10">10 http://codex.wordpress.org/Settings_API</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-11">11 http://codex.wordpress.org/Plugin_API/Filter_Reference</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-12">12 http://codex.wordpress.org/Plugin_API/Hooks</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-13">13 http://codex.wordpress.org/add_submenu_page</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-14">14 http://www.kosinix.com/wp-content/uploads/2015/02/simplarity1.png</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-15">15 http://php.net/manual/en/language.namespaces.importing.php</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-16">16 https://raw.githubusercontent.com/silexphp/Pimple/master/src/Pimple/Container.php</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-17">17 https://github.com/kosinix/simplarity</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-18">18 https://github.com/kosinix/simplarity-php53</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-19">19 http://pear.php.net/manual/en/standards.naming.php</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-20">20 http://daylerees.com/php-namespaces-explained</a></li> <li><a class="colorbox" href="http://www.smashingmagazine.com/#note-21">21 https://github.com/silexphp/Pimple</a></li> </ol> <p>The post <a class="colorbox" rel="nofollow" href="http://www.smashingmagazine.com/2015/05/29/how-to-use-autoloading-and-a-plugin-container-in-wordpress-plugins/">How To Use Autoloading And A Plugin Container In WordPress Plugins</a> appeared first on <a class="colorbox" rel="nofollow" href="http://www.smashingmagazine.com/">Smashing Magazine</a>.</p> </div></div><div class="wpb_wrapper td_block_separator td_block_wrap vc_separator tdi_71 td_separator_solid td_separator_center"><span style="border-color:#EBEBEB;border-width:1px;width:100%;"></span> <style scoped>.td_block_separator{width:100%;align-items:center;margin-bottom:38px;padding-bottom:10px}.td_block_separator span{position:relative;display:block;margin:0 auto;width:100%;height:1px;border-top:1px solid #EBEBEB}.td_separator_align_left span{margin-left:0}.td_separator_align_right span{margin-right:0}.td_separator_dashed span{border-top-style:dashed}.td_separator_dotted span{border-top-style:dotted}.td_separator_double span{height:3px;border-bottom:1px solid #EBEBEB}.td_separator_shadow>span{position:relative;height:20px;overflow:hidden;border:0;color:#EBEBEB}.td_separator_shadow>span>span{position:absolute;top:-30px;left:0;right:0;margin:0 auto;height:13px;width:98%;border-radius:100%}html :where([style*='border-width']){border-style:none}.tdi_71{margin-top:28px!important;margin-bottom:20px!important}</style></div><div class="td_block_wrap tdb_single_post_share tdi_72 td-pb-border-top td_block_template_1" data-td-block-uid="tdi_72" > <style>.tdi_72 .td-post-sharing-visible{align-items:flex-start}</style><div id="tdi_72" class="td-post-sharing tdb-block td-ps-bg td-ps-notext td-post-sharing-style1 "><div class="td-post-sharing-visible"><div class="td-social-sharing-button td-social-sharing-button-js td-social-handler td-social-share-text"> <div class="td-social-but-icon"><i class="td-icon-share"></i></div> <div class="td-social-but-text">Share</div> </div><a class="td-social-sharing-button td-social-sharing-button-js td-social-network td-social-facebook" href="https://www.facebook.com/sharer.php?u=https%3A%2F%2Fwww.webmastersgallery.com%2Funcategorized%2Fhow-to-use-autoloading-and-a-plugin-container-in-wordpress-plugins%2F" title="Facebook" ><div class="td-social-but-icon"><i class="td-icon-facebook"></i></div><div class="td-social-but-text">Facebook</div></a><a class="td-social-sharing-button td-social-sharing-button-js td-social-network td-social-twitter" href="https://twitter.com/intent/tweet?text=How+To+Use+Autoloading+And+A+Plugin+Container+In+WordPress+Plugins&url=https%3A%2F%2Fwww.webmastersgallery.com%2Funcategorized%2Fhow-to-use-autoloading-and-a-plugin-container-in-wordpress-plugins%2F&via=Webmasters+Gallery" title="Twitter" ><div class="td-social-but-icon"><i class="td-icon-twitter"></i></div><div class="td-social-but-text">Twitter</div></a><a class="td-social-sharing-button td-social-sharing-button-js td-social-network td-social-pinterest" href="https://pinterest.com/pin/create/button/?url=https://www.webmastersgallery.com/uncategorized/how-to-use-autoloading-and-a-plugin-container-in-wordpress-plugins/&media=&description=How+To+Use+Autoloading+And+A+Plugin+Container+In+WordPress+Plugins" title="Pinterest" ><div class="td-social-but-icon"><i class="td-icon-pinterest"></i></div><div class="td-social-but-text">Pinterest</div></a><a class="td-social-sharing-button td-social-sharing-button-js td-social-network td-social-whatsapp" href="https://api.whatsapp.com/send?text=How+To+Use+Autoloading+And+A+Plugin+Container+In+WordPress+Plugins %0A%0A https://www.webmastersgallery.com/uncategorized/how-to-use-autoloading-and-a-plugin-container-in-wordpress-plugins/" title="WhatsApp" ><div class="td-social-but-icon"><i class="td-icon-whatsapp"></i></div><div class="td-social-but-text">WhatsApp</div></a></div><div class="td-social-sharing-hidden"><ul class="td-pulldown-filter-list"></ul><a class="td-social-sharing-button td-social-handler td-social-expand-tabs" href="#" data-block-uid="tdi_72" title="More"> <div class="td-social-but-icon"><i class="td-icon-plus td-social-expand-tabs-icon"></i></div> </a></div></div></div><div class="wpb_wrapper td_block_separator td_block_wrap vc_separator tdi_74 td_separator_solid td_separator_center"><span style="border-color:#EBEBEB;border-width:1px;width:100%;"></span> <style scoped>.tdi_74{margin-bottom:30px!important}@media (max-width:767px){.tdi_74{margin-top:-7px!important}}</style></div><div class="td_block_wrap tdb_single_next_prev tdi_75 td-animation-stack td-pb-border-top td_block_template_1" data-td-block-uid="tdi_75" > <style>.tdi_75{margin-bottom:43px!important}</style> <style>.tdb_single_next_prev{*zoom:1}.tdb_single_next_prev:before,.tdb_single_next_prev:after{display:table;content:'';line-height:0}.tdb_single_next_prev:after{clear:both}.tdb-next-post{font-family:var(--td_default_google_font_2,'Roboto',sans-serif);width:48%;float:left;transform:translateZ(0);-webkit-transform:translateZ(0);min-height:1px;line-height:1}.tdb-next-post span{display:block;font-size:12px;color:#747474;margin-bottom:7px}.tdb-next-post a{font-size:15px;color:#222;line-height:21px;-webkit-transition:color 0.2s ease;transition:color 0.2s ease}.tdb-next-post a:hover{color:var(--td_theme_color,#4db2ec)}.tdb-post-next{margin-left:2%;text-align:right}.tdb-post-prev{margin-right:2%}.tdb-post-next .td-image-container{display:inline-block}.tdi_75 .td-module-container{display:flex;flex-direction:column}.tdi_75 .tdb-post-next .td-module-container{align-items:flex-end}.tdi_75 .td-image-container{display:block;order:0}.ie10 .tdi_75 .next-prev-title,.ie11 .tdi_75 .next-prev-title{flex:auto}@media (min-width:1019px) and (max-width:1140px){}@media (min-width:768px) and (max-width:1018px){}@media (max-width:767px){}</style><div class="tdb-block-inner td-fix-index"><div class="tdb-next-post tdb-next-post-bg tdb-post-prev"><span>Previous article</span><div class="td-module-container"><div class="next-prev-title"><a href="https://www.webmastersgallery.com/uncategorized/how-does-googles-new-ranking-factor-mobile-friendly-affect-your-website/">How Does Google’s New Ranking Factor Mobile-Friendly Affect Your Website?</a></div></div></div><div class="tdb-next-post tdb-next-post-bg tdb-post-next"><span>Next article</span><div class="td-module-container"><div class="next-prev-title"><a href="https://www.webmastersgallery.com/uncategorized/lining-js-controlling-text-lines-per-css-selector/">Lining.js: Controlling Text Lines per CSS Selector</a></div></div></div></div></div><div class="td_block_wrap td_flex_block_1 tdi_77 td_with_ajax_pagination td-pb-border-top td_block_template_1 td_flex_block" data-td-block-uid="tdi_77" > <style>.tdi_77 .td-image-wrap{padding-bottom:70%}.tdi_77 .entry-thumb{background-position:center 50%}.tdi_77 .td-module-container{flex-direction:column;border-color:#eaeaea!important}.tdi_77 .td-image-container{display:block;order:0}.ie10 .tdi_77 .td-module-meta-info,.ie11 .tdi_77 .td-module-meta-info{flex:auto}body .tdi_77 .td-favorite{font-size:36px;box-shadow:1px 1px 4px 0px rgba(0,0,0,0.2)}.tdi_77 .td-module-meta-info{border-color:#eaeaea}.tdi_77 .td_module_wrap{width:33.33333333%;float:left;padding-left:10px;padding-right:10px;padding-bottom:10px;margin-bottom:10px}.rtl .tdi_77 .td_module_wrap{float:right}.tdi_77 .td_block_inner{margin-left:-10px;margin-right:-10px}.tdi_77 .td-module-container:before{bottom:-10px;border-color:#eaeaea}.tdi_77 .td-post-vid-time{display:block}.tdi_77 .td-post-category:not(.td-post-extra-category){display:inline-block}.tdi_77 .td-author-photo .avatar{width:20px;height:20px;margin-right:6px;border-radius:50%}.tdi_77 .td-excerpt{display:none;column-count:1;column-gap:48px}.tdi_77 .td-audio-player{opacity:1;visibility:visible;height:auto;font-size:13px}.tdi_77 .td-read-more{display:none}.tdi_77 .td-author-date{display:inline}.tdi_77 .td-post-author-name{display:none}.tdi_77 .td-post-date,.tdi_77 .td-post-author-name span{display:none}.tdi_77 .entry-review-stars{display:inline-block}.tdi_77 .td-icon-star,.tdi_77 .td-icon-star-empty,.tdi_77 .td-icon-star-half{font-size:15px}.tdi_77 .td-module-comments{display:none}.tdi_77 .td_module_wrap:nth-child(3n+1){clear:both}.tdi_77 .td_module_wrap:nth-last-child(-n+3){margin-bottom:0;padding-bottom:0}.tdi_77 .td_module_wrap:nth-last-child(-n+3) .td-module-container:before{display:none}.tdi_77 .entry-title{font-size:13px!important;line-height:1.4!important;font-weight:500!important}html:not([class*='ie']) .tdi_77 .td-module-container:hover .entry-thumb:before{opacity:0}@media (min-width:1019px) and (max-width:1140px){.tdi_77 .td_module_wrap{padding-bottom:10px;margin-bottom:10px;clear:none!important;padding-bottom:10px!important;margin-bottom:10px!important}.tdi_77 .td-module-container:before{bottom:-10px}.tdi_77 .td_module_wrap:nth-child(3n+1){clear:both!important}.tdi_77 .td_module_wrap:nth-last-child(-n+3){margin-bottom:0!important;padding-bottom:0!important}.tdi_77 .td_module_wrap .td-module-container:before{display:block!important}.tdi_77 .td_module_wrap:nth-last-child(-n+3) .td-module-container:before{display:none!important}}@media (min-width:768px) and (max-width:1018px){.tdi_77 .td_module_wrap{padding-left:7.5px;padding-right:7.5px;padding-bottom:7.5px;margin-bottom:7.5px;clear:none!important;padding-bottom:7.5px!important;margin-bottom:7.5px!important}.tdi_77 .td_block_inner{margin-left:-7.5px;margin-right:-7.5px}.tdi_77 .td-module-container:before{bottom:-7.5px}.tdi_77 .td-video-play-ico{width:24px;height:24px;font-size:24px}.tdi_77 .td_module_wrap:nth-child(3n+1){clear:both!important}.tdi_77 .td_module_wrap:nth-last-child(-n+3){margin-bottom:0!important;padding-bottom:0!important}.tdi_77 .td_module_wrap .td-module-container:before{display:block!important}.tdi_77 .td_module_wrap:nth-last-child(-n+3) .td-module-container:before{display:none!important}.tdi_77 .entry-title{font-size:12px!important}}@media (max-width:767px){.tdi_77 .td-image-container{flex:0 0 30%;width:30%;display:block;order:0}.ie10 .tdi_77 .td-image-container,.ie11 .tdi_77 .td-image-container{flex:0 0 auto}.tdi_77 .td-module-container{flex-direction:row}.ie10 .tdi_77 .td-module-meta-info,.ie11 .tdi_77 .td-module-meta-info{flex:1}.tdi_77 .td-module-meta-info{margin:0 0 0 16px;padding:0px}.tdi_77 .td_module_wrap{width:100%;float:left;padding-left:7.5px;padding-right:7.5px;padding-bottom:13px;margin-bottom:13px;padding-bottom:13px!important;margin-bottom:13px!important}.rtl .tdi_77 .td_module_wrap{float:right}.tdi_77 .td_block_inner{margin-left:-7.5px;margin-right:-7.5px}.tdi_77 .td-module-container:before{bottom:-13px}.tdi_77 .td-video-play-ico{width:24px;height:24px;font-size:24px}.tdi_77 .td-post-date,.tdi_77 .td-post-author-name span{display:inline-block}.tdi_77 .td_module_wrap:nth-last-child(1){margin-bottom:0!important;padding-bottom:0!important}.tdi_77 .td_module_wrap .td-module-container:before{display:block!important}.tdi_77 .td_module_wrap:nth-last-child(1) .td-module-container:before{display:none!important}.tdi_77 .entry-title{margin:0 0 6px 0;font-size:14px!important}}</style><script>var block_tdi_77 = new tdBlock(); block_tdi_77.id = "tdi_77"; block_tdi_77.atts = '{"title_tag":"div","modules_on_row":"eyJhbGwiOiIzMy4zMzMzMzMzMyUiLCJwaG9uZSI6IjEwMCUifQ==","limit":"3","modules_category":"image","show_btn":"none","show_excerpt":"none","ajax_pagination":"next_prev","sort":"","category_id":"_related_cat","f_title_font_size":"eyJwaG9uZSI6IjE0IiwiYWxsIjoiMTMiLCJwb3J0cmFpdCI6IjEyIn0=","f_title_font_line_height":"eyJwaG9uZSI6IjEuNCIsImFsbCI6IjEuNCJ9","modules_gap":"eyJhbGwiOiIyMCIsInBvcnRyYWl0IjoiMTUiLCJwaG9uZSI6IjE1In0=","show_com":"none","show_date":"eyJhbGwiOiJub25lIiwicGhvbmUiOiJpbmxpbmUtYmxvY2sifQ==","show_author":"none","image_height":"70","f_title_font_weight":"500","all_modules_space":"eyJhbGwiOiIyMCIsImxhbmRzY2FwZSI6IjIwIiwicG9ydHJhaXQiOiIxNSIsInBob25lIjoiMjYifQ==","custom_title":"RELATED ARTICLES","image_floated":"eyJwaG9uZSI6ImZsb2F0X2xlZnQifQ==","image_width":"eyJwaG9uZSI6IjMwIn0=","meta_info_align":"","meta_margin":"eyJwaG9uZSI6IjAgMCAwIDE2cHgifQ==","meta_padding":"eyJwaG9uZSI6IjAifQ==","video_icon":"eyJwb3J0cmFpdCI6IjI0IiwicGhvbmUiOiIyNCJ9","image_size":"td_485x360","art_title":"eyJwaG9uZSI6IjAgMCA2cHggMCJ9","block_type":"td_flex_block_1","separator":"","custom_url":"","block_template_id":"","mc1_tl":"","mc1_title_tag":"","mc1_el":"","post_ids":"-32461","taxonomies":"","category_ids":"","in_all_terms":"","tag_slug":"","autors_id":"","installed_post_types":"","include_cf_posts":"","exclude_cf_posts":"","popular_by_date":"","linked_posts":"","favourite_only":"","offset":"","open_in_new_window":"","show_modified_date":"","time_ago":"","time_ago_add_txt":"ago","time_ago_txt_pos":"","review_source":"","el_class":"","td_query_cache":"","td_query_cache_expiration":"","td_ajax_filter_type":"","td_ajax_filter_ids":"","td_filter_default_txt":"All","td_ajax_preloading":"","container_width":"","m_padding":"","modules_border_size":"","modules_border_style":"","modules_border_color":"#eaeaea","modules_border_radius":"","modules_divider":"","modules_divider_color":"#eaeaea","h_effect":"","image_alignment":"50","image_radius":"","hide_image":"","show_favourites":"","fav_size":"2","fav_space":"","fav_ico_color":"","fav_ico_color_h":"","fav_bg":"","fav_bg_h":"","fav_shadow_shadow_header":"","fav_shadow_shadow_title":"Shadow","fav_shadow_shadow_size":"","fav_shadow_shadow_offset_horizontal":"","fav_shadow_shadow_offset_vertical":"","fav_shadow_shadow_spread":"","fav_shadow_shadow_color":"","video_popup":"yes","video_rec":"","spot_header":"","video_rec_title":"","video_rec_color":"","video_rec_disable":"","autoplay_vid":"yes","show_vid_t":"block","vid_t_margin":"","vid_t_padding":"","video_title_color":"","video_title_color_h":"","video_bg":"","video_overlay":"","vid_t_color":"","vid_t_bg_color":"","f_vid_title_font_header":"","f_vid_title_font_title":"Video pop-up article title","f_vid_title_font_settings":"","f_vid_title_font_family":"","f_vid_title_font_size":"","f_vid_title_font_line_height":"","f_vid_title_font_style":"","f_vid_title_font_weight":"","f_vid_title_font_transform":"","f_vid_title_font_spacing":"","f_vid_title_":"","f_vid_time_font_title":"Video duration text","f_vid_time_font_settings":"","f_vid_time_font_family":"","f_vid_time_font_size":"","f_vid_time_font_line_height":"","f_vid_time_font_style":"","f_vid_time_font_weight":"","f_vid_time_font_transform":"","f_vid_time_font_spacing":"","f_vid_time_":"","meta_info_horiz":"layout-default","meta_width":"","meta_space":"","art_btn":"","meta_info_border_size":"","meta_info_border_style":"","meta_info_border_color":"#eaeaea","meta_info_border_radius":"","modules_category_margin":"","modules_category_padding":"","modules_cat_border":"","modules_category_radius":"0","show_cat":"inline-block","modules_extra_cat":"","author_photo":"","author_photo_size":"","author_photo_space":"","author_photo_radius":"","show_review":"inline-block","review_space":"","review_size":"2.5","review_distance":"","art_excerpt":"","excerpt_col":"1","excerpt_gap":"","excerpt_middle":"","excerpt_inline":"","show_audio":"block","hide_audio":"","art_audio":"","art_audio_size":"1.5","btn_title":"","btn_margin":"","btn_padding":"","btn_border_width":"","btn_radius":"","pag_space":"","pag_padding":"","pag_border_width":"","pag_border_radius":"","prev_tdicon":"","next_tdicon":"","pag_icons_size":"","f_header_font_header":"","f_header_font_title":"Block header","f_header_font_settings":"","f_header_font_family":"","f_header_font_size":"","f_header_font_line_height":"","f_header_font_style":"","f_header_font_weight":"","f_header_font_transform":"","f_header_font_spacing":"","f_header_":"","f_ajax_font_title":"Ajax categories","f_ajax_font_settings":"","f_ajax_font_family":"","f_ajax_font_size":"","f_ajax_font_line_height":"","f_ajax_font_style":"","f_ajax_font_weight":"","f_ajax_font_transform":"","f_ajax_font_spacing":"","f_ajax_":"","f_more_font_title":"Load more button","f_more_font_settings":"","f_more_font_family":"","f_more_font_size":"","f_more_font_line_height":"","f_more_font_style":"","f_more_font_weight":"","f_more_font_transform":"","f_more_font_spacing":"","f_more_":"","f_title_font_header":"","f_title_font_title":"Article title","f_title_font_settings":"","f_title_font_family":"","f_title_font_style":"","f_title_font_transform":"","f_title_font_spacing":"","f_title_":"","f_cat_font_title":"Article category tag","f_cat_font_settings":"","f_cat_font_family":"","f_cat_font_size":"","f_cat_font_line_height":"","f_cat_font_style":"","f_cat_font_weight":"","f_cat_font_transform":"","f_cat_font_spacing":"","f_cat_":"","f_meta_font_title":"Article meta info","f_meta_font_settings":"","f_meta_font_family":"","f_meta_font_size":"","f_meta_font_line_height":"","f_meta_font_style":"","f_meta_font_weight":"","f_meta_font_transform":"","f_meta_font_spacing":"","f_meta_":"","f_ex_font_title":"Article excerpt","f_ex_font_settings":"","f_ex_font_family":"","f_ex_font_size":"","f_ex_font_line_height":"","f_ex_font_style":"","f_ex_font_weight":"","f_ex_font_transform":"","f_ex_font_spacing":"","f_ex_":"","f_btn_font_title":"Article read more button","f_btn_font_settings":"","f_btn_font_family":"","f_btn_font_size":"","f_btn_font_line_height":"","f_btn_font_style":"","f_btn_font_weight":"","f_btn_font_transform":"","f_btn_font_spacing":"","f_btn_":"","mix_color":"","mix_type":"","fe_brightness":"1","fe_contrast":"1","fe_saturate":"1","mix_color_h":"","mix_type_h":"","fe_brightness_h":"1","fe_contrast_h":"1","fe_saturate_h":"1","m_bg":"","color_overlay":"","shadow_shadow_header":"","shadow_shadow_title":"Module Shadow","shadow_shadow_size":"","shadow_shadow_offset_horizontal":"","shadow_shadow_offset_vertical":"","shadow_shadow_spread":"","shadow_shadow_color":"","title_txt":"","title_txt_hover":"","all_underline_height":"","all_underline_color":"","cat_style":"","cat_bg":"","cat_bg_hover":"","cat_txt":"","cat_txt_hover":"","cat_border":"","cat_border_hover":"","meta_bg":"","author_txt":"","author_txt_hover":"","date_txt":"","ex_txt":"","com_bg":"","com_txt":"","rev_txt":"","audio_btn_color":"","audio_time_color":"","audio_bar_color":"","audio_bar_curr_color":"","shadow_m_shadow_header":"","shadow_m_shadow_title":"Meta info shadow","shadow_m_shadow_size":"","shadow_m_shadow_offset_horizontal":"","shadow_m_shadow_offset_vertical":"","shadow_m_shadow_spread":"","shadow_m_shadow_color":"","btn_bg":"","btn_bg_hover":"","btn_txt":"","btn_txt_hover":"","btn_border":"","btn_border_hover":"","pag_text":"","pag_h_text":"","pag_bg":"","pag_h_bg":"","pag_border":"","pag_h_border":"","ajax_pagination_next_prev_swipe":"","ajax_pagination_infinite_stop":"","css":"","tdc_css":"","td_column_number":2,"header_color":"","color_preset":"","border_top":"","class":"tdi_77","tdc_css_class":"tdi_77","tdc_css_class_style":"tdi_77_rand_style","live_filter":"cur_post_same_categories","live_filter_cur_post_id":32461,"live_filter_cur_post_parent_id":0}'; block_tdi_77.td_column_number = "2"; block_tdi_77.block_type = "td_flex_block_1"; block_tdi_77.post_count = "3"; block_tdi_77.found_posts = "11279"; block_tdi_77.header_color = ""; block_tdi_77.ajax_pagination_infinite_stop = ""; block_tdi_77.max_num_pages = "3760"; tdBlocksArray.push(block_tdi_77); </script><div class="td-block-title-wrap"><div class="block-title td-block-title"><span class="td-pulldown-size">RELATED ARTICLES</span></div></div><div id=tdi_77 class="td_block_inner td-mc1-wrap"> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-image"> <div class="td-image-container"> <a href="https://www.webmastersgallery.com/category/design/" class="td-post-category" >Designing</a> <div class="td-module-thumb"><a href="https://www.webmastersgallery.com/uncategorized/korean-air-takes-off-with-a-fresh-new-look/" rel="bookmark" class="td-image-wrap " title="Korean Air Takes Off with a Fresh New Look" ><span class="entry-thumb td-thumb-css" data-type="css_image" data-img-url="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/assets/images/no-thumb/td_485x360.png" ></span></a></div> </div> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.webmastersgallery.com/uncategorized/korean-air-takes-off-with-a-fresh-new-look/" rel="bookmark" title="Korean Air Takes Off with a Fresh New Look">Korean Air Takes Off with a Fresh New Look</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2025-03-25T12:23:00+00:00" >March 25, 2025</time></span> </span> </div> </div> </div> </div> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-image"> <div class="td-image-container"> <a href="https://www.webmastersgallery.com/category/design/" class="td-post-category" >Designing</a> <div class="td-module-thumb"><a href="https://www.webmastersgallery.com/uncategorized/support-logical-shorthands-in-css/" rel="bookmark" class="td-image-wrap " title="Support Logical Shorthands in CSS" ><span class="entry-thumb td-thumb-css" data-type="css_image" data-img-url="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/assets/images/no-thumb/td_485x360.png" ></span></a></div> </div> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.webmastersgallery.com/uncategorized/support-logical-shorthands-in-css/" rel="bookmark" title="Support Logical Shorthands in CSS">Support Logical Shorthands in CSS</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2025-03-24T14:06:19+00:00" >March 24, 2025</time></span> </span> </div> </div> </div> </div> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-image"> <div class="td-image-container"> <a href="https://www.webmastersgallery.com/category/design/" class="td-post-category" >Designing</a> <div class="td-module-thumb"><a href="https://www.webmastersgallery.com/uncategorized/the-death-of-coding-jobs-how-ai-no-code-and-corporate-greed-are-killing-the-industry/" rel="bookmark" class="td-image-wrap " title="The Death of Coding Jobs: How AI, No-Code, and Corporate Greed Are Killing the Industry" ><span class="entry-thumb td-thumb-css" data-type="css_image" data-img-url="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/assets/images/no-thumb/td_485x360.png" ></span></a></div> </div> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.webmastersgallery.com/uncategorized/the-death-of-coding-jobs-how-ai-no-code-and-corporate-greed-are-killing-the-industry/" rel="bookmark" title="The Death of Coding Jobs: How AI, No-Code, and Corporate Greed Are Killing the Industry">The Death of Coding Jobs: How AI, No-Code, and Corporate Greed Are Killing the Industry</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2025-03-24T12:38:00+00:00" >March 24, 2025</time></span> </span> </div> </div> </div> </div> </div><div class="td-next-prev-wrap"><a href="#" class="td-ajax-prev-page ajax-page-disabled" aria-label="prev-page" id="prev-page-tdi_77" data-td_block_id="tdi_77"><i class="td-next-prev-icon td-icon-font td-icon-menu-left"></i></a><a href="#" class="td-ajax-next-page" aria-label="next-page" id="next-page-tdi_77" data-td_block_id="tdi_77"><i class="td-next-prev-icon td-icon-font td-icon-menu-right"></i></a></div></div> <script> var tdb_login_sing_in_shortcode="on"; </script> <div class="td_block_wrap tdb_single_comments tdi_78 tdb-comm-layout1 td-pb-border-top td_block_template_1" data-td-block-uid="tdi_78" > <style>.tdb_single_comments input[type=text]{min-height:34px;height:auto}.tdb_single_comments .comments,.tdb_single_comments .comment-respond:last-child,.tdb_single_comments .form-submit{margin-bottom:0}.is-visually-hidden{border:0;clip:rect(0 0 0 0);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px}.tdb-comm-layout3 form,.tdb-comm-layout5 form{display:flex;flex-wrap:wrap}.tdb-comm-layout3 .td-form-comment,.tdb-comm-layout5 .td-form-comment,.tdb-comm-layout3 .form-submit,.tdb-comm-layout5 .form-submit{flex:0 0 100%;order:1}.tdb-comm-layout3 .td-form-author,.tdb-comm-layout3 .td-form-email,.tdb-comm-layout3 .td-form-url{flex:0 0 32%}.tdb-comm-layout5 .td-form-author,.tdb-comm-layout5 .td-form-email{flex:0 0 49%}.tdb-comm-layout5 .td-form-url{flex:0 0 100%}.tdb-comm-leave_reply_top .comments{display:flex;flex-direction:column}.tdb-comm-leave_reply_top .td-comments-title{order:0;margin-bottom:14px}.tdb-comm-leave_reply_top .comment-respond .form-submit{order:1;margin-bottom:21px}.tdb-comm-leave_reply_top .comment-list{order:2}.tdb-comm-leave_reply_top .comment-pagination{order:3}.tdi_78 .comment-link{display:inline-block}.tdi_78 .comment{border-bottom-style:dashed}.tdi_78 .comment .children{border-top-style:dashed}@media (min-width:767px){.tdb-comm-layout2 form,.tdb-comm-layout4 form{margin:0 -10px}.tdb-comm-layout2 .logged-in-as,.tdb-comm-layout4 .logged-in-as,.tdb-comm-layout2 .comment-form-input-wrap,.tdb-comm-layout4 .comment-form-input-wrap,.tdb-comm-layout2 .form-submit,.tdb-comm-layout4 .form-submit,.tdb-comm-layout2 .comment-respond p,.tdb-comm-layout4 .comment-respond p{padding:0 10px}.tdb-comm-layout2 .td-form-author,.tdb-comm-layout2 .td-form-email{float:left;width:33.3333%}.tdb-comm-layout2 .td-form-url{width:33.3333%}.tdb-comm-layout2 .td-form-url{float:left}.tdb-comm-layout4 .td-form-author,.tdb-comm-layout4 .td-form-email{float:left;width:50%}.tdb-comm-layout3 .td-form-author,.tdb-comm-layout5 .td-form-author,.tdb-comm-layout3 .td-form-email{margin-right:2%}}@media (max-width:767px){.tdb-comm-layout3 .td-form-author,.tdb-comm-layout3 .td-form-email,.tdb-comm-layout3 .td-form-url,.tdb-comm-layout5 .td-form-author,.tdb-comm-layout5 .td-form-email{flex:0 0 100%}}</style><div class="tdb-block-inner td-fix-index"><div class="comments" id="comments"> <div id="respond" class="comment-respond"> <h3 id="reply-title" class="comment-reply-title">LEAVE A REPLY</h3><p class="must-log-in td-login-comment"><a class="td-login-modal-js" data-effect="mpf-td-login-effect" href="#login-form">Log in to leave a comment</a></p> </div><!-- #respond --> </div></div></div></div></div><div class="vc_column tdi_80 wpb_column vc_column_container tdc-column td-pb-span4 td-is-sticky"> <style scoped>.tdi_80{vertical-align:baseline}.tdi_80>.wpb_wrapper,.tdi_80>.wpb_wrapper>.tdc-elements{display:block}.tdi_80>.wpb_wrapper>.tdc-elements{width:100%}.tdi_80>.wpb_wrapper>.vc_row_inner{width:auto}.tdi_80>.wpb_wrapper{width:auto;height:auto}</style><div class="wpb_wrapper" data-sticky-enabled-on="W3RydWUsdHJ1ZSx0cnVlLHRydWVd" data-sticky-offset="20" data-sticky-is-width-auto="W2ZhbHNlLGZhbHNlLGZhbHNlLGZhbHNlXQ=="><div class="td_block_wrap td_flex_block_1 tdi_82 td_with_ajax_pagination td-pb-border-top td_block_template_1 td_flex_block" data-td-block-uid="tdi_82" > <style>.tdi_82 .td-image-wrap{padding-bottom:70%}.tdi_82 .entry-thumb{background-position:center 50%}.tdi_82 .td-image-container{flex:0 0 30%;width:30%;display:block;order:0}.ie10 .tdi_82 .td-image-container,.ie11 .tdi_82 .td-image-container{flex:0 0 auto}.tdi_82 .td-module-container{flex-direction:row;border-color:#eaeaea!important}.ie10 .tdi_82 .td-module-meta-info,.ie11 .tdi_82 .td-module-meta-info{flex:1}body .tdi_82 .td-favorite{font-size:36px;box-shadow:1px 1px 4px 0px rgba(0,0,0,0.2)}.tdi_82 .td-module-meta-info{padding:0 0 0 13px;border-color:#eaeaea}.tdi_82 .td_module_wrap{padding-left:20px;padding-right:20px;padding-bottom:15px;margin-bottom:15px}.tdi_82 .td_block_inner{margin-left:-20px;margin-right:-20px}.tdi_82 .td-module-container:before{bottom:-15px;border-color:#eaeaea}.tdi_82 .td-post-vid-time{display:block}.tdi_82 .td-post-category:not(.td-post-extra-category){display:none}.tdi_82 .td-author-photo .avatar{width:20px;height:20px;margin-right:6px;border-radius:50%}.tdi_82 .td-excerpt{display:none;column-count:1;column-gap:48px}.tdi_82 .td-audio-player{opacity:1;visibility:visible;height:auto;font-size:13px}.tdi_82 .td-read-more{display:none}.tdi_82 .td-author-date{display:inline}.tdi_82 .td-post-author-name{display:none}.tdi_82 .entry-review-stars{display:inline-block}.tdi_82 .td-icon-star,.tdi_82 .td-icon-star-empty,.tdi_82 .td-icon-star-half{font-size:15px}.tdi_82 .td-module-comments{display:none}.tdi_82 .td_module_wrap:nth-last-child(1){margin-bottom:0;padding-bottom:0}.tdi_82 .td_module_wrap:nth-last-child(1) .td-module-container:before{display:none}.tdi_82 .td-block-title a,.tdi_82 .td-block-title span{text-transform:uppercase!important}.tdi_82 .entry-title{font-size:14px!important;line-height:1.4!important;font-weight:500!important}html:not([class*='ie']) .tdi_82 .td-module-container:hover .entry-thumb:before{opacity:0}@media (min-width:1019px) and (max-width:1140px){.tdi_82 .td_module_wrap{padding-bottom:15px;margin-bottom:15px;padding-bottom:15px!important;margin-bottom:15px!important}.tdi_82 .td-module-container:before{bottom:-15px}.tdi_82 .td_module_wrap:nth-last-child(1){margin-bottom:0!important;padding-bottom:0!important}.tdi_82 .td_module_wrap .td-module-container:before{display:block!important}.tdi_82 .td_module_wrap:nth-last-child(1) .td-module-container:before{display:none!important}}@media (min-width:768px) and (max-width:1018px){.tdi_82 .td_module_wrap{width:100%;float:left;padding-left:10px;padding-right:10px;padding-bottom:10px;margin-bottom:10px;padding-bottom:10px!important;margin-bottom:10px!important}.rtl .tdi_82 .td_module_wrap{float:right}.tdi_82 .td_block_inner{margin-left:-10px;margin-right:-10px}.tdi_82 .td-module-container:before{bottom:-10px}.tdi_82 .td-post-date,.tdi_82 .td-post-author-name span{display:none}.tdi_82 .td_module_wrap:nth-last-child(1){margin-bottom:0!important;padding-bottom:0!important}.tdi_82 .td_module_wrap .td-module-container:before{display:block!important}.tdi_82 .td_module_wrap:nth-last-child(1) .td-module-container:before{display:none!important}.tdi_82 .entry-title{font-size:12px!important}}@media (max-width:767px){.tdi_82 .td-module-meta-info{padding:0 0 0 16px}.tdi_82 .td_module_wrap{width:100%;float:left;padding-bottom:15px;margin-bottom:15px;padding-bottom:15px!important;margin-bottom:15px!important}.rtl .tdi_82 .td_module_wrap{float:right}.tdi_82 .td-module-container:before{bottom:-15px}.tdi_82 .td_module_wrap:nth-last-child(1){margin-bottom:0!important;padding-bottom:0!important}.tdi_82 .td_module_wrap .td-module-container:before{display:block!important}.tdi_82 .td_module_wrap:nth-last-child(1) .td-module-container:before{display:none!important}}</style><script>var block_tdi_82 = new tdBlock(); block_tdi_82.id = "tdi_82"; block_tdi_82.atts = '{"modules_on_row":"eyJwb3J0cmFpdCI6IjEwMCUiLCJwaG9uZSI6IjEwMCUifQ==","image_size":"","image_floated":"float_left","image_width":"30","image_height":"70","show_btn":"none","show_excerpt":"none","show_com":"none","show_author":"none","show_cat":"none","limit":"4","meta_padding":"eyJhbGwiOiIwIDAgMCAxM3B4IiwicGhvbmUiOiIwIDAgMCAxNnB4In0=","f_title_font_size":"eyJhbGwiOiIxNCIsInBvcnRyYWl0IjoiMTIifQ==","f_title_font_line_height":"1.4","f_title_font_weight":"500","all_modules_space":"eyJhbGwiOiIzMCIsInBvcnRyYWl0IjoiMjAifQ==","category_id":"","modules_gap":"eyJwb3J0cmFpdCI6IjIwIn0=","show_date":"eyJwb3J0cmFpdCI6Im5vbmUifQ==","custom_title":"Most Popular","ajax_pagination":"load_more","sort":"","f_header_font_transform":"uppercase","block_type":"td_flex_block_1","separator":"","custom_url":"","block_template_id":"","title_tag":"","mc1_tl":"","mc1_title_tag":"","mc1_el":"","post_ids":"-32461","taxonomies":"","category_ids":"","in_all_terms":"","tag_slug":"","autors_id":"","installed_post_types":"","include_cf_posts":"","exclude_cf_posts":"","popular_by_date":"","linked_posts":"","favourite_only":"","offset":"","open_in_new_window":"","show_modified_date":"","time_ago":"","time_ago_add_txt":"ago","time_ago_txt_pos":"","review_source":"","el_class":"","td_query_cache":"","td_query_cache_expiration":"","td_ajax_filter_type":"","td_ajax_filter_ids":"","td_filter_default_txt":"All","td_ajax_preloading":"","container_width":"","m_padding":"","modules_border_size":"","modules_border_style":"","modules_border_color":"#eaeaea","modules_border_radius":"","modules_divider":"","modules_divider_color":"#eaeaea","h_effect":"","image_alignment":"50","image_radius":"","hide_image":"","show_favourites":"","fav_size":"2","fav_space":"","fav_ico_color":"","fav_ico_color_h":"","fav_bg":"","fav_bg_h":"","fav_shadow_shadow_header":"","fav_shadow_shadow_title":"Shadow","fav_shadow_shadow_size":"","fav_shadow_shadow_offset_horizontal":"","fav_shadow_shadow_offset_vertical":"","fav_shadow_shadow_spread":"","fav_shadow_shadow_color":"","video_icon":"","video_popup":"yes","video_rec":"","spot_header":"","video_rec_title":"","video_rec_color":"","video_rec_disable":"","autoplay_vid":"yes","show_vid_t":"block","vid_t_margin":"","vid_t_padding":"","video_title_color":"","video_title_color_h":"","video_bg":"","video_overlay":"","vid_t_color":"","vid_t_bg_color":"","f_vid_title_font_header":"","f_vid_title_font_title":"Video pop-up article title","f_vid_title_font_settings":"","f_vid_title_font_family":"","f_vid_title_font_size":"","f_vid_title_font_line_height":"","f_vid_title_font_style":"","f_vid_title_font_weight":"","f_vid_title_font_transform":"","f_vid_title_font_spacing":"","f_vid_title_":"","f_vid_time_font_title":"Video duration text","f_vid_time_font_settings":"","f_vid_time_font_family":"","f_vid_time_font_size":"","f_vid_time_font_line_height":"","f_vid_time_font_style":"","f_vid_time_font_weight":"","f_vid_time_font_transform":"","f_vid_time_font_spacing":"","f_vid_time_":"","meta_info_align":"","meta_info_horiz":"layout-default","meta_width":"","meta_margin":"","meta_space":"","art_title":"","art_btn":"","meta_info_border_size":"","meta_info_border_style":"","meta_info_border_color":"#eaeaea","meta_info_border_radius":"","modules_category":"","modules_category_margin":"","modules_category_padding":"","modules_cat_border":"","modules_category_radius":"0","modules_extra_cat":"","author_photo":"","author_photo_size":"","author_photo_space":"","author_photo_radius":"","show_review":"inline-block","review_space":"","review_size":"2.5","review_distance":"","art_excerpt":"","excerpt_col":"1","excerpt_gap":"","excerpt_middle":"","excerpt_inline":"","show_audio":"block","hide_audio":"","art_audio":"","art_audio_size":"1.5","btn_title":"","btn_margin":"","btn_padding":"","btn_border_width":"","btn_radius":"","pag_space":"","pag_padding":"","pag_border_width":"","pag_border_radius":"","prev_tdicon":"","next_tdicon":"","pag_icons_size":"","f_header_font_header":"","f_header_font_title":"Block header","f_header_font_settings":"","f_header_font_family":"","f_header_font_size":"","f_header_font_line_height":"","f_header_font_style":"","f_header_font_weight":"","f_header_font_spacing":"","f_header_":"","f_ajax_font_title":"Ajax categories","f_ajax_font_settings":"","f_ajax_font_family":"","f_ajax_font_size":"","f_ajax_font_line_height":"","f_ajax_font_style":"","f_ajax_font_weight":"","f_ajax_font_transform":"","f_ajax_font_spacing":"","f_ajax_":"","f_more_font_title":"Load more button","f_more_font_settings":"","f_more_font_family":"","f_more_font_size":"","f_more_font_line_height":"","f_more_font_style":"","f_more_font_weight":"","f_more_font_transform":"","f_more_font_spacing":"","f_more_":"","f_title_font_header":"","f_title_font_title":"Article title","f_title_font_settings":"","f_title_font_family":"","f_title_font_style":"","f_title_font_transform":"","f_title_font_spacing":"","f_title_":"","f_cat_font_title":"Article category tag","f_cat_font_settings":"","f_cat_font_family":"","f_cat_font_size":"","f_cat_font_line_height":"","f_cat_font_style":"","f_cat_font_weight":"","f_cat_font_transform":"","f_cat_font_spacing":"","f_cat_":"","f_meta_font_title":"Article meta info","f_meta_font_settings":"","f_meta_font_family":"","f_meta_font_size":"","f_meta_font_line_height":"","f_meta_font_style":"","f_meta_font_weight":"","f_meta_font_transform":"","f_meta_font_spacing":"","f_meta_":"","f_ex_font_title":"Article excerpt","f_ex_font_settings":"","f_ex_font_family":"","f_ex_font_size":"","f_ex_font_line_height":"","f_ex_font_style":"","f_ex_font_weight":"","f_ex_font_transform":"","f_ex_font_spacing":"","f_ex_":"","f_btn_font_title":"Article read more button","f_btn_font_settings":"","f_btn_font_family":"","f_btn_font_size":"","f_btn_font_line_height":"","f_btn_font_style":"","f_btn_font_weight":"","f_btn_font_transform":"","f_btn_font_spacing":"","f_btn_":"","mix_color":"","mix_type":"","fe_brightness":"1","fe_contrast":"1","fe_saturate":"1","mix_color_h":"","mix_type_h":"","fe_brightness_h":"1","fe_contrast_h":"1","fe_saturate_h":"1","m_bg":"","color_overlay":"","shadow_shadow_header":"","shadow_shadow_title":"Module Shadow","shadow_shadow_size":"","shadow_shadow_offset_horizontal":"","shadow_shadow_offset_vertical":"","shadow_shadow_spread":"","shadow_shadow_color":"","title_txt":"","title_txt_hover":"","all_underline_height":"","all_underline_color":"","cat_style":"","cat_bg":"","cat_bg_hover":"","cat_txt":"","cat_txt_hover":"","cat_border":"","cat_border_hover":"","meta_bg":"","author_txt":"","author_txt_hover":"","date_txt":"","ex_txt":"","com_bg":"","com_txt":"","rev_txt":"","audio_btn_color":"","audio_time_color":"","audio_bar_color":"","audio_bar_curr_color":"","shadow_m_shadow_header":"","shadow_m_shadow_title":"Meta info shadow","shadow_m_shadow_size":"","shadow_m_shadow_offset_horizontal":"","shadow_m_shadow_offset_vertical":"","shadow_m_shadow_spread":"","shadow_m_shadow_color":"","btn_bg":"","btn_bg_hover":"","btn_txt":"","btn_txt_hover":"","btn_border":"","btn_border_hover":"","pag_text":"","pag_h_text":"","pag_bg":"","pag_h_bg":"","pag_border":"","pag_h_border":"","ajax_pagination_next_prev_swipe":"","ajax_pagination_infinite_stop":"","css":"","tdc_css":"","td_column_number":1,"header_color":"","color_preset":"","border_top":"","class":"tdi_82","tdc_css_class":"tdi_82","tdc_css_class_style":"tdi_82_rand_style"}'; block_tdi_82.td_column_number = "1"; block_tdi_82.block_type = "td_flex_block_1"; block_tdi_82.post_count = "4"; block_tdi_82.found_posts = "11530"; block_tdi_82.header_color = ""; block_tdi_82.ajax_pagination_infinite_stop = ""; block_tdi_82.max_num_pages = "2883"; tdBlocksArray.push(block_tdi_82); </script><div class="td-block-title-wrap"><h4 class="block-title td-block-title"><span class="td-pulldown-size">Most Popular</span></h4></div><div id=tdi_82 class="td_block_inner td-mc1-wrap"> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-image-container"> <div class="td-module-thumb"><a href="https://www.webmastersgallery.com/uncategorized/korean-air-takes-off-with-a-fresh-new-look/" rel="bookmark" class="td-image-wrap " title="Korean Air Takes Off with a Fresh New Look" ><span class="entry-thumb td-thumb-css" data-type="css_image" data-img-url="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/assets/images/no-thumb/td_696x0.png" ></span></a></div> </div> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.webmastersgallery.com/uncategorized/korean-air-takes-off-with-a-fresh-new-look/" rel="bookmark" title="Korean Air Takes Off with a Fresh New Look">Korean Air Takes Off with a Fresh New Look</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2025-03-25T12:23:00+00:00" >March 25, 2025</time></span> </span> </div> </div> </div> </div> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-image-container"> <div class="td-module-thumb"><a href="https://www.webmastersgallery.com/uncategorized/support-logical-shorthands-in-css/" rel="bookmark" class="td-image-wrap " title="Support Logical Shorthands in CSS" ><span class="entry-thumb td-thumb-css" data-type="css_image" data-img-url="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/assets/images/no-thumb/td_696x0.png" ></span></a></div> </div> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.webmastersgallery.com/uncategorized/support-logical-shorthands-in-css/" rel="bookmark" title="Support Logical Shorthands in CSS">Support Logical Shorthands in CSS</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2025-03-24T14:06:19+00:00" >March 24, 2025</time></span> </span> </div> </div> </div> </div> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-image-container"> <div class="td-module-thumb"><a href="https://www.webmastersgallery.com/uncategorized/the-death-of-coding-jobs-how-ai-no-code-and-corporate-greed-are-killing-the-industry/" rel="bookmark" class="td-image-wrap " title="The Death of Coding Jobs: How AI, No-Code, and Corporate Greed Are Killing the Industry" ><span class="entry-thumb td-thumb-css" data-type="css_image" data-img-url="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/assets/images/no-thumb/td_696x0.png" ></span></a></div> </div> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.webmastersgallery.com/uncategorized/the-death-of-coding-jobs-how-ai-no-code-and-corporate-greed-are-killing-the-industry/" rel="bookmark" title="The Death of Coding Jobs: How AI, No-Code, and Corporate Greed Are Killing the Industry">The Death of Coding Jobs: How AI, No-Code, and Corporate Greed Are Killing the Industry</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2025-03-24T12:38:00+00:00" >March 24, 2025</time></span> </span> </div> </div> </div> </div> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-image-container"> <div class="td-module-thumb"><a href="https://www.webmastersgallery.com/uncategorized/top-9-admin-templates-for-2025/" rel="bookmark" class="td-image-wrap " title="Top 9 Admin Templates for 2025" ><span class="entry-thumb td-thumb-css" data-type="css_image" data-img-url="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/assets/images/no-thumb/td_696x0.png" ></span></a></div> </div> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.webmastersgallery.com/uncategorized/top-9-admin-templates-for-2025/" rel="bookmark" title="Top 9 Admin Templates for 2025">Top 9 Admin Templates for 2025</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2025-03-24T10:57:20+00:00" >March 24, 2025</time></span> </span> </div> </div> </div> </div> </div><div class="td-load-more-wrap"><a href="#" class="td_ajax_load_more td_ajax_load_more_js" aria-label="Load more" id="next-page-tdi_82" data-td_block_id="tdi_82">Load more<i class="td-load-more-icon td-icon-font td-icon-menu-right"></i></a></div></div><div class="td_block_wrap vc_wp_recentcomments tdi_83 td-pb-border-top td_block_template_1" data-td-block-uid="tdi_83" > <style>.tdi_83 .recentcomments{margin:0px!important;padding:0 0 15px!important;border-bottom-color:#eaeaea}.tdi_83 .td-block-title a,.tdi_83 .td-block-title span{text-transform:uppercase!important}.tdi_83 .comment-author-link span,.tdi_83 .comment-author-link a{font-family:Open Sans!important}.tdi_83 .recentcomments>a:last-child{font-family:Open Sans!important}</style><div class="td-block-title-wrap"><h4 class="block-title td-block-title"><span class="td-pulldown-size">Recent Comments</span></h4></div><div id=tdi_83 class="td_wp_recentcomments td_block_inner td-column-1 "></div></div> <!-- ./block --></div></div></div></div></div></div> <span class="td-page-meta" itemprop="author" itemscope itemtype="https://schema.org/Person"><meta itemprop="name" content=""><meta itemprop="url" content="https://www.webmastersgallery.com/author/"></span><meta itemprop="datePublished" content="2015-05-29T12:36:40+00:00"><meta itemprop="dateModified" content="2015-05-29T12:36:40+00:00"><meta itemscope itemprop="mainEntityOfPage" itemType="https://schema.org/WebPage" itemid="https://www.webmastersgallery.com/uncategorized/how-to-use-autoloading-and-a-plugin-container-in-wordpress-plugins/"/><span class="td-page-meta" itemprop="publisher" itemscope itemtype="https://schema.org/Organization"><span class="td-page-meta" itemprop="logo" itemscope itemtype="https://schema.org/ImageObject"><meta itemprop="url" content="https://www.webmastersgallery.com/uncategorized/how-to-use-autoloading-and-a-plugin-container-in-wordpress-plugins/"></span><meta itemprop="name" content="Webmasters Gallery"></span><meta itemprop="headline" content="How To Use Autoloading And A Plugin Container In WordPress Plugins"><span class="td-page-meta" itemprop="image" itemscope itemtype="https://schema.org/ImageObject"><meta itemprop="url" content="https://www.webmastersgallery.com/wp-content/plugins/td-cloud-library/assets/images/td_meta_replacement.png"><meta itemprop="width" content="1068"><meta itemprop="height" content="580"></span> </article> </div> </div> </div> <!-- #tdb-autoload-article --> <div class="td-footer-template-wrap" style="position: relative"> <div class="td-footer-wrap "> <div id="tdi_84" class="tdc-zone"><div class="tdc_zone tdi_85 wpb_row td-pb-row" > <style scoped>.tdi_85{min-height:0}</style><div id="tdi_86" class="tdc-row stretch_row"><div class="vc_row tdi_87 wpb_row td-pb-row tdc-element-style" > <style scoped>.tdi_87,.tdi_87 .tdc-columns{min-height:0}.tdi_87,.tdi_87 .tdc-columns{display:block}.tdi_87 .tdc-columns{width:100%}.tdi_87:before,.tdi_87:after{display:table}.tdi_87{padding-top:54px!important;padding-bottom:20px!important;position:relative}.tdi_87 .td_block_wrap{text-align:left}@media (max-width:767px){.tdi_87{padding-top:40px!important}}@media (min-width:768px) and (max-width:1018px){.tdi_87{padding-top:44px!important}}</style> <div class="tdi_86_rand_style td-element-style" ><div class="td-element-style-before"><style>.tdi_86_rand_style>.td-element-style-before{content:''!important;width:100%!important;height:100%!important;position:absolute!important;top:0!important;left:0!important;display:block!important;z-index:0!important;background-image:url("")!important;opacity:0.1!important;background-size:cover!important;background-position:center top!important}</style></div><style>.tdi_86_rand_style{background-color:#111111!important}</style></div><div class="vc_column tdi_89 wpb_column vc_column_container tdc-column td-pb-span12"> <style scoped>.tdi_89{vertical-align:baseline}.tdi_89>.wpb_wrapper,.tdi_89>.wpb_wrapper>.tdc-elements{display:block}.tdi_89>.wpb_wrapper>.tdc-elements{width:100%}.tdi_89>.wpb_wrapper>.vc_row_inner{width:auto}.tdi_89>.wpb_wrapper{width:auto;height:auto}</style><div class="wpb_wrapper" ><div class="vc_row_inner tdi_91 vc_row vc_inner wpb_row td-pb-row" > <style scoped>.tdi_91{position:relative!important;top:0;transform:none;-webkit-transform:none}.tdi_91,.tdi_91 .tdc-inner-columns{display:block}.tdi_91 .tdc-inner-columns{width:100%}</style><div class="vc_column_inner tdi_93 wpb_column vc_column_container tdc-inner-column td-pb-span4"> <style scoped>.tdi_93{vertical-align:baseline}.tdi_93 .vc_column-inner>.wpb_wrapper,.tdi_93 .vc_column-inner>.wpb_wrapper .tdc-elements{display:block}.tdi_93 .vc_column-inner>.wpb_wrapper .tdc-elements{width:100%}</style><div class="vc_column-inner"><div class="wpb_wrapper" ><div class="td_block_wrap td_flex_block_1 tdi_94 td-pb-border-top td_block_template_2 td_flex_block" data-td-block-uid="tdi_94" > <style>.td_block_template_2.widget>ul>li{margin-left:0!important}.td_block_template_2 .td-block-title{font-size:17px;font-weight:500;margin-top:0;margin-bottom:16px;line-height:31px;text-align:left}.td_block_template_2 .td-block-title>*{color:var(--td_text_header_color,#000)}.td_block_template_2 .td-related-title a{padding:0 20px 0 0}@media (max-width:767px){.td_block_template_2 .td-related-title a{font-size:15px}}.td_block_template_2 .td-related-title .td-cur-simple-item{color:var(--td_theme_color,#4db2ec)}.td-theme-wrap .tdi_94 .td-block-title>*,.td-theme-wrap .tdi_94 .td-pulldown-filter-link:hover,.td-theme-wrap .tdi_94 .td-subcat-item a:hover,.td-theme-wrap .tdi_94 .td-subcat-item .td-cur-simple-item,.td-theme-wrap .tdi_94 .td-subcat-dropdown:hover .td-subcat-more span,.td-theme-wrap .tdi_94 .td-subcat-dropdown:hover .td-subcat-more i{color:#ffffff}.td-theme-wrap .tdi_94 .td-subcat-dropdown ul:after{background-color:#ffffff}.td-theme-wrap .tdi_94 .td_module_wrap:hover .entry-title a,.td-theme-wrap .tdi_94 .td_quote_on_blocks,.td-theme-wrap .tdi_94 .td-opacity-cat .td-post-category:hover,.td-theme-wrap .tdi_94 .td-opacity-read .td-read-more a:hover,.td-theme-wrap .tdi_94 .td-opacity-author .td-post-author-name a:hover,.td-theme-wrap .tdi_94 .td-instagram-user a{color:#ffffff}.td-theme-wrap .tdi_94 .td-next-prev-wrap a:hover,.td-theme-wrap .tdi_94 .td-load-more-wrap a:hover{background-color:#ffffff;border-color:#ffffff}.td-theme-wrap .tdi_94 .td-read-more a,.td-theme-wrap .tdi_94 .td-weather-information:before,.td-theme-wrap .tdi_94 .td-weather-week:before,.td-theme-wrap .tdi_94 .td-exchange-header:before,.td-theme-wrap .td-footer-wrapper .tdi_94 .td-post-category,.td-theme-wrap .tdi_94 .td-post-category:hover{background-color:#ffffff}@media (max-width:767px){.tdi_94{margin-bottom:40px!important}}@media (min-width:768px) and (max-width:1018px){.tdi_94{margin-bottom:20px!important}}</style> <style>.tdi_94 .td-image-wrap{padding-bottom:70%}.tdi_94 .entry-thumb{background-position:center 50%}.tdi_94 .td-image-container{flex:0 0 30%;width:30%;display:block;order:0}.ie10 .tdi_94 .td-image-container,.ie11 .tdi_94 .td-image-container{flex:0 0 auto}.tdi_94 .td-module-container{flex-direction:row;border-color:#eaeaea!important}.ie10 .tdi_94 .td-module-meta-info,.ie11 .tdi_94 .td-module-meta-info{flex:1}body .tdi_94 .td-favorite{font-size:36px;box-shadow:1px 1px 4px 0px rgba(0,0,0,0.2)}.tdi_94 .td-module-meta-info{padding:0 0 0 16px;border-color:#eaeaea}.tdi_94 .td_module_wrap{padding-left:20px;padding-right:20px;padding-bottom:13px;margin-bottom:13px}.tdi_94 .td_block_inner{margin-left:-20px;margin-right:-20px}.tdi_94 .td-module-container:before{bottom:-13px;border-color:#eaeaea}.tdi_94 .td-video-play-ico{width:24px;height:24px;font-size:24px}.tdi_94 .td-post-vid-time{display:block}.tdi_94 .td-post-category:not(.td-post-extra-category){display:none}.tdi_94 .td-author-photo .avatar{width:20px;height:20px;margin-right:6px;border-radius:50%}.tdi_94 .td-excerpt{display:none;column-count:1;column-gap:48px}.tdi_94 .td-audio-player{opacity:1;visibility:visible;height:auto;font-size:13px}.tdi_94 .td-read-more{display:none}.tdi_94 .td-author-date{display:inline}.tdi_94 .td-post-author-name{display:none}.tdi_94 .entry-review-stars{display:inline-block;color:#ffffff}.tdi_94 .td-icon-star,.tdi_94 .td-icon-star-empty,.tdi_94 .td-icon-star-half{font-size:15px}.tdi_94 .td-module-comments{display:none}.tdi_94 .td_module_wrap:nth-last-child(1){margin-bottom:0;padding-bottom:0}.tdi_94 .td_module_wrap:nth-last-child(1) .td-module-container:before{display:none}.tdi_94 .td-module-title a{color:#ffffff}.tdi_94 .td_module_wrap:hover .td-module-title a{color:#4db2ec!important}.tdi_94 .td-block-title a,.tdi_94 .td-block-title span{font-size:18px!important}.tdi_94 .entry-title{font-size:14px!important;line-height:1.4!important;font-weight:500!important}html:not([class*='ie']) .tdi_94 .td-module-container:hover .entry-thumb:before{opacity:0}@media (min-width:1019px) and (max-width:1140px){.tdi_94 .td_module_wrap{padding-bottom:13px;margin-bottom:13px;padding-bottom:13px!important;margin-bottom:13px!important}.tdi_94 .td-module-container:before{bottom:-13px}.tdi_94 .td_module_wrap:nth-last-child(1){margin-bottom:0!important;padding-bottom:0!important}.tdi_94 .td_module_wrap .td-module-container:before{display:block!important}.tdi_94 .td_module_wrap:nth-last-child(1) .td-module-container:before{display:none!important}}@media (min-width:768px) and (max-width:1018px){.tdi_94 .td-module-meta-info{padding:0 0 0 13px}.tdi_94 .td_module_wrap{width:100%;float:left;padding-left:10px;padding-right:10px;padding-bottom:10px;margin-bottom:10px;padding-bottom:10px!important;margin-bottom:10px!important}.rtl .tdi_94 .td_module_wrap{float:right}.tdi_94 .td_block_inner{margin-left:-10px;margin-right:-10px}.tdi_94 .td-module-container:before{bottom:-10px}.tdi_94 .td_module_wrap:nth-last-child(1){margin-bottom:0!important;padding-bottom:0!important}.tdi_94 .td_module_wrap .td-module-container:before{display:block!important}.tdi_94 .td_module_wrap:nth-last-child(1) .td-module-container:before{display:none!important}.tdi_94 .entry-title{font-size:12px!important}}@media (max-width:767px){.tdi_94 .td_module_wrap{width:100%;float:left;padding-bottom:13px;margin-bottom:13px;padding-bottom:13px!important;margin-bottom:13px!important}.rtl .tdi_94 .td_module_wrap{float:right}.tdi_94 .td-module-container:before{bottom:-13px}.tdi_94 .td_module_wrap:nth-last-child(1){margin-bottom:0!important;padding-bottom:0!important}.tdi_94 .td_module_wrap .td-module-container:before{display:block!important}.tdi_94 .td_module_wrap:nth-last-child(1) .td-module-container:before{display:none!important}}</style><script>var block_tdi_94 = new tdBlock(); block_tdi_94.id = "tdi_94"; block_tdi_94.atts = '{"modules_on_row":"eyJwb3J0cmFpdCI6IjEwMCUiLCJwaG9uZSI6IjEwMCUifQ==","image_size":"td_218x150","image_floated":"float_left","image_width":"30","image_height":"70","show_btn":"none","show_excerpt":"none","show_com":"none","show_author":"none","show_cat":"none","meta_padding":"eyJhbGwiOiIwIDAgMCAxNnB4IiwicG9ydHJhaXQiOiIwIDAgMCAxM3B4In0=","f_title_font_size":"eyJhbGwiOiIxNCIsInBvcnRyYWl0IjoiMTIifQ==","f_title_font_line_height":"1.4","f_title_font_weight":"500","all_modules_space":"eyJhbGwiOiIyNiIsInBvcnRyYWl0IjoiMjAiLCJwaG9uZSI6IjI2In0=","category_id":"","modules_gap":"eyJwb3J0cmFpdCI6IjIwIn0=","show_date":"","limit":"3","custom_title":"EDITOR PICKS","block_template_id":"td_block_template_2","f_header_font_size":"18","f_header_font_weight":"","header_text_color":"#ffffff","title_txt":"#ffffff","sort":"","title_txt_hover":"#4db2ec","tdc_css":"eyJwaG9uZSI6eyJtYXJnaW4tYm90dG9tIjoiNDAiLCJkaXNwbGF5IjoiIn0sInBob25lX21heF93aWR0aCI6NzY3LCJwb3J0cmFpdCI6eyJtYXJnaW4tYm90dG9tIjoiMjAiLCJkaXNwbGF5IjoiIn0sInBvcnRyYWl0X21heF93aWR0aCI6MTAxOCwicG9ydHJhaXRfbWluX3dpZHRoIjo3Njh9","rev_txt":"#ffffff","post_ids":"-32461","video_icon":"24","block_type":"td_flex_block_1","separator":"","custom_url":"","title_tag":"","mc1_tl":"","mc1_title_tag":"","mc1_el":"","taxonomies":"","category_ids":"","in_all_terms":"","tag_slug":"","autors_id":"","installed_post_types":"","include_cf_posts":"","exclude_cf_posts":"","popular_by_date":"","linked_posts":"","favourite_only":"","offset":"","open_in_new_window":"","show_modified_date":"","time_ago":"","time_ago_add_txt":"ago","time_ago_txt_pos":"","review_source":"","el_class":"","td_query_cache":"","td_query_cache_expiration":"","td_ajax_filter_type":"","td_ajax_filter_ids":"","td_filter_default_txt":"All","td_ajax_preloading":"","container_width":"","m_padding":"","modules_border_size":"","modules_border_style":"","modules_border_color":"#eaeaea","modules_border_radius":"","modules_divider":"","modules_divider_color":"#eaeaea","h_effect":"","image_alignment":"50","image_radius":"","hide_image":"","show_favourites":"","fav_size":"2","fav_space":"","fav_ico_color":"","fav_ico_color_h":"","fav_bg":"","fav_bg_h":"","fav_shadow_shadow_header":"","fav_shadow_shadow_title":"Shadow","fav_shadow_shadow_size":"","fav_shadow_shadow_offset_horizontal":"","fav_shadow_shadow_offset_vertical":"","fav_shadow_shadow_spread":"","fav_shadow_shadow_color":"","video_popup":"yes","video_rec":"","spot_header":"","video_rec_title":"","video_rec_color":"","video_rec_disable":"","autoplay_vid":"yes","show_vid_t":"block","vid_t_margin":"","vid_t_padding":"","video_title_color":"","video_title_color_h":"","video_bg":"","video_overlay":"","vid_t_color":"","vid_t_bg_color":"","f_vid_title_font_header":"","f_vid_title_font_title":"Video pop-up article title","f_vid_title_font_settings":"","f_vid_title_font_family":"","f_vid_title_font_size":"","f_vid_title_font_line_height":"","f_vid_title_font_style":"","f_vid_title_font_weight":"","f_vid_title_font_transform":"","f_vid_title_font_spacing":"","f_vid_title_":"","f_vid_time_font_title":"Video duration text","f_vid_time_font_settings":"","f_vid_time_font_family":"","f_vid_time_font_size":"","f_vid_time_font_line_height":"","f_vid_time_font_style":"","f_vid_time_font_weight":"","f_vid_time_font_transform":"","f_vid_time_font_spacing":"","f_vid_time_":"","meta_info_align":"","meta_info_horiz":"layout-default","meta_width":"","meta_margin":"","meta_space":"","art_title":"","art_btn":"","meta_info_border_size":"","meta_info_border_style":"","meta_info_border_color":"#eaeaea","meta_info_border_radius":"","modules_category":"","modules_category_margin":"","modules_category_padding":"","modules_cat_border":"","modules_category_radius":"0","modules_extra_cat":"","author_photo":"","author_photo_size":"","author_photo_space":"","author_photo_radius":"","show_review":"inline-block","review_space":"","review_size":"2.5","review_distance":"","art_excerpt":"","excerpt_col":"1","excerpt_gap":"","excerpt_middle":"","excerpt_inline":"","show_audio":"block","hide_audio":"","art_audio":"","art_audio_size":"1.5","btn_title":"","btn_margin":"","btn_padding":"","btn_border_width":"","btn_radius":"","pag_space":"","pag_padding":"","pag_border_width":"","pag_border_radius":"","prev_tdicon":"","next_tdicon":"","pag_icons_size":"","f_header_font_header":"","f_header_font_title":"Block header","f_header_font_settings":"","f_header_font_family":"","f_header_font_line_height":"","f_header_font_style":"","f_header_font_transform":"","f_header_font_spacing":"","f_header_":"","f_ajax_font_title":"Ajax categories","f_ajax_font_settings":"","f_ajax_font_family":"","f_ajax_font_size":"","f_ajax_font_line_height":"","f_ajax_font_style":"","f_ajax_font_weight":"","f_ajax_font_transform":"","f_ajax_font_spacing":"","f_ajax_":"","f_more_font_title":"Load more button","f_more_font_settings":"","f_more_font_family":"","f_more_font_size":"","f_more_font_line_height":"","f_more_font_style":"","f_more_font_weight":"","f_more_font_transform":"","f_more_font_spacing":"","f_more_":"","f_title_font_header":"","f_title_font_title":"Article title","f_title_font_settings":"","f_title_font_family":"","f_title_font_style":"","f_title_font_transform":"","f_title_font_spacing":"","f_title_":"","f_cat_font_title":"Article category tag","f_cat_font_settings":"","f_cat_font_family":"","f_cat_font_size":"","f_cat_font_line_height":"","f_cat_font_style":"","f_cat_font_weight":"","f_cat_font_transform":"","f_cat_font_spacing":"","f_cat_":"","f_meta_font_title":"Article meta info","f_meta_font_settings":"","f_meta_font_family":"","f_meta_font_size":"","f_meta_font_line_height":"","f_meta_font_style":"","f_meta_font_weight":"","f_meta_font_transform":"","f_meta_font_spacing":"","f_meta_":"","f_ex_font_title":"Article excerpt","f_ex_font_settings":"","f_ex_font_family":"","f_ex_font_size":"","f_ex_font_line_height":"","f_ex_font_style":"","f_ex_font_weight":"","f_ex_font_transform":"","f_ex_font_spacing":"","f_ex_":"","f_btn_font_title":"Article read more button","f_btn_font_settings":"","f_btn_font_family":"","f_btn_font_size":"","f_btn_font_line_height":"","f_btn_font_style":"","f_btn_font_weight":"","f_btn_font_transform":"","f_btn_font_spacing":"","f_btn_":"","mix_color":"","mix_type":"","fe_brightness":"1","fe_contrast":"1","fe_saturate":"1","mix_color_h":"","mix_type_h":"","fe_brightness_h":"1","fe_contrast_h":"1","fe_saturate_h":"1","m_bg":"","color_overlay":"","shadow_shadow_header":"","shadow_shadow_title":"Module Shadow","shadow_shadow_size":"","shadow_shadow_offset_horizontal":"","shadow_shadow_offset_vertical":"","shadow_shadow_spread":"","shadow_shadow_color":"","all_underline_height":"","all_underline_color":"","cat_style":"","cat_bg":"","cat_bg_hover":"","cat_txt":"","cat_txt_hover":"","cat_border":"","cat_border_hover":"","meta_bg":"","author_txt":"","author_txt_hover":"","date_txt":"","ex_txt":"","com_bg":"","com_txt":"","audio_btn_color":"","audio_time_color":"","audio_bar_color":"","audio_bar_curr_color":"","shadow_m_shadow_header":"","shadow_m_shadow_title":"Meta info shadow","shadow_m_shadow_size":"","shadow_m_shadow_offset_horizontal":"","shadow_m_shadow_offset_vertical":"","shadow_m_shadow_spread":"","shadow_m_shadow_color":"","btn_bg":"","btn_bg_hover":"","btn_txt":"","btn_txt_hover":"","btn_border":"","btn_border_hover":"","pag_text":"","pag_h_text":"","pag_bg":"","pag_h_bg":"","pag_border":"","pag_h_border":"","ajax_pagination":"","ajax_pagination_next_prev_swipe":"","ajax_pagination_infinite_stop":"","css":"","td_column_number":1,"header_color":"","color_preset":"","border_top":"","class":"tdi_94","tdc_css_class":"tdi_94","tdc_css_class_style":"tdi_94_rand_style"}'; block_tdi_94.td_column_number = "1"; block_tdi_94.block_type = "td_flex_block_1"; block_tdi_94.post_count = "3"; block_tdi_94.found_posts = "11530"; block_tdi_94.header_color = ""; block_tdi_94.ajax_pagination_infinite_stop = ""; block_tdi_94.max_num_pages = "3844"; tdBlocksArray.push(block_tdi_94); </script><div class="td-block-title-wrap"><h4 class="td-block-title"><span class="td-pulldown-size">EDITOR PICKS</span></h4></div><div id=tdi_94 class="td_block_inner td-mc1-wrap"> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-image-container"> <div class="td-module-thumb"><a href="https://www.webmastersgallery.com/uncategorized/korean-air-takes-off-with-a-fresh-new-look/" rel="bookmark" class="td-image-wrap " title="Korean Air Takes Off with a Fresh New Look" ><span class="entry-thumb td-thumb-css" data-type="css_image" data-img-url="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/assets/images/no-thumb/td_218x150.png" ></span></a></div> </div> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.webmastersgallery.com/uncategorized/korean-air-takes-off-with-a-fresh-new-look/" rel="bookmark" title="Korean Air Takes Off with a Fresh New Look">Korean Air Takes Off with a Fresh New Look</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2025-03-25T12:23:00+00:00" >March 25, 2025</time></span> </span> </div> </div> </div> </div> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-image-container"> <div class="td-module-thumb"><a href="https://www.webmastersgallery.com/uncategorized/support-logical-shorthands-in-css/" rel="bookmark" class="td-image-wrap " title="Support Logical Shorthands in CSS" ><span class="entry-thumb td-thumb-css" data-type="css_image" data-img-url="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/assets/images/no-thumb/td_218x150.png" ></span></a></div> </div> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.webmastersgallery.com/uncategorized/support-logical-shorthands-in-css/" rel="bookmark" title="Support Logical Shorthands in CSS">Support Logical Shorthands in CSS</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2025-03-24T14:06:19+00:00" >March 24, 2025</time></span> </span> </div> </div> </div> </div> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-image-container"> <div class="td-module-thumb"><a href="https://www.webmastersgallery.com/uncategorized/the-death-of-coding-jobs-how-ai-no-code-and-corporate-greed-are-killing-the-industry/" rel="bookmark" class="td-image-wrap " title="The Death of Coding Jobs: How AI, No-Code, and Corporate Greed Are Killing the Industry" ><span class="entry-thumb td-thumb-css" data-type="css_image" data-img-url="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/assets/images/no-thumb/td_218x150.png" ></span></a></div> </div> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.webmastersgallery.com/uncategorized/the-death-of-coding-jobs-how-ai-no-code-and-corporate-greed-are-killing-the-industry/" rel="bookmark" title="The Death of Coding Jobs: How AI, No-Code, and Corporate Greed Are Killing the Industry">The Death of Coding Jobs: How AI, No-Code, and Corporate Greed Are Killing the Industry</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2025-03-24T12:38:00+00:00" >March 24, 2025</time></span> </span> </div> </div> </div> </div> </div></div></div></div></div><div class="vc_column_inner tdi_96 wpb_column vc_column_container tdc-inner-column td-pb-span4"> <style scoped>.tdi_96{vertical-align:baseline}.tdi_96 .vc_column-inner>.wpb_wrapper,.tdi_96 .vc_column-inner>.wpb_wrapper .tdc-elements{display:block}.tdi_96 .vc_column-inner>.wpb_wrapper .tdc-elements{width:100%}</style><div class="vc_column-inner"><div class="wpb_wrapper" ><div class="td_block_wrap td_flex_block_1 tdi_97 td-pb-border-top td_block_template_2 td_flex_block" data-td-block-uid="tdi_97" > <style>.td-theme-wrap .tdi_97 .td-block-title>*,.td-theme-wrap .tdi_97 .td-pulldown-filter-link:hover,.td-theme-wrap .tdi_97 .td-subcat-item a:hover,.td-theme-wrap .tdi_97 .td-subcat-item .td-cur-simple-item,.td-theme-wrap .tdi_97 .td-subcat-dropdown:hover .td-subcat-more span,.td-theme-wrap .tdi_97 .td-subcat-dropdown:hover .td-subcat-more i{color:#ffffff}.td-theme-wrap .tdi_97 .td-subcat-dropdown ul:after{background-color:#ffffff}.td-theme-wrap .tdi_97 .td_module_wrap:hover .entry-title a,.td-theme-wrap .tdi_97 .td_quote_on_blocks,.td-theme-wrap .tdi_97 .td-opacity-cat .td-post-category:hover,.td-theme-wrap .tdi_97 .td-opacity-read .td-read-more a:hover,.td-theme-wrap .tdi_97 .td-opacity-author .td-post-author-name a:hover,.td-theme-wrap .tdi_97 .td-instagram-user a{color:#ffffff}.td-theme-wrap .tdi_97 .td-next-prev-wrap a:hover,.td-theme-wrap .tdi_97 .td-load-more-wrap a:hover{background-color:#ffffff;border-color:#ffffff}.td-theme-wrap .tdi_97 .td-read-more a,.td-theme-wrap .tdi_97 .td-weather-information:before,.td-theme-wrap .tdi_97 .td-weather-week:before,.td-theme-wrap .tdi_97 .td-exchange-header:before,.td-theme-wrap .td-footer-wrapper .tdi_97 .td-post-category,.td-theme-wrap .tdi_97 .td-post-category:hover{background-color:#ffffff}@media (max-width:767px){.tdi_97{margin-bottom:48px!important}}@media (min-width:768px) and (max-width:1018px){.tdi_97{margin-bottom:20px!important}}</style> <style>.tdi_97 .td-image-wrap{padding-bottom:70%}.tdi_97 .entry-thumb{background-position:center 50%}.tdi_97 .td-image-container{flex:0 0 30%;width:30%;display:block;order:0}.ie10 .tdi_97 .td-image-container,.ie11 .tdi_97 .td-image-container{flex:0 0 auto}.tdi_97 .td-module-container{flex-direction:row;border-color:#eaeaea!important}.ie10 .tdi_97 .td-module-meta-info,.ie11 .tdi_97 .td-module-meta-info{flex:1}body .tdi_97 .td-favorite{font-size:36px;box-shadow:1px 1px 4px 0px rgba(0,0,0,0.2)}.tdi_97 .td-module-meta-info{padding:0 0 0 16px;border-color:#eaeaea}.tdi_97 .td_module_wrap{padding-left:20px;padding-right:20px;padding-bottom:13px;margin-bottom:13px}.tdi_97 .td_block_inner{margin-left:-20px;margin-right:-20px}.tdi_97 .td-module-container:before{bottom:-13px;border-color:#eaeaea}.tdi_97 .td-video-play-ico{width:24px;height:24px;font-size:24px}.tdi_97 .td-post-vid-time{display:block}.tdi_97 .td-post-category:not(.td-post-extra-category){display:none}.tdi_97 .td-author-photo .avatar{width:20px;height:20px;margin-right:6px;border-radius:50%}.tdi_97 .td-excerpt{display:none;column-count:1;column-gap:48px}.tdi_97 .td-audio-player{opacity:1;visibility:visible;height:auto;font-size:13px}.tdi_97 .td-read-more{display:none}.tdi_97 .td-author-date{display:inline}.tdi_97 .td-post-author-name{display:none}.tdi_97 .entry-review-stars{display:inline-block;color:#ffffff}.tdi_97 .td-icon-star,.tdi_97 .td-icon-star-empty,.tdi_97 .td-icon-star-half{font-size:15px}.tdi_97 .td-module-comments{display:none}.tdi_97 .td_module_wrap:nth-last-child(1){margin-bottom:0;padding-bottom:0}.tdi_97 .td_module_wrap:nth-last-child(1) .td-module-container:before{display:none}.tdi_97 .td-module-title a{color:#ffffff}.tdi_97 .td_module_wrap:hover .td-module-title a{color:#4db2ec!important}.tdi_97 .td-block-title a,.tdi_97 .td-block-title span{font-size:18px!important}.tdi_97 .entry-title{font-size:14px!important;line-height:1.4!important;font-weight:500!important}html:not([class*='ie']) .tdi_97 .td-module-container:hover .entry-thumb:before{opacity:0}@media (min-width:1019px) and (max-width:1140px){.tdi_97 .td_module_wrap{padding-bottom:13px;margin-bottom:13px;padding-bottom:13px!important;margin-bottom:13px!important}.tdi_97 .td-module-container:before{bottom:-13px}.tdi_97 .td_module_wrap:nth-last-child(1){margin-bottom:0!important;padding-bottom:0!important}.tdi_97 .td_module_wrap .td-module-container:before{display:block!important}.tdi_97 .td_module_wrap:nth-last-child(1) .td-module-container:before{display:none!important}}@media (min-width:768px) and (max-width:1018px){.tdi_97 .td-module-meta-info{padding:0 0 0 13px}.tdi_97 .td_module_wrap{width:100%;float:left;padding-left:10px;padding-right:10px;padding-bottom:10px;margin-bottom:10px;padding-bottom:10px!important;margin-bottom:10px!important}.rtl .tdi_97 .td_module_wrap{float:right}.tdi_97 .td_block_inner{margin-left:-10px;margin-right:-10px}.tdi_97 .td-module-container:before{bottom:-10px}.tdi_97 .td_module_wrap:nth-last-child(1){margin-bottom:0!important;padding-bottom:0!important}.tdi_97 .td_module_wrap .td-module-container:before{display:block!important}.tdi_97 .td_module_wrap:nth-last-child(1) .td-module-container:before{display:none!important}.tdi_97 .entry-title{font-size:12px!important}}@media (max-width:767px){.tdi_97 .td_module_wrap{width:100%;float:left;padding-bottom:13px;margin-bottom:13px;padding-bottom:13px!important;margin-bottom:13px!important}.rtl .tdi_97 .td_module_wrap{float:right}.tdi_97 .td-module-container:before{bottom:-13px}.tdi_97 .td_module_wrap:nth-last-child(1){margin-bottom:0!important;padding-bottom:0!important}.tdi_97 .td_module_wrap .td-module-container:before{display:block!important}.tdi_97 .td_module_wrap:nth-last-child(1) .td-module-container:before{display:none!important}}</style><script>var block_tdi_97 = new tdBlock(); block_tdi_97.id = "tdi_97"; block_tdi_97.atts = '{"modules_on_row":"eyJwb3J0cmFpdCI6IjEwMCUiLCJwaG9uZSI6IjEwMCUifQ==","image_size":"td_218x150","image_floated":"float_left","image_width":"30","image_height":"70","show_btn":"none","show_excerpt":"none","show_com":"none","show_author":"none","show_cat":"none","meta_padding":"eyJhbGwiOiIwIDAgMCAxNnB4IiwicGhvbmUiOiIwIDAgMCAxNnB4IiwicG9ydHJhaXQiOiIwIDAgMCAxM3B4In0=","f_title_font_size":"eyJhbGwiOiIxNCIsInBvcnRyYWl0IjoiMTIifQ==","f_title_font_line_height":"1.4","f_title_font_weight":"500","all_modules_space":"eyJhbGwiOiIyNiIsInBvcnRyYWl0IjoiMjAiLCJwaG9uZSI6IjI2In0=","category_id":"","modules_gap":"eyJwb3J0cmFpdCI6IjIwIn0=","show_date":"","limit":"3","custom_title":"POPULAR POSTS","block_template_id":"td_block_template_2","f_header_font_size":"18","f_header_font_weight":"","header_text_color":"#ffffff","title_txt":"#ffffff","sort":"","title_txt_hover":"#4db2ec","tdc_css":"eyJwaG9uZSI6eyJtYXJnaW4tYm90dG9tIjoiNDgiLCJkaXNwbGF5IjoiIn0sInBob25lX21heF93aWR0aCI6NzY3LCJwb3J0cmFpdCI6eyJtYXJnaW4tYm90dG9tIjoiMjAiLCJkaXNwbGF5IjoiIn0sInBvcnRyYWl0X21heF93aWR0aCI6MTAxOCwicG9ydHJhaXRfbWluX3dpZHRoIjo3Njh9","post_ids":"-32461","rev_txt":"#ffffff","video_icon":"24","block_type":"td_flex_block_1","separator":"","custom_url":"","title_tag":"","mc1_tl":"","mc1_title_tag":"","mc1_el":"","taxonomies":"","category_ids":"","in_all_terms":"","tag_slug":"","autors_id":"","installed_post_types":"","include_cf_posts":"","exclude_cf_posts":"","popular_by_date":"","linked_posts":"","favourite_only":"","offset":"","open_in_new_window":"","show_modified_date":"","time_ago":"","time_ago_add_txt":"ago","time_ago_txt_pos":"","review_source":"","el_class":"","td_query_cache":"","td_query_cache_expiration":"","td_ajax_filter_type":"","td_ajax_filter_ids":"","td_filter_default_txt":"All","td_ajax_preloading":"","container_width":"","m_padding":"","modules_border_size":"","modules_border_style":"","modules_border_color":"#eaeaea","modules_border_radius":"","modules_divider":"","modules_divider_color":"#eaeaea","h_effect":"","image_alignment":"50","image_radius":"","hide_image":"","show_favourites":"","fav_size":"2","fav_space":"","fav_ico_color":"","fav_ico_color_h":"","fav_bg":"","fav_bg_h":"","fav_shadow_shadow_header":"","fav_shadow_shadow_title":"Shadow","fav_shadow_shadow_size":"","fav_shadow_shadow_offset_horizontal":"","fav_shadow_shadow_offset_vertical":"","fav_shadow_shadow_spread":"","fav_shadow_shadow_color":"","video_popup":"yes","video_rec":"","spot_header":"","video_rec_title":"","video_rec_color":"","video_rec_disable":"","autoplay_vid":"yes","show_vid_t":"block","vid_t_margin":"","vid_t_padding":"","video_title_color":"","video_title_color_h":"","video_bg":"","video_overlay":"","vid_t_color":"","vid_t_bg_color":"","f_vid_title_font_header":"","f_vid_title_font_title":"Video pop-up article title","f_vid_title_font_settings":"","f_vid_title_font_family":"","f_vid_title_font_size":"","f_vid_title_font_line_height":"","f_vid_title_font_style":"","f_vid_title_font_weight":"","f_vid_title_font_transform":"","f_vid_title_font_spacing":"","f_vid_title_":"","f_vid_time_font_title":"Video duration text","f_vid_time_font_settings":"","f_vid_time_font_family":"","f_vid_time_font_size":"","f_vid_time_font_line_height":"","f_vid_time_font_style":"","f_vid_time_font_weight":"","f_vid_time_font_transform":"","f_vid_time_font_spacing":"","f_vid_time_":"","meta_info_align":"","meta_info_horiz":"layout-default","meta_width":"","meta_margin":"","meta_space":"","art_title":"","art_btn":"","meta_info_border_size":"","meta_info_border_style":"","meta_info_border_color":"#eaeaea","meta_info_border_radius":"","modules_category":"","modules_category_margin":"","modules_category_padding":"","modules_cat_border":"","modules_category_radius":"0","modules_extra_cat":"","author_photo":"","author_photo_size":"","author_photo_space":"","author_photo_radius":"","show_review":"inline-block","review_space":"","review_size":"2.5","review_distance":"","art_excerpt":"","excerpt_col":"1","excerpt_gap":"","excerpt_middle":"","excerpt_inline":"","show_audio":"block","hide_audio":"","art_audio":"","art_audio_size":"1.5","btn_title":"","btn_margin":"","btn_padding":"","btn_border_width":"","btn_radius":"","pag_space":"","pag_padding":"","pag_border_width":"","pag_border_radius":"","prev_tdicon":"","next_tdicon":"","pag_icons_size":"","f_header_font_header":"","f_header_font_title":"Block header","f_header_font_settings":"","f_header_font_family":"","f_header_font_line_height":"","f_header_font_style":"","f_header_font_transform":"","f_header_font_spacing":"","f_header_":"","f_ajax_font_title":"Ajax categories","f_ajax_font_settings":"","f_ajax_font_family":"","f_ajax_font_size":"","f_ajax_font_line_height":"","f_ajax_font_style":"","f_ajax_font_weight":"","f_ajax_font_transform":"","f_ajax_font_spacing":"","f_ajax_":"","f_more_font_title":"Load more button","f_more_font_settings":"","f_more_font_family":"","f_more_font_size":"","f_more_font_line_height":"","f_more_font_style":"","f_more_font_weight":"","f_more_font_transform":"","f_more_font_spacing":"","f_more_":"","f_title_font_header":"","f_title_font_title":"Article title","f_title_font_settings":"","f_title_font_family":"","f_title_font_style":"","f_title_font_transform":"","f_title_font_spacing":"","f_title_":"","f_cat_font_title":"Article category tag","f_cat_font_settings":"","f_cat_font_family":"","f_cat_font_size":"","f_cat_font_line_height":"","f_cat_font_style":"","f_cat_font_weight":"","f_cat_font_transform":"","f_cat_font_spacing":"","f_cat_":"","f_meta_font_title":"Article meta info","f_meta_font_settings":"","f_meta_font_family":"","f_meta_font_size":"","f_meta_font_line_height":"","f_meta_font_style":"","f_meta_font_weight":"","f_meta_font_transform":"","f_meta_font_spacing":"","f_meta_":"","f_ex_font_title":"Article excerpt","f_ex_font_settings":"","f_ex_font_family":"","f_ex_font_size":"","f_ex_font_line_height":"","f_ex_font_style":"","f_ex_font_weight":"","f_ex_font_transform":"","f_ex_font_spacing":"","f_ex_":"","f_btn_font_title":"Article read more button","f_btn_font_settings":"","f_btn_font_family":"","f_btn_font_size":"","f_btn_font_line_height":"","f_btn_font_style":"","f_btn_font_weight":"","f_btn_font_transform":"","f_btn_font_spacing":"","f_btn_":"","mix_color":"","mix_type":"","fe_brightness":"1","fe_contrast":"1","fe_saturate":"1","mix_color_h":"","mix_type_h":"","fe_brightness_h":"1","fe_contrast_h":"1","fe_saturate_h":"1","m_bg":"","color_overlay":"","shadow_shadow_header":"","shadow_shadow_title":"Module Shadow","shadow_shadow_size":"","shadow_shadow_offset_horizontal":"","shadow_shadow_offset_vertical":"","shadow_shadow_spread":"","shadow_shadow_color":"","all_underline_height":"","all_underline_color":"","cat_style":"","cat_bg":"","cat_bg_hover":"","cat_txt":"","cat_txt_hover":"","cat_border":"","cat_border_hover":"","meta_bg":"","author_txt":"","author_txt_hover":"","date_txt":"","ex_txt":"","com_bg":"","com_txt":"","audio_btn_color":"","audio_time_color":"","audio_bar_color":"","audio_bar_curr_color":"","shadow_m_shadow_header":"","shadow_m_shadow_title":"Meta info shadow","shadow_m_shadow_size":"","shadow_m_shadow_offset_horizontal":"","shadow_m_shadow_offset_vertical":"","shadow_m_shadow_spread":"","shadow_m_shadow_color":"","btn_bg":"","btn_bg_hover":"","btn_txt":"","btn_txt_hover":"","btn_border":"","btn_border_hover":"","pag_text":"","pag_h_text":"","pag_bg":"","pag_h_bg":"","pag_border":"","pag_h_border":"","ajax_pagination":"","ajax_pagination_next_prev_swipe":"","ajax_pagination_infinite_stop":"","css":"","td_column_number":1,"header_color":"","color_preset":"","border_top":"","class":"tdi_97","tdc_css_class":"tdi_97","tdc_css_class_style":"tdi_97_rand_style"}'; block_tdi_97.td_column_number = "1"; block_tdi_97.block_type = "td_flex_block_1"; block_tdi_97.post_count = "3"; block_tdi_97.found_posts = "11530"; block_tdi_97.header_color = ""; block_tdi_97.ajax_pagination_infinite_stop = ""; block_tdi_97.max_num_pages = "3844"; tdBlocksArray.push(block_tdi_97); </script><div class="td-block-title-wrap"><h4 class="td-block-title"><span class="td-pulldown-size">POPULAR POSTS</span></h4></div><div id=tdi_97 class="td_block_inner td-mc1-wrap"> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-image-container"> <div class="td-module-thumb"><a href="https://www.webmastersgallery.com/uncategorized/korean-air-takes-off-with-a-fresh-new-look/" rel="bookmark" class="td-image-wrap " title="Korean Air Takes Off with a Fresh New Look" ><span class="entry-thumb td-thumb-css" data-type="css_image" data-img-url="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/assets/images/no-thumb/td_218x150.png" ></span></a></div> </div> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.webmastersgallery.com/uncategorized/korean-air-takes-off-with-a-fresh-new-look/" rel="bookmark" title="Korean Air Takes Off with a Fresh New Look">Korean Air Takes Off with a Fresh New Look</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2025-03-25T12:23:00+00:00" >March 25, 2025</time></span> </span> </div> </div> </div> </div> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-image-container"> <div class="td-module-thumb"><a href="https://www.webmastersgallery.com/uncategorized/support-logical-shorthands-in-css/" rel="bookmark" class="td-image-wrap " title="Support Logical Shorthands in CSS" ><span class="entry-thumb td-thumb-css" data-type="css_image" data-img-url="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/assets/images/no-thumb/td_218x150.png" ></span></a></div> </div> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.webmastersgallery.com/uncategorized/support-logical-shorthands-in-css/" rel="bookmark" title="Support Logical Shorthands in CSS">Support Logical Shorthands in CSS</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2025-03-24T14:06:19+00:00" >March 24, 2025</time></span> </span> </div> </div> </div> </div> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-image-container"> <div class="td-module-thumb"><a href="https://www.webmastersgallery.com/uncategorized/the-death-of-coding-jobs-how-ai-no-code-and-corporate-greed-are-killing-the-industry/" rel="bookmark" class="td-image-wrap " title="The Death of Coding Jobs: How AI, No-Code, and Corporate Greed Are Killing the Industry" ><span class="entry-thumb td-thumb-css" data-type="css_image" data-img-url="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/assets/images/no-thumb/td_218x150.png" ></span></a></div> </div> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.webmastersgallery.com/uncategorized/the-death-of-coding-jobs-how-ai-no-code-and-corporate-greed-are-killing-the-industry/" rel="bookmark" title="The Death of Coding Jobs: How AI, No-Code, and Corporate Greed Are Killing the Industry">The Death of Coding Jobs: How AI, No-Code, and Corporate Greed Are Killing the Industry</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2025-03-24T12:38:00+00:00" >March 24, 2025</time></span> </span> </div> </div> </div> </div> </div></div></div></div></div><div class="vc_column_inner tdi_99 wpb_column vc_column_container tdc-inner-column td-pb-span4"> <style scoped>.tdi_99{vertical-align:baseline}.tdi_99 .vc_column-inner>.wpb_wrapper,.tdi_99 .vc_column-inner>.wpb_wrapper .tdc-elements{display:block}.tdi_99 .vc_column-inner>.wpb_wrapper .tdc-elements{width:100%}</style><div class="vc_column-inner"><div class="wpb_wrapper" ><div class="td_block_wrap td_block_popular_categories tdi_100 widget widget_categories td-pb-border-top td_block_template_2" data-td-block-uid="tdi_100" > <style>.td-theme-wrap .tdi_100 .td-block-title>*,.td-theme-wrap .tdi_100 .td-pulldown-filter-link:hover,.td-theme-wrap .tdi_100 .td-subcat-item a:hover,.td-theme-wrap .tdi_100 .td-subcat-item .td-cur-simple-item,.td-theme-wrap .tdi_100 .td-subcat-dropdown:hover .td-subcat-more span,.td-theme-wrap .tdi_100 .td-subcat-dropdown:hover .td-subcat-more i{color:#ffffff}.td-theme-wrap .tdi_100 .td-subcat-dropdown ul:after{background-color:#ffffff}.td-theme-wrap .tdi_100 .td_module_wrap:hover .entry-title a,.td-theme-wrap .tdi_100 .td_quote_on_blocks,.td-theme-wrap .tdi_100 .td-opacity-cat .td-post-category:hover,.td-theme-wrap .tdi_100 .td-opacity-read .td-read-more a:hover,.td-theme-wrap .tdi_100 .td-opacity-author .td-post-author-name a:hover,.td-theme-wrap .tdi_100 .td-instagram-user a{color:#ffffff}.td-theme-wrap .tdi_100 .td-next-prev-wrap a:hover,.td-theme-wrap .tdi_100 .td-load-more-wrap a:hover{background-color:#ffffff;border-color:#ffffff}.td-theme-wrap .tdi_100 .td-read-more a,.td-theme-wrap .tdi_100 .td-weather-information:before,.td-theme-wrap .tdi_100 .td-weather-week:before,.td-theme-wrap .tdi_100 .td-exchange-header:before,.td-theme-wrap .td-footer-wrapper .tdi_100 .td-post-category,.td-theme-wrap .tdi_100 .td-post-category:hover{background-color:#ffffff}@media (min-width:768px) and (max-width:1018px){.tdi_100{margin-bottom:20px!important}}</style> <style>.td_block_popular_categories{padding-bottom:0}.tdi_100 .td-cat-name{color:#ffffff}.tdi_100 .td-cat-no{color:#ffffff}.tdi_100 li:hover .td-cat-name{color:#4db2ec}.tdi_100 li:hover .td-cat-no{color:#4db2ec}.tdi_100 .td-block-title a,.tdi_100 .td-block-title span{font-size:18px!important}@media (min-width:768px) and (max-width:1018px){.tdi_100 li{font-size:13px!important;line-height:26px!important}}</style><div class="td-block-title-wrap"><h4 class="td-block-title"><span class="td-pulldown-size">POPULAR CATEGORY</span></h4></div><ul class="td-pb-padding-side"><li><a href="https://www.webmastersgallery.com/category/uncategorized/"><span class="td-cat-name">Others</span><span class="td-cat-no">11280</span></a></li><li><a href="https://www.webmastersgallery.com/category/design/"><span class="td-cat-name">Designing</span><span class="td-cat-no">6879</span></a></li><li><a href="https://www.webmastersgallery.com/category/programming/"><span class="td-cat-name">Programming</span><span class="td-cat-no">162</span></a></li><li><a href="https://www.webmastersgallery.com/category/webmaster-resources/"><span class="td-cat-name">Webmasters Resources</span><span class="td-cat-no">123</span></a></li><li><a href="https://www.webmastersgallery.com/category/tips-and-tutorials/"><span class="td-cat-name">Tips and Tutorials</span><span class="td-cat-no">45</span></a></li><li><a href="https://www.webmastersgallery.com/category/web-design/"><span class="td-cat-name">Website Design</span><span class="td-cat-no">36</span></a></li><li><a href="https://www.webmastersgallery.com/category/webmaster-tools/"><span class="td-cat-name">Webmaster Tools</span><span class="td-cat-no">20</span></a></li><li><a href="https://www.webmastersgallery.com/category/softwares/"><span class="td-cat-name">Softwares</span><span class="td-cat-no">6</span></a></li></ul></div></div></div></div></div><div class="vc_row_inner tdi_102 vc_row vc_inner wpb_row td-pb-row" > <style scoped>.tdi_102{position:relative!important;top:0;transform:none;-webkit-transform:none}.tdi_102,.tdi_102 .tdc-inner-columns{display:block}.tdi_102 .tdc-inner-columns{width:100%}</style><div class="vc_column_inner tdi_104 wpb_column vc_column_container tdc-inner-column td-pb-span12"> <style scoped>.tdi_104{vertical-align:baseline}.tdi_104 .vc_column-inner>.wpb_wrapper,.tdi_104 .vc_column-inner>.wpb_wrapper .tdc-elements{display:block}.tdi_104 .vc_column-inner>.wpb_wrapper .tdc-elements{width:100%}@media (min-width:768px) and (max-width:1018px){.tdi_104{margin-bottom:0px!important}}</style><div class="vc_column-inner"><div class="wpb_wrapper" ><div class="wpb_wrapper td_block_separator td_block_wrap vc_separator tdi_106 td_separator_solid td_separator_center"><span style="border-color:rgba(255,255,255,0.1);border-width:1px;width:80%;"></span> <style scoped>@media (min-width:768px) and (max-width:1018px){.tdi_106{margin-bottom:20px!important}}</style></div></div></div></div></div><div class="vc_row_inner tdi_108 vc_row vc_inner wpb_row td-pb-row" > <style scoped>.tdi_108{position:relative!important;top:0;transform:none;-webkit-transform:none}.tdi_108,.tdi_108 .tdc-inner-columns{display:block}.tdi_108 .tdc-inner-columns{width:100%}.tdi_108{padding-bottom:30px!important}.tdi_108 .td_block_wrap{text-align:left}@media (min-width:768px) and (max-width:1018px){.tdi_108{padding-bottom:20px!important}}</style><div class="vc_column_inner tdi_110 wpb_column vc_column_container tdc-inner-column td-pb-span4"> <style scoped>.tdi_110{vertical-align:baseline}.tdi_110 .vc_column-inner>.wpb_wrapper,.tdi_110 .vc_column-inner>.wpb_wrapper .tdc-elements{display:block}.tdi_110 .vc_column-inner>.wpb_wrapper .tdc-elements{width:100%}.tdi_110{width:25%!important}@media (max-width:767px){.tdi_110{margin-bottom:50px!important;width:100%!important}}</style><div class="vc_column-inner"><div class="wpb_wrapper" ><div class="td_block_wrap tdb_header_logo tdi_111 td-pb-border-top td_block_template_1 tdb-header-align" data-td-block-uid="tdi_111" > <style>.tdi_111{margin-top:37px!important}@media (min-width:768px) and (max-width:1018px){.tdi_111{margin-top:44px!important}}@media (max-width:767px){.tdi_111{margin-top:0px!important}}</style> <style>.tdi_111 .tdb-logo-a,.tdi_111 h1{flex-direction:row;align-items:flex-start;justify-content:center}.tdi_111 .tdb-logo-svg-wrap{display:block}.tdi_111 .tdb-logo-svg-wrap+.tdb-logo-img-wrap{display:none}.tdi_111 .tdb-logo-img-wrap{display:block}.tdi_111 .tdb-logo-text-tagline{margin-top:2px;margin-left:0;display:block}.tdi_111 .tdb-logo-text-title{display:block}.tdi_111 .tdb-logo-text-wrap{flex-direction:column;align-items:flex-start}.tdi_111 .tdb-logo-icon{top:0px;display:block}</style><div class="tdb-block-inner td-fix-index"><a class="tdb-logo-a" href="https://www.webmastersgallery.com/"></a></div></div> <!-- ./block --></div></div></div><div class="vc_column_inner tdi_113 wpb_column vc_column_container tdc-inner-column td-pb-span4"> <style scoped>.tdi_113{vertical-align:baseline}.tdi_113 .vc_column-inner>.wpb_wrapper,.tdi_113 .vc_column-inner>.wpb_wrapper .tdc-elements{display:block}.tdi_113 .vc_column-inner>.wpb_wrapper .tdc-elements{width:100%}.tdi_113{width:41.66666667%!important}@media (max-width:767px){.tdi_113{margin-bottom:50px!important;width:100%!important;justify-content:center!important;text-align:center!important}}</style><div class="vc_column-inner"><div class="wpb_wrapper" ><div class="tdm_block td_block_wrap tdm_block_column_title tdi_114 tdm-content-horiz-left td-pb-border-top td_block_template_1" data-td-block-uid="tdi_114" > <style>@media (max-width:767px){.tdi_114{justify-content:center!important;text-align:center!important}}</style> <style>.tdm_block_column_title{margin-bottom:0;display:inline-block;width:100%}</style><div class="td-block-row"><div class="td-block-span12 tdm-col"> <style>body .tdi_115 .tdm-title{color:#ffffff}.tdi_115 .tdm-title{font-size:18px!important;line-height:1!important;font-weight:700!important}</style><div class="tds-title tds-title1 td-fix-index tdi_115 "><h3 class="tdm-title tdm-title-md">ABOUT US</h3></div></div></div></div><div class="tdm_block td_block_wrap tdm_block_inline_text tdi_116 td-pb-border-top td_block_template_1" data-td-block-uid="tdi_116" > <style>@media (max-width:767px){.tdi_116{justify-content:center!important;text-align:center!important}}</style> <style>.tdm_block.tdm_block_inline_text{margin-bottom:0;vertical-align:top}.tdm_block.tdm_block_inline_text .tdm-descr{margin-bottom:0;-webkit-transform:translateZ(0);transform:translateZ(0)}.tdc-row-content-vert-center .tdm-inline-text-yes{vertical-align:middle}.tdc-row-content-vert-bottom .tdm-inline-text-yes{vertical-align:bottom}.tdi_116{text-align:left!important}.tdi_116 .tdm-descr{color:#eaeaea;font-size:14px!important;line-height:1.6!important}@media (min-width:768px) and (max-width:1018px){.tdi_116 .tdm-descr{font-size:13px!important}}</style><p class="tdm-descr">Newspaper is your news, entertainment, music fashion website. We provide you with the latest breaking news and videos straight from the entertainment industry.</p></div><div class="tdm_block td_block_wrap tdm_block_inline_text tdi_117 td-pb-border-top td_block_template_1" data-td-block-uid="tdi_117" > <style>.tdi_117{margin-top:21px!important}@media (max-width:767px){.tdi_117{justify-content:center!important;text-align:center!important}}</style> <style>.tdi_117{text-align:left!important}.tdi_117 .tdm-descr{color:#eaeaea;font-size:14px!important;line-height:1.6!important}.tdi_117 .tdm-descr a{color:#1aa4ce}@media (min-width:768px) and (max-width:1018px){.tdi_117 .tdm-descr{font-size:13px!important}}</style><p class="tdm-descr">Contact us: <a href="mailto:contact@yoursite.com">contact@yoursite.com</a></p></div></div></div></div><div class="vc_column_inner tdi_119 wpb_column vc_column_container tdc-inner-column td-pb-span4"> <style scoped>.tdi_119{vertical-align:baseline}.tdi_119 .vc_column-inner>.wpb_wrapper,.tdi_119 .vc_column-inner>.wpb_wrapper .tdc-elements{display:block}.tdi_119 .vc_column-inner>.wpb_wrapper .tdc-elements{width:100%}@media (max-width:767px){.tdi_119{justify-content:center!important;text-align:center!important}}</style><div class="vc_column-inner"><div class="wpb_wrapper" ><div class="tdm_block td_block_wrap tdm_block_column_title tdi_120 tdm-content-horiz-left td-pb-border-top td_block_template_1" data-td-block-uid="tdi_120" > <style>@media (max-width:767px){.tdi_120{justify-content:center!important;text-align:center!important}}</style><div class="td-block-row"><div class="td-block-span12 tdm-col"> <style>body .tdi_121 .tdm-title{color:#ffffff}.tdi_121 .tdm-title{font-size:18px!important;line-height:1!important;font-weight:700!important}</style><div class="tds-title tds-title1 td-fix-index tdi_121 "><h3 class="tdm-title tdm-title-md">FOLLOW US</h3></div></div></div></div><div class="tdm_block td_block_wrap tdm_block_socials tdi_122 tdm-content-horiz-left td-pb-border-top td_block_template_1" data-td-block-uid="tdi_122" > <style>@media (max-width:767px){.tdi_122{justify-content:center!important;text-align:center!important}}</style> <style>.tdi_123 .tdm-social-item i{font-size:14px;vertical-align:middle;line-height:39.2px}.tdi_123 .tdm-social-item i.td-icon-linkedin,.tdi_123 .tdm-social-item i.td-icon-pinterest,.tdi_123 .tdm-social-item i.td-icon-blogger,.tdi_123 .tdm-social-item i.td-icon-vimeo{font-size:11.2px}.tdi_123 .tdm-social-item{width:39.2px;height:39.2px;margin:5px 10px 5px 0;background:rgba(255,255,255,0.03)}.tdi_123 .tdm-social-item-wrap:last-child .tdm-social-item{margin-right:0!important}.tdi_123 .tdm-social-item i,.tds-team-member2 .tdi_123.tds-social4 .tdm-social-item i{color:#ffffff}.tdi_123 .tdm-social-item-wrap:hover i,body .tds-team-member2 .tdi_123.tds-social4 .tdm-social-item-wrap:hover i{color:#4db2ec}body .tdi_123 .tdm-social-item{border:1px solid rgba(255,255,255,0.03)}.tdi_123 .tdm-social-text{display:none;margin-left:2px;margin-right:18px}@media (min-width:1019px) and (max-width:1140px){body .tdi_123 .tdm-social-item{border:1px solid rgba(255,255,255,0.03)}}@media (min-width:768px) and (max-width:1018px){.tdi_123 .tdm-social-item{width:35px;height:35px}.tdi_123 .tdm-social-item i{line-height:35px}body .tdi_123 .tdm-social-item{border:1px solid rgba(255,255,255,0.03)}}@media (max-width:767px){body .tdi_123 .tdm-social-item{border:1px solid rgba(255,255,255,0.03)}}</style><div class="tdm-social-wrapper tds-social4 tdi_123"><div class="tdm-social-item-wrap"><a href="#" title="Blogger" class="tdm-social-item"><i class="td-icon-font td-icon-blogger"></i><span style="display: none">Blogger</span></a></div><div class="tdm-social-item-wrap"><a href="#" title="Facebook" class="tdm-social-item"><i class="td-icon-font td-icon-facebook"></i><span style="display: none">Facebook</span></a></div><div class="tdm-social-item-wrap"><a href="#" title="Flickr" class="tdm-social-item"><i class="td-icon-font td-icon-flickr"></i><span style="display: none">Flickr</span></a></div><div class="tdm-social-item-wrap"><a href="#" title="Instagram" class="tdm-social-item"><i class="td-icon-font td-icon-instagram"></i><span style="display: none">Instagram</span></a></div><div class="tdm-social-item-wrap"><a href="#" title="VKontakte" class="tdm-social-item"><i class="td-icon-font td-icon-vk"></i><span style="display: none">VKontakte</span></a></div></div></div></div></div></div></div></div></div></div></div><div id="tdi_124" class="tdc-row stretch_row"><div class="vc_row tdi_125 wpb_row td-pb-row tdc-element-style" > <style scoped>.tdi_125,.tdi_125 .tdc-columns{min-height:0}.tdi_125,.tdi_125 .tdc-columns{display:block}.tdi_125 .tdc-columns{width:100%}.tdi_125:before,.tdi_125:after{display:table}.tdi_125{position:relative}.tdi_125 .td_block_wrap{text-align:left}@media (max-width:767px){.tdi_125{padding-top:6px!important;padding-bottom:6px!important}}</style> <div class="tdi_124_rand_style td-element-style" ><style>.tdi_124_rand_style{background-color:#0d0d0d!important}</style></div><div class="vc_column tdi_127 wpb_column vc_column_container tdc-column td-pb-span6"> <style scoped>.tdi_127{vertical-align:baseline}.tdi_127>.wpb_wrapper,.tdi_127>.wpb_wrapper>.tdc-elements{display:block}.tdi_127>.wpb_wrapper>.tdc-elements{width:100%}.tdi_127>.wpb_wrapper>.vc_row_inner{width:auto}.tdi_127>.wpb_wrapper{width:auto;height:auto}</style><div class="wpb_wrapper" ><div class="tdm_block td_block_wrap tdm_block_inline_text tdi_128 td-pb-border-top td_block_template_1" data-td-block-uid="tdi_128" > <style>.tdi_128{margin-top:2px!important;margin-bottom:0px!important;padding-top:8px!important;padding-bottom:8px!important}@media (max-width:767px){.tdi_128{margin-top:0px!important;justify-content:center!important;text-align:center!important}}</style> <style>.tdi_128{text-align:left!important}.tdi_128 .tdm-descr{color:#cccccc;font-size:12px!important;line-height:21px!important}</style><p class="tdm-descr">© Newspaper WordPress Theme by TagDiv</p></div></div></div><div class="vc_column tdi_130 wpb_column vc_column_container tdc-column td-pb-span6"> <style scoped>.tdi_130{vertical-align:baseline}.tdi_130>.wpb_wrapper,.tdi_130>.wpb_wrapper>.tdc-elements{display:block}.tdi_130>.wpb_wrapper>.tdc-elements{width:100%}.tdi_130>.wpb_wrapper>.vc_row_inner{width:auto}.tdi_130>.wpb_wrapper{width:auto;height:auto}.tdi_130{justify-content:flex-end!important;text-align:right!important}@media (max-width:767px){.tdi_130{justify-content:center!important;text-align:center!important}}</style><div class="wpb_wrapper" ><div class="td_block_wrap td_block_list_menu tdi_131 td-blm-display-horizontal td-pb-border-top td_block_template_1 widget" data-td-block-uid="tdi_131" > <style>.tdi_131{margin-bottom:0px!important;padding-top:8px!important;padding-bottom:8px!important}@media(min-width:1141px){.tdi_131{display:inline-table!important}}@media (max-width:767px){.tdi_131{margin-left:16px!important;justify-content:center!important;text-align:center!important;display:inline-table!important}}@media (min-width:768px) and (max-width:1018px){.tdi_131{display:inline-table!important}}@media (min-width:1019px) and (max-width:1140px){.tdi_131{display:inline-table!important}}</style> <style>.td_block_list_menu ul{flex-wrap:wrap;margin-left:12px}.td_block_list_menu ul li{margin-left:0}.td_block_list_menu ul li a{display:flex;margin-left:0}.td_block_list_menu .td-blm-menu-item-txt{display:flex;align-items:center;flex-grow:1}.td_block_list_menu .sub-menu{padding-left:22px}.td_block_list_menu .sub-menu li{font-size:13px}.td_block_list_menu li.current-menu-item>a,.td_block_list_menu li.current-menu-ancestor>a,.td_block_list_menu li.current-category-ancestor>a,.td_block_list_menu li.current-page-ancestor>a{color:var(--td_theme_color,#4db2ec)}.td_block_list_menu .td-blm-sub-icon{display:flex;align-items:center;justify-content:center;margin-left:.6em;padding:0 .6em;transition:transform .2s ease-in-out}.td_block_list_menu .td-blm-sub-icon svg{display:block;width:1em;height:auto}.td_block_list_menu .td-blm-sub-icon svg,.td_block_list_menu .td-blm-sub-icon svg *{fill:currentColor}.td_block_list_menu.td-blm-display-accordion .menu-item-has-children ul{display:none}.td_block_list_menu.td-blm-display-accordion .menu-item-has-children-open>a>.td-blm-sub-icon{transform:rotate(180deg)}.td_block_list_menu.td-blm-display-horizontal ul{display:flex}body .tdi_131 ul{text-align:left;justify-content:flex-start;margin:0px}body .tdi_131 ul li a{justify-content:flex-start}body .tdi_131 .td-blm-menu-item-txt{flex-grow:1}body .tdi_131 ul li{margin-right:16px}body .tdi_131 ul li:last-child{margin-right:0}body .tdi_131 a,body .tdi_131 .td-blm-sub-icon{color:#cccccc}body .tdi_131 li.current-menu-item>a,body .tdi_131 li.current-menu-ancestor>a,body .tdi_131 li.current-category-ancestor>a,body .tdi_131 li.current-page-ancestor>a,body .tdi_131 a:hover,body .tdi_131 li.current-menu-item>a>.td-blm-sub-icon,body .tdi_131 li.current-menu-ancestor>a>.td-blm-sub-icon,body .tdi_131 li.current-category-ancestor>a>.td-blm-sub-icon,body .tdi_131 li.current-page-ancestor>a>.td-blm-sub-icon,body .tdi_131 a:hover>.td-blm-sub-icon{color:#1aa4ce}body .tdi_131 li{font-size:12px!important;line-height:21px!important}</style><div class="td-block-title-wrap"></div><div id=tdi_131 class="td_block_inner td-fix-index"><div class="menu"><ul> <li id="menu-item-2" class="menu-item-2"><a><span class="td-blm-menu-item-txt"></span></a></li> <li id="menu-item-814" class="menu-item-814"><a><span class="td-blm-menu-item-txt"></span></a></li> <li id="menu-item-7545303" class="menu-item-7545303"><a><span class="td-blm-menu-item-txt"></span></a></li> </ul></div> </div></div></div></div></div></div></div></div> </div> </div> </div><!--close td-outer-wrap--> <!-- Theme: Newspaper by tagDiv.com 2025 Version: 12.7 (rara) Deploy mode: deploy uid: 685cdbae8508f --> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-includes/js/dist/hooks.min.js?ver=4d63a3d491d11ffd8ac6" id="wp-hooks-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-includes/js/dist/i18n.min.js?ver=5e580eb46a90c2b997e6" id="wp-i18n-js"></script> <script type="text/javascript" id="wp-i18n-js-after"> /* <![CDATA[ */ wp.i18n.setLocaleData( { 'text direction\u0004ltr': [ 'ltr' ] } ); /* ]]> */ </script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/contact-form-7/includes/swv/js/index.js?ver=6.0.5" id="swv-js"></script> <script type="text/javascript" id="contact-form-7-js-before"> /* <![CDATA[ */ var wpcf7 = { "api": { "root": "https:\/\/www.webmastersgallery.com\/wp-json\/", "namespace": "contact-form-7\/v1" } }; /* ]]> */ </script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/contact-form-7/includes/js/index.js?ver=6.0.5" id="contact-form-7-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tagdiv_theme.min.js?ver=12.7" id="td-site-min-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdPostImages.js?ver=12.7" id="tdPostImages-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdSocialSharing.js?ver=12.7" id="tdSocialSharing-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdModalPostImages.js?ver=12.7" id="tdModalPostImages-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-includes/js/comment-reply.min.js?ver=6.7.2" id="comment-reply-js" async="async" data-wp-strategy="async"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/td-cloud-library/assets/js/js_files_for_front.min.js?ver=d578089f160957352b9b4ca6d880fd8f" id="tdb_js_files_for_front-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdToTop.js?ver=12.7" id="tdToTop-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdLoginMobile.js?ver=12.7" id="tdLoginMobile-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdAjaxSearch.js?ver=12.7" id="tdDatei18n-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdLogin.js?ver=12.7" id="tdLogin-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/td-cloud-library/assets/js/tdbMenu.js?ver=d578089f160957352b9b4ca6d880fd8f" id="tdbMenu-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/td-cloud-library/assets/js/tdbSearch.js?ver=d578089f160957352b9b4ca6d880fd8f" id="tdbSearch-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdLoadingBox.js?ver=12.7" id="tdLoadingBox-js"></script> <script type="text/javascript" src="https://www.webmastersgallery.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdSmartSidebar.js?ver=12.7" id="tdSmartSidebar-js"></script> <!-- JS generated by theme --> <script type="text/javascript" id="td-generated-footer-js"> jQuery().ready(function () { var blockClass = '.tdi_23'; jQuery(blockClass + '.tdb-horiz-menu-singleline > .menu-item-has-children a').click(function (e) { e.preventDefault(); }) }); /* global jQuery:{} */ jQuery(document).ready( function () { var tdbMenuItem = new tdbMenu.item(); tdbMenuItem.blockUid = 'tdi_42'; tdbMenuItem.jqueryObj = jQuery('.tdi_42'); tdbMenuItem.blockAtts = '{"mc1_title_tag":"p","main_sub_tdicon":"td-icon-down","sub_tdicon":"td-icon-right-arrow","mm_align_horiz":"content-horiz-center","modules_on_row_regular":"20%","modules_on_row_cats":"25%","image_size":"td_324x400","modules_category":"image","show_excerpt":"none","show_com":"none","show_date":"","show_author":"none","mm_sub_align_horiz":"content-horiz-right","mm_elem_align_horiz":"content-horiz-right","inline":"yes","menu_id":"","mm_align_screen":"yes","f_elem_font_family":"","f_elem_font_size":"eyJwb3J0cmFpdCI6IjExIn0=","mm_width":"1300","mm_subcats_bg":"#ffffff","mm_elem_border_a":"0 1px 0 0","mm_elem_padd":"eyJhbGwiOiIycHggMjJweCIsInBvcnRyYWl0IjoiMCAxNHB4In0=","mm_sub_padd":"eyJhbGwiOiIxNnB4IDAiLCJwb3J0cmFpdCI6IjE0cHggMCJ9","f_title_font_size":"eyJhbGwiOiIxNSIsImxhbmRzY2FwZSI6IjE0IiwicG9ydHJhaXQiOiIxMyJ9","f_title_font_line_height":"1.2","art_title":"3px 0","f_mm_sub_font_size":"eyJhbGwiOiIxMyIsInBvcnRyYWl0IjoiMTEifQ==","mm_child_cats":"10","mm_elem_border":"0 1px 0 0","mm_height":"eyJhbGwiOiIzNDUiLCJsYW5kc2NhcGUiOiIzMDAiLCJwb3J0cmFpdCI6IjI0MCJ9","mm_sub_width":"eyJsYW5kc2NhcGUiOiIxNjAiLCJwb3J0cmFpdCI6IjE0MCJ9","mm_padd":"eyJwb3J0cmFpdCI6IjE0In0=","modules_gap":"eyJwb3J0cmFpdCI6IjE0In0=","elem_padd":"eyJwb3J0cmFpdCI6IjAgMTJweCJ9","f_elem_font_line_height":"eyJwb3J0cmFpdCI6IjQ4cHgifQ==","video_icon":"eyJwb3J0cmFpdCI6IjI0In0=","all_modules_space":"26","tds_menu_sub_active":"tds_menu_sub_active1","tds_menu_sub_active2-line_color":"","tds_menu_active":"tds_menu_active1","block_type":"tdb_header_menu","show_subcat":"","show_mega":"","show_mega_cats":"","mob_load":"","separator":"","width":"","more":"","float_right":"","align_horiz":"content-horiz-left","elem_space":"","main_sub_icon_size":"","main_sub_icon_space":"","main_sub_icon_align":"-1","sep_tdicon":"","sep_icon_size":"","sep_icon_space":"","sep_icon_align":"-1","more_txt":"","more_tdicon":"","more_icon_size":"","more_icon_align":"0","sub_width":"","sub_first_left":"","sub_rest_top":"","sub_padd":"","sub_align_horiz":"content-horiz-left","sub_elem_inline":"","sub_elem_space":"","sub_elem_padd":"","sub_elem_radius":"0","sub_icon_size":"","sub_icon_space":"","sub_icon_pos":"","sub_icon_align":"1","mm_content_width":"","mm_radius":"","mm_offset":"","mm_posts_limit":"5","mm_subcats_posts_limit":"4","open_in_new_window":"","mm_ajax_preloading":"","mm_hide_all_item":"","mm_sub_border":"","mm_sub_inline":"","mm_elem_order":"name","mm_elem_space":"","mm_elem_border_rad":"","mc1_tl":"","mc1_el":"","m_padding":"","modules_border_size":"","modules_border_style":"","modules_border_color":"#eaeaea","modules_divider":"","modules_divider_color":"#eaeaea","h_effect":"","image_alignment":"50","image_height":"","image_width":"","image_floated":"no_float","image_radius":"","hide_image":"","show_vid_t":"block","vid_t_margin":"","vid_t_padding":"","vid_t_color":"","vid_t_bg_color":"","f_vid_time_font_header":"","f_vid_time_font_title":"Video duration text","f_vid_time_font_settings":"","f_vid_time_font_family":"","f_vid_time_font_size":"","f_vid_time_font_line_height":"","f_vid_time_font_style":"","f_vid_time_font_weight":"","f_vid_time_font_transform":"","f_vid_time_font_spacing":"","f_vid_time_":"","show_audio":"block","hide_audio":"","art_audio":"","art_audio_size":"1","meta_info_align":"","meta_info_horiz":"content-horiz-left","meta_width":"","meta_margin":"","meta_padding":"","meta_info_border_size":"","meta_info_border_style":"","meta_info_border_color":"#eaeaea","modules_category_margin":"","modules_category_padding":"","modules_cat_border":"","modules_category_radius":"0","show_cat":"inline-block","modules_extra_cat":"","author_photo":"","author_photo_size":"","author_photo_space":"","author_photo_radius":"","show_modified_date":"","time_ago":"","time_ago_add_txt":"ago","time_ago_txt_pos":"","art_excerpt":"","excerpt_col":"1","excerpt_gap":"","excerpt_middle":"","show_review":"inline-block","review_space":"","review_size":"2.5","review_distance":"","show_pagination":"","pag_space":"","pag_padding":"","pag_border_width":"","pag_border_radius":"","prev_tdicon":"","next_tdicon":"","pag_icons_size":"","text_color":"","main_sub_color":"","sep_color":"","more_icon_color":"","hover_opacity":"","f_elem_font_header":"","f_elem_font_title":"Elements text","f_elem_font_settings":"","f_elem_font_style":"","f_elem_font_weight":"","f_elem_font_transform":"","f_elem_font_spacing":"","f_elem_":"","sub_bg_color":"","sub_border_size":"","sub_border_color":"","sub_border_radius":"","sub_text_color":"","sub_elem_bg_color":"","sub_color":"","sub_shadow_shadow_header":"","sub_shadow_shadow_title":"Shadow","sub_shadow_shadow_size":"","sub_shadow_shadow_offset_horizontal":"","sub_shadow_shadow_offset_vertical":"","sub_shadow_shadow_spread":"","sub_shadow_shadow_color":"","f_sub_elem_font_header":"","f_sub_elem_font_title":"Elements text","f_sub_elem_font_settings":"","f_sub_elem_font_family":"","f_sub_elem_font_size":"","f_sub_elem_font_line_height":"","f_sub_elem_font_style":"","f_sub_elem_font_weight":"","f_sub_elem_font_transform":"","f_sub_elem_font_spacing":"","f_sub_elem_":"","mm_bg":"","mm_content_bg":"","mm_border_size":"","mm_border_color":"","mm_shadow_shadow_header":"","mm_shadow_shadow_title":"Shadow","mm_shadow_shadow_size":"","mm_shadow_shadow_offset_horizontal":"","mm_shadow_shadow_offset_vertical":"","mm_shadow_shadow_spread":"","mm_shadow_shadow_color":"","mm_subcats_border_color":"","mm_elem_color":"","mm_elem_color_a":"","mm_elem_bg":"","mm_elem_bg_a":"","mm_elem_border_color":"","mm_elem_border_color_a":"","mm_elem_shadow_shadow_header":"","mm_elem_shadow_shadow_title":"Elements shadow","mm_elem_shadow_shadow_size":"","mm_elem_shadow_shadow_offset_horizontal":"","mm_elem_shadow_shadow_offset_vertical":"","mm_elem_shadow_shadow_spread":"","mm_elem_shadow_shadow_color":"","f_mm_sub_font_header":"","f_mm_sub_font_title":"Sub categories elements","f_mm_sub_font_settings":"","f_mm_sub_font_family":"","f_mm_sub_font_line_height":"","f_mm_sub_font_style":"","f_mm_sub_font_weight":"","f_mm_sub_font_transform":"","f_mm_sub_font_spacing":"","f_mm_sub_":"","m_bg":"","color_overlay":"","shadow_shadow_header":"","shadow_shadow_title":"Module Shadow","shadow_shadow_size":"","shadow_shadow_offset_horizontal":"","shadow_shadow_offset_vertical":"","shadow_shadow_spread":"","shadow_shadow_color":"","title_txt":"","title_txt_hover":"","all_underline_height":"","all_underline_color":"#000","cat_bg":"","cat_bg_hover":"","cat_txt":"","cat_txt_hover":"","cat_border":"","cat_border_hover":"","meta_bg":"","author_txt":"","author_txt_hover":"","date_txt":"","ex_txt":"","com_bg":"","com_txt":"","rev_txt":"","shadow_m_shadow_header":"","shadow_m_shadow_title":"Meta info shadow","shadow_m_shadow_size":"","shadow_m_shadow_offset_horizontal":"","shadow_m_shadow_offset_vertical":"","shadow_m_shadow_spread":"","shadow_m_shadow_color":"","audio_btn_color":"","audio_time_color":"","audio_bar_color":"","audio_bar_curr_color":"","pag_text":"","pag_h_text":"","pag_bg":"","pag_h_bg":"","pag_border":"","pag_h_border":"","f_title_font_header":"","f_title_font_title":"Article title","f_title_font_settings":"","f_title_font_family":"","f_title_font_style":"","f_title_font_weight":"","f_title_font_transform":"","f_title_font_spacing":"","f_title_":"","f_cat_font_title":"Article category tag","f_cat_font_settings":"","f_cat_font_family":"","f_cat_font_size":"","f_cat_font_line_height":"","f_cat_font_style":"","f_cat_font_weight":"","f_cat_font_transform":"","f_cat_font_spacing":"","f_cat_":"","f_meta_font_title":"Article meta info","f_meta_font_settings":"","f_meta_font_family":"","f_meta_font_size":"","f_meta_font_line_height":"","f_meta_font_style":"","f_meta_font_weight":"","f_meta_font_transform":"","f_meta_font_spacing":"","f_meta_":"","f_ex_font_title":"Article excerpt","f_ex_font_settings":"","f_ex_font_family":"","f_ex_font_size":"","f_ex_font_line_height":"","f_ex_font_style":"","f_ex_font_weight":"","f_ex_font_transform":"","f_ex_font_spacing":"","f_ex_":"","mix_color":"","mix_type":"","fe_brightness":"1","fe_contrast":"1","fe_saturate":"1","mix_color_h":"","mix_type_h":"","fe_brightness_h":"1","fe_contrast_h":"1","fe_saturate_h":"1","el_class":"","tdc_css":"","block_template_id":"","td_column_number":3,"header_color":"","ajax_pagination_infinite_stop":"","offset":"","limit":"5","td_ajax_preloading":"","td_ajax_filter_type":"","td_filter_default_txt":"","td_ajax_filter_ids":"","color_preset":"","ajax_pagination":"","ajax_pagination_next_prev_swipe":"","border_top":"","css":"","class":"tdi_42","tdc_css_class":"tdi_42","tdc_css_class_style":"tdi_42_rand_style","context":""}'; tdbMenuItem.isMegaMenuFull = true; tdbMenuItem.megaMenuLoadType = ''; tdbMenu.addItem(tdbMenuItem); }); jQuery().ready(function () { var tdbSearchItem = new tdbSearch.item(); //block unique ID tdbSearchItem.blockUid = 'tdi_45'; tdbSearchItem.blockAtts = '{"inline":"yes","toggle_txt_pos":"after","form_align":"content-horiz-right","results_msg_align":"content-horiz-center","image_floated":"float_left","image_width":"30","image_size":"td_324x400","show_cat":"none","show_btn":"none","show_date":"","show_review":"","show_com":"none","show_excerpt":"none","show_author":"none","art_title":"0 0 2px 0","all_modules_space":"20","tdicon":"td-icon-magnifier-big-rounded","icon_size":"eyJhbGwiOiIyMCIsInBvcnRyYWl0IjoiMTgifQ==","tdc_css":"eyJhbGwiOnsiZGlzcGxheSI6IiJ9LCJwb3J0cmFpdCI6eyJtYXJnaW4tdG9wIjoiMSIsImRpc3BsYXkiOiIifSwicG9ydHJhaXRfbWF4X3dpZHRoIjoxMDE4LCJwb3J0cmFpdF9taW5fd2lkdGgiOjc2OH0=","modules_on_row":"eyJhbGwiOiI1MCUiLCJwb3J0cmFpdCI6IjUwJSIsImxhbmRzY2FwZSI6IjUwJSJ9","meta_info_horiz":"content-horiz-left","form_width":"600","input_border":"0 0 1px 0","modules_divider":"","form_padding":"eyJwb3J0cmFpdCI6IjIwcHggMjBweCAyMHB4IiwiYWxsIjoiMzBweCJ9","arrow_color":"#ffffff","btn_bg_h":"rgba(0,0,0,0)","btn_tdicon":"td-icon-menu-right","btn_icon_pos":"after","btn_icon_size":"7","btn_icon_space":"8","f_title_font_family":"","f_cat_font_family":"","f_cat_font_transform":"uppercase","f_title_font_weight":"","f_title_font_transform":"","f_title_font_size":"13","title_txt_hover":"#4db2ec","results_limit":"6","float_block":"yes","icon_color":"#000000","results_border":"0 0 1px 0","f_title_font_line_height":"1.4","btn_color":"#000000","btn_color_h":"#4db2ec","all_underline_color":"","results_msg_color_h":"#4db2ec","image_height":"100","meta_padding":"3px 0 0 16px","modules_gap":"20","mc1_tl":"12","show_form":"yes","f_meta_font_weight":"","h_effect":"","results_msg_padding":"10px 0","f_results_msg_font_style":"normal","video_icon":"24","modules_divider_color":"","modules_border_color":"","btn_padding":"0","form_border":"0","form_shadow_shadow_offset_vertical":"3","results_padding":"0 30px 30px","btn_bg":"rgba(0,0,0,0)","icon_padding":"eyJhbGwiOjIuNCwicG9ydHJhaXQiOiIyLjYifQ==","block_type":"tdb_header_search","post_type":"","disable_trigger":"","show_results":"yes","separator":"","disable_live_search":"","exclude_pages":"","exclude_posts":"","search_section_header":"","results_section_1_title":"","results_section_1_taxonomies":"","results_section_1_level":"","results_section_2_title":"","results_section_2_taxonomies":"","results_section_2_level":"","results_section_3_title":"","results_section_3_taxonomies":"","results_section_3_level":"","results_section_search_query_terms":"","results_section_search_query_terms_title":"","results_section_search_query_terms_taxonomies":"","sec_title_space":"","sec_title_color":"","tax_space":"","tax_title_color":"","tax_title_color_h":"","f_sec_title_font_header":"","f_sec_title_font_title":"Section title text","f_sec_title_font_settings":"","f_sec_title_font_family":"","f_sec_title_font_size":"","f_sec_title_font_line_height":"","f_sec_title_font_style":"","f_sec_title_font_weight":"","f_sec_title_font_transform":"","f_sec_title_font_spacing":"","f_sec_title_":"","f_tax_title_font_title":"Taxonomy title text","f_tax_title_font_settings":"","f_tax_title_font_family":"","f_tax_title_font_size":"","f_tax_title_font_line_height":"","f_tax_title_font_style":"","f_tax_title_font_weight":"","f_tax_title_font_transform":"","f_tax_title_font_spacing":"","f_tax_title_":"","toggle_txt":"","toggle_txt_align":"0","toggle_txt_space":"","aria_label":"Search","toggle_horiz_align":"content-horiz-left","form_offset":"","form_offset_left":"","form_content_width":"","form_align_screen":"","input_placeholder":"","placeholder_travel":"0","input_padding":"","input_radius":"","btn_text":"Search","btn_aria_label":"Search","btn_icon_align":"0","btn_margin":"","btn_border":"","btn_radius":"","results_msg_border":"","mc1_title_tag":"","mc1_el":"","open_in_new_window":"","m_padding":"","modules_border_size":"","modules_border_style":"","image_alignment":"50","image_radius":"","hide_image":"","show_vid_t":"block","vid_t_margin":"","vid_t_padding":"","vid_t_color":"","vid_t_bg_color":"","f_vid_time_font_header":"","f_vid_time_font_title":"Video duration text","f_vid_time_font_settings":"","f_vid_time_font_family":"","f_vid_time_font_size":"","f_vid_time_font_line_height":"","f_vid_time_font_style":"","f_vid_time_font_weight":"","f_vid_time_font_transform":"","f_vid_time_font_spacing":"","f_vid_time_":"","meta_info_align":"","meta_width":"","meta_margin":"","meta_info_border_size":"","meta_info_border_style":"","meta_info_border_color":"#eaeaea","art_btn":"","modules_category":"","modules_category_margin":"","modules_category_padding":"","modules_cat_border":"","modules_category_radius":"0","modules_extra_cat":"","author_photo":"","author_photo_size":"","author_photo_space":"","author_photo_radius":"","show_modified_date":"","time_ago":"","time_ago_add_txt":"ago","time_ago_txt_pos":"","review_space":"","review_size":"2.5","review_distance":"","art_excerpt":"","excerpt_col":"1","excerpt_gap":"","excerpt_middle":"","btn_title":"","btn_border_width":"","form_general_bg":"","icon_color_h":"","toggle_txt_color":"","toggle_txt_color_h":"","f_toggle_txt_font_header":"","f_toggle_txt_font_title":"Text","f_toggle_txt_font_settings":"","f_toggle_txt_font_family":"","f_toggle_txt_font_size":"","f_toggle_txt_font_line_height":"","f_toggle_txt_font_style":"","f_toggle_txt_font_weight":"","f_toggle_txt_font_transform":"","f_toggle_txt_font_spacing":"","f_toggle_txt_":"","form_bg":"","form_border_color":"","form_shadow_shadow_header":"","form_shadow_shadow_title":"Shadow","form_shadow_shadow_size":"","form_shadow_shadow_offset_horizontal":"","form_shadow_shadow_spread":"","form_shadow_shadow_color":"","input_color":"","placeholder_color":"","placeholder_opacity":"0","input_bg":"","input_border_color":"","input_shadow_shadow_header":"","input_shadow_shadow_title":"Input shadow","input_shadow_shadow_size":"","input_shadow_shadow_offset_horizontal":"","input_shadow_shadow_offset_vertical":"","input_shadow_shadow_spread":"","input_shadow_shadow_color":"","btn_icon_color":"","btn_icon_color_h":"","btn_border_color":"","btn_border_color_h":"","btn_shadow_shadow_header":"","btn_shadow_shadow_title":"Button shadow","btn_shadow_shadow_size":"","btn_shadow_shadow_offset_horizontal":"","btn_shadow_shadow_offset_vertical":"","btn_shadow_shadow_spread":"","btn_shadow_shadow_color":"","f_input_font_header":"","f_input_font_title":"Input text","f_input_font_settings":"","f_input_font_family":"","f_input_font_size":"","f_input_font_line_height":"","f_input_font_style":"","f_input_font_weight":"","f_input_font_transform":"","f_input_font_spacing":"","f_input_":"","f_placeholder_font_title":"Placeholder text","f_placeholder_font_settings":"","f_placeholder_font_family":"","f_placeholder_font_size":"","f_placeholder_font_line_height":"","f_placeholder_font_style":"","f_placeholder_font_weight":"","f_placeholder_font_transform":"","f_placeholder_font_spacing":"","f_placeholder_":"","f_btn_font_title":"Button text","f_btn_font_settings":"","f_btn_font_family":"","f_btn_font_size":"","f_btn_font_line_height":"","f_btn_font_style":"","f_btn_font_weight":"","f_btn_font_transform":"","f_btn_font_spacing":"","f_btn_":"","results_bg":"","results_border_color":"","results_msg_color":"","results_msg_bg":"","results_msg_border_color":"","f_results_msg_font_header":"","f_results_msg_font_title":"Text","f_results_msg_font_settings":"","f_results_msg_font_family":"","f_results_msg_font_size":"","f_results_msg_font_line_height":"","f_results_msg_font_weight":"","f_results_msg_font_transform":"","f_results_msg_font_spacing":"","f_results_msg_":"","m_bg":"","color_overlay":"","shadow_module_shadow_header":"","shadow_module_shadow_title":"Module Shadow","shadow_module_shadow_size":"","shadow_module_shadow_offset_horizontal":"","shadow_module_shadow_offset_vertical":"","shadow_module_shadow_spread":"","shadow_module_shadow_color":"","title_txt":"","all_underline_height":"","cat_bg":"","cat_bg_hover":"","cat_txt":"","cat_txt_hover":"","cat_border":"","cat_border_hover":"","meta_bg":"","author_txt":"","author_txt_hover":"","date_txt":"","ex_txt":"","com_bg":"","com_txt":"","rev_txt":"","shadow_meta_shadow_header":"","shadow_meta_shadow_title":"Meta info shadow","shadow_meta_shadow_size":"","shadow_meta_shadow_offset_horizontal":"","shadow_meta_shadow_offset_vertical":"","shadow_meta_shadow_spread":"","shadow_meta_shadow_color":"","btn_bg_hover":"","btn_txt":"","btn_txt_hover":"","btn_border_hover":"","f_title_font_header":"","f_title_font_title":"Article title","f_title_font_settings":"","f_title_font_style":"","f_title_font_spacing":"","f_title_":"","f_cat_font_title":"Article category tag","f_cat_font_settings":"","f_cat_font_size":"","f_cat_font_line_height":"","f_cat_font_style":"","f_cat_font_weight":"","f_cat_font_spacing":"","f_cat_":"","f_meta_font_title":"Article meta info","f_meta_font_settings":"","f_meta_font_family":"","f_meta_font_size":"","f_meta_font_line_height":"","f_meta_font_style":"","f_meta_font_transform":"","f_meta_font_spacing":"","f_meta_":"","f_ex_font_title":"Article excerpt","f_ex_font_settings":"","f_ex_font_family":"","f_ex_font_size":"","f_ex_font_line_height":"","f_ex_font_style":"","f_ex_font_weight":"","f_ex_font_transform":"","f_ex_font_spacing":"","f_ex_":"","el_class":"","block_template_id":"","td_column_number":3,"header_color":"","ajax_pagination_infinite_stop":"","offset":"","limit":"5","td_ajax_preloading":"","td_ajax_filter_type":"","td_filter_default_txt":"","td_ajax_filter_ids":"","color_preset":"","ajax_pagination":"","ajax_pagination_next_prev_swipe":"","border_top":"","css":"","class":"tdi_45","tdc_css_class":"tdi_45","tdc_css_class_style":"tdi_45_rand_style"}'; tdbSearchItem.jqueryObj = jQuery('.tdi_45'); tdbSearchItem._openSearchFormClass = 'tdb-drop-down-search-open'; tdbSearchItem._resultsLimit = '6'; tdbSearch.addItem( tdbSearchItem ); }); jQuery(window).on( 'load', function () { var block = jQuery('.tdi_65'), blockClass = '.tdi_65', blockInner = block.find('.tdb-block-inner'), blockOffsetLeft; if( block.find('audio').length > 0 ) { jQuery(blockClass + ' audio').mediaelementplayer(); } if( block.hasClass('tdb-sfi-stretch') ) { jQuery(window).resize(function () { blockOffsetLeft = block.offset().left; if( block.hasClass('tdb-sfi-stretch-left') ) { blockInner.css('margin-left', -blockOffsetLeft + 'px'); } else { blockInner.css('margin-right', -(jQuery(window).width() - (blockOffsetLeft + block.outerWidth())) + 'px'); } }); jQuery(window).resize(); } setTimeout(function () { block.css('opacity', 1); }, 500); }); </script> <script>var td_res_context_registered_atts=["style_general_mobile_menu","style_general_header_align","style_general_header_logo","style_general_mobile_search","style_general_header_date","style_general_header_user","style_general_mobile_horiz_menu","style_general_socials","style_general_header_menu","style_general_module_header","style_general_header_search","style_general_header_search_trigger_enabled","style_general_breadcrumbs","style_general_single_categories","style_general_single_title","style_general_title_single","style_bg_space","style_general_post_meta","style_general_single_author","style_general_single_date","style_general_comments_count","style_general_post_views","style_general_single_post_share","style_general_featured_image","style_general_single_content","style_general_separator","style_general_popular_categories","style_general_column_title","style_general_inline_text","style_general_list_menu","style_specific_list_menu_vertical","style_specific_list_menu_accordion","style_specific_list_menu_horizontal"];</script> </body> </html>