Difference between revisions of "WordPress"

From Indie IT Wiki
 
(144 intermediate revisions by the same user not shown)
Line 1: Line 1:
 +
== Installation ==
 +
 +
to be done
 +
 +
[https://www.localwp.com/ Local WP]
 +
 +
[https://cdn.localwp.com/stable/latest/deb Local WP - Latest Ubuntu DEB]
 +
 +
=== Time Limited Test Instant WordPress Sites ==
 +
 +
[https://tastewp.com TasteWP]
 +
 +
[https://instawp.com InstaWP]
 +
 +
== Allow WebP Images ==
 +
 +
Plugins > WPCode Lite > Snippets > Add New > Add Your Custom Code (New Snippet) > PHP Snippet > "Allow WebP Image Files" >
 +
 +
function cc_mime_types($mimes) {
 +
    $mimes['webp'] = 'image/webp';
 +
    return $mimes;
 +
}
 +
add_filter('upload_mimes', 'cc_mime_types');
 +
 +
== SSL When Using A Reverse Proxy ==
 +
 +
If WordPress is hosted behind a reverse proxy that provides SSL, but is hosted itself without SSL, these options will initially send any requests into an infinite redirect loop. To avoid this, you may configure WordPress to recognize the HTTP_X_FORWARDED_PROTO header (assuming you have properly configured the reverse proxy to set that header).
 +
 +
define('FORCE_SSL_ADMIN', true);
 +
// in some setups HTTP_X_FORWARDED_PROTO might contain
 +
// a comma-separated list e.g. http,https
 +
// so check for https existence
 +
if (strpos($_SERVER['HTTP_X_FORWARDED_PROTO'], 'https') !== false)
 +
$_SERVER['HTTPS']='on';
 +
 +
https://wordpress.org/support/article/administration-over-ssl/#using-a-reverse-proxy
 +
 +
== Enable Theme Editor ==
 +
 +
define( 'DISALLOW_FILE_EDIT', false );
 +
 
== Create Blank Page Templates ==
 
== Create Blank Page Templates ==
  
Line 119: Line 160:
  
 
https://wordpress.org/support/article/giving-wordpress-its-own-directory/
 
https://wordpress.org/support/article/giving-wordpress-its-own-directory/
 +
 +
== Organise Media Library with Categories ==
 +
 +
[https://happyfiles.io/ Happy Files]
  
 
== Amazon Polly Audio ==
 
== Amazon Polly Audio ==
Line 143: Line 188:
  
 
[https://managewp.com/blog/google-analytics Google Analytics SEO Tips]
 
[https://managewp.com/blog/google-analytics Google Analytics SEO Tips]
 +
 +
[https://seosly.com/google-analytics-4-basic-seo-guide/ Google Analytics 4 Basic (SEO) Guide]
  
 
== Email ==
 
== Email ==
 +
 +
=== SMTP ===
  
 
[https://wordpress.org/plugins/fluent-smtp/ Fluent SMTP]
 
[https://wordpress.org/plugins/fluent-smtp/ Fluent SMTP]
 +
 +
=== Forms ===
 +
 +
[https://wordpress.org/plugins/fluentform/ Fluent Forms]
 +
 +
==== Fluent Forms Notification Email From Dropdown Address ====
 +
 +
The '''.value''' at the end of a field name is the key, otherwise you would get the Label.
 +
 +
{inputs.dropdown-name-attribute.value}
 +
 +
https://twitter.com/Fluent_Forms/status/1553958492813533184
  
 
== Royalty Free Images ==
 
== Royalty Free Images ==
Line 192: Line 253:
 
== Performance Tweaks ==
 
== Performance Tweaks ==
  
=== Hidden Options ===
+
Why Is WordPress Slow?
  
  <nowiki>https://www.mydomain.com/wp-admin/options.php</nowiki>
+
However, many factors can affect your WordPress site’s performance. Some of the most common ones include:
 +
 
 +
* Your site’s web hosting provider
 +
* Server-side optimizations (PHP version, caching, compression, etc.)
 +
* Sluggish WordPress themes
 +
* Slow WordPress plugins
 +
* Unoptimized content (mainly images)
 +
* Too many external HTTP requests
 +
* Not using a dedicated resource to serve content (CDN, video hosting, etc.)
 +
 
 +
[https://perfmatters.io/wordpress-performance-checklist/ Performance Checklist]
 +
 
 +
=== Hidden Options ===
 +
 
 +
  <nowiki>https://www.mydomain.com/wp-admin/options.php</nowiki>
  
 
=== Host Google Services Locally ===
 
=== Host Google Services Locally ===
Line 263: Line 338:
  
 
=== Caching ===
 
=== Caching ===
 +
 +
WordPress 6.1 and later now includes checks for '''Page Cache and Object Cache''' in the Site Health tool.
 +
 +
''How do I disable the cache checks?''  Add these code snippets:-
 +
 +
function disable_full_page_cache_check( $tests ) {
 +
    unset( $tests['async']['page_cache'] );
 +
    return $tests;
 +
}
 +
add_filter( 'site_status_tests', 'disable_full_page_cache_check' );
 +
 +
function disable_object_cache_check( $tests ) {
 +
    unset( $tests['direct']['persistent_object_cache'] );
 +
    return $tests;
 +
}
 +
add_filter( 'site_status_tests', 'disable_object_cache_check' );
 +
 +
WordPress Caching
 +
 +
Caching strategy is a key decision for any WordPress site for speed and performance. There are typically 4 levels of caching recommended for WordPress. Here is a description of how we will set up caching for WordPress with Docker:
 +
 +
'''Browser Caching:''' This is what tells the visitors browser to cache the files locally to speed up future site/page visits. We will set this up using Nginx. On Apache, this is accomplished using .htaccess files.
 +
 +
'''Server Caching:''' This caches static versions of pages (Page cache). We are going to accomplish this using Nginx FastCGI cache.
 +
 +
'''Frontend Caching:''' This means caching WordPress PHP files so they don't have to be re-compiled for every visit. We are going to set this up using PHP OpCache.
 +
 +
'''Database Caching:''' This optimizes database queries by storing them in the RAM for faster delivery. We are going to use Redis for this.
 +
 +
As mentioned before, I have Cloudflare and Ezoic Site Speed+ that serve cached and optimized content to visitors. But even without those, the above caching strategy should deliver excellent speeds.
 +
 +
https://www.smarthomebeginner.com/wordpress-on-docker-traefik/
 +
  
 
Here is a quick list of the different types of caching we can identify:
 
Here is a quick list of the different types of caching we can identify:
Line 274: Line 382:
  
 
==== Browser Caching ====
 
==== Browser Caching ====
 +
 +
For Apache .htaccess ...
 +
 +
<IfModule mod_expires.c>
 +
  ExpiresActive on
 +
 
 +
  # whitelist expires rules
 +
  ExpiresDefault "access 1 month"
 +
 
 +
  # Favicon (cannot be renamed)
 +
  ExpiresByType image/x-icon "access plus 1 week"
 +
 
 +
  # Media: images, video, audio
 +
  ExpiresByType image/gif "access plus 1 month"
 +
  ExpiresByType image/png "access plus 1 month"
 +
  ExpiresByType image/jpg "access plus 1 month"
 +
  ExpiresByType image/jpeg "access plus 1 month"
 +
  ExpiresByType video/ogg "access plus 1 month"
 +
  ExpiresByType audio/ogg "access plus 1 month"
 +
  ExpiresByType video/mp4 "access plus 1 month"
 +
  ExpiresByType video/webm "access plus 1 month"
 +
 
 +
  # Webfonts
 +
  ExpiresByType application/x-font-ttf "access plus 1 month"
 +
  ExpiresByType font/opentype "access plus 1 month"
 +
  ExpiresByType application/x-font-woff "access plus 1 month"
 +
  ExpiresByType image/svg+xml "access plus 1 month"
 +
 
 +
  # CSS and JavaScript
 +
  ExpiresByType text/css "access plus 1 month"
 +
  ExpiresByType text/javascript "access plus 1 month"
 +
  ExpiresByType application/javascript "access plus 1 month"
 +
 
 +
  <IfModule mod_headers.c>
 +
    Header append Cache-Control "public"
 +
  </IfModule>
 +
</IfModule>
  
 
https://www.tweaked.io/guide/lighttpd/
 
https://www.tweaked.io/guide/lighttpd/
Line 306: Line 451:
  
 
You can open the source code of a page (Google Chrome) View > Developer > View Source and scroll to the bottom. You should see an HTML-comment that states the site was cached by W3 Total Cache.
 
You can open the source code of a page (Google Chrome) View > Developer > View Source and scroll to the bottom. You should see an HTML-comment that states the site was cached by W3 Total Cache.
 +
 +
==== Perf Matters ====
 +
 +
This is a paid-for plugin that does an amazing selection of optimisation for WordPress.  Seriously, everything.
 +
 +
https://perfmatters.io/features/
  
 
==== WP Rocket ====
 
==== WP Rocket ====
Line 323: Line 474:
 
=== Links ===
 
=== Links ===
  
[https://www.uptrends.com/tools/website-speed-test UpTrends Web Site Speed Test]
+
'''[https://perfmatters.io/features/ Perf Matters]'''
  
[https://varvy.com/pagespeed/ Varvy PageSpeed Tests]
+
[https://wordpress.org/plugins/performance-lab/ Performance Lab (WebP and Cache) Plugin]
 +
 
 +
[https://www.freecodecamp.org/news/wordpress-plugins-to-improve-your-website-performance/ Improve WordPress Web Site Performance]
 +
 
 +
[https://www.uptrends.com/tools/website-speed-test UpTrends Web Site Speed Test]
 +
 
 +
[https://varvy.com/pagespeed/ Varvy PageSpeed Tests]
  
 
[https://gtmetrix.com/ GTMetrix WordPress Web Site Analysis and Performance Tool]
 
[https://gtmetrix.com/ GTMetrix WordPress Web Site Analysis and Performance Tool]
Line 381: Line 538:
  
 
  Dashboard > WP Rocket > Clear Cache
 
  Dashboard > WP Rocket > Clear Cache
 +
 +
=== Change Default Font ===
 +
 +
[https://themewaves.com/how-to-change-the-default-font-in-elementor-step-by-step/ How To Change The Default Font In Elementor (Step By Step) – ThemeWaves]
 +
 +
=== Fix Update Database Error ===
 +
 +
This command will update the database, if an update is needed...
 +
 +
wp elementor update db
 +
 +
This command will update the Elementor Pro database, if an update is needed...
 +
 +
wp elementor-pro update db
 +
 +
This command will update the database even if another process is running...
 +
 +
wp elementor update db --force
 +
 +
This command will update the database for each site in the network...
 +
 +
wp elementor update db --network
 +
 +
https://developers.elementor.com/docs/cli/update-db/
  
 
== Divi ==
 
== Divi ==
 +
 +
=== Updates ===
 +
 +
[https://www.elegantthemes.com/api/changelog/divi.txt Changelog]
  
 
=== Customise For Mobile View ===
 
=== Customise For Mobile View ===
Line 400: Line 585:
 
https://www.elegantthemes.com/blog/resources/elegant-icon-font
 
https://www.elegantthemes.com/blog/resources/elegant-icon-font
  
== WP Page Builder ==
+
== Breakdance ==
  
WP Page Builder is a drag and drop WordPress plugin to create websites on the fly. Whether you need to build web pages from scratch or edit them thoroughly, WP Page Builder brings all essential site-building elements to a single place for you.
+
Breakdance is an easy-to-use visual site builder for WordPress. It allows you to build websites from start to finish - including custom headers, footers, blog templates and dynamic page layouts - all without touching a line of code.
  
It is a completely front-end based tool with plenty of design options and tons of design elements. WP Page Builder is so lightweight, as a result, it takes remarkably less time than all other similar tools to create websites on WordPress. It gives the complete control over your website's design, so you can shape it the way you want. The plugin offers 30+ functional addons to bring any design you want for your site.
+
Breakdance is a new WordPress page builder focused on both power and speed. The builder was recently released in September 2022 and features over 120 block elements usable through a drag & drop UI.
  
https://wordpress.org/plugins/wp-pagebuilder/
+
It has been created by the makers of Oxygen and combines the best parts of Oxygen withe best parts of Bricks and Elementor.
  
https://docs.themeum.com/wp-pagebuilder/
+
'''[https://fellowshipstudios.com/breakdance-builder-review/ Review with List of Features]'''
  
https://www.youtube.com/watch?v=Crqpz6iTWH4
+
[https://breakdance.com/why/comparison/ Why Breakdance?]
  
https://www.youtube.com/watch?v=EKDZ7pvNSLs
+
[https://breakdance.com/ Official Web Site]
  
== Oxygen Builder ==
+
[https://breakdance.com/documentation/ Documentation]
  
=== Introduction ===
+
[https://breakdance.canny.io/ Roadmap]
  
Oxygen is a plugin that replaces the Theme system in WordPress. It allows you to build your own Templates for use in any page. It produces the most efficient code and the fastest loading web sites.
+
[https://www.youtube.com/@OfficialBreakdance YouTube Channel]
  
=== Features ===
+
[https://breakdance.canny.io/features Feature Requests]
  
https://wparena.com/oxygen-review/
+
[https://breakdance.com/feed/ RSS News Feed]
  
=== Purchase ===
+
=== Global Settings ===
  
https://oxygenbuilder.com/pricing
+
==== Typography ====
  
=== Installation ===
+
Heading Font [https://rosua.org/ Yabe Webfont]
 +
Body Font [https://rosua.org/ Yabe Webfont]
  
Plugins > Add New > Upload Plugin > Browse > Install Now
+
Advanced > Headings
  
=== Documentation ===
+
H1 = clamp(2.4rem, calc(2.4rem + ((1vw - 0.32rem) * 0.8333)), 3.2rem)
 +
H2 = clamp(2.0rem, calc(2.0rem + ((1vw - 0.32rem) * 0.625)), 2.8rem)
 +
H3 = clamp(1.8rem, calc(1.8rem + ((1vw - 0.32rem) * 0.2083)), 2.2rem)
 +
H4 = clamp(1.3rem, calc(1.3rem + ((1vw - 0.32rem) * 0.4167)), 1.8rem)
 +
H5 = clamp(1.1rem, calc(1.1rem + ((1vw - 0.32rem) * 0.4167)), 1.4rem)
 +
H6 = clamp(1.0rem, calc(1.0rem + ((1vw - 0.32rem) * 0.4167)), 1.2rem)
  
https://oxygenbuilder.com/documentation/
+
This, just doesn't seem to work (hopefully AutomaticCSS will come to the rescue soon!) so I have put some fixed viewport settings here for now:-
 
 
=== Support ===
 
  
[https://app.slack.com/client/TAJ828N82/CAJ5461DH Slack - Oxygen Builder General Support]
+
Desktop = 3.0rem
 +
Tablet Landscape = 2.7rem
 +
Tablet Portrait = 2.0rem
 +
Phone Landscape = 1.8rem
 +
Phone Portrait = 1.6rem
  
[https://oxygenbuilder.com/support Oxygen - Official Support]
+
==== Containers ====
  
[https://github.com/soflyy/oxygen-bugs-and-features/issues Github - Oxygen Bugs and Features]
+
{| class="wikitable"
 +
|+ Sections
 +
|-
 +
! Responsive Size !! Vertical Padding !! Horizontal Padding
 +
|-
 +
| Desktop || 80 px || 32 px
 +
|-
 +
| Tablet Landscape || 70 px || 28 px
 +
|-
 +
| Tablet Portrait || 55 px || 22 px
 +
|-
 +
| Phone Landscape || 45 px || 18 px
 +
|-
 +
| Phone Portrait || 30 px || 12 px
 +
|}
  
 
=== Tips ===
 
=== Tips ===
  
https://oxywp.com/en/home-page/
+
'''Fix Gutenberg'''
  
==== Add-Ons ====
+
'''Breakdance > Settings > Performance''' > untick 'Remove Gutenberg Blocks CSS', then add the following code to CSS which fixes flex rows ...
  
[https://www.cleanplugins.com/products/hydrogen-pack/ Hydrogen Pack]
+
.breakdance figure {
 +
  width: unset;
 +
}
  
[https://oxyninja.com/core/ Core Design and UI Set]
+
'''Globally Change Colour Of Icon On Menu Builder Dropdown'''
  
[https://isotropic.co/oxygen-builder-addons/ Oxygen Builder Addons]
+
Menu Builder / Desktop Menu / Dropdowns / Links / Graphic / Icon
  
==== How To Clone A Template ====
+
'''Reduce Height Of Sticky Header On Scroll'''
  
Under "Edit with Oxygen" you can click on shortcode and copy the content, then create a new template, click on shortcode, paste it and save it. Done.
+
Size on desktop 100px
 +
Spacing / Padding 0
 +
Sticky / Style / Minimum height 60px
  
== Google Analytics ==
+
=== Templates ===
  
=== Plugins ===
+
https://bdlibraryawesome.com/
  
[https://wordpress.org/plugins/simple-universal-google-analytics/ Simple Universal Google Analytics]
+
== Oxygen Builder ==
  
[https://wordpress.org/plugins/google-analytics-dashboard-for-wp/ Google Analytics Dashboard for WP (GADWP)]
+
=== Introduction ===
  
== Ecommerce - Shopify ==
+
Oxygen is a plugin that replaces the Theme system in WordPress. It allows you to build your own Templates for use in any page. It produces the most efficient code and the fastest loading web sites.
  
https://www.shopify.com/buy-button/wordpress
+
=== Features ===
  
https://www.shopify.co.uk/lite
+
https://wparena.com/oxygen-review/
  
== Ecommerce - WooCommerce ==
+
=== Purchase ===
  
=== Setup Wizard ===
+
https://oxygenbuilder.com/pricing
  
You can run the Setup Wizard, if you skipped it when installing WooCommerce. Go to: Help > Setup Wizard and select Setup Wizard.
+
=== Installation ===
  
https://docs.woocommerce.com/document/woocommerce-setup-wizard/#section-6
+
Plugins > Add New > Upload Plugin > Browse > Install Now
  
=== Categories ===
+
=== Documentation ===
  
https://atlantisthemes.com/woocommerce-categories/
+
https://oxygenbuilder.com/documentation/
  
=== Code Snippets ===
+
=== Changelog ===
  
https://www.tychesoftwares.com/woocommerce-shop-page-hooks-visual-guide-with-code-snippets/
+
https://oxychangelog.com
  
=== Show Product Categories on Theme Menus ===
+
=== Support ===
  
Appearance > Menus > Screen Options (at top of page) > tick Product Categories
+
[https://app.slack.com/client/TAJ828N82/CAJ5461DH Slack - Oxygen Builder General Support]
  
==== Show Product Categories on Shop Page ====
+
[https://oxygenbuilder.com/support Oxygen - Official Support]
  
# Click on Appearance > Customize
+
[https://github.com/soflyy/oxygen-bugs-and-features/issues Github - Oxygen Bugs and Features]
# Then go to WooCommerce > Product Catalog
+
 
# Select '''show categories''' from Shop Page Display
+
[https://ethereal-hugger-c87.notion.site/ACSS-Public-Roadmap-8534f74882584efe9f77777189ac75ca Roadmap]
# Click on Save Changes
 
  
=== Customise Breadcrumb ===
+
=== Using Oxygen with Elementor ===
  
https://docs.woocommerce.com/document/customise-the-woocommerce-breadcrumb/
+
Yeah, I know, why the **** would you want to?  But, it's possible ...
  
=== Accompanying Plugins ===
+
Oxygen > Templates > New Template > Add Sections for header + main + footer, then in the main section add a Code Block with the PHP ...
  
[https://woocommerce.com/products/request-a-quote-plugin-for-woocommerce/ Request a Quote for WooCommerce]
+
<?php the_content(); ?>
  
[https://woocommercequoteplugin.com/requestforquote/woocommerce-quotation-plugin/ WooCommerce Quotation / Request For Quote Plugin]
+
... and then you can install the Elementor plugin, edit the page and watch as 100's of lines are added to your code :)
  
[https://wordpress.org/plugins/yith-woocommerce-request-a-quote/ Request A Quote]
+
But, it's easy to use, right?
  
=== Shortcodes ===
+
=== Tips ===
  
WooCommerce cannot function properly without the first three shortcodes being somewhere on your site.
+
==== Performance ====
  
[woocommerce_cart] – shows the cart page
+
Oxygen seems to load quicker in Mozilla Firefox.
[woocommerce_checkout] – shows the checkout page
+
 
[woocommerce_my_account] – shows the user account page
+
https://oxygen4fun.supadezign.com/tips/useful-optimizations-for-oxygen-builder/
[woocommerce_order_tracking] – shows the order tracking form
 
  
https://docs.woocommerce.com/document/woocommerce-shortcodes/
+
==== Responsive ====
  
== Media Queries Screen Sizes List ==
+
NONE OF THIS IS NEEDED IF YOU BUY AND USE AUTOMATIC.CSS
  
/* Set the background color of body to tan */
 
body {
 
  background-color: tan;
 
}
 
 
/* On screens that are 992px or less, set the background color to blue */
 
@media screen and (max-width: 992px) {
 
  body {
 
    background-color: blue;
 
  }
 
}
 
 
/* On screens that are 600px or less, set the background color to olive */
 
@media screen and (max-width: 600px) {
 
  body {
 
    background-color: olive;
 
  }
 
}
 
  
[https://www.w3schools.com/css/css3_mediaqueries_ex.asp CSS Media Queries - More Examples]
+
[https://websemantics.uk/tools/responsive-font-calculator/ Fluid Resposive Font Size Calculator]
  
This is a list of the known screen sizes so that you can customise your CSS for mobile devices.
+
===== Fonts =====
  
For example, a Google Pixel...
+
Before we get down to tweaking, here is the list of '''default settings''' for the Fonts in Global Styles:-
  
  @media screen
+
  '''Headings'''
  and (device-width: 360px)
+
H1 - Font Size = 36px + Font Weight = 700
  and (device-height: 640px)
+
H2 - Font Size = 30px
  and (-webkit-device-pixel-ratio: 3)  
+
H3 - Font Size = 24px
  and (orientation: portrait) {
+
H4 - Font Size = 20px
 +
H5 - Font Size = 18px
 +
H6 - Font Size = 16px
 +
 +
'''Body Text'''
 +
Text - Font Size = 16px + Font Weight = 400 + Line Height = 1.6 + Colour = #404040
 +
 
 +
'''CSS clamp()'''
 +
 
 +
CSS clamp is a function that sets responsive unit sizes without any media queries. The function takes 3 parameters in this order:
 +
 
 +
# min - where to start scaling from.
 +
# viewport width - the range determines how fast the min scales to the max based on the screen getting larger.
 +
# max - when to stop scaling.
 +
 
 +
'''Add CSS'''
 +
 
 +
Oxygen > Templates > Edit Template > Manage > Stylesheets > Add Stylesheet > Clamp
 +
 
 +
/* Base */
 
   
 
   
 +
html {
 +
  font-size: 62.5%;
 
  }
 
  }
  
https://css-tricks.com/snippets/css/media-queries-for-standard-devices/
+
'''Add Clamp'''
 +
 
 +
Oxygen > Templates > Edit Template > Manage > Settings > Global Styles > Headings
 +
 
 +
H1 = clamp(3.2rem, calc(3.2rem + ((1vw - 0.32rem) * 1.6667)), 4.8rem)
 +
H2 = clamp(2.8rem, calc(2.8rem + ((1vw - 0.32rem) * 1.0417)), 3.8rem)
 +
H3 = clamp(2.4rem, calc(2.4rem + ((1vw - 0.32rem) * 0.8333)), 3.2rem)
 +
H4 = clamp(2.2rem, calc(2.2rem + ((1vw - 0.32rem) * 0.625)), 2.8rem)
 +
H5 = clamp(2rem, calc(2rem + ((1vw - 0.32rem) * 0.2083)), 2.2rem)
 +
H6 = clamp(1.4rem, calc(1.4rem + ((1vw - 0.32rem) * 0.4167)), 1.8rem)
 +
 
 +
Oxygen > Templates > Edit Template > Manage > Settings > Global Styles > Body Text
 +
 
 +
Font Size = clamp(1.4rem, calc(1.4rem + ((1vw - 0.32rem) * 0.4167)), 1.8rem)
 +
 
 +
https://www.youtube.com/watch?v=aO7QeE53Aqg
  
=== Test Pages ===
+
===== Sections and Columns =====
  
Resize you browser window and watch the magic happen...
+
Oxygen > Templates > Edit Template > Manage > Settings > Global Styles > Sections and Columns
  
https://www.w3schools.com/cssref/tryit.asp?filename=trycss3_media_bg
+
Here are the '''default settings''' for Section and Columns in Oxygen Builder ...
  <!DOCTYPE html>
+
   
  <html>
+
  '''Section Container Padding'''
  <head>
+
  TOP = 75px
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
+
  BOTTOM = 75px
  <style>
+
  LEFT = 20px
  body {
+
  RIGHT = 20px
  background-color: yellow;
+
   
  }
+
  '''Columns Padding'''
  @media only screen and (max-width: 600px) {
+
  TOP = 20px
  body {
+
  BOTTOM = 20px
    background-color: lightblue;
+
  LEFT = 20px
  }
+
  RIGHT = 20px
  }
 
  </style>
 
  </head>
 
  <body>
 
<nowiki><h1>The @media Rule</h1></nowiki>
 
<p>Resize the browser window. When the width of this document is 600 pixels or less, the background-color is "lightblue", otherwise it is "yellow".</p>
 
</body>
 
</html>
 
  
== Menu Descriptions ==
+
New values ...
  
https://www.wpbeginner.com/wp-themes/how-to-add-menu-descriptions-in-your-wordpress-themes/
+
'''Section Container Padding'''
  
== Custom PHP Code ==
+
TOP = clamp(1rem, calc(1rem + ((1vw - 0.32rem) * 1.0417)), 2rem)
 +
BOTTOM = clamp(1rem, calc(1rem + ((1vw - 0.32rem) * 1.0417)), 2rem)
 +
LEFT = 2rem
 +
RIGHT = 2rem
  
Paste the PHP code into your theme's file:
+
'''Columns Padding'''
  
<?php
+
Delete all values then change to 'none'.
echo do_shortcode('[smartslider3 slider=1]');
 
?>
 
  
== Disable Avatars Gravatar ==
+
https://www.youtube.com/watch?v=aO7QeE53Aqg
  
Every page load will try to contact gravatar.com to load a user's avatar. To speed things up, disable avatars...
+
===== Images =====
  
Settings > Discussion > untick Show Avatars > Save Settings > Log Out
+
SRCSET - The srcset attribute is giving the browser several different options to choose from depending on the size parameters. The browser will choose the smallest image that still matches the specified size parameters.
  
== Make Twenty Nineteen Full Width ==
+
Learn how to register custom image sizes in WordPress and use SRCSET functionality in Oxygen for fully responsive images...
  
https://benjaminintal.com/2018/12/11/how-to-make-twenty-nineteens-content-full-width/
+
https://www.youtube.com/watch?v=0jc74V5wYRk
  
== Responsive CSS Templates ==
+
https://digitalambition.co/watch/responsive-srcset-images-in-oxygen-register-use-custom-sizes/
  
https://www.w3schools.com/css/css_rwd_templates.asp
+
https://creativesfeed.com/responsive-images-with-srcset/
  
== Simple One Page Theme ==
+
===== Sticky Shrinking Header =====
  
https://www.famethemes.com/themes/onepress/
+
https://isotropic.co/sticky-shrinking-header-in-oxygen-builder-that-hides-on-scroll-down/
  
https://raratheme.com/wordpress-themes/business-one-page/
+
===== Miscellaneous =====
 +
 
 +
https://oxywp.com/en/home-page/
  
https://demo.themegrill.com/flash-one-page/
+
==== Tags and Lists ====
  
https://www.inkthemesdemo.com/wptheme/free-one-page-wordpress-theme/
+
[https://editorenhancer.com/basic-component-lists-in-oxygen/ Basic Component Lists in Oxygen Builder]
  
== Nice Themes ==
+
==== Add-Ons ====
  
[https://wordpress.org/themes/astra/ Astra]
+
===== Automatic CSS =====
  
[https://demos.qreativethemes.com/physio/ Pysio]
+
Automatic.css is the Most Practical, No-Nonsense Utility Framework Ever Created for Oxygen Builder.
  
== Google Fonts ==
+
* Automatic Typography
 +
* Automatic Colours
 +
* Automatic Spacing
  
[https://fontsplugin.com/wordpress-google-fonts/ Google Fonts Plugin]
+
[https://youtu.be/coTPKWrgIhQ?t=221 Automatic CSS - Tweak Oxygen Before Install]
  
[https://wordpress.org/plugins/host-google-fonts-locally/ Host Google Fonts Locally]
+
[https://automaticcss.com/ Automatic CSS - Home Page]
  
== Security Scan ==
+
[https://automaticcss.com/changelog/ Automatic CSS - Changelog]
  
https://wpscans.com
+
[https://community.automaticcss.com/c/setup/ Automatic CSS - Setup]
  
== FTP Details ==
+
'''Holding Page'''
  
'''NEWEST'''
+
Floating logo...
  
'''FEBRUARY 2021 - FIX FOR FTP CHROOT'''
+
Add > Div > center--all , height--full , pad--m
  
New tweak = put the chroot'd path to the base, content and plugin directories.
+
<nowiki><div id="div_block-2-10" class="ct-div-block center--all height--full pad--m" ></nowiki>
  
Also, use the 'ftpsockets' method.
+
'''Negative Values'''
  
  /** FTP Tweaks */
+
  margin-top: calc(var(--space-xxl) * -1);
define('FS_METHOD', 'ftpsockets');
 
define('FTP_SSL', 'false');
 
define('FTP_HOST', '123.456.789.0:21');
 
define('FTP_USER', 'username');
 
define('FTP_PASS', 'password');
 
define('FTP_BASE', '/html/');
 
define('FTP_CONTENT_DIR', '/html/wp-content/');
 
define('FTP_PLUGIN_DIR ', '/html/wp-content/plugins/');
 
  
NEWISH
+
===== Recoda WorkSpace =====
  
/** FTP Tweaks */
+
[https://recoda.me/ Recoda WorkSpace for Oxygen Builder] | [https://docs.recoda.me/getting-started/features-overview Getting Started] | [https://recoda.me/changelog/ Changelog]
define('FS_METHOD', 'ftpext');
 
define('FTP_HOST', 'ftp.example.org');
 
define('FTP_USER', 'username');
 
define('FTP_PASS', 'password');
 
define('FTP_BASE', '/path/to/wordpress/');
 
  
Full list of FTP variables...
+
'''Command Line'''
  
  define('FS_METHOD', 'ftpext');
+
  <nowiki>section@Name#id'tag.class</nowiki>
define('FTP_BASE', '/path/to/wordpress/');
 
define('FTP_CONTENT_DIR', '/path/to/wordpress/wp-content/');
 
define('FTP_PLUGIN_DIR ', '/path/to/wordpress/wp-content/plugins/');
 
define('FTP_PUBKEY', '/home/username/.ssh/id_rsa.pub');
 
define('FTP_PRIKEY', '/home/username/.ssh/id_rsa');
 
define('FTP_USER', 'username');
 
define('FTP_PASS', 'password');
 
define('FTP_HOST', 'ftp.example.org');
 
define('FTP_SSL', false);
 
  
https://wordpress.org/support/article/editing-wp-config-php/
+
Install the Recoda plugin, start a new Template, press g on your keyboard, paste any of these lines and press enter ...
  
== Version 5 Gutenberg Editor ==
+
HEADER
  
https://wordpress.org/gutenberg/handbook/designers-developers/
+
<nowiki>section@Header#header'header.header</nowiki>
  
== About Page ==
+
MAIN
  
https://www.domain.com/wp-admin/about.php
+
<nowiki>section@Main#main'main.main</nowiki>
  
== Hacking ==
+
FOOTER
  
[https://github.com/wpscanteam/wpscan WPscan - Open Source WordPress scanner]
+
<nowiki>section@Footer#footer'footer.footer</nowiki>
  
[https://hackertarget.com/attacking-wordpress/ Attacking WordPress - /readme.html]
+
ALL 3 SECTIONS TOGETHER
  
[https://sitecheck.sucuri.net Hack Check]
+
<nowiki>section@Header#header'header.header+section@Main#main'main.main+section@Footer#footer'footer.footer</nowiki>
  
[https://www.wpbeginner.com/beginners-guide/reasons-why-wordpress-site-gets-hacked/ 11 Top Reasons Why WordPress Sites Get Hacked (and How to Prevent it)]
+
COMPLEX FOOTER WITH 3 COLUMNS
  
[https://www.ceos3c.com/hacking/how-to-hack-a-wordpress-website/ How To Hack A WordPress Web Site]
+
<nowiki>section@Footer#footer'footer.footer.grid--3.pad-section--xs.grid--m-1.gap--l>div>txt{Lorem ipsum dolor sit amet. Id magnam sint et inventore temporibus non soluta aperiam est quos tempora sed galisum quia.}^1*3</nowiki>
  
== WordPress Releases ==
+
===== Others =====
  
https://wordpress.org/download/releases/
+
'''[https://www.altmann.de/en/blog-en/code-snippet-edit-oxygen-stylesheets-outside-builder/ Edit CSS Outside Oxygen]''' - for this, install WP Code Snippets > Add New > Custom > Type: PHP > Paste PHP Code > Save > Activate
 +
 
 +
[https://oxyprops.com/ OxyProps - CSS Custom Properties right in Oxygen Builder]
 +
 
 +
[https://oxyextras.com/ OxyExtras]
  
== WordPress Releases and PHP Requirements ==
+
[https://www.cleanplugins.com/products/hydrogen-pack/ Hydrogen Pack - tweaks for Oxygen Builder]
  
[https://make.wordpress.org/core/handbook/references/php-compatibility-and-wordpress-versions/ PHP Compatibility and WordPress Versions]
+
[https://oxyninja.com/core/ OxyNinja - Core Design and UI Set]
  
== WordPress with Lighttpd ==
+
'''[https://oxyninja.com/core-framework-cheatsheet/ OxyNinja Framework Cheatsheet]'''
  
=== Installation ===
+
[https://oxymade.com/ OxyMade - Design Set and Framework for Oxygen Builder]
  
need to add
+
[https://isotropic.co/oxygen-builder-addons/ Oxygen Builder Addons]
  
* add php repo
+
[https://www.nimbufy.com/ Nimbufy - Bring any web page layout into Oxygen Builder]
* add mysql repo
 
* add extra php modules for new 'site health' ('''php7.3-bcmath''', '''php-imagick''')
 
  
https://make.wordpress.org/hosting/handbook/handbook/server-environment/#php-extensions
+
[https://collaboration.oxyrealm.com/ Multi-User Collaboration]
  
sudo -i
+
==== How To Install Analytics Using Code Snippets ====
apt-get install lighttpd php-cgi php-mysql mysql-server
 
lighty-enable-mod fastcgi
 
lighty-enable-mod fastcgi-php
 
wget -O wordpress-latest.tar.gz <nowiki>http://wordpress.org/latest.tar.gz</nowiki>
 
tar --strip-components=1 -xzvf wordpress-latest.tar.gz -C /var/www/domain.co.uk/html/
 
cd /var/www/domain.co.uk/html
 
mv wp-config-sample.php wp-config.php
 
chown -R ftpuser1:www-data .
 
find . -type f -exec chmod 664 {} +
 
find . -type d -exec chmod 775 {} +
 
chmod 660 wp-config.php
 
  
https://www.smashingmagazine.com/2014/05/proper-wordpress-filesystem-permissions-ownerships
+
https://wordpress.org/plugins/code-snippets/
  
=== FIXES THE RECENT WORDPRESS 5 BUG OF NOT SAVING PAGES ===
+
Dashboard > Snippets > '''Add New''' >
  
  $HTTP["host"] =~ "domain.co.uk" {
+
  add_action( 'wp_head', 'matomo_analytics' );
  '''url.rewrite-if-not-file''' = (
+
/**
  # Exclude directories
+
  * Adds Matomo Analytics code in <head> below the <title>.
  "^/(wp-admin|wp-includes|wp-content|gallery2|.well-known)/(.*)" => "$0",
+
  */
   # Exclude root php files
+
function matomo_analytics() { ?>
   "^/(.*.php)" => "$0",
+
  # Handle permalinks and feeds
+
<!-- Matomo -->
  "^/(.*)$" => "/index.php/$1"
+
<script>
   )
+
  var _paq = window._paq = window._paq || [];
  }
+
  /* tracker methods like "setCustomDimension" should be called before "trackPageView" */
 +
  _paq.push(['trackPageView']);
 +
   _paq.push(['enableLinkTracking']);
 +
   (function() {
 +
    var u="<nowiki>https://matomo.domain.uk/</nowiki>";
 +
    _paq.push(['setTrackerUrl', u+'matomo.php']);
 +
    _paq.push(['setSiteId', '24']);
 +
    var d=document, g=d.createElement('script'), s=d.getElementsByTagName('script')[0];
 +
    g.async=true; g.src=u+'matomo.js'; s.parentNode.insertBefore(g,s);
 +
   })();
 +
  </script>
 +
<!-- End Matomo Code -->
 +
 +
<?php }
 +
 
 +
https://permaslug.com/how-to-install-google-analytics-in-wordpress/
  
== WordPress with NginX ==
+
==== How To Clone A Template ====
  
https://www.digitalocean.com/community/tutorials/how-to-install-linux-nginx-mysql-php-lemp-stack-on-ubuntu-20-04
+
Under "Edit with Oxygen" you can click on shortcode and copy the content, then create a new template, click on shortcode, paste it and save it. Done.
  
https://www.digitalocean.com/community/tutorials/how-to-install-wordpress-with-lemp-on-ubuntu-18-04
+
==== How To Copy An Entire Web Site ====
  
NOTES
+
To copy an entire WordPress install with all of your content, plugins, settings, and everything else, you can use a plugin like All-in-One WP Migration.
  
sudo apt-get install nano
+
Once you've created a .wpress package with All-in-One WP Migration, import the package on the target site and do the following:
sudo apt-get install nginx
 
sudo apt-get install mysql-server
 
sudo mysql_secure_installation
 
sudo apt-get install php-fpm php-mysql
 
sudo apt-get install php-curl php-gd php-mbstring php-xml php-xmlrpc
 
sudo apt-get install curl
 
  
https://www.techrepublic.com/article/how-to-install-mcrypt-for-php-7-2/
+
# Save your permalinks twice via '''Settings > Permalinks'''
 +
# Resign your shortcodes via '''Oxygen > Settings > Security'''
 +
# Regenerate your CSS cache via '''Oxygen > Settings > CSS Cache'''
 +
# Check to verify that everything looks and works as you expect
  
=== Tuning Performance ===
+
You may also need to open each template in the admin area and click the Update button on the right-hand side, but this is rare if you have followed the above steps.
  
[https://www.digitalocean.com/community/tutorials/how-to-set-up-nginx-with-http-2-support-on-ubuntu-16-04 HTTP/2 with nginX]
+
https://oxygenbuilder.com/documentation/other/importing-exporting/
  
https://mmoapi.com/post/tuning-nginx-php-fpm-and-system-sysctl-to-increase-website-performance
+
==== Custom Fonts ====
  
=== Sitemaps ===
+
https://www.youtube.com/watch?v=3pqOKtdiCTM
  
# Rewrites for Yoast SEO XML Sitemap
+
==== Dark Mode ====
rewrite ^/sitemap_index.xml$ /index.php?sitemap=1 last;
 
rewrite ^/([^/]+?)-sitemap([0-9]+)?.xml$ /index.php?sitemap=$1&sitemap_n=$2 last;
 
  
https://yoast.com/help/xml-sitemaps-nginx/
+
https://www.youtube.com/watch?v=CzfP3-xwoiM
  
=== Rest API Fix ===
+
[https://gist.githubusercontent.com/Spellhammer/e2e10505bae92e885aa5e43abf1c4ba2/raw/f8a5f3a6fb51551aa585386e0bcd90b503f2c950/alpinedarkmodetoggle.html Paste this in to a Code Block]
  
This seems to be a NginX bug with the Gutenberg Editor and is part of the Tools > Site Health error "REST API is not working correctly."
+
https://smoothwebsites.net/tutorials/how-to-implement-a-dark-mode-toggle-in-oxygen/
  
Change all your lines with this...
+
https://permaslug.com/dark-mode-in-oxygen/
  
try_files $uri $uri/ /index.php;
+
== Google Analytics ==
  
To this...
+
=== Plugins ===
  
try_files $uri $uri/ /index.php$is_args$args;
+
[https://wordpress.org/plugins/simple-universal-google-analytics/ Simple Universal Google Analytics]
  
Restart NginX and PHP FPM...
+
[https://wordpress.org/plugins/google-analytics-dashboard-for-wp/ Google Analytics Dashboard for WP (GADWP)]
  
sudo systemctl restart php7.4-fpm.service nginx.service
+
== Ecommerce - Shopify ==
  
https://developer.wordpress.org/rest-api/frequently-asked-questions/#query-parameters-are-not-working
+
https://www.shopify.com/buy-button/wordpress
  
== Registration Page ==
+
https://www.shopify.co.uk/lite
  
/wp-login.php?action=register
+
== Ecommerce - WooCommerce ==
  
== Backup ==
+
=== How to create more than 50 product variations in WooCommerce ===
  
https://managewp.com/features/backup
+
define( 'WC_MAX_LINKED_VARIATIONS', 100 );
  
https://websitesetup.org/wordpress-backup/
+
https://www.proy.info/create-more-than-50-product-variations-in-woocommerce/
  
== WordPress Site Management ==
+
=== Hide Downloads Tab on My Account page ===
  
https://mainwp.com/features/
+
Dashboard > WooCommerce > Settings > Advanced > Account Endpoints > delete the text in the 'downloads' box
  
== WordPress MultiSite ==
+
''Account endpoints - Endpoints are appended to your page URLs to handle specific actions on the accounts pages. They should be unique and '''can be left blank to disable the endpoint'''.''
  
https://premium.wpmudev.org/blog/ultimate-guide-multisite/
+
=== Products Sorting ===
  
=== Network Activate Plugins ===
+
[https://www.pootlepress.com/2021/03/change-default-woocommerce-product-sorting/ How to Change Default WooCommerce Product Sorting]
  
On a WordPress multisite, only Super Admins can install plugins. After the installation, super admins have these options...
+
# Method one – use the customise setting to change default product sorting
 +
# Method two – Drag and Drop product sorting
  
# Network Activate – Using this option super admins can activate a plugin across the network.
+
=== Add Customers ===
# Activate – They can also activate a plugin for the main/root site.
 
# Individual Sites – Lastly they can allow individual site administrators to activate plugins themselves.
 
  
When you log in to your WordPress multisite's main site, you will be able to see two different plugins screen.
+
https://fluentsmtp.com/manually-add-customers-to-woocommerce/
  
The first one is on the main admin sidebar. It is for plugins installed and available for activation on your main site.
+
=== Setup Wizard ===
  
The second plugins screen is located under My Sites » Network Admin » Plugins. This is where you will install new plugins and manage them for the entire network.
+
You can run the Setup Wizard, if you skipped it when installing WooCommerce. Go to: Help > Setup Wizard and select Setup Wizard.
  
https://www.wpbeginner.com/beginners-guide/should-you-network-activate-all-plugins-on-wordpress-multisite/
+
https://docs.woocommerce.com/document/woocommerce-setup-wizard/#section-6
  
'''Add Plugins Menu for Child Sites in WordPress Multisite'''
+
=== Categories ===
  
To enable plugin’s menu for individual sites, you need to switch to Network Admin dashboard.
+
https://atlantisthemes.com/woocommerce-categories/
  
Switching to network admin dashboard
+
=== Code Snippets ===
  
On the network admin dashboard, visit Settings » Network Settings. Scroll down to the bottom of the page and you will see the checkbox to enable plugins menu.
+
https://www.tychesoftwares.com/woocommerce-shop-page-hooks-visual-guide-with-code-snippets/
  
=== WP CLI ===
+
=== Hide Product Count ===
  
Show list of sites...
+
.woocommerce-result-count {
 +
  display: none;
 +
}
  
export WP_CLI_CACHE_DIR=/var/www/domain.co.uk/.wp-cli/cache; sudo -u www-data -E wp --path='/var/www/domain.co.uk/html/' site list
+
=== Show Arrow On Drop-Down Sorting Menu On Product Pages ===
  
Show options for a multisite site...
+
.breakdance-woocommerce select {
 +
  -moz-appearance: auto;
 +
  -webkit-appearance: auto;
 +
  appearance: auto;
 +
  height: auto;
 +
  width: auto;
 +
}
  
export WP_CLI_CACHE_DIR=/var/www/domain.co.uk/.wp-cli/cache; sudo -u www-data -E wp --path='/var/www/domain.co.uk/html/' --url='<nowiki>http://mysubdomain.domain.co.uk/</nowiki>' option get siteurl
+
=== Show Product Categories on Theme Menus ===
  
Change option for a multisite site...
+
Appearance > Menus > Screen Options (at top of page) > tick Product Categories
  
export WP_CLI_CACHE_DIR=/var/www/domain.co.uk/.wp-cli/cache; sudo -u www-data -E wp --path='/var/www/domain.co.uk/html/' --url='<nowiki>http://mysubdomain.domain.co.uk/</nowiki>' option update siteurl '<nowiki>http://mysubdomain.domain.com</nowiki>'
+
=== Show Product Categories on Shop Page ===
  
== Move Posts To Different Types ==
+
# Click on Appearance > Customize
 +
# Then go to WooCommerce > Product Catalog
 +
# Select '''show categories''' from Shop Page Display
 +
# Click on Save Changes
  
* Posts to Pages
+
=== Customise Breadcrumb ===
* Pages to Posts
 
* Default Post Type to Custom Post Type
 
  
http://wordpress.org/extend/plugins/post-type-switcher/
+
https://docs.woocommerce.com/document/customise-the-woocommerce-breadcrumb/
  
== Custom Post Types and Categories and Taxonomies ==
+
=== Accompanying Plugins ===
  
https://www.wpbeginner.com/wp-tutorials/how-to-exportimport-custom-post-types-in-wordpress/
+
[https://woocommerce.com/products/request-a-quote-plugin-for-woocommerce/ Request a Quote for WooCommerce]
  
https://www.wpbeginner.com/wp-tutorials/how-to-add-categories-to-a-custom-post-type-in-wordpress/
+
[https://woocommercequoteplugin.com/requestforquote/woocommerce-quotation-plugin/ WooCommerce Quotation / Request For Quote Plugin]
  
== Import Posts with Images ==
+
[https://wordpress.org/plugins/yith-woocommerce-request-a-quote/ Request A Quote]
  
https://wordpress.org/plugins/export-featured-images/
+
=== Shortcodes ===
  
https://kellenmace.com/include-featured-images-with-posts-using-wordpress-exportimport-tool/
+
WooCommerce cannot function properly without the first three shortcodes being somewhere on your site.
  
https://wordpress.stackexchange.com/questions/257180/how-to-import-wordpress-posts-with-images-from-one-wordpress-site-to-another
+
[woocommerce_cart] – shows the cart page
 +
[woocommerce_checkout] – shows the checkout page
 +
[woocommerce_my_account] – shows the user account page
 +
[woocommerce_order_tracking] – shows the order tracking form
  
== HOWTO: Create Folders Within Media Library ==
+
https://docs.woocommerce.com/document/woocommerce-shortcodes/
  
https://maxgalleria.com/add-organize-media-library-folders/
+
=== Custom Related Products ===
  
https://wordpress.org/plugins/media-library-plus/
+
https://wordpress.org/plugins/custom-related-products-for-woocommerce/
  
== HOWTO: Download Older Versions of WordPress Plugins ==
+
=== Google Products Integration ===
  
https://kinsta.com/knowledgebase/download-older-versions-of-wordpress-plugins/
+
https://woocommerce.com/products/google-listings-and-ads/
  
== HOWTO: Increase PHP Memory Limit (UpdraftPlus Error) ==
+
https://www.searchenginejournal.com/google-integrates-with-woocommerce-for-easy-product-uploads/410082/amp/
  
https://updraftplus.com/faqs/deal-fatal-error-allowed-memory-size-errors/
+
=== Command Line Updating Database ===
  
== HOWTO: Disable wp-cron.php WP_CRON ==
+
This will update the WooCommerce database using wp-cli on a WordPress Multisite install...
  
WordPress uses a file called wp-cron.php as a virtual cron job, or scheduled task in order to automate things like publishing scheduled posts, checking for plugin or theme updates, sending email notifications and more.
+
<nowiki>export WP_CLI_CACHE_DIR=/var/www/domain.co.uk/.wp-cli/cache; sudo -u www-data -E wp --path='/var/www/domain.co.uk/html/' --url='https://sub.domain.co.uk/' wc update</nowiki>
  
By default WordPress is set up to call wp-cron.php every time someone visits your WordPress website when a scheduled task is present, to basically ask "is it time to do anything yet?".
+
=== Square Payment Plug-In ===
  
On low traffic sites this is perfectly fine, but when visitors roll in, checking multiple times for scheduled tasks can be very inefficient and lead to resource usage problems for your server, plus make your website load slower.
+
The Square Digital Wallet option for WooCommerce is lovely and all, but it means you can get around the Order Limit plug-in.
  
To fix this, change the following setting in your '''wp-config.php''' file...
+
The fix?
  
define('DISABLE_WP_CRON', true);
+
Install the WPCode Lite plug-in then add a PHP Snippet called 'WooCommerce Square Hide Digital Wallet' with this code in it ...
  
Then, create a cron job to call the script...
+
add_filter( 'wc_square_display_digital_wallet_on_pages', function( $pages ) {
 +
    return array(
 +
        /* 'product', // Don't show Apple Pay and Google Pay on product pages */
 +
        /* 'cart', */
 +
        'checkout',
 +
    );
 +
}, 10, 1 );
  
crontab -e
+
[https://stackoverflow.com/questions/73477688/removing-square-google-pay-from-certain-product-pages-in-woocommerce Removing Square Google Pay from Certain Product Pages in WooCommerce]
@hourly cd /var/www/website.co.uk/html/ && sudo -u www-data php wp-cron.php
 
  
or
+
=== Analytics ===
  
@hourly curl --silent https://www.website.co.uk/wp-cron.php?doing_wp_cron
+
==== Analytics Section Not Showing ====
  
Thanks - https://www.inmotionhosting.com/support/website/wordpress/disabling-the-wp-cronphp-in-wordpress
+
Go to https://www.yoursite.com/wp-admin/options.php and look for the option '''woocommerce_analytics_enabled''' and change it to ''yes'' then click SAVE CHANGES.
  
== HOWTO: Disable WordPress User Account ==
+
== Media Queries Screen Sizes List ==
  
* Method 1 - change the user's role to 'No Role For This Site'
+
/* Set the background color of body to tan */
* Method 2 - install the [https://wordpress.org/plugins/disable-users/ Disable Users Plugin] and disable that user.
+
body {
 
+
  background-color: tan;
Thanks - https://9seeds.com/how-to-disable-wordpress-user-accounts/
+
}
 
+
== Hide Page Title On Home Page Only ==
+
/* On screens that are 992px or less, set the background color to blue */
 
+
@media screen and (max-width: 992px) {
  body.home header.entry-header {
+
  body {
   display: none;
+
    background-color: blue;
 +
  }
 +
}
 +
 +
/* On screens that are 600px or less, set the background color to olive */
 +
  @media screen and (max-width: 600px) {
 +
   body {
 +
    background-color: olive;
 +
  }
 
  }
 
  }
  
== HOWTO: Hide Page Title Per Basis ==
+
[https://www.w3schools.com/css/css3_mediaqueries_ex.asp CSS Media Queries - More Examples]
  
'''style.css'''
+
This is a list of the known screen sizes so that you can customise your CSS for mobile devices.
  
.page-id-1826 .entry-title {display: none;}
+
For example, a Google Pixel...
  
Thanks - https://premium.wpmudev.org/blog/wordpress-hide-page-title-or-post-title-on-a-case-by-case-basis/
+
@media screen
 +
  and (device-width: 360px)
 +
  and (device-height: 640px)
 +
  and (-webkit-device-pixel-ratio: 3)
 +
  and (orientation: portrait) {
 +
 +
}
  
== HOWTO: Download Latest Version ==
+
https://css-tricks.com/snippets/css/media-queries-for-standard-devices/
  
wget -O wordpress-latest.tar.gz <nowiki>http://wordpress.org/latest.tar.gz</nowiki>
+
=== Test Pages ===
  
== HOWTO: Update Admin User Password Command Line ==
+
Resize you browser window and watch the magic happen...
  
  mysql -u root -p wordpress_database -e "UPDATE wp_users SET user_pass=MD5('MyNewPassword') WHERE ID='1';"
+
https://www.w3schools.com/cssref/tryit.asp?filename=trycss3_media_bg
 
+
  <!DOCTYPE html>
== HOWTO: Extract WordPress Without First Directory ==
+
<html>
 
+
<head>
  sudo tar --strip-components=1 -xzvf latest.tar.gz -C /path/to/directory/
+
<meta name="viewport" content="width=device-width, initial-scale=1.0">
 
+
<style>
e.g.
+
body {
 
+
  background-color: yellow;
  sudo tar --strip-components=1 -xzvf latest.tar.gz -C /var/www/domain.com/html/
+
}
 +
  @media only screen and (max-width: 600px) {
 +
  body {
 +
    background-color: lightblue;
 +
  }
 +
}
 +
</style>
 +
</head>
 +
<body>
 +
<nowiki><h1>The @media Rule</h1></nowiki>
 +
<p>Resize the browser window. When the width of this document is 600 pixels or less, the background-color is "lightblue", otherwise it is "yellow".</p>
 +
</body>
 +
  </html>
  
== HOWTO: Correct Ownership And Permissions Of BITNAMI Wordpress Files ==
+
== Menu Descriptions ==
  
sudo chown -R daemon:daemon /opt/bitnami/apps/wordpress/htdocs
+
https://www.wpbeginner.com/wp-themes/how-to-add-menu-descriptions-in-your-wordpress-themes/
sudo find /opt/bitnami/apps/wordpress/htdocs -type d -exec chmod 755 {} \;
 
sudo find /opt/bitnami/apps/wordpress/htdocs -type f -exec chmod 644 {} \;
 
sudo /opt/bitnami/ctlscript.sh restart apache
 
sudo /opt/bitnami/ctlscript.sh restart php-fpm
 
  
https://morganhvidt.com/fix-permissions-wordpress-bitnami-gcp/
+
== Custom PHP Code ==
  
== HOWTO: Install Different PHP Modules on BITNAMI WordPress ==
+
Paste the PHP code into your theme's file:
  
Bitnami stacks already include a number of PHP modules, which are installed but not active. Before installing a new module, check that it is not already included. If it exists, simply enable it in the PHP configuration file.
+
<?php
 +
echo do_shortcode('[smartslider3 slider=1]');
 +
?>
  
=== Imagick ===
+
== Disable Avatars Gravatar ==
  
The Imagick module is installed in Bitnami stacks, but is not enabled by default. To enable it, follow these steps:
+
Every page load will try to contact gravatar.com to load a user's avatar. To speed things up, disable avatars...
  
Uncomment or add the following line to the /opt/bitnami/php/etc/php.ini file:
+
Settings > Discussion > untick Show Avatars > Save Settings > Log Out
  
...
+
== Make Twenty Nineteen Full Width ==
extension=imagick.so
 
...
 
  
Restart the Apache server and/or the PHP-FPM service (if available):
+
https://benjaminintal.com/2018/12/11/how-to-make-twenty-nineteens-content-full-width/
  
sudo /opt/bitnami/ctlscript.sh restart apache
+
== Responsive CSS Templates ==
sudo /opt/bitnami/ctlscript.sh restart php-fpm
 
  
[https://docs.bitnami.com/aws/apps/wordpress/configuration/install-modules-php/ Thanks]
+
https://www.w3schools.com/css/css_rwd_templates.asp
  
== HOWTO: Correct Ownership And Permissions Of Wordpress Files ==
+
== Simple One Page Theme ==
  
You need to make the user the FTP login and the group the user Apache or Lighttpd runs as...
+
https://www.famethemes.com/themes/onepress/
  
sudo chown -R fred:www-data /var/www/fred.com/html/
+
https://raratheme.com/wordpress-themes/business-one-page/
  
Change to the correct directory...
+
https://demo.themegrill.com/flash-one-page/
  
cd /var/www/fred.com/html/
+
https://www.inkthemesdemo.com/wptheme/free-one-page-wordpress-theme/
  
For secure permissions...
+
== Nice Themes ==
  
sudo find . -type f -exec chmod 644 {} +
+
[https://wordpress.org/themes/astra/ Astra]
sudo find . -type d -exec chmod 755 {} +
 
sudo chmod 640 wp-config.php
 
  
For relaxed permissions...
+
[https://demos.qreativethemes.com/physio/ Pysio]
  
sudo find . -type f -exec chmod 664 {} +
+
== Google Fonts ==
sudo find . -type d -exec chmod 775 {} +
 
sudo chmod 660 wp-config.php
 
  
== HOWTO: Disable Update Check For A Single Plugin ==
+
[https://fontsplugin.com/wordpress-google-fonts/ Google Fonts Plugin]
  
Open the main plugin file and change the version number to 9.9.9
+
[https://wordpress.org/plugins/host-google-fonts-locally/ Host Google Fonts Locally]
  
== HOWTO: Create MySQL Database ==
+
== Security Scan ==
  
# log in to mysql
+
https://wpscans.com
# create database
 
# set user and password and permissions
 
# log out of mysql
 
  
mysql -u root -p
+
== FTP Details ==
create database wordpress;
 
GRANT SELECT, INSERT, UPDATE ON wordpress.* to 'wordpressuser'@'localhost' identified by 'mypassword';
 
quit;
 
  
== HOWTO: Generate Salt Keys ==
+
'''NEWEST'''
  
https://api.wordpress.org/secret-key/1.1/salt/
+
'''FEBRUARY 2021 - FIX FOR FTP CHROOT'''
  
== HOWTO: Complete Configuration ==
+
New tweak = put the chroot'd path to the base, content and plugin directories.
  
cd /var/www/domain.com/html
+
Also, use the 'ftpsockets' method.
sudo rm -iv index.html
 
sudo mv -v wp-config-sample.php wp-config.php
 
sudo nano wp-config.php
 
define('DB_NAME', 'wordpressdatabase');
 
define('DB_USER', 'wordpressuser');
 
define('DB_PASSWORD', 'mYPassWOrd');
 
define('DB_HOST', 'localhost');
 
/** Authentication Unique Keys and Salts.
 
REPLACE LINES WITH YOUR LINES FROM SALT LINK ABOVE
 
  
Now load the web site in your web browser and complete installation.
+
/** FTP Tweaks */
 +
define('FS_METHOD', 'ftpsockets');
 +
define('FTP_SSL', 'false');
 +
define('FTP_HOST', '123.456.789.0:21');
 +
define('FTP_USER', 'username');
 +
define('FTP_PASS', 'password');
 +
define('FTP_BASE', '/html/');
 +
define('FTP_CONTENT_DIR', '/html/wp-content/');
 +
define('FTP_PLUGIN_DIR ', '/html/wp-content/plugins/');
  
 +
NEWISH
  
 +
/** FTP Tweaks */
 +
define('FS_METHOD', 'ftpext');
 +
define('FTP_HOST', 'ftp.example.org');
 +
define('FTP_USER', 'username');
 +
define('FTP_PASS', 'password');
 +
define('FTP_BASE', '/path/to/wordpress/');
  
== HOWTO: Enable Updates Via SSH / SFTP ==
+
Full list of FTP variables...
 
 
sudo aptitude install libssh2-php
 
  
Then, restart your web server software.
+
define('FS_METHOD', 'ftpext');
 +
define('FTP_BASE', '/path/to/wordpress/');
 +
define('FTP_CONTENT_DIR', '/path/to/wordpress/wp-content/');
 +
define('FTP_PLUGIN_DIR ', '/path/to/wordpress/wp-content/plugins/');
 +
define('FTP_PUBKEY', '/home/username/.ssh/id_rsa.pub');
 +
define('FTP_PRIKEY', '/home/username/.ssh/id_rsa');
 +
define('FTP_USER', 'username');
 +
define('FTP_PASS', 'password');
 +
define('FTP_HOST', 'ftp.example.org');
 +
define('FTP_SSL', false);
  
Thanks - https://snowulf.com/2010/06/29/wordpress-enabling-sshsftp-updates/
+
https://wordpress.org/support/article/editing-wp-config-php/
  
== HOWTO: Update Via Command Line ==
+
== Version 5 Gutenberg Editor ==
  
WP CLI is a command line tool for managing your WordPress installation.
+
https://wordpress.org/gutenberg/handbook/designers-developers/
  
http://wp-cli.org
+
== About Page ==
  
=== Install ===
+
https://www.domain.com/wp-admin/about.php
  
NEW
+
== Hacking ==
  
sudo add-apt-repository ppa:tiagohillebrandt/wp-cli
+
[https://github.com/wpscanteam/wpscan WPscan - Open Source WordPress scanner]
sudo apt-get update
 
sudo apt-get -s install wp-cli
 
sudo apt-get -y install wp-cli
 
sudo -u www-data wp --info
 
  
OLD
+
[https://hackertarget.com/attacking-wordpress/ Attacking WordPress - /readme.html]
  
For use with Docker containers...
+
[https://sitecheck.sucuri.net Hack Check]
  
curl -O <nowiki>https://raw.githubusercontent.com/wp-cli/builds/gh-pages/phar/wp-cli.phar</nowiki>
+
[https://www.wpbeginner.com/beginners-guide/reasons-why-wordpress-site-gets-hacked/ 11 Top Reasons Why WordPress Sites Get Hacked (and How to Prevent it)]
chmod +x wp-cli.phar
 
mv wp-cli.phar wp
 
chown root:root wp
 
chmod 0700 wp
 
./wp --allow-root --info
 
./wp --allow-root plugin deactivate --all
 
./wp --allow-root user list
 
  
=== Commands ===
+
[https://www.ceos3c.com/hacking/how-to-hack-a-wordpress-website/ How To Hack A WordPress Web Site]
  
wp --info
+
== WordPress Releases ==
wp core version
 
wp core check-update
 
wp core update
 
wp core update-db
 
rm wp-config-sample.php
 
  
=== Complete CLI Setup ===
+
https://wordpress.org/download/releases/
 +
 
 +
== WordPress Releases and PHP Requirements ==
 +
 
 +
[https://make.wordpress.org/core/handbook/references/php-compatibility-and-wordpress-versions/ PHP Compatibility and WordPress Versions]
 +
 
 +
== WordPress with Lighttpd ==
 +
 
 +
=== Installation ===
  
 +
need to add
  
#
+
* add php repo
# using wp command line tool to make a wordpress web site
+
* add mysql repo
  #
+
* add extra php modules for new 'site health' ('''php7.3-bcmath''', '''php-imagick''')
   
+
 
  # create directories and log files
+
https://make.wordpress.org/hosting/handbook/handbook/server-environment/#php-extensions
  sudo mkdir -p /var/www/www.domain.co.uk/{html,logs,.wp-cli/cache}
+
 
  sudo touch /var/www/www.domain.co.uk/logs/{access,error}.log
+
  sudo -i
sudo chmod g+w /var/www/www.domain.co.uk/logs/{access,error}.log
+
  apt-get install lighttpd php-cgi php-mysql mysql-server
  sudo chown -R www-data:www-data /var/www/www.domain.co.uk/
+
  lighty-enable-mod fastcgi
+
  lighty-enable-mod fastcgi-php
# change to working directory
+
  wget -O wordpress-latest.tar.gz <nowiki>http://wordpress.org/latest.tar.gz</nowiki>
cd /var/www/www.domain.co.uk/html/
+
  tar --strip-components=1 -xzvf wordpress-latest.tar.gz -C /var/www/domain.co.uk/html/
   
+
  cd /var/www/domain.co.uk/html
# create environment variables
+
  mv wp-config-sample.php wp-config.php
export WP_CLI_CACHE_DIR=/var/www/www.domain.co.uk/.wp-cli/cache
+
  chown -R ftpuser1:www-data .
   
+
find . -type f -exec chmod 664 {} +
# check wp cli working
+
  find . -type d -exec chmod 775 {} +
sudo -u www-data -E wp --info
+
  chmod 660 wp-config.php
   
+
 
# download the core wordpress files
+
https://www.smashingmagazine.com/2014/05/proper-wordpress-filesystem-permissions-ownerships
sudo -u www-data -E wp core download --locale=en_GB
+
 
   
+
=== FIXES THE RECENT WORDPRESS 5 BUG OF NOT SAVING PAGES ===
# check the core wordpress files
+
 
sudo -u www-data -E wp core verify-checksums
+
  $HTTP["host"] =~ "domain.co.uk" {
   
+
  '''url.rewrite-if-not-file''' = (
# create a wordpress mysql database
+
  # Exclude directories
sudo mysql -u root -p -e "CREATE DATABASE wwwdomaincouk; CREATE USER 'wwwdomaincouk' IDENTIFIED BY 'SuperPassword'; GRANT ALL ON wwwdomaincouk.* TO 'wwwdomaincouk'; FLUSH PRIVILEGES;"
+
  "^/(wp-admin|wp-includes|wp-content|gallery2|.well-known)/(.*)" => "$0",
+
  # Exclude root php files
# create a wordpress configuration file
+
  "^/(.*.php)" => "$0",
sudo -u www-data -E wp core config --dbname='wwwdomaincouk' --dbuser='wwwdomaincouk' --dbpass='SuperPassword' --dbhost='localhost' --dbprefix='wp_'
+
  # Handle permalinks and feeds
+
  "^/(.*)$" => "/index.php/$1"
  # complete the installation process
+
  )
sudo -u www-data -E wp core install --url='<nowiki>http://www.domain.co.uk</nowiki>' --title='Web Site Name' --admin_user='joe.bloggs' --admin_password='MyGoodPassword' --admin_email='me@domain.co.uk'
+
  }
+
 
# check web site working on command line and admin dashboard works
+
== WordPress with NginX ==
curl -I <nowiki>http://www.domain.co.uk</nowiki>
+
 
+
'''[https://www.howtoforge.com/tutorial/dockerizing-wordpress-with-nginx-and-php-fpm/ Docker WordPress with NginX and PHP-FPM]'''
  # check for updates
+
 
sudo -u www-data -E wp core version
+
https://www.digitalocean.com/community/tutorials/how-to-install-linux-nginx-mysql-php-lemp-stack-on-ubuntu-20-04
sudo -u www-data -E wp core update
+
 
sudo -u www-data -E wp core update-db
+
https://www.digitalocean.com/community/tutorials/how-to-install-wordpress-with-lemp-on-ubuntu-18-04
sudo -u www-data -E wp plugin list
 
sudo -u www-data -E wp plugin update --all
 
sudo -u www-data -E wp theme list
 
sudo -u www-data -E wp theme update --all
 
sudo -u www-data -E wp language core list --status=active
 
sudo -u www-data -E wp language core update
 
sudo -u www-data -E wp language plugin list --all --status=active
 
sudo -u www-data -E wp language plugin update --all
 
sudo -u www-data -E wp language theme list --all --status=active
 
sudo -u www-data -E wp language theme update --all
 
 
# add new user
 
sudo -u www-data -E wp user create john.doe john.doe@domain.co.uk --role=administrator --first_name=John --last_name=Doe --nickname=John --display_name=John
 
 
# list users
 
sudo -u www-data -E wp user list
 
  
=== As Another User On Server ===
+
NOTES
  
cd /path/to/wordpress/
+
  sudo apt-get install nano
  sudo -u www-data -E wp --help
+
  sudo apt-get install nginx
  sudo -u www-data -E wp core --help
+
  sudo apt-get install mysql-server
  sudo -u www-data -E wp core check-update
+
  sudo mysql_secure_installation
  sudo -u www-data -E wp core download
+
  sudo apt-get install php-fpm php-mysql
  sudo -u www-data -E wp core is-installed
+
  sudo apt-get install php-curl php-gd php-mbstring php-xml php-xmlrpc
  sudo -u www-data -E wp core update
+
  sudo apt-get install curl
sudo -u www-data -E wp core update-db
+
 
  sudo -u www-data -E wp core verify-checksums
+
https://www.techrepublic.com/article/how-to-install-mcrypt-for-php-7-2/
sudo -u www-data -E wp core version
+
 
sudo -u www-data -E wp plugin --help
+
=== Tuning Performance ===
sudo -u www-data -E wp plugin list
+
 
sudo -u www-data -E wp plugin update
+
[https://www.digitalocean.com/community/tutorials/how-to-set-up-nginx-with-http-2-support-on-ubuntu-16-04 HTTP/2 with nginX]
sudo -u www-data -E wp plugin update --all
+
 
sudo -u www-data -E wp plugin status
+
https://mmoapi.com/post/tuning-nginx-php-fpm-and-system-sysctl-to-increase-website-performance
sudo -u www-data -E wp plugin activate --all
+
 
sudo -u www-data -E wp plugin status
+
=== Sitemaps ===
sudo -u www-data -E wp theme --help
 
sudo -u www-data -E wp theme list
 
sudo -u www-data -E wp theme update --all
 
sudo -u www-data -E wp theme list
 
sudo -u www-data -E wp theme delete twentysixteen
 
sudo -u www-data -E wp theme delete twentyseventeen
 
sudo -u www-data -E wp theme list
 
sudo -u www-data -E wp theme search Intentionally
 
sudo -u www-data -E wp theme install intentionally-blank
 
sudo -u www-data -E wp theme activate intentionally-blank
 
sudo -u www-data -E wp language plugin --all update
 
sudo -u www-data -E wp language theme --all update
 
sudo -u www-data -E wp language core update
 
  
=== Config List Settings ===
+
# Rewrites for Yoast SEO XML Sitemap
 +
rewrite ^/sitemap_index.xml$ /index.php?sitemap=1 last;
 +
rewrite ^/([^/]+?)-sitemap([0-9]+)?.xml$ /index.php?sitemap=$1&sitemap_n=$2 last;
  
wp config get
+
https://yoast.com/help/xml-sitemaps-nginx/
  
=== Config List File Location ===
+
=== Rest API Fix ===
  
wp config path
+
This seems to be a NginX bug with the Gutenberg Editor and is part of the Tools > Site Health error "REST API is not working correctly."
  
=== Database Show Tables Sizes ===
+
Change all your lines with this...
  
  wp db size --tables
+
  try_files $uri $uri/ /index.php;
  
=== Database Optimise ===
+
To this...
  
  wp db optimize
+
  try_files $uri $uri/ /index.php$is_args$args;
  
=== Database Repair ===
+
Restart NginX and PHP FPM...
  
  wp db repair
+
  sudo systemctl restart php7.4-fpm.service nginx.service
  
=== Database Export ===
+
https://developer.wordpress.org/rest-api/frequently-asked-questions/#query-parameters-are-not-working
  
wp db export
+
== Registration Page ==
  
=== Database Export With Filename ===
+
/wp-login.php?action=register
  
wp db export ./filename.sql
+
== Backup ==
  
=== Database Search ===
+
https://managewp.com/features/backup
  
wp db query "SELECT * FROM wp_options"
+
https://websitesetup.org/wordpress-backup/
  
=== Plugin Install ===
+
== WordPress Site Management ==
  
Install...
+
https://mainwp.com/features/
  
wp plugin install wordpress-seo
+
== WordPress MultiSite ==
  
Install and activate...
+
https://premium.wpmudev.org/blog/ultimate-guide-multisite/
  
wp plugin install wordpress-seo --activate
+
=== Network Activate Plugins ===
  
Install and activate a particular version...
+
On a WordPress multisite, only Super Admins can install plugins. After the installation, super admins have these options...
  
wp plugin install wordpress-seo --version=4.8 --activate
+
# Network Activate – Using this option super admins can activate a plugin across the network.
 +
# Activate – They can also activate a plugin for the main/root site.
 +
# Individual Sites – Lastly they can allow individual site administrators to activate plugins themselves.
  
Install and activate multiple plugins...
+
When you log in to your WordPress multisite's main site, you will be able to see two different plugins screen.
  
wp plugin install advanced-custom-fields jetpack --activate
+
The first one is on the main admin sidebar. It is for plugins installed and available for activation on your main site.
  
Install and activate from your own location...
+
The second plugins screen is located under My Sites » Network Admin » Plugins. This is where you will install new plugins and manage them for the entire network.
  
wp plugin install <nowiki>https://www.domain.com/path/to/my/myplugin.zip</nowiki> --activate
+
https://www.wpbeginner.com/beginners-guide/should-you-network-activate-all-plugins-on-wordpress-multisite/
  
=== Plugin Deactivate ===
+
'''Add Plugins Menu for Child Sites in WordPress Multisite'''
  
Deactivate...
+
To enable plugin’s menu for individual sites, you need to switch to Network Admin dashboard.
  
wp plugin deactivate wordpress-seo
+
Switching to network admin dashboard
  
Deactivate all plugins (good for debugging a problem!)...  
+
On the network admin dashboard, visit Settings » Network Settings. Scroll down to the bottom of the page and you will see the checkbox to enable plugins menu.
  
wp plugin deactivate --all
+
=== WP CLI ===
  
=== Plugin Update ===
+
Show list of sites...
  
Update...
+
export WP_CLI_CACHE_DIR=/var/www/domain.co.uk/.wp-cli/cache; sudo -u www-data -E wp --path='/var/www/domain.co.uk/html/' site list
  
wp plugin update wordpress-seo
+
Show options for a multisite site...
  
Update all plugins...
+
export WP_CLI_CACHE_DIR=/var/www/domain.co.uk/.wp-cli/cache; sudo -u www-data -E wp --path='/var/www/domain.co.uk/html/' --url='<nowiki>http://mysubdomain.domain.co.uk/</nowiki>' option get siteurl
  
wp plugin update --all
+
Change option for a multisite site...
  
=== Site Blank ===
+
export WP_CLI_CACHE_DIR=/var/www/domain.co.uk/.wp-cli/cache; sudo -u www-data -E wp --path='/var/www/domain.co.uk/html/' --url='<nowiki>http://mysubdomain.domain.co.uk/</nowiki>' option update siteurl '<nowiki>http://mysubdomain.domain.com</nowiki>'
  
wp site empty
+
=== Help With Making Changes ===
  
=== Site Blank and Delete Media Uploads ===
+
https://www.siteground.com/kb/change-domain-wordpress-multisite/
  
wp site empty --uploads
+
== Move Posts To Different Types ==
  
=== Theme Child Create ===
+
* Posts to Pages
 +
* Pages to Posts
 +
* Default Post Type to Custom Post Type
  
wp scaffold child-theme NEW-CHILD-SLUG --parent_theme=SLUG --theme_name=TITLE
+
http://wordpress.org/extend/plugins/post-type-switcher/
  
=== Help ===
+
== Custom Post Types and Categories and Taxonomies ==
  
https://www.codeinwp.com/blog/wp-cli/
+
https://www.wpbeginner.com/wp-tutorials/how-to-exportimport-custom-post-types-in-wordpress/
  
=== Update Admin Email Address ===
+
https://www.wpbeginner.com/wp-tutorials/how-to-add-categories-to-a-custom-post-type-in-wordpress/
  
wp option update admin_email 'me@domain.co.uk'
+
== Import Posts with Images ==
wp option update new_admin_email 'me@domain.co.uk'
 
  
=== User List ===
+
https://wordpress.org/plugins/export-featured-images/
  
sudo -u www-data wp user list
+
https://kellenmace.com/include-featured-images-with-posts-using-wordpress-exportimport-tool/
  
=== User Reset Password ===
+
https://wordpress.stackexchange.com/questions/257180/how-to-import-wordpress-posts-with-images-from-one-wordpress-site-to-another
  
1. Move into the /wordpress directory and type
+
== DEBUGGING ==
  
sudo -u www-data wp user list
+
The following code, inserted in your wp-config.php file, will log all errors, notices, and warnings to a file called debug.log in the wp-content directory.
  
to see all users. Find the ID of the user you'd like to update.
+
It will also hide the errors so they do not interrupt page generation.
  
2. Then, update the user
+
// Enable WP_DEBUG mode
 +
define( 'WP_DEBUG', true );
 +
 +
// Enable Debug logging to the /wp-content/debug.log file
 +
define( 'WP_DEBUG_LOG', true );
 +
 +
// Disable display of errors and warnings
 +
define( 'WP_DEBUG_DISPLAY', false );
 +
@ini_set( 'display_errors', 0 );
 +
 +
// Use dev versions of core JS and CSS files (only needed if you are modifying these core files)
 +
define( 'SCRIPT_DEBUG', true );
  
sudo -u www-data wp user update 1 --user_pass=$UP3RstrongP4$$w0rd
+
'''NOTE: You must insert this BEFORE /* That's all, stop editing! Happy blogging. */ in the wp-config.php file.'''
  
replacing "1" with the id of the user you want to update.
+
== Google Maps ==
  
=== Check A Post For Type ===
+
https://www.embedgooglemap.net/
  
sudo -u www-data wp post get 230
+
== HOWTO: Create Folders Within Media Library ==
  
=== Show WordPress URL ===
+
https://maxgalleria.com/add-organize-media-library-folders/
  
wp option get home
+
https://wordpress.org/plugins/media-library-plus/
wp option get siteurl
 
  
=== Change WordPress URL ===
+
== HOWTO: Download Older Versions of WordPress Plugins ==
  
wp option update home '<nowiki>http://example.com</nowiki>'
+
https://kinsta.com/knowledgebase/download-older-versions-of-wordpress-plugins/
wp option update siteurl '<nowiki>http://example.com</nowiki>'
 
  
=== Search and Replace and View Changes ===
+
== HOWTO: Increase PHP Memory Limit (UpdraftPlus Error) ==
  
sudo -u www-data wp search-replace --report-changed-only --log 'Lorem ' 'Lorum ' --dry-run
+
If you see this error when you use the wp cli ...
  
=== Search and Replace WordPress Database Change URL ===
+
Fatal error: Allowed memory size of 134217728 bytes exhausted (tried to allocate xxxxx bytes)
  
sudo -u wpusername wp search-replace '<nowiki>http://test.domain.co.uk</nowiki>' '<nowiki>http://www.domain.co.uk</nowiki>' --dry-run
+
... then you can fix it by adding this to the wp-config.php file just before the "<nowiki>/* That's all, stop editing! Happy publishing. */</nowiki>" line:-
sudo -u wpusername wp search-replace '<nowiki>http://test.domain.co.uk</nowiki>' '<nowiki>http://www.domain.co.uk</nowiki>'
 
  
or for auto SSL sites...
+
define('WP_MEMORY_LIMIT', '256M');
  
sudo -u wpusername wp search-replace '<nowiki>http://test.domain.co.uk</nowiki>' '<nowiki>https://www.domain.co.uk</nowiki>' --dry-run
+
https://updraftplus.com/faqs/deal-fatal-error-allowed-memory-size-errors/
sudo -u wpusername wp search-replace '<nowiki>http://test.domain.co.uk</nowiki>' '<nowiki>https://www.domain.co.uk</nowiki>'
 
  
=== Export All Users ===
+
== HOWTO: Disable wp-cron.php WP_CRON ==
  
This will export all users to a CSV...
+
WordPress uses a file called wp-cron.php as a virtual cron job, or scheduled task in order to automate things like publishing scheduled posts, checking for plugin or theme updates, sending email notifications and more.
  
sudo -u daemon -E wp --path=/opt/bitnami/apps/wordpress/htdocs/2 user list --format=csv >user_list.csv
+
By default WordPress is set up to call wp-cron.php every time someone visits your WordPress website when a scheduled task is present, to basically ask "is it time to do anything yet?".
  
=== Block A User ===
+
On low traffic sites this is perfectly fine, but when visitors roll in, checking multiple times for scheduled tasks can be very inefficient and lead to resource usage problems for your server, plus make your website load slower.
  
# change their password
+
To fix this, change the following setting in your '''wp-config.php''' file...
# change their role
 
# change their email address
 
  
  export WP_CLI_CACHE_DIR=/var/www/www.domain.co.uk/.wp-cli/cache/
+
  define('DISABLE_WP_CRON', true);
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user list
 
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user update 2 --user_pass=iphoh3Qu --skip-email
 
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user update 2 --role= --skip-email
 
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user update 2 --user_email=different.email@domain.co.uk --skip-email
 
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user list
 
  
=== Delete All Subscribers ===
+
Then, create a cron job to call the script...
  
For this trick, you have to combine 2 commands in to 1... generate the list of users + feed that result to the delete command...
+
crontab -e
 +
@hourly cd /var/www/website.co.uk/html/ && sudo -u www-data php wp-cron.php
  
$ wp user delete $(wp user list --role=subscriber --field=ID) --reassign=2
+
or
  
'''Do the [http://wiki.indie-it.com/wiki/WordPress#Export_All_Users Export All Users] first!'''
+
@hourly curl --silent https://www.website.co.uk/wp-cron.php?doing_wp_cron
  
This is an example from a Bitnami WordPress install, using the user 'daemon' and the full path for completeness...
+
Thanks - https://www.inmotionhosting.com/support/website/wordpress/disabling-the-wp-cronphp-in-wordpress
  
sudo -u daemon -E wp --path=/opt/bitnami/apps/wordpress/htdocs/2 user delete $(sudo -u daemon -E wp --path=/opt/bitnami/apps/wordpress/htdocs/2 user list --role=subscriber --field=ID) --reassign=23
+
== HOWTO: Disable WordPress User Account ==
  
=== Perform Commands Remotely ===
+
* Method 1 - change the user's role to 'No Role For This Site'
 +
* Method 2 - install the [https://wordpress.org/plugins/disable-users/ Disable Users Plugin] and disable that user.
  
WP-CLI accepts an <nowiki>--ssh=[<scheme>][<user>@]<host>[:<port>][<path>]</nowiki> global parameter for running a command against a remote WordPress install.
+
Thanks - https://9seeds.com/how-to-disable-wordpress-user-accounts/
  
First, install wp-cli on your computer...
+
== Hide Page Title On Home Page Only ==
  
  sudo add-apt-repository ppa:tiagohillebrandt/wp-cli
+
  body.home header.entry-header {
sudo apt-get -y install wp-cli
+
  display: none;
  sudo -u www-data wp --info
+
  }
  
Then, use a host entry in your ~/.ssh/config file for your server, then you can run this...
+
== HOWTO: Hide Page Title Per Basis ==
  
wp --ssh=host --user=jbloggs --path='/var/www/domain.com/html' core version
+
'''style.css'''
  
https://make.wordpress.org/cli/handbook/guides/running-commands-remotely/
+
.page-id-1826 .entry-title {display: none;}
  
=== Migrate Copy Your Site ===
+
Thanks - https://premium.wpmudev.org/blog/wordpress-hide-page-title-or-post-title-on-a-case-by-case-basis/
  
https://rocketgeek.com/basics/using-wp-cli-to-migrate-copy-your-site/
+
== HOWTO: Download Latest Version ==
  
=== Convert to Multisite ===
+
wget -O wordpress-latest.tar.gz <nowiki>http://wordpress.org/latest.tar.gz</nowiki>
  
wp core multisite-convert --subdomains
+
== HOWTO: Update Admin User Password Command Line ==
wp site list
 
  
https://developer.wordpress.org/cli/commands/core/multisite-convert/
+
mysql -u root -p wordpress_database -e "UPDATE wp_users SET user_pass=MD5('MyNewPassword') WHERE ID='1';"
  
https://developer.wordpress.org/cli/commands/site/
+
== HOWTO: Extract WordPress Without First Directory ==
  
== HOWTO: CREATE: Child Themes ==
+
sudo tar --strip-components=1 -xzvf latest.tar.gz -C /path/to/directory/
  
*FTP in to site
+
e.g.
*Navigate to <span style="background:#c0c0c0">wp-content</span> '''|''' <span style="background:#c0c0c0"> themes</span>
 
*Create a new folder for the child theme, for example <span style="background:#c0c0c0">twentyfifteen-child</span> (where twentyfifteen is the name of your parent theme)
 
*Create a text file named <span style="background:#c0c0c0">style.css</span>
 
*Copy and paste the text from <span style="background:#c0c0c0">Example 1</span> below in to the <span style="background:#c0c0c0">style.css</span> file.
 
  
Example 1:
+
sudo tar --strip-components=1 -xzvf latest.tar.gz -C /var/www/domain.com/html/
  
/*
+
== HOWTO: Correct Ownership And Permissions Of BITNAMI Wordpress Files ==
Theme Name: Example
 
Theme URI: <nowiki>http://example.co.uk</nowiki>
 
Description: Custom child theme
 
Author: Why me of course
 
Author URI: <nowiki>http://anotherexample.com</nowiki>
 
Template: theme-child
 
Version: 0.1
 
*/
 
 
@import url("../theme/style.css");
 
  
*Next alter the text so it matches the details of the website the parent theme.
+
sudo chown -R daemon:daemon /opt/bitnami/apps/wordpress/htdocs
 +
sudo find /opt/bitnami/apps/wordpress/htdocs -type d -exec chmod 755 {} \;
 +
sudo find /opt/bitnami/apps/wordpress/htdocs -type f -exec chmod 644 {} \;
 +
sudo /opt/bitnami/ctlscript.sh restart apache
 +
sudo /opt/bitnami/ctlscript.sh restart php-fpm
  
Example 2:
+
https://morganhvidt.com/fix-permissions-wordpress-bitnami-gcp/
  
/*
+
== HOWTO: Install Different PHP Modules on BITNAMI WordPress ==
Theme Name: twentyeleven-child
 
Theme URI: <nowiki>http://mywebsite.co.uk</nowiki>
 
Description: Custom child theme
 
Author: Fred Dibnah
 
Author URI: <nowiki>http://dibnah-inc.com</nowiki>
 
Template: twentyeleven
 
Version: 0.1
 
*/
 
 
@import url("../twentyeleven/style.css");
 
  
*FTP <span style="background:#c0c0c0">style.css</span> to <span style="background:#c0c0c0">wp-content</span> '''|''' <span style="background:#c0c0c0">themes</span> '''|''' <span style="background:#c0c0c0">twentyfifteen-child</span>
+
Bitnami stacks already include a number of PHP modules, which are installed but not active. Before installing a new module, check that it is not already included. If it exists, simply enable it in the PHP configuration file.
*In the WordPress control panel navigate to <span style="background:#c0c0c0">Appearance</span> '''|''' <span style="background:#c0c0c0">Themes</span>
 
  
== HOWTO: REMOVE: Comment Box From An Existing Page ==
+
=== Imagick ===
  
*All Pages
+
The Imagick module is installed in Bitnami stacks, but is not enabled by default. To enable it, follow these steps:
*Select the 'Quick Edit' option
 
*Un-tick 'Allow Comments'
 
  
== HOWTO: ALTER: Site URL ==
+
Uncomment or add the following line to the /opt/bitnami/php/etc/php.ini file:
 +
 
 +
...
 +
extension=imagick.so
 +
...
  
There are various methods to change the Site URL manually. Any of these methods will work and perform much the same function.
+
Restart the Apache server and/or the PHP-FPM service (if available):
  
=== 1. Edit wp-config.php ===
+
sudo /opt/bitnami/ctlscript.sh restart apache
 +
sudo /opt/bitnami/ctlscript.sh restart php-fpm
  
It is possible to set the site URL manually in the wp-config.php file.
+
[https://docs.bitnami.com/aws/apps/wordpress/configuration/install-modules-php/ Thanks]
  
Add these two lines to your '''wp-config.php''', where "example.com" is the correct location of your site.
+
==  HOWTO: Correct Ownership And Permissions Of Wordpress Files ==
  
define('WP_HOME','<nowiki>http://example.com</nowiki>');
+
You need to make the user the FTP login and the group the user Apache or Lighttpd runs as...
define('WP_SITEURL','<nowiki>http://example.com</nowiki>');
 
  
=== 2. MySQL ===
+
sudo chown -R fred:www-data /var/www/fred.com/html/
  
Edit '''home''' and '''siteurl''' from the ''wp_options'' table using [https://www.phpmyadmin.net/ PHPMyAdmin] or similar.
+
Change to the correct directory...
  
=== 3. wp Command Line ===
+
cd /var/www/fred.com/html/
  
'''A.''' You can use the official [https://developer.wordpress.org/cli/commands/ WP command line tool] to alter the 'home', 'siteurl' options.
+
For secure permissions...
  
cd /path/to/wordpress/files
+
  sudo find . -type f -exec chmod 644 {} +
  sudo -u user wp option get home
+
  sudo find . -type d -exec chmod 755 {} +
  sudo -u user wp option get siteurl
+
  sudo chmod 640 wp-config.php
  sudo -u user wp option update home <nowiki>'http://www.domain.co.uk'</nowiki>
+
 
sudo -u user wp option update siteurl <nowiki>'http://www.domain.co.uk'</nowiki>
+
For relaxed permissions...
  
https://developer.wordpress.org/cli/commands/option/
+
sudo find . -type f -exec chmod 664 {} +
 +
sudo find . -type d -exec chmod 775 {} +
 +
sudo chmod 660 wp-config.php
  
'''B.''' You can also use the command line to alter every part of the MySQL Database.
+
== HOWTO: Disable Update Check For A Single Plugin ==
  
cd /path/to/wordpress/files
+
Open the main plugin file and change the version number to 9.9.9
sudo -u user wp search-replace <nowiki>'http://test.domain.co.uk'</nowiki> <nowiki>'http://www.domain.co.uk'</nowiki> --dry-run
 
sudo -u user wp search-replace <nowiki>'http://test.domain.co.uk'</nowiki> <nowiki>'http://www.domain.co.uk'</nowiki>
 
  
https://developer.wordpress.org/cli/commands/search-replace/
+
== HOWTO: Create MySQL Database ==
  
== HOWTO: htaccess Extra Security Tweaks ==
+
# log in to mysql
 +
# create database
 +
# set user and password and permissions
 +
# log out of mysql
  
  <IfModule mod_rewrite.c>
+
  mysql -u root -p
RewriteEngine On
+
  create database wordpress;
RewriteBase /
+
  GRANT SELECT, INSERT, UPDATE ON wordpress.* to 'wordpressuser'@'localhost' identified by 'mypassword';
RewriteRule ^index\.php$ - [L]
+
  quit;
RewriteCond %{REQUEST_FILENAME} !-f
 
RewriteCond %{REQUEST_FILENAME} !-d
 
RewriteRule . /index.php [L]
 
  # extra security tweaks
 
  RewriteRule ^wp-admin/includes/ - [F,L]
 
RewriteRule !^wp-includes/ - [S=3]
 
RewriteRule ^wp-includes/[^/]+\.php$ - [F,L]
 
RewriteRule ^wp-includes/js/tinymce/langs/.+\.php - [F,L]
 
RewriteRule ^wp-includes/theme-compat/ - [F,L]
 
  </IfModule>
 
  
http://wordpress.org/download/
+
== HOWTO: Generate Salt Keys ==
  
== HOWTO: Disable All Plugins Via PHPMyAdmin Or MySQL ==
+
https://api.wordpress.org/secret-key/1.1/salt/
  
mysql> update wp_options set option_value = "a:0:{}" where option_name = 'active_plugins';
+
== HOWTO: Complete Configuration ==
  
Thanks to - http://www.webhostinghero.com/manually-disable-wordpress-plugins/
+
cd /var/www/domain.com/html
 
+
sudo rm -iv index.html
== HOWTO: WordPress Security ==
+
sudo mv -v wp-config-sample.php wp-config.php
 
+
sudo nano wp-config.php
=== Plugins ===
+
define('DB_NAME', 'wordpressdatabase');
 +
define('DB_USER', 'wordpressuser');
 +
define('DB_PASSWORD', 'mYPassWOrd');
 +
define('DB_HOST', 'localhost');
 +
/** Authentication Unique Keys and Salts.
 +
REPLACE LINES WITH YOUR LINES FROM SALT LINK ABOVE
  
# [https://wordpress.org/plugins/wordfence/ WordFence]
+
Now load the web site in your web browser and complete installation.
# [https://wordpress.org/plugins/no-captcha-recaptcha/ reCAPTCHA]
 
# [https://wordpress.org/plugins/health-check/ Health Check]
 
# [https://hidemywpghost.com/hide-my-wp/ Hide My WP WordPress] and [https://hidemywpghost.com/article/how-to-set-hide-my-wp-for-bitnami-servers/ How to set up Hide my WP for Bitnami Servers]
 
  
=== Password Protect Admin Folder Dashboard ===
 
  
https://www.wpbeginner.com/wp-tutorials/how-to-password-protect-your-wordpress-admin-wp-admin-directory/
 
  
=== Tutorials ===
+
== HOWTO: Enable Updates Via SSH / SFTP ==
  
[https://www.codeinwp.com/blog/secure-your-wordpress-website/ Secure Your WordPress Website]
+
sudo aptitude install libssh2-php
  
[https://themeisle.com/blog/secure-wordpress-theme/ Secure WordPress Theme]
+
Then, restart your web server software.
  
[https://www.wpbeginner.com/wordpress-security/ The Ultimate WordPress Security Guide]
+
Thanks - https://snowulf.com/2010/06/29/wordpress-enabling-sshsftp-updates/
  
=== Security Updates Mailing List ===
+
== HOWTO: Update Via Command Line ==
  
http://www.wordfence.com/subscribe-to-the-wordfence-email-list/
+
WP CLI is a command line tool for managing your WordPress installation.
  
== HOWTO: WordPress Core: Add Page Last Modified Date ==
+
http://wp-cli.org
  
Add this code to your footer.php file...
+
=== Install ===
  
<nowiki>Last modified: <?php the_modified_date(); ?></nowiki>
+
NEW
  
http://codex.wordpress.org/Template_Tags/the_modified_date
+
sudo add-apt-repository ppa:tiagohillebrandt/wp-cli
 +
sudo apt-get update
 +
sudo apt-get -s install wp-cli
 +
sudo apt-get -y install wp-cli
 +
sudo -u www-data wp --info
  
== HOWTO: WP-Members: Remove Powered By Link In Footer ==
+
OLD
  
Edit the file...
+
For use with Docker containers...
  
  wp-content/plugins/wp-members/wp-members-dialogs.php
+
  curl -O <nowiki>https://raw.githubusercontent.com/wp-cli/builds/gh-pages/phar/wp-cli.phar</nowiki>
 +
chmod +x wp-cli.phar
 +
mv wp-cli.phar wp
 +
chown root:root wp
 +
chmod 0700 wp
 +
./wp --allow-root --info
 +
./wp --allow-root plugin deactivate --all
 +
./wp --allow-root user list
  
Search for 'powered by' and comment out both lines.
+
=== IONOS Tweaks ===
  
== HOWTO: Deactivate all plugins when unable to access the administrative menus? ==
+
Out of the box, the IONOS Linux hosting seems to use PHP 7.3 for wp-cli ...
  
* Via FTP or your host's file manager, navigate to the wp-contents folder (directory)
+
wp cli info
* Via FTP or your host's file manager, rename the folder "plugins" to "plugins.hold"
 
* Login to your WordPress administration menus (/wp-admin)
 
* Via FTP or your host's file manager, rename "plugins.hold" back to "plugins"
 
  
http://codex.wordpress.org/FAQ_Troubleshooting
+
To fix this, select your PHP version in the admin panel - e.g. 7.4
  
== DukaPress Shop Plugin ==
+
Log in to your hosting server using SSH, then check to make sure this test works ...
  
TO BE DONE.
+
/usr/bin/php7.4-cli /usr/share/php/wp-cli/wp-cli-2.6.0.phar cli info
  
== HOWTO: SET: The Home Page As A Static Page Instead Of Post ==
+
Then, assign a terminal shall alias to 'wp' for the second test and run 'wp' ...
  
* Create a new page, it does not have to be called home.
+
alias wp='/usr/bin/php7.4-cli /usr/share/php/wp-cli/wp-cli-2.6.0.phar'
* Settings --> Reading --> Front page displays --> change from 'Your latest posts' to 'A static page (select below) and use the drop down menu to set the page required.
+
wp cli info
* Click 'Save Changes'.
 
* Optional: If you still want a 'Posts page' posts that option is also allowed for.
 
  
== HOWTO: SET: Menus As A Non-Clickable Top Level Item ==
+
Then, create a few files to automatically load the alias and fix it ...
  
This method only applies if you are using the default menu provided in WordPress.
+
nano ~/.bash_profile
 +
alias ll='ls -lah'
 +
alias wp='/usr/bin/php7.4-cli /usr/share/php/wp-cli/wp-cli-2.6.0.phar'
  
First off do not create a page for the non-clickable as there is no need.
+
nano ~/.bashrc
 +
source ~/.bash_profile
  
* WP Menu --> Appearance --> Menus
+
Log out, then back in and type ...
* Links widget (under Pages in the left hand widget)
 
* In the URL box change the contents 'http://' to '#' (without the quotes)
 
* Add a label
 
* Click the 'Add to Menu' button
 
* Click the 'Save Menu' button
 
  
== WorldPay ==
+
wp cli info
  
TO BE DONE.
+
... and it should now show the later version of PHP being used.
  
'''Test Credit Card Numbers''' - http://www.worldpay.com/support/kb/bg/testandgolive/tgl5103.html
+
=== Commands ===
  
== HOWTO: Permalinks (Page URL) - Alter ==
+
wp --info
 +
wp core version
 +
wp core check-update
 +
wp core update
 +
wp core update-db
 +
wp core verify-checksums
 +
wp theme update --all
 +
wp plugin update --all
 +
wp language core update
 +
wp language theme --all update
 +
wp language plugin --all update
  
Go to:
+
=== Complete CLI Setup ===
  
Control Panel --> Settings --> Permalinks
 
  
Select 'Post name'
+
#
 
+
# using wp command line tool to make a wordpress web site
Finally click the 'Save Changes' button.
+
#
 
+
Or the more complicated method:
+
# create directories and log files
 
+
sudo mkdir -p /var/www/www.domain.co.uk/{html,logs,.wp-cli/cache}
Add this to your .htaccess file...
+
sudo touch /var/www/www.domain.co.uk/logs/{access,error}.log
 
+
sudo chmod g+w /var/www/www.domain.co.uk/logs/{access,error}.log
  # BEGIN WordPress
+
sudo chown -R www-data:www-data /var/www/www.domain.co.uk/
  <IfModule mod_rewrite.c>
+
  RewriteEngine On
+
# change to working directory
  RewriteBase /
+
cd /var/www/www.domain.co.uk/html/
  RewriteRule ^index\.php$ - [L]
+
  RewriteCond %{REQUEST_FILENAME} !-f
+
  # create environment variables
  RewriteCond %{REQUEST_FILENAME} !-d
+
  export WP_CLI_CACHE_DIR=/var/www/www.domain.co.uk/.wp-cli/cache
  RewriteRule . /index.php [L]
+
   
  </IfModule>
+
  # check wp cli working
  # END WordPress
+
  sudo -u www-data -E wp --info
 
+
== Mobile Skin ==
+
# download the core wordpress files
 
+
  sudo -u www-data -E wp core download --locale=en_GB
http://wordpress.org/extend/plugins/wptouch/
+
   
 
+
# check the core wordpress files
== HOWTO: REMOVE: 'Home' Button ==
+
sudo -u www-data -E wp core verify-checksums
 
+
   
The code you need to modify is located in the TwentyTen Theme's functions.php file.
+
# create a wordpress mysql database
 
+
sudo mysql -u root -p -e "CREATE DATABASE wwwdomaincouk; CREATE USER 'wwwdomaincouk' IDENTIFIED BY 'SuperPassword'; GRANT ALL ON wwwdomaincouk.* TO 'wwwdomaincouk'; FLUSH PRIVILEGES;"
  $args['show_home'] = false;
+
   
 +
  # create a wordpress configuration file
 +
sudo -u www-data -E wp core config --dbname='wwwdomaincouk' --dbuser='wwwdomaincouk' --dbpass='SuperPassword' --dbhost='localhost' --dbprefix='wp_'
 +
 +
# complete the installation process
 +
sudo -u www-data -E wp core install --url='<nowiki>http://www.domain.co.uk</nowiki>' --title='Web Site Name' --admin_user='joe.bloggs' --admin_password='MyGoodPassword' --admin_email='me@domain.co.uk'
 +
 +
# check web site working on command line and admin dashboard works
 +
curl -I <nowiki>http://www.domain.co.uk</nowiki>
 +
 +
# check for updates
 +
sudo -u www-data -E wp core version
 +
sudo -u www-data -E wp core update
 +
sudo -u www-data -E wp core update-db
 +
sudo -u www-data -E wp plugin list
 +
sudo -u www-data -E wp plugin update --all
 +
sudo -u www-data -E wp theme list
 +
sudo -u www-data -E wp theme update --all
 +
sudo -u www-data -E wp language core list --status=active
 +
sudo -u www-data -E wp language core update
 +
sudo -u www-data -E wp language plugin list --all --status=active
 +
sudo -u www-data -E wp language plugin update --all
 +
sudo -u www-data -E wp language theme list --all --status=active
 +
sudo -u www-data -E wp language theme update --all
 +
 +
# add new user
 +
sudo -u www-data -E wp user create john.doe john.doe@domain.co.uk --role=administrator --first_name=John --last_name=Doe --nickname=John --display_name=John
 +
 +
# list users
 +
  sudo -u www-data -E wp user list
  
== PLUGIN: Yoast SEO ==
+
=== As Another User On Server ===
  
=== How To Hide Breadcrumbs On Home Page ===
+
cd /path/to/wordpress/
 
+
sudo -u www-data -E wp --help
  body.home #breadcrumbs {
+
  sudo -u www-data -E wp core --help
  display: none;
+
sudo -u www-data -E wp core check-update
  }
+
  sudo -u www-data -E wp core download
 
+
sudo -u www-data -E wp core is-installed
== PLUGIN: Coming Soon and Maintenance Mode ==
+
sudo -u www-data -E wp core update
 
+
sudo -u www-data -E wp core update-db
https://en-gb.wordpress.org/plugins/coming-soon/
+
sudo -u www-data -E wp core verify-checksums
 
+
sudo -u www-data -E wp core version
== PLUGIN: All-In-One WP Migration ==
+
sudo -u www-data -E wp plugin --help
 
+
sudo -u www-data -E wp plugin list
[https://ryankozak.com/all-in-one-migration-sizelimit/ Size Limit Fix]
+
sudo -u www-data -E wp plugin update
 
+
sudo -u www-data -E wp plugin update --all
  /wp-content/plugins/all-in-one-wp-migration/constants.php
+
sudo -u www-data -E wp plugin status
 +
sudo -u www-data -E wp plugin activate --all
 +
sudo -u www-data -E wp plugin status
 +
sudo -u www-data -E wp theme --help
 +
sudo -u www-data -E wp theme list
 +
sudo -u www-data -E wp theme update --all
 +
sudo -u www-data -E wp theme list
 +
sudo -u www-data -E wp theme delete twentysixteen
 +
sudo -u www-data -E wp theme delete twentyseventeen
 +
sudo -u www-data -E wp theme list
 +
sudo -u www-data -E wp theme search Intentionally
 +
sudo -u www-data -E wp theme install intentionally-blank
 +
  sudo -u www-data -E wp theme activate intentionally-blank
 +
sudo -u www-data -E wp language plugin --all update
 +
sudo -u www-data -E wp language theme --all update
 +
sudo -u www-data -E wp language core update
  
// =================
+
=== Config List Settings ===
// = Max File Size =
 
// =================
 
define( 'AI1WM_MAX_FILE_SIZE', 536870912 * 8 );
 
  
== PLUGINS: Caching ==
+
wp config get
  
https://www.elegantthemes.com/blog/resources/the-best-wordpress-cache-plugins-and-how-to-use-them
+
=== Config List File Location ===
  
== HOWTO: FIX: ==
+
wp config path
  
=== Error: Minified React error #31 ===
+
=== Database Show Tables Sizes ===
  
This seems to be a NginX bug with the Gutenberg Editor and is part of the Tools > Site Health error "REST API is not working correctly."
+
wp db size --tables
 +
 
 +
=== Database Optimise ===
 +
 
 +
wp db optimize
 +
 
 +
=== Database Repair ===
  
Change all your lines with this...
+
wp db repair
  
try_files $uri $uri/ /index.php;
+
=== Database Export ===
  
To this...
+
wp db export
  
try_files $uri $uri/ /index.php$is_args$args;
+
=== Database Export With Filename ===
  
Restart NginX and PHP FPM...
+
wp db export ./filename.sql
  
sudo systemctl restart php7.4-fpm.service nginx.service
+
=== Database Search ===
  
https://developer.wordpress.org/rest-api/frequently-asked-questions/#query-parameters-are-not-working
+
wp db query "SELECT * FROM wp_options"
  
=== Error: Sorry, you are not allowed to edit posts in this post type ===
+
=== Clear Cache ===
  
This is probably because it is a post type of revision...
+
wp cache flush
  
  sudo -u www-data wp post get 449
+
=== Plugin Install ===
  ...
+
 
  post_name            | 230-revision-v1
+
Install...
  post_type            | revision
+
 
 +
wp plugin install wordpress-seo
 +
 
 +
Install and activate...
 +
 
 +
wp plugin install wordpress-seo --activate
 +
 
 +
Install and activate a particular version...
 +
 
 +
wp plugin install wordpress-seo --version=4.8 --activate
 +
 
 +
Install and activate multiple plugins...
 +
 
 +
wp plugin install advanced-custom-fields jetpack --activate
 +
 
 +
Install and activate from your own location...
 +
 
 +
wp plugin install <nowiki>https://www.domain.com/path/to/my/myplugin.zip</nowiki> --activate
 +
 
 +
=== Plugin Deactivate ===
 +
 
 +
Deactivate...
 +
 
 +
wp plugin deactivate wordpress-seo
 +
 
 +
Deactivate all plugins (good for debugging a problem!)...
 +
 
 +
wp plugin deactivate --all
 +
 
 +
=== Plugin Update ===
 +
 
 +
Update...
 +
 
 +
wp plugin update wordpress-seo
 +
 
 +
Update all plugins...
 +
 
 +
wp plugin update --all
 +
 
 +
=== Site Blank ===
 +
 
 +
wp site empty
 +
 
 +
=== Site Blank and Delete Media Uploads ===
 +
 
 +
wp site empty --uploads
 +
wp site empty --uploads --yes
 +
 
 +
=== Theme Child Create ===
 +
 
 +
wp scaffold child-theme NEW-CHILD-SLUG --parent_theme=SLUG --theme_name=TITLE
 +
 
 +
=== Help ===
 +
 
 +
https://www.codeinwp.com/blog/wp-cli/
 +
 
 +
=== Update Admin Email Address ===
 +
 
 +
wp option update admin_email 'me@domain.co.uk'
 +
wp option update new_admin_email 'me@domain.co.uk'
 +
 
 +
=== User List ===
 +
 
 +
sudo -u www-data wp user list
 +
 
 +
=== User Create ===
 +
 
 +
wp user create <user-login> <user-email> [--role=<role>] [--user_pass=<password>] [--user_registered=<yyyy-mm-dd-hh-ii-ss>] [--display_name=<name>] [--user_nicename=<nice_name>]
 +
[--user_url=<url>] [--nickname=<nickname>] [--first_name=<first_name>] [--last_name=<last_name>] [--description=<description>] [--rich_editing=<rich_editing>] [--send-email] [--porcelain]
 +
 
 +
sudo -u www-data wp user create joe.bloggs joe@bloggs.com --role=editor --display_name=Joe Bloggs --first_name=Joe --last_name=Bloggs
 +
 
 +
=== User Reset Password ===
 +
 
 +
1. Move into the /wordpress directory and type
 +
 
 +
sudo -u www-data wp user list
 +
 
 +
to see all users. Find the ID of the user you'd like to update.
 +
 
 +
2. Then, update the user
 +
 
 +
sudo -u www-data wp user update 1 --user_pass=changeme --skip-email
 +
 
 +
replacing "1" with the id of the user you want to update.
 +
 
 +
=== Check A Post For Type ===
 +
 
 +
sudo -u www-data wp post get 230
 +
 
 +
=== Show WordPress URL ===
 +
 
 +
wp option get home
 +
wp option get siteurl
 +
 
 +
=== Change WordPress URL ===
 +
 
 +
wp option update home '<nowiki>http://example.com</nowiki>'
 +
wp option update siteurl '<nowiki>http://example.com</nowiki>'
 +
 
 +
=== Search and Replace and View Changes ===
 +
 
 +
sudo -u www-data wp search-replace 'Lorem ' 'Lorum ' --dry-run --report-changed-only --log
 +
 
 +
=== Search and Replace WordPress Database Change URL ===
 +
 
 +
sudo -u wpusername wp search-replace '<nowiki>http://test.domain.co.uk</nowiki>' '<nowiki>http://www.domain.co.uk</nowiki>' --dry-run
 +
sudo -u wpusername wp search-replace '<nowiki>http://test.domain.co.uk</nowiki>' '<nowiki>http://www.domain.co.uk</nowiki>'
 +
 
 +
or for auto SSL sites...
 +
 
 +
sudo -u wpusername wp search-replace '<nowiki>http://test.domain.co.uk</nowiki>' '<nowiki>https://www.domain.co.uk</nowiki>' --dry-run
 +
sudo -u wpusername wp search-replace '<nowiki>http://test.domain.co.uk</nowiki>' '<nowiki>https://www.domain.co.uk</nowiki>'
 +
 
 +
=== Export All Users ===
 +
 
 +
This will export all users to a CSV...
 +
 
 +
sudo -u daemon -E wp --path=/opt/bitnami/apps/wordpress/htdocs/2 user list --format=csv >user_list.csv
 +
 
 +
=== Block A User ===
 +
 
 +
# change their password
 +
# change their role
 +
# change their email address
 +
 
 +
export WP_CLI_CACHE_DIR=/var/www/www.domain.co.uk/.wp-cli/cache/
 +
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user list
 +
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user update 2 --user_pass=iphoh3Qu --skip-email
 +
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user update 2 --role= --skip-email
 +
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user update 2 --user_email=different.email@domain.co.uk --skip-email
 +
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user list
 +
 
 +
=== Delete All Subscribers ===
 +
 
 +
For this trick, you have to combine 2 commands in to 1... generate the list of users + feed that result to the delete command...
 +
 
 +
$ wp user delete $(wp user list --role=subscriber --field=ID) --reassign=2
 +
 
 +
'''Do the [http://wiki.indie-it.com/wiki/WordPress#Export_All_Users Export All Users] first!'''
 +
 
 +
This is an example from a Bitnami WordPress install, using the user 'daemon' and the full path for completeness...
 +
 
 +
sudo -u daemon -E wp --path=/opt/bitnami/apps/wordpress/htdocs/2 user delete $(sudo -u daemon -E wp --path=/opt/bitnami/apps/wordpress/htdocs/2 user list --role=subscriber --field=ID) --reassign=23
 +
 
 +
=== Delete Comments ===
 +
 
 +
wp comment delete $(wp comment list --status=spam --format=ids) --force
 +
 
 +
or
 +
 
 +
wp comment delete $(wp comment list --format=ids) --force
 +
 
 +
=== Perform Commands Remotely ===
 +
 
 +
WP-CLI accepts an <nowiki>--ssh=[<scheme>][<user>@]<host>[:<port>][<path>]</nowiki> global parameter for running a command against a remote WordPress install.
 +
 
 +
First, install wp-cli on your computer...
 +
 
 +
sudo add-apt-repository ppa:tiagohillebrandt/wp-cli
 +
sudo apt-get -y install wp-cli
 +
sudo -u www-data wp --info
 +
 
 +
Then, use a host entry in your ~/.ssh/config file for your server, then you can run this...
 +
 
 +
wp --ssh=host --user=jbloggs --path='/var/www/domain.com/html' core version
 +
 
 +
https://make.wordpress.org/cli/handbook/guides/running-commands-remotely/
 +
 
 +
=== Migrate Copy Your Site ===
 +
 
 +
'''WP-CLI'''
 +
 
 +
https://rocketgeek.com/basics/using-wp-cli-to-migrate-copy-your-site/
 +
 
 +
'''All-in-One WP Migration'''
 +
 
 +
[https://github.com/shameemreza/all-in-one-wp-migration/releases/tag/6.77 Fixed Old Version of All In One WP Migration 6.77] - use this to get around the paid for features...
 +
 
 +
# Install this version 6.77 of the plug-in on the staging host
 +
# Create a backup on staging site
 +
# Copy the wpress file to your new host
 +
# Install this version 6.77 of the plug-in on the new host
 +
# Create a quick backup to make the directory
 +
# Move the wpress file to that directory (wp-content/ai1wm-backups/)
 +
# Click on All-in-One WP Migration Backups
 +
# Choose the file and click Restore :)
 +
 
 +
=== Convert to Multisite ===
 +
 
 +
wp core multisite-convert --subdomains
 +
wp site list
 +
 
 +
https://developer.wordpress.org/cli/commands/core/multisite-convert/
 +
 
 +
https://developer.wordpress.org/cli/commands/site/
 +
 
 +
=== BackWPup ===
 +
 
 +
wp backwpup start <job-id>
 +
 
 +
https://backwpup.com/docs/starting-backup-job-immediately-or-scheduled/
 +
 
 +
=== Duplicate Post or Page ===
 +
 
 +
wp post create --from-post=123 --post_title='Different Title' --post_type=post
 +
wp post create --from-post=321 --post_title='Another Title' --post_type=page
 +
 
 +
https://developer.wordpress.org/cli/commands/post/create/
 +
 
 +
== HOWTO: CREATE: Child Themes ==
 +
 
 +
*FTP in to site
 +
*Navigate to <span style="background:#c0c0c0">wp-content</span> '''|''' <span style="background:#c0c0c0"> themes</span>
 +
*Create a new folder for the child theme, for example <span style="background:#c0c0c0">twentyfifteen-child</span> (where twentyfifteen is the name of your parent theme)
 +
*Create a text file named <span style="background:#c0c0c0">style.css</span>
 +
*Copy and paste the text from <span style="background:#c0c0c0">Example 1</span> below in to the <span style="background:#c0c0c0">style.css</span> file.
 +
 
 +
Example 1:
 +
 
 +
/*
 +
Theme Name: Example
 +
Theme URI: <nowiki>http://example.co.uk</nowiki>
 +
Description: Custom child theme
 +
Author: Why me of course
 +
Author URI: <nowiki>http://anotherexample.com</nowiki>
 +
Template: theme-child
 +
Version: 0.1
 +
*/
 +
 +
@import url("../theme/style.css");
 +
 
 +
*Next alter the text so it matches the details of the website the parent theme.
 +
 
 +
Example 2:
 +
 
 +
/*
 +
Theme Name: twentyeleven-child
 +
Theme URI: <nowiki>http://mywebsite.co.uk</nowiki>
 +
Description: Custom child theme
 +
Author: Fred Dibnah
 +
Author URI: <nowiki>http://dibnah-inc.com</nowiki>
 +
Template: twentyeleven
 +
Version: 0.1
 +
*/
 +
 +
@import url("../twentyeleven/style.css");
 +
 
 +
*FTP <span style="background:#c0c0c0">style.css</span> to <span style="background:#c0c0c0">wp-content</span> '''|''' <span style="background:#c0c0c0">themes</span> '''|''' <span style="background:#c0c0c0">twentyfifteen-child</span>
 +
*In the WordPress control panel navigate to <span style="background:#c0c0c0">Appearance</span> '''|''' <span style="background:#c0c0c0">Themes</span>
 +
 
 +
== HOWTO: REMOVE: Comment Box From An Existing Page ==
 +
 
 +
*All Pages
 +
*Select the 'Quick Edit' option
 +
*Un-tick 'Allow Comments'
 +
 
 +
== HOWTO: ALTER: Site URL ==
 +
 
 +
There are various methods to change the Site URL manually. Any of these methods will work and perform much the same function.
 +
 
 +
=== 1. Edit wp-config.php ===
 +
 
 +
It is possible to set the site URL manually in the wp-config.php file.
 +
 
 +
Add these two lines to your '''wp-config.php''', where "example.com" is the correct location of your site.
 +
 
 +
define('WP_HOME','<nowiki>http://example.com</nowiki>');
 +
define('WP_SITEURL','<nowiki>http://example.com</nowiki>');
 +
 
 +
=== 2. MySQL ===
 +
 
 +
Edit '''home''' and '''siteurl''' from the ''wp_options'' table using [https://www.phpmyadmin.net/ PHPMyAdmin] or similar.
 +
 
 +
=== 3. wp Command Line ===
 +
 
 +
'''A.''' You can use the official [https://developer.wordpress.org/cli/commands/ WP command line tool] to alter the 'home', 'siteurl' options.
 +
 
 +
cd /path/to/wordpress/files
 +
sudo -u user wp option get home
 +
sudo -u user wp option get siteurl
 +
sudo -u user wp option update home <nowiki>'http://www.domain.co.uk'</nowiki>
 +
sudo -u user wp option update siteurl <nowiki>'http://www.domain.co.uk'</nowiki>
 +
 
 +
https://developer.wordpress.org/cli/commands/option/
 +
 
 +
'''B.''' You can also use the command line to alter every part of the MySQL Database.
 +
 
 +
cd /path/to/wordpress/files
 +
sudo -u user wp search-replace <nowiki>'http://test.domain.co.uk'</nowiki> <nowiki>'http://www.domain.co.uk'</nowiki> --dry-run
 +
sudo -u user wp search-replace <nowiki>'http://test.domain.co.uk'</nowiki> <nowiki>'http://www.domain.co.uk'</nowiki>
 +
 
 +
https://developer.wordpress.org/cli/commands/search-replace/
 +
 
 +
== HOWTO: htaccess Extra Security Tweaks ==
 +
 
 +
<IfModule mod_rewrite.c>
 +
RewriteEngine On
 +
RewriteBase /
 +
RewriteRule ^index\.php$ - [L]
 +
RewriteCond %{REQUEST_FILENAME} !-f
 +
RewriteCond %{REQUEST_FILENAME} !-d
 +
RewriteRule . /index.php [L]
 +
# extra security tweaks
 +
RewriteRule ^wp-admin/includes/ - [F,L]
 +
RewriteRule !^wp-includes/ - [S=3]
 +
RewriteRule ^wp-includes/[^/]+\.php$ - [F,L]
 +
RewriteRule ^wp-includes/js/tinymce/langs/.+\.php - [F,L]
 +
RewriteRule ^wp-includes/theme-compat/ - [F,L]
 +
</IfModule>
 +
 
 +
http://wordpress.org/download/
 +
 
 +
== HOWTO: Disable All Plugins Via PHPMyAdmin Or MySQL ==
 +
 
 +
mysql> update wp_options set option_value = "a:0:{}" where option_name = 'active_plugins';
 +
 
 +
Thanks to - http://www.webhostinghero.com/manually-disable-wordpress-plugins/
 +
 
 +
== HOWTO: WordPress Security ==
 +
 
 +
=== Plugins ===
 +
 
 +
# [https://wordpress.org/plugins/wordfence/ WordFence]
 +
# [https://wordpress.org/plugins/no-captcha-recaptcha/ reCAPTCHA]
 +
# [https://wordpress.org/plugins/health-check/ Health Check]
 +
# [https://hidemywpghost.com/hide-my-wp/ Hide My WP WordPress] and [https://hidemywpghost.com/article/how-to-set-hide-my-wp-for-bitnami-servers/ How to set up Hide my WP for Bitnami Servers]
 +
 
 +
=== Wordfence ===
 +
 
 +
Hands down, the best.
 +
 
 +
[https://www.wordfence.com/products/wordfence-cli/ NEW - Wordfence Command Line!]
 +
 
 +
==== Wordfence CLI ====
 +
 
 +
'''Setup'''
 +
 
 +
Download ...
 +
 
 +
cd /root/docker/
 +
git clone <nowiki>https://github.com/wordfence/wordfence-cli.git</nowiki>
 +
cd wordfence-cli/
 +
 
 +
Configure ...
 +
 
 +
docker run -v $(pwd):/root wordfence-cli:latest configure --configuration /root/.config/wordfence/wordfence-cli.ini --overwrite --default --accept-terms --request-license
 +
 
 +
Check ...
 +
 
 +
$ cat .config/wordfence/wordfence-cli.ini
 +
[DEFAULT]
 +
cache_directory = ~/.cache/wordfence
 +
license = 115e4a467b330ad5302cf1a50723f268e122a948d0e53f47d2417deeeea614xxxxxxxxxxxxxxxxxxxxxxx
 +
[MALWARE_SCAN]
 +
workers = 1
 +
 +
docker run -v $(pwd):/root wordfence-cli:latest version
 +
'''Wordfence CLI 5.0.1'''
 +
PCRE Supported: Yes - PCRE Version: 8.39 2016-06-14 (JIT Supported: Yes)
 +
Vectorscan Supported: No
 +
 
 +
Documentation ...
 +
 
 +
https://github.com/wordfence/wordfence-cli/blob/main/docs/Configuration.md
 +
 
 +
'''Usage'''
 +
 
 +
=== Password Protect Admin Folder Dashboard ===
 +
 
 +
https://www.wpbeginner.com/wp-tutorials/how-to-password-protect-your-wordpress-admin-wp-admin-directory/
 +
 
 +
=== Tutorials ===
 +
 
 +
[https://www.codeinwp.com/blog/secure-your-wordpress-website/ Secure Your WordPress Website]
 +
 
 +
[https://themeisle.com/blog/secure-wordpress-theme/ Secure WordPress Theme]
 +
 
 +
[https://www.wpbeginner.com/wordpress-security/ The Ultimate WordPress Security Guide]
 +
 
 +
=== Security Updates Mailing List ===
 +
 
 +
http://www.wordfence.com/subscribe-to-the-wordfence-email-list/
 +
 
 +
== HOWTO: WordPress Core: Add Page Last Modified Date ==
 +
 
 +
Add this code to your footer.php file...
 +
 
 +
<nowiki>Last modified: <?php the_modified_date(); ?></nowiki>
 +
 
 +
http://codex.wordpress.org/Template_Tags/the_modified_date
 +
 
 +
== HOWTO: WP-Members: Remove Powered By Link In Footer ==
 +
 
 +
Edit the file...
 +
 
 +
wp-content/plugins/wp-members/wp-members-dialogs.php
 +
 
 +
Search for 'powered by' and comment out both lines.
 +
 
 +
== HOWTO: Deactivate all plugins when unable to access the administrative menus? ==
 +
 
 +
* Via FTP or your host's file manager, navigate to the wp-contents folder (directory)
 +
* Via FTP or your host's file manager, rename the folder "plugins" to "plugins.hold"
 +
* Login to your WordPress administration menus (/wp-admin)
 +
* Via FTP or your host's file manager, rename "plugins.hold" back to "plugins"
 +
 
 +
http://codex.wordpress.org/FAQ_Troubleshooting
 +
 
 +
== DukaPress Shop Plugin ==
 +
 
 +
TO BE DONE.
 +
 
 +
== HOWTO: SET: The Home Page As A Static Page Instead Of Post ==
 +
 
 +
* Create a new page, it does not have to be called home.
 +
* Settings --> Reading --> Front page displays --> change from 'Your latest posts' to 'A static page (select below) and use the drop down menu to set the page required.
 +
* Click 'Save Changes'.
 +
* Optional: If you still want a 'Posts page' posts that option is also allowed for.
 +
 
 +
== HOWTO: SET: Menus As A Non-Clickable Top Level Item ==
 +
 
 +
This method only applies if you are using the default menu provided in WordPress.
 +
 
 +
First off do not create a page for the non-clickable as there is no need.
 +
 
 +
* WP Menu --> Appearance --> Menus
 +
* Links widget (under Pages in the left hand widget)
 +
* In the URL box change the contents 'http://' to '#' (without the quotes)
 +
* Add a label
 +
* Click the 'Add to Menu' button
 +
* Click the 'Save Menu' button
 +
 
 +
== WorldPay ==
 +
 
 +
TO BE DONE.
 +
 
 +
'''Test Credit Card Numbers''' - http://www.worldpay.com/support/kb/bg/testandgolive/tgl5103.html
 +
 
 +
== HOWTO: Permalinks (Page URL) - Alter ==
 +
 
 +
Go to:
 +
 
 +
Control Panel --> Settings --> Permalinks
 +
 
 +
Select 'Post name'
 +
 
 +
Finally click the 'Save Changes' button.
 +
 
 +
Or the more complicated method:
 +
 
 +
Add this to your .htaccess file...
 +
 
 +
# BEGIN WordPress
 +
<IfModule mod_rewrite.c>
 +
RewriteEngine On
 +
RewriteBase /
 +
RewriteRule ^index\.php$ - [L]
 +
RewriteCond %{REQUEST_FILENAME} !-f
 +
RewriteCond %{REQUEST_FILENAME} !-d
 +
RewriteRule . /index.php [L]
 +
</IfModule>
 +
# END WordPress
 +
 
 +
== Mobile Skin ==
 +
 
 +
http://wordpress.org/extend/plugins/wptouch/
 +
 
 +
== HOWTO: REMOVE: 'Home' Button ==
 +
 
 +
The code you need to modify is located in the TwentyTen Theme's functions.php file.
 +
 
 +
$args['show_home'] = false;
 +
 
 +
== PLUGIN: Yoast SEO ==
 +
 
 +
=== Use wp-cli ===
 +
 
 +
wp yoast index
 +
 +
Indexing posts  100% [==============================] 0:00 / 0:00
 +
Indexing terms  100% [==============================] 0:00 / 0:00
 +
Indexing post type archives  100% [=================] 0:00 / 0:00
 +
Indexing general objects  100% [====================] 0:00 / 0:00
 +
 
 +
To reset the index database, use this command ...
 +
 
 +
  wp yoast index --reindex
 +
 
 +
https://developer.yoast.com/features/wp-cli/reindex-indexables/
 +
 
 +
=== Fix Incorrect URL On Breadcrumbs Links After Site Move ===
 +
 
 +
# Install the Yoast Test Helper plugin, found here https://wordpress.org/plugins/yoast-test-helper/
 +
# Go to <code>Tools → Yoast Test</code>
 +
# Click the '''Reset Indexables tables and Migrations''' button
 +
# Go to <code>SEO → Tools</code>
 +
# Click the '''Start SEO Optimisation''' button and let it complete
 +
 
 +
https://wordpress.org/support/topic/after-the-change-of-domain-breadcrumbs-link-partly-still-old-url/
 +
 
 +
=== How To Hide Breadcrumbs On Home Page ===
 +
 
 +
body.home #breadcrumbs {
 +
  display: none;
 +
}
 +
 
 +
=== Useful Links ===
 +
 
 +
[https://gist.github.com/amboutwe/4b7a2f01366399281a53c355c5b78801/ Github Filters]
 +
 
 +
[http://hookr.io/plugins/yoast-seo/4.7.1/filters/ Custom Filters]
 +
 
 +
[https://wordpress.org/support/topic/dont-show-home-in-breadcrumbs/ Don't Show Home on Breadcrumbs]
 +
 
 +
== PLUGIN: Coming Soon and Maintenance Mode ==
 +
 
 +
https://en-gb.wordpress.org/plugins/coming-soon/
 +
 
 +
== PLUGIN: All-In-One WP Migration ==
 +
 
 +
[https://ryankozak.com/all-in-one-migration-sizelimit/ Size Limit Fix]
 +
 
 +
/wp-content/plugins/all-in-one-wp-migration/constants.php
 +
 
 +
// =================
 +
// = Max File Size =
 +
// =================
 +
define( 'AI1WM_MAX_FILE_SIZE', 536870912 * 8 );
 +
 
 +
== PLUGINS: Caching ==
 +
 
 +
https://www.elegantthemes.com/blog/resources/the-best-wordpress-cache-plugins-and-how-to-use-them
 +
 
 +
== HOWTO: FIX: ==
 +
 
 +
=== Error: Undefined index: HTTP_X_FORWARDED_PROTO with WP-CLI ===
 +
 
 +
Change the lines in your '''wp-config.php''' to these ...
 +
 
 +
define('FORCE_SSL_ADMIN', true);
 +
define('FORCE_SSL_LOGIN', true);
 +
if (isset($_SERVER['HTTP_X_FORWARDED_PROTO']) && $_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https'){ $_SERVER['HTTPS']='on'; }
 +
 
 +
https://randomadult.com/fix-undefined-index-http_x_forwarded_proto-with-wp-cli/
 +
 
 +
=== Missing Appearance Menus in Dashboard ===
 +
 
 +
https://www.wpbeginner.com/beginners-guide/how-to-fix-missing-appearance-menu-in-wordpress-admin/
 +
 
 +
=== Error: Minified React error #31 ===
 +
 
 +
This seems to be a NginX bug with the Gutenberg Editor and is part of the Tools > Site Health error "REST API is not working correctly."
 +
 
 +
Change all your lines with this...
 +
 
 +
try_files $uri $uri/ /index.php;
 +
 
 +
To this...
 +
 
 +
try_files $uri $uri/ /index.php$is_args$args;
 +
 
 +
Restart NginX and PHP FPM...
 +
 
 +
sudo systemctl restart php7.4-fpm.service nginx.service
 +
 
 +
https://developer.wordpress.org/rest-api/frequently-asked-questions/#query-parameters-are-not-working
 +
 
 +
=== Error: Sorry, you are not allowed to edit posts in this post type ===
 +
 
 +
This is probably because it is a post type of revision...
 +
 
 +
  sudo -u www-data wp post get 449
 +
  ...
 +
  post_name            | 230-revision-v1
 +
  post_type            | revision
  
 
=== Error: changeset_post_save_failure ===
 
=== Error: changeset_post_save_failure ===
  
This is caused by a faulty PHP file in the WordPress installation and a possible MySQL database corruption.
+
This is caused by a faulty PHP file in the WordPress installation and a possible MySQL database corruption.
 +
 
 +
Use wp command line to backup the database, then clear the database, then force upgrade the WP install.
 +
 
 +
sudo -i
 +
sudo -u www-data -E wp db export wp_db_export_file.sql
 +
chown www-data:www-data wp_db_export_file.sql
 +
cp -av wp_db_export_file.sql ~/
 +
cp -av wp-config.php ~/
 +
sudo -u www-data -E wp db reset --yes
 +
service mysql restart
 +
sudo -u www-data -E wp db import wp_db_export_file.sql
 +
sudo -u www-data -E wp db check
 +
sudo -u www-data -E wp db tables
 +
sudo -u www-data -E wp core update --force --locale=en_GB
 +
sudo -u www-data -E wp core update-db
 +
sudo -u www-data -E wp core verify-checksums --locale=en_GB
 +
 
 +
=== Error: Wordfence Update Error ===
 +
 
 +
If you see this error when updating Wordfence in the WordPress Dashboard...
 +
 
 +
Installing Plugin: Wordfence Security x.x.x
 +
Downloading install package from <nowiki>https://downloads.wordpress.org/plugin/wordfence.x.x.x.zip</nowiki>…
 +
Unpacking the package…
 +
Could not copy file. wordfence/xxxxx/xxxxxx
 +
 
 +
You need to go to /wp-content/upgrade/ and delete all the wordfence folders/files in there. Chances are you won't be able to do that via FTP due to chown problems but will need shell access to your server to get rid of them. After that is done you will be able to upgrade without a problem.
 +
 
 +
cd /home/user/www/wp-content/
 +
sudo rm -rfv upgrade/*
 +
 
 +
Thanks - https://wordpress.org/support/topic/update-error-v-517
 +
 
 +
=== Wordfence Central ===
  
Use wp command line to backup the database, then clear the database, then force upgrade the WP install.
+
Head over to Wordfence Central, go to the Connection Issues tab. Clear out any sites that might be in here.
  
sudo -i
+
Now go back to your site and log in as an admin. Navigate to Tools > Diagnostics > Other Tests > Clear all Wordfence Central connection data. Clear the connection data, which it looks like you already tried, then from the Wordfence Dashboard, click on “Connect this site” in the Wordfence Central widget.
sudo -u www-data -E wp db export wp_db_export_file.sql
 
chown www-data:www-data wp_db_export_file.sql
 
cp -av wp_db_export_file.sql ~/
 
cp -av wp-config.php ~/
 
sudo -u www-data -E wp db reset --yes
 
service mysql restart
 
sudo -u www-data -E wp db import wp_db_export_file.sql
 
sudo -u www-data -E wp db check
 
sudo -u www-data -E wp db tables
 
sudo -u www-data -E wp core update --force --locale=en_GB
 
sudo -u www-data -E wp core update-db
 
sudo -u www-data -E wp core verify-checksums --locale=en_GB
 
  
=== Error: Wordfence Update Error ===
+
https://www.wordfence.com/help/central/connect/#troubleshooting-connection-issues also has some troubleshooting steps you could follow.
 
 
If you see this error when updating Wordfence in the WordPress Dashboard...
 
 
 
Installing Plugin: Wordfence Security x.x.x
 
Downloading install package from https://downloads.wordpress.org/plugin/wordfence.x.x.x.zip…
 
Unpacking the package…
 
Could not copy file. wordfence/xxxxx/xxxxxx
 
 
 
You need to go to /wp-content/upgrade/ and delete all the wordfence folders/files in there. Chances are you won't be able to do that via FTP due to chown problems but will need shell access to your server to get rid of them. After that is done you will be able to upgrade without a problem.
 
 
 
cd /home/user/www/wp-content/
 
sudo rm -rfv upgrade/*
 
 
 
Thanks - https://wordpress.org/support/topic/update-error-v-517
 
  
 
=== Lighttpd Permalinks ===
 
=== Lighttpd Permalinks ===
Line 1,714: Line 2,544:
  
 
  Installing Plugin: Disable Author Pages 0.7
 
  Installing Plugin: Disable Author Pages 0.7
  Downloading install package from https://downloads.wordpress.org/plugin/disable-author-pages.zip…
+
  Downloading install package from <nowiki>https://downloads.wordpress.org/plugin/disable-author-pages.zip</nowiki>…
 
  Unpacking the package…
 
  Unpacking the package…
 
  The package could not be installed. PCLZIP_ERR_BAD_FORMAT (-10) : Unable to find End of Central Dir Record signature
 
  The package could not be installed. PCLZIP_ERR_BAD_FORMAT (-10) : Unable to find End of Central Dir Record signature

Latest revision as of 14:09, 22 November 2024

Installation

to be done

Local WP

Local WP - Latest Ubuntu DEB

= Time Limited Test Instant WordPress Sites

TasteWP

InstaWP

Allow WebP Images

Plugins > WPCode Lite > Snippets > Add New > Add Your Custom Code (New Snippet) > PHP Snippet > "Allow WebP Image Files" >

function cc_mime_types($mimes) {
    $mimes['webp'] = 'image/webp';
    return $mimes;
}
add_filter('upload_mimes', 'cc_mime_types');

SSL When Using A Reverse Proxy

If WordPress is hosted behind a reverse proxy that provides SSL, but is hosted itself without SSL, these options will initially send any requests into an infinite redirect loop. To avoid this, you may configure WordPress to recognize the HTTP_X_FORWARDED_PROTO header (assuming you have properly configured the reverse proxy to set that header).

define('FORCE_SSL_ADMIN', true);
// in some setups HTTP_X_FORWARDED_PROTO might contain
// a comma-separated list e.g. http,https
// so check for https existence
if (strpos($_SERVER['HTTP_X_FORWARDED_PROTO'], 'https') !== false)
$_SERVER['HTTPS']='on';

https://wordpress.org/support/article/administration-over-ssl/#using-a-reverse-proxy

Enable Theme Editor

define( 'DISALLOW_FILE_EDIT', false );

Create Blank Page Templates

https://wordpress.org/plugins/fullwidth-templates/

Keyboard Shortcuts

The shortcut Alt + Shift + H (Option + Control + H for Mac) actually is the most useful shortcut because it shows you all the keyboard shortcuts.

CTRL + S = Save 

https://www.wpbeginner.com/beginners-guide/21-most-useful-time-saving-wordpress-shortcuts/

Cookies

https://wordpress.org/plugins/cookie-law-info/

https://www.civicuk.com/cookie-control/download

https://wordpress.org/plugins/civic-cookie-control-8/

Version 5.4

Disable Default Fullscreen Edit Mode

You’ll need to simply enter the following code in your WordPress theme’s functions.php file, or in a site-specific plugin. You can also use the custom code snippets plugin to add this code to your site without conflicts.

if (is_admin()) { 
    function jba_disable_editor_fullscreen_by_default() {
    $script = "jQuery( window ).load(function() { const isFullscreenMode = wp.data.select( 'core/edit-post' ).isFeatureActive( 'fullscreenMode' ); if ( isFullscreenMode ) { wp.data.dispatch( 'core/edit-post' ).toggleFeature( 'fullscreenMode' ); } });";
    wp_add_inline_script( 'wp-blocks', $script );
}
add_action( 'enqueue_block_editor_assets', 'jba_disable_editor_fullscreen_by_default' );
}

https://www.wpbeginner.com/wp-tutorials/how-to-disable-fullscreen-editor-in-wordpress/

Security

How To Disable XML-RPC

Edit your theme's functions.php file and add the following line...

// disable xmlrpc
add_filter('xmlrpc_enabled', '__return_false');

How To Deny Access To XML-RPC

Lighttpd

Edit your your vhost file...

url.access-deny = ( "xmlrpc.php" )

Apache

Edit the .htaccess file...

<Files xmlrpc.php>
 order deny,allow
 deny from all
</Files>

NginX

Edit your your vhost file...

location /xmlrpc.php {
   deny all;
}

How To Remove The WordPress Version Number

Edit your theme's functions.php and add the following line...

// remove version from head
remove_action('wp_head', 'wp_generator');
// remove version from rss
add_filter('the_generator', '__return_empty_string');
// remove version from scripts and styles
function shapeSpace_remove_version_scripts_styles($src) {
  if (strpos($src, 'ver=')) {
    $src = remove_query_arg('ver', $src);
  }
  return $src;
}
add_filter('style_loader_src', 'shapeSpace_remove_version_scripts_styles', 9999);
add_filter('script_loader_src', 'shapeSpace_remove_version_scripts_styles', 9999);

Thanks

MySQL Performance

Non Bitnami Server

sudo nano /etc/mysql/my.cnf
  [mysqld]
  performance_schema = OFF
sudo service mysql restart  (or  sudo systemctl restart mysql.service)

Thanks

Bitnami Server

sudo nano /opt/bitnami/mysql/my.cnf
  [mysqld]
  performance_schema = OFF
sudo /opt/bitnami/ctlscript.sh restart mysql

Remove Rest API From Header

https://thomas.vanhoutte.be/miniblog/remove-api-w-org-rest-api-from-wordpress-header/

Giving WordPress Its Own Directory

There are 2 ways to do this...

  1. without URL change (e.g. domain.com/)
  2. with URL change (domain.com/wordpress/)

https://wordpress.org/support/article/giving-wordpress-its-own-directory/

Organise Media Library with Categories

Happy Files

Amazon Polly Audio

https://docs.aws.amazon.com/polly/latest/dg/plugin.html

Google SiteKit

https://sitekit.withgoogle.com/

https://github.com/google/site-kit-wp/releases

SEO

  1. Stay active on social media.
  2. Focus on building quality backlinks.
  3. Establish yourself as an expert in your niche.
  4. Experiment with different types of content.
  5. Improve your website's performance.

Ranking Factors

Yoast SEO Webmaster Tools

Google Analytics SEO Tips

Google Analytics 4 Basic (SEO) Guide

Email

SMTP

Fluent SMTP

Forms

Fluent Forms

Fluent Forms Notification Email From Dropdown Address

The .value at the end of a field name is the key, otherwise you would get the Label.

{inputs.dropdown-name-attribute.value}

https://twitter.com/Fluent_Forms/status/1553958492813533184

Royalty Free Images

PixaBay

PixNio

Flickr

Best Free Stock Photo Web Sites

Contact Form 7

How to Hide the Recaptcha box

WPforms

Add field values for Dropdown, Checkboxes, and Multiple Choice fields

Fix Google reCAPTCHA

https://blog.laurencebichon.com/fix-wpforms-captcha-not-working-with-amp-google-recaptcha-v3/

FIX: ERROR: Another update is currently in progress

It is an automatic lock to prevent simultaneous core updates. It will be gone after 15 minutes. If you don't want to wait, delete the record from options table – usually wp_options.

sudo -u ftpuser wp option delete core_updater.lock

Success: Deleted 'core_updater.lock' option.

Thanks

Disable Automatic Updates

You can disable automatic updates in WordPress by adding this line of code in your wp-config.php file:

define( 'WP_AUTO_UPDATE_CORE', false );

Change Post Types

Rename the default 'Posts' to 'News' or something else

Performance Tweaks

Why Is WordPress Slow?

However, many factors can affect your WordPress site’s performance. Some of the most common ones include:

  • Your site’s web hosting provider
  • Server-side optimizations (PHP version, caching, compression, etc.)
  • Sluggish WordPress themes
  • Slow WordPress plugins
  • Unoptimized content (mainly images)
  • Too many external HTTP requests
  • Not using a dedicated resource to serve content (CDN, video hosting, etc.)

Performance Checklist

Hidden Options

https://www.mydomain.com/wp-admin/options.php

Host Google Services Locally

Google Analytics

Google Fonts

Remove Lots

TrimPress

Autoptimize

Asset Cleanup

Remove Emoji Code

Add the following lines to the bottom of your theme's functions.php file...

remove_action( 'wp_head', 'print_emoji_detection_script', 7 );
remove_action( 'wp_print_styles', 'print_emoji_styles' );

Thanks

Remove Type Attribute From JavaScript Tags

Add the following lines to the bottom of your theme's functions.php file...

add_action(
  'after_setup_theme',
    function() {
      add_theme_support( 'html5', [ 'script', 'style' ] );
    }
);

Thanks

Compression

Enable...

https://www.tweaked.io/guide/lighttpd/

Test...

curl -I --compressed <url>

Image Compression

tinyPNG

Smush

Render Blocking

https://varvy.com/pagespeed/render-blocking-css.html

https://varvy.com/pagespeed/defer-loading-javascript.html

CDN

Cloudinary

Cloudinary is the media management platform for web and mobile developers. An end-to-end solution for all your image and video needs.

Cloudinary Media Performance CDN - WordPress Plugin

Caching

WordPress 6.1 and later now includes checks for Page Cache and Object Cache in the Site Health tool.

How do I disable the cache checks? Add these code snippets:-

function disable_full_page_cache_check( $tests ) {
    unset( $tests['async']['page_cache'] );
    return $tests;
}
add_filter( 'site_status_tests', 'disable_full_page_cache_check' );
function disable_object_cache_check( $tests ) {
    unset( $tests['direct']['persistent_object_cache'] );
    return $tests;
}
add_filter( 'site_status_tests', 'disable_object_cache_check' );

WordPress Caching

Caching strategy is a key decision for any WordPress site for speed and performance. There are typically 4 levels of caching recommended for WordPress. Here is a description of how we will set up caching for WordPress with Docker:

Browser Caching: This is what tells the visitors browser to cache the files locally to speed up future site/page visits. We will set this up using Nginx. On Apache, this is accomplished using .htaccess files.

Server Caching: This caches static versions of pages (Page cache). We are going to accomplish this using Nginx FastCGI cache.

Frontend Caching: This means caching WordPress PHP files so they don't have to be re-compiled for every visit. We are going to set this up using PHP OpCache.

Database Caching: This optimizes database queries by storing them in the RAM for faster delivery. We are going to use Redis for this.

As mentioned before, I have Cloudflare and Ezoic Site Speed+ that serve cached and optimized content to visitors. But even without those, the above caching strategy should deliver excellent speeds.

https://www.smarthomebeginner.com/wordpress-on-docker-traefik/


Here is a quick list of the different types of caching we can identify:

  • Page cache: it happens on the server and stores the entire HTML of a page (as WP Rocket does);
  • Browser cache: it keeps storing the HTML but occurs on the browser;
  • Object cache: it stores database queries;
  • Bytecode cache: it's a PHP extension and stores precompiled script bytecode in the memory;
  • CDN cache: it occurs on the CDN-side and stores the HTML and all other static files (images, CSS and JS);
  • Reverse proxy cache: it happens on the server's side and stores all its responses to the client's server.

Browser Caching

For Apache .htaccess ...

<IfModule mod_expires.c>
  ExpiresActive on
  
  # whitelist expires rules
  ExpiresDefault "access 1 month"
 
  # Favicon (cannot be renamed)
  ExpiresByType image/x-icon "access plus 1 week"
 
  # Media: images, video, audio
  ExpiresByType image/gif "access plus 1 month"
  ExpiresByType image/png "access plus 1 month"
  ExpiresByType image/jpg "access plus 1 month"
  ExpiresByType image/jpeg "access plus 1 month"
  ExpiresByType video/ogg "access plus 1 month"
  ExpiresByType audio/ogg "access plus 1 month"
  ExpiresByType video/mp4 "access plus 1 month"
  ExpiresByType video/webm "access plus 1 month"
 
  # Webfonts
  ExpiresByType application/x-font-ttf "access plus 1 month"
  ExpiresByType font/opentype "access plus 1 month"
  ExpiresByType application/x-font-woff "access plus 1 month"
  ExpiresByType image/svg+xml "access plus 1 month"
 
  # CSS and JavaScript
  ExpiresByType text/css "access plus 1 month"
  ExpiresByType text/javascript "access plus 1 month"
  ExpiresByType application/javascript "access plus 1 month"
 
  <IfModule mod_headers.c>
    Header append Cache-Control "public"
  </IfModule>
</IfModule>

https://www.tweaked.io/guide/lighttpd/

KeyCDN Cache Enabler

Tutorial

WordPress Plugin

Content Delivery Network Pricing

KeyCDN - Getting Started

KeyCDN - WordPress CDN Integration with CDN Enabler

After installing, make sure all the pages get generated in the cache with this script - Use wget to scrape all URLs from a sitemap.xml

Check the bottom of the page's source code for the following...

<!-- Cache Enabler by KeyCDN @ 21.04.2020 22:17:15 (html) -->

W3 Total Cache

W3 Total Cache - Simple Introduction Tutorial

W3 Total Cache - Extensive Tutorial

W3 Total Cache - WordPress Plugin Page

How can I tell if if the cache plugin is working?

You can open the source code of a page (Google Chrome) View > Developer > View Source and scroll to the bottom. You should see an HTML-comment that states the site was cached by W3 Total Cache.

Perf Matters

This is a paid-for plugin that does an amazing selection of optimisation for WordPress. Seriously, everything.

https://perfmatters.io/features/

WP Rocket

WP Rocket No Cache - Disables WP Rocket’s page cache while preserving other optimization features.

HTTP/2

HTTP/2 For Web Developers

Disable WP Cron

This is a bit of a unsure one, if you do this it will make other things moan and it's really not worth it...

define('DISABLE_WP_CRON', true);

Links

Perf Matters

Performance Lab (WebP and Cache) Plugin

Improve WordPress Web Site Performance

UpTrends Web Site Speed Test

Varvy PageSpeed Tests

GTMetrix WordPress Web Site Analysis and Performance Tool

Google PageSpeed Tests

PNG2JPG

Oxygen Builder - Speed Up WordPress in 2019: How To Optimize Your Website & Make It Load Fast

WordPress Optimisation - Need to be < 3 secs load time

Accessibility Skip To Main Content

One of the earliest solutions in all of web accessibility was the "skip to main content" link, a same page link at the top of the page that enables users to skip past navigation links and go straight to the main content of the web page. Despite the fact that these links have been in use since the early 1990's, they actually aren't implemented well at all by browsers. They can be a huge benefit to sighted non-mousers (navigating by keyboard) but they don't work for these users in any browser other than Firefox and Internet Explorer, and they don't even work in IE unless link targets have tabindex="0".

<div id="skiplink-container">
   <div>
     <a href="#content" class="skiplink">Skip to main content</a>
   </div>
 </div>
 
 <div>
   <main role="main" id="content" tabindex="-1">
   ...
   content in here
   ...
   </main>
 </div>

https://www.w3schools.com/tags/tag_main.asp

Gutenberg

How to add more Columns

The default columns block uses two columns, but you can add up to six columns in one column block.

To increase the number of columns, click somewhere in the column block but outside of the blocks within it. You'll see the settings in the sidebar switch from the Document settings to the Block settings revealing extra options. You can use the slider or the number input to adjust the number of columns from 2-6.

https://www.competethemes.com/blog/wordpress-make-columns/

Elementor

Fix Mixed Content Error on SSL

First, search and replace all references to non secure addresses...

Dashboard > Elementor > Tools > Replace URL > http://www.thisdomain.co.uk -- https://www.thisdomain.co.uk

https://docs.elementor.com/article/218-i-changed-the-url-of-my-website-and-elementor-does-not-work-anymore

Second, clear the Cache from WP Rocket or similar...

Dashboard > WP Rocket > Clear Cache

Change Default Font

How To Change The Default Font In Elementor (Step By Step) – ThemeWaves

Fix Update Database Error

This command will update the database, if an update is needed...

wp elementor update db

This command will update the Elementor Pro database, if an update is needed...

wp elementor-pro update db

This command will update the database even if another process is running...

wp elementor update db --force

This command will update the database for each site in the network...

wp elementor update db --network

https://developers.elementor.com/docs/cli/update-db/

Divi

Updates

Changelog

Customise For Mobile View

Divi > Theme Customizer link within your WordPress Dashboard. Next look for the Mobile Styles panel and open it to reveal the mobile styling options. You will notice 3 sections within the Mobile Styles panel: Tablet, Phone and Mobile Menu.

Remove Divi Menu Drop Shadow

#main-header, #main-header.et-fixed-header {
    -webkit-box-shadow: none!important;
    -moz-box-shadow: none!important;
    box-shadow: none!important;
}

Icons

https://www.elegantthemes.com/blog/resources/elegant-icon-font

Breakdance

Breakdance is an easy-to-use visual site builder for WordPress. It allows you to build websites from start to finish - including custom headers, footers, blog templates and dynamic page layouts - all without touching a line of code.

Breakdance is a new WordPress page builder focused on both power and speed. The builder was recently released in September 2022 and features over 120 block elements usable through a drag & drop UI.

It has been created by the makers of Oxygen and combines the best parts of Oxygen withe best parts of Bricks and Elementor.

Review with List of Features

Why Breakdance?

Official Web Site

Documentation

Roadmap

YouTube Channel

Feature Requests

RSS News Feed

Global Settings

Typography

Heading Font Yabe Webfont
Body Font Yabe Webfont

Advanced > Headings

H1 = clamp(2.4rem, calc(2.4rem + ((1vw - 0.32rem) * 0.8333)), 3.2rem)
H2 = clamp(2.0rem, calc(2.0rem + ((1vw - 0.32rem) * 0.625)), 2.8rem)
H3 = clamp(1.8rem, calc(1.8rem + ((1vw - 0.32rem) * 0.2083)), 2.2rem)
H4 = clamp(1.3rem, calc(1.3rem + ((1vw - 0.32rem) * 0.4167)), 1.8rem)
H5 = clamp(1.1rem, calc(1.1rem + ((1vw - 0.32rem) * 0.4167)), 1.4rem)
H6 = clamp(1.0rem, calc(1.0rem + ((1vw - 0.32rem) * 0.4167)), 1.2rem)

This, just doesn't seem to work (hopefully AutomaticCSS will come to the rescue soon!) so I have put some fixed viewport settings here for now:-

Desktop = 3.0rem
Tablet Landscape = 2.7rem
Tablet Portrait = 2.0rem
Phone Landscape = 1.8rem
Phone Portrait = 1.6rem

Containers

Sections
Responsive Size Vertical Padding Horizontal Padding
Desktop 80 px 32 px
Tablet Landscape 70 px 28 px
Tablet Portrait 55 px 22 px
Phone Landscape 45 px 18 px
Phone Portrait 30 px 12 px

Tips

Fix Gutenberg

Breakdance > Settings > Performance > untick 'Remove Gutenberg Blocks CSS', then add the following code to CSS which fixes flex rows ...

.breakdance figure {
  width: unset;
}

Globally Change Colour Of Icon On Menu Builder Dropdown

Menu Builder / Desktop Menu / Dropdowns / Links / Graphic / Icon

Reduce Height Of Sticky Header On Scroll

Size on desktop 100px
Spacing / Padding 0
Sticky / Style / Minimum height 60px

Templates

https://bdlibraryawesome.com/

Oxygen Builder

Introduction

Oxygen is a plugin that replaces the Theme system in WordPress. It allows you to build your own Templates for use in any page. It produces the most efficient code and the fastest loading web sites.

Features

https://wparena.com/oxygen-review/

Purchase

https://oxygenbuilder.com/pricing

Installation

Plugins > Add New > Upload Plugin > Browse > Install Now

Documentation

https://oxygenbuilder.com/documentation/

Changelog

https://oxychangelog.com

Support

Slack - Oxygen Builder General Support

Oxygen - Official Support

Github - Oxygen Bugs and Features

Roadmap

Using Oxygen with Elementor

Yeah, I know, why the **** would you want to? But, it's possible ...

Oxygen > Templates > New Template > Add Sections for header + main + footer, then in the main section add a Code Block with the PHP ...

<?php the_content(); ?>

... and then you can install the Elementor plugin, edit the page and watch as 100's of lines are added to your code :)

But, it's easy to use, right?

Tips

Performance

Oxygen seems to load quicker in Mozilla Firefox.

https://oxygen4fun.supadezign.com/tips/useful-optimizations-for-oxygen-builder/

Responsive

NONE OF THIS IS NEEDED IF YOU BUY AND USE AUTOMATIC.CSS


Fluid Resposive Font Size Calculator

Fonts

Before we get down to tweaking, here is the list of default settings for the Fonts in Global Styles:-

Headings
H1 - Font Size = 36px + Font Weight = 700
H2 - Font Size = 30px
H3 - Font Size = 24px
H4 - Font Size = 20px
H5 - Font Size = 18px
H6 - Font Size = 16px

Body Text
Text - Font Size = 16px + Font Weight = 400 + Line Height = 1.6 + Colour = #404040

CSS clamp()

CSS clamp is a function that sets responsive unit sizes without any media queries. The function takes 3 parameters in this order:

  1. min - where to start scaling from.
  2. viewport width - the range determines how fast the min scales to the max based on the screen getting larger.
  3. max - when to stop scaling.

Add CSS

Oxygen > Templates > Edit Template > Manage > Stylesheets > Add Stylesheet > Clamp

/* Base */

html {
  font-size: 62.5%;
}

Add Clamp

Oxygen > Templates > Edit Template > Manage > Settings > Global Styles > Headings

H1 = clamp(3.2rem, calc(3.2rem + ((1vw - 0.32rem) * 1.6667)), 4.8rem)
H2 = clamp(2.8rem, calc(2.8rem + ((1vw - 0.32rem) * 1.0417)), 3.8rem)
H3 = clamp(2.4rem, calc(2.4rem + ((1vw - 0.32rem) * 0.8333)), 3.2rem)
H4 = clamp(2.2rem, calc(2.2rem + ((1vw - 0.32rem) * 0.625)), 2.8rem)
H5 = clamp(2rem, calc(2rem + ((1vw - 0.32rem) * 0.2083)), 2.2rem)
H6 = clamp(1.4rem, calc(1.4rem + ((1vw - 0.32rem) * 0.4167)), 1.8rem)

Oxygen > Templates > Edit Template > Manage > Settings > Global Styles > Body Text

Font Size = clamp(1.4rem, calc(1.4rem + ((1vw - 0.32rem) * 0.4167)), 1.8rem)

https://www.youtube.com/watch?v=aO7QeE53Aqg

Sections and Columns

Oxygen > Templates > Edit Template > Manage > Settings > Global Styles > Sections and Columns

Here are the default settings for Section and Columns in Oxygen Builder ...

Section Container Padding
TOP = 75px
BOTTOM = 75px
LEFT = 20px
RIGHT = 20px

Columns Padding
TOP = 20px
BOTTOM = 20px
LEFT = 20px
RIGHT = 20px

New values ...

Section Container Padding

TOP = clamp(1rem, calc(1rem + ((1vw - 0.32rem) * 1.0417)), 2rem)
BOTTOM = clamp(1rem, calc(1rem + ((1vw - 0.32rem) * 1.0417)), 2rem)
LEFT = 2rem
RIGHT = 2rem

Columns Padding

Delete all values then change to 'none'.

https://www.youtube.com/watch?v=aO7QeE53Aqg

Images

SRCSET - The srcset attribute is giving the browser several different options to choose from depending on the size parameters. The browser will choose the smallest image that still matches the specified size parameters.

Learn how to register custom image sizes in WordPress and use SRCSET functionality in Oxygen for fully responsive images...

https://www.youtube.com/watch?v=0jc74V5wYRk

https://digitalambition.co/watch/responsive-srcset-images-in-oxygen-register-use-custom-sizes/

https://creativesfeed.com/responsive-images-with-srcset/

Sticky Shrinking Header

https://isotropic.co/sticky-shrinking-header-in-oxygen-builder-that-hides-on-scroll-down/

Miscellaneous

https://oxywp.com/en/home-page/

Tags and Lists

Basic Component Lists in Oxygen Builder

Add-Ons

Automatic CSS

Automatic.css is the Most Practical, No-Nonsense Utility Framework Ever Created for Oxygen Builder.

  • Automatic Typography
  • Automatic Colours
  • Automatic Spacing

Automatic CSS - Tweak Oxygen Before Install

Automatic CSS - Home Page

Automatic CSS - Changelog

Automatic CSS - Setup

Holding Page

Floating logo...

Add > Div > center--all , height--full , pad--m

<div id="div_block-2-10" class="ct-div-block center--all height--full pad--m" >

Negative Values

margin-top: calc(var(--space-xxl) * -1);
Recoda WorkSpace

Recoda WorkSpace for Oxygen Builder | Getting Started | Changelog

Command Line

section@Name#id'tag.class

Install the Recoda plugin, start a new Template, press g on your keyboard, paste any of these lines and press enter ...

HEADER

section@Header#header'header.header

MAIN

section@Main#main'main.main

FOOTER

section@Footer#footer'footer.footer

ALL 3 SECTIONS TOGETHER

section@Header#header'header.header+section@Main#main'main.main+section@Footer#footer'footer.footer

COMPLEX FOOTER WITH 3 COLUMNS

section@Footer#footer'footer.footer.grid--3.pad-section--xs.grid--m-1.gap--l>div>txt{Lorem ipsum dolor sit amet. Id magnam sint et inventore temporibus non soluta aperiam est quos tempora sed galisum quia.}^1*3
Others

Edit CSS Outside Oxygen - for this, install WP Code Snippets > Add New > Custom > Type: PHP > Paste PHP Code > Save > Activate

OxyProps - CSS Custom Properties right in Oxygen Builder

OxyExtras

Hydrogen Pack - tweaks for Oxygen Builder

OxyNinja - Core Design and UI Set

OxyNinja Framework Cheatsheet

OxyMade - Design Set and Framework for Oxygen Builder

Oxygen Builder Addons

Nimbufy - Bring any web page layout into Oxygen Builder

Multi-User Collaboration

How To Install Analytics Using Code Snippets

https://wordpress.org/plugins/code-snippets/

Dashboard > Snippets > Add New >

add_action( 'wp_head', 'matomo_analytics' );
/**
 * Adds Matomo Analytics code in <head> below the <title>.
 */
function matomo_analytics() { ?>

<script>
  var _paq = window._paq = window._paq || [];
  /* tracker methods like "setCustomDimension" should be called before "trackPageView" */
  _paq.push(['trackPageView']);
  _paq.push(['enableLinkTracking']);
  (function() {
    var u="https://matomo.domain.uk/";
    _paq.push(['setTrackerUrl', u+'matomo.php']);
    _paq.push(['setSiteId', '24']);
    var d=document, g=d.createElement('script'), s=d.getElementsByTagName('script')[0];
    g.async=true; g.src=u+'matomo.js'; s.parentNode.insertBefore(g,s);
  })();
</script>

<?php }

https://permaslug.com/how-to-install-google-analytics-in-wordpress/

How To Clone A Template

Under "Edit with Oxygen" you can click on shortcode and copy the content, then create a new template, click on shortcode, paste it and save it. Done.

How To Copy An Entire Web Site

To copy an entire WordPress install with all of your content, plugins, settings, and everything else, you can use a plugin like All-in-One WP Migration.

Once you've created a .wpress package with All-in-One WP Migration, import the package on the target site and do the following:

  1. Save your permalinks twice via Settings > Permalinks
  2. Resign your shortcodes via Oxygen > Settings > Security
  3. Regenerate your CSS cache via Oxygen > Settings > CSS Cache
  4. Check to verify that everything looks and works as you expect

You may also need to open each template in the admin area and click the Update button on the right-hand side, but this is rare if you have followed the above steps.

https://oxygenbuilder.com/documentation/other/importing-exporting/

Custom Fonts

https://www.youtube.com/watch?v=3pqOKtdiCTM

Dark Mode

https://www.youtube.com/watch?v=CzfP3-xwoiM

Paste this in to a Code Block

https://smoothwebsites.net/tutorials/how-to-implement-a-dark-mode-toggle-in-oxygen/

https://permaslug.com/dark-mode-in-oxygen/

Google Analytics

Plugins

Simple Universal Google Analytics

Google Analytics Dashboard for WP (GADWP)

Ecommerce - Shopify

https://www.shopify.com/buy-button/wordpress

https://www.shopify.co.uk/lite

Ecommerce - WooCommerce

How to create more than 50 product variations in WooCommerce

define( 'WC_MAX_LINKED_VARIATIONS', 100 );

https://www.proy.info/create-more-than-50-product-variations-in-woocommerce/

Hide Downloads Tab on My Account page

Dashboard > WooCommerce > Settings > Advanced > Account Endpoints > delete the text in the 'downloads' box

Account endpoints - Endpoints are appended to your page URLs to handle specific actions on the accounts pages. They should be unique and can be left blank to disable the endpoint.

Products Sorting

How to Change Default WooCommerce Product Sorting

  1. Method one – use the customise setting to change default product sorting
  2. Method two – Drag and Drop product sorting

Add Customers

https://fluentsmtp.com/manually-add-customers-to-woocommerce/

Setup Wizard

You can run the Setup Wizard, if you skipped it when installing WooCommerce. Go to: Help > Setup Wizard and select Setup Wizard.

https://docs.woocommerce.com/document/woocommerce-setup-wizard/#section-6

Categories

https://atlantisthemes.com/woocommerce-categories/

Code Snippets

https://www.tychesoftwares.com/woocommerce-shop-page-hooks-visual-guide-with-code-snippets/

Hide Product Count

.woocommerce-result-count {
  display: none;
}

Show Arrow On Drop-Down Sorting Menu On Product Pages

.breakdance-woocommerce select {
  -moz-appearance: auto;
  -webkit-appearance: auto;
  appearance: auto;
  height: auto;
  width: auto;
}

Show Product Categories on Theme Menus

Appearance > Menus > Screen Options (at top of page) > tick Product Categories

Show Product Categories on Shop Page

  1. Click on Appearance > Customize
  2. Then go to WooCommerce > Product Catalog
  3. Select show categories from Shop Page Display
  4. Click on Save Changes

Customise Breadcrumb

https://docs.woocommerce.com/document/customise-the-woocommerce-breadcrumb/

Accompanying Plugins

Request a Quote for WooCommerce

WooCommerce Quotation / Request For Quote Plugin

Request A Quote

Shortcodes

WooCommerce cannot function properly without the first three shortcodes being somewhere on your site.

[woocommerce_cart] – shows the cart page
[woocommerce_checkout] – shows the checkout page
[woocommerce_my_account] – shows the user account page
[woocommerce_order_tracking] – shows the order tracking form

https://docs.woocommerce.com/document/woocommerce-shortcodes/

Custom Related Products

https://wordpress.org/plugins/custom-related-products-for-woocommerce/

Google Products Integration

https://woocommerce.com/products/google-listings-and-ads/

https://www.searchenginejournal.com/google-integrates-with-woocommerce-for-easy-product-uploads/410082/amp/

Command Line Updating Database

This will update the WooCommerce database using wp-cli on a WordPress Multisite install...

export WP_CLI_CACHE_DIR=/var/www/domain.co.uk/.wp-cli/cache; sudo -u www-data -E wp --path='/var/www/domain.co.uk/html/' --url='https://sub.domain.co.uk/' wc update

Square Payment Plug-In

The Square Digital Wallet option for WooCommerce is lovely and all, but it means you can get around the Order Limit plug-in.

The fix?

Install the WPCode Lite plug-in then add a PHP Snippet called 'WooCommerce Square Hide Digital Wallet' with this code in it ...

add_filter( 'wc_square_display_digital_wallet_on_pages', function( $pages ) {
    return array(
        /* 'product', // Don't show Apple Pay and Google Pay on product pages */
        /* 'cart', */
        'checkout',
    );
}, 10, 1 );

Removing Square Google Pay from Certain Product Pages in WooCommerce

Analytics

Analytics Section Not Showing

Go to https://www.yoursite.com/wp-admin/options.php and look for the option woocommerce_analytics_enabled and change it to yes then click SAVE CHANGES.

Media Queries Screen Sizes List

/* Set the background color of body to tan */
body {
  background-color: tan;
}

/* On screens that are 992px or less, set the background color to blue */
@media screen and (max-width: 992px) {
  body {
    background-color: blue;
  }
}

/* On screens that are 600px or less, set the background color to olive */
@media screen and (max-width: 600px) {
  body {
    background-color: olive;
  }
}

CSS Media Queries - More Examples

This is a list of the known screen sizes so that you can customise your CSS for mobile devices.

For example, a Google Pixel...

@media screen 
  and (device-width: 360px) 
  and (device-height: 640px) 
  and (-webkit-device-pixel-ratio: 3) 
  and (orientation: portrait) {

}

https://css-tricks.com/snippets/css/media-queries-for-standard-devices/

Test Pages

Resize you browser window and watch the magic happen...

https://www.w3schools.com/cssref/tryit.asp?filename=trycss3_media_bg

<!DOCTYPE html>
<html>
<head>
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<style>
body {
  background-color: yellow;
}
@media only screen and (max-width: 600px) {
  body {
    background-color: lightblue;
  }
}
</style>
</head>
<body>
<h1>The @media Rule</h1>

Resize the browser window. When the width of this document is 600 pixels or less, the background-color is "lightblue", otherwise it is "yellow".

</body>
</html>

Menu Descriptions

https://www.wpbeginner.com/wp-themes/how-to-add-menu-descriptions-in-your-wordpress-themes/

Custom PHP Code

Paste the PHP code into your theme's file:

<?php 
echo do_shortcode('[smartslider3 slider=1]');
?>

Disable Avatars Gravatar

Every page load will try to contact gravatar.com to load a user's avatar. To speed things up, disable avatars...

Settings > Discussion > untick Show Avatars > Save Settings > Log Out

Make Twenty Nineteen Full Width

https://benjaminintal.com/2018/12/11/how-to-make-twenty-nineteens-content-full-width/

Responsive CSS Templates

https://www.w3schools.com/css/css_rwd_templates.asp

Simple One Page Theme

https://www.famethemes.com/themes/onepress/

https://raratheme.com/wordpress-themes/business-one-page/

https://demo.themegrill.com/flash-one-page/

https://www.inkthemesdemo.com/wptheme/free-one-page-wordpress-theme/

Nice Themes

Astra

Pysio

Google Fonts

Google Fonts Plugin

Host Google Fonts Locally

Security Scan

https://wpscans.com

FTP Details

NEWEST

FEBRUARY 2021 - FIX FOR FTP CHROOT

New tweak = put the chroot'd path to the base, content and plugin directories.

Also, use the 'ftpsockets' method.

/** FTP Tweaks */
define('FS_METHOD', 'ftpsockets');
define('FTP_SSL', 'false');
define('FTP_HOST', '123.456.789.0:21');
define('FTP_USER', 'username');
define('FTP_PASS', 'password');
define('FTP_BASE', '/html/');
define('FTP_CONTENT_DIR', '/html/wp-content/');
define('FTP_PLUGIN_DIR ', '/html/wp-content/plugins/');

NEWISH

/** FTP Tweaks */
define('FS_METHOD', 'ftpext');
define('FTP_HOST', 'ftp.example.org');
define('FTP_USER', 'username');
define('FTP_PASS', 'password');
define('FTP_BASE', '/path/to/wordpress/');

Full list of FTP variables...

define('FS_METHOD', 'ftpext');
define('FTP_BASE', '/path/to/wordpress/');
define('FTP_CONTENT_DIR', '/path/to/wordpress/wp-content/');
define('FTP_PLUGIN_DIR ', '/path/to/wordpress/wp-content/plugins/');
define('FTP_PUBKEY', '/home/username/.ssh/id_rsa.pub');
define('FTP_PRIKEY', '/home/username/.ssh/id_rsa');
define('FTP_USER', 'username');
define('FTP_PASS', 'password');
define('FTP_HOST', 'ftp.example.org');
define('FTP_SSL', false);

https://wordpress.org/support/article/editing-wp-config-php/

Version 5 Gutenberg Editor

https://wordpress.org/gutenberg/handbook/designers-developers/

About Page

https://www.domain.com/wp-admin/about.php

Hacking

WPscan - Open Source WordPress scanner

Attacking WordPress - /readme.html

Hack Check

11 Top Reasons Why WordPress Sites Get Hacked (and How to Prevent it)

How To Hack A WordPress Web Site

WordPress Releases

https://wordpress.org/download/releases/

WordPress Releases and PHP Requirements

PHP Compatibility and WordPress Versions

WordPress with Lighttpd

Installation

need to add

  • add php repo
  • add mysql repo
  • add extra php modules for new 'site health' (php7.3-bcmath, php-imagick)

https://make.wordpress.org/hosting/handbook/handbook/server-environment/#php-extensions

sudo -i
apt-get install lighttpd php-cgi php-mysql mysql-server
lighty-enable-mod fastcgi
lighty-enable-mod fastcgi-php
wget -O wordpress-latest.tar.gz http://wordpress.org/latest.tar.gz
tar --strip-components=1 -xzvf wordpress-latest.tar.gz -C /var/www/domain.co.uk/html/
cd /var/www/domain.co.uk/html
mv wp-config-sample.php wp-config.php
chown -R ftpuser1:www-data .
find . -type f -exec chmod 664 {} +
find . -type d -exec chmod 775 {} +
chmod 660 wp-config.php

https://www.smashingmagazine.com/2014/05/proper-wordpress-filesystem-permissions-ownerships

FIXES THE RECENT WORDPRESS 5 BUG OF NOT SAVING PAGES

$HTTP["host"] =~ "domain.co.uk" {
  url.rewrite-if-not-file = (
  # Exclude directories
  "^/(wp-admin|wp-includes|wp-content|gallery2|.well-known)/(.*)" => "$0",
  # Exclude root php files
  "^/(.*.php)" => "$0",
  # Handle permalinks and feeds
  "^/(.*)$" => "/index.php/$1"
  )
}

WordPress with NginX

Docker WordPress with NginX and PHP-FPM

https://www.digitalocean.com/community/tutorials/how-to-install-linux-nginx-mysql-php-lemp-stack-on-ubuntu-20-04

https://www.digitalocean.com/community/tutorials/how-to-install-wordpress-with-lemp-on-ubuntu-18-04

NOTES

sudo apt-get install nano
sudo apt-get install nginx
sudo apt-get install mysql-server
sudo mysql_secure_installation
sudo apt-get install php-fpm php-mysql
sudo apt-get install php-curl php-gd php-mbstring php-xml php-xmlrpc
sudo apt-get install curl

https://www.techrepublic.com/article/how-to-install-mcrypt-for-php-7-2/

Tuning Performance

HTTP/2 with nginX

https://mmoapi.com/post/tuning-nginx-php-fpm-and-system-sysctl-to-increase-website-performance

Sitemaps

# Rewrites for Yoast SEO XML Sitemap
rewrite ^/sitemap_index.xml$ /index.php?sitemap=1 last;
rewrite ^/([^/]+?)-sitemap([0-9]+)?.xml$ /index.php?sitemap=$1&sitemap_n=$2 last;

https://yoast.com/help/xml-sitemaps-nginx/

Rest API Fix

This seems to be a NginX bug with the Gutenberg Editor and is part of the Tools > Site Health error "REST API is not working correctly."

Change all your lines with this...

try_files $uri $uri/ /index.php;

To this...

try_files $uri $uri/ /index.php$is_args$args;

Restart NginX and PHP FPM...

sudo systemctl restart php7.4-fpm.service nginx.service

https://developer.wordpress.org/rest-api/frequently-asked-questions/#query-parameters-are-not-working

Registration Page

/wp-login.php?action=register

Backup

https://managewp.com/features/backup

https://websitesetup.org/wordpress-backup/

WordPress Site Management

https://mainwp.com/features/

WordPress MultiSite

https://premium.wpmudev.org/blog/ultimate-guide-multisite/

Network Activate Plugins

On a WordPress multisite, only Super Admins can install plugins. After the installation, super admins have these options...

  1. Network Activate – Using this option super admins can activate a plugin across the network.
  2. Activate – They can also activate a plugin for the main/root site.
  3. Individual Sites – Lastly they can allow individual site administrators to activate plugins themselves.

When you log in to your WordPress multisite's main site, you will be able to see two different plugins screen.

The first one is on the main admin sidebar. It is for plugins installed and available for activation on your main site.

The second plugins screen is located under My Sites » Network Admin » Plugins. This is where you will install new plugins and manage them for the entire network.

https://www.wpbeginner.com/beginners-guide/should-you-network-activate-all-plugins-on-wordpress-multisite/

Add Plugins Menu for Child Sites in WordPress Multisite

To enable plugin’s menu for individual sites, you need to switch to Network Admin dashboard.

Switching to network admin dashboard

On the network admin dashboard, visit Settings » Network Settings. Scroll down to the bottom of the page and you will see the checkbox to enable plugins menu.

WP CLI

Show list of sites...

export WP_CLI_CACHE_DIR=/var/www/domain.co.uk/.wp-cli/cache; sudo -u www-data -E wp --path='/var/www/domain.co.uk/html/' site list

Show options for a multisite site...

export WP_CLI_CACHE_DIR=/var/www/domain.co.uk/.wp-cli/cache; sudo -u www-data -E wp --path='/var/www/domain.co.uk/html/' --url='http://mysubdomain.domain.co.uk/' option get siteurl

Change option for a multisite site...

export WP_CLI_CACHE_DIR=/var/www/domain.co.uk/.wp-cli/cache; sudo -u www-data -E wp --path='/var/www/domain.co.uk/html/' --url='http://mysubdomain.domain.co.uk/' option update siteurl 'http://mysubdomain.domain.com'

Help With Making Changes

https://www.siteground.com/kb/change-domain-wordpress-multisite/

Move Posts To Different Types

  • Posts to Pages
  • Pages to Posts
  • Default Post Type to Custom Post Type

http://wordpress.org/extend/plugins/post-type-switcher/

Custom Post Types and Categories and Taxonomies

https://www.wpbeginner.com/wp-tutorials/how-to-exportimport-custom-post-types-in-wordpress/

https://www.wpbeginner.com/wp-tutorials/how-to-add-categories-to-a-custom-post-type-in-wordpress/

Import Posts with Images

https://wordpress.org/plugins/export-featured-images/

https://kellenmace.com/include-featured-images-with-posts-using-wordpress-exportimport-tool/

https://wordpress.stackexchange.com/questions/257180/how-to-import-wordpress-posts-with-images-from-one-wordpress-site-to-another

DEBUGGING

The following code, inserted in your wp-config.php file, will log all errors, notices, and warnings to a file called debug.log in the wp-content directory.

It will also hide the errors so they do not interrupt page generation.

// Enable WP_DEBUG mode
define( 'WP_DEBUG', true );

// Enable Debug logging to the /wp-content/debug.log file
define( 'WP_DEBUG_LOG', true );

// Disable display of errors and warnings
define( 'WP_DEBUG_DISPLAY', false );
@ini_set( 'display_errors', 0 );

// Use dev versions of core JS and CSS files (only needed if you are modifying these core files)
define( 'SCRIPT_DEBUG', true );

NOTE: You must insert this BEFORE /* That's all, stop editing! Happy blogging. */ in the wp-config.php file.

Google Maps

https://www.embedgooglemap.net/

HOWTO: Create Folders Within Media Library

https://maxgalleria.com/add-organize-media-library-folders/

https://wordpress.org/plugins/media-library-plus/

HOWTO: Download Older Versions of WordPress Plugins

https://kinsta.com/knowledgebase/download-older-versions-of-wordpress-plugins/

HOWTO: Increase PHP Memory Limit (UpdraftPlus Error)

If you see this error when you use the wp cli ...

Fatal error: Allowed memory size of 134217728 bytes exhausted (tried to allocate xxxxx bytes)

... then you can fix it by adding this to the wp-config.php file just before the "/* That's all, stop editing! Happy publishing. */" line:-

define('WP_MEMORY_LIMIT', '256M');

https://updraftplus.com/faqs/deal-fatal-error-allowed-memory-size-errors/

HOWTO: Disable wp-cron.php WP_CRON

WordPress uses a file called wp-cron.php as a virtual cron job, or scheduled task in order to automate things like publishing scheduled posts, checking for plugin or theme updates, sending email notifications and more.

By default WordPress is set up to call wp-cron.php every time someone visits your WordPress website when a scheduled task is present, to basically ask "is it time to do anything yet?".

On low traffic sites this is perfectly fine, but when visitors roll in, checking multiple times for scheduled tasks can be very inefficient and lead to resource usage problems for your server, plus make your website load slower.

To fix this, change the following setting in your wp-config.php file...

define('DISABLE_WP_CRON', true);

Then, create a cron job to call the script...

crontab -e
@hourly cd /var/www/website.co.uk/html/ && sudo -u www-data php wp-cron.php

or

@hourly curl --silent https://www.website.co.uk/wp-cron.php?doing_wp_cron

Thanks - https://www.inmotionhosting.com/support/website/wordpress/disabling-the-wp-cronphp-in-wordpress

HOWTO: Disable WordPress User Account

  • Method 1 - change the user's role to 'No Role For This Site'
  • Method 2 - install the Disable Users Plugin and disable that user.

Thanks - https://9seeds.com/how-to-disable-wordpress-user-accounts/

Hide Page Title On Home Page Only

body.home header.entry-header {
  display: none;
}

HOWTO: Hide Page Title Per Basis

style.css

.page-id-1826 .entry-title {display: none;}

Thanks - https://premium.wpmudev.org/blog/wordpress-hide-page-title-or-post-title-on-a-case-by-case-basis/

HOWTO: Download Latest Version

wget -O wordpress-latest.tar.gz http://wordpress.org/latest.tar.gz

HOWTO: Update Admin User Password Command Line

mysql -u root -p wordpress_database -e "UPDATE wp_users SET user_pass=MD5('MyNewPassword') WHERE ID='1';"

HOWTO: Extract WordPress Without First Directory

sudo tar --strip-components=1 -xzvf latest.tar.gz -C /path/to/directory/

e.g.

sudo tar --strip-components=1 -xzvf latest.tar.gz -C /var/www/domain.com/html/

HOWTO: Correct Ownership And Permissions Of BITNAMI Wordpress Files

sudo chown -R daemon:daemon /opt/bitnami/apps/wordpress/htdocs
sudo find /opt/bitnami/apps/wordpress/htdocs -type d -exec chmod 755 {} \;
sudo find /opt/bitnami/apps/wordpress/htdocs -type f -exec chmod 644 {} \;
sudo /opt/bitnami/ctlscript.sh restart apache
sudo /opt/bitnami/ctlscript.sh restart php-fpm

https://morganhvidt.com/fix-permissions-wordpress-bitnami-gcp/

HOWTO: Install Different PHP Modules on BITNAMI WordPress

Bitnami stacks already include a number of PHP modules, which are installed but not active. Before installing a new module, check that it is not already included. If it exists, simply enable it in the PHP configuration file.

Imagick

The Imagick module is installed in Bitnami stacks, but is not enabled by default. To enable it, follow these steps:

Uncomment or add the following line to the /opt/bitnami/php/etc/php.ini file:

...
extension=imagick.so
...

Restart the Apache server and/or the PHP-FPM service (if available):

sudo /opt/bitnami/ctlscript.sh restart apache
sudo /opt/bitnami/ctlscript.sh restart php-fpm

Thanks

HOWTO: Correct Ownership And Permissions Of Wordpress Files

You need to make the user the FTP login and the group the user Apache or Lighttpd runs as...

sudo chown -R fred:www-data /var/www/fred.com/html/

Change to the correct directory...

cd /var/www/fred.com/html/

For secure permissions...

sudo find . -type f -exec chmod 644 {} +
sudo find . -type d -exec chmod 755 {} +
sudo chmod 640 wp-config.php

For relaxed permissions...

sudo find . -type f -exec chmod 664 {} +
sudo find . -type d -exec chmod 775 {} +
sudo chmod 660 wp-config.php

HOWTO: Disable Update Check For A Single Plugin

Open the main plugin file and change the version number to 9.9.9

HOWTO: Create MySQL Database

  1. log in to mysql
  2. create database
  3. set user and password and permissions
  4. log out of mysql
mysql -u root -p
create database wordpress;
GRANT SELECT, INSERT, UPDATE ON wordpress.* to 'wordpressuser'@'localhost' identified by 'mypassword';
quit;

HOWTO: Generate Salt Keys

https://api.wordpress.org/secret-key/1.1/salt/

HOWTO: Complete Configuration

cd /var/www/domain.com/html
sudo rm -iv index.html
sudo mv -v wp-config-sample.php wp-config.php
sudo nano wp-config.php
define('DB_NAME', 'wordpressdatabase');
define('DB_USER', 'wordpressuser');
define('DB_PASSWORD', 'mYPassWOrd');
define('DB_HOST', 'localhost');
/** Authentication Unique Keys and Salts.
REPLACE LINES WITH YOUR LINES FROM SALT LINK ABOVE

Now load the web site in your web browser and complete installation.


HOWTO: Enable Updates Via SSH / SFTP

sudo aptitude install libssh2-php

Then, restart your web server software.

Thanks - https://snowulf.com/2010/06/29/wordpress-enabling-sshsftp-updates/

HOWTO: Update Via Command Line

WP CLI is a command line tool for managing your WordPress installation.

http://wp-cli.org

Install

NEW

sudo add-apt-repository ppa:tiagohillebrandt/wp-cli
sudo apt-get update
sudo apt-get -s install wp-cli
sudo apt-get -y install wp-cli
sudo -u www-data wp --info

OLD

For use with Docker containers...

curl -O https://raw.githubusercontent.com/wp-cli/builds/gh-pages/phar/wp-cli.phar
chmod +x wp-cli.phar
mv wp-cli.phar wp
chown root:root wp
chmod 0700 wp
./wp --allow-root --info
./wp --allow-root plugin deactivate --all
./wp --allow-root user list

IONOS Tweaks

Out of the box, the IONOS Linux hosting seems to use PHP 7.3 for wp-cli ...

wp cli info

To fix this, select your PHP version in the admin panel - e.g. 7.4

Log in to your hosting server using SSH, then check to make sure this test works ...

/usr/bin/php7.4-cli /usr/share/php/wp-cli/wp-cli-2.6.0.phar cli info

Then, assign a terminal shall alias to 'wp' for the second test and run 'wp' ...

alias wp='/usr/bin/php7.4-cli /usr/share/php/wp-cli/wp-cli-2.6.0.phar'
wp cli info

Then, create a few files to automatically load the alias and fix it ...

nano ~/.bash_profile
alias ll='ls -lah'
alias wp='/usr/bin/php7.4-cli /usr/share/php/wp-cli/wp-cli-2.6.0.phar'
nano ~/.bashrc
source ~/.bash_profile

Log out, then back in and type ...

wp cli info

... and it should now show the later version of PHP being used.

Commands

wp --info
wp core version
wp core check-update
wp core update
wp core update-db
wp core verify-checksums
wp theme update --all
wp plugin update --all
wp language core update
wp language theme --all update
wp language plugin --all update

Complete CLI Setup

#
# using wp command line tool to make a wordpress web site
# 

# create directories and log files
sudo mkdir -p /var/www/www.domain.co.uk/{html,logs,.wp-cli/cache}
sudo touch /var/www/www.domain.co.uk/logs/{access,error}.log
sudo chmod g+w /var/www/www.domain.co.uk/logs/{access,error}.log
sudo chown -R www-data:www-data /var/www/www.domain.co.uk/

# change to working directory
cd /var/www/www.domain.co.uk/html/

# create environment variables
export WP_CLI_CACHE_DIR=/var/www/www.domain.co.uk/.wp-cli/cache

# check wp cli working
sudo -u www-data -E wp --info

# download the core wordpress files
sudo -u www-data -E wp core download --locale=en_GB

# check the core wordpress files
sudo -u www-data -E wp core verify-checksums

# create a wordpress mysql database
sudo mysql -u root -p -e "CREATE DATABASE wwwdomaincouk; CREATE USER 'wwwdomaincouk' IDENTIFIED BY 'SuperPassword'; GRANT ALL ON wwwdomaincouk.* TO 'wwwdomaincouk'; FLUSH PRIVILEGES;"

# create a wordpress configuration file
sudo -u www-data -E wp core config --dbname='wwwdomaincouk' --dbuser='wwwdomaincouk' --dbpass='SuperPassword' --dbhost='localhost' --dbprefix='wp_'

# complete the installation process
sudo -u www-data -E wp core install --url='http://www.domain.co.uk' --title='Web Site Name' --admin_user='joe.bloggs' --admin_password='MyGoodPassword' --admin_email='me@domain.co.uk'

# check web site working on command line and admin dashboard works
curl -I http://www.domain.co.uk

# check for updates
sudo -u www-data -E wp core version
sudo -u www-data -E wp core update
sudo -u www-data -E wp core update-db
sudo -u www-data -E wp plugin list
sudo -u www-data -E wp plugin update --all
sudo -u www-data -E wp theme list
sudo -u www-data -E wp theme update --all
sudo -u www-data -E wp language core list --status=active
sudo -u www-data -E wp language core update
sudo -u www-data -E wp language plugin list --all --status=active
sudo -u www-data -E wp language plugin update --all
sudo -u www-data -E wp language theme list --all --status=active
sudo -u www-data -E wp language theme update --all

# add new user
sudo -u www-data -E wp user create john.doe john.doe@domain.co.uk --role=administrator --first_name=John --last_name=Doe --nickname=John --display_name=John

# list users
sudo -u www-data -E wp user list

As Another User On Server

cd /path/to/wordpress/
sudo -u www-data -E wp --help
sudo -u www-data -E wp core --help
sudo -u www-data -E wp core check-update
sudo -u www-data -E wp core download
sudo -u www-data -E wp core is-installed
sudo -u www-data -E wp core update
sudo -u www-data -E wp core update-db
sudo -u www-data -E wp core verify-checksums
sudo -u www-data -E wp core version
sudo -u www-data -E wp plugin --help
sudo -u www-data -E wp plugin list
sudo -u www-data -E wp plugin update
sudo -u www-data -E wp plugin update --all
sudo -u www-data -E wp plugin status
sudo -u www-data -E wp plugin activate --all
sudo -u www-data -E wp plugin status
sudo -u www-data -E wp theme --help
sudo -u www-data -E wp theme list
sudo -u www-data -E wp theme update --all
sudo -u www-data -E wp theme list
sudo -u www-data -E wp theme delete twentysixteen
sudo -u www-data -E wp theme delete twentyseventeen
sudo -u www-data -E wp theme list
sudo -u www-data -E wp theme search Intentionally
sudo -u www-data -E wp theme install intentionally-blank
sudo -u www-data -E wp theme activate intentionally-blank
sudo -u www-data -E wp language plugin --all update
sudo -u www-data -E wp language theme --all update
sudo -u www-data -E wp language core update

Config List Settings

wp config get

Config List File Location

wp config path

Database Show Tables Sizes

wp db size --tables

Database Optimise

wp db optimize

Database Repair

wp db repair

Database Export

wp db export

Database Export With Filename

wp db export ./filename.sql

Database Search

wp db query "SELECT * FROM wp_options"

Clear Cache

wp cache flush

Plugin Install

Install...

wp plugin install wordpress-seo

Install and activate...

wp plugin install wordpress-seo --activate

Install and activate a particular version...

wp plugin install wordpress-seo --version=4.8 --activate

Install and activate multiple plugins...

wp plugin install advanced-custom-fields jetpack --activate

Install and activate from your own location...

wp plugin install https://www.domain.com/path/to/my/myplugin.zip --activate

Plugin Deactivate

Deactivate...

wp plugin deactivate wordpress-seo

Deactivate all plugins (good for debugging a problem!)...

wp plugin deactivate --all

Plugin Update

Update...

wp plugin update wordpress-seo

Update all plugins...

wp plugin update --all

Site Blank

wp site empty

Site Blank and Delete Media Uploads

wp site empty --uploads
wp site empty --uploads --yes

Theme Child Create

wp scaffold child-theme NEW-CHILD-SLUG --parent_theme=SLUG --theme_name=TITLE

Help

https://www.codeinwp.com/blog/wp-cli/

Update Admin Email Address

wp option update admin_email 'me@domain.co.uk'
wp option update new_admin_email 'me@domain.co.uk'

User List

sudo -u www-data wp user list

User Create

wp user create <user-login> <user-email> [--role=<role>] [--user_pass=<password>] [--user_registered=<yyyy-mm-dd-hh-ii-ss>] [--display_name=<name>] [--user_nicename=<nice_name>]
[--user_url=<url>] [--nickname=<nickname>] [--first_name=<first_name>] [--last_name=<last_name>] [--description=<description>] [--rich_editing=<rich_editing>] [--send-email] [--porcelain]
sudo -u www-data wp user create joe.bloggs joe@bloggs.com --role=editor --display_name=Joe Bloggs --first_name=Joe --last_name=Bloggs

User Reset Password

1. Move into the /wordpress directory and type

sudo -u www-data wp user list

to see all users. Find the ID of the user you'd like to update.

2. Then, update the user

sudo -u www-data wp user update 1 --user_pass=changeme --skip-email

replacing "1" with the id of the user you want to update.

Check A Post For Type

sudo -u www-data wp post get 230

Show WordPress URL

wp option get home
wp option get siteurl

Change WordPress URL

wp option update home 'http://example.com'
wp option update siteurl 'http://example.com'

Search and Replace and View Changes

sudo -u www-data wp search-replace 'Lorem ' 'Lorum ' --dry-run --report-changed-only --log

Search and Replace WordPress Database Change URL

sudo -u wpusername wp search-replace 'http://test.domain.co.uk' 'http://www.domain.co.uk' --dry-run
sudo -u wpusername wp search-replace 'http://test.domain.co.uk' 'http://www.domain.co.uk'

or for auto SSL sites...

sudo -u wpusername wp search-replace 'http://test.domain.co.uk' 'https://www.domain.co.uk' --dry-run
sudo -u wpusername wp search-replace 'http://test.domain.co.uk' 'https://www.domain.co.uk'

Export All Users

This will export all users to a CSV...

sudo -u daemon -E wp --path=/opt/bitnami/apps/wordpress/htdocs/2 user list --format=csv >user_list.csv

Block A User

  1. change their password
  2. change their role
  3. change their email address
export WP_CLI_CACHE_DIR=/var/www/www.domain.co.uk/.wp-cli/cache/
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user list
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user update 2 --user_pass=iphoh3Qu --skip-email
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user update 2 --role= --skip-email
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user update 2 --user_email=different.email@domain.co.uk --skip-email
sudo -u www-data wp --path=/var/www/www.domain.co.uk/html/ user list

Delete All Subscribers

For this trick, you have to combine 2 commands in to 1... generate the list of users + feed that result to the delete command...

$ wp user delete $(wp user list --role=subscriber --field=ID) --reassign=2

Do the Export All Users first!

This is an example from a Bitnami WordPress install, using the user 'daemon' and the full path for completeness...

sudo -u daemon -E wp --path=/opt/bitnami/apps/wordpress/htdocs/2 user delete $(sudo -u daemon -E wp --path=/opt/bitnami/apps/wordpress/htdocs/2 user list --role=subscriber --field=ID) --reassign=23

Delete Comments

wp comment delete $(wp comment list --status=spam --format=ids) --force

or

wp comment delete $(wp comment list --format=ids) --force

Perform Commands Remotely

WP-CLI accepts an --ssh=[<scheme>][<user>@]<host>[:<port>][<path>] global parameter for running a command against a remote WordPress install.

First, install wp-cli on your computer...

sudo add-apt-repository ppa:tiagohillebrandt/wp-cli
sudo apt-get -y install wp-cli
sudo -u www-data wp --info

Then, use a host entry in your ~/.ssh/config file for your server, then you can run this...

wp --ssh=host --user=jbloggs --path='/var/www/domain.com/html' core version

https://make.wordpress.org/cli/handbook/guides/running-commands-remotely/

Migrate Copy Your Site

WP-CLI

https://rocketgeek.com/basics/using-wp-cli-to-migrate-copy-your-site/

All-in-One WP Migration

Fixed Old Version of All In One WP Migration 6.77 - use this to get around the paid for features...

  1. Install this version 6.77 of the plug-in on the staging host
  2. Create a backup on staging site
  3. Copy the wpress file to your new host
  4. Install this version 6.77 of the plug-in on the new host
  5. Create a quick backup to make the directory
  6. Move the wpress file to that directory (wp-content/ai1wm-backups/)
  7. Click on All-in-One WP Migration Backups
  8. Choose the file and click Restore :)

Convert to Multisite

wp core multisite-convert --subdomains
wp site list

https://developer.wordpress.org/cli/commands/core/multisite-convert/

https://developer.wordpress.org/cli/commands/site/

BackWPup

wp backwpup start <job-id>

https://backwpup.com/docs/starting-backup-job-immediately-or-scheduled/

Duplicate Post or Page

wp post create --from-post=123 --post_title='Different Title' --post_type=post
wp post create --from-post=321 --post_title='Another Title' --post_type=page

https://developer.wordpress.org/cli/commands/post/create/

HOWTO: CREATE: Child Themes

  • FTP in to site
  • Navigate to wp-content | themes
  • Create a new folder for the child theme, for example twentyfifteen-child (where twentyfifteen is the name of your parent theme)
  • Create a text file named style.css
  • Copy and paste the text from Example 1 below in to the style.css file.

Example 1:

/*
Theme Name: Example
Theme URI: http://example.co.uk
Description: Custom child theme
Author: Why me of course
Author URI: http://anotherexample.com
Template: theme-child
Version: 0.1
*/

@import url("../theme/style.css");
  • Next alter the text so it matches the details of the website the parent theme.

Example 2:

/*
Theme Name: twentyeleven-child
Theme URI: http://mywebsite.co.uk
Description: Custom child theme
Author: Fred Dibnah
Author URI: http://dibnah-inc.com
Template: twentyeleven 
Version: 0.1
*/

@import url("../twentyeleven/style.css");
  • FTP style.css to wp-content | themes | twentyfifteen-child
  • In the WordPress control panel navigate to Appearance | Themes

HOWTO: REMOVE: Comment Box From An Existing Page

  • All Pages
  • Select the 'Quick Edit' option
  • Un-tick 'Allow Comments'

HOWTO: ALTER: Site URL

There are various methods to change the Site URL manually. Any of these methods will work and perform much the same function.

1. Edit wp-config.php

It is possible to set the site URL manually in the wp-config.php file.

Add these two lines to your wp-config.php, where "example.com" is the correct location of your site.

define('WP_HOME','http://example.com');
define('WP_SITEURL','http://example.com');

2. MySQL

Edit home and siteurl from the wp_options table using PHPMyAdmin or similar.

3. wp Command Line

A. You can use the official WP command line tool to alter the 'home', 'siteurl' options.

cd /path/to/wordpress/files
sudo -u user wp option get home
sudo -u user wp option get siteurl
sudo -u user wp option update home 'http://www.domain.co.uk'
sudo -u user wp option update siteurl 'http://www.domain.co.uk'

https://developer.wordpress.org/cli/commands/option/

B. You can also use the command line to alter every part of the MySQL Database.

cd /path/to/wordpress/files
sudo -u user wp search-replace 'http://test.domain.co.uk' 'http://www.domain.co.uk' --dry-run
sudo -u user wp search-replace 'http://test.domain.co.uk' 'http://www.domain.co.uk'

https://developer.wordpress.org/cli/commands/search-replace/

HOWTO: htaccess Extra Security Tweaks

<IfModule mod_rewrite.c>
RewriteEngine On
RewriteBase /
RewriteRule ^index\.php$ - [L]
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule . /index.php [L]
# extra security tweaks
RewriteRule ^wp-admin/includes/ - [F,L]
RewriteRule !^wp-includes/ - [S=3]
RewriteRule ^wp-includes/[^/]+\.php$ - [F,L]
RewriteRule ^wp-includes/js/tinymce/langs/.+\.php - [F,L]
RewriteRule ^wp-includes/theme-compat/ - [F,L]
</IfModule>

http://wordpress.org/download/

HOWTO: Disable All Plugins Via PHPMyAdmin Or MySQL

mysql> update wp_options set option_value = "a:0:{}" where option_name = 'active_plugins';

Thanks to - http://www.webhostinghero.com/manually-disable-wordpress-plugins/

HOWTO: WordPress Security

Plugins

  1. WordFence
  2. reCAPTCHA
  3. Health Check
  4. Hide My WP WordPress and How to set up Hide my WP for Bitnami Servers

Wordfence

Hands down, the best.

NEW - Wordfence Command Line!

Wordfence CLI

Setup

Download ...

cd /root/docker/
git clone https://github.com/wordfence/wordfence-cli.git
cd wordfence-cli/

Configure ...

docker run -v $(pwd):/root wordfence-cli:latest configure --configuration /root/.config/wordfence/wordfence-cli.ini --overwrite --default --accept-terms --request-license

Check ...

$ cat .config/wordfence/wordfence-cli.ini
[DEFAULT]
cache_directory = ~/.cache/wordfence
license = 115e4a467b330ad5302cf1a50723f268e122a948d0e53f47d2417deeeea614xxxxxxxxxxxxxxxxxxxxxxx
[MALWARE_SCAN]
workers = 1

docker run -v $(pwd):/root wordfence-cli:latest version
Wordfence CLI 5.0.1
PCRE Supported: Yes - PCRE Version: 8.39 2016-06-14 (JIT Supported: Yes)
Vectorscan Supported: No

Documentation ...

https://github.com/wordfence/wordfence-cli/blob/main/docs/Configuration.md

Usage

Password Protect Admin Folder Dashboard

https://www.wpbeginner.com/wp-tutorials/how-to-password-protect-your-wordpress-admin-wp-admin-directory/

Tutorials

Secure Your WordPress Website

Secure WordPress Theme

The Ultimate WordPress Security Guide

Security Updates Mailing List

http://www.wordfence.com/subscribe-to-the-wordfence-email-list/

HOWTO: WordPress Core: Add Page Last Modified Date

Add this code to your footer.php file...

Last modified: <?php the_modified_date(); ?>

http://codex.wordpress.org/Template_Tags/the_modified_date

HOWTO: WP-Members: Remove Powered By Link In Footer

Edit the file...

wp-content/plugins/wp-members/wp-members-dialogs.php

Search for 'powered by' and comment out both lines.

HOWTO: Deactivate all plugins when unable to access the administrative menus?

  • Via FTP or your host's file manager, navigate to the wp-contents folder (directory)
  • Via FTP or your host's file manager, rename the folder "plugins" to "plugins.hold"
  • Login to your WordPress administration menus (/wp-admin)
  • Via FTP or your host's file manager, rename "plugins.hold" back to "plugins"

http://codex.wordpress.org/FAQ_Troubleshooting

DukaPress Shop Plugin

TO BE DONE.

HOWTO: SET: The Home Page As A Static Page Instead Of Post

  • Create a new page, it does not have to be called home.
  • Settings --> Reading --> Front page displays --> change from 'Your latest posts' to 'A static page (select below) and use the drop down menu to set the page required.
  • Click 'Save Changes'.
  • Optional: If you still want a 'Posts page' posts that option is also allowed for.

HOWTO: SET: Menus As A Non-Clickable Top Level Item

This method only applies if you are using the default menu provided in WordPress.

First off do not create a page for the non-clickable as there is no need.

  • WP Menu --> Appearance --> Menus
  • Links widget (under Pages in the left hand widget)
  • In the URL box change the contents 'http://' to '#' (without the quotes)
  • Add a label
  • Click the 'Add to Menu' button
  • Click the 'Save Menu' button

WorldPay

TO BE DONE.

Test Credit Card Numbers - http://www.worldpay.com/support/kb/bg/testandgolive/tgl5103.html

HOWTO: Permalinks (Page URL) - Alter

Go to:

Control Panel --> Settings --> Permalinks

Select 'Post name'

Finally click the 'Save Changes' button.

Or the more complicated method:

Add this to your .htaccess file...

# BEGIN WordPress
<IfModule mod_rewrite.c>
RewriteEngine On
RewriteBase /
RewriteRule ^index\.php$ - [L]
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule . /index.php [L]
</IfModule>
# END WordPress

Mobile Skin

http://wordpress.org/extend/plugins/wptouch/

HOWTO: REMOVE: 'Home' Button

The code you need to modify is located in the TwentyTen Theme's functions.php file.

$args['show_home'] = false;

PLUGIN: Yoast SEO

Use wp-cli

wp yoast index

Indexing posts  100% [==============================] 0:00 / 0:00
Indexing terms  100% [==============================] 0:00 / 0:00
Indexing post type archives  100% [=================] 0:00 / 0:00
Indexing general objects  100% [====================] 0:00 / 0:00

To reset the index database, use this command ...

 wp yoast index --reindex

https://developer.yoast.com/features/wp-cli/reindex-indexables/

Fix Incorrect URL On Breadcrumbs Links After Site Move

  1. Install the Yoast Test Helper plugin, found here https://wordpress.org/plugins/yoast-test-helper/
  2. Go to Tools → Yoast Test
  3. Click the Reset Indexables tables and Migrations button
  4. Go to SEO → Tools
  5. Click the Start SEO Optimisation button and let it complete

https://wordpress.org/support/topic/after-the-change-of-domain-breadcrumbs-link-partly-still-old-url/

How To Hide Breadcrumbs On Home Page

body.home #breadcrumbs {
  display: none;
}

Useful Links

Github Filters

Custom Filters

Don't Show Home on Breadcrumbs

PLUGIN: Coming Soon and Maintenance Mode

https://en-gb.wordpress.org/plugins/coming-soon/

PLUGIN: All-In-One WP Migration

Size Limit Fix

/wp-content/plugins/all-in-one-wp-migration/constants.php
// =================
// = Max File Size =
// =================
define( 'AI1WM_MAX_FILE_SIZE', 536870912 * 8 );

PLUGINS: Caching

https://www.elegantthemes.com/blog/resources/the-best-wordpress-cache-plugins-and-how-to-use-them

HOWTO: FIX:

Error: Undefined index: HTTP_X_FORWARDED_PROTO with WP-CLI

Change the lines in your wp-config.php to these ...

define('FORCE_SSL_ADMIN', true);
define('FORCE_SSL_LOGIN', true);
if (isset($_SERVER['HTTP_X_FORWARDED_PROTO']) && $_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https'){ $_SERVER['HTTPS']='on'; }

https://randomadult.com/fix-undefined-index-http_x_forwarded_proto-with-wp-cli/

Missing Appearance Menus in Dashboard

https://www.wpbeginner.com/beginners-guide/how-to-fix-missing-appearance-menu-in-wordpress-admin/

Error: Minified React error #31

This seems to be a NginX bug with the Gutenberg Editor and is part of the Tools > Site Health error "REST API is not working correctly."

Change all your lines with this...

try_files $uri $uri/ /index.php;

To this...

try_files $uri $uri/ /index.php$is_args$args;

Restart NginX and PHP FPM...

sudo systemctl restart php7.4-fpm.service nginx.service

https://developer.wordpress.org/rest-api/frequently-asked-questions/#query-parameters-are-not-working

Error: Sorry, you are not allowed to edit posts in this post type

This is probably because it is a post type of revision...

sudo -u www-data wp post get 449
...
post_name             | 230-revision-v1
post_type             | revision

Error: changeset_post_save_failure

This is caused by a faulty PHP file in the WordPress installation and a possible MySQL database corruption.

Use wp command line to backup the database, then clear the database, then force upgrade the WP install.

sudo -i
sudo -u www-data -E wp db export wp_db_export_file.sql
chown www-data:www-data wp_db_export_file.sql
cp -av wp_db_export_file.sql ~/
cp -av wp-config.php ~/
sudo -u www-data -E wp db reset --yes
service mysql restart
sudo -u www-data -E wp db import wp_db_export_file.sql
sudo -u www-data -E wp db check
sudo -u www-data -E wp db tables
sudo -u www-data -E wp core update --force --locale=en_GB
sudo -u www-data -E wp core update-db
sudo -u www-data -E wp core verify-checksums --locale=en_GB

Error: Wordfence Update Error

If you see this error when updating Wordfence in the WordPress Dashboard...

Installing Plugin: Wordfence Security x.x.x
Downloading install package from https://downloads.wordpress.org/plugin/wordfence.x.x.x.zip…
Unpacking the package…
Could not copy file. wordfence/xxxxx/xxxxxx

You need to go to /wp-content/upgrade/ and delete all the wordfence folders/files in there. Chances are you won't be able to do that via FTP due to chown problems but will need shell access to your server to get rid of them. After that is done you will be able to upgrade without a problem.

cd /home/user/www/wp-content/
sudo rm -rfv upgrade/*

Thanks - https://wordpress.org/support/topic/update-error-v-517

Wordfence Central

Head over to Wordfence Central, go to the Connection Issues tab. Clear out any sites that might be in here.

Now go back to your site and log in as an admin. Navigate to Tools > Diagnostics > Other Tests > Clear all Wordfence Central connection data. Clear the connection data, which it looks like you already tried, then from the Wordfence Dashboard, click on “Connect this site” in the Wordfence Central widget.

https://www.wordfence.com/help/central/connect/#troubleshooting-connection-issues also has some troubleshooting steps you could follow.

Lighttpd Permalinks

$HTTP["host"] =~ "www\.domain\.uk\.com$" {
server.document-root = "/home/lighttpd/www.domain.uk.com/html"
server.errorlog = "/home/lighttpd/www.domain.uk.com/logs/error.log"
accesslog.filename = "/home/lighttpd/www.domain.uk.com/logs/access.log"
url.rewrite-if-not-file = ( "^/(wp-.+).*/?" => "$0", "^/keyword/([A-Za-z_0-9\-]+)/?$" => "/index.php?keyword=$1", "^/.*?(\?.*)?$" => "/index.php$1" )
}

Thanks - http://antesarkkinen.com/blog/wordpress-with-lighttpd-pretty-url-permalinks-and-jetpack/

Error: PCLZIP_ERR_BAD_FORMAT

Installing Plugin: Disable Author Pages 0.7
Downloading install package from https://downloads.wordpress.org/plugin/disable-author-pages.zip…
Unpacking the package…
The package could not be installed. PCLZIP_ERR_BAD_FORMAT (-10) : Unable to find End of Central Dir Record signature

WP E-Commerce and Gold Cart Plugin

To reinstall for the new version...

  1. Go here - http://getshopped.org/extend/premium-upgrades-files/
  2. Put in API Key and then you can download (as of writing) version 2.9.3 of the gold cart.
  3. Unpack the /gold_cart_files/ folder to your hard disk
  4. FTP in and upload that whole folder to /public_html/wp-content/plugins
  5. Log in to the WP Admin Panel
  6. Go to Plugins and Activate the plugin
  7. Go to the Dashboard section and click on Store Upgrades
  8. Fill in your Name and API Key to activate the plugin
  9. Go to the Store > Presentations section to change drop-down View to Grid View

Updates On Hosting With 1&1

The problem I was having was the update would start, and then just stop after a few seconds.

Then in my wp-content folder I would see a bunch of failed downloads. They were the update zip files with a 0 byte size.

The Solution:

Add the following line to your .htaccess file in the root directory of your blog.

AddType x-mapp-php5 .php

This will enable PHP version 5 + on your blog and then your update should take off.

http://www.big-webmaster.com/wordpress-automatic-update-with-1and1/

White Screen of Death

https://wpmayor.com/what-to-do-when-a-wordpress-plugin-causes-your-website-to-crash/