qid
int64 4
8.14M
| question
stringlengths 20
48.3k
| answers
list | date
stringlengths 10
10
| metadata
sequence | input
stringlengths 12
45k
| output
stringlengths 2
31.8k
|
---|---|---|---|---|---|---|
387,887 | <p>Is there any hook or filter I can use programmatically to restrict posts displayed in the frontend archives and in the dashboard to posts only from specified author ID's? We've been getting a lot of spam authors lately and I'll like to also try this this approach while trying other means to get rid of spam.</p>
| [
{
"answer_id": 387850,
"author": "anton",
"author_id": 97934,
"author_profile": "https://wordpress.stackexchange.com/users/97934",
"pm_score": 0,
"selected": false,
"text": "<p><code>{$new_status}_{$post->post_type}</code> hook or <code>publish_post</code> fires when a post is transitioned from one status to another. At a moment this hook fires, no post meta is saved yet (on post creation).</p>\n<p>If you need to use custom post meta, where saving callback usually attached to <code>save_post</code> hook, <code>save_post</code> also fires to soon.</p>\n<p>I think it's better to try <strong>updated_post_meta</strong> hook, which fires immediately after updating metadata of a specific type.</p>\n"
},
{
"answer_id": 387860,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 2,
"selected": true,
"text": "<blockquote>\n<p>I don't know if it's the Gutenberg editor or if it's the hook\n<code>publish_post</code></p>\n</blockquote>\n<p>The hook itself works, and if you used the old WordPress post editor, then the issue in question would <strong>not</strong> happen.</p>\n<p>So you can say that it's the Gutenberg/block editor.</p>\n<blockquote>\n<p>why it's not returning the meta and featured image</p>\n</blockquote>\n<p>Because Gutenberg uses the REST API, and by the time the <code>publish_post</code> hook is fired (when <code>wp_update_post()</code> is called β see <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/rest-api/endpoints/class-wp-rest-posts-controller.php#L808\" rel=\"nofollow noreferrer\">source</a>), the post's featured image and other meta data have not yet been saved/processed.</p>\n<h2>How to fix the issue</h2>\n<p><em>If you're using WordPress <strong>5.6</strong> or later</em>, then for what you're trying to do, you would want to use the <a href=\"https://developer.wordpress.org/reference/hooks/wp_after_insert_post/\" rel=\"nofollow noreferrer\"><code>wp_after_insert_post</code> hook</a> which works well with the old/classic editor and the Gutenberg/block editor.</p>\n<p>Excerpt from <a href=\"https://make.wordpress.org/core/2020/11/20/new-action-wp_after_insert_post-in-wordpress-5-6/\" rel=\"nofollow noreferrer\">https://make.wordpress.org/core/2020/11/20/new-action-wp_after_insert_post-in-wordpress-5-6/</a>:</p>\n<blockquote>\n<h1>New action wp_after_insert_post in WordPress 5.6.</h1>\n<p>The new action <code>wp_after_insert_post</code> has been added to WordPress\n5.6 to allow theme and plugin developers to run custom code after a post and its terms and meta data have been updated.</p>\n<p>The <code>save_post</code> and related actions have commonly been used for this\npurpose but these hooks can fire <em>before</em> terms and meta data are\nupdated outside of the classic editor. (For example in the REST API,\nvia the block editor, within the Customizer and when an auto-draft\nis created.)</p>\n<p>The new action sends up to four parameters:</p>\n<ul>\n<li><code>$post_id</code> The post ID has been updated, an <code>integer</code>.</li>\n<li><code>$post</code> The full post object in its updated form, a <code>WP_Post</code> object.</li>\n<li><code>$updated</code> Whether the post has been updated or not, a <code>boolean</code>.</li>\n<li><code>$post_before</code> The full post object prior to the update, a <code>WP_Post</code> object. For new posts this is <code>null</code>.</li>\n</ul>\n</blockquote>\n<p>And here's an example which mimics the <code>publish_post</code> hook, i.e. the <code>// your code here</code> part below would only run if the post is being published and is <em>not</em> already published (the post status is not already <code>publish</code>):</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_action( 'wp_after_insert_post', 'my_wp_after_insert_post', 10, 4 );\n// Note: As of writing, the third parameter is actually named $update and not $updated.\nfunction my_wp_after_insert_post( $post_id, $post, $update, $post_before ) {\n if ( 'publish' !== $post->post_status ||\n ( $post_before && 'publish' === $post_before->post_status ) ||\n wp_is_post_revision( $post_id )\n ) {\n return;\n }\n\n // your code here\n}\n</code></pre>\n"
}
] | 2021/05/08 | [
"https://wordpress.stackexchange.com/questions/387887",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/172353/"
] | Is there any hook or filter I can use programmatically to restrict posts displayed in the frontend archives and in the dashboard to posts only from specified author ID's? We've been getting a lot of spam authors lately and I'll like to also try this this approach while trying other means to get rid of spam. | >
> I don't know if it's the Gutenberg editor or if it's the hook
> `publish_post`
>
>
>
The hook itself works, and if you used the old WordPress post editor, then the issue in question would **not** happen.
So you can say that it's the Gutenberg/block editor.
>
> why it's not returning the meta and featured image
>
>
>
Because Gutenberg uses the REST API, and by the time the `publish_post` hook is fired (when `wp_update_post()` is called β see [source](https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/rest-api/endpoints/class-wp-rest-posts-controller.php#L808)), the post's featured image and other meta data have not yet been saved/processed.
How to fix the issue
--------------------
*If you're using WordPress **5.6** or later*, then for what you're trying to do, you would want to use the [`wp_after_insert_post` hook](https://developer.wordpress.org/reference/hooks/wp_after_insert_post/) which works well with the old/classic editor and the Gutenberg/block editor.
Excerpt from <https://make.wordpress.org/core/2020/11/20/new-action-wp_after_insert_post-in-wordpress-5-6/>:
>
> New action wp\_after\_insert\_post in WordPress 5.6.
> ====================================================
>
>
> The new action `wp_after_insert_post` has been added to WordPress
> 5.6 to allow theme and plugin developers to run custom code after a post and its terms and meta data have been updated.
>
>
> The `save_post` and related actions have commonly been used for this
> purpose but these hooks can fire *before* terms and meta data are
> updated outside of the classic editor. (For example in the REST API,
> via the block editor, within the Customizer and when an auto-draft
> is created.)
>
>
> The new action sends up to four parameters:
>
>
> * `$post_id` The post ID has been updated, an `integer`.
> * `$post` The full post object in its updated form, a `WP_Post` object.
> * `$updated` Whether the post has been updated or not, a `boolean`.
> * `$post_before` The full post object prior to the update, a `WP_Post` object. For new posts this is `null`.
>
>
>
And here's an example which mimics the `publish_post` hook, i.e. the `// your code here` part below would only run if the post is being published and is *not* already published (the post status is not already `publish`):
```php
add_action( 'wp_after_insert_post', 'my_wp_after_insert_post', 10, 4 );
// Note: As of writing, the third parameter is actually named $update and not $updated.
function my_wp_after_insert_post( $post_id, $post, $update, $post_before ) {
if ( 'publish' !== $post->post_status ||
( $post_before && 'publish' === $post_before->post_status ) ||
wp_is_post_revision( $post_id )
) {
return;
}
// your code here
}
``` |
387,889 | <p>I want to override function in child theme to remove specific scripts, which is defined inside a class in parent theme.</p>
<p><strong>Parent</strong> theme <code>functions.php</code></p>
<pre><code>class Theme_Assets extends Theme_Base {
/**
* Hold data for wa_theme for frontend
* @var array
*/
private static $theme_json = array();
/**
* [__construct description]
* @method __construct
*/
public function __construct() {
// Frontend
$this->add_action( 'wp_enqueue_scripts', 'dequeue', 2 );
$this->add_action( 'wp_enqueue_scripts', 'register' );
$this->add_action( 'wp_enqueue_scripts', 'enqueue' );
self::add_config( 'uris', array(
'ajax' => admin_url('admin-ajax.php', 'relative')
));
}
/**
* Unregister Scripts and Styles
* @method dequeue
* @return [type] [description]
*/
public function dequeue() {
}
/**
* Register Scripts and Styles
* @method register
* @return [type] [description]
*/
public function register() {
$this->script( 'bootstrap', $this->get_vendor_uri( 'bootstrap/js/bootstrap.min.js' ), array( 'jquery' ) );
$this->script( 'intersection-observer', $this->get_vendor_uri( 'intersection-observer.js' ), array( 'jquery' ) );
$this->script( 'jquery-lazyload', $this->get_vendor_uri( 'lazyload.min.js' ), array( 'jquery' ) );
$this->script( 'imagesloaded', $this->get_vendor_uri( 'imagesloaded.pkgd.min.js' ), array( 'jquery' ) );
$this->script( 'jquery-vivus', $this->get_vendor_uri( 'vivus.min.js' ), array( 'jquery' ) );
$this->script( 'splittext', $this->get_vendor_uri( 'greensock/utils/SplitText.min.js' ), array( 'jquery' ) );
$this->script( 'scrollmagic', $this->get_vendor_uri( 'scrollmagic/ScrollMagic.min.js' ), array( 'jquery' ) );
$this->script( 'jquery-tinycolor', $this->get_vendor_uri( 'tinycolor-min.js' ), array( 'jquery' ) );
$deps = array(
'bootstrap',
'intersection-observer',
'imagesloaded',
'scrollmagic',
);
// LazyLoad
$enable_lazyload = theme_helper()->get_option( 'enable-lazy-load' );
if( 'on' === $enable_lazyload ) {
array_push( $deps,
'jquery-lazyload'
);
}
// Header Js
$enable_header = theme_helper()->get_option( 'header-enable-switch' );
if( 'on' === $enable_header ) {
array_push( $deps,
'jquery-tinycolor'
);
}
if( is_page() ) {
array_push( $deps,
'splittext',
'jquery-tinycolor'
);
}
}
/**
* Enqueue Scripts and Styles
* @method enqueue
* @return [type] [description]
*/
public function enqueue() {
if ( is_singular() && comments_open() && get_option( 'thread_comments' ) ) {
wp_enqueue_script( 'comment-reply' );
}
}
// Register Helpers ----------------------------------------------------------
public function script( $handle, $src, $deps = null, $in_footer = true, $ver = null ) {
wp_register_script( $handle, $src, $deps, $ver, $in_footer);
}
public function style( $handle, $src, $deps = null, $ver = null, $media = 'all' ) {
wp_register_style( $handle, $src, $deps, $ver, $media );
}
// Uri Helpers ---------------------------------------------------------------
public function get_theme_uri($file = '') {
return get_template_directory_uri() . '/' . $file;
}
public function get_child_uri($file = '') {
return get_stylesheet_directory_uri() . '/' . $file;
}
public function get_css_uri($file = '') {
return $this->get_theme_uri('assets/css/'.$file.'.css');
}
public function get_elements_uri( $file = '' ) {
return $this->get_theme_uri( 'assets/css/elements/' . $file . '.css' );
}
public function get_js_uri($file = '') {
return $this->get_theme_uri('assets/js/'.$file.'.js');
}
public function get_vendor_uri($file = '') {
return $this->get_theme_uri('assets/vendors/'.$file);
}
}
new Theme_Assets;
</code></pre>
<p>I want to remove '<strong>splittext</strong>' and '<strong>jquery-tinycolor</strong>' scripts by inheriting <code>dequeue</code> function in parent theme but it remove all other scripts</p>
<p>Here is <strong>Child theme's</strong> code in <code>functions.php</code></p>
<pre><code>add_action( 'after_setup_theme', function() {
class D extends Theme_Assets{
function __construct(){
$this->add_action( 'wp_enqueue_scripts', 'dequeue', 20 );
}
public function dequeue(){
wp_dequeue_script('jquery-tinycolor');
wp_deregister_script('jquery-tinycolor');
wp_dequeue_script('splittext');
wp_deregister_script('splittext');
}
}
new D();
});
</code></pre>
<p>Any helps are appreciate.</p>
| [
{
"answer_id": 387850,
"author": "anton",
"author_id": 97934,
"author_profile": "https://wordpress.stackexchange.com/users/97934",
"pm_score": 0,
"selected": false,
"text": "<p><code>{$new_status}_{$post->post_type}</code> hook or <code>publish_post</code> fires when a post is transitioned from one status to another. At a moment this hook fires, no post meta is saved yet (on post creation).</p>\n<p>If you need to use custom post meta, where saving callback usually attached to <code>save_post</code> hook, <code>save_post</code> also fires to soon.</p>\n<p>I think it's better to try <strong>updated_post_meta</strong> hook, which fires immediately after updating metadata of a specific type.</p>\n"
},
{
"answer_id": 387860,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 2,
"selected": true,
"text": "<blockquote>\n<p>I don't know if it's the Gutenberg editor or if it's the hook\n<code>publish_post</code></p>\n</blockquote>\n<p>The hook itself works, and if you used the old WordPress post editor, then the issue in question would <strong>not</strong> happen.</p>\n<p>So you can say that it's the Gutenberg/block editor.</p>\n<blockquote>\n<p>why it's not returning the meta and featured image</p>\n</blockquote>\n<p>Because Gutenberg uses the REST API, and by the time the <code>publish_post</code> hook is fired (when <code>wp_update_post()</code> is called β see <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/rest-api/endpoints/class-wp-rest-posts-controller.php#L808\" rel=\"nofollow noreferrer\">source</a>), the post's featured image and other meta data have not yet been saved/processed.</p>\n<h2>How to fix the issue</h2>\n<p><em>If you're using WordPress <strong>5.6</strong> or later</em>, then for what you're trying to do, you would want to use the <a href=\"https://developer.wordpress.org/reference/hooks/wp_after_insert_post/\" rel=\"nofollow noreferrer\"><code>wp_after_insert_post</code> hook</a> which works well with the old/classic editor and the Gutenberg/block editor.</p>\n<p>Excerpt from <a href=\"https://make.wordpress.org/core/2020/11/20/new-action-wp_after_insert_post-in-wordpress-5-6/\" rel=\"nofollow noreferrer\">https://make.wordpress.org/core/2020/11/20/new-action-wp_after_insert_post-in-wordpress-5-6/</a>:</p>\n<blockquote>\n<h1>New action wp_after_insert_post in WordPress 5.6.</h1>\n<p>The new action <code>wp_after_insert_post</code> has been added to WordPress\n5.6 to allow theme and plugin developers to run custom code after a post and its terms and meta data have been updated.</p>\n<p>The <code>save_post</code> and related actions have commonly been used for this\npurpose but these hooks can fire <em>before</em> terms and meta data are\nupdated outside of the classic editor. (For example in the REST API,\nvia the block editor, within the Customizer and when an auto-draft\nis created.)</p>\n<p>The new action sends up to four parameters:</p>\n<ul>\n<li><code>$post_id</code> The post ID has been updated, an <code>integer</code>.</li>\n<li><code>$post</code> The full post object in its updated form, a <code>WP_Post</code> object.</li>\n<li><code>$updated</code> Whether the post has been updated or not, a <code>boolean</code>.</li>\n<li><code>$post_before</code> The full post object prior to the update, a <code>WP_Post</code> object. For new posts this is <code>null</code>.</li>\n</ul>\n</blockquote>\n<p>And here's an example which mimics the <code>publish_post</code> hook, i.e. the <code>// your code here</code> part below would only run if the post is being published and is <em>not</em> already published (the post status is not already <code>publish</code>):</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_action( 'wp_after_insert_post', 'my_wp_after_insert_post', 10, 4 );\n// Note: As of writing, the third parameter is actually named $update and not $updated.\nfunction my_wp_after_insert_post( $post_id, $post, $update, $post_before ) {\n if ( 'publish' !== $post->post_status ||\n ( $post_before && 'publish' === $post_before->post_status ) ||\n wp_is_post_revision( $post_id )\n ) {\n return;\n }\n\n // your code here\n}\n</code></pre>\n"
}
] | 2021/05/08 | [
"https://wordpress.stackexchange.com/questions/387889",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/38796/"
] | I want to override function in child theme to remove specific scripts, which is defined inside a class in parent theme.
**Parent** theme `functions.php`
```
class Theme_Assets extends Theme_Base {
/**
* Hold data for wa_theme for frontend
* @var array
*/
private static $theme_json = array();
/**
* [__construct description]
* @method __construct
*/
public function __construct() {
// Frontend
$this->add_action( 'wp_enqueue_scripts', 'dequeue', 2 );
$this->add_action( 'wp_enqueue_scripts', 'register' );
$this->add_action( 'wp_enqueue_scripts', 'enqueue' );
self::add_config( 'uris', array(
'ajax' => admin_url('admin-ajax.php', 'relative')
));
}
/**
* Unregister Scripts and Styles
* @method dequeue
* @return [type] [description]
*/
public function dequeue() {
}
/**
* Register Scripts and Styles
* @method register
* @return [type] [description]
*/
public function register() {
$this->script( 'bootstrap', $this->get_vendor_uri( 'bootstrap/js/bootstrap.min.js' ), array( 'jquery' ) );
$this->script( 'intersection-observer', $this->get_vendor_uri( 'intersection-observer.js' ), array( 'jquery' ) );
$this->script( 'jquery-lazyload', $this->get_vendor_uri( 'lazyload.min.js' ), array( 'jquery' ) );
$this->script( 'imagesloaded', $this->get_vendor_uri( 'imagesloaded.pkgd.min.js' ), array( 'jquery' ) );
$this->script( 'jquery-vivus', $this->get_vendor_uri( 'vivus.min.js' ), array( 'jquery' ) );
$this->script( 'splittext', $this->get_vendor_uri( 'greensock/utils/SplitText.min.js' ), array( 'jquery' ) );
$this->script( 'scrollmagic', $this->get_vendor_uri( 'scrollmagic/ScrollMagic.min.js' ), array( 'jquery' ) );
$this->script( 'jquery-tinycolor', $this->get_vendor_uri( 'tinycolor-min.js' ), array( 'jquery' ) );
$deps = array(
'bootstrap',
'intersection-observer',
'imagesloaded',
'scrollmagic',
);
// LazyLoad
$enable_lazyload = theme_helper()->get_option( 'enable-lazy-load' );
if( 'on' === $enable_lazyload ) {
array_push( $deps,
'jquery-lazyload'
);
}
// Header Js
$enable_header = theme_helper()->get_option( 'header-enable-switch' );
if( 'on' === $enable_header ) {
array_push( $deps,
'jquery-tinycolor'
);
}
if( is_page() ) {
array_push( $deps,
'splittext',
'jquery-tinycolor'
);
}
}
/**
* Enqueue Scripts and Styles
* @method enqueue
* @return [type] [description]
*/
public function enqueue() {
if ( is_singular() && comments_open() && get_option( 'thread_comments' ) ) {
wp_enqueue_script( 'comment-reply' );
}
}
// Register Helpers ----------------------------------------------------------
public function script( $handle, $src, $deps = null, $in_footer = true, $ver = null ) {
wp_register_script( $handle, $src, $deps, $ver, $in_footer);
}
public function style( $handle, $src, $deps = null, $ver = null, $media = 'all' ) {
wp_register_style( $handle, $src, $deps, $ver, $media );
}
// Uri Helpers ---------------------------------------------------------------
public function get_theme_uri($file = '') {
return get_template_directory_uri() . '/' . $file;
}
public function get_child_uri($file = '') {
return get_stylesheet_directory_uri() . '/' . $file;
}
public function get_css_uri($file = '') {
return $this->get_theme_uri('assets/css/'.$file.'.css');
}
public function get_elements_uri( $file = '' ) {
return $this->get_theme_uri( 'assets/css/elements/' . $file . '.css' );
}
public function get_js_uri($file = '') {
return $this->get_theme_uri('assets/js/'.$file.'.js');
}
public function get_vendor_uri($file = '') {
return $this->get_theme_uri('assets/vendors/'.$file);
}
}
new Theme_Assets;
```
I want to remove '**splittext**' and '**jquery-tinycolor**' scripts by inheriting `dequeue` function in parent theme but it remove all other scripts
Here is **Child theme's** code in `functions.php`
```
add_action( 'after_setup_theme', function() {
class D extends Theme_Assets{
function __construct(){
$this->add_action( 'wp_enqueue_scripts', 'dequeue', 20 );
}
public function dequeue(){
wp_dequeue_script('jquery-tinycolor');
wp_deregister_script('jquery-tinycolor');
wp_dequeue_script('splittext');
wp_deregister_script('splittext');
}
}
new D();
});
```
Any helps are appreciate. | >
> I don't know if it's the Gutenberg editor or if it's the hook
> `publish_post`
>
>
>
The hook itself works, and if you used the old WordPress post editor, then the issue in question would **not** happen.
So you can say that it's the Gutenberg/block editor.
>
> why it's not returning the meta and featured image
>
>
>
Because Gutenberg uses the REST API, and by the time the `publish_post` hook is fired (when `wp_update_post()` is called β see [source](https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/rest-api/endpoints/class-wp-rest-posts-controller.php#L808)), the post's featured image and other meta data have not yet been saved/processed.
How to fix the issue
--------------------
*If you're using WordPress **5.6** or later*, then for what you're trying to do, you would want to use the [`wp_after_insert_post` hook](https://developer.wordpress.org/reference/hooks/wp_after_insert_post/) which works well with the old/classic editor and the Gutenberg/block editor.
Excerpt from <https://make.wordpress.org/core/2020/11/20/new-action-wp_after_insert_post-in-wordpress-5-6/>:
>
> New action wp\_after\_insert\_post in WordPress 5.6.
> ====================================================
>
>
> The new action `wp_after_insert_post` has been added to WordPress
> 5.6 to allow theme and plugin developers to run custom code after a post and its terms and meta data have been updated.
>
>
> The `save_post` and related actions have commonly been used for this
> purpose but these hooks can fire *before* terms and meta data are
> updated outside of the classic editor. (For example in the REST API,
> via the block editor, within the Customizer and when an auto-draft
> is created.)
>
>
> The new action sends up to four parameters:
>
>
> * `$post_id` The post ID has been updated, an `integer`.
> * `$post` The full post object in its updated form, a `WP_Post` object.
> * `$updated` Whether the post has been updated or not, a `boolean`.
> * `$post_before` The full post object prior to the update, a `WP_Post` object. For new posts this is `null`.
>
>
>
And here's an example which mimics the `publish_post` hook, i.e. the `// your code here` part below would only run if the post is being published and is *not* already published (the post status is not already `publish`):
```php
add_action( 'wp_after_insert_post', 'my_wp_after_insert_post', 10, 4 );
// Note: As of writing, the third parameter is actually named $update and not $updated.
function my_wp_after_insert_post( $post_id, $post, $update, $post_before ) {
if ( 'publish' !== $post->post_status ||
( $post_before && 'publish' === $post_before->post_status ) ||
wp_is_post_revision( $post_id )
) {
return;
}
// your code here
}
``` |
387,944 | <p>My home is a static page, but Wordpress create enumeration "home/page/2/.../3/" and the only solution found that disable pages generation, also redirecting, is the instruction below, but I would like it to have effect only the home page and not the whole site.</p>
<p>Thank you in advance for any suggestions.</p>
<pre><code>global $posts, $numpages;
$request_uri = $_SERVER['REQUEST_URI'];
$result = preg_match('%\/(\d)+(\/)?$%', $request_uri, $matches);
$ordinal = $result ? intval($matches[1]) : FALSE;
if(is_numeric($ordinal)) {
setup_postdata($posts[0]);
$redirect_to = ($ordinal < 2) ? '/': (($ordinal > $numpages) ? "/$numpages/" : FALSE);
if(is_string($redirect_to)) {
$redirect_url = get_option('home') . preg_replace('%'.$matches[0].'%', $redirect_to, $request_uri);
if($ordinal < 2) {
header($_SERVER['SERVER_PROTOCOL'] . ' 301 Moved Permanently');
} else {
header($_SERVER['SERVER_PROTOCOL'] . ' 302 Found');
}
header("Location: $redirect_url");
exit();
}
}
</code></pre>
| [
{
"answer_id": 387938,
"author": "Cas Dekkers",
"author_id": 153884,
"author_profile": "https://wordpress.stackexchange.com/users/153884",
"pm_score": 1,
"selected": true,
"text": "<p>WordPress sends emails via the <a href=\"https://developer.wordpress.org/reference/functions/wp_mail/\" rel=\"nofollow noreferrer\"><code>wp_mail()</code></a> method, which, by default, <a href=\"https://developer.wordpress.org/reference/functions/wp_mail/#notes\" rel=\"nofollow noreferrer\">needs port 25 to be enabled</a> in your <code>php.ini</code> settings:</p>\n<blockquote>\n<p>For this function to work, the settings <code>SMTP</code> and <code>smtp_port</code> (default: 25) need to be set in your php.ini file.</p>\n</blockquote>\n<p>You will have to change this setting if you would want to send mails via another port.</p>\n"
},
{
"answer_id": 388117,
"author": "butlerblog",
"author_id": 38603,
"author_profile": "https://wordpress.stackexchange.com/users/38603",
"pm_score": 1,
"selected": false,
"text": "<p>If you need to use a port other than port 25, you don't have to change this in your php.ini. You can change the port used by <code>wp_mail()</code> by changing the value in <code>phpMailer</code>. <code>phpMailer</code> is what <code>wp_mail()</code> uses when sending an email, and you can change the outbound port used as well as a number of other settings by setting these values when <code>phpMailer</code> is initialized:</p>\n<pre><code>add_action( 'phpmailer_init', 'change_my_email_port' );\nfunction change_my_email_port( $phpmailer ) {\n $phpmailer->Port = 587; // Set required port here.\n}\n</code></pre>\n"
}
] | 2021/05/09 | [
"https://wordpress.stackexchange.com/questions/387944",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/206190/"
] | My home is a static page, but Wordpress create enumeration "home/page/2/.../3/" and the only solution found that disable pages generation, also redirecting, is the instruction below, but I would like it to have effect only the home page and not the whole site.
Thank you in advance for any suggestions.
```
global $posts, $numpages;
$request_uri = $_SERVER['REQUEST_URI'];
$result = preg_match('%\/(\d)+(\/)?$%', $request_uri, $matches);
$ordinal = $result ? intval($matches[1]) : FALSE;
if(is_numeric($ordinal)) {
setup_postdata($posts[0]);
$redirect_to = ($ordinal < 2) ? '/': (($ordinal > $numpages) ? "/$numpages/" : FALSE);
if(is_string($redirect_to)) {
$redirect_url = get_option('home') . preg_replace('%'.$matches[0].'%', $redirect_to, $request_uri);
if($ordinal < 2) {
header($_SERVER['SERVER_PROTOCOL'] . ' 301 Moved Permanently');
} else {
header($_SERVER['SERVER_PROTOCOL'] . ' 302 Found');
}
header("Location: $redirect_url");
exit();
}
}
``` | WordPress sends emails via the [`wp_mail()`](https://developer.wordpress.org/reference/functions/wp_mail/) method, which, by default, [needs port 25 to be enabled](https://developer.wordpress.org/reference/functions/wp_mail/#notes) in your `php.ini` settings:
>
> For this function to work, the settings `SMTP` and `smtp_port` (default: 25) need to be set in your php.ini file.
>
>
>
You will have to change this setting if you would want to send mails via another port. |
387,969 | <p>I have a database column called "upvotes". I have another column called "userid".</p>
<p>I would like to increment the value in the "updates" column where the userid matches the dynamic variable I'm providing.</p>
<p>Here's my attempt:</p>
<pre><code> $results = $wpdb->query("UPDATE points SET upvotes = upvotes + 1 WHERE userid= %d", $theDynamicUserID);
</code></pre>
<p>That is giving the following error:</p>
<pre><code>[You have an error in your SQL syntax; check the manual that corresponds to your MariaDB server version for the right syntax to use near &#039;%d&#039; at line 1]<br /><code>UPDATE points SET upvotes = upvotes + 1 WHERE userid= %d</code>
</code></pre>
<p>EDIT:
These Stack Exchange posts seem to hint that it's possible but I can't get the syntax right:
<a href="https://stackoverflow.com/questions/973380/sql-how-to-increase-or-decrease-one-for-a-int-column-in-one-command">https://stackoverflow.com/questions/973380/sql-how-to-increase-or-decrease-one-for-a-int-column-in-one-command</a></p>
<p><a href="https://stackoverflow.com/questions/2259155/increment-value-in-mysql-update-query">https://stackoverflow.com/questions/2259155/increment-value-in-mysql-update-query</a></p>
| [
{
"answer_id": 387975,
"author": "user44109",
"author_id": 206222,
"author_profile": "https://wordpress.stackexchange.com/users/206222",
"pm_score": 0,
"selected": false,
"text": "<p>EDIT: Seems like this is a bad idea:</p>\n<p>I seem to have solved this by constructing the query first like this:</p>\n<pre><code>$theQuery = "UPDATE points SET upvotes = upvotes + 1 WHERE userid = '".$theDynamicUserID."'";\n\n$results = $wpdb->query($theQuery);\n</code></pre>\n"
},
{
"answer_id": 387976,
"author": "Buttered_Toast",
"author_id": 192133,
"author_profile": "https://wordpress.stackexchange.com/users/192133",
"pm_score": 3,
"selected": true,
"text": "<p>Just noticed that you are missing a prepare.</p>\n<p>Your code should look like this</p>\n<pre><code>$results = $wpdb->query($wpdb->prepare('UPDATE points SET upvotes = upvotes + 1 WHERE userid= %d', $theDynamicUserID));\n</code></pre>\n"
}
] | 2021/05/10 | [
"https://wordpress.stackexchange.com/questions/387969",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/206222/"
] | I have a database column called "upvotes". I have another column called "userid".
I would like to increment the value in the "updates" column where the userid matches the dynamic variable I'm providing.
Here's my attempt:
```
$results = $wpdb->query("UPDATE points SET upvotes = upvotes + 1 WHERE userid= %d", $theDynamicUserID);
```
That is giving the following error:
```
[You have an error in your SQL syntax; check the manual that corresponds to your MariaDB server version for the right syntax to use near '%d' at line 1]<br /><code>UPDATE points SET upvotes = upvotes + 1 WHERE userid= %d</code>
```
EDIT:
These Stack Exchange posts seem to hint that it's possible but I can't get the syntax right:
<https://stackoverflow.com/questions/973380/sql-how-to-increase-or-decrease-one-for-a-int-column-in-one-command>
<https://stackoverflow.com/questions/2259155/increment-value-in-mysql-update-query> | Just noticed that you are missing a prepare.
Your code should look like this
```
$results = $wpdb->query($wpdb->prepare('UPDATE points SET upvotes = upvotes + 1 WHERE userid= %d', $theDynamicUserID));
``` |
388,038 | <p>I'm achieving <a href="https://i.gyazo.com/4a78da9e378922e3640fd1cb3e142e49.png" rel="nofollow noreferrer">this list</a> in a really roundabout way at the moment and I feel like I should be able to do it with a foreach instead of separate queries for each "House" (House is a CPT and is assigned as usermeta too), but I can't get it to work.</p>
<p>Currently doing it with these queries for EACH House (manually writing in the ID of the 'House' post for each new query):</p>
<pre><code>$houseid = '8490'; //Manually changing this id each time, so I have the code below repeated a bunch...
$connectors = get_users( array(
'fields' => 'ID',
'meta_query' => array(
'relation' => 'OR',
'house' => array(
'key' => 'house',
'value' => $houseid,
),
'leader_of_house' => array(
'key' => 'leader_of_house',
'value' => $houseid,
),
)
) );
$connections = new WP_Query( array( 'post_type' => 'connection', 'posts_per_page' => -1, 'author__in' => $connectors ) );
$total = $connections->found_posts; if ( !empty ( $total ) ) { echo '<span class="connector"><p>' . get_the_title($houseid) . ' (' . $connections->found_posts . ' connections)</p></span>'; }
</code></pre>
<p>So I've started writing a foreach instead to loop through those House IDs I was manually writing in before, but it's not working (it's just showing one result, which is the title of page I'm writing this code on). Here's my current attempt:</p>
<pre><code>$the_query = new WP_Query( array( 'post_type' => 'house', 'posts_per_page' => -1 ) );
$houses = $the_query->get_posts();
foreach( $posts as $post ) {
$houseid = $post->ID;
$connectors = get_users( array(
'fields' => 'ID',
'meta_query' => array(
'relation' => 'OR',
'house' => array(
'key' => 'house',
'value' => $houseid,
),
'leader_of_house' => array(
'key' => 'leader_of_house',
'value' => $houseid,
),
),
) );
$connections = new WP_Query( array( 'post_type' => 'connection', 'posts_per_page' => -1, 'author__in' => $connectors ) );
$total = $connections->found_posts; if ( !empty ( $total ) ) { echo '<span class="connector"><p>' . get_the_title($houseid) . ' (' . $connections->found_posts . ' connections)</p></span>'; }
}
</code></pre>
<p>Can anyone tell me where I've gone wrong?</p>
<p>The goal is to list each "House" and then tally up the number of "Connections" (also a CPT) which the authors assigned to each House have created. Like a scoreboard. So House > Users with matching meta (House ID) > Connections created by those users.</p>
| [
{
"answer_id": 388041,
"author": "Lorn Waterfield",
"author_id": 194510,
"author_profile": "https://wordpress.stackexchange.com/users/194510",
"pm_score": 0,
"selected": false,
"text": "<p>Ah I did it. I'd just cocked up the names of some identifiers in the example above. This works for anyone who may be interested:</p>\n<pre><code>$the_query = new WP_Query( array( 'post_type' => 'house', 'fields' => 'ID', 'posts_per_page' => -1 ) );\n$posts = $the_query->get_posts();\nforeach( $posts as $post ) {\n $connectors = get_users( array( \n 'fields' => 'ID',\n 'meta_query' => array(\n 'relation' => 'OR',\n 'house' => array(\n 'key' => 'house',\n 'value' => $post->ID,\n ),\n 'leader_of_house' => array(\n 'key' => 'leader_of_house',\n 'value' => $post->ID,\n ),\n ),\n ) );\n$connections = new WP_Query( array( 'post_type' => 'connection', 'posts_per_page' => -1, 'author__in' => $connectors ) );\n$total = $connections->found_posts; if ( !empty ( $total ) ) { echo '<span class="connector"><p>' . get_the_title($post->ID) . ' (' . $total . ' connections)</p></span>'; }\n}\n</code></pre>\n"
},
{
"answer_id": 388070,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 2,
"selected": true,
"text": "<p>Good for you that you've corrected the <code>$posts</code> that was undefined, but then:</p>\n<ol>\n<li><p>There's no need to call <code>$the_query->get_posts()</code> because when <code>WP_Query</code> is instantiated with <em>a non-empty query</em>, e.g. <code>new WP_Query( 'post_type=house' )</code> (contains one query arg β <code>post_type</code>) as opposed to <code>new WP_Query()</code> (no query args specified), the <a href=\"https://developer.wordpress.org/reference/classes/wp_query/get_posts/\" rel=\"nofollow noreferrer\"><code>get_posts()</code> method</a> in that class will automatically be called.</p>\n</li>\n<li><p>If you were trying to get the posts that were already fetched by the specific query, then <code>get_posts()</code> is not actually for that purpose. On the contrary, it will re-parse the query args, apply various filters, etc. and then re-query the database for the posts matching the query args. ( So basically, the same query is gonna be duplicated and it's not good.. )</p>\n<p>So how can you get that already fetched posts?</p>\n<p>Easy: Use the <a href=\"https://developer.wordpress.org/reference/classes/wp_query/#properties\" rel=\"nofollow noreferrer\" title=\"Click to check the properties in WP_Query\"><code>$posts</code> property</a>, i.e. <code>$the_query->posts</code> in your case.</p>\n</li>\n<li><p>Referring to your second query (<code>$connections</code>), if you just want to access the value of <code>$found_posts</code>, then you should just set the <code>posts_per_page</code> to <code>1</code> and not <code>-1</code>.</p>\n<p>( As an aside, I've been hoping <code>WP_Query</code> would implement something like <a href=\"https://developer.wordpress.org/reference/classes/wp_query/#return-fields-parameter\" rel=\"nofollow noreferrer\" title=\"'count', as of writing, is not currently in the list of accepted values for 'fields'\"><code>fields=count</code></a> so that we could easily get the total number of found posts in the database.. )</p>\n</li>\n</ol>\n<p>Now as for this (from your comment): <strong>how to sort the results by the number in <code>$total</code></strong>, rather than echoing in your <code>foreach</code>, you can store the totals (and post IDs) in an array and then sort and echo them afterwards.</p>\n<p>Here's an example where I store them in an array named <code>$list</code> and used <a href=\"https://www.php.net/manual/en/function.usort.php\" rel=\"nofollow noreferrer\"><code>usort()</code></a> to sort them β by the <code>$total</code> value, <em>or</em> the house name (post title) if the total is equal:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$the_query = new WP_Query( array(\n 'post_type' => 'house',\n // Note: Instead of -1, you should use a high number like 99999..\n 'posts_per_page' => -1,\n) );\n\n// each item is: array( <total connections>, <post ID>, <post title> )\n$list = array();\n\nforeach ( $the_query->posts as $post ) {\n $connectors = get_users( array(\n 'fields' => 'ID',\n 'meta_query' => array(\n 'relation' => 'OR',\n array(\n 'key' => 'house',\n 'value' => $post->ID,\n ),\n array(\n 'key' => 'leader_of_house',\n 'value' => $post->ID,\n ),\n ),\n ) );\n\n if ( empty( $connectors ) ) {\n continue;\n }\n\n $connections = new WP_Query( array(\n 'post_type' => 'connection',\n 'posts_per_page' => 1,\n 'author__in' => $connectors,\n ) );\n\n if ( $connections->found_posts ) {\n $list[] = array( $connections->found_posts, $post->ID, $post->post_title );\n }\n}\n\n// Sort by the total connections, or the post title instead if the total is equal.\nusort( $list, function ( $a, $b ) {\n return $a[0] === $b[0] ? strcasecmp( $a[2], $b[2] ) : $b[0] > $a[0];\n} );\n\nif ( ! empty( $list ) ) {\n echo '<ul>';\n foreach ( $list as $item ) {\n list ( $total, $post_id ) = $item;\n\n echo '<li><span class="connector">' . esc_html( get_the_title( $post_id ) ) .\n " ($total connections)</span></li>";\n }\n echo '</ul>';\n}\n</code></pre>\n<p>And with that, the first three items in <a href=\"https://i.gyazo.com/4a78da9e378922e3640fd1cb3e142e49.png\" rel=\"nofollow noreferrer\">this list</a> would be displayed in the following order β the first two items have 4 connections, so they are instead sorted alphabetically in ascending order: (In MySQL, this is equivalent to <code>ORDER BY total DESC, LOWER( post_title ) ASC</code>)</p>\n<pre><code>Chapman, Robinson & Moore House (4 connections)\nDatabasix House (4 connections)\nAston & James House (2 connections)\n</code></pre>\n<p>So is that how you wanted the list be sorted? :)</p>\n"
}
] | 2021/05/11 | [
"https://wordpress.stackexchange.com/questions/388038",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194510/"
] | I'm achieving [this list](https://i.gyazo.com/4a78da9e378922e3640fd1cb3e142e49.png) in a really roundabout way at the moment and I feel like I should be able to do it with a foreach instead of separate queries for each "House" (House is a CPT and is assigned as usermeta too), but I can't get it to work.
Currently doing it with these queries for EACH House (manually writing in the ID of the 'House' post for each new query):
```
$houseid = '8490'; //Manually changing this id each time, so I have the code below repeated a bunch...
$connectors = get_users( array(
'fields' => 'ID',
'meta_query' => array(
'relation' => 'OR',
'house' => array(
'key' => 'house',
'value' => $houseid,
),
'leader_of_house' => array(
'key' => 'leader_of_house',
'value' => $houseid,
),
)
) );
$connections = new WP_Query( array( 'post_type' => 'connection', 'posts_per_page' => -1, 'author__in' => $connectors ) );
$total = $connections->found_posts; if ( !empty ( $total ) ) { echo '<span class="connector"><p>' . get_the_title($houseid) . ' (' . $connections->found_posts . ' connections)</p></span>'; }
```
So I've started writing a foreach instead to loop through those House IDs I was manually writing in before, but it's not working (it's just showing one result, which is the title of page I'm writing this code on). Here's my current attempt:
```
$the_query = new WP_Query( array( 'post_type' => 'house', 'posts_per_page' => -1 ) );
$houses = $the_query->get_posts();
foreach( $posts as $post ) {
$houseid = $post->ID;
$connectors = get_users( array(
'fields' => 'ID',
'meta_query' => array(
'relation' => 'OR',
'house' => array(
'key' => 'house',
'value' => $houseid,
),
'leader_of_house' => array(
'key' => 'leader_of_house',
'value' => $houseid,
),
),
) );
$connections = new WP_Query( array( 'post_type' => 'connection', 'posts_per_page' => -1, 'author__in' => $connectors ) );
$total = $connections->found_posts; if ( !empty ( $total ) ) { echo '<span class="connector"><p>' . get_the_title($houseid) . ' (' . $connections->found_posts . ' connections)</p></span>'; }
}
```
Can anyone tell me where I've gone wrong?
The goal is to list each "House" and then tally up the number of "Connections" (also a CPT) which the authors assigned to each House have created. Like a scoreboard. So House > Users with matching meta (House ID) > Connections created by those users. | Good for you that you've corrected the `$posts` that was undefined, but then:
1. There's no need to call `$the_query->get_posts()` because when `WP_Query` is instantiated with *a non-empty query*, e.g. `new WP_Query( 'post_type=house' )` (contains one query arg β `post_type`) as opposed to `new WP_Query()` (no query args specified), the [`get_posts()` method](https://developer.wordpress.org/reference/classes/wp_query/get_posts/) in that class will automatically be called.
2. If you were trying to get the posts that were already fetched by the specific query, then `get_posts()` is not actually for that purpose. On the contrary, it will re-parse the query args, apply various filters, etc. and then re-query the database for the posts matching the query args. ( So basically, the same query is gonna be duplicated and it's not good.. )
So how can you get that already fetched posts?
Easy: Use the [`$posts` property](https://developer.wordpress.org/reference/classes/wp_query/#properties "Click to check the properties in WP_Query"), i.e. `$the_query->posts` in your case.
3. Referring to your second query (`$connections`), if you just want to access the value of `$found_posts`, then you should just set the `posts_per_page` to `1` and not `-1`.
( As an aside, I've been hoping `WP_Query` would implement something like [`fields=count`](https://developer.wordpress.org/reference/classes/wp_query/#return-fields-parameter "'count', as of writing, is not currently in the list of accepted values for 'fields'") so that we could easily get the total number of found posts in the database.. )
Now as for this (from your comment): **how to sort the results by the number in `$total`**, rather than echoing in your `foreach`, you can store the totals (and post IDs) in an array and then sort and echo them afterwards.
Here's an example where I store them in an array named `$list` and used [`usort()`](https://www.php.net/manual/en/function.usort.php) to sort them β by the `$total` value, *or* the house name (post title) if the total is equal:
```php
$the_query = new WP_Query( array(
'post_type' => 'house',
// Note: Instead of -1, you should use a high number like 99999..
'posts_per_page' => -1,
) );
// each item is: array( <total connections>, <post ID>, <post title> )
$list = array();
foreach ( $the_query->posts as $post ) {
$connectors = get_users( array(
'fields' => 'ID',
'meta_query' => array(
'relation' => 'OR',
array(
'key' => 'house',
'value' => $post->ID,
),
array(
'key' => 'leader_of_house',
'value' => $post->ID,
),
),
) );
if ( empty( $connectors ) ) {
continue;
}
$connections = new WP_Query( array(
'post_type' => 'connection',
'posts_per_page' => 1,
'author__in' => $connectors,
) );
if ( $connections->found_posts ) {
$list[] = array( $connections->found_posts, $post->ID, $post->post_title );
}
}
// Sort by the total connections, or the post title instead if the total is equal.
usort( $list, function ( $a, $b ) {
return $a[0] === $b[0] ? strcasecmp( $a[2], $b[2] ) : $b[0] > $a[0];
} );
if ( ! empty( $list ) ) {
echo '<ul>';
foreach ( $list as $item ) {
list ( $total, $post_id ) = $item;
echo '<li><span class="connector">' . esc_html( get_the_title( $post_id ) ) .
" ($total connections)</span></li>";
}
echo '</ul>';
}
```
And with that, the first three items in [this list](https://i.gyazo.com/4a78da9e378922e3640fd1cb3e142e49.png) would be displayed in the following order β the first two items have 4 connections, so they are instead sorted alphabetically in ascending order: (In MySQL, this is equivalent to `ORDER BY total DESC, LOWER( post_title ) ASC`)
```
Chapman, Robinson & Moore House (4 connections)
Databasix House (4 connections)
Aston & James House (2 connections)
```
So is that how you wanted the list be sorted? :) |
388,050 | <p>I just would like to show my "footer menu" only with the two pages I manually added in appearance section:</p>
<p><code>register_nav_menu('footer', 'Footer menu');</code></p>
<p><a href="https://i.stack.imgur.com/6ryUr.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/6ryUr.png" alt="enter image description here" /></a></p>
<p>but when loading in the footer:</p>
<pre><code> {!! wp_nav_menu([
'menu' => 'Footer menu',
'theme_location' => 'Footer menu',
'menu_class' => '']
) !!}
</code></pre>
<p>it keeps listing all the pages, also taken from Primary one :(</p>
<p>any adivce?</p>
<p>ty</p>
| [
{
"answer_id": 388045,
"author": "anton",
"author_id": 97934,
"author_profile": "https://wordpress.stackexchange.com/users/97934",
"pm_score": 1,
"selected": false,
"text": "<p><strong>1) Run php code in html files</strong></p>\n<p>You can't run PHP in .html files because the server does not recognize that as a valid PHP extension unless you tell it to. To do this you need to create a .htaccess file in your root web directory and add this line to it:</p>\n<pre><code>AddType application/x-httpd-php .htm .html\n</code></pre>\n<p>This will tell Apache to process files with a .htm or .html file extension as PHP files. <br>(<a href=\"https://stackoverflow.com/questions/11312316/how-do-i-add-php-code-file-to-html-html-files\">related answer</a>)</p>\n<p><strong>2) Use Wordpress functionality outside of wordpress folder</strong></p>\n<p>If you able to use php in your html files, you need to include wordpress <code>wp-load.php</code> file to load wordpress functionality. I'm not familiar with your folders' structure, so you will need to modify a path to this file by yourself.</p>\n<pre><code>require_once( '../blog/wp-load.php' );\n</code></pre>\n"
},
{
"answer_id": 388082,
"author": "Antti Koskinen",
"author_id": 144392,
"author_profile": "https://wordpress.stackexchange.com/users/144392",
"pm_score": 3,
"selected": true,
"text": "<p>Perhaps you could consider using <a href=\"https://developer.wordpress.org/rest-api/\" rel=\"nofollow noreferrer\">WP REST API</a> to get the <a href=\"https://developer.wordpress.org/rest-api/reference/posts/\" rel=\"nofollow noreferrer\">posts</a> with a <a href=\"https://developer.mozilla.org/en-US/docs/Web/API/XMLHttpRequest\" rel=\"nofollow noreferrer\">XMLHttpRequest</a> in javascript instead of trying to get php work on .html file(s).</p>\n<p>From the REST handbook,</p>\n<blockquote>\n<p>The WordPress REST API provides an interface for applications to\ninteract with your WordPress site by sending and receiving data as\nJSON (JavaScript Object Notation) objects.</p>\n</blockquote>\n<p>And</p>\n<blockquote>\n<p>It provides data access to the content of your site, and implements\nthe same authentication restrictions β content that is public on your\nsite is generally publicly accessible via the REST API, while private\ncontent, password-protected content, internal users, custom post\ntypes, and metadata is only available with authentication or if you\nspecifically set it to be so.</p>\n</blockquote>\n"
}
] | 2021/05/11 | [
"https://wordpress.stackexchange.com/questions/388050",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/197632/"
] | I just would like to show my "footer menu" only with the two pages I manually added in appearance section:
`register_nav_menu('footer', 'Footer menu');`
[](https://i.stack.imgur.com/6ryUr.png)
but when loading in the footer:
```
{!! wp_nav_menu([
'menu' => 'Footer menu',
'theme_location' => 'Footer menu',
'menu_class' => '']
) !!}
```
it keeps listing all the pages, also taken from Primary one :(
any adivce?
ty | Perhaps you could consider using [WP REST API](https://developer.wordpress.org/rest-api/) to get the [posts](https://developer.wordpress.org/rest-api/reference/posts/) with a [XMLHttpRequest](https://developer.mozilla.org/en-US/docs/Web/API/XMLHttpRequest) in javascript instead of trying to get php work on .html file(s).
From the REST handbook,
>
> The WordPress REST API provides an interface for applications to
> interact with your WordPress site by sending and receiving data as
> JSON (JavaScript Object Notation) objects.
>
>
>
And
>
> It provides data access to the content of your site, and implements
> the same authentication restrictions β content that is public on your
> site is generally publicly accessible via the REST API, while private
> content, password-protected content, internal users, custom post
> types, and metadata is only available with authentication or if you
> specifically set it to be so.
>
>
> |
388,097 | <p>I'm using the Post SMTP Plugin, but I manually send email via the <code>wp_mail()</code> function.
The gmail client shows the correct From:, but when I switch to outlook or another email client, shows the different Sender: (the one that has been set up in the Post SMTP From: setting)</p>
<p>I have tried these filters, but only the <code>wp_mail_from_name</code> works:</p>
<pre><code>add_filter( 'wp_mail_from', create_function('', 'return sanitize_email("[email protected]"); ') );
add_filter( 'wp_mail_from_name', create_function('', 'return "Test Testov"; ') );
</code></pre>
<p>How can I force-change that sender?</p>
<p>EDIT:
Paul G., in Gmail I see this: <code>from: Correct Name <[email protected]></code></p>
<p>and in another email client this:</p>
<p><code>From: Correct Name</code></p>
<p><code>Sender: [email protected]</code> <---- This is wrong.</p>
| [
{
"answer_id": 388099,
"author": "dExIT",
"author_id": 92983,
"author_profile": "https://wordpress.stackexchange.com/users/92983",
"pm_score": 3,
"selected": true,
"text": "<p>First Disable PostSMTP plugin and delete if not used anymore it should cleanup.<br>\nThen in functions.php add the following lines</p>\n<pre><code>// Function to change email address\nfunction sender_email( $original_email_address ) {\n return '[email protected]';\n}\n \n// Function to change sender name\nfunction sender_name( $original_email_from ) {\n return 'Tim Smith';\n}\n \n// Hooking up our functions to WordPress filters \nadd_filter( 'wp_mail_from', 'sender_email' );\nadd_filter( 'wp_mail_from_name', 'sender_name' );\n</code></pre>\n<p>Taken from : <a href=\"https://www.wpbeginner.com/plugins/how-to-change-sender-name-in-outgoing-wordpress-email/\" rel=\"nofollow noreferrer\">WPBeginner</a></p>\n"
},
{
"answer_id": 388101,
"author": "niki",
"author_id": 131930,
"author_profile": "https://wordpress.stackexchange.com/users/131930",
"pm_score": 0,
"selected": false,
"text": "<p>Switched the <strong>Mailer Type</strong> from PostSMTP to PHPMailer and it fixed the issue.</p>\n"
}
] | 2021/05/12 | [
"https://wordpress.stackexchange.com/questions/388097",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/131930/"
] | I'm using the Post SMTP Plugin, but I manually send email via the `wp_mail()` function.
The gmail client shows the correct From:, but when I switch to outlook or another email client, shows the different Sender: (the one that has been set up in the Post SMTP From: setting)
I have tried these filters, but only the `wp_mail_from_name` works:
```
add_filter( 'wp_mail_from', create_function('', 'return sanitize_email("[email protected]"); ') );
add_filter( 'wp_mail_from_name', create_function('', 'return "Test Testov"; ') );
```
How can I force-change that sender?
EDIT:
Paul G., in Gmail I see this: `from: Correct Name <[email protected]>`
and in another email client this:
`From: Correct Name`
`Sender: [email protected]` <---- This is wrong. | First Disable PostSMTP plugin and delete if not used anymore it should cleanup.
Then in functions.php add the following lines
```
// Function to change email address
function sender_email( $original_email_address ) {
return '[email protected]';
}
// Function to change sender name
function sender_name( $original_email_from ) {
return 'Tim Smith';
}
// Hooking up our functions to WordPress filters
add_filter( 'wp_mail_from', 'sender_email' );
add_filter( 'wp_mail_from_name', 'sender_name' );
```
Taken from : [WPBeginner](https://www.wpbeginner.com/plugins/how-to-change-sender-name-in-outgoing-wordpress-email/) |
388,220 | <p>Several times over time I changed sizes of thumbnails WP generate when images are uploaded, always setting bigger size.</p>
<p>Recently I set Thumbnail Width 600px width and Medium size Max Width 1800px.
After several hundred images uploaded I realized that I need to set smaller image sizes, I reduced Medium size from 1800px to 1500px for future uploads.</p>
<p>I know that already uploaded images will stay on disk in bigger resolution, and that is fine by me, I do not need to use any plugin to regenerate thumbs again.</p>
<p>Problem:</p>
<p>Word Press now shows that size for images uploaded before is also 1500px width, even real size is 1800px (for an example it shows 1500px x 1000px for image that is 1800px x 1200px).</p>
<p>I changed few times width of future images in Dashboard > Settings > Media and I figured out that if real dimensions of already uploaded images are bigger than what is now set in Media Settings, WP will say that width of those images is the width that is set in Media Settings, even real dimensions are bigger.</p>
<p>You can see screenshot example here: <a href="https://postimg.cc/fScS3WKH" rel="nofollow noreferrer">https://postimg.cc/fScS3WKH</a></p>
<p>This is code I use to get image and its dimensions.</p>
<pre><code>$medium_image_url = wp_get_attachment_image_src( get_post_thumbnail_id($post->ID), 'medium'); // Featured image medium size
// To show image dimensions
echo $medium_image_url[1]; // Show width
echo $medium_image_url[2]; // Show height
</code></pre>
<p>How to get real image dimension of already uploaded images which dimensions are bigger than one now set in media settings?</p>
| [
{
"answer_id": 388221,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 1,
"selected": false,
"text": "<p>The width and height attributes on the <code>img</code> tag are not there to tell the browser how big the image file is (the intrinsic size), they're there to tell the browser how big the <code>img</code> tags DOM node is going to be on the page so that it can lay out the page before the file has loaded and avoid an expensive re-calculation of the pages layout. In fact sometimes a mismatch is desirable, e.g. retina images have double the size of their <code>img</code> tag width and height, sometimes even more.</p>\n<p>What you're describing is the expected and optimal behaviour as the code specifies the <code>medium</code> size. WP will use the smallest size that is as large or larger. This avoids upscaling.</p>\n<p><strong>If you want it to use the intrinsic size/original size of the uploaded image,</strong> or to use the exact image dimensions, then you need to use the <code>full</code> image size, or regenerate the images using WP CLI or a plugin.</p>\n<p>If instead you had used <code>wp_get_attachment_image</code> you would have responsive image attributes added, allowing the browser to size things accordingly. You could even pass in an array of width and height instead of <code>medium</code> e.g. <code>[1500, 1000]</code>.</p>\n"
},
{
"answer_id": 388256,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<blockquote>\n<p>How to get real image dimension of already uploaded images <em>which\ndimensions are bigger than one now set in <strong>media settings</strong></em>?</p>\n</blockquote>\n<p>(Note: The <em>italic and <strong>bold</strong></em> formatting above was added by me.)</p>\n<p><a href=\"https://developer.wordpress.org/reference/functions/wp_get_attachment_image_src/\" rel=\"nofollow noreferrer\"><code>wp_get_attachment_image_src()</code></a> indeed doesn't necessarily return the actual width and height of the <strong>resized</strong> image file, and that the function relies upon the specific image size's max width and height set via the media settings screen (see <a href=\"https://wordpress.org/support/article/settings-media-screen/\" rel=\"nofollow noreferrer\">wp-admin β Settings β Media</a>).</p>\n<p>Sample test case:</p>\n<ol>\n<li><p>I uploaded a 1600px Γ 1199px image (let's call it <code>foo-image.jpg</code>), and the Medium image size's max width was 300px (the default one). So WordPress saved that original image file and generated several thumbnails, and as for the Medium-sized thumbnail, the actual dimension is 300px Γ 225px and named <code>foo-image-300x225.jpg</code>.</p>\n<p>And <code>wp_get_attachment_image_src()</code> returned <code>300</code> (width) and <code>225</code> (height) which is the actual dimension.</p>\n</li>\n<li><p>Then I changed the max width (setting) from 300px to 200px.</p>\n<p>And then <code>wp_get_attachment_image_src()</code> returned <code>200</code> (width) and <code>150</code> (height).</p>\n<p>And that is not actually wrong, but it's just not the actual dimension of the actual thumbnail.</p>\n</li>\n</ol>\n<p>So why so, is because <code>wp_get_attachment_image_src()</code> uses <a href=\"https://developer.wordpress.org/reference/functions/image_downsize/\" rel=\"nofollow noreferrer\"><code>image_downsize()</code></a> which uses <a href=\"https://developer.wordpress.org/reference/functions/image_constrain_size_for_editor/\" rel=\"nofollow noreferrer\"><code>image_constrain_size_for_editor()</code></a> which scales down the actual/default size of an image and which is the function that returns that "wrong" image dimension (1500px Γ 1000px in your case, and 200px Γ 150px in the above test case).</p>\n<p>But remember, WordPress performs the scaling for a good reason β "<em>This is so that the image is a better fit for the editor and theme.</em>" β copied from the <code>image_constrain_size_for_editor()</code>'s function reference.</p>\n<p>So if you want to retrieve the actual dimension which are saved in a post metadata (see <a href=\"https://developer.wordpress.org/reference/functions/wp_get_attachment_metadata/\" rel=\"nofollow noreferrer\"><code>wp_get_attachment_metadata()</code></a>), you can first, of course use <code>wp_get_attachment_metadata()</code> and access the relevant array items, but a simpler way is using <a href=\"https://developer.wordpress.org/reference/functions/image_get_intermediate_size/\" rel=\"nofollow noreferrer\"><code>image_get_intermediate_size()</code></a> β moreover, it includes the image path relative to the uploads directory (<code>wp-content/uploads</code>), and the full image URL:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$thumbnail_id = get_post_thumbnail_id( $post->ID );\n\n$medium_image_data = image_get_intermediate_size( $thumbnail_id, 'medium' );\nvar_dump( $medium_image_data['width'], $medium_image_data['height'], $medium_image_data['url'] );\n/* Sample output:\nint(300)\nint(225)\nstring(68) "https://example.com/wp-content/uploads/2021/05/foo-image-300x225.jpg"\n*/\n\n// Or using wp_get_attachment_metadata(), assuming that sizes.medium exists:\n$image_metadata = wp_get_attachment_metadata( $thumbnail_id );\n$medium_image_data = $image_metadata['sizes']['medium'];\nvar_dump( $medium_image_data['width'], $medium_image_data['height'] );\n// here, $medium_image_data['url'] is NULL (it's not set)!\n</code></pre>\n<p>Note though, that the <code>image_get_intermediate_size()</code>'s function reference says: (formatted for brevity, and <code>$size</code> is the second parameter for the function)</p>\n<blockquote>\n<p>The <code>$size</code> parameter can be an array with the width and height\nrespectively. If the size matches the βsizesβ metadata array for width\nand height, then it will be used. <em>If there is no direct match, then\nthe nearest image size <strong>larger than</strong> the specified size will be\nused.</em></p>\n</blockquote>\n"
}
] | 2021/05/15 | [
"https://wordpress.stackexchange.com/questions/388220",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/25053/"
] | Several times over time I changed sizes of thumbnails WP generate when images are uploaded, always setting bigger size.
Recently I set Thumbnail Width 600px width and Medium size Max Width 1800px.
After several hundred images uploaded I realized that I need to set smaller image sizes, I reduced Medium size from 1800px to 1500px for future uploads.
I know that already uploaded images will stay on disk in bigger resolution, and that is fine by me, I do not need to use any plugin to regenerate thumbs again.
Problem:
Word Press now shows that size for images uploaded before is also 1500px width, even real size is 1800px (for an example it shows 1500px x 1000px for image that is 1800px x 1200px).
I changed few times width of future images in Dashboard > Settings > Media and I figured out that if real dimensions of already uploaded images are bigger than what is now set in Media Settings, WP will say that width of those images is the width that is set in Media Settings, even real dimensions are bigger.
You can see screenshot example here: <https://postimg.cc/fScS3WKH>
This is code I use to get image and its dimensions.
```
$medium_image_url = wp_get_attachment_image_src( get_post_thumbnail_id($post->ID), 'medium'); // Featured image medium size
// To show image dimensions
echo $medium_image_url[1]; // Show width
echo $medium_image_url[2]; // Show height
```
How to get real image dimension of already uploaded images which dimensions are bigger than one now set in media settings? | >
> How to get real image dimension of already uploaded images *which
> dimensions are bigger than one now set in **media settings***?
>
>
>
(Note: The *italic and **bold*** formatting above was added by me.)
[`wp_get_attachment_image_src()`](https://developer.wordpress.org/reference/functions/wp_get_attachment_image_src/) indeed doesn't necessarily return the actual width and height of the **resized** image file, and that the function relies upon the specific image size's max width and height set via the media settings screen (see [wp-admin β Settings β Media](https://wordpress.org/support/article/settings-media-screen/)).
Sample test case:
1. I uploaded a 1600px Γ 1199px image (let's call it `foo-image.jpg`), and the Medium image size's max width was 300px (the default one). So WordPress saved that original image file and generated several thumbnails, and as for the Medium-sized thumbnail, the actual dimension is 300px Γ 225px and named `foo-image-300x225.jpg`.
And `wp_get_attachment_image_src()` returned `300` (width) and `225` (height) which is the actual dimension.
2. Then I changed the max width (setting) from 300px to 200px.
And then `wp_get_attachment_image_src()` returned `200` (width) and `150` (height).
And that is not actually wrong, but it's just not the actual dimension of the actual thumbnail.
So why so, is because `wp_get_attachment_image_src()` uses [`image_downsize()`](https://developer.wordpress.org/reference/functions/image_downsize/) which uses [`image_constrain_size_for_editor()`](https://developer.wordpress.org/reference/functions/image_constrain_size_for_editor/) which scales down the actual/default size of an image and which is the function that returns that "wrong" image dimension (1500px Γ 1000px in your case, and 200px Γ 150px in the above test case).
But remember, WordPress performs the scaling for a good reason β "*This is so that the image is a better fit for the editor and theme.*" β copied from the `image_constrain_size_for_editor()`'s function reference.
So if you want to retrieve the actual dimension which are saved in a post metadata (see [`wp_get_attachment_metadata()`](https://developer.wordpress.org/reference/functions/wp_get_attachment_metadata/)), you can first, of course use `wp_get_attachment_metadata()` and access the relevant array items, but a simpler way is using [`image_get_intermediate_size()`](https://developer.wordpress.org/reference/functions/image_get_intermediate_size/) β moreover, it includes the image path relative to the uploads directory (`wp-content/uploads`), and the full image URL:
```php
$thumbnail_id = get_post_thumbnail_id( $post->ID );
$medium_image_data = image_get_intermediate_size( $thumbnail_id, 'medium' );
var_dump( $medium_image_data['width'], $medium_image_data['height'], $medium_image_data['url'] );
/* Sample output:
int(300)
int(225)
string(68) "https://example.com/wp-content/uploads/2021/05/foo-image-300x225.jpg"
*/
// Or using wp_get_attachment_metadata(), assuming that sizes.medium exists:
$image_metadata = wp_get_attachment_metadata( $thumbnail_id );
$medium_image_data = $image_metadata['sizes']['medium'];
var_dump( $medium_image_data['width'], $medium_image_data['height'] );
// here, $medium_image_data['url'] is NULL (it's not set)!
```
Note though, that the `image_get_intermediate_size()`'s function reference says: (formatted for brevity, and `$size` is the second parameter for the function)
>
> The `$size` parameter can be an array with the width and height
> respectively. If the size matches the βsizesβ metadata array for width
> and height, then it will be used. *If there is no direct match, then
> the nearest image size **larger than** the specified size will be
> used.*
>
>
> |
388,236 | <p>I am following the "<a href="https://developer.wordpress.org/block-editor/how-to-guides/metabox/meta-block-1-intro/" rel="nofollow noreferrer">Store Post Meta with a Block</a>" guide from the official Block Editor Handbook to add a custom post meta block using the supplied sample code (below). However, the block does not load and a <code>Uncaught SyntaxError: Cannot use import statement outside a module</code> error is displayed from the <code>myguten.js</code> file in the console when loading the block editor page.</p>
<p>How can I resolve this? Is the WordPress Block Editor Handbook code incorrect?</p>
<p><code>myguten-meta-block.php</code>:</p>
<pre><code>// register custom meta tag field
function myguten_register_post_meta() {
register_post_meta( 'post', 'myguten_meta_block_field', array(
'show_in_rest' => true,
'single' => true,
'type' => 'string',
) );
}
add_action( 'init', 'myguten_register_post_meta' );
function myguten_enqueue() {
wp_enqueue_script(
'myguten-script',
plugins_url( 'myguten.js', __FILE__ ),
array( 'wp-blocks', 'wp-element', 'wp-components', 'wp-data', 'wp-core-data', 'wp-block-editor' )
);
}
add_action( 'enqueue_block_editor_assets', 'myguten_enqueue' );
</code></pre>
<p><code>myguten.js</code>:</p>
<pre><code>import { registerBlockType } from '@wordpress/blocks';
import { TextControl } from '@wordpress/components';
import { useSelect } from '@wordpress/data';
import { useEntityProp } from '@wordpress/core-data';
import { useBlockProps } from '@wordpress/block-editor';
registerBlockType( 'myguten/meta-block', {
title: 'Meta Block',
icon: 'smiley',
category: 'text',
edit( { setAttributes, attributes } ) {
const blockProps = useBlockProps();
const postType = useSelect(
( select ) => select( 'core/editor' ).getCurrentPostType(),
[]
);
const [ meta, setMeta ] = useEntityProp( 'postType', postType, 'meta' );
const metaFieldValue = meta[ 'myguten_meta_block_field' ];
function updateMetaValue( newValue ) {
setMeta( { ...meta, myguten_meta_block_field: newValue } );
}
return (
<div { ...blockProps }>
<TextControl
label="Meta Block Field"
value={ metaFieldValue }
onChange={ updateMetaValue }
/>
</div>
);
},
// No information saved to the block
// Data is saved to post meta via the hook
save() {
return null;
},
} );
</code></pre>
| [
{
"answer_id": 388238,
"author": "0Seven",
"author_id": 160222,
"author_profile": "https://wordpress.stackexchange.com/users/160222",
"pm_score": 0,
"selected": false,
"text": "<p>I discovered this was occurring because I was using the supplied ESNext JavaScript <a href=\"https://developer.wordpress.org/block-editor/how-to-guides/metabox/meta-block-3-add/\" rel=\"nofollow noreferrer\">code from the guide</a>.</p>\n<p>Although it is never once mentioned in the "Store Post Meta with a Block" guide, <a href=\"https://developer.wordpress.org/block-editor/how-to-guides/block-tutorial/\" rel=\"nofollow noreferrer\">this page in a later section</a> confirms the ESNext code must be "compiled" before it can be used.</p>\n<p>Using the sample ES5 code from <a href=\"https://developer.wordpress.org/block-editor/how-to-guides/metabox/meta-block-3-add/\" rel=\"nofollow noreferrer\">this page of the guide</a> works.</p>\n<pre><code>( function ( wp ) {\n var el = wp.element.createElement;\n var registerBlockType = wp.blocks.registerBlockType;\n var TextControl = wp.components.TextControl;\n var useSelect = wp.data.useSelect;\n var useEntityProp = wp.coreData.useEntityProp;\n var useBlockProps = wp.blockEditor.useBlockProps;\n \n registerBlockType( 'myguten/meta-block', {\n title: 'Meta Block',\n icon: 'smiley',\n category: 'text',\n \n edit: function ( props ) {\n var blockProps = useBlockProps();\n var postType = useSelect( function ( select ) {\n return select( 'core/editor' ).getCurrentPostType();\n }, [] );\n var entityProp = useEntityProp( 'postType', postType, 'meta' );\n var meta = entityProp[ 0 ];\n var setMeta = entityProp[ 1 ];\n \n var metaFieldValue = meta[ 'myguten_meta_block_field' ];\n function updateMetaValue( newValue ) {\n setMeta(\n Object.assign( {}, meta, {\n myguten_meta_block_field: newValue,\n } )\n );\n }\n \n return el(\n 'div',\n blockProps,\n el( TextControl, {\n label: 'Meta Block Field',\n value: metaFieldValue,\n onChange: updateMetaValue,\n } )\n );\n },\n \n // No information saved to the block\n // Data is saved to post meta via attributes\n save: function () {\n return null;\n },\n } );\n} )( window.wp );\n</code></pre>\n"
},
{
"answer_id": 388260,
"author": "Edward",
"author_id": 206327,
"author_profile": "https://wordpress.stackexchange.com/users/206327",
"pm_score": 1,
"selected": false,
"text": "<p>You should use <a href=\"https://github.com/WordPress/gutenberg/blob/trunk/packages/scripts/README.md\" rel=\"nofollow noreferrer\">@wordpress/scripts</a> so you can profit from modern JavaScript language features and JSX and transpile it to browser-compatible code. It's really not complicated to use.</p>\n<p>Just install it via <code>npm install @wordpress/scripts --save</code> and than you can transpile your source file like this <code>wp-scripts build src/myguten.js.js --output--path=js</code>.</p>\n<p>It's not only modern language features but versioning and dependency management that comes with it too.</p>\n"
}
] | 2021/05/16 | [
"https://wordpress.stackexchange.com/questions/388236",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/160222/"
] | I am following the "[Store Post Meta with a Block](https://developer.wordpress.org/block-editor/how-to-guides/metabox/meta-block-1-intro/)" guide from the official Block Editor Handbook to add a custom post meta block using the supplied sample code (below). However, the block does not load and a `Uncaught SyntaxError: Cannot use import statement outside a module` error is displayed from the `myguten.js` file in the console when loading the block editor page.
How can I resolve this? Is the WordPress Block Editor Handbook code incorrect?
`myguten-meta-block.php`:
```
// register custom meta tag field
function myguten_register_post_meta() {
register_post_meta( 'post', 'myguten_meta_block_field', array(
'show_in_rest' => true,
'single' => true,
'type' => 'string',
) );
}
add_action( 'init', 'myguten_register_post_meta' );
function myguten_enqueue() {
wp_enqueue_script(
'myguten-script',
plugins_url( 'myguten.js', __FILE__ ),
array( 'wp-blocks', 'wp-element', 'wp-components', 'wp-data', 'wp-core-data', 'wp-block-editor' )
);
}
add_action( 'enqueue_block_editor_assets', 'myguten_enqueue' );
```
`myguten.js`:
```
import { registerBlockType } from '@wordpress/blocks';
import { TextControl } from '@wordpress/components';
import { useSelect } from '@wordpress/data';
import { useEntityProp } from '@wordpress/core-data';
import { useBlockProps } from '@wordpress/block-editor';
registerBlockType( 'myguten/meta-block', {
title: 'Meta Block',
icon: 'smiley',
category: 'text',
edit( { setAttributes, attributes } ) {
const blockProps = useBlockProps();
const postType = useSelect(
( select ) => select( 'core/editor' ).getCurrentPostType(),
[]
);
const [ meta, setMeta ] = useEntityProp( 'postType', postType, 'meta' );
const metaFieldValue = meta[ 'myguten_meta_block_field' ];
function updateMetaValue( newValue ) {
setMeta( { ...meta, myguten_meta_block_field: newValue } );
}
return (
<div { ...blockProps }>
<TextControl
label="Meta Block Field"
value={ metaFieldValue }
onChange={ updateMetaValue }
/>
</div>
);
},
// No information saved to the block
// Data is saved to post meta via the hook
save() {
return null;
},
} );
``` | You should use [@wordpress/scripts](https://github.com/WordPress/gutenberg/blob/trunk/packages/scripts/README.md) so you can profit from modern JavaScript language features and JSX and transpile it to browser-compatible code. It's really not complicated to use.
Just install it via `npm install @wordpress/scripts --save` and than you can transpile your source file like this `wp-scripts build src/myguten.js.js --output--path=js`.
It's not only modern language features but versioning and dependency management that comes with it too. |
388,255 | <p>I have split up all my functions into separate files and load these from the functions.php using the below:</p>
<pre><code>require get_template_directory() . '/inc/bhh-functions/scripts-styles.php';
require get_template_directory() . '/inc/bhh-functions/user-functions.php';
</code></pre>
<p>However, I now have a functions file that I only want to load on a certain taxonomy page. I have tried the following and other possibilities with no luck.</p>
<pre><code>if (has_term('16', 'product_cat', )) {
require get_template_directory() . '/inc/bhh-functions/tax-functions.php';
}
</code></pre>
| [
{
"answer_id": 388257,
"author": "Antti Koskinen",
"author_id": 144392,
"author_profile": "https://wordpress.stackexchange.com/users/144392",
"pm_score": 1,
"selected": false,
"text": "<p>I think there's three things going on with your code.</p>\n<p>The first is that you're passing a numeric string as the first parameter to <code>has_term()</code>. If you're trying to pass the term ID to the function, you should remove the quotes from '16' and just pass 16, i.e. as integer.\n<a href=\"https://developer.wordpress.org/reference/functions/has_term/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/functions/has_term/</a></p>\n<p>The second is that you're using <code>has_term()</code> to <em>load on a certain taxonomy page</em>. That function is for checking if a post has certain term, not if the query is for a taxonomy page. You should use <code>is_tax( $taxonomy, $term)</code> instead.\n<a href=\"https://developer.wordpress.org/reference/functions/is_tax/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/functions/is_tax/</a></p>\n<p>The third thing is that you're doing the conditional check directly on the functions.php file. Due to loading and actions firing order, the check happens too early. Wrap the check in a callback function and attach that for example to <code>template_redirect</code> action hook. By the time that action happens WP has set up itself proprely and the conditional function has the necessary data to check against.\n<a href=\"https://codex.wordpress.org/Plugin_API/Action_Reference\" rel=\"nofollow noreferrer\">https://codex.wordpress.org/Plugin_API/Action_Reference</a></p>\n"
},
{
"answer_id": 388292,
"author": "iamonstage",
"author_id": 68090,
"author_profile": "https://wordpress.stackexchange.com/users/68090",
"pm_score": 0,
"selected": false,
"text": "<pre class=\"lang-php prettyprint-override\"><code>add_action('template_redirect', 'bhh_single_product_functions', 10);\n\nfunction bhh_single_product_functions()\n{\n if (has_term(16, 'product_cat',)) {\n require get_template_directory() . '/inc/bhh-functions/single-product-category-x.php';\n }\n}\n</code></pre>\n"
}
] | 2021/05/16 | [
"https://wordpress.stackexchange.com/questions/388255",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/68090/"
] | I have split up all my functions into separate files and load these from the functions.php using the below:
```
require get_template_directory() . '/inc/bhh-functions/scripts-styles.php';
require get_template_directory() . '/inc/bhh-functions/user-functions.php';
```
However, I now have a functions file that I only want to load on a certain taxonomy page. I have tried the following and other possibilities with no luck.
```
if (has_term('16', 'product_cat', )) {
require get_template_directory() . '/inc/bhh-functions/tax-functions.php';
}
``` | I think there's three things going on with your code.
The first is that you're passing a numeric string as the first parameter to `has_term()`. If you're trying to pass the term ID to the function, you should remove the quotes from '16' and just pass 16, i.e. as integer.
<https://developer.wordpress.org/reference/functions/has_term/>
The second is that you're using `has_term()` to *load on a certain taxonomy page*. That function is for checking if a post has certain term, not if the query is for a taxonomy page. You should use `is_tax( $taxonomy, $term)` instead.
<https://developer.wordpress.org/reference/functions/is_tax/>
The third thing is that you're doing the conditional check directly on the functions.php file. Due to loading and actions firing order, the check happens too early. Wrap the check in a callback function and attach that for example to `template_redirect` action hook. By the time that action happens WP has set up itself proprely and the conditional function has the necessary data to check against.
<https://codex.wordpress.org/Plugin_API/Action_Reference> |
388,312 | <p>I created a custom post type ( Customers ) and i want to show posts of this post type just to the users with Customer role.</p>
<p>there is any way without or with plugin?</p>
| [
{
"answer_id": 388314,
"author": "MMK",
"author_id": 148207,
"author_profile": "https://wordpress.stackexchange.com/users/148207",
"pm_score": 0,
"selected": false,
"text": "<p>if you want to use the plugin.\nAdvance Access manager.\n<a href=\"https://wordpress.org/plugins/advanced-access-manager/\" rel=\"nofollow noreferrer\">https://wordpress.org/plugins/advanced-access-manager/</a></p>\n<p>The plugin basically allows you to not only manage access to the backend and front for specific posts. But also hide menu and dashboard entries.</p>\n"
},
{
"answer_id": 388318,
"author": "Mohammad Esmaili",
"author_id": 127972,
"author_profile": "https://wordpress.stackexchange.com/users/127972",
"pm_score": 3,
"selected": true,
"text": "<p>as @Tonydjukic mentioned, the best way is get user role first and then showing content to him.</p>\n<p>also with this code we can do it :</p>\n<pre><code>$user = wp_get_current_user();\n$allowed_roles = array( 'administrator', 'customer' );\nif ( array_intersect( $allowed_roles, $user->roles ) ) {\n}\n</code></pre>\n"
},
{
"answer_id": 388321,
"author": "Edward",
"author_id": 206327,
"author_profile": "https://wordpress.stackexchange.com/users/206327",
"pm_score": 0,
"selected": false,
"text": "<p>You could use <code>register_post_type_args</code> filter to change <code>public</code> to <code>false</code> depending on your users role.</p>\n<p><a href=\"https://developer.wordpress.org/reference/hooks/register_post_type_args/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/hooks/register_post_type_args/</a></p>\n<p><a href=\"https://developer.wordpress.org/reference/functions/register_post_type/#public\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/functions/register_post_type/#public</a></p>\n"
}
] | 2021/05/17 | [
"https://wordpress.stackexchange.com/questions/388312",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/127972/"
] | I created a custom post type ( Customers ) and i want to show posts of this post type just to the users with Customer role.
there is any way without or with plugin? | as @Tonydjukic mentioned, the best way is get user role first and then showing content to him.
also with this code we can do it :
```
$user = wp_get_current_user();
$allowed_roles = array( 'administrator', 'customer' );
if ( array_intersect( $allowed_roles, $user->roles ) ) {
}
``` |
388,366 | <p>I'm echoing the post thumbnail here:</p>
<pre><code>echo '<div class="post-image right">' . the_post_thumbnail('featured-portrait-large') . '</div>';
</code></pre>
<p>And it works, but it's outputting the image outside the div like this:</p>
<pre><code><div class="post-header-text">
<img width="500" height="700" src="[IMAGE URL DELETED]" class="attachment-featured-portrait-large size-featured-portrait-large wp-post-image" alt="" loading="lazy">
<div class="post-image right"></div>
</div>
</code></pre>
<p>What I want is:</p>
<pre><code><div class="post-header-text">
<div class="post-image right">
<img width="500" height="700" src="[IMAGE URL DELETED]" class="attachment-featured-portrait-large size-featured-portrait-large wp-post-image" alt="" loading="lazy">
</div>
</div>
</code></pre>
<p>Could someone explain why and what I've done wrong?</p>
| [
{
"answer_id": 388367,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<p><a href=\"https://developer.wordpress.org/reference/functions/the_post_thumbnail/\" rel=\"nofollow noreferrer\"><code>the_post_thumbnail()</code></a> echo the output, hence that's why the thumbnail is misplaced.</p>\n<p>To manually echo the output, you should use <a href=\"https://developer.wordpress.org/reference/functions/get_the_post_thumbnail/\" rel=\"nofollow noreferrer\"><code>get_the_post_thumbnail()</code></a> instead:</p>\n<pre class=\"lang-php prettyprint-override\"><code>echo '<div class="post-image right">' . // wrapped\n get_the_post_thumbnail(null, 'featured-portrait-large') . '</div>';\n</code></pre>\n<p>Or you can instead do this:</p>\n<pre class=\"lang-php prettyprint-override\"><code>echo '<div class="post-image right">';\nthe_post_thumbnail('featured-portrait-large');\necho '</div>';\n</code></pre>\n"
},
{
"answer_id": 388369,
"author": "Sonali Yewle",
"author_id": 178505,
"author_profile": "https://wordpress.stackexchange.com/users/178505",
"pm_score": -1,
"selected": false,
"text": "<p>You can simply get image url then add this url to image tag, I hope this will help you.</p>\n<pre><code><?php \n$thumb_id = get_post_thumbnail_id();\n$thumb_url = wp_get_attachment_image_src($thumb_id,'medium', true);\n$imageURL = $thumb_url[0];\n?>\n</code></pre>\n"
}
] | 2021/05/18 | [
"https://wordpress.stackexchange.com/questions/388366",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/186347/"
] | I'm echoing the post thumbnail here:
```
echo '<div class="post-image right">' . the_post_thumbnail('featured-portrait-large') . '</div>';
```
And it works, but it's outputting the image outside the div like this:
```
<div class="post-header-text">
<img width="500" height="700" src="[IMAGE URL DELETED]" class="attachment-featured-portrait-large size-featured-portrait-large wp-post-image" alt="" loading="lazy">
<div class="post-image right"></div>
</div>
```
What I want is:
```
<div class="post-header-text">
<div class="post-image right">
<img width="500" height="700" src="[IMAGE URL DELETED]" class="attachment-featured-portrait-large size-featured-portrait-large wp-post-image" alt="" loading="lazy">
</div>
</div>
```
Could someone explain why and what I've done wrong? | [`the_post_thumbnail()`](https://developer.wordpress.org/reference/functions/the_post_thumbnail/) echo the output, hence that's why the thumbnail is misplaced.
To manually echo the output, you should use [`get_the_post_thumbnail()`](https://developer.wordpress.org/reference/functions/get_the_post_thumbnail/) instead:
```php
echo '<div class="post-image right">' . // wrapped
get_the_post_thumbnail(null, 'featured-portrait-large') . '</div>';
```
Or you can instead do this:
```php
echo '<div class="post-image right">';
the_post_thumbnail('featured-portrait-large');
echo '</div>';
``` |
388,384 | <p>I want to write some JavaScript and want to assign that to a custom capability, I explored a lot but unfortunately none of them worked, any help will be appriciated.</p>
<p>My codes are as below:</p>
<pre><code>add_action('init', function() {
if (current_user_can('disable_image'))
{
//add javascript here
}
});
</code></pre>
| [
{
"answer_id": 388367,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<p><a href=\"https://developer.wordpress.org/reference/functions/the_post_thumbnail/\" rel=\"nofollow noreferrer\"><code>the_post_thumbnail()</code></a> echo the output, hence that's why the thumbnail is misplaced.</p>\n<p>To manually echo the output, you should use <a href=\"https://developer.wordpress.org/reference/functions/get_the_post_thumbnail/\" rel=\"nofollow noreferrer\"><code>get_the_post_thumbnail()</code></a> instead:</p>\n<pre class=\"lang-php prettyprint-override\"><code>echo '<div class="post-image right">' . // wrapped\n get_the_post_thumbnail(null, 'featured-portrait-large') . '</div>';\n</code></pre>\n<p>Or you can instead do this:</p>\n<pre class=\"lang-php prettyprint-override\"><code>echo '<div class="post-image right">';\nthe_post_thumbnail('featured-portrait-large');\necho '</div>';\n</code></pre>\n"
},
{
"answer_id": 388369,
"author": "Sonali Yewle",
"author_id": 178505,
"author_profile": "https://wordpress.stackexchange.com/users/178505",
"pm_score": -1,
"selected": false,
"text": "<p>You can simply get image url then add this url to image tag, I hope this will help you.</p>\n<pre><code><?php \n$thumb_id = get_post_thumbnail_id();\n$thumb_url = wp_get_attachment_image_src($thumb_id,'medium', true);\n$imageURL = $thumb_url[0];\n?>\n</code></pre>\n"
}
] | 2021/05/19 | [
"https://wordpress.stackexchange.com/questions/388384",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/183839/"
] | I want to write some JavaScript and want to assign that to a custom capability, I explored a lot but unfortunately none of them worked, any help will be appriciated.
My codes are as below:
```
add_action('init', function() {
if (current_user_can('disable_image'))
{
//add javascript here
}
});
``` | [`the_post_thumbnail()`](https://developer.wordpress.org/reference/functions/the_post_thumbnail/) echo the output, hence that's why the thumbnail is misplaced.
To manually echo the output, you should use [`get_the_post_thumbnail()`](https://developer.wordpress.org/reference/functions/get_the_post_thumbnail/) instead:
```php
echo '<div class="post-image right">' . // wrapped
get_the_post_thumbnail(null, 'featured-portrait-large') . '</div>';
```
Or you can instead do this:
```php
echo '<div class="post-image right">';
the_post_thumbnail('featured-portrait-large');
echo '</div>';
``` |
388,410 | <p>There are 2000 Custom Taxonomies, called <strong>tax_city</strong> in my website<br>
<a href="https://www.example.com/tax_city/london" rel="nofollow noreferrer">https://www.example.com/tax_city/london</a></p>
<p>and I want to change URL to something like this:</p>
<p><a href="https://www.example.com/services/home-care/london" rel="nofollow noreferrer">https://www.example.com/services/home-care/london</a></p>
<p>so, when someone visiting this URL, actually see taxonomy archive page. but with nicer URL.</p>
<p>I know this is possible somehow with htaccess but no idea start from which point.</p>
<p>any guide?</p>
| [
{
"answer_id": 388413,
"author": "Pat J",
"author_id": 16121,
"author_profile": "https://wordpress.stackexchange.com/users/16121",
"pm_score": 2,
"selected": false,
"text": "<p>You'd be better off adding or modifying the <code>rewrite</code> variable that's being passed to your <a href=\"https://developer.wordpress.org/reference/functions/register_taxonomy/\" rel=\"nofollow noreferrer\"><code>register_taxonomy()</code></a> call for the custom taxonomy. You can modify the rewrites to suit your purpose.</p>\n<p>For example:</p>\n<pre><code>$taxonomy_args = array(\n // All the variables and their values...\n 'rewrite' => array(\n 'slug' => 'services/home-care',\n ),\n // ...more variables and values...\n);\n\nregister_taxonomy( 'tax_city', $object_types, $taxonomy_args );\n</code></pre>\n<p>Be sure to flush your site's permalinks after you make the change.</p>\n"
},
{
"answer_id": 388461,
"author": "Amino",
"author_id": 8124,
"author_profile": "https://wordpress.stackexchange.com/users/8124",
"pm_score": 1,
"selected": false,
"text": "<p>This one worked for me.</p>\n<pre><code>function custom_rewrite_rules() {\n add_rewrite_rule('^services/(.*)/(.*)?', 'index.php?service_category=$matches[1]&tax_city=$matches[2]', 'top');\n}\nadd_action('init', 'custom_rewrite_rules');\n</code></pre>\n"
}
] | 2021/05/19 | [
"https://wordpress.stackexchange.com/questions/388410",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/8124/"
] | There are 2000 Custom Taxonomies, called **tax\_city** in my website
<https://www.example.com/tax_city/london>
and I want to change URL to something like this:
<https://www.example.com/services/home-care/london>
so, when someone visiting this URL, actually see taxonomy archive page. but with nicer URL.
I know this is possible somehow with htaccess but no idea start from which point.
any guide? | You'd be better off adding or modifying the `rewrite` variable that's being passed to your [`register_taxonomy()`](https://developer.wordpress.org/reference/functions/register_taxonomy/) call for the custom taxonomy. You can modify the rewrites to suit your purpose.
For example:
```
$taxonomy_args = array(
// All the variables and their values...
'rewrite' => array(
'slug' => 'services/home-care',
),
// ...more variables and values...
);
register_taxonomy( 'tax_city', $object_types, $taxonomy_args );
```
Be sure to flush your site's permalinks after you make the change. |
388,491 | <p>I have my AJAX post category filter working fine on my site, thanks to the generous posts of folks like yourselves. What I can't seem to find is how to do something in the AJAX/jQuery script if the selected value is empty.</p>
<p>Here's my script:</p>
<pre><code>$(function(){
var event_change = $('#event-change');
$( ".select" ).selectCF({
change: function(){
var value = $(this).val();
var text = $(this).children('option:selected').html();
$.ajax({
url: ajaxurl,
type: 'POST',
dataType: 'html',
data: {
action: 'repfilter',
category: $(this).children('option:selected').data('slug'),
},
success:function(res){
$('#response').html(res).addClass('open');
}
});
}
});
})
</code></pre>
<p>You'll see I used addClass('open') at the end to open the response div. It works exactly as I want it to. Now I need to be able to removeClass('open') if the dropdown option selected value is empty, the "Select an Option" option. Am I missing something obvious?</p>
<p>Any help is greatly appreciated!</p>
| [
{
"answer_id": 388498,
"author": "phatskat",
"author_id": 20143,
"author_profile": "https://wordpress.stackexchange.com/users/20143",
"pm_score": 0,
"selected": false,
"text": "<p>I think you just need to call <code>removeClass</code> first and only call <code>addClass</code> when you have a result you can use:</p>\n<pre class=\"lang-js prettyprint-override\"><code>$(function(){\n var event_change = $('#event-change');\n $( ".select" ).selectCF({\n change: function(){\n var value = $(this).val();\n var text = $(this).children('option:selected').html();\n\n // Remove the open class from the container when the user changes a selection\n $('#response').removeClass('open');\n \n $.ajax({\n url: ajaxurl,\n type: 'POST',\n dataType: 'html',\n data: {\n action: 'repfilter',\n category: $(this).children('option:selected').data('slug'),\n },\n success:function(res){\n if ( ! res ) {\n return;\n }\n\n $('#response').html(res).addClass('open');\n }\n });\n }\n });\n})\n</code></pre>\n"
},
{
"answer_id": 388530,
"author": "jtm",
"author_id": 206670,
"author_profile": "https://wordpress.stackexchange.com/users/206670",
"pm_score": 2,
"selected": true,
"text": "<p>Unfortunately, the answers given did not work. I was only looking at the jQuery portion, but the issue was in the functions filter, which I did not include in my original post. However, you did push me in the direction I needed, so thank you for that!</p>\n<p>The problem was, I was always getting a response from the AJAX function. A null response would not clear the previous responses, so my content drawer would never close after being open. What I ended up doing was modifying the function that returned the results by creating an empty template part. That way, the empty select input would return an empty div.</p>\n<p>Here's the full code, in case you were wondering:</p>\n<p>FUNCTIONS.PHP ============</p>\n<pre><code>add_action('wp_ajax_repfilter', 'repfilter'); // wp_ajax_{ACTION HERE} \nadd_action('wp_ajax_nopriv_repfilter', 'repfilter');\n \nfunction repfilter() {\n $catSlug = $_POST['category'];\n\n $ajaxreps = new WP_Query([\n 'post_type' => 'sales_reps',\n 'post_status' => 'publish',\n 'posts_per_page' => -1,\n 'tax_query' => array(\n array (\n 'taxonomy' => 'State',\n 'field' => 'slug',\n 'terms' => $catSlug,\n )\n ),\n 'orderby' => 'title', \n 'order' => 'ASC',\n ]);\n $response = '';\n\n if($catSlug == '') { // This was the key! If the dropdown selection is empty, return this empty template file.\n $response .= get_template_part('template_parts/null-item');\n } else {\n if($ajaxreps->have_posts()) {\n while($ajaxreps->have_posts()) : $ajaxreps->the_post();\n $response .= get_template_part('template_parts/rep-item');\n endwhile;\n } else {\n $response = 'Sorry. There are no sales reps in your area.';\n }\n }\n\n echo $response;\n exit;\n}\n</code></pre>\n<p>And the jQuery ==================</p>\n<pre><code>$(function(){\n var event_change = $('#event-change');\n $( ".select" ).selectCF({\n change: function(){\n var value = $(this).val();\n var text = $(this).children('option:selected').html();\n\n $.ajax({\n url: ajaxurl,\n type: 'POST',\n dataType: 'html',\n data: {\n action: 'repfilter',\n category: $(this).children('option:selected').data('slug'),\n },\n success:function(res){\n $('#response').html(res);\n if($(".repItem").length == 0) { // And this little piece checks if the results have a div present, which it would not if the empty template file was returned, and removes the "open" class.\n $('#response').removeClass('open');\n } else {\n $('#response').addClass('open');\n }\n }\n });\n }\n });\n})\n</code></pre>\n<p>So that fixed it. See the comments in the code samples. I'm sure it's not a very elegant solution, but it worked.</p>\n"
}
] | 2021/05/20 | [
"https://wordpress.stackexchange.com/questions/388491",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/206670/"
] | I have my AJAX post category filter working fine on my site, thanks to the generous posts of folks like yourselves. What I can't seem to find is how to do something in the AJAX/jQuery script if the selected value is empty.
Here's my script:
```
$(function(){
var event_change = $('#event-change');
$( ".select" ).selectCF({
change: function(){
var value = $(this).val();
var text = $(this).children('option:selected').html();
$.ajax({
url: ajaxurl,
type: 'POST',
dataType: 'html',
data: {
action: 'repfilter',
category: $(this).children('option:selected').data('slug'),
},
success:function(res){
$('#response').html(res).addClass('open');
}
});
}
});
})
```
You'll see I used addClass('open') at the end to open the response div. It works exactly as I want it to. Now I need to be able to removeClass('open') if the dropdown option selected value is empty, the "Select an Option" option. Am I missing something obvious?
Any help is greatly appreciated! | Unfortunately, the answers given did not work. I was only looking at the jQuery portion, but the issue was in the functions filter, which I did not include in my original post. However, you did push me in the direction I needed, so thank you for that!
The problem was, I was always getting a response from the AJAX function. A null response would not clear the previous responses, so my content drawer would never close after being open. What I ended up doing was modifying the function that returned the results by creating an empty template part. That way, the empty select input would return an empty div.
Here's the full code, in case you were wondering:
FUNCTIONS.PHP ============
```
add_action('wp_ajax_repfilter', 'repfilter'); // wp_ajax_{ACTION HERE}
add_action('wp_ajax_nopriv_repfilter', 'repfilter');
function repfilter() {
$catSlug = $_POST['category'];
$ajaxreps = new WP_Query([
'post_type' => 'sales_reps',
'post_status' => 'publish',
'posts_per_page' => -1,
'tax_query' => array(
array (
'taxonomy' => 'State',
'field' => 'slug',
'terms' => $catSlug,
)
),
'orderby' => 'title',
'order' => 'ASC',
]);
$response = '';
if($catSlug == '') { // This was the key! If the dropdown selection is empty, return this empty template file.
$response .= get_template_part('template_parts/null-item');
} else {
if($ajaxreps->have_posts()) {
while($ajaxreps->have_posts()) : $ajaxreps->the_post();
$response .= get_template_part('template_parts/rep-item');
endwhile;
} else {
$response = 'Sorry. There are no sales reps in your area.';
}
}
echo $response;
exit;
}
```
And the jQuery ==================
```
$(function(){
var event_change = $('#event-change');
$( ".select" ).selectCF({
change: function(){
var value = $(this).val();
var text = $(this).children('option:selected').html();
$.ajax({
url: ajaxurl,
type: 'POST',
dataType: 'html',
data: {
action: 'repfilter',
category: $(this).children('option:selected').data('slug'),
},
success:function(res){
$('#response').html(res);
if($(".repItem").length == 0) { // And this little piece checks if the results have a div present, which it would not if the empty template file was returned, and removes the "open" class.
$('#response').removeClass('open');
} else {
$('#response').addClass('open');
}
}
});
}
});
})
```
So that fixed it. See the comments in the code samples. I'm sure it's not a very elegant solution, but it worked. |
388,493 | <pre class="lang-php prettyprint-override"><code><?php
namespace wpplugin\basic;
class Basic extends \hg\wordpress\AbstractPlugin
{
public function register()
{
add_action('wp_ajax_simple_ajax2', array($this, 'onBasicFunc'));
add_action('wp_ajax_nopriv_simple_ajax2', array($this, 'onBasicFunc'));
}
public function onBasicFunc()
{
$data = $_REQUEST; // retrieve your submitted data
wp_send_json($_REQUEST); // return the processed data to the browser as json
die();
}
}
</code></pre>
<p>The above doesn't work when I try to call it from the frontend, but if I put the content inside functions.php it works as expected. I am guessing it's because I didn't enable the plugin, but is there a way to programatically enable it? My plugin is just supposed to be something that returns a result when doing an ajax call.</p>
| [
{
"answer_id": 388498,
"author": "phatskat",
"author_id": 20143,
"author_profile": "https://wordpress.stackexchange.com/users/20143",
"pm_score": 0,
"selected": false,
"text": "<p>I think you just need to call <code>removeClass</code> first and only call <code>addClass</code> when you have a result you can use:</p>\n<pre class=\"lang-js prettyprint-override\"><code>$(function(){\n var event_change = $('#event-change');\n $( ".select" ).selectCF({\n change: function(){\n var value = $(this).val();\n var text = $(this).children('option:selected').html();\n\n // Remove the open class from the container when the user changes a selection\n $('#response').removeClass('open');\n \n $.ajax({\n url: ajaxurl,\n type: 'POST',\n dataType: 'html',\n data: {\n action: 'repfilter',\n category: $(this).children('option:selected').data('slug'),\n },\n success:function(res){\n if ( ! res ) {\n return;\n }\n\n $('#response').html(res).addClass('open');\n }\n });\n }\n });\n})\n</code></pre>\n"
},
{
"answer_id": 388530,
"author": "jtm",
"author_id": 206670,
"author_profile": "https://wordpress.stackexchange.com/users/206670",
"pm_score": 2,
"selected": true,
"text": "<p>Unfortunately, the answers given did not work. I was only looking at the jQuery portion, but the issue was in the functions filter, which I did not include in my original post. However, you did push me in the direction I needed, so thank you for that!</p>\n<p>The problem was, I was always getting a response from the AJAX function. A null response would not clear the previous responses, so my content drawer would never close after being open. What I ended up doing was modifying the function that returned the results by creating an empty template part. That way, the empty select input would return an empty div.</p>\n<p>Here's the full code, in case you were wondering:</p>\n<p>FUNCTIONS.PHP ============</p>\n<pre><code>add_action('wp_ajax_repfilter', 'repfilter'); // wp_ajax_{ACTION HERE} \nadd_action('wp_ajax_nopriv_repfilter', 'repfilter');\n \nfunction repfilter() {\n $catSlug = $_POST['category'];\n\n $ajaxreps = new WP_Query([\n 'post_type' => 'sales_reps',\n 'post_status' => 'publish',\n 'posts_per_page' => -1,\n 'tax_query' => array(\n array (\n 'taxonomy' => 'State',\n 'field' => 'slug',\n 'terms' => $catSlug,\n )\n ),\n 'orderby' => 'title', \n 'order' => 'ASC',\n ]);\n $response = '';\n\n if($catSlug == '') { // This was the key! If the dropdown selection is empty, return this empty template file.\n $response .= get_template_part('template_parts/null-item');\n } else {\n if($ajaxreps->have_posts()) {\n while($ajaxreps->have_posts()) : $ajaxreps->the_post();\n $response .= get_template_part('template_parts/rep-item');\n endwhile;\n } else {\n $response = 'Sorry. There are no sales reps in your area.';\n }\n }\n\n echo $response;\n exit;\n}\n</code></pre>\n<p>And the jQuery ==================</p>\n<pre><code>$(function(){\n var event_change = $('#event-change');\n $( ".select" ).selectCF({\n change: function(){\n var value = $(this).val();\n var text = $(this).children('option:selected').html();\n\n $.ajax({\n url: ajaxurl,\n type: 'POST',\n dataType: 'html',\n data: {\n action: 'repfilter',\n category: $(this).children('option:selected').data('slug'),\n },\n success:function(res){\n $('#response').html(res);\n if($(".repItem").length == 0) { // And this little piece checks if the results have a div present, which it would not if the empty template file was returned, and removes the "open" class.\n $('#response').removeClass('open');\n } else {\n $('#response').addClass('open');\n }\n }\n });\n }\n });\n})\n</code></pre>\n<p>So that fixed it. See the comments in the code samples. I'm sure it's not a very elegant solution, but it worked.</p>\n"
}
] | 2021/05/20 | [
"https://wordpress.stackexchange.com/questions/388493",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/206671/"
] | ```php
<?php
namespace wpplugin\basic;
class Basic extends \hg\wordpress\AbstractPlugin
{
public function register()
{
add_action('wp_ajax_simple_ajax2', array($this, 'onBasicFunc'));
add_action('wp_ajax_nopriv_simple_ajax2', array($this, 'onBasicFunc'));
}
public function onBasicFunc()
{
$data = $_REQUEST; // retrieve your submitted data
wp_send_json($_REQUEST); // return the processed data to the browser as json
die();
}
}
```
The above doesn't work when I try to call it from the frontend, but if I put the content inside functions.php it works as expected. I am guessing it's because I didn't enable the plugin, but is there a way to programatically enable it? My plugin is just supposed to be something that returns a result when doing an ajax call. | Unfortunately, the answers given did not work. I was only looking at the jQuery portion, but the issue was in the functions filter, which I did not include in my original post. However, you did push me in the direction I needed, so thank you for that!
The problem was, I was always getting a response from the AJAX function. A null response would not clear the previous responses, so my content drawer would never close after being open. What I ended up doing was modifying the function that returned the results by creating an empty template part. That way, the empty select input would return an empty div.
Here's the full code, in case you were wondering:
FUNCTIONS.PHP ============
```
add_action('wp_ajax_repfilter', 'repfilter'); // wp_ajax_{ACTION HERE}
add_action('wp_ajax_nopriv_repfilter', 'repfilter');
function repfilter() {
$catSlug = $_POST['category'];
$ajaxreps = new WP_Query([
'post_type' => 'sales_reps',
'post_status' => 'publish',
'posts_per_page' => -1,
'tax_query' => array(
array (
'taxonomy' => 'State',
'field' => 'slug',
'terms' => $catSlug,
)
),
'orderby' => 'title',
'order' => 'ASC',
]);
$response = '';
if($catSlug == '') { // This was the key! If the dropdown selection is empty, return this empty template file.
$response .= get_template_part('template_parts/null-item');
} else {
if($ajaxreps->have_posts()) {
while($ajaxreps->have_posts()) : $ajaxreps->the_post();
$response .= get_template_part('template_parts/rep-item');
endwhile;
} else {
$response = 'Sorry. There are no sales reps in your area.';
}
}
echo $response;
exit;
}
```
And the jQuery ==================
```
$(function(){
var event_change = $('#event-change');
$( ".select" ).selectCF({
change: function(){
var value = $(this).val();
var text = $(this).children('option:selected').html();
$.ajax({
url: ajaxurl,
type: 'POST',
dataType: 'html',
data: {
action: 'repfilter',
category: $(this).children('option:selected').data('slug'),
},
success:function(res){
$('#response').html(res);
if($(".repItem").length == 0) { // And this little piece checks if the results have a div present, which it would not if the empty template file was returned, and removes the "open" class.
$('#response').removeClass('open');
} else {
$('#response').addClass('open');
}
}
});
}
});
})
```
So that fixed it. See the comments in the code samples. I'm sure it's not a very elegant solution, but it worked. |
388,596 | <p>I have a bothering PHP warning for ages, and I am wondering if someone has solution to this.
The following two-line warning is constantly recording in my error_log file:</p>
<pre><code>PHP Warning: Use of undefined constant βFORCE_SSL_LOGINβ - assumed 'βFORCE_SSL_LOGINβ' (this will throw an Error in a future version of PHP) in /home/myuser/public_html/wp-config.php on line 92
PHP Warning: Use of undefined constant βFORCE_SSL_ADMINβ - assumed 'βFORCE_SSL_ADMINβ' (this will throw an Error in a future version of PHP) in /home/myuser/public_html/wp-config.php on line 93
</code></pre>
<p>In wp-config.php I have the following for line 92 and 93 lines:</p>
<pre><code>define(βFORCE_SSL_LOGINβ, true);
define(βFORCE_SSL_ADMINβ, true);
</code></pre>
<p>line 91 is empty
and line 90 is <code>define('WP_DEBUG', false);</code></p>
<p>More information:
My php version: 7.4.16;
Webserver: LiteSpeed;
cURL Version: 7.74.0 OpenSSL/1.1.1k.</p>
<p>I have this warning more than a year or two years and with different versions of phps</p>
<p>I am using the plug-in Really Simple SSL on my website as well and everything is fine with that.
I also use All-in-one security and firewall on my websites.</p>
<p>Deactivating of plug-ins didnβt help.
Any solution to this?</p>
| [
{
"answer_id": 390762,
"author": "Ali Salamati",
"author_id": 207977,
"author_profile": "https://wordpress.stackexchange.com/users/207977",
"pm_score": 1,
"selected": false,
"text": "<p>Edit wp-config file :</p>\n<pre class=\"lang-php prettyprint-override\"><code>define('FORCE_SSL_LOGIN', true);\ndefine('FORCE_SSL_ADMIN', true);\n</code></pre>\n<p>just copy this and paste in wp-config file.</p>\n<p>best wishes for you</p>\n"
},
{
"answer_id": 390772,
"author": "ΓmΓΌt DEMΔ°R",
"author_id": 173538,
"author_profile": "https://wordpress.stackexchange.com/users/173538",
"pm_score": 0,
"selected": false,
"text": "<pre><code>define( 'WP_HOME', 'https://RanaAJANS.com/' ); #httpS...\ndefine( 'WP_SITEURL', 'https://RanaAJANS.com/' ); #httpS...\ndefine( 'FORCE_SSL', true); \ndefine( 'FORCE_SSL_ADMIN', true); \ndefine( 'COOKIE_DOMAIN', '.RanaAJANS.com');\n@ini_set( 'session.cookie_httponly', true);\n@ini_set( 'session.cookie_secure', true);\n@ini_set( 'session.use_only_cookies', true);\n#header( 'X-Frame-Options: SAMEORIGIN');\n</code></pre>\n"
}
] | 2021/05/23 | [
"https://wordpress.stackexchange.com/questions/388596",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/206775/"
] | I have a bothering PHP warning for ages, and I am wondering if someone has solution to this.
The following two-line warning is constantly recording in my error\_log file:
```
PHP Warning: Use of undefined constant βFORCE_SSL_LOGINβ - assumed 'βFORCE_SSL_LOGINβ' (this will throw an Error in a future version of PHP) in /home/myuser/public_html/wp-config.php on line 92
PHP Warning: Use of undefined constant βFORCE_SSL_ADMINβ - assumed 'βFORCE_SSL_ADMINβ' (this will throw an Error in a future version of PHP) in /home/myuser/public_html/wp-config.php on line 93
```
In wp-config.php I have the following for line 92 and 93 lines:
```
define(βFORCE_SSL_LOGINβ, true);
define(βFORCE_SSL_ADMINβ, true);
```
line 91 is empty
and line 90 is `define('WP_DEBUG', false);`
More information:
My php version: 7.4.16;
Webserver: LiteSpeed;
cURL Version: 7.74.0 OpenSSL/1.1.1k.
I have this warning more than a year or two years and with different versions of phps
I am using the plug-in Really Simple SSL on my website as well and everything is fine with that.
I also use All-in-one security and firewall on my websites.
Deactivating of plug-ins didnβt help.
Any solution to this? | Edit wp-config file :
```php
define('FORCE_SSL_LOGIN', true);
define('FORCE_SSL_ADMIN', true);
```
just copy this and paste in wp-config file.
best wishes for you |
388,651 | <p>Is there any way to add an attribute to the <code>body</code> tag?</p>
<p>For example:</p>
<pre><code><body test-attribute>
</code></pre>
<p>Obviously this can be easily edited in the theme, but I'm trying to figure out how to add it with a plugin.</p>
| [
{
"answer_id": 388652,
"author": "Pat J",
"author_id": 16121,
"author_profile": "https://wordpress.stackexchange.com/users/16121",
"pm_score": 1,
"selected": false,
"text": "<p>It doesn't appear that you can (easily) add arbitrary attributes to the <code><body></code> tag.</p>\n<p>However, WordPress provides the function <a href=\"https://developer.wordpress.org/reference/functions/body_class/\" rel=\"nofollow noreferrer\"><code>body_class()</code></a> so you can add classes to the <code><body></code> tag.</p>\n<p>If your theme uses it, you'll find something along these lines in a template file (eg. <code>header.php</code>):</p>\n<pre><code><body <?php body_class(); ?>>\n</code></pre>\n<p>In that case, you'll be able to filter the array of classes being passed using the <code>body_class</code> filter:</p>\n<pre><code>add_filter( 'body_class', 'wpse388651_body_class' );\nfunction wpse388651_body_class( $classes ) {\n $classes[] = 'my-custom-class';\n return $classes;\n}\n</code></pre>\n"
},
{
"answer_id": 388655,
"author": "Buttered_Toast",
"author_id": 192133,
"author_profile": "https://wordpress.stackexchange.com/users/192133",
"pm_score": 0,
"selected": false,
"text": "<p>Here is a very, unconventional, way of doing it.</p>\n<pre><code>add_filter('body_class', 'my_func');\nfunction my_func ($classes) {\n echo 'data-custom="Hello World!"';\n\n return $classes;\n}\n</code></pre>\n<p>Filters should always return the value and never echo (output) the value.</p>\n<p>This works because of the <code>body_class()</code> position, the <code>body_class()</code> echos the class tag, part of the echoed value is a function that contains the <code>body_class</code> filter.</p>\n<p>Using that filter we can output or own values before the <code>class="..."</code> is outputed.</p>\n<p>That is the basic idea, you can edit it to fit what ever you need.</p>\n"
}
] | 2021/05/25 | [
"https://wordpress.stackexchange.com/questions/388651",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/206832/"
] | Is there any way to add an attribute to the `body` tag?
For example:
```
<body test-attribute>
```
Obviously this can be easily edited in the theme, but I'm trying to figure out how to add it with a plugin. | It doesn't appear that you can (easily) add arbitrary attributes to the `<body>` tag.
However, WordPress provides the function [`body_class()`](https://developer.wordpress.org/reference/functions/body_class/) so you can add classes to the `<body>` tag.
If your theme uses it, you'll find something along these lines in a template file (eg. `header.php`):
```
<body <?php body_class(); ?>>
```
In that case, you'll be able to filter the array of classes being passed using the `body_class` filter:
```
add_filter( 'body_class', 'wpse388651_body_class' );
function wpse388651_body_class( $classes ) {
$classes[] = 'my-custom-class';
return $classes;
}
``` |
388,796 | <p>In Gutenberg there's the <code>getEntityRecord</code> selector that allows you to get the data of a post of a specific post type:</p>
<pre><code>// get the post object of a page with post id = 42
const post = useSelect( ( select ) =>
select('core').getEntityRecord( 'postType', 'page', 42 )
);
</code></pre>
<p>My question is, is there a similar selector for when you don't know the post type of a post beforehand? I have a meta field that stores an array of post ids of different post types and right now I'm unable to get the full post objects.</p>
<p>Any ideas?</p>
| [
{
"answer_id": 388886,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 3,
"selected": true,
"text": "<blockquote>\n<p>My question is, is there a similar selector for when you don't know the post type of a post beforehand?</p>\n</blockquote>\n<p>No, at the current time of writing there is not.</p>\n<p>The fundamental problem is that the REST API doesn't provide a generic mechanism for getting a post type given a post ID. You can retrieve a post and it will say <code>post</code> but to do this you need to know the type in advance to hit the correct URL.</p>\n<p>Since the entity Record API relies on these endpoints, there technically are no post IDs. There's a page record with an ID, or a post record with an ID, etc</p>\n<p>So if you want to do this properly, you need to either save the post type, restrict the types allowed for that meta field, or loop through the different entity types to see which ones return a 404 and which one doesn't.</p>\n"
},
{
"answer_id": 406777,
"author": "MaΓ«l MARTIN",
"author_id": 223158,
"author_profile": "https://wordpress.stackexchange.com/users/223158",
"pm_score": 0,
"selected": false,
"text": "<p>As of today, you can use the following to get the current post type :</p>\n<pre><code>import { useSelect } from '@wordpress/data';\n\nconst postType = useSelect(\n (select) => select('core/editor').getCurrentPostType(),\n []\n);\n</code></pre>\n<p>You can then get the following :</p>\n<pre><code>const { record, isResolving } = useEntityRecord( 'postType', postType, 42 );\n</code></pre>\n<p>Or, in an easier way :</p>\n<pre><code>const editor = useSelect((select) => select('core/editor'));\nconst post_type = post.getCurrentPost().type;\n</code></pre>\n"
}
] | 2021/05/27 | [
"https://wordpress.stackexchange.com/questions/388796",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/33049/"
] | In Gutenberg there's the `getEntityRecord` selector that allows you to get the data of a post of a specific post type:
```
// get the post object of a page with post id = 42
const post = useSelect( ( select ) =>
select('core').getEntityRecord( 'postType', 'page', 42 )
);
```
My question is, is there a similar selector for when you don't know the post type of a post beforehand? I have a meta field that stores an array of post ids of different post types and right now I'm unable to get the full post objects.
Any ideas? | >
> My question is, is there a similar selector for when you don't know the post type of a post beforehand?
>
>
>
No, at the current time of writing there is not.
The fundamental problem is that the REST API doesn't provide a generic mechanism for getting a post type given a post ID. You can retrieve a post and it will say `post` but to do this you need to know the type in advance to hit the correct URL.
Since the entity Record API relies on these endpoints, there technically are no post IDs. There's a page record with an ID, or a post record with an ID, etc
So if you want to do this properly, you need to either save the post type, restrict the types allowed for that meta field, or loop through the different entity types to see which ones return a 404 and which one doesn't. |
388,990 | <p>In a Gutenberg component I'm developing, I have a function that searches for a keyword across multiple post types specified in a constant:</p>
<pre><code>const postTypes = [ 'posts', 'pages', 'portfolio' ];
const onSearchStringChange = ( keyword ) => {
Promise.all( postTypes.map( postType => apiFetch( {
path: `/wp/v2/${ postType }?search=${ keyword }`,
} ) ) ).then( ( results ) => {
console.log( results.reduce( ( result, final ) => [...final, ...result], [] ) );
} )
};
</code></pre>
<p>The function works as expected and returns an array of results.</p>
<p>Instead of using a static array of post types, I'd like to get the viewable post types (minus the <code>attachment</code> post type) of a site via a function. This is what I'm using:</p>
<pre><code>const postTypes = useSelect( ( select ) => {
const { getPostTypes } = select( 'core' );
const excludedPostTypes = [ 'attachment' ];
const filteredPostTypes = getPostTypes( { per_page: -1 } )?.filter(
( { viewable, slug } ) => viewable && ! excludedPostTypes.includes( slug )
);
const result = ( filteredPostTypes || [] ).map( ( { slug } ) => slug );
return result;
}, [] );
</code></pre>
<p>The function also works as expected and I get an array of slugs of all viewable post types minus <code>attachment</code>.</p>
<p>But, if I pass the resulting array to the <code>onSearchStringChange</code> function I'm getting the following error:</p>
<pre><code>Uncaught (in promise)
Object { code: "rest_no_route", message: "No route was found matching the URL and request method.", data: {β¦} }
βcode: "rest_no_route"
βdata: Object { status: 404 }
βmessage: "No route was found matching the URL and request method."
β<prototype>: Object { β¦ }
</code></pre>
<p>I suppose that the post types array is not fully resolved at the time of calling the <code>onSearchStringChange</code> function. Even if I do a <code>postTypes.length > 0</code> check before the <code>apiFetch</code> I get the same error.</p>
<p>So, my question is: how can I make sure that the post types array is fully resolved when calling <code>onSearchStringChange</code>?</p>
| [
{
"answer_id": 389022,
"author": "leemon",
"author_id": 33049,
"author_profile": "https://wordpress.stackexchange.com/users/33049",
"pm_score": 2,
"selected": false,
"text": "<p>I'm answering myself for the benefit of others. I was passing an array of post type slugs to <code>apiFetch</code> instead of passing an array with their <code>rest_base</code> parameter. So, the correct function should be:</p>\n<pre><code>const postTypes = useSelect( ( select ) => {\n const { getPostTypes } = select( 'core' );\n const excludedPostTypes = [ 'attachment' ];\n const filteredPostTypes = getPostTypes( { per_page: -1 } )?.filter(\n ( { viewable, slug } ) => viewable && ! excludedPostTypes.includes( slug )\n );\n const result = ( filteredPostTypes || [] ).map( ( { rest_base } ) => rest_base );\n return result;\n}, [] );\n</code></pre>\n"
},
{
"answer_id": 389034,
"author": "leemon",
"author_id": 33049,
"author_profile": "https://wordpress.stackexchange.com/users/33049",
"pm_score": 2,
"selected": true,
"text": "<p>Instead of doing multiple <code>apiFetch</code> calls for each post type, a more optimal solution to make a search across multiple post types is to use the WP REST API <code>search</code> endpoint, which I didn't know it existed until now. The downside is that you don't get the full post objects using this endpoint, but if you only need the post id, title, url and type, it's ok:</p>\n<pre><code>const postTypes = useSelect( ( select ) => {\n const { getPostTypes } = select( 'core' );\n const excludedPostTypes = [ 'attachment' ];\n const filteredPostTypes = getPostTypes( { per_page: -1 } )?.filter(\n ( { viewable, slug } ) => viewable && ! excludedPostTypes.includes( slug )\n );\n const result = ( filteredPostTypes || [] ).map( ( { slug } ) => slug );\n return result;\n}, [] );\n\nconst onSearchStringChange = ( keyword ) => {\n if ( postTypes.length > 0 ) {\n apiFetch( {\n path: `/wp/v2/search?search=${ keyword }&type=post&subtype=${ postTypes.join() }`,\n } ).then( ( results ) => {\n console.log( results );\n } )\n }\n};\n</code></pre>\n"
}
] | 2021/06/01 | [
"https://wordpress.stackexchange.com/questions/388990",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/33049/"
] | In a Gutenberg component I'm developing, I have a function that searches for a keyword across multiple post types specified in a constant:
```
const postTypes = [ 'posts', 'pages', 'portfolio' ];
const onSearchStringChange = ( keyword ) => {
Promise.all( postTypes.map( postType => apiFetch( {
path: `/wp/v2/${ postType }?search=${ keyword }`,
} ) ) ).then( ( results ) => {
console.log( results.reduce( ( result, final ) => [...final, ...result], [] ) );
} )
};
```
The function works as expected and returns an array of results.
Instead of using a static array of post types, I'd like to get the viewable post types (minus the `attachment` post type) of a site via a function. This is what I'm using:
```
const postTypes = useSelect( ( select ) => {
const { getPostTypes } = select( 'core' );
const excludedPostTypes = [ 'attachment' ];
const filteredPostTypes = getPostTypes( { per_page: -1 } )?.filter(
( { viewable, slug } ) => viewable && ! excludedPostTypes.includes( slug )
);
const result = ( filteredPostTypes || [] ).map( ( { slug } ) => slug );
return result;
}, [] );
```
The function also works as expected and I get an array of slugs of all viewable post types minus `attachment`.
But, if I pass the resulting array to the `onSearchStringChange` function I'm getting the following error:
```
Uncaught (in promise)
Object { code: "rest_no_route", message: "No route was found matching the URL and request method.", data: {β¦} }
βcode: "rest_no_route"
βdata: Object { status: 404 }
βmessage: "No route was found matching the URL and request method."
β<prototype>: Object { β¦ }
```
I suppose that the post types array is not fully resolved at the time of calling the `onSearchStringChange` function. Even if I do a `postTypes.length > 0` check before the `apiFetch` I get the same error.
So, my question is: how can I make sure that the post types array is fully resolved when calling `onSearchStringChange`? | Instead of doing multiple `apiFetch` calls for each post type, a more optimal solution to make a search across multiple post types is to use the WP REST API `search` endpoint, which I didn't know it existed until now. The downside is that you don't get the full post objects using this endpoint, but if you only need the post id, title, url and type, it's ok:
```
const postTypes = useSelect( ( select ) => {
const { getPostTypes } = select( 'core' );
const excludedPostTypes = [ 'attachment' ];
const filteredPostTypes = getPostTypes( { per_page: -1 } )?.filter(
( { viewable, slug } ) => viewable && ! excludedPostTypes.includes( slug )
);
const result = ( filteredPostTypes || [] ).map( ( { slug } ) => slug );
return result;
}, [] );
const onSearchStringChange = ( keyword ) => {
if ( postTypes.length > 0 ) {
apiFetch( {
path: `/wp/v2/search?search=${ keyword }&type=post&subtype=${ postTypes.join() }`,
} ).then( ( results ) => {
console.log( results );
} )
}
};
``` |
389,050 | <p>I'm trying to add a .current-menu-item class to a li when on a specific url "/portfolio/". I can achieve this with jQuery:</p>
<pre><code>jQuery(document).ready(function( $ ) {
var loc = window.location.href; // returns the full URL
if(/portfolio/.test(loc)) {
$('#menu-item-33').addClass('current-menu-item');
}
});
</code></pre>
<p>However would like to do with PHP. This what I have so far:</p>
<pre><code>function add_class_to_specific_menu_items( $atts, $item, $args ) {
// check if the item is set to target="_blank"
if ( $item->url == '/portfolio/' ) {
// add the desired attributes:
$atts['class'] = 'current-menu-item';
}
return $atts;
}
add_filter( 'nav_menu_link_attributes', 'add_class_to_specific_menu_items', 10, 3 );
</code></pre>
<p>Not sure if this is viable and/or if I can have it add the class to a specific li "#menu-item-33</p>
| [
{
"answer_id": 390431,
"author": "Ejaz UL Haq",
"author_id": 178714,
"author_profile": "https://wordpress.stackexchange.com/users/178714",
"pm_score": 0,
"selected": false,
"text": "<p>Try the following tested solutions they are working <strong>100%</strong> on the frontend screen because both solutions are based on the wp filter hook <strong><a href=\"https://developer.wordpress.org/reference/hooks/wp_get_nav_menu_items/\" rel=\"nofollow noreferrer\">wp_get_nav_menu_items</a></strong> which is executed where the <strong><a href=\"https://developer.wordpress.org/reference/functions/wp_get_nav_menu_items/\" rel=\"nofollow noreferrer\">wp_get_nav_menu_items()</a></strong> function is called.</p>\n<p><strong>Solution 01:</strong> Add CSS class by comparing menu item <strong>ID</strong></p>\n<pre><code>function add_class_to_specific_menu_items( $items, $menu, $args ){\n foreach ( $items as $index => $menu_item ){\n // conditional statement to compare the menu-item id\n if( $menu_item->ID == 33 ){\n // conditional statement to check the current url is same\n if( get_permalink() == $menu_item->url ){\n $menu_item->classes[] = 'current-menu-item';\n } \n }\n }\n return $items;\n}\nadd_filter('wp_get_nav_menu_items', 'add_class_to_specific_menu_items', 10, 3);\n</code></pre>\n<p><strong>Solution 02:</strong> Add CSS class by comparing menu item <strong>URL</strong></p>\n<pre><code>function add_class_to_specific_menu_items( $items, $menu, $args ){\n foreach ( $items as $index => $menu_item ){\n // conditional statement to compare the menu-item URL\n if( $menu_item->url == get_site_url().'/portfolio/' ){\n $menu_item->classes[] = 'current-menu-item';\n }\n }\n return $items;\n}\nadd_filter('wp_get_nav_menu_items', 'add_class_to_specific_menu_items', 10, 3);\n</code></pre>\n"
},
{
"answer_id": 390465,
"author": "Fabian Mossberg",
"author_id": 207387,
"author_profile": "https://wordpress.stackexchange.com/users/207387",
"pm_score": 2,
"selected": true,
"text": "<h1>Here is the solution.</h1>\n<h2>To set it up:</h2>\n<p>Paste the following at the bottom of the file <code>functions.php</code> in the folder of your current theme.</p>\n<h3>Edit by the in the code`</h3>\n<p><code>$when_on_one_of_these_page_slugs</code> should be an array of strings. The strings are the <strong>slugs</strong> of the pages on where you want the rule to kick in. The script will kick in the rule if you are on:</p>\n<ul>\n<li>One of these slugs.</li>\n<li>A child of any of these slugs.</li>\n</ul>\n<h3>Edit by the in the code:</h3>\n<p><code>$change_these_nav_menu_items</code> should be a list of menu item id's, of the item you want to look selected, when the rule kicks in.</p>\n<p>You can find the ID of the menu in dev tools by right clicking on the menu item and choose "inspect element". You will see the source code of the generated page, and you will find the item ID in the <code><li></code> tag wrapping the <code><a></code> of the item you inspected.</p>\n<p><a href=\"https://i.stack.imgur.com/ExiDh.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/ExiDh.png\" alt=\"enter image description here\" /></a></p>\n<pre class=\"lang-php prettyprint-override\"><code>/**\n * Makes specific menu item look active when visiting a certain page\n *\n * @param array $wp_nav_meny Array of items from a WP Nav Menu.\n *\n * @return array modified array of WP Nave Menu items.\n * @see https://wordpress.stackexchange.com/questions/389050/how-can-i-add-a-class-to-a-nav-li-depending-on-url\n */\nfunction make_x_active_when_on_y( array $wp_nav_meny ) {\n\n\n // Set an array of page slug (strings) to trigger the rule.\n $when_on_one_of_these_page_slugs = array( 'portfolio', 'add-any-slug-that-should-trigger-the-rule');\n // Set an array menu item id's (ints) to apply the rule to.\n $change_these_nav_menu_items = array( 33, 999);\n\n // Get the ID's of the pages we added in the setting.\n $post_ids_to_trigger_rule = wp_list_pluck(array_map('get_page_by_path', $when_on_one_of_these_page_slugs ), 'ID');\n // Get all the ancestors of the page we are curently visiting.\n $ancestors_of_current_page = get_post_ancestors(get_queried_object_id());\n // Add the current page into the array of ancestors.\n array_push($ancestors_of_current_page, get_the_ID());\n\n $new_menu = array();\n\n // Loop through the nav menu items.\n foreach ( $wp_nav_meny as $menu_item ) {\n /*\n * If the ID of the current page, or any of it's ancestors,\n * exists in the array of ID's that should trigger the rule,\n * AND\n * The current item ID in the loop, is in the array if nav menu\n * item id's that sould get the "current-menu-item" class.\n */\n if ( array_intersect($post_ids_to_trigger_rule, $ancestors_of_current_page) && in_array( (int) $menu_item->ID, $change_these_nav_menu_items, true ) ) {\n $menu_item->classes[] = 'current-menu-item';\n }\n $new_menu[] = $menu_item;\n }\n return $new_menu;\n}\nadd_filter( 'wp_nav_menu_objects', 'make_x_active_when_on_y' );\n</code></pre>\n<h2>How it works</h2>\n<p>When you visit a page that has the slug you set at the , or a page that has that page as an ancestor, then the rule kick in.</p>\n<p><strong>The rule</strong> is that the menu item that you set at will have the class <code>current-menu-item</code>.</p>\n<p>Below you can see a recording of the result.</p>\n<p>This is a completely fresh installation of <strong>WordPress 5.7.2</strong>, running <strong>PHP 7.4.1</strong>. No plugins installed. The theme is <strong>twentytwentyone</strong> (the ones that is shipped with WordPress).</p>\n<p><strong>My config looked like this:</strong></p>\n<pre><code>$when_on_one_of_these_page_slugs = array( 'portfolio'); // The slug of my portfolio page.\n$change_these_nav_menu_items = array( 24 ); // The item ID of my "A link to Google"-menu item.\n</code></pre>\n<p><a href=\"https://i.stack.imgur.com/r0xV4.gif\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/r0xV4.gif\" alt=\"In action\" /></a></p>\n"
},
{
"answer_id": 390468,
"author": "Mort 1305",
"author_id": 188811,
"author_profile": "https://wordpress.stackexchange.com/users/188811",
"pm_score": 0,
"selected": false,
"text": "<p>@modyjive -- the answer @ejaz-ul-haq gave is congruent with your PHP code given. Your PHP code tries to add the <code>current-menu-item</code> class to anchors that contain the <code>/portfolio/</code> URL in their HREF attribute. Your code isn't quite right, so @ejaz-ul-haq fixed it up so that it gives the represented effect. But, I'm interpreting your question to mean something different: you want to convert the functionality of the JavaScript provided into something WordPress-able. If that's what you want, here's my answer.</p>\n<p>We first determine what your JS does:</p>\n<pre><code>jQuery(document).ready(function( $ ) { // When the page loads,\n var loc = window.location.href; // save the current URL\n if(/portfolio/.test(loc)) { // and check if it contains '/portfolio/'.\n $('#menu-item-33').addClass('current-menu-item'); // If so, add `current-menu-item` to the class list of all elements with id="menu-item-33"\n }\n});\n</code></pre>\n<p>Immediately, we run into a problem: your JS will add <code>current-menu-item</code> to any and all HTML elements having an <code>id="menu-item-33"</code> attribute. So, it will happen in the backend as well as the frontend and in some places you might not even know exist. I'm going to go out on a limb here, but I'm guessing you're using the <code>nav_menu_link_attributes</code> hook because you're trying to manipulate navigation menus printed on the front-end, maybe? If so, let's dig into the WordPress documentation to see how those are printed out. (I've provided links in the text below so you can follow along; if you're not familiar with tracing WordPress code, now's your chance to learn.)</p>\n<p>First, we figure out a starting point. You used the <code>nav_menu_link_attributes</code> hook, so let's start there. From the <a href=\"https://developer.wordpress.org/reference/hooks/nav_menu_link_attributes/#source\" rel=\"nofollow noreferrer\">reference guide</a>, it is learned this hook is found in the <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php\" rel=\"nofollow noreferrer\">/wp-includes/class-walker-nav-menu.php</a> file. According to the <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php#L183\" rel=\"nofollow noreferrer\">header notes of the hook</a>, <code>nav_menu_link_attributes</code> "Filters the HTML attributes applied to a menu itemβs anchor element." The anchor element (<code><a></code>) is located inside the list item element (<code><li></code>). Your JavaScript represents that you want to add a class to the list item element, not the anchor. If we scroll up to <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php#L170\" rel=\"nofollow noreferrer\">line 170</a>, we can see where the list item is added to the output stream. That line looks like this:</p>\n<pre><code>$output .= $indent . '<li' . $id . $class_names . '>';\n</code></pre>\n<p>We can see on <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php#L167\" rel=\"nofollow noreferrer\">lines 167 and 168</a> where <code>$id</code> is generated and on <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php#L153\" rel=\"nofollow noreferrer\">lines 153 and 154</a> where <code>$class_names</code> is generated. By hooking into the <code>nav_menu_css_class</code> filter (on line 153), we can miniplate the <code>$class_names</code> variable before it is output in the <code><li></code> opening tag on line 170, which I believe is what you want! According to the <a href=\"https://developer.wordpress.org/reference/hooks/nav_menu_css_class/\" rel=\"nofollow noreferrer\">WordPress reference</a>, the <code>nav_menu_css_class</code> hook "Filters the CSS classes applied to a menu itemβs list item element." Yup, that's what your JS does, so we're on the right track.</p>\n<p>So, here we go:</p>\n<pre><code>function add_class_to_specific_menu_items($classes, $item, $args, $depth){\n global $wp;\n $loc = add_query_arg($wp->query_vars, home_url($wp->request)); // Save the current URL (like you did in your JS)\n if(stripos($loc, '/portfolio/') !== NULL // and check if it contains `/portfolio/` (like you did in your JS).\n && $item->ID === 33 // Also check that this is menu item #33 (like what you did in your JS, but limit only to navigation menus)\n ) {\n $classes[] = 'current-menu-item'; // and if so, add the desired class to the list item (like you did in your JS).\n }\n // No matter what, return the $classes array or we'll break things when navigation menus are output.\n return $classes;\n}\nadd_filter('nav_menu_css_class', 'add_class_to_specific_menu_items', 10, 4);\n</code></pre>\n<p>Time for a beer (and hopefully you'll click the answered checkmark, upvote, and give me your bounty).</p>\n"
}
] | 2021/06/02 | [
"https://wordpress.stackexchange.com/questions/389050",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/80308/"
] | I'm trying to add a .current-menu-item class to a li when on a specific url "/portfolio/". I can achieve this with jQuery:
```
jQuery(document).ready(function( $ ) {
var loc = window.location.href; // returns the full URL
if(/portfolio/.test(loc)) {
$('#menu-item-33').addClass('current-menu-item');
}
});
```
However would like to do with PHP. This what I have so far:
```
function add_class_to_specific_menu_items( $atts, $item, $args ) {
// check if the item is set to target="_blank"
if ( $item->url == '/portfolio/' ) {
// add the desired attributes:
$atts['class'] = 'current-menu-item';
}
return $atts;
}
add_filter( 'nav_menu_link_attributes', 'add_class_to_specific_menu_items', 10, 3 );
```
Not sure if this is viable and/or if I can have it add the class to a specific li "#menu-item-33 | Here is the solution.
=====================
To set it up:
-------------
Paste the following at the bottom of the file `functions.php` in the folder of your current theme.
### Edit by the in the code`
`$when_on_one_of_these_page_slugs` should be an array of strings. The strings are the **slugs** of the pages on where you want the rule to kick in. The script will kick in the rule if you are on:
* One of these slugs.
* A child of any of these slugs.
### Edit by the in the code:
`$change_these_nav_menu_items` should be a list of menu item id's, of the item you want to look selected, when the rule kicks in.
You can find the ID of the menu in dev tools by right clicking on the menu item and choose "inspect element". You will see the source code of the generated page, and you will find the item ID in the `<li>` tag wrapping the `<a>` of the item you inspected.
[](https://i.stack.imgur.com/ExiDh.png)
```php
/**
* Makes specific menu item look active when visiting a certain page
*
* @param array $wp_nav_meny Array of items from a WP Nav Menu.
*
* @return array modified array of WP Nave Menu items.
* @see https://wordpress.stackexchange.com/questions/389050/how-can-i-add-a-class-to-a-nav-li-depending-on-url
*/
function make_x_active_when_on_y( array $wp_nav_meny ) {
// Set an array of page slug (strings) to trigger the rule.
$when_on_one_of_these_page_slugs = array( 'portfolio', 'add-any-slug-that-should-trigger-the-rule');
// Set an array menu item id's (ints) to apply the rule to.
$change_these_nav_menu_items = array( 33, 999);
// Get the ID's of the pages we added in the setting.
$post_ids_to_trigger_rule = wp_list_pluck(array_map('get_page_by_path', $when_on_one_of_these_page_slugs ), 'ID');
// Get all the ancestors of the page we are curently visiting.
$ancestors_of_current_page = get_post_ancestors(get_queried_object_id());
// Add the current page into the array of ancestors.
array_push($ancestors_of_current_page, get_the_ID());
$new_menu = array();
// Loop through the nav menu items.
foreach ( $wp_nav_meny as $menu_item ) {
/*
* If the ID of the current page, or any of it's ancestors,
* exists in the array of ID's that should trigger the rule,
* AND
* The current item ID in the loop, is in the array if nav menu
* item id's that sould get the "current-menu-item" class.
*/
if ( array_intersect($post_ids_to_trigger_rule, $ancestors_of_current_page) && in_array( (int) $menu_item->ID, $change_these_nav_menu_items, true ) ) {
$menu_item->classes[] = 'current-menu-item';
}
$new_menu[] = $menu_item;
}
return $new_menu;
}
add_filter( 'wp_nav_menu_objects', 'make_x_active_when_on_y' );
```
How it works
------------
When you visit a page that has the slug you set at the , or a page that has that page as an ancestor, then the rule kick in.
**The rule** is that the menu item that you set at will have the class `current-menu-item`.
Below you can see a recording of the result.
This is a completely fresh installation of **WordPress 5.7.2**, running **PHP 7.4.1**. No plugins installed. The theme is **twentytwentyone** (the ones that is shipped with WordPress).
**My config looked like this:**
```
$when_on_one_of_these_page_slugs = array( 'portfolio'); // The slug of my portfolio page.
$change_these_nav_menu_items = array( 24 ); // The item ID of my "A link to Google"-menu item.
```
[](https://i.stack.imgur.com/r0xV4.gif) |
389,055 | <p>I'm writing a post approval utility for the front end, because we don't want our editor to be able to access the admin dashboard. There are questions on Stack nearly identical to what I'm trying to accomplish, but that guy's problem has to do with the infinite loop issue. Otherwise, he claims his code works:</p>
<p><a href="https://wordpress.stackexchange.com/questions/210752/how-to-change-post-status-from-publish-to-draft-using-hook-in-wordpress">How to change post status from publish to draft using hook in wordpress?</a></p>
<p>I'm writing a plugin to do this (in my case I want to change 'draft' to 'publish'). I don't want to have to edit the functions.php in the child theme, because I want the plugin to be standalone, for any WordPress site. So all code is in my plugin's main php file.</p>
<ul>
<li>I can get all posts with status of 'draft'.</li>
<li>I can use an html checkbox, javascript, and WP's ajax functions to select the post I want to change by ID.</li>
</ul>
<p>The "change status" code looks like this (in the plugin main php file):</p>
<pre><code>/* This function should toggle a post status from 'draft' to 'publish' */
add_action( 'wp_ajax_approvepost', 'approvepost_callback' );
add_action( 'wp_ajax_nopriv_approvepost', 'approvepost_callback' );
function approvepost_callback(){
$post = array(
'ID' => $_POST['postid'], // e.g., 28
'post_status' => 'publish',
'edit_date' => true
);
$result = wp_update_post($post,true); // (there, you like that better?)
echo $result; // I get a result of "1". The post ID is 28. wp_update_post failed?
wp_die();
}
</code></pre>
<p>... <code>wp_update_post</code> returns a 1, so I take that to mean there were no errors. But when I refresh the front-end page, the post shows up again, meaning it is still in draft mode, and when I inspect the post in the WP admin dashboard, sure enough, it's still in draft. What am I doing wrong or missing?</p>
<p><strong>UPDATE:</strong>
If I execute the function from my child theme functions.php, the code works, but not by using AJAX. I have to call the function directly, like by refreshing the page, and the function returns the post ID, and the post status will change to 'publish'. As soon as I invoke the function using AJAX, the post status does not change, and the function returns a 1.</p>
<p><strong>UPDATE</strong>
I removed the AJAX action altogether, and defaulted to an old timey standard form submit, which refreshes the form page. Under these conditions, wp_update_post works as expected. Something about wp_update_post doesn't like to be called by AJAX. My suspicion is it has something to do with security, but whatever it is, I can't find any reference to it in the documentation.</p>
<p><strong>ADDITIONAL JAVASCRIPT</strong>
Some have asked to see the javascript, especially the ajax code:</p>
<pre><code>jQuery(document).ready(function($){
// AJAX url
var ajax_url = approve_posts_ajax_object.ajax_url;
var data = {
'action': 'approvepost',
};
$('button#submit-approval').on("click",function(){
var checkboxes = $("input[name='post_id']");
data.postid = [];
// loop over them all
for (var i=0; i<checkboxes.length; i++) {
// And stick the checked ones onto an array...
if (checkboxes[i].checked) {
data.postid[i] = $(checkboxes[i]).val();
}
else{
data.postid[i] = "";
}
}
$.ajax({
url: ajax_url,
type: 'post',
data: data,
dataType: 'json',
success: function(response){
// Add new rows to table
approvePost(response);
}
});
});
});
function approvePost(data){
jQuery("#diag").html(data); //just want to output the callback response for now.
}
</code></pre>
<p><strong>SOLUTION (so that others can see what works):</strong></p>
<p><em><strong>Javascript, with AJAX call:</strong></em></p>
<pre><code>jQuery(document).ready(function($){
// AJAX url
var ajax_url = approve_posts_ajax_object.ajax_url;
var data = {
'action': 'approvepost',
};
$('button#approval_submit').on("click",function(){
var checkboxes = $("input[name='post_id']");
data.postid = [];
// loop over them all
for (var i=0; i<checkboxes.length; i++) {
// And stick the checked ones onto an array...
if (checkboxes[i].checked) {
data.postid[i] = $(checkboxes[i]).val();
}
}
$.ajax({
url: ajax_url,
type: 'post',
data: data,
dataType: 'json',
success: function(response){
approvePost(response);
}
});
});
});
function approvePost(data){
jQuery("#diag").html("");
var string = "\n";
jQuery.each(data,function(k,v){
string += k + " = " + v + "<br>";
});
jQuery("#diag").append(string);
}
</code></pre>
<p><em><strong>PHP (with ajax callback function, in main plugin file):</strong></em></p>
<pre><code>/* This is the function that toggles a post status from draft to published */
add_action( 'wp_ajax_approvepost', 'approvepost_callback' );
add_action( 'wp_ajax_nopriv_approvepost', 'approvepost_callback' );
function approvepost_callback(){
$update = array();
for($i=0;$i<count($_POST['postid']);$i++){
$post = array(
'ID' => $_POST['postid'][$i],
'post_status' => 'publish'
);
$update[$i] = wp_update_post($post);
}
echo json_encode($update);
wp_die();
}
</code></pre>
| [
{
"answer_id": 390431,
"author": "Ejaz UL Haq",
"author_id": 178714,
"author_profile": "https://wordpress.stackexchange.com/users/178714",
"pm_score": 0,
"selected": false,
"text": "<p>Try the following tested solutions they are working <strong>100%</strong> on the frontend screen because both solutions are based on the wp filter hook <strong><a href=\"https://developer.wordpress.org/reference/hooks/wp_get_nav_menu_items/\" rel=\"nofollow noreferrer\">wp_get_nav_menu_items</a></strong> which is executed where the <strong><a href=\"https://developer.wordpress.org/reference/functions/wp_get_nav_menu_items/\" rel=\"nofollow noreferrer\">wp_get_nav_menu_items()</a></strong> function is called.</p>\n<p><strong>Solution 01:</strong> Add CSS class by comparing menu item <strong>ID</strong></p>\n<pre><code>function add_class_to_specific_menu_items( $items, $menu, $args ){\n foreach ( $items as $index => $menu_item ){\n // conditional statement to compare the menu-item id\n if( $menu_item->ID == 33 ){\n // conditional statement to check the current url is same\n if( get_permalink() == $menu_item->url ){\n $menu_item->classes[] = 'current-menu-item';\n } \n }\n }\n return $items;\n}\nadd_filter('wp_get_nav_menu_items', 'add_class_to_specific_menu_items', 10, 3);\n</code></pre>\n<p><strong>Solution 02:</strong> Add CSS class by comparing menu item <strong>URL</strong></p>\n<pre><code>function add_class_to_specific_menu_items( $items, $menu, $args ){\n foreach ( $items as $index => $menu_item ){\n // conditional statement to compare the menu-item URL\n if( $menu_item->url == get_site_url().'/portfolio/' ){\n $menu_item->classes[] = 'current-menu-item';\n }\n }\n return $items;\n}\nadd_filter('wp_get_nav_menu_items', 'add_class_to_specific_menu_items', 10, 3);\n</code></pre>\n"
},
{
"answer_id": 390465,
"author": "Fabian Mossberg",
"author_id": 207387,
"author_profile": "https://wordpress.stackexchange.com/users/207387",
"pm_score": 2,
"selected": true,
"text": "<h1>Here is the solution.</h1>\n<h2>To set it up:</h2>\n<p>Paste the following at the bottom of the file <code>functions.php</code> in the folder of your current theme.</p>\n<h3>Edit by the in the code`</h3>\n<p><code>$when_on_one_of_these_page_slugs</code> should be an array of strings. The strings are the <strong>slugs</strong> of the pages on where you want the rule to kick in. The script will kick in the rule if you are on:</p>\n<ul>\n<li>One of these slugs.</li>\n<li>A child of any of these slugs.</li>\n</ul>\n<h3>Edit by the in the code:</h3>\n<p><code>$change_these_nav_menu_items</code> should be a list of menu item id's, of the item you want to look selected, when the rule kicks in.</p>\n<p>You can find the ID of the menu in dev tools by right clicking on the menu item and choose "inspect element". You will see the source code of the generated page, and you will find the item ID in the <code><li></code> tag wrapping the <code><a></code> of the item you inspected.</p>\n<p><a href=\"https://i.stack.imgur.com/ExiDh.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/ExiDh.png\" alt=\"enter image description here\" /></a></p>\n<pre class=\"lang-php prettyprint-override\"><code>/**\n * Makes specific menu item look active when visiting a certain page\n *\n * @param array $wp_nav_meny Array of items from a WP Nav Menu.\n *\n * @return array modified array of WP Nave Menu items.\n * @see https://wordpress.stackexchange.com/questions/389050/how-can-i-add-a-class-to-a-nav-li-depending-on-url\n */\nfunction make_x_active_when_on_y( array $wp_nav_meny ) {\n\n\n // Set an array of page slug (strings) to trigger the rule.\n $when_on_one_of_these_page_slugs = array( 'portfolio', 'add-any-slug-that-should-trigger-the-rule');\n // Set an array menu item id's (ints) to apply the rule to.\n $change_these_nav_menu_items = array( 33, 999);\n\n // Get the ID's of the pages we added in the setting.\n $post_ids_to_trigger_rule = wp_list_pluck(array_map('get_page_by_path', $when_on_one_of_these_page_slugs ), 'ID');\n // Get all the ancestors of the page we are curently visiting.\n $ancestors_of_current_page = get_post_ancestors(get_queried_object_id());\n // Add the current page into the array of ancestors.\n array_push($ancestors_of_current_page, get_the_ID());\n\n $new_menu = array();\n\n // Loop through the nav menu items.\n foreach ( $wp_nav_meny as $menu_item ) {\n /*\n * If the ID of the current page, or any of it's ancestors,\n * exists in the array of ID's that should trigger the rule,\n * AND\n * The current item ID in the loop, is in the array if nav menu\n * item id's that sould get the "current-menu-item" class.\n */\n if ( array_intersect($post_ids_to_trigger_rule, $ancestors_of_current_page) && in_array( (int) $menu_item->ID, $change_these_nav_menu_items, true ) ) {\n $menu_item->classes[] = 'current-menu-item';\n }\n $new_menu[] = $menu_item;\n }\n return $new_menu;\n}\nadd_filter( 'wp_nav_menu_objects', 'make_x_active_when_on_y' );\n</code></pre>\n<h2>How it works</h2>\n<p>When you visit a page that has the slug you set at the , or a page that has that page as an ancestor, then the rule kick in.</p>\n<p><strong>The rule</strong> is that the menu item that you set at will have the class <code>current-menu-item</code>.</p>\n<p>Below you can see a recording of the result.</p>\n<p>This is a completely fresh installation of <strong>WordPress 5.7.2</strong>, running <strong>PHP 7.4.1</strong>. No plugins installed. The theme is <strong>twentytwentyone</strong> (the ones that is shipped with WordPress).</p>\n<p><strong>My config looked like this:</strong></p>\n<pre><code>$when_on_one_of_these_page_slugs = array( 'portfolio'); // The slug of my portfolio page.\n$change_these_nav_menu_items = array( 24 ); // The item ID of my "A link to Google"-menu item.\n</code></pre>\n<p><a href=\"https://i.stack.imgur.com/r0xV4.gif\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/r0xV4.gif\" alt=\"In action\" /></a></p>\n"
},
{
"answer_id": 390468,
"author": "Mort 1305",
"author_id": 188811,
"author_profile": "https://wordpress.stackexchange.com/users/188811",
"pm_score": 0,
"selected": false,
"text": "<p>@modyjive -- the answer @ejaz-ul-haq gave is congruent with your PHP code given. Your PHP code tries to add the <code>current-menu-item</code> class to anchors that contain the <code>/portfolio/</code> URL in their HREF attribute. Your code isn't quite right, so @ejaz-ul-haq fixed it up so that it gives the represented effect. But, I'm interpreting your question to mean something different: you want to convert the functionality of the JavaScript provided into something WordPress-able. If that's what you want, here's my answer.</p>\n<p>We first determine what your JS does:</p>\n<pre><code>jQuery(document).ready(function( $ ) { // When the page loads,\n var loc = window.location.href; // save the current URL\n if(/portfolio/.test(loc)) { // and check if it contains '/portfolio/'.\n $('#menu-item-33').addClass('current-menu-item'); // If so, add `current-menu-item` to the class list of all elements with id="menu-item-33"\n }\n});\n</code></pre>\n<p>Immediately, we run into a problem: your JS will add <code>current-menu-item</code> to any and all HTML elements having an <code>id="menu-item-33"</code> attribute. So, it will happen in the backend as well as the frontend and in some places you might not even know exist. I'm going to go out on a limb here, but I'm guessing you're using the <code>nav_menu_link_attributes</code> hook because you're trying to manipulate navigation menus printed on the front-end, maybe? If so, let's dig into the WordPress documentation to see how those are printed out. (I've provided links in the text below so you can follow along; if you're not familiar with tracing WordPress code, now's your chance to learn.)</p>\n<p>First, we figure out a starting point. You used the <code>nav_menu_link_attributes</code> hook, so let's start there. From the <a href=\"https://developer.wordpress.org/reference/hooks/nav_menu_link_attributes/#source\" rel=\"nofollow noreferrer\">reference guide</a>, it is learned this hook is found in the <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php\" rel=\"nofollow noreferrer\">/wp-includes/class-walker-nav-menu.php</a> file. According to the <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php#L183\" rel=\"nofollow noreferrer\">header notes of the hook</a>, <code>nav_menu_link_attributes</code> "Filters the HTML attributes applied to a menu itemβs anchor element." The anchor element (<code><a></code>) is located inside the list item element (<code><li></code>). Your JavaScript represents that you want to add a class to the list item element, not the anchor. If we scroll up to <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php#L170\" rel=\"nofollow noreferrer\">line 170</a>, we can see where the list item is added to the output stream. That line looks like this:</p>\n<pre><code>$output .= $indent . '<li' . $id . $class_names . '>';\n</code></pre>\n<p>We can see on <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php#L167\" rel=\"nofollow noreferrer\">lines 167 and 168</a> where <code>$id</code> is generated and on <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php#L153\" rel=\"nofollow noreferrer\">lines 153 and 154</a> where <code>$class_names</code> is generated. By hooking into the <code>nav_menu_css_class</code> filter (on line 153), we can miniplate the <code>$class_names</code> variable before it is output in the <code><li></code> opening tag on line 170, which I believe is what you want! According to the <a href=\"https://developer.wordpress.org/reference/hooks/nav_menu_css_class/\" rel=\"nofollow noreferrer\">WordPress reference</a>, the <code>nav_menu_css_class</code> hook "Filters the CSS classes applied to a menu itemβs list item element." Yup, that's what your JS does, so we're on the right track.</p>\n<p>So, here we go:</p>\n<pre><code>function add_class_to_specific_menu_items($classes, $item, $args, $depth){\n global $wp;\n $loc = add_query_arg($wp->query_vars, home_url($wp->request)); // Save the current URL (like you did in your JS)\n if(stripos($loc, '/portfolio/') !== NULL // and check if it contains `/portfolio/` (like you did in your JS).\n && $item->ID === 33 // Also check that this is menu item #33 (like what you did in your JS, but limit only to navigation menus)\n ) {\n $classes[] = 'current-menu-item'; // and if so, add the desired class to the list item (like you did in your JS).\n }\n // No matter what, return the $classes array or we'll break things when navigation menus are output.\n return $classes;\n}\nadd_filter('nav_menu_css_class', 'add_class_to_specific_menu_items', 10, 4);\n</code></pre>\n<p>Time for a beer (and hopefully you'll click the answered checkmark, upvote, and give me your bounty).</p>\n"
}
] | 2021/06/02 | [
"https://wordpress.stackexchange.com/questions/389055",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/90364/"
] | I'm writing a post approval utility for the front end, because we don't want our editor to be able to access the admin dashboard. There are questions on Stack nearly identical to what I'm trying to accomplish, but that guy's problem has to do with the infinite loop issue. Otherwise, he claims his code works:
[How to change post status from publish to draft using hook in wordpress?](https://wordpress.stackexchange.com/questions/210752/how-to-change-post-status-from-publish-to-draft-using-hook-in-wordpress)
I'm writing a plugin to do this (in my case I want to change 'draft' to 'publish'). I don't want to have to edit the functions.php in the child theme, because I want the plugin to be standalone, for any WordPress site. So all code is in my plugin's main php file.
* I can get all posts with status of 'draft'.
* I can use an html checkbox, javascript, and WP's ajax functions to select the post I want to change by ID.
The "change status" code looks like this (in the plugin main php file):
```
/* This function should toggle a post status from 'draft' to 'publish' */
add_action( 'wp_ajax_approvepost', 'approvepost_callback' );
add_action( 'wp_ajax_nopriv_approvepost', 'approvepost_callback' );
function approvepost_callback(){
$post = array(
'ID' => $_POST['postid'], // e.g., 28
'post_status' => 'publish',
'edit_date' => true
);
$result = wp_update_post($post,true); // (there, you like that better?)
echo $result; // I get a result of "1". The post ID is 28. wp_update_post failed?
wp_die();
}
```
... `wp_update_post` returns a 1, so I take that to mean there were no errors. But when I refresh the front-end page, the post shows up again, meaning it is still in draft mode, and when I inspect the post in the WP admin dashboard, sure enough, it's still in draft. What am I doing wrong or missing?
**UPDATE:**
If I execute the function from my child theme functions.php, the code works, but not by using AJAX. I have to call the function directly, like by refreshing the page, and the function returns the post ID, and the post status will change to 'publish'. As soon as I invoke the function using AJAX, the post status does not change, and the function returns a 1.
**UPDATE**
I removed the AJAX action altogether, and defaulted to an old timey standard form submit, which refreshes the form page. Under these conditions, wp\_update\_post works as expected. Something about wp\_update\_post doesn't like to be called by AJAX. My suspicion is it has something to do with security, but whatever it is, I can't find any reference to it in the documentation.
**ADDITIONAL JAVASCRIPT**
Some have asked to see the javascript, especially the ajax code:
```
jQuery(document).ready(function($){
// AJAX url
var ajax_url = approve_posts_ajax_object.ajax_url;
var data = {
'action': 'approvepost',
};
$('button#submit-approval').on("click",function(){
var checkboxes = $("input[name='post_id']");
data.postid = [];
// loop over them all
for (var i=0; i<checkboxes.length; i++) {
// And stick the checked ones onto an array...
if (checkboxes[i].checked) {
data.postid[i] = $(checkboxes[i]).val();
}
else{
data.postid[i] = "";
}
}
$.ajax({
url: ajax_url,
type: 'post',
data: data,
dataType: 'json',
success: function(response){
// Add new rows to table
approvePost(response);
}
});
});
});
function approvePost(data){
jQuery("#diag").html(data); //just want to output the callback response for now.
}
```
**SOLUTION (so that others can see what works):**
***Javascript, with AJAX call:***
```
jQuery(document).ready(function($){
// AJAX url
var ajax_url = approve_posts_ajax_object.ajax_url;
var data = {
'action': 'approvepost',
};
$('button#approval_submit').on("click",function(){
var checkboxes = $("input[name='post_id']");
data.postid = [];
// loop over them all
for (var i=0; i<checkboxes.length; i++) {
// And stick the checked ones onto an array...
if (checkboxes[i].checked) {
data.postid[i] = $(checkboxes[i]).val();
}
}
$.ajax({
url: ajax_url,
type: 'post',
data: data,
dataType: 'json',
success: function(response){
approvePost(response);
}
});
});
});
function approvePost(data){
jQuery("#diag").html("");
var string = "\n";
jQuery.each(data,function(k,v){
string += k + " = " + v + "<br>";
});
jQuery("#diag").append(string);
}
```
***PHP (with ajax callback function, in main plugin file):***
```
/* This is the function that toggles a post status from draft to published */
add_action( 'wp_ajax_approvepost', 'approvepost_callback' );
add_action( 'wp_ajax_nopriv_approvepost', 'approvepost_callback' );
function approvepost_callback(){
$update = array();
for($i=0;$i<count($_POST['postid']);$i++){
$post = array(
'ID' => $_POST['postid'][$i],
'post_status' => 'publish'
);
$update[$i] = wp_update_post($post);
}
echo json_encode($update);
wp_die();
}
``` | Here is the solution.
=====================
To set it up:
-------------
Paste the following at the bottom of the file `functions.php` in the folder of your current theme.
### Edit by the in the code`
`$when_on_one_of_these_page_slugs` should be an array of strings. The strings are the **slugs** of the pages on where you want the rule to kick in. The script will kick in the rule if you are on:
* One of these slugs.
* A child of any of these slugs.
### Edit by the in the code:
`$change_these_nav_menu_items` should be a list of menu item id's, of the item you want to look selected, when the rule kicks in.
You can find the ID of the menu in dev tools by right clicking on the menu item and choose "inspect element". You will see the source code of the generated page, and you will find the item ID in the `<li>` tag wrapping the `<a>` of the item you inspected.
[](https://i.stack.imgur.com/ExiDh.png)
```php
/**
* Makes specific menu item look active when visiting a certain page
*
* @param array $wp_nav_meny Array of items from a WP Nav Menu.
*
* @return array modified array of WP Nave Menu items.
* @see https://wordpress.stackexchange.com/questions/389050/how-can-i-add-a-class-to-a-nav-li-depending-on-url
*/
function make_x_active_when_on_y( array $wp_nav_meny ) {
// Set an array of page slug (strings) to trigger the rule.
$when_on_one_of_these_page_slugs = array( 'portfolio', 'add-any-slug-that-should-trigger-the-rule');
// Set an array menu item id's (ints) to apply the rule to.
$change_these_nav_menu_items = array( 33, 999);
// Get the ID's of the pages we added in the setting.
$post_ids_to_trigger_rule = wp_list_pluck(array_map('get_page_by_path', $when_on_one_of_these_page_slugs ), 'ID');
// Get all the ancestors of the page we are curently visiting.
$ancestors_of_current_page = get_post_ancestors(get_queried_object_id());
// Add the current page into the array of ancestors.
array_push($ancestors_of_current_page, get_the_ID());
$new_menu = array();
// Loop through the nav menu items.
foreach ( $wp_nav_meny as $menu_item ) {
/*
* If the ID of the current page, or any of it's ancestors,
* exists in the array of ID's that should trigger the rule,
* AND
* The current item ID in the loop, is in the array if nav menu
* item id's that sould get the "current-menu-item" class.
*/
if ( array_intersect($post_ids_to_trigger_rule, $ancestors_of_current_page) && in_array( (int) $menu_item->ID, $change_these_nav_menu_items, true ) ) {
$menu_item->classes[] = 'current-menu-item';
}
$new_menu[] = $menu_item;
}
return $new_menu;
}
add_filter( 'wp_nav_menu_objects', 'make_x_active_when_on_y' );
```
How it works
------------
When you visit a page that has the slug you set at the , or a page that has that page as an ancestor, then the rule kick in.
**The rule** is that the menu item that you set at will have the class `current-menu-item`.
Below you can see a recording of the result.
This is a completely fresh installation of **WordPress 5.7.2**, running **PHP 7.4.1**. No plugins installed. The theme is **twentytwentyone** (the ones that is shipped with WordPress).
**My config looked like this:**
```
$when_on_one_of_these_page_slugs = array( 'portfolio'); // The slug of my portfolio page.
$change_these_nav_menu_items = array( 24 ); // The item ID of my "A link to Google"-menu item.
```
[](https://i.stack.imgur.com/r0xV4.gif) |
389,079 | <p>I'm trying to make a photo gallery page for all my photos in my post-gallery post and have a modal open when you click on the photos. In the page there will probably be almost 100 photos and i'm not sure how to do this in a good way without duplicating the code for the modal 100x. I have considered using plugins but i'd doing this as part of making my own website and learning developing wordpress themes so i'd prefer if the solution is done with code.</p>
<p>Something Best practice solution for this situation would be great!</p>
<p>I would appreciate tips in how to do this!</p>
| [
{
"answer_id": 390431,
"author": "Ejaz UL Haq",
"author_id": 178714,
"author_profile": "https://wordpress.stackexchange.com/users/178714",
"pm_score": 0,
"selected": false,
"text": "<p>Try the following tested solutions they are working <strong>100%</strong> on the frontend screen because both solutions are based on the wp filter hook <strong><a href=\"https://developer.wordpress.org/reference/hooks/wp_get_nav_menu_items/\" rel=\"nofollow noreferrer\">wp_get_nav_menu_items</a></strong> which is executed where the <strong><a href=\"https://developer.wordpress.org/reference/functions/wp_get_nav_menu_items/\" rel=\"nofollow noreferrer\">wp_get_nav_menu_items()</a></strong> function is called.</p>\n<p><strong>Solution 01:</strong> Add CSS class by comparing menu item <strong>ID</strong></p>\n<pre><code>function add_class_to_specific_menu_items( $items, $menu, $args ){\n foreach ( $items as $index => $menu_item ){\n // conditional statement to compare the menu-item id\n if( $menu_item->ID == 33 ){\n // conditional statement to check the current url is same\n if( get_permalink() == $menu_item->url ){\n $menu_item->classes[] = 'current-menu-item';\n } \n }\n }\n return $items;\n}\nadd_filter('wp_get_nav_menu_items', 'add_class_to_specific_menu_items', 10, 3);\n</code></pre>\n<p><strong>Solution 02:</strong> Add CSS class by comparing menu item <strong>URL</strong></p>\n<pre><code>function add_class_to_specific_menu_items( $items, $menu, $args ){\n foreach ( $items as $index => $menu_item ){\n // conditional statement to compare the menu-item URL\n if( $menu_item->url == get_site_url().'/portfolio/' ){\n $menu_item->classes[] = 'current-menu-item';\n }\n }\n return $items;\n}\nadd_filter('wp_get_nav_menu_items', 'add_class_to_specific_menu_items', 10, 3);\n</code></pre>\n"
},
{
"answer_id": 390465,
"author": "Fabian Mossberg",
"author_id": 207387,
"author_profile": "https://wordpress.stackexchange.com/users/207387",
"pm_score": 2,
"selected": true,
"text": "<h1>Here is the solution.</h1>\n<h2>To set it up:</h2>\n<p>Paste the following at the bottom of the file <code>functions.php</code> in the folder of your current theme.</p>\n<h3>Edit by the in the code`</h3>\n<p><code>$when_on_one_of_these_page_slugs</code> should be an array of strings. The strings are the <strong>slugs</strong> of the pages on where you want the rule to kick in. The script will kick in the rule if you are on:</p>\n<ul>\n<li>One of these slugs.</li>\n<li>A child of any of these slugs.</li>\n</ul>\n<h3>Edit by the in the code:</h3>\n<p><code>$change_these_nav_menu_items</code> should be a list of menu item id's, of the item you want to look selected, when the rule kicks in.</p>\n<p>You can find the ID of the menu in dev tools by right clicking on the menu item and choose "inspect element". You will see the source code of the generated page, and you will find the item ID in the <code><li></code> tag wrapping the <code><a></code> of the item you inspected.</p>\n<p><a href=\"https://i.stack.imgur.com/ExiDh.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/ExiDh.png\" alt=\"enter image description here\" /></a></p>\n<pre class=\"lang-php prettyprint-override\"><code>/**\n * Makes specific menu item look active when visiting a certain page\n *\n * @param array $wp_nav_meny Array of items from a WP Nav Menu.\n *\n * @return array modified array of WP Nave Menu items.\n * @see https://wordpress.stackexchange.com/questions/389050/how-can-i-add-a-class-to-a-nav-li-depending-on-url\n */\nfunction make_x_active_when_on_y( array $wp_nav_meny ) {\n\n\n // Set an array of page slug (strings) to trigger the rule.\n $when_on_one_of_these_page_slugs = array( 'portfolio', 'add-any-slug-that-should-trigger-the-rule');\n // Set an array menu item id's (ints) to apply the rule to.\n $change_these_nav_menu_items = array( 33, 999);\n\n // Get the ID's of the pages we added in the setting.\n $post_ids_to_trigger_rule = wp_list_pluck(array_map('get_page_by_path', $when_on_one_of_these_page_slugs ), 'ID');\n // Get all the ancestors of the page we are curently visiting.\n $ancestors_of_current_page = get_post_ancestors(get_queried_object_id());\n // Add the current page into the array of ancestors.\n array_push($ancestors_of_current_page, get_the_ID());\n\n $new_menu = array();\n\n // Loop through the nav menu items.\n foreach ( $wp_nav_meny as $menu_item ) {\n /*\n * If the ID of the current page, or any of it's ancestors,\n * exists in the array of ID's that should trigger the rule,\n * AND\n * The current item ID in the loop, is in the array if nav menu\n * item id's that sould get the "current-menu-item" class.\n */\n if ( array_intersect($post_ids_to_trigger_rule, $ancestors_of_current_page) && in_array( (int) $menu_item->ID, $change_these_nav_menu_items, true ) ) {\n $menu_item->classes[] = 'current-menu-item';\n }\n $new_menu[] = $menu_item;\n }\n return $new_menu;\n}\nadd_filter( 'wp_nav_menu_objects', 'make_x_active_when_on_y' );\n</code></pre>\n<h2>How it works</h2>\n<p>When you visit a page that has the slug you set at the , or a page that has that page as an ancestor, then the rule kick in.</p>\n<p><strong>The rule</strong> is that the menu item that you set at will have the class <code>current-menu-item</code>.</p>\n<p>Below you can see a recording of the result.</p>\n<p>This is a completely fresh installation of <strong>WordPress 5.7.2</strong>, running <strong>PHP 7.4.1</strong>. No plugins installed. The theme is <strong>twentytwentyone</strong> (the ones that is shipped with WordPress).</p>\n<p><strong>My config looked like this:</strong></p>\n<pre><code>$when_on_one_of_these_page_slugs = array( 'portfolio'); // The slug of my portfolio page.\n$change_these_nav_menu_items = array( 24 ); // The item ID of my "A link to Google"-menu item.\n</code></pre>\n<p><a href=\"https://i.stack.imgur.com/r0xV4.gif\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/r0xV4.gif\" alt=\"In action\" /></a></p>\n"
},
{
"answer_id": 390468,
"author": "Mort 1305",
"author_id": 188811,
"author_profile": "https://wordpress.stackexchange.com/users/188811",
"pm_score": 0,
"selected": false,
"text": "<p>@modyjive -- the answer @ejaz-ul-haq gave is congruent with your PHP code given. Your PHP code tries to add the <code>current-menu-item</code> class to anchors that contain the <code>/portfolio/</code> URL in their HREF attribute. Your code isn't quite right, so @ejaz-ul-haq fixed it up so that it gives the represented effect. But, I'm interpreting your question to mean something different: you want to convert the functionality of the JavaScript provided into something WordPress-able. If that's what you want, here's my answer.</p>\n<p>We first determine what your JS does:</p>\n<pre><code>jQuery(document).ready(function( $ ) { // When the page loads,\n var loc = window.location.href; // save the current URL\n if(/portfolio/.test(loc)) { // and check if it contains '/portfolio/'.\n $('#menu-item-33').addClass('current-menu-item'); // If so, add `current-menu-item` to the class list of all elements with id="menu-item-33"\n }\n});\n</code></pre>\n<p>Immediately, we run into a problem: your JS will add <code>current-menu-item</code> to any and all HTML elements having an <code>id="menu-item-33"</code> attribute. So, it will happen in the backend as well as the frontend and in some places you might not even know exist. I'm going to go out on a limb here, but I'm guessing you're using the <code>nav_menu_link_attributes</code> hook because you're trying to manipulate navigation menus printed on the front-end, maybe? If so, let's dig into the WordPress documentation to see how those are printed out. (I've provided links in the text below so you can follow along; if you're not familiar with tracing WordPress code, now's your chance to learn.)</p>\n<p>First, we figure out a starting point. You used the <code>nav_menu_link_attributes</code> hook, so let's start there. From the <a href=\"https://developer.wordpress.org/reference/hooks/nav_menu_link_attributes/#source\" rel=\"nofollow noreferrer\">reference guide</a>, it is learned this hook is found in the <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php\" rel=\"nofollow noreferrer\">/wp-includes/class-walker-nav-menu.php</a> file. According to the <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php#L183\" rel=\"nofollow noreferrer\">header notes of the hook</a>, <code>nav_menu_link_attributes</code> "Filters the HTML attributes applied to a menu itemβs anchor element." The anchor element (<code><a></code>) is located inside the list item element (<code><li></code>). Your JavaScript represents that you want to add a class to the list item element, not the anchor. If we scroll up to <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php#L170\" rel=\"nofollow noreferrer\">line 170</a>, we can see where the list item is added to the output stream. That line looks like this:</p>\n<pre><code>$output .= $indent . '<li' . $id . $class_names . '>';\n</code></pre>\n<p>We can see on <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php#L167\" rel=\"nofollow noreferrer\">lines 167 and 168</a> where <code>$id</code> is generated and on <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.1/src/wp-includes/class-walker-nav-menu.php#L153\" rel=\"nofollow noreferrer\">lines 153 and 154</a> where <code>$class_names</code> is generated. By hooking into the <code>nav_menu_css_class</code> filter (on line 153), we can miniplate the <code>$class_names</code> variable before it is output in the <code><li></code> opening tag on line 170, which I believe is what you want! According to the <a href=\"https://developer.wordpress.org/reference/hooks/nav_menu_css_class/\" rel=\"nofollow noreferrer\">WordPress reference</a>, the <code>nav_menu_css_class</code> hook "Filters the CSS classes applied to a menu itemβs list item element." Yup, that's what your JS does, so we're on the right track.</p>\n<p>So, here we go:</p>\n<pre><code>function add_class_to_specific_menu_items($classes, $item, $args, $depth){\n global $wp;\n $loc = add_query_arg($wp->query_vars, home_url($wp->request)); // Save the current URL (like you did in your JS)\n if(stripos($loc, '/portfolio/') !== NULL // and check if it contains `/portfolio/` (like you did in your JS).\n && $item->ID === 33 // Also check that this is menu item #33 (like what you did in your JS, but limit only to navigation menus)\n ) {\n $classes[] = 'current-menu-item'; // and if so, add the desired class to the list item (like you did in your JS).\n }\n // No matter what, return the $classes array or we'll break things when navigation menus are output.\n return $classes;\n}\nadd_filter('nav_menu_css_class', 'add_class_to_specific_menu_items', 10, 4);\n</code></pre>\n<p>Time for a beer (and hopefully you'll click the answered checkmark, upvote, and give me your bounty).</p>\n"
}
] | 2021/06/03 | [
"https://wordpress.stackexchange.com/questions/389079",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/207249/"
] | I'm trying to make a photo gallery page for all my photos in my post-gallery post and have a modal open when you click on the photos. In the page there will probably be almost 100 photos and i'm not sure how to do this in a good way without duplicating the code for the modal 100x. I have considered using plugins but i'd doing this as part of making my own website and learning developing wordpress themes so i'd prefer if the solution is done with code.
Something Best practice solution for this situation would be great!
I would appreciate tips in how to do this! | Here is the solution.
=====================
To set it up:
-------------
Paste the following at the bottom of the file `functions.php` in the folder of your current theme.
### Edit by the in the code`
`$when_on_one_of_these_page_slugs` should be an array of strings. The strings are the **slugs** of the pages on where you want the rule to kick in. The script will kick in the rule if you are on:
* One of these slugs.
* A child of any of these slugs.
### Edit by the in the code:
`$change_these_nav_menu_items` should be a list of menu item id's, of the item you want to look selected, when the rule kicks in.
You can find the ID of the menu in dev tools by right clicking on the menu item and choose "inspect element". You will see the source code of the generated page, and you will find the item ID in the `<li>` tag wrapping the `<a>` of the item you inspected.
[](https://i.stack.imgur.com/ExiDh.png)
```php
/**
* Makes specific menu item look active when visiting a certain page
*
* @param array $wp_nav_meny Array of items from a WP Nav Menu.
*
* @return array modified array of WP Nave Menu items.
* @see https://wordpress.stackexchange.com/questions/389050/how-can-i-add-a-class-to-a-nav-li-depending-on-url
*/
function make_x_active_when_on_y( array $wp_nav_meny ) {
// Set an array of page slug (strings) to trigger the rule.
$when_on_one_of_these_page_slugs = array( 'portfolio', 'add-any-slug-that-should-trigger-the-rule');
// Set an array menu item id's (ints) to apply the rule to.
$change_these_nav_menu_items = array( 33, 999);
// Get the ID's of the pages we added in the setting.
$post_ids_to_trigger_rule = wp_list_pluck(array_map('get_page_by_path', $when_on_one_of_these_page_slugs ), 'ID');
// Get all the ancestors of the page we are curently visiting.
$ancestors_of_current_page = get_post_ancestors(get_queried_object_id());
// Add the current page into the array of ancestors.
array_push($ancestors_of_current_page, get_the_ID());
$new_menu = array();
// Loop through the nav menu items.
foreach ( $wp_nav_meny as $menu_item ) {
/*
* If the ID of the current page, or any of it's ancestors,
* exists in the array of ID's that should trigger the rule,
* AND
* The current item ID in the loop, is in the array if nav menu
* item id's that sould get the "current-menu-item" class.
*/
if ( array_intersect($post_ids_to_trigger_rule, $ancestors_of_current_page) && in_array( (int) $menu_item->ID, $change_these_nav_menu_items, true ) ) {
$menu_item->classes[] = 'current-menu-item';
}
$new_menu[] = $menu_item;
}
return $new_menu;
}
add_filter( 'wp_nav_menu_objects', 'make_x_active_when_on_y' );
```
How it works
------------
When you visit a page that has the slug you set at the , or a page that has that page as an ancestor, then the rule kick in.
**The rule** is that the menu item that you set at will have the class `current-menu-item`.
Below you can see a recording of the result.
This is a completely fresh installation of **WordPress 5.7.2**, running **PHP 7.4.1**. No plugins installed. The theme is **twentytwentyone** (the ones that is shipped with WordPress).
**My config looked like this:**
```
$when_on_one_of_these_page_slugs = array( 'portfolio'); // The slug of my portfolio page.
$change_these_nav_menu_items = array( 24 ); // The item ID of my "A link to Google"-menu item.
```
[](https://i.stack.imgur.com/r0xV4.gif) |
389,081 | <p>I'm using a customised version of a commercial theme, with a lot of stuff in it.</p>
<p>I've changed style.css to only have:</p>
<pre><code>/*!
Theme Name: A quite unique theme name
Theme URI: http://www.mywebsite.org/
Version: 1.0.0
Description: Unique description
*/
</code></pre>
<p>Wordpress still finds an 'update' for the theme using the original name of the theme from the vendor. Wordpress says the current version is 1.0.0, which matches the style.css header.</p>
<p>Where is it getting the name from in order to look up the update?</p>
<p>Thanks!</p>
| [
{
"answer_id": 389082,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 2,
"selected": true,
"text": "<p>It's the directory name.</p>\n<p>If your theme is in <code>wp-content/themes/my-theme</code>, then the theme name is <code>my-theme</code>.</p>\n"
},
{
"answer_id": 389083,
"author": "mozboz",
"author_id": 176814,
"author_profile": "https://wordpress.stackexchange.com/users/176814",
"pm_score": 0,
"selected": false,
"text": "<p>For anyone looking to change the theme name (which as per Jacob's answer is the directory name) and have Wordpress not know what you've done you can manually change settings as described here: <a href=\"https://docs.appthemes.com/tutorials/how-to-change-wordpress-themes-directly-from-the-database/\" rel=\"nofollow noreferrer\">https://docs.appthemes.com/tutorials/how-to-change-wordpress-themes-directly-from-the-database/</a></p>\n<p>For me the 'template' option also needed to be the directory name, it did not work as the string of the name as in the style.css header, which is what this doc says.</p>\n<p>Also the commercial theme I was using did do some slightly weird things but they were an easy fix, so I would not recommend doing this without thoroughly testing that a theme/plugin you're using doesn't have some stored hard-coded reference to the directory name somewhere!</p>\n"
}
] | 2021/06/03 | [
"https://wordpress.stackexchange.com/questions/389081",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/176814/"
] | I'm using a customised version of a commercial theme, with a lot of stuff in it.
I've changed style.css to only have:
```
/*!
Theme Name: A quite unique theme name
Theme URI: http://www.mywebsite.org/
Version: 1.0.0
Description: Unique description
*/
```
Wordpress still finds an 'update' for the theme using the original name of the theme from the vendor. Wordpress says the current version is 1.0.0, which matches the style.css header.
Where is it getting the name from in order to look up the update?
Thanks! | It's the directory name.
If your theme is in `wp-content/themes/my-theme`, then the theme name is `my-theme`. |
390,120 | <p>I am currently making a plugin that takes the posts and sends their data to a rest API. Everything else is going smoothly. But I am very confused about how I can achieve this for the featured images. I have to upload a file, not a url. Basically, the API takes multipart/form-data and has an HTTP request method PUT.</p>
<p>The method currently looks something like this:</p>
<pre><code>public function uploadFeaturedImage($post_id)
{
$url = build_api_url('posts/' . $post_id. '/photo');
$featured_image_url = get_the_post_thumbnail_url($post_id);
$image_data = // Get featured image file here
$data = array(
'file' => $image_data
);
$args = array(
'method' => 'PUT',
'headers' => array('Content-Type' => 'multipart/form-data', 'Authorization' => 'Bearer <token>' ),
'body' => $data
);
$response = wp_remote_request($url,$args);
return $response['body'];
}
</code></pre>
| [
{
"answer_id": 390150,
"author": "CoderSantosh",
"author_id": 78627,
"author_profile": "https://wordpress.stackexchange.com/users/78627",
"pm_score": 1,
"selected": false,
"text": "<p>Here is an idea for sending a featured image (file data) on API and setting the image as a featured image on the server.</p>\n<p>Get File data from URL using following function:</p>\n<pre><code>/*fetch the file from URL*/\nfunction prefix_get_file_data_from_url( $url ) {\n $response = wp_remote_get( $url );\n if ( is_array( $response ) && ! is_wp_error( $response ) ) {\n return wp_remote_retrieve_body( $response );\n }\n return '';\n}\n</code></pre>\n<p>After getting the file send it to the server.</p>\n<p>On the server end, you will need the following function to upload the file and set it as a featured image.</p>\n<ul>\n<li><a href=\"https://developer.wordpress.org/reference/classes/wp_filesystem_direct/put_contents/\" rel=\"nofollow noreferrer\">$wp_filesystem->put_contents</a></li>\n<li><a href=\"https://developer.wordpress.org/reference/functions/wp_insert_attachment/\" rel=\"nofollow noreferrer\">wp_insert_attachment</a></li>\n</ul>\n<p>Note: not tested.</p>\n"
},
{
"answer_id": 390184,
"author": "Roshan Chapagain",
"author_id": 110412,
"author_profile": "https://wordpress.stackexchange.com/users/110412",
"pm_score": 0,
"selected": false,
"text": "<p>Don't know if this is a good approach. But I solved this using curl.</p>\n<pre><code>public function uploadFeaturedImage($post_id)\n{\n\n $api_id = $this->get_api_id($post_id);\n\n $url = blog_transporter_build_api_url('posts/' . $api_id . '/photo');\n\n $image_url = get_the_post_thumbnail_url($post_id);\n\n if (empty($image_url)) return false;\n\n $image_id = get_post_thumbnail_id($post_id);\n $mime_type = get_post_mime_type($image_id);\n\n $data = array('file' => new CURLFile(\n $image_url,\n $mime_type,\n 'featured-image'\n ));\n\n $headers = array('Authorization: Bearer <token>' , 'Content-Type: multipart/form-data');\n\n $ch = curl_init($url);\n curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);\n curl_setopt($ch, CURLOPT_CUSTOMREQUEST, "PUT");\n curl_setopt($ch, CURLOPT_POSTFIELDS, $data);\n curl_setopt($ch, CURLINFO_HEADER_OUT, true);\n curl_setopt($ch, CURLOPT_HTTPHEADER, $headers);\n\n $response = curl_exec($ch);\n return $response;\n}\n</code></pre>\n"
}
] | 2021/06/04 | [
"https://wordpress.stackexchange.com/questions/390120",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/110412/"
] | I am currently making a plugin that takes the posts and sends their data to a rest API. Everything else is going smoothly. But I am very confused about how I can achieve this for the featured images. I have to upload a file, not a url. Basically, the API takes multipart/form-data and has an HTTP request method PUT.
The method currently looks something like this:
```
public function uploadFeaturedImage($post_id)
{
$url = build_api_url('posts/' . $post_id. '/photo');
$featured_image_url = get_the_post_thumbnail_url($post_id);
$image_data = // Get featured image file here
$data = array(
'file' => $image_data
);
$args = array(
'method' => 'PUT',
'headers' => array('Content-Type' => 'multipart/form-data', 'Authorization' => 'Bearer <token>' ),
'body' => $data
);
$response = wp_remote_request($url,$args);
return $response['body'];
}
``` | Here is an idea for sending a featured image (file data) on API and setting the image as a featured image on the server.
Get File data from URL using following function:
```
/*fetch the file from URL*/
function prefix_get_file_data_from_url( $url ) {
$response = wp_remote_get( $url );
if ( is_array( $response ) && ! is_wp_error( $response ) ) {
return wp_remote_retrieve_body( $response );
}
return '';
}
```
After getting the file send it to the server.
On the server end, you will need the following function to upload the file and set it as a featured image.
* [$wp\_filesystem->put\_contents](https://developer.wordpress.org/reference/classes/wp_filesystem_direct/put_contents/)
* [wp\_insert\_attachment](https://developer.wordpress.org/reference/functions/wp_insert_attachment/)
Note: not tested. |
390,149 | <p>I need to find whether any element of the so many Gutenberg- or Elementor-elements have been used in posts or pages.</p>
<p>Example:
I want to deactivate an Elementor Addon Plugin, which creates accordeons
I need to know where this Addon Plugin was used in posts or pages, if not I can deactivate / delete it, if yes I have to replace the output by other elements</p>
<p>Unfortunately I never saw something like a "used in"-list</p>
<p>Any ideas please? I would be happy!</p>
| [
{
"answer_id": 390157,
"author": "user3135691",
"author_id": 59755,
"author_profile": "https://wordpress.stackexchange.com/users/59755",
"pm_score": 1,
"selected": false,
"text": "<p>You are looking for:</p>\n<p>is_plugin_active( string $plugin )</p>\n<p>This function takes a string parameter that is the representation of the path to the plugin relative path in the plugins directory.</p>\n<p>So your practical implementation would look something like this:</p>\n<pre><code><?php\n\nif(is_plugin_active('elementor/elementor.php') || is_plugin_active('woocommerce/woocommerce.php')){\n // Do something, remove scripts etc..\n}\n</code></pre>\n"
},
{
"answer_id": 390246,
"author": "tiago calado",
"author_id": 198152,
"author_profile": "https://wordpress.stackexchange.com/users/198152",
"pm_score": 0,
"selected": false,
"text": "<p>I would deactivate it, check if site its working properly, if so it can be deleted, if not its always possible to activate it again and everything returns to normal.</p>\n"
}
] | 2021/06/05 | [
"https://wordpress.stackexchange.com/questions/390149",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/207369/"
] | I need to find whether any element of the so many Gutenberg- or Elementor-elements have been used in posts or pages.
Example:
I want to deactivate an Elementor Addon Plugin, which creates accordeons
I need to know where this Addon Plugin was used in posts or pages, if not I can deactivate / delete it, if yes I have to replace the output by other elements
Unfortunately I never saw something like a "used in"-list
Any ideas please? I would be happy! | You are looking for:
is\_plugin\_active( string $plugin )
This function takes a string parameter that is the representation of the path to the plugin relative path in the plugins directory.
So your practical implementation would look something like this:
```
<?php
if(is_plugin_active('elementor/elementor.php') || is_plugin_active('woocommerce/woocommerce.php')){
// Do something, remove scripts etc..
}
``` |
390,175 | <p><a href="https://wordpress.stackexchange.com/a/254791/87127">This answer</a> describes a hack in which it is possible to upload new media to an "old" folder like 2012/12. That hack no longer seems to work in recent WP versions. Meanwhile, all the plugins I can find for media/folder management seem to want to create an entirely new folder hierarchy, and bypass the native WordPress year/month system completely.</p>
<p>I just want to upload some lost media from original files outside WordPress into an "old" year/month folder associated with the publication date of an old article long since published, but missing its media somehow. I'd much prefer that to linking from within the old article to some new location, because that is just going to raise questions from some people.</p>
<p>So far my only option seems to be to downgrade WordPress and try to find a version that supports that "hack" in the link above. Is there a better way?</p>
| [
{
"answer_id": 390178,
"author": "JosF",
"author_id": 50460,
"author_profile": "https://wordpress.stackexchange.com/users/50460",
"pm_score": 0,
"selected": false,
"text": "<p>You're talking about 'lost' media. Do you mean that the posts that contain that media are still present and just the files are missing? i.e. the media is in the media library also, but it's just a 404 on the file?</p>\n<p>You could then just upload the original image to the proper directory (check devtools for images with 404 and their file paths) with an (s)ftp client and then regenerate all the images in Wordpress with e.g. the <a href=\"https://wordpress.org/plugins/regenerate-thumbnails/\" rel=\"nofollow noreferrer\">Regenerate plugin</a></p>\n"
},
{
"answer_id": 390179,
"author": "Paul G.",
"author_id": 41288,
"author_profile": "https://wordpress.stackexchange.com/users/41288",
"pm_score": 3,
"selected": true,
"text": "<p>Okay, so here's a hack to get what you want. There are a few caveats though, so please be sure to take account of this:</p>\n<ul>\n<li>this is untested with WPMS. I haven't a clue how this will affect it.</li>\n<li>it uses a so-called "private" WordPress function, which means that the functionality of this function may change with any WP release and you can't rely on it to always work as you expect. So test it before you roll it out on any scale.</li>\n<li>I recommend using this and then removing it when you don't need it any longer, or if you leave it in-place, ALL your media will go to the same directory.</li>\n<li>code assumes PHP 5.3 and above.</li>\n<li>code assumes WordPress 4.5 and above.</li>\n<li>code style is not adhering to WordPress code styles for hooks as it's meant to be put in-place very temporarily and removed.</li>\n</ul>\n<p>It works simply by filtering and forcefully replacing the uploads directory with the date you want.</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_filter( 'upload_dir', function () {\n return _wp_upload_dir( '2021/01' );\n}, 100, 0 );\n</code></pre>\n<p>How to use it?</p>\n<ol>\n<li>Put the code in your theme's <code>functions.php</code></li>\n<li>Simply replace <code>2021/01</code> with the YYYY/MM you want to store your images.</li>\n<li>Test uploading an image to see that it works as you'd expect by placing it in the correctly dated folder.</li>\n<li>Upload your images</li>\n<li>Remove this code from your <code>functions.php</code></li>\n</ol>\n"
}
] | 2021/06/06 | [
"https://wordpress.stackexchange.com/questions/390175",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/87127/"
] | [This answer](https://wordpress.stackexchange.com/a/254791/87127) describes a hack in which it is possible to upload new media to an "old" folder like 2012/12. That hack no longer seems to work in recent WP versions. Meanwhile, all the plugins I can find for media/folder management seem to want to create an entirely new folder hierarchy, and bypass the native WordPress year/month system completely.
I just want to upload some lost media from original files outside WordPress into an "old" year/month folder associated with the publication date of an old article long since published, but missing its media somehow. I'd much prefer that to linking from within the old article to some new location, because that is just going to raise questions from some people.
So far my only option seems to be to downgrade WordPress and try to find a version that supports that "hack" in the link above. Is there a better way? | Okay, so here's a hack to get what you want. There are a few caveats though, so please be sure to take account of this:
* this is untested with WPMS. I haven't a clue how this will affect it.
* it uses a so-called "private" WordPress function, which means that the functionality of this function may change with any WP release and you can't rely on it to always work as you expect. So test it before you roll it out on any scale.
* I recommend using this and then removing it when you don't need it any longer, or if you leave it in-place, ALL your media will go to the same directory.
* code assumes PHP 5.3 and above.
* code assumes WordPress 4.5 and above.
* code style is not adhering to WordPress code styles for hooks as it's meant to be put in-place very temporarily and removed.
It works simply by filtering and forcefully replacing the uploads directory with the date you want.
```php
add_filter( 'upload_dir', function () {
return _wp_upload_dir( '2021/01' );
}, 100, 0 );
```
How to use it?
1. Put the code in your theme's `functions.php`
2. Simply replace `2021/01` with the YYYY/MM you want to store your images.
3. Test uploading an image to see that it works as you'd expect by placing it in the correctly dated folder.
4. Upload your images
5. Remove this code from your `functions.php` |
390,191 | <p>I have a custom post type (foobar), with two meta_fields:</p>
<ul>
<li><code>updated_at</code></li>
<li><code>build_ran_at</code></li>
</ul>
<p>I would like to make a single WP_query, that returns on the foobar-posts, where <code>updated_at</code> is after <code>build_ran_at</code>.
Both the fields are DateTime-fields.</p>
<hr />
<h2>Solution attempt</h2>
<pre><code>$foobar_query = new WP_Query([
'post_type' => 'foobar',
'post_status' => 'publish',
'posts_per_page' => 999,
'meta_query' => [
'relation' => 'AND',
[
'key' => 'updated_at',
'value' => ...?
'compary' => ...?
],
[
'key' => 'build_ran_at',
'value' => ...?
'compary' => ...?
],
]
]);
$returned_posts = [];
if( $foobar_query->have_posts() ):
while( $foobar_query->have_posts() ):
$foobar_query->the_post();
$returned_posts[] = get_post();
endwhile; // while( $foobar_query->have_posts() ):
wp_reset_query();
endif; // if( $foobar_query->have_posts() ):
</code></pre>
| [
{
"answer_id": 390203,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 1,
"selected": false,
"text": "<p>As of writing, there is no meta query <code>compare</code> value that can do what you're trying to do, which is basically "<em>where <updated_at meta> > <build_ran_at meta></em>". But there are two options that you can choose from as an alternative to using the <code>meta_query</code> arg:</p>\n<ol>\n<li><p>Use a raw SQL to retrieve just the IDs of the posts having the <code>updated_at</code> meta greater than the <code>build_ran_at</code> meta, and then pass the IDs to <code>WP_Query</code> via the <code>post__in</code> arg like so:</p>\n<pre class=\"lang-php prettyprint-override\"><code>// Build the raw SQL.\n$query = "\n SELECT p.ID\n FROM $wpdb->posts p\n INNER JOIN $wpdb->postmeta pm ON pm.post_id = p.ID\n INNER JOIN $wpdb->postmeta pm2 ON pm2.post_id = p.ID\n WHERE p.post_type = 'foobar'\n AND p.post_status = 'publish'\n AND pm.meta_key = 'updated_at'\n AND pm2.meta_key = 'build_ran_at'\n AND pm.meta_value > pm2.meta_value\n LIMIT 999\n";\n\n// Get the post IDs.\n$ids = $wpdb->get_col( $query );\n\n// Then use the IDs as the post__in value.\n$foobar_query = new WP_Query([\n 'post_type' => 'foobar',\n 'post_status' => 'publish',\n 'posts_per_page' => 999,\n 'post__in' => $ids,\n]);\n</code></pre>\n</li>\n<li><p>Or use the <a href=\"https://developer.wordpress.org/reference/hooks/posts_clauses/\" rel=\"nofollow noreferrer\"><code>posts_clauses</code> hook</a> to add the above two JOIN clauses and also the last three conditions in the WHERE clause.</p>\n<p>Example using (a closure and) a custom query arg named <code>_updated_at</code> as a flag indicating whether we should filter the posts query clauses or not, to avoid other <code>WP_Query</code> queries from being affected:</p>\n<pre class=\"lang-php prettyprint-override\"><code>// Add the filter.\nadd_filter( 'posts_clauses', function ( $clauses, $query ) {\n if ( '> build_ran_at' === $query->get( '_updated_at' ) ) {\n global $wpdb;\n\n $pm = uniqid( 'pm_' ); // unique table alias\n $clauses['join'] .= " INNER JOIN $wpdb->postmeta $pm ON {$pm}.post_id = {$wpdb->posts}.ID";\n\n $pm2 = uniqid( 'pm_' ); // unique table alias\n $clauses['join'] .= " INNER JOIN $wpdb->postmeta $pm2 ON {$pm2}.post_id = {$wpdb->posts}.ID";\n\n $clauses['where'] .= " AND ( {$pm}.meta_key = 'updated_at' AND {$pm2}.meta_key = 'build_ran_at'"\n "AND {$pm}.meta_value > {$pm2}.meta_value )";\n }\n\n return $clauses;\n}, 10, 2 );\n\n// Then use the _updated_at arg in place of meta_query.\n$foobar_query = new WP_Query([\n 'post_type' => 'foobar',\n 'post_status' => 'publish',\n 'posts_per_page' => 999,\n '_updated_at' => '> build_ran_at',\n]);\n</code></pre>\n</li>\n</ol>\n"
},
{
"answer_id": 390370,
"author": "Edward",
"author_id": 206327,
"author_profile": "https://wordpress.stackexchange.com/users/206327",
"pm_score": 0,
"selected": false,
"text": "<p>Do not use post meta for this kind of custom data queries. The use of meta value is very slow. You should better use a custom tables and provide custom WP_Query arguments that perfectly fit your needs.</p>\n"
}
] | 2021/06/06 | [
"https://wordpress.stackexchange.com/questions/390191",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/128304/"
] | I have a custom post type (foobar), with two meta\_fields:
* `updated_at`
* `build_ran_at`
I would like to make a single WP\_query, that returns on the foobar-posts, where `updated_at` is after `build_ran_at`.
Both the fields are DateTime-fields.
---
Solution attempt
----------------
```
$foobar_query = new WP_Query([
'post_type' => 'foobar',
'post_status' => 'publish',
'posts_per_page' => 999,
'meta_query' => [
'relation' => 'AND',
[
'key' => 'updated_at',
'value' => ...?
'compary' => ...?
],
[
'key' => 'build_ran_at',
'value' => ...?
'compary' => ...?
],
]
]);
$returned_posts = [];
if( $foobar_query->have_posts() ):
while( $foobar_query->have_posts() ):
$foobar_query->the_post();
$returned_posts[] = get_post();
endwhile; // while( $foobar_query->have_posts() ):
wp_reset_query();
endif; // if( $foobar_query->have_posts() ):
``` | As of writing, there is no meta query `compare` value that can do what you're trying to do, which is basically "*where <updated\_at meta> > <build\_ran\_at meta>*". But there are two options that you can choose from as an alternative to using the `meta_query` arg:
1. Use a raw SQL to retrieve just the IDs of the posts having the `updated_at` meta greater than the `build_ran_at` meta, and then pass the IDs to `WP_Query` via the `post__in` arg like so:
```php
// Build the raw SQL.
$query = "
SELECT p.ID
FROM $wpdb->posts p
INNER JOIN $wpdb->postmeta pm ON pm.post_id = p.ID
INNER JOIN $wpdb->postmeta pm2 ON pm2.post_id = p.ID
WHERE p.post_type = 'foobar'
AND p.post_status = 'publish'
AND pm.meta_key = 'updated_at'
AND pm2.meta_key = 'build_ran_at'
AND pm.meta_value > pm2.meta_value
LIMIT 999
";
// Get the post IDs.
$ids = $wpdb->get_col( $query );
// Then use the IDs as the post__in value.
$foobar_query = new WP_Query([
'post_type' => 'foobar',
'post_status' => 'publish',
'posts_per_page' => 999,
'post__in' => $ids,
]);
```
2. Or use the [`posts_clauses` hook](https://developer.wordpress.org/reference/hooks/posts_clauses/) to add the above two JOIN clauses and also the last three conditions in the WHERE clause.
Example using (a closure and) a custom query arg named `_updated_at` as a flag indicating whether we should filter the posts query clauses or not, to avoid other `WP_Query` queries from being affected:
```php
// Add the filter.
add_filter( 'posts_clauses', function ( $clauses, $query ) {
if ( '> build_ran_at' === $query->get( '_updated_at' ) ) {
global $wpdb;
$pm = uniqid( 'pm_' ); // unique table alias
$clauses['join'] .= " INNER JOIN $wpdb->postmeta $pm ON {$pm}.post_id = {$wpdb->posts}.ID";
$pm2 = uniqid( 'pm_' ); // unique table alias
$clauses['join'] .= " INNER JOIN $wpdb->postmeta $pm2 ON {$pm2}.post_id = {$wpdb->posts}.ID";
$clauses['where'] .= " AND ( {$pm}.meta_key = 'updated_at' AND {$pm2}.meta_key = 'build_ran_at'"
"AND {$pm}.meta_value > {$pm2}.meta_value )";
}
return $clauses;
}, 10, 2 );
// Then use the _updated_at arg in place of meta_query.
$foobar_query = new WP_Query([
'post_type' => 'foobar',
'post_status' => 'publish',
'posts_per_page' => 999,
'_updated_at' => '> build_ran_at',
]);
``` |
390,215 | <p>I have different styles applied to pages (I hide the title for them) and posts (I don't want to hide the title here, but style the date of the post). I want to style them differently, which ist possible on the site itself. But in the editor I don't seem to have the possibility to distinguish between pages and posts.</p>
<p>There is no css-class in an upper element which indicates whether I am editing a page or a post which I could use in my css.</p>
<p>How can i know what I am editing in the editor - a page or a post. It's driving me crazy - there must be a way to know this.</p>
| [
{
"answer_id": 390241,
"author": "tiago calado",
"author_id": 198152,
"author_profile": "https://wordpress.stackexchange.com/users/198152",
"pm_score": 0,
"selected": false,
"text": "<p>The html code must be prepared for it.<br>\nFor example different classes for the use of css.</p>\n<p>example:</p>\n<pre><code><div class="pages">\n <a href="#">title</a>\n <?php whatever the page title code ?>\n</div>\n<div class="posts">\n <a href="#">title</a>\n <?php whatever the posts title code ?>\n</div>\n</code></pre>\n<p>then the css is easy:</p>\n<pre><code> .pages{display:none;}\n</code></pre>\n"
},
{
"answer_id": 390527,
"author": "Phil",
"author_id": 207767,
"author_profile": "https://wordpress.stackexchange.com/users/207767",
"pm_score": 3,
"selected": true,
"text": "<p>You can use the <a href=\"https://developer.wordpress.org/reference/hooks/admin_body_class/\" rel=\"nofollow noreferrer\"><code>admin_body_class</code></a> hook to add your own CSS classes. For example (if you're using Gutenberg):</p>\n<pre class=\"lang-php prettyprint-override\"><code>function pb_admin_body_class($classes) {\n $screen = get_current_screen();\n\n if (!$screen->is_block_editor()) {\n return $classes;\n }\n\n $post_id = isset($_GET['post']) ? intval($_GET['post']) : false;\n $post_type = get_post_type($post_id);\n\n if ($post_type) {\n $classes .= $post_type;\n }\n\n return $classes;\n}\nadd_filter('admin_body_class', 'pb_admin_body_class');\n</code></pre>\n"
}
] | 2021/06/07 | [
"https://wordpress.stackexchange.com/questions/390215",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/198618/"
] | I have different styles applied to pages (I hide the title for them) and posts (I don't want to hide the title here, but style the date of the post). I want to style them differently, which ist possible on the site itself. But in the editor I don't seem to have the possibility to distinguish between pages and posts.
There is no css-class in an upper element which indicates whether I am editing a page or a post which I could use in my css.
How can i know what I am editing in the editor - a page or a post. It's driving me crazy - there must be a way to know this. | You can use the [`admin_body_class`](https://developer.wordpress.org/reference/hooks/admin_body_class/) hook to add your own CSS classes. For example (if you're using Gutenberg):
```php
function pb_admin_body_class($classes) {
$screen = get_current_screen();
if (!$screen->is_block_editor()) {
return $classes;
}
$post_id = isset($_GET['post']) ? intval($_GET['post']) : false;
$post_type = get_post_type($post_id);
if ($post_type) {
$classes .= $post_type;
}
return $classes;
}
add_filter('admin_body_class', 'pb_admin_body_class');
``` |
390,255 | <p>I'm creating a website in which I need that, when I click on one of the tabs of the specific menu, and it opens, this page contains a search box in its body.
My question is how can I add this search box to the page, where can it be edited.</p>
<p>I've now started using WordPress, I've been doing a search but I haven't found anything that specifically answers me.</p>
| [
{
"answer_id": 390271,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 0,
"selected": false,
"text": "<p>If you're using the block editor, as of WordPress 5.3 there is a Search block that you can use: <a href=\"https://wordpress.org/support/article/search-block/\" rel=\"nofollow noreferrer\">https://wordpress.org/support/article/search-block/</a></p>\n"
},
{
"answer_id": 390272,
"author": "Alexandru Burca",
"author_id": 43090,
"author_profile": "https://wordpress.stackexchange.com/users/43090",
"pm_score": 2,
"selected": false,
"text": "<p>It's just a form that takes a GET parameter named <code>s</code>.</p>\n<p>Example:</p>\n<pre><code><form method="get" action="/">\n<input type="text" name="s" placeholder="type here to search">\n</form>\n</code></pre>\n<p>But I recommend using the function called <code>get_search_form()</code> that does basically the same thing.</p>\n"
}
] | 2021/06/08 | [
"https://wordpress.stackexchange.com/questions/390255",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/207483/"
] | I'm creating a website in which I need that, when I click on one of the tabs of the specific menu, and it opens, this page contains a search box in its body.
My question is how can I add this search box to the page, where can it be edited.
I've now started using WordPress, I've been doing a search but I haven't found anything that specifically answers me. | It's just a form that takes a GET parameter named `s`.
Example:
```
<form method="get" action="/">
<input type="text" name="s" placeholder="type here to search">
</form>
```
But I recommend using the function called `get_search_form()` that does basically the same thing. |
390,280 | <p>I have over 20 thousand pages and need to delete all of them except very few.
Deleting them from the wp-admin page would take too long and a huge effort.
Is there a command I can run in PhpMyAdmin to do the job?</p>
<p>let's assume that I want to keep pages with ID (1,2,3) and delete the rest.</p>
<p>Thanks a lot.</p>
| [
{
"answer_id": 390296,
"author": "Buttered_Toast",
"author_id": 192133,
"author_profile": "https://wordpress.stackexchange.com/users/192133",
"pm_score": 1,
"selected": false,
"text": "<p>You could do something like this</p>\n<pre><code>if (current_user_can('administrator')) {\n $pages = get_posts([\n 'post_type' => 'page', // get only pages\n 'posts_per_page' => -1, // get all\n 'post_status' => array_keys(get_post_statuses()), // all post statuses (publish, draft, private etc...)\n 'post__not_in' => [8,18,15,16,17] // list of ids you want to exclude (pages not for deletion)\n ]);\n\n foreach ($pages as $page) {\n wp_delete_post($page->ID); // delete page (moves to trash)\n } \n}\n</code></pre>\n<p>If you want something quick without working with wp-cli.</p>\n<p>I use this sometimes when I need to delete something quickly and once.</p>\n<p>You can put this code in your, <code>header.php</code> (will probably get flamed for this XD), and enter your site, this code will only execute for administrator level users.</p>\n<p>It will retrieve all pages you want to delete and delete them.</p>\n<p>In <code>post__not_in => [pages_ids_here]</code> put all the pages ids you DO NOT want to delete.</p>\n<p><code>wp_delete_post($page->ID)</code> will do a soft delete, move it to trash, if you want to delete the pages permanently the use this <code>wp_delete_post($page->ID, true)</code> (not recommended straight away because you will not have a way to restore them, unless you did a DB backup).</p>\n<p>Before you run this code, check what $pages contains to see if you got the correct pages, once you are sure that those are the correct pages you can delete them.</p>\n<p>If you can do a DB backup in case something went wrong.</p>\n<p>After all pages were deleted remove this code immediately to prevent unwated pages deletion in the future.</p>\n"
},
{
"answer_id": 390653,
"author": "shireef khatab",
"author_id": 123802,
"author_profile": "https://wordpress.stackexchange.com/users/123802",
"pm_score": 0,
"selected": false,
"text": "<p>I found it easier to first empty trash, then trash the pages I want to keep, then via wp-cli I delete all pages permanently (skip the trash with --force flag)</p>\n<p><a href=\"https://developer.wordpress.org/cli/commands/post/delete/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/cli/commands/post/delete/</a></p>\n<p>then restore the few trashed pages.\nhope that helps someone else.</p>\n"
}
] | 2021/06/08 | [
"https://wordpress.stackexchange.com/questions/390280",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/123802/"
] | I have over 20 thousand pages and need to delete all of them except very few.
Deleting them from the wp-admin page would take too long and a huge effort.
Is there a command I can run in PhpMyAdmin to do the job?
let's assume that I want to keep pages with ID (1,2,3) and delete the rest.
Thanks a lot. | You could do something like this
```
if (current_user_can('administrator')) {
$pages = get_posts([
'post_type' => 'page', // get only pages
'posts_per_page' => -1, // get all
'post_status' => array_keys(get_post_statuses()), // all post statuses (publish, draft, private etc...)
'post__not_in' => [8,18,15,16,17] // list of ids you want to exclude (pages not for deletion)
]);
foreach ($pages as $page) {
wp_delete_post($page->ID); // delete page (moves to trash)
}
}
```
If you want something quick without working with wp-cli.
I use this sometimes when I need to delete something quickly and once.
You can put this code in your, `header.php` (will probably get flamed for this XD), and enter your site, this code will only execute for administrator level users.
It will retrieve all pages you want to delete and delete them.
In `post__not_in => [pages_ids_here]` put all the pages ids you DO NOT want to delete.
`wp_delete_post($page->ID)` will do a soft delete, move it to trash, if you want to delete the pages permanently the use this `wp_delete_post($page->ID, true)` (not recommended straight away because you will not have a way to restore them, unless you did a DB backup).
Before you run this code, check what $pages contains to see if you got the correct pages, once you are sure that those are the correct pages you can delete them.
If you can do a DB backup in case something went wrong.
After all pages were deleted remove this code immediately to prevent unwated pages deletion in the future. |
390,282 | <p>Is it possible to change the file set-up of @wordpress/create-block to work with multiple blocks?</p>
<p>I've been trying to tweak the files, but maybe it's not even possible. I can't find anything saying it is.</p>
| [
{
"answer_id": 390722,
"author": "bosco",
"author_id": 25324,
"author_profile": "https://wordpress.stackexchange.com/users/25324",
"pm_score": 3,
"selected": false,
"text": "<p>It is! I've toyed with this off and on for the last year or so, and have come up with a few different ways to accomplish it. These are just the products of my own fiddling, however - there may well be more compelling solutions out there. Given the direction of <code>@wordpress/scripts</code> development, I would expect this use-case to become easier down the road.</p>\n<blockquote>\n<p><strong>NOTE:</strong> If you intend to submit your blocks for inclusion in the public <a href=\"https://wordpress.org/plugins/browse/block/\" rel=\"noreferrer\">Block Directory</a>, (<a href=\"https://wordpress.org/support/article/block-directory/\" rel=\"noreferrer\">introduction</a>) <a href=\"https://github.com/WordPress/wporg-plugin-guidelines/blob/trunk/blocks.md\" rel=\"noreferrer\">current guidelines</a> specify that the plugin should provide only a single top-level block. Any additional blocks should be child blocks and specify their relationship with the top-level block via the <code>parent</code> field in their respective <code>block.json</code> files.</p>\n</blockquote>\n<hr />\n<h1>Background: The <code>@wordpress/scripts</code> Package</h1>\n<p><a href=\"https://developer.wordpress.org/block-editor/reference-guides/packages/packages-scripts/\" rel=\"noreferrer\"><code>@wordpress/scripts</code></a> is the abstraction of build and development tools which is used in plugins scaffolded by <code>@wordpress/create-block</code> in order to simplify JS transpilation, SCSS compilation, and linting code for errors, among other things. It includes <code>babel</code>, <code>webpack</code>, and <code>eslint</code>, to name a few.</p>\n<p>The package is also useful as a development dependency in plugins and themes which do not offer blocks; the same configuration process below can be used to better adapt the build tools to your extension's needs and file structure.</p>\n<h2>The Default Build Configuration</h2>\n<p>The most common mechanism to change any aspect of how your plugin's assets are built is to tweak or replace the <a href=\"https://webpack.js.org/configuration/\" rel=\"noreferrer\">Webpack configuration</a> provided by the <code>@wordpress/scripts</code> package, <a href=\"https://developer.wordpress.org/block-editor/reference-guides/packages/packages-scripts/#provide-your-own-webpack-config\" rel=\"noreferrer\">as is briefly mentioned in the README</a>.</p>\n<p>To get an idea of what the structure and settings of the default configuration object are we can refer to <a href=\"https://github.com/WordPress/gutenberg/blob/trunk/packages/scripts/config/webpack.config.js\" rel=\"noreferrer\">the source of wp-script's <code>webpack.config.js</code> file</a>. The main settings that we are concerned with are the <code>entry</code> and <code>output</code> objects, which determine which files serve as entry points to your code and where their assets are compiled to, respectively:</p>\n<pre class=\"lang-js prettyprint-override\"><code>// ...\n entry: {\n index: path.resolve( process.cwd(), 'src', 'index.js' ),\n },\n output: {\n filename: '[name].js',\n path: path.resolve( process.cwd(), 'build' ),\n jsonpFunction: getJsonpFunctionIdentifier(),\n },\n// ...\n\n</code></pre>\n<p>Above, we can see that wp-scripts specifies a single entry-point named <code>index</code> located at <code>./src/index.js</code>, and produces a JavaScript bundle for each entry-point at <code>./build/[name].js</code> (where here, <code>index</code> would be substituted in for <code>[name]</code> for our single entry-point).</p>\n<p>A number of other assets are produced by the various configured plugins and loaders as well.</p>\n<h2>Overriding the Webpack Configuration</h2>\n<p>Overriding the default <code>webpack.config.js</code> is simple - we just create a file of the same name in our project root, and wp-scripts will recognize and use it instead.</p>\n<p>To modify the configuration, we can either import wp-scripts' Webpack configuration object, modify it, and export the modified object again - or export a new configuration object entirely to completely replace wp-scripts'.</p>\n<blockquote>\n<p><strong>NOTE:</strong> It is a popular convention to use the CommonJS module pattern and a less recent ECMAScript syntax when writing a Webpack configuration file as this file is not usually transpiled into a more global standard. This allows developers using less recent Node.js engines to build your code as well.</p>\n</blockquote>\n<hr />\n<h1>Solutions</h1>\n<h4>File Structure</h4>\n<p>The majority of the following solutions assume a source structure containing two blocks (<code>foo</code> and <code>bar</code>) in a <code>./src/blocks</code> directory alongside a non-block JS asset (<code>./src/frontend/accordion.js</code>), unless otherwise stated. Specifically, I've configured them for a project structure of my own preference:</p>\n<p><a href=\"https://i.stack.imgur.com/wK55C.png\" rel=\"noreferrer\"><img src=\"https://i.stack.imgur.com/wK55C.png\" alt=\"@bosco's multiblock project structure\" /></a></p>\n<h4>Copying Assets from Source Directories</h4>\n<p>In my solutions below I use the <a href=\"https://v4.webpack.js.org/plugins/copy-webpack-plugin/\" rel=\"noreferrer\"><code>CopyWebpackPlugin</code></a> in order to copy each block's <code>block.json</code> file to the output directory. This allows them to be used straight from the output directory using relative paths to assets which make sense in either context. As <code>@wordpress/scripts</code> is currently using Webpack 4 (though not for much longer), you will need version 6 of the plugin, for the time being:</p>\n<pre class=\"lang-bash prettyprint-override\"><code>npm install --save-dev copy-webpack-plugin@6\n</code></pre>\n<p>Alternatively, you can load your <code>block.json</code> files from <code>./src</code> and use large relative paths to point at the built assets (e.g. <code>"editorScript": "file:../../../build/blocks/foo/index.js"</code>), or perhaps collect them in your project root, named as <code>block-{block name}.json</code> or similar.</p>\n<h4>Loading Blocks from the New Structure</h4>\n<p>For the most part, you can simply pass the filepath to each block's <code>block.json</code> file to a <code>register_block_type_from_metadata()</code> call in your root project's main plugin file.</p>\n<p>PHP relevant to specific blocks including block registration could also be left in the block's source directory, and either imported straight from there or copied over to the output directory.</p>\n<h2>Multiple Block Projects Solution</h2>\n<p>The most simple solution results in a somewhat convoluted file structure and build process - to just use <code>@wordpress/create-block</code> to scaffold multiple block projects into your root project. After which, they can be registered by simply loading each block's plugin entry point or migrating all of the <code>register_block_type()</code>/<code>register_block_type_from_metadata()</code> calls into your project's main PHP entry point.</p>\n<p>This arrangement directly lends well to monorepo practices such as those detailed in <a href=\"https://www.designbombs.com/reusing-functionality-for-wordpress-plugins-with-blocks/\" rel=\"noreferrer\">the link</a> in <a href=\"https://wordpress.stackexchange.com/a/390838\">@Luismi's answer</a> as well as <a href=\"https://blog.logrocket.com/setting-up-first-gutenberg-project/\" rel=\"noreferrer\">this LogRocket article</a>.</p>\n<p>Such an approach could also be combined with one of the solutions below in order to consolidate the individual block projects with a shared build process and output directory. This seems pretty compelling on paper, but I have not explored the possibility.</p>\n<h2>Multi-Config Solution (Most Reasonable ATM)</h2>\n<p><a href=\"https://v4.webpack.js.org/configuration/configuration-types/#exporting-multiple-configurations\" rel=\"noreferrer\">Webpack supports configuration files exporting an array of configuration objects</a>, which allows you to provide an individual configuration to use for each block.</p>\n<p>Unfortunately, since Node.js caches and re-uses module imports and since the default <code>@wordpress/scripts</code> configuration object contains various constructed objects and functions, using even a recursive copy of the object for each block has a potential for causing problems, as multiple Webpack compilations could end up re-using plugin instances which may have a dirty state from prior compilations.</p>\n<p>I think that the best way to implement this may be to create a sort of "configuration factory function" which can be used to produce a new configuration object - basically copying and pasting the default configuration into a function.</p>\n<p>As a sort of hacky alternative, deleting the default configuration from the Node.js module cache results in a brand new copy of the object each time it's <code>require()</code>'d. I'm not sure how good of a practice this is, however. I would trust the prior method to be more reliable and generally acceptable. Nonetheless, this does make things quite a bit easier:</p>\n<pre class=\"lang-js prettyprint-override\"><code>/**\n * `@wordpress/scripts` multi-config multi-block Webpack configuration.\n * @see https://wordpress.stackexchange.com/questions/390282\n */\n\n// Native Depedencies.\nconst path = require( 'path' );\n\n// Third-Party Dependencies.\nconst CopyPlugin = require( 'copy-webpack-plugin' );\n\nconst default_config_path = require.resolve( '@wordpress/scripts/config/webpack.config.js' );\n\n/**\n * Retrieves a new instance of `@wordpress/scripts`' default webpack configuration object.\n * @returns WebpackOptions\n */\nconst getBaseConfig = () => {\n // If the default config's already been imported, clear the module from the cache so that Node\n // will interpret the module file again and provide a brand new object.\n if( require.cache[ default_config_path ] )\n delete require.cache[ default_config_path ];\n\n // Import a new instance of the default configuration object.\n return require( default_config_path );\n};\n\n/**\n * @callback buildConfig~callback\n * @param {WebpackOptions} config An instance of `@wordpress/scripts`' default configuration object.\n * @returns WebpackOptions The modified or replaced configuration object.\n */\n\n/**\n * Returns the result of executing a callback function provided with a new default configuration\n * instance.\n *\n * @param {buildConfig~callback} callback\n * @returns WebpackOptions The modified or replaced configuration object.\n */\nconst buildConfig = ( callback ) => callback( getBaseConfig() );\n\n/**\n * Extends `@wordpress/scripts`'s default webpack config to build block sources from a common\n * `./src/blocks` directory and output built assets to a common `./build/blocks` directory.\n * \n * @param {string} block_name \n * @returns WebpackOptions A configuration object for this block.\n */\nconst buildBlockConfig = ( block_name ) => buildConfig(\n config => (\n { // Copy all properties from the base config into the new config, then override some.\n ...config,\n // Override the block's "index" entry point to be `./src/blocks/{block name}/index.js`.\n entry: {\n index: path.resolve( process.cwd(), 'src', 'blocks', block_name, 'index.js' ),\n },\n // This block's built assets should be output to `./build/blocks/{block name}/`.\n output: {\n ...config.output,\n path: path.resolve( config.output.path, 'blocks', block_name ),\n },\n // Add a CopyWebpackPlugin to copy over the `block.json` file.\n plugins: [\n ...config.plugins,\n new CopyPlugin(\n {\n patterns: [\n { from: `src/blocks/${block_name}/block.json` },\n ],\n }\n ),\n ]\n }\n )\n);\n\nmodule.exports = [\n buildBlockConfig( 'foo' ),\n buildBlockConfig( 'bar' ),\n // Setup a configuration to build `./src/frontend/accordion.js` to `./build/frontend/`\n buildConfig(\n config => (\n {\n ...config,\n entry: {\n accordion: path.resolve( process.cwd(), 'src', 'frontend', 'accordion.js' ),\n },\n output: {\n ...config.output,\n path: path.resolve( config.output.path, 'frontend' ),\n },\n }\n )\n )\n];\n</code></pre>\n<h2>Path-Based Entry Names Solution</h2>\n<blockquote>\n<p>This solution depends on <a href=\"https://github.com/WordPress/gutenberg/pull/32834\" rel=\"noreferrer\">a change to <code>@wordpress/scripts</code></a> which will not be available until the next release, (package version > 16.1.3). To use it now, you would need to install the package from GitHub.\nwp-scripts' impending upgrade to Webpack 5 should also facilitate this approach.</p>\n</blockquote>\n<p>The most convenient solution in my opinion is simply to use partial paths as entry-point names:</p>\n<pre class=\"lang-js prettyprint-override\"><code>/**\n * `@wordpress/scripts` path-based name multi-block Webpack configuration.\n * @see https://wordpress.stackexchange.com/questions/390282\n */\n\n// Native Depedencies.\nconst path = require( 'path' );\n\n// Third-Party Dependencies.\nconst CopyPlugin = require( 'copy-webpack-plugin' );\nconst config = require( '@wordpress/scripts/config/webpack.config.js' );\n\n/**\n * Resolve a series of path parts relative to `./src`.\n * @param string[] path_parts An array of path parts.\n * @returns string A normalized path, relative to `./src`.\n **/\nconst resolveSource = ( ...path_parts ) => path.resolve( process.cwd(), 'src', ...path_parts );\n\n/**\n * Resolve a block name to the path to it's main `index.js` entry-point.\n * @param string name The name of the block.\n * @returns string A normalized path to the block's entry-point file.\n **/\nconst resolveBlockEntry = ( name ) => resolveSource( 'blocks', name, 'index.js' );\n\nconfig.entry = {\n 'blocks/foo/index': resolveBlockEntry( 'foo' ),\n 'blocks/bar/index': resolveBlockEntry( 'bar' ),\n 'frontend/accordion': resolveSource( 'frontend', 'accordion.js' ),\n};\n\n// Add a CopyPlugin to copy over block.json files.\nconfig.plugins.push(\n new CopyPlugin(\n {\n patterns: [\n {\n context: 'src',\n from: `blocks/*/block.json`\n },\n ],\n }\n )\n);\n\nmodule.exports = config;\n</code></pre>\n<p>This is something of a convenience in that it's simple, succinct, and maintainable... with a caveat.</p>\n<p>Due to the way that <code>@wordpress/scripts</code> handles CSS/SCSS files name "style" and "style.module" in order to work around a Webpack 4 limitation, we need to modify how these files are named in order to make sure that the "style" assets end up in the same directory as the rest of the built assets. It's ugly, and <strong>I haven't thoroughly tested possible edge cases</strong> (in particular it might do some weird stuff if a "style" file produces multiple chunks) - but with any luck it won't be necessary in Webpack 5:</p>\n<pre class=\"lang-js prettyprint-override\"><code>config.optimization.splitChunks.cacheGroups.style.name = ( module, chunks, group_key ) => {\n const delimeter = config.optimization.splitChunks.cacheGroups.style.automaticNameDelimiter;\n\n return chunks[0].name.replace(\n /(\\/?)([^/]+?)$/,\n `$1${group_key}${delimeter}$2`\n );\n};\n</code></pre>\n<h2>Flat Output Solution</h2>\n<p>A very minimal configuration can facilitate compiling assets to a super ugly flat-file output structure:</p>\n<pre class=\"lang-js prettyprint-override\"><code>/**\n * `@wordpress/scripts` flat output multi-block Webpack configuration.\n * @see https://wordpress.stackexchange.com/questions/390282\n */\n\n// Native Depedencies.\nconst path = require( 'path' );\n\n// Third-Party Dependencies.\nconst CopyPlugin = require( 'copy-webpack-plugin' );\nconst config = require( '@wordpress/scripts/config/webpack.config.js' );\n\nconfig.entry = {\n 'foo-block': path.resolve( process.cwd(), 'src', 'blocks', 'foo', 'index.js' ),\n 'bar-block': path.resolve( process.cwd(), 'src', 'blocks', 'bar', 'index.js' ),\n 'accordion': path.resolve( process.cwd(), 'src', 'frontend', 'accordion.js' ),\n};\n\nconfig.plugins.push(\n new CopyPlugin(\n {\n patterns: [\n {\n context: 'src/blocks',\n from: '*/block.json',\n to: ( { absoluteFilename } ) => `block-${absoluteFilename.match( /[\\\\/]([^\\\\/]+)[\\\\/]block.json/ )[1]}.json`,\n },\n ],\n }\n )\n);\n\nmodule.exports = config;\n</code></pre>\n<p><a href=\"https://i.stack.imgur.com/K5gbF.png\" rel=\"noreferrer\"><img src=\"https://i.stack.imgur.com/K5gbF.png\" alt=\"flat output\" /></a></p>\n<blockquote>\n<p>On paper one could set a function in <code>config.output.filename</code> in order to have this simple configuration produce a nested output structure again (replacing <code>-</code> in the entry-point name with <code>/</code>, or similar), but this too is not currently possible as a result of the <code>FixWebpackStylePlugin</code>'s implementation.</p>\n</blockquote>\n"
},
{
"answer_id": 390838,
"author": "Luismi",
"author_id": 105989,
"author_profile": "https://wordpress.stackexchange.com/users/105989",
"pm_score": 1,
"selected": false,
"text": "<p>Found this article about this topic: <a href=\"https://www.designbombs.com/reusing-functionality-for-wordpress-plugins-with-blocks/\" rel=\"nofollow noreferrer\">https://www.designbombs.com/reusing-functionality-for-wordpress-plugins-with-blocks/</a></p>\n<blockquote>\n<p>Currently, @wordpress/create-block can only tackle creating single-block plugins, not multi-block plugins (hopefully, in the not so distant future, it will be possible to generate any type of output through templates). However, with a bit of extra effort, we can already leverage @wordpress/create-block to create multi-block plugins too.</p>\n</blockquote>\n<p>Hope this helps.</p>\n"
},
{
"answer_id": 391129,
"author": "Mien Sao",
"author_id": 205002,
"author_profile": "https://wordpress.stackexchange.com/users/205002",
"pm_score": 0,
"selected": false,
"text": "<p>I also found this article what helped me to create multiple Gutenberg Blocks</p>\n<p><a href=\"https://wordpress.stackexchange.com/questions/346562/file-structure-and-react-setup-when-creating-multiple-gutenberg-blocks\">File structure and react setup when creating multiple Gutenberg blocks</a></p>\n<p>In the Index.js, you are importing all your blocks and registering them</p>\n<pre><code>const registerblocks = (block) =>{\n\n const { name, settings} = block\n registerBlockType(name, settings)\n\n}\n</code></pre>\n<p>And then you make a folder like /blocks/abcblock</p>\n<p>and export the name and settings. Since your're registering them in the index.js file. Just like in the article</p>\n"
},
{
"answer_id": 408022,
"author": "user3631047",
"author_id": 24688,
"author_profile": "https://wordpress.stackexchange.com/users/24688",
"pm_score": 2,
"selected": false,
"text": "<p>I am using <code>@wordpress/scripts v23.5.0</code> and it's already a built in feature. Please watch <a href=\"https://www.youtube.com/watch?v=O_4loYiEcbg\" rel=\"nofollow noreferrer\">this video.</a></p>\n"
}
] | 2021/06/08 | [
"https://wordpress.stackexchange.com/questions/390282",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/120585/"
] | Is it possible to change the file set-up of @wordpress/create-block to work with multiple blocks?
I've been trying to tweak the files, but maybe it's not even possible. I can't find anything saying it is. | It is! I've toyed with this off and on for the last year or so, and have come up with a few different ways to accomplish it. These are just the products of my own fiddling, however - there may well be more compelling solutions out there. Given the direction of `@wordpress/scripts` development, I would expect this use-case to become easier down the road.
>
> **NOTE:** If you intend to submit your blocks for inclusion in the public [Block Directory](https://wordpress.org/plugins/browse/block/), ([introduction](https://wordpress.org/support/article/block-directory/)) [current guidelines](https://github.com/WordPress/wporg-plugin-guidelines/blob/trunk/blocks.md) specify that the plugin should provide only a single top-level block. Any additional blocks should be child blocks and specify their relationship with the top-level block via the `parent` field in their respective `block.json` files.
>
>
>
---
Background: The `@wordpress/scripts` Package
============================================
[`@wordpress/scripts`](https://developer.wordpress.org/block-editor/reference-guides/packages/packages-scripts/) is the abstraction of build and development tools which is used in plugins scaffolded by `@wordpress/create-block` in order to simplify JS transpilation, SCSS compilation, and linting code for errors, among other things. It includes `babel`, `webpack`, and `eslint`, to name a few.
The package is also useful as a development dependency in plugins and themes which do not offer blocks; the same configuration process below can be used to better adapt the build tools to your extension's needs and file structure.
The Default Build Configuration
-------------------------------
The most common mechanism to change any aspect of how your plugin's assets are built is to tweak or replace the [Webpack configuration](https://webpack.js.org/configuration/) provided by the `@wordpress/scripts` package, [as is briefly mentioned in the README](https://developer.wordpress.org/block-editor/reference-guides/packages/packages-scripts/#provide-your-own-webpack-config).
To get an idea of what the structure and settings of the default configuration object are we can refer to [the source of wp-script's `webpack.config.js` file](https://github.com/WordPress/gutenberg/blob/trunk/packages/scripts/config/webpack.config.js). The main settings that we are concerned with are the `entry` and `output` objects, which determine which files serve as entry points to your code and where their assets are compiled to, respectively:
```js
// ...
entry: {
index: path.resolve( process.cwd(), 'src', 'index.js' ),
},
output: {
filename: '[name].js',
path: path.resolve( process.cwd(), 'build' ),
jsonpFunction: getJsonpFunctionIdentifier(),
},
// ...
```
Above, we can see that wp-scripts specifies a single entry-point named `index` located at `./src/index.js`, and produces a JavaScript bundle for each entry-point at `./build/[name].js` (where here, `index` would be substituted in for `[name]` for our single entry-point).
A number of other assets are produced by the various configured plugins and loaders as well.
Overriding the Webpack Configuration
------------------------------------
Overriding the default `webpack.config.js` is simple - we just create a file of the same name in our project root, and wp-scripts will recognize and use it instead.
To modify the configuration, we can either import wp-scripts' Webpack configuration object, modify it, and export the modified object again - or export a new configuration object entirely to completely replace wp-scripts'.
>
> **NOTE:** It is a popular convention to use the CommonJS module pattern and a less recent ECMAScript syntax when writing a Webpack configuration file as this file is not usually transpiled into a more global standard. This allows developers using less recent Node.js engines to build your code as well.
>
>
>
---
Solutions
=========
#### File Structure
The majority of the following solutions assume a source structure containing two blocks (`foo` and `bar`) in a `./src/blocks` directory alongside a non-block JS asset (`./src/frontend/accordion.js`), unless otherwise stated. Specifically, I've configured them for a project structure of my own preference:
[](https://i.stack.imgur.com/wK55C.png)
#### Copying Assets from Source Directories
In my solutions below I use the [`CopyWebpackPlugin`](https://v4.webpack.js.org/plugins/copy-webpack-plugin/) in order to copy each block's `block.json` file to the output directory. This allows them to be used straight from the output directory using relative paths to assets which make sense in either context. As `@wordpress/scripts` is currently using Webpack 4 (though not for much longer), you will need version 6 of the plugin, for the time being:
```bash
npm install --save-dev copy-webpack-plugin@6
```
Alternatively, you can load your `block.json` files from `./src` and use large relative paths to point at the built assets (e.g. `"editorScript": "file:../../../build/blocks/foo/index.js"`), or perhaps collect them in your project root, named as `block-{block name}.json` or similar.
#### Loading Blocks from the New Structure
For the most part, you can simply pass the filepath to each block's `block.json` file to a `register_block_type_from_metadata()` call in your root project's main plugin file.
PHP relevant to specific blocks including block registration could also be left in the block's source directory, and either imported straight from there or copied over to the output directory.
Multiple Block Projects Solution
--------------------------------
The most simple solution results in a somewhat convoluted file structure and build process - to just use `@wordpress/create-block` to scaffold multiple block projects into your root project. After which, they can be registered by simply loading each block's plugin entry point or migrating all of the `register_block_type()`/`register_block_type_from_metadata()` calls into your project's main PHP entry point.
This arrangement directly lends well to monorepo practices such as those detailed in [the link](https://www.designbombs.com/reusing-functionality-for-wordpress-plugins-with-blocks/) in [@Luismi's answer](https://wordpress.stackexchange.com/a/390838) as well as [this LogRocket article](https://blog.logrocket.com/setting-up-first-gutenberg-project/).
Such an approach could also be combined with one of the solutions below in order to consolidate the individual block projects with a shared build process and output directory. This seems pretty compelling on paper, but I have not explored the possibility.
Multi-Config Solution (Most Reasonable ATM)
-------------------------------------------
[Webpack supports configuration files exporting an array of configuration objects](https://v4.webpack.js.org/configuration/configuration-types/#exporting-multiple-configurations), which allows you to provide an individual configuration to use for each block.
Unfortunately, since Node.js caches and re-uses module imports and since the default `@wordpress/scripts` configuration object contains various constructed objects and functions, using even a recursive copy of the object for each block has a potential for causing problems, as multiple Webpack compilations could end up re-using plugin instances which may have a dirty state from prior compilations.
I think that the best way to implement this may be to create a sort of "configuration factory function" which can be used to produce a new configuration object - basically copying and pasting the default configuration into a function.
As a sort of hacky alternative, deleting the default configuration from the Node.js module cache results in a brand new copy of the object each time it's `require()`'d. I'm not sure how good of a practice this is, however. I would trust the prior method to be more reliable and generally acceptable. Nonetheless, this does make things quite a bit easier:
```js
/**
* `@wordpress/scripts` multi-config multi-block Webpack configuration.
* @see https://wordpress.stackexchange.com/questions/390282
*/
// Native Depedencies.
const path = require( 'path' );
// Third-Party Dependencies.
const CopyPlugin = require( 'copy-webpack-plugin' );
const default_config_path = require.resolve( '@wordpress/scripts/config/webpack.config.js' );
/**
* Retrieves a new instance of `@wordpress/scripts`' default webpack configuration object.
* @returns WebpackOptions
*/
const getBaseConfig = () => {
// If the default config's already been imported, clear the module from the cache so that Node
// will interpret the module file again and provide a brand new object.
if( require.cache[ default_config_path ] )
delete require.cache[ default_config_path ];
// Import a new instance of the default configuration object.
return require( default_config_path );
};
/**
* @callback buildConfig~callback
* @param {WebpackOptions} config An instance of `@wordpress/scripts`' default configuration object.
* @returns WebpackOptions The modified or replaced configuration object.
*/
/**
* Returns the result of executing a callback function provided with a new default configuration
* instance.
*
* @param {buildConfig~callback} callback
* @returns WebpackOptions The modified or replaced configuration object.
*/
const buildConfig = ( callback ) => callback( getBaseConfig() );
/**
* Extends `@wordpress/scripts`'s default webpack config to build block sources from a common
* `./src/blocks` directory and output built assets to a common `./build/blocks` directory.
*
* @param {string} block_name
* @returns WebpackOptions A configuration object for this block.
*/
const buildBlockConfig = ( block_name ) => buildConfig(
config => (
{ // Copy all properties from the base config into the new config, then override some.
...config,
// Override the block's "index" entry point to be `./src/blocks/{block name}/index.js`.
entry: {
index: path.resolve( process.cwd(), 'src', 'blocks', block_name, 'index.js' ),
},
// This block's built assets should be output to `./build/blocks/{block name}/`.
output: {
...config.output,
path: path.resolve( config.output.path, 'blocks', block_name ),
},
// Add a CopyWebpackPlugin to copy over the `block.json` file.
plugins: [
...config.plugins,
new CopyPlugin(
{
patterns: [
{ from: `src/blocks/${block_name}/block.json` },
],
}
),
]
}
)
);
module.exports = [
buildBlockConfig( 'foo' ),
buildBlockConfig( 'bar' ),
// Setup a configuration to build `./src/frontend/accordion.js` to `./build/frontend/`
buildConfig(
config => (
{
...config,
entry: {
accordion: path.resolve( process.cwd(), 'src', 'frontend', 'accordion.js' ),
},
output: {
...config.output,
path: path.resolve( config.output.path, 'frontend' ),
},
}
)
)
];
```
Path-Based Entry Names Solution
-------------------------------
>
> This solution depends on [a change to `@wordpress/scripts`](https://github.com/WordPress/gutenberg/pull/32834) which will not be available until the next release, (package version > 16.1.3). To use it now, you would need to install the package from GitHub.
> wp-scripts' impending upgrade to Webpack 5 should also facilitate this approach.
>
>
>
The most convenient solution in my opinion is simply to use partial paths as entry-point names:
```js
/**
* `@wordpress/scripts` path-based name multi-block Webpack configuration.
* @see https://wordpress.stackexchange.com/questions/390282
*/
// Native Depedencies.
const path = require( 'path' );
// Third-Party Dependencies.
const CopyPlugin = require( 'copy-webpack-plugin' );
const config = require( '@wordpress/scripts/config/webpack.config.js' );
/**
* Resolve a series of path parts relative to `./src`.
* @param string[] path_parts An array of path parts.
* @returns string A normalized path, relative to `./src`.
**/
const resolveSource = ( ...path_parts ) => path.resolve( process.cwd(), 'src', ...path_parts );
/**
* Resolve a block name to the path to it's main `index.js` entry-point.
* @param string name The name of the block.
* @returns string A normalized path to the block's entry-point file.
**/
const resolveBlockEntry = ( name ) => resolveSource( 'blocks', name, 'index.js' );
config.entry = {
'blocks/foo/index': resolveBlockEntry( 'foo' ),
'blocks/bar/index': resolveBlockEntry( 'bar' ),
'frontend/accordion': resolveSource( 'frontend', 'accordion.js' ),
};
// Add a CopyPlugin to copy over block.json files.
config.plugins.push(
new CopyPlugin(
{
patterns: [
{
context: 'src',
from: `blocks/*/block.json`
},
],
}
)
);
module.exports = config;
```
This is something of a convenience in that it's simple, succinct, and maintainable... with a caveat.
Due to the way that `@wordpress/scripts` handles CSS/SCSS files name "style" and "style.module" in order to work around a Webpack 4 limitation, we need to modify how these files are named in order to make sure that the "style" assets end up in the same directory as the rest of the built assets. It's ugly, and **I haven't thoroughly tested possible edge cases** (in particular it might do some weird stuff if a "style" file produces multiple chunks) - but with any luck it won't be necessary in Webpack 5:
```js
config.optimization.splitChunks.cacheGroups.style.name = ( module, chunks, group_key ) => {
const delimeter = config.optimization.splitChunks.cacheGroups.style.automaticNameDelimiter;
return chunks[0].name.replace(
/(\/?)([^/]+?)$/,
`$1${group_key}${delimeter}$2`
);
};
```
Flat Output Solution
--------------------
A very minimal configuration can facilitate compiling assets to a super ugly flat-file output structure:
```js
/**
* `@wordpress/scripts` flat output multi-block Webpack configuration.
* @see https://wordpress.stackexchange.com/questions/390282
*/
// Native Depedencies.
const path = require( 'path' );
// Third-Party Dependencies.
const CopyPlugin = require( 'copy-webpack-plugin' );
const config = require( '@wordpress/scripts/config/webpack.config.js' );
config.entry = {
'foo-block': path.resolve( process.cwd(), 'src', 'blocks', 'foo', 'index.js' ),
'bar-block': path.resolve( process.cwd(), 'src', 'blocks', 'bar', 'index.js' ),
'accordion': path.resolve( process.cwd(), 'src', 'frontend', 'accordion.js' ),
};
config.plugins.push(
new CopyPlugin(
{
patterns: [
{
context: 'src/blocks',
from: '*/block.json',
to: ( { absoluteFilename } ) => `block-${absoluteFilename.match( /[\\/]([^\\/]+)[\\/]block.json/ )[1]}.json`,
},
],
}
)
);
module.exports = config;
```
[](https://i.stack.imgur.com/K5gbF.png)
>
> On paper one could set a function in `config.output.filename` in order to have this simple configuration produce a nested output structure again (replacing `-` in the entry-point name with `/`, or similar), but this too is not currently possible as a result of the `FixWebpackStylePlugin`'s implementation.
>
>
> |
390,290 | <p>I want to create a custom cookie with custom name only for customers who have once logged in. It should be created after they successfully logged in. It should be deleted after they logged out completely. I am using this code below. For some reason it is not working. Can someone throw some light?</p>
<pre><code> // To Add Cookie
add_action('wp_login', 'add_custom_cookie');
function add_custom_cookie() {
if(is_user_logged_in()) {
setcookie('cookie_name', 'cookie value');
}
}
// To Remove Cookie
add_action('wp_logout', 'remove_custom_cookie');
function remove_custom_cookie() {
setcookie('cookie_name', 'cookie value');
}
</code></pre>
<p>Edit: Using the above code, Cookie is not created at all. BTW, I can manually create cookies just using setcookie(), they work. But, in the code it won't.</p>
| [
{
"answer_id": 390722,
"author": "bosco",
"author_id": 25324,
"author_profile": "https://wordpress.stackexchange.com/users/25324",
"pm_score": 3,
"selected": false,
"text": "<p>It is! I've toyed with this off and on for the last year or so, and have come up with a few different ways to accomplish it. These are just the products of my own fiddling, however - there may well be more compelling solutions out there. Given the direction of <code>@wordpress/scripts</code> development, I would expect this use-case to become easier down the road.</p>\n<blockquote>\n<p><strong>NOTE:</strong> If you intend to submit your blocks for inclusion in the public <a href=\"https://wordpress.org/plugins/browse/block/\" rel=\"noreferrer\">Block Directory</a>, (<a href=\"https://wordpress.org/support/article/block-directory/\" rel=\"noreferrer\">introduction</a>) <a href=\"https://github.com/WordPress/wporg-plugin-guidelines/blob/trunk/blocks.md\" rel=\"noreferrer\">current guidelines</a> specify that the plugin should provide only a single top-level block. Any additional blocks should be child blocks and specify their relationship with the top-level block via the <code>parent</code> field in their respective <code>block.json</code> files.</p>\n</blockquote>\n<hr />\n<h1>Background: The <code>@wordpress/scripts</code> Package</h1>\n<p><a href=\"https://developer.wordpress.org/block-editor/reference-guides/packages/packages-scripts/\" rel=\"noreferrer\"><code>@wordpress/scripts</code></a> is the abstraction of build and development tools which is used in plugins scaffolded by <code>@wordpress/create-block</code> in order to simplify JS transpilation, SCSS compilation, and linting code for errors, among other things. It includes <code>babel</code>, <code>webpack</code>, and <code>eslint</code>, to name a few.</p>\n<p>The package is also useful as a development dependency in plugins and themes which do not offer blocks; the same configuration process below can be used to better adapt the build tools to your extension's needs and file structure.</p>\n<h2>The Default Build Configuration</h2>\n<p>The most common mechanism to change any aspect of how your plugin's assets are built is to tweak or replace the <a href=\"https://webpack.js.org/configuration/\" rel=\"noreferrer\">Webpack configuration</a> provided by the <code>@wordpress/scripts</code> package, <a href=\"https://developer.wordpress.org/block-editor/reference-guides/packages/packages-scripts/#provide-your-own-webpack-config\" rel=\"noreferrer\">as is briefly mentioned in the README</a>.</p>\n<p>To get an idea of what the structure and settings of the default configuration object are we can refer to <a href=\"https://github.com/WordPress/gutenberg/blob/trunk/packages/scripts/config/webpack.config.js\" rel=\"noreferrer\">the source of wp-script's <code>webpack.config.js</code> file</a>. The main settings that we are concerned with are the <code>entry</code> and <code>output</code> objects, which determine which files serve as entry points to your code and where their assets are compiled to, respectively:</p>\n<pre class=\"lang-js prettyprint-override\"><code>// ...\n entry: {\n index: path.resolve( process.cwd(), 'src', 'index.js' ),\n },\n output: {\n filename: '[name].js',\n path: path.resolve( process.cwd(), 'build' ),\n jsonpFunction: getJsonpFunctionIdentifier(),\n },\n// ...\n\n</code></pre>\n<p>Above, we can see that wp-scripts specifies a single entry-point named <code>index</code> located at <code>./src/index.js</code>, and produces a JavaScript bundle for each entry-point at <code>./build/[name].js</code> (where here, <code>index</code> would be substituted in for <code>[name]</code> for our single entry-point).</p>\n<p>A number of other assets are produced by the various configured plugins and loaders as well.</p>\n<h2>Overriding the Webpack Configuration</h2>\n<p>Overriding the default <code>webpack.config.js</code> is simple - we just create a file of the same name in our project root, and wp-scripts will recognize and use it instead.</p>\n<p>To modify the configuration, we can either import wp-scripts' Webpack configuration object, modify it, and export the modified object again - or export a new configuration object entirely to completely replace wp-scripts'.</p>\n<blockquote>\n<p><strong>NOTE:</strong> It is a popular convention to use the CommonJS module pattern and a less recent ECMAScript syntax when writing a Webpack configuration file as this file is not usually transpiled into a more global standard. This allows developers using less recent Node.js engines to build your code as well.</p>\n</blockquote>\n<hr />\n<h1>Solutions</h1>\n<h4>File Structure</h4>\n<p>The majority of the following solutions assume a source structure containing two blocks (<code>foo</code> and <code>bar</code>) in a <code>./src/blocks</code> directory alongside a non-block JS asset (<code>./src/frontend/accordion.js</code>), unless otherwise stated. Specifically, I've configured them for a project structure of my own preference:</p>\n<p><a href=\"https://i.stack.imgur.com/wK55C.png\" rel=\"noreferrer\"><img src=\"https://i.stack.imgur.com/wK55C.png\" alt=\"@bosco's multiblock project structure\" /></a></p>\n<h4>Copying Assets from Source Directories</h4>\n<p>In my solutions below I use the <a href=\"https://v4.webpack.js.org/plugins/copy-webpack-plugin/\" rel=\"noreferrer\"><code>CopyWebpackPlugin</code></a> in order to copy each block's <code>block.json</code> file to the output directory. This allows them to be used straight from the output directory using relative paths to assets which make sense in either context. As <code>@wordpress/scripts</code> is currently using Webpack 4 (though not for much longer), you will need version 6 of the plugin, for the time being:</p>\n<pre class=\"lang-bash prettyprint-override\"><code>npm install --save-dev copy-webpack-plugin@6\n</code></pre>\n<p>Alternatively, you can load your <code>block.json</code> files from <code>./src</code> and use large relative paths to point at the built assets (e.g. <code>"editorScript": "file:../../../build/blocks/foo/index.js"</code>), or perhaps collect them in your project root, named as <code>block-{block name}.json</code> or similar.</p>\n<h4>Loading Blocks from the New Structure</h4>\n<p>For the most part, you can simply pass the filepath to each block's <code>block.json</code> file to a <code>register_block_type_from_metadata()</code> call in your root project's main plugin file.</p>\n<p>PHP relevant to specific blocks including block registration could also be left in the block's source directory, and either imported straight from there or copied over to the output directory.</p>\n<h2>Multiple Block Projects Solution</h2>\n<p>The most simple solution results in a somewhat convoluted file structure and build process - to just use <code>@wordpress/create-block</code> to scaffold multiple block projects into your root project. After which, they can be registered by simply loading each block's plugin entry point or migrating all of the <code>register_block_type()</code>/<code>register_block_type_from_metadata()</code> calls into your project's main PHP entry point.</p>\n<p>This arrangement directly lends well to monorepo practices such as those detailed in <a href=\"https://www.designbombs.com/reusing-functionality-for-wordpress-plugins-with-blocks/\" rel=\"noreferrer\">the link</a> in <a href=\"https://wordpress.stackexchange.com/a/390838\">@Luismi's answer</a> as well as <a href=\"https://blog.logrocket.com/setting-up-first-gutenberg-project/\" rel=\"noreferrer\">this LogRocket article</a>.</p>\n<p>Such an approach could also be combined with one of the solutions below in order to consolidate the individual block projects with a shared build process and output directory. This seems pretty compelling on paper, but I have not explored the possibility.</p>\n<h2>Multi-Config Solution (Most Reasonable ATM)</h2>\n<p><a href=\"https://v4.webpack.js.org/configuration/configuration-types/#exporting-multiple-configurations\" rel=\"noreferrer\">Webpack supports configuration files exporting an array of configuration objects</a>, which allows you to provide an individual configuration to use for each block.</p>\n<p>Unfortunately, since Node.js caches and re-uses module imports and since the default <code>@wordpress/scripts</code> configuration object contains various constructed objects and functions, using even a recursive copy of the object for each block has a potential for causing problems, as multiple Webpack compilations could end up re-using plugin instances which may have a dirty state from prior compilations.</p>\n<p>I think that the best way to implement this may be to create a sort of "configuration factory function" which can be used to produce a new configuration object - basically copying and pasting the default configuration into a function.</p>\n<p>As a sort of hacky alternative, deleting the default configuration from the Node.js module cache results in a brand new copy of the object each time it's <code>require()</code>'d. I'm not sure how good of a practice this is, however. I would trust the prior method to be more reliable and generally acceptable. Nonetheless, this does make things quite a bit easier:</p>\n<pre class=\"lang-js prettyprint-override\"><code>/**\n * `@wordpress/scripts` multi-config multi-block Webpack configuration.\n * @see https://wordpress.stackexchange.com/questions/390282\n */\n\n// Native Depedencies.\nconst path = require( 'path' );\n\n// Third-Party Dependencies.\nconst CopyPlugin = require( 'copy-webpack-plugin' );\n\nconst default_config_path = require.resolve( '@wordpress/scripts/config/webpack.config.js' );\n\n/**\n * Retrieves a new instance of `@wordpress/scripts`' default webpack configuration object.\n * @returns WebpackOptions\n */\nconst getBaseConfig = () => {\n // If the default config's already been imported, clear the module from the cache so that Node\n // will interpret the module file again and provide a brand new object.\n if( require.cache[ default_config_path ] )\n delete require.cache[ default_config_path ];\n\n // Import a new instance of the default configuration object.\n return require( default_config_path );\n};\n\n/**\n * @callback buildConfig~callback\n * @param {WebpackOptions} config An instance of `@wordpress/scripts`' default configuration object.\n * @returns WebpackOptions The modified or replaced configuration object.\n */\n\n/**\n * Returns the result of executing a callback function provided with a new default configuration\n * instance.\n *\n * @param {buildConfig~callback} callback\n * @returns WebpackOptions The modified or replaced configuration object.\n */\nconst buildConfig = ( callback ) => callback( getBaseConfig() );\n\n/**\n * Extends `@wordpress/scripts`'s default webpack config to build block sources from a common\n * `./src/blocks` directory and output built assets to a common `./build/blocks` directory.\n * \n * @param {string} block_name \n * @returns WebpackOptions A configuration object for this block.\n */\nconst buildBlockConfig = ( block_name ) => buildConfig(\n config => (\n { // Copy all properties from the base config into the new config, then override some.\n ...config,\n // Override the block's "index" entry point to be `./src/blocks/{block name}/index.js`.\n entry: {\n index: path.resolve( process.cwd(), 'src', 'blocks', block_name, 'index.js' ),\n },\n // This block's built assets should be output to `./build/blocks/{block name}/`.\n output: {\n ...config.output,\n path: path.resolve( config.output.path, 'blocks', block_name ),\n },\n // Add a CopyWebpackPlugin to copy over the `block.json` file.\n plugins: [\n ...config.plugins,\n new CopyPlugin(\n {\n patterns: [\n { from: `src/blocks/${block_name}/block.json` },\n ],\n }\n ),\n ]\n }\n )\n);\n\nmodule.exports = [\n buildBlockConfig( 'foo' ),\n buildBlockConfig( 'bar' ),\n // Setup a configuration to build `./src/frontend/accordion.js` to `./build/frontend/`\n buildConfig(\n config => (\n {\n ...config,\n entry: {\n accordion: path.resolve( process.cwd(), 'src', 'frontend', 'accordion.js' ),\n },\n output: {\n ...config.output,\n path: path.resolve( config.output.path, 'frontend' ),\n },\n }\n )\n )\n];\n</code></pre>\n<h2>Path-Based Entry Names Solution</h2>\n<blockquote>\n<p>This solution depends on <a href=\"https://github.com/WordPress/gutenberg/pull/32834\" rel=\"noreferrer\">a change to <code>@wordpress/scripts</code></a> which will not be available until the next release, (package version > 16.1.3). To use it now, you would need to install the package from GitHub.\nwp-scripts' impending upgrade to Webpack 5 should also facilitate this approach.</p>\n</blockquote>\n<p>The most convenient solution in my opinion is simply to use partial paths as entry-point names:</p>\n<pre class=\"lang-js prettyprint-override\"><code>/**\n * `@wordpress/scripts` path-based name multi-block Webpack configuration.\n * @see https://wordpress.stackexchange.com/questions/390282\n */\n\n// Native Depedencies.\nconst path = require( 'path' );\n\n// Third-Party Dependencies.\nconst CopyPlugin = require( 'copy-webpack-plugin' );\nconst config = require( '@wordpress/scripts/config/webpack.config.js' );\n\n/**\n * Resolve a series of path parts relative to `./src`.\n * @param string[] path_parts An array of path parts.\n * @returns string A normalized path, relative to `./src`.\n **/\nconst resolveSource = ( ...path_parts ) => path.resolve( process.cwd(), 'src', ...path_parts );\n\n/**\n * Resolve a block name to the path to it's main `index.js` entry-point.\n * @param string name The name of the block.\n * @returns string A normalized path to the block's entry-point file.\n **/\nconst resolveBlockEntry = ( name ) => resolveSource( 'blocks', name, 'index.js' );\n\nconfig.entry = {\n 'blocks/foo/index': resolveBlockEntry( 'foo' ),\n 'blocks/bar/index': resolveBlockEntry( 'bar' ),\n 'frontend/accordion': resolveSource( 'frontend', 'accordion.js' ),\n};\n\n// Add a CopyPlugin to copy over block.json files.\nconfig.plugins.push(\n new CopyPlugin(\n {\n patterns: [\n {\n context: 'src',\n from: `blocks/*/block.json`\n },\n ],\n }\n )\n);\n\nmodule.exports = config;\n</code></pre>\n<p>This is something of a convenience in that it's simple, succinct, and maintainable... with a caveat.</p>\n<p>Due to the way that <code>@wordpress/scripts</code> handles CSS/SCSS files name "style" and "style.module" in order to work around a Webpack 4 limitation, we need to modify how these files are named in order to make sure that the "style" assets end up in the same directory as the rest of the built assets. It's ugly, and <strong>I haven't thoroughly tested possible edge cases</strong> (in particular it might do some weird stuff if a "style" file produces multiple chunks) - but with any luck it won't be necessary in Webpack 5:</p>\n<pre class=\"lang-js prettyprint-override\"><code>config.optimization.splitChunks.cacheGroups.style.name = ( module, chunks, group_key ) => {\n const delimeter = config.optimization.splitChunks.cacheGroups.style.automaticNameDelimiter;\n\n return chunks[0].name.replace(\n /(\\/?)([^/]+?)$/,\n `$1${group_key}${delimeter}$2`\n );\n};\n</code></pre>\n<h2>Flat Output Solution</h2>\n<p>A very minimal configuration can facilitate compiling assets to a super ugly flat-file output structure:</p>\n<pre class=\"lang-js prettyprint-override\"><code>/**\n * `@wordpress/scripts` flat output multi-block Webpack configuration.\n * @see https://wordpress.stackexchange.com/questions/390282\n */\n\n// Native Depedencies.\nconst path = require( 'path' );\n\n// Third-Party Dependencies.\nconst CopyPlugin = require( 'copy-webpack-plugin' );\nconst config = require( '@wordpress/scripts/config/webpack.config.js' );\n\nconfig.entry = {\n 'foo-block': path.resolve( process.cwd(), 'src', 'blocks', 'foo', 'index.js' ),\n 'bar-block': path.resolve( process.cwd(), 'src', 'blocks', 'bar', 'index.js' ),\n 'accordion': path.resolve( process.cwd(), 'src', 'frontend', 'accordion.js' ),\n};\n\nconfig.plugins.push(\n new CopyPlugin(\n {\n patterns: [\n {\n context: 'src/blocks',\n from: '*/block.json',\n to: ( { absoluteFilename } ) => `block-${absoluteFilename.match( /[\\\\/]([^\\\\/]+)[\\\\/]block.json/ )[1]}.json`,\n },\n ],\n }\n )\n);\n\nmodule.exports = config;\n</code></pre>\n<p><a href=\"https://i.stack.imgur.com/K5gbF.png\" rel=\"noreferrer\"><img src=\"https://i.stack.imgur.com/K5gbF.png\" alt=\"flat output\" /></a></p>\n<blockquote>\n<p>On paper one could set a function in <code>config.output.filename</code> in order to have this simple configuration produce a nested output structure again (replacing <code>-</code> in the entry-point name with <code>/</code>, or similar), but this too is not currently possible as a result of the <code>FixWebpackStylePlugin</code>'s implementation.</p>\n</blockquote>\n"
},
{
"answer_id": 390838,
"author": "Luismi",
"author_id": 105989,
"author_profile": "https://wordpress.stackexchange.com/users/105989",
"pm_score": 1,
"selected": false,
"text": "<p>Found this article about this topic: <a href=\"https://www.designbombs.com/reusing-functionality-for-wordpress-plugins-with-blocks/\" rel=\"nofollow noreferrer\">https://www.designbombs.com/reusing-functionality-for-wordpress-plugins-with-blocks/</a></p>\n<blockquote>\n<p>Currently, @wordpress/create-block can only tackle creating single-block plugins, not multi-block plugins (hopefully, in the not so distant future, it will be possible to generate any type of output through templates). However, with a bit of extra effort, we can already leverage @wordpress/create-block to create multi-block plugins too.</p>\n</blockquote>\n<p>Hope this helps.</p>\n"
},
{
"answer_id": 391129,
"author": "Mien Sao",
"author_id": 205002,
"author_profile": "https://wordpress.stackexchange.com/users/205002",
"pm_score": 0,
"selected": false,
"text": "<p>I also found this article what helped me to create multiple Gutenberg Blocks</p>\n<p><a href=\"https://wordpress.stackexchange.com/questions/346562/file-structure-and-react-setup-when-creating-multiple-gutenberg-blocks\">File structure and react setup when creating multiple Gutenberg blocks</a></p>\n<p>In the Index.js, you are importing all your blocks and registering them</p>\n<pre><code>const registerblocks = (block) =>{\n\n const { name, settings} = block\n registerBlockType(name, settings)\n\n}\n</code></pre>\n<p>And then you make a folder like /blocks/abcblock</p>\n<p>and export the name and settings. Since your're registering them in the index.js file. Just like in the article</p>\n"
},
{
"answer_id": 408022,
"author": "user3631047",
"author_id": 24688,
"author_profile": "https://wordpress.stackexchange.com/users/24688",
"pm_score": 2,
"selected": false,
"text": "<p>I am using <code>@wordpress/scripts v23.5.0</code> and it's already a built in feature. Please watch <a href=\"https://www.youtube.com/watch?v=O_4loYiEcbg\" rel=\"nofollow noreferrer\">this video.</a></p>\n"
}
] | 2021/06/09 | [
"https://wordpress.stackexchange.com/questions/390290",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/207516/"
] | I want to create a custom cookie with custom name only for customers who have once logged in. It should be created after they successfully logged in. It should be deleted after they logged out completely. I am using this code below. For some reason it is not working. Can someone throw some light?
```
// To Add Cookie
add_action('wp_login', 'add_custom_cookie');
function add_custom_cookie() {
if(is_user_logged_in()) {
setcookie('cookie_name', 'cookie value');
}
}
// To Remove Cookie
add_action('wp_logout', 'remove_custom_cookie');
function remove_custom_cookie() {
setcookie('cookie_name', 'cookie value');
}
```
Edit: Using the above code, Cookie is not created at all. BTW, I can manually create cookies just using setcookie(), they work. But, in the code it won't. | It is! I've toyed with this off and on for the last year or so, and have come up with a few different ways to accomplish it. These are just the products of my own fiddling, however - there may well be more compelling solutions out there. Given the direction of `@wordpress/scripts` development, I would expect this use-case to become easier down the road.
>
> **NOTE:** If you intend to submit your blocks for inclusion in the public [Block Directory](https://wordpress.org/plugins/browse/block/), ([introduction](https://wordpress.org/support/article/block-directory/)) [current guidelines](https://github.com/WordPress/wporg-plugin-guidelines/blob/trunk/blocks.md) specify that the plugin should provide only a single top-level block. Any additional blocks should be child blocks and specify their relationship with the top-level block via the `parent` field in their respective `block.json` files.
>
>
>
---
Background: The `@wordpress/scripts` Package
============================================
[`@wordpress/scripts`](https://developer.wordpress.org/block-editor/reference-guides/packages/packages-scripts/) is the abstraction of build and development tools which is used in plugins scaffolded by `@wordpress/create-block` in order to simplify JS transpilation, SCSS compilation, and linting code for errors, among other things. It includes `babel`, `webpack`, and `eslint`, to name a few.
The package is also useful as a development dependency in plugins and themes which do not offer blocks; the same configuration process below can be used to better adapt the build tools to your extension's needs and file structure.
The Default Build Configuration
-------------------------------
The most common mechanism to change any aspect of how your plugin's assets are built is to tweak or replace the [Webpack configuration](https://webpack.js.org/configuration/) provided by the `@wordpress/scripts` package, [as is briefly mentioned in the README](https://developer.wordpress.org/block-editor/reference-guides/packages/packages-scripts/#provide-your-own-webpack-config).
To get an idea of what the structure and settings of the default configuration object are we can refer to [the source of wp-script's `webpack.config.js` file](https://github.com/WordPress/gutenberg/blob/trunk/packages/scripts/config/webpack.config.js). The main settings that we are concerned with are the `entry` and `output` objects, which determine which files serve as entry points to your code and where their assets are compiled to, respectively:
```js
// ...
entry: {
index: path.resolve( process.cwd(), 'src', 'index.js' ),
},
output: {
filename: '[name].js',
path: path.resolve( process.cwd(), 'build' ),
jsonpFunction: getJsonpFunctionIdentifier(),
},
// ...
```
Above, we can see that wp-scripts specifies a single entry-point named `index` located at `./src/index.js`, and produces a JavaScript bundle for each entry-point at `./build/[name].js` (where here, `index` would be substituted in for `[name]` for our single entry-point).
A number of other assets are produced by the various configured plugins and loaders as well.
Overriding the Webpack Configuration
------------------------------------
Overriding the default `webpack.config.js` is simple - we just create a file of the same name in our project root, and wp-scripts will recognize and use it instead.
To modify the configuration, we can either import wp-scripts' Webpack configuration object, modify it, and export the modified object again - or export a new configuration object entirely to completely replace wp-scripts'.
>
> **NOTE:** It is a popular convention to use the CommonJS module pattern and a less recent ECMAScript syntax when writing a Webpack configuration file as this file is not usually transpiled into a more global standard. This allows developers using less recent Node.js engines to build your code as well.
>
>
>
---
Solutions
=========
#### File Structure
The majority of the following solutions assume a source structure containing two blocks (`foo` and `bar`) in a `./src/blocks` directory alongside a non-block JS asset (`./src/frontend/accordion.js`), unless otherwise stated. Specifically, I've configured them for a project structure of my own preference:
[](https://i.stack.imgur.com/wK55C.png)
#### Copying Assets from Source Directories
In my solutions below I use the [`CopyWebpackPlugin`](https://v4.webpack.js.org/plugins/copy-webpack-plugin/) in order to copy each block's `block.json` file to the output directory. This allows them to be used straight from the output directory using relative paths to assets which make sense in either context. As `@wordpress/scripts` is currently using Webpack 4 (though not for much longer), you will need version 6 of the plugin, for the time being:
```bash
npm install --save-dev copy-webpack-plugin@6
```
Alternatively, you can load your `block.json` files from `./src` and use large relative paths to point at the built assets (e.g. `"editorScript": "file:../../../build/blocks/foo/index.js"`), or perhaps collect them in your project root, named as `block-{block name}.json` or similar.
#### Loading Blocks from the New Structure
For the most part, you can simply pass the filepath to each block's `block.json` file to a `register_block_type_from_metadata()` call in your root project's main plugin file.
PHP relevant to specific blocks including block registration could also be left in the block's source directory, and either imported straight from there or copied over to the output directory.
Multiple Block Projects Solution
--------------------------------
The most simple solution results in a somewhat convoluted file structure and build process - to just use `@wordpress/create-block` to scaffold multiple block projects into your root project. After which, they can be registered by simply loading each block's plugin entry point or migrating all of the `register_block_type()`/`register_block_type_from_metadata()` calls into your project's main PHP entry point.
This arrangement directly lends well to monorepo practices such as those detailed in [the link](https://www.designbombs.com/reusing-functionality-for-wordpress-plugins-with-blocks/) in [@Luismi's answer](https://wordpress.stackexchange.com/a/390838) as well as [this LogRocket article](https://blog.logrocket.com/setting-up-first-gutenberg-project/).
Such an approach could also be combined with one of the solutions below in order to consolidate the individual block projects with a shared build process and output directory. This seems pretty compelling on paper, but I have not explored the possibility.
Multi-Config Solution (Most Reasonable ATM)
-------------------------------------------
[Webpack supports configuration files exporting an array of configuration objects](https://v4.webpack.js.org/configuration/configuration-types/#exporting-multiple-configurations), which allows you to provide an individual configuration to use for each block.
Unfortunately, since Node.js caches and re-uses module imports and since the default `@wordpress/scripts` configuration object contains various constructed objects and functions, using even a recursive copy of the object for each block has a potential for causing problems, as multiple Webpack compilations could end up re-using plugin instances which may have a dirty state from prior compilations.
I think that the best way to implement this may be to create a sort of "configuration factory function" which can be used to produce a new configuration object - basically copying and pasting the default configuration into a function.
As a sort of hacky alternative, deleting the default configuration from the Node.js module cache results in a brand new copy of the object each time it's `require()`'d. I'm not sure how good of a practice this is, however. I would trust the prior method to be more reliable and generally acceptable. Nonetheless, this does make things quite a bit easier:
```js
/**
* `@wordpress/scripts` multi-config multi-block Webpack configuration.
* @see https://wordpress.stackexchange.com/questions/390282
*/
// Native Depedencies.
const path = require( 'path' );
// Third-Party Dependencies.
const CopyPlugin = require( 'copy-webpack-plugin' );
const default_config_path = require.resolve( '@wordpress/scripts/config/webpack.config.js' );
/**
* Retrieves a new instance of `@wordpress/scripts`' default webpack configuration object.
* @returns WebpackOptions
*/
const getBaseConfig = () => {
// If the default config's already been imported, clear the module from the cache so that Node
// will interpret the module file again and provide a brand new object.
if( require.cache[ default_config_path ] )
delete require.cache[ default_config_path ];
// Import a new instance of the default configuration object.
return require( default_config_path );
};
/**
* @callback buildConfig~callback
* @param {WebpackOptions} config An instance of `@wordpress/scripts`' default configuration object.
* @returns WebpackOptions The modified or replaced configuration object.
*/
/**
* Returns the result of executing a callback function provided with a new default configuration
* instance.
*
* @param {buildConfig~callback} callback
* @returns WebpackOptions The modified or replaced configuration object.
*/
const buildConfig = ( callback ) => callback( getBaseConfig() );
/**
* Extends `@wordpress/scripts`'s default webpack config to build block sources from a common
* `./src/blocks` directory and output built assets to a common `./build/blocks` directory.
*
* @param {string} block_name
* @returns WebpackOptions A configuration object for this block.
*/
const buildBlockConfig = ( block_name ) => buildConfig(
config => (
{ // Copy all properties from the base config into the new config, then override some.
...config,
// Override the block's "index" entry point to be `./src/blocks/{block name}/index.js`.
entry: {
index: path.resolve( process.cwd(), 'src', 'blocks', block_name, 'index.js' ),
},
// This block's built assets should be output to `./build/blocks/{block name}/`.
output: {
...config.output,
path: path.resolve( config.output.path, 'blocks', block_name ),
},
// Add a CopyWebpackPlugin to copy over the `block.json` file.
plugins: [
...config.plugins,
new CopyPlugin(
{
patterns: [
{ from: `src/blocks/${block_name}/block.json` },
],
}
),
]
}
)
);
module.exports = [
buildBlockConfig( 'foo' ),
buildBlockConfig( 'bar' ),
// Setup a configuration to build `./src/frontend/accordion.js` to `./build/frontend/`
buildConfig(
config => (
{
...config,
entry: {
accordion: path.resolve( process.cwd(), 'src', 'frontend', 'accordion.js' ),
},
output: {
...config.output,
path: path.resolve( config.output.path, 'frontend' ),
},
}
)
)
];
```
Path-Based Entry Names Solution
-------------------------------
>
> This solution depends on [a change to `@wordpress/scripts`](https://github.com/WordPress/gutenberg/pull/32834) which will not be available until the next release, (package version > 16.1.3). To use it now, you would need to install the package from GitHub.
> wp-scripts' impending upgrade to Webpack 5 should also facilitate this approach.
>
>
>
The most convenient solution in my opinion is simply to use partial paths as entry-point names:
```js
/**
* `@wordpress/scripts` path-based name multi-block Webpack configuration.
* @see https://wordpress.stackexchange.com/questions/390282
*/
// Native Depedencies.
const path = require( 'path' );
// Third-Party Dependencies.
const CopyPlugin = require( 'copy-webpack-plugin' );
const config = require( '@wordpress/scripts/config/webpack.config.js' );
/**
* Resolve a series of path parts relative to `./src`.
* @param string[] path_parts An array of path parts.
* @returns string A normalized path, relative to `./src`.
**/
const resolveSource = ( ...path_parts ) => path.resolve( process.cwd(), 'src', ...path_parts );
/**
* Resolve a block name to the path to it's main `index.js` entry-point.
* @param string name The name of the block.
* @returns string A normalized path to the block's entry-point file.
**/
const resolveBlockEntry = ( name ) => resolveSource( 'blocks', name, 'index.js' );
config.entry = {
'blocks/foo/index': resolveBlockEntry( 'foo' ),
'blocks/bar/index': resolveBlockEntry( 'bar' ),
'frontend/accordion': resolveSource( 'frontend', 'accordion.js' ),
};
// Add a CopyPlugin to copy over block.json files.
config.plugins.push(
new CopyPlugin(
{
patterns: [
{
context: 'src',
from: `blocks/*/block.json`
},
],
}
)
);
module.exports = config;
```
This is something of a convenience in that it's simple, succinct, and maintainable... with a caveat.
Due to the way that `@wordpress/scripts` handles CSS/SCSS files name "style" and "style.module" in order to work around a Webpack 4 limitation, we need to modify how these files are named in order to make sure that the "style" assets end up in the same directory as the rest of the built assets. It's ugly, and **I haven't thoroughly tested possible edge cases** (in particular it might do some weird stuff if a "style" file produces multiple chunks) - but with any luck it won't be necessary in Webpack 5:
```js
config.optimization.splitChunks.cacheGroups.style.name = ( module, chunks, group_key ) => {
const delimeter = config.optimization.splitChunks.cacheGroups.style.automaticNameDelimiter;
return chunks[0].name.replace(
/(\/?)([^/]+?)$/,
`$1${group_key}${delimeter}$2`
);
};
```
Flat Output Solution
--------------------
A very minimal configuration can facilitate compiling assets to a super ugly flat-file output structure:
```js
/**
* `@wordpress/scripts` flat output multi-block Webpack configuration.
* @see https://wordpress.stackexchange.com/questions/390282
*/
// Native Depedencies.
const path = require( 'path' );
// Third-Party Dependencies.
const CopyPlugin = require( 'copy-webpack-plugin' );
const config = require( '@wordpress/scripts/config/webpack.config.js' );
config.entry = {
'foo-block': path.resolve( process.cwd(), 'src', 'blocks', 'foo', 'index.js' ),
'bar-block': path.resolve( process.cwd(), 'src', 'blocks', 'bar', 'index.js' ),
'accordion': path.resolve( process.cwd(), 'src', 'frontend', 'accordion.js' ),
};
config.plugins.push(
new CopyPlugin(
{
patterns: [
{
context: 'src/blocks',
from: '*/block.json',
to: ( { absoluteFilename } ) => `block-${absoluteFilename.match( /[\\/]([^\\/]+)[\\/]block.json/ )[1]}.json`,
},
],
}
)
);
module.exports = config;
```
[](https://i.stack.imgur.com/K5gbF.png)
>
> On paper one could set a function in `config.output.filename` in order to have this simple configuration produce a nested output structure again (replacing `-` in the entry-point name with `/`, or similar), but this too is not currently possible as a result of the `FixWebpackStylePlugin`'s implementation.
>
>
> |
390,322 | <p>How do you pass the aria_label parameter to get_search_form()?</p>
<p>I can't seem to pass the 'aria_label' parameter to get_search_form() in the correct way and can't find any examples. Lots with the first parameter 'echo' which works as in the documentation, but nothing I've tried for aria_label has made the search form add aria labels.</p>
| [
{
"answer_id": 390324,
"author": "anton",
"author_id": 97934,
"author_profile": "https://wordpress.stackexchange.com/users/97934",
"pm_score": 3,
"selected": true,
"text": "<p>You can pass an array of attributes with <code>aria_label</code> attribute in it. <br>\nTry this:</p>\n<pre><code>get_search_form(array('aria_label' => 'search-form'));\n</code></pre>\n<p>This function gets a form from <code>searchform.php</code> by default and if you have this file in your theme and aria-label still missing, you need to check the code in this file. Sometimes developers do not include an option to set an aria-label.</p>\n"
},
{
"answer_id": 398798,
"author": "Toby Dawes",
"author_id": 215463,
"author_profile": "https://wordpress.stackexchange.com/users/215463",
"pm_score": 1,
"selected": false,
"text": "<p>I ran into this similar issue, and was able to resolve in my <code>searchform.php</code> by adding this to my <code>form</code> tag:</p>\n<pre><code><form aria-label="<?php echo $args['aria_label']; ?>">...</form>\n</code></pre>\n<p>This produces the output of what was passed into the <code>aria_label</code> item in the arguments array.</p>\n"
},
{
"answer_id": 399027,
"author": "ten80snowboarder",
"author_id": 215465,
"author_profile": "https://wordpress.stackexchange.com/users/215465",
"pm_score": 1,
"selected": false,
"text": "<p>Since WordPress 5.5 we have been able to pass data into template files and use that data in the template from the <code>$args</code> array. This was a "long awaited addition" according to the article.</p>\n<p>You can read more about this here <a href=\"https://make.wordpress.org/core/2020/07/17/passing-arguments-to-template-files-in-wordpress-5-5/\" rel=\"nofollow noreferrer\">https://make.wordpress.org/core/2020/07/17/passing-arguments-to-template-files-in-wordpress-5-5/</a> and this goes along with the info @toby-dawes gave above.</p>\n<p>This is super powerful and I have been using this in my custom themes since it was added. Love it!</p>\n"
}
] | 2021/06/09 | [
"https://wordpress.stackexchange.com/questions/390322",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/173627/"
] | How do you pass the aria\_label parameter to get\_search\_form()?
I can't seem to pass the 'aria\_label' parameter to get\_search\_form() in the correct way and can't find any examples. Lots with the first parameter 'echo' which works as in the documentation, but nothing I've tried for aria\_label has made the search form add aria labels. | You can pass an array of attributes with `aria_label` attribute in it.
Try this:
```
get_search_form(array('aria_label' => 'search-form'));
```
This function gets a form from `searchform.php` by default and if you have this file in your theme and aria-label still missing, you need to check the code in this file. Sometimes developers do not include an option to set an aria-label. |
390,382 | <p>How can I add a custom rewrite rule so I can catch paths like these:</p>
<pre><code>/products/imports/filters
/products/imports/elements
/products/imports/parts
</code></pre>
<p>And point them to a template file, for examples:</p>
<pre><code>sector.php
</code></pre>
<p>My code:</p>
<pre><code>function sector_rewrite_rule() {
add_rewrite_rule(
'(.?.+?)/([^/]*)/([^/]*)/?$',
'index.php?pagename=$matches[1]/$matches[2]&sector=$matches[3]',
'top'
);
}
add_action('init', 'sector_rewrite_rule', 10, 0);
</code></pre>
<p>But I get 404 when I tried with the URLs above.</p>
<p>I have created a standard page called <code>imports</code> created under <code>products</code> already:</p>
<pre><code>products/
imports/
</code></pre>
<p>So I want to catch any word right after this page:</p>
<pre><code>/products/imports/
</code></pre>
| [
{
"answer_id": 390324,
"author": "anton",
"author_id": 97934,
"author_profile": "https://wordpress.stackexchange.com/users/97934",
"pm_score": 3,
"selected": true,
"text": "<p>You can pass an array of attributes with <code>aria_label</code> attribute in it. <br>\nTry this:</p>\n<pre><code>get_search_form(array('aria_label' => 'search-form'));\n</code></pre>\n<p>This function gets a form from <code>searchform.php</code> by default and if you have this file in your theme and aria-label still missing, you need to check the code in this file. Sometimes developers do not include an option to set an aria-label.</p>\n"
},
{
"answer_id": 398798,
"author": "Toby Dawes",
"author_id": 215463,
"author_profile": "https://wordpress.stackexchange.com/users/215463",
"pm_score": 1,
"selected": false,
"text": "<p>I ran into this similar issue, and was able to resolve in my <code>searchform.php</code> by adding this to my <code>form</code> tag:</p>\n<pre><code><form aria-label="<?php echo $args['aria_label']; ?>">...</form>\n</code></pre>\n<p>This produces the output of what was passed into the <code>aria_label</code> item in the arguments array.</p>\n"
},
{
"answer_id": 399027,
"author": "ten80snowboarder",
"author_id": 215465,
"author_profile": "https://wordpress.stackexchange.com/users/215465",
"pm_score": 1,
"selected": false,
"text": "<p>Since WordPress 5.5 we have been able to pass data into template files and use that data in the template from the <code>$args</code> array. This was a "long awaited addition" according to the article.</p>\n<p>You can read more about this here <a href=\"https://make.wordpress.org/core/2020/07/17/passing-arguments-to-template-files-in-wordpress-5-5/\" rel=\"nofollow noreferrer\">https://make.wordpress.org/core/2020/07/17/passing-arguments-to-template-files-in-wordpress-5-5/</a> and this goes along with the info @toby-dawes gave above.</p>\n<p>This is super powerful and I have been using this in my custom themes since it was added. Love it!</p>\n"
}
] | 2021/06/10 | [
"https://wordpress.stackexchange.com/questions/390382",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/89898/"
] | How can I add a custom rewrite rule so I can catch paths like these:
```
/products/imports/filters
/products/imports/elements
/products/imports/parts
```
And point them to a template file, for examples:
```
sector.php
```
My code:
```
function sector_rewrite_rule() {
add_rewrite_rule(
'(.?.+?)/([^/]*)/([^/]*)/?$',
'index.php?pagename=$matches[1]/$matches[2]§or=$matches[3]',
'top'
);
}
add_action('init', 'sector_rewrite_rule', 10, 0);
```
But I get 404 when I tried with the URLs above.
I have created a standard page called `imports` created under `products` already:
```
products/
imports/
```
So I want to catch any word right after this page:
```
/products/imports/
``` | You can pass an array of attributes with `aria_label` attribute in it.
Try this:
```
get_search_form(array('aria_label' => 'search-form'));
```
This function gets a form from `searchform.php` by default and if you have this file in your theme and aria-label still missing, you need to check the code in this file. Sometimes developers do not include an option to set an aria-label. |
390,452 | <p>I have a webpage on localhost that do not have wordpress environment, I had use woocommerce api to create the product, however woocommerce api doesnt seem to upload the image.
I want to create the product and upload the image.
this the code I am using and the woocommerce api default.</p>
<pre class="lang-php prettyprint-override"><code><?php
$data = [
'name' => 'Premium Quality',
'type' => 'simple',
'regular_price' => '21.99',
'description' => 'Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Vestibulum tortor quam, feugiat vitae, ultricies eget, tempor sit amet, ante. Donec eu libero sit amet quam egestas semper. Aenean ultricies mi vitae est. Mauris placerat eleifend leo.',
'short_description' => 'Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas.',
'categories' => [
[
'id' => 9
],
[
'id' => 14
]
],
'images' => [
[
'src' => 'http://demo.woothemes.com/woocommerce/wp-content/uploads/sites/56/2013/06/T_2_front.jpg'
],
[
'src' => 'http://demo.woothemes.com/woocommerce/wp-content/uploads/sites/56/2013/06/T_2_back.jpg'
]
]
];
print_r($woocommerce->post('products', $data));
?>
</code></pre>
| [
{
"answer_id": 390454,
"author": "Fabian Mossberg",
"author_id": 207387,
"author_profile": "https://wordpress.stackexchange.com/users/207387",
"pm_score": 3,
"selected": true,
"text": "<p>Just to make sure: You have a local environment, without WooCommerce, from which you want to create a product in your WooCommerce Wordpress site, and make sure that the images you provide are uploaded to your WordPress site.</p>\n<h1>1. Install library</h1>\n<p>Make sure that you in your local environment have installed the <a href=\"https://github.com/woocommerce/wc-api-php\" rel=\"nofollow noreferrer\">WooCommerce REST API PHP Library</a>.</p>\n<pre class=\"lang-sh prettyprint-override\"><code>composer require automattic/woocommerce\n</code></pre>\n<h1>2. Create your script</h1>\n<p>Create a file called <code>my_import_file.php</code></p>\n<pre class=\"lang-sh prettyprint-override\"><code>touch my_import_file.php\n</code></pre>\n<p>Edit that file with your favorite editor (or any editor).</p>\n<p>Using <strong>Vim</strong></p>\n<pre class=\"lang-sh prettyprint-override\"><code>vim my_import_file.php\n</code></pre>\n<p>Using <strong>Visual Studio Code</strong> (if you have the <a href=\"https://code.visualstudio.com/docs/setup/mac#_launching-from-the-command-line\" rel=\"nofollow noreferrer\">shell command installed</a>)</p>\n<pre class=\"lang-sh prettyprint-override\"><code>code my_import_file.php\n</code></pre>\n<p>You need to:</p>\n<ul>\n<li><a href=\"https://docs.woocommerce.com/document/woocommerce-rest-api/\" rel=\"nofollow noreferrer\">Generate keys to the REST API</a> of your WooCommerce installation.</li>\n<li><a href=\"https://make.wordpress.org/core/2020/11/05/application-passwords-integration-guide/\" rel=\"nofollow noreferrer\">Generate an application password</a> for this import script.</li>\n</ul>\n<p>Your file should look similar to this:</p>\n<pre class=\"lang-php prettyprint-override\"><code><?php\n/**\n * Settings\n */\n// Your Wordpress site URL\nDEFINE('WORDPRESS_BASE_URL', 'https://enter-your-wordpress-url-here');\n\n// Your WordPress username\nDEFINE('WORDPRESS_LOGIN', 'enter-your-wordpress-username-here');\n\n// Create a new Application Password in dashboard /wp-admin/profile.php\nDEFINE('WORDPRESS_APPLICATION_PASSWORD', 'enter-your-application-password-here');\n\n// Create a new REST API key from your wordpress installation\n// https://docs.woocommerce.com/document/woocommerce-rest-api/\nDEFINE('WOOCOMMERCE_CONSUMER_KEY', 'enter-your-woocomemrce-consumer-key-here');\nDEFINE('WOOCOMMERCE_CONSUMER_SECRET', 'enter-your-woocomemrce-consumer-secret-here');\n\n// Load composers autoload\nrequire __DIR__ . '/vendor/autoload.php';\n\n// Use the WooComerce client\nuse Automattic\\WooCommerce\\Client;\n\n// Initiate the WooCommerce client\n$woocommerce = new Client(\n WORDPRESS_BASE_URL,\n WOOCOMMERCE_CONSUMER_KEY,\n WOOCOMMERCE_CONSUMER_SECRET,\n [\n 'version' => 'wc/v3',\n ]\n);\n\n\n// An array of all the images you want to upload. They can be local files or URL's.\n// Any non existing images will be filtered out.\n$images = array(\n "/Users/admin/Documents/nice-image-of-me.jpg",\n "http://demo.woothemes.com/woocommerce/wp-content/uploads/sites/56/2013/06/T_2_back.jpg",\n "string that is invalid"\n);\n\n\n// Define the product you want to create\n$data = [\n 'name' => 'Premium Quality',\n 'type' => 'simple',\n 'regular_price' => '21.99',\n 'description' => 'Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Vestibulum tortor quam, feugiat vitae, ultricies eget, tempor sit amet, ante. Donec eu libero sit amet quam egestas semper. Aenean ultricies mi vitae est. Mauris placerat eleifend leo.',\n 'short_description' => 'Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas.',\n 'categories' => [\n [\n 'id' => 9\n ],\n [\n 'id' => 14\n ]\n ],\n 'images' => prepare_array_of_images_for_wordpress($images)\n\n];\n\n// Create the product\n$result = $woocommerce->post('products', $data);\n\n// Print the result\nprint_r($result);\n\n\n\n\n/**\n * Takes an array of images, strings or URL's and prepares for import.\n */\nfunction prepare_array_of_images_for_wordpress(array $array_of_images){\n // Create empty array\n $images_to_upload = array();\n\n // Loop through the input, and process each entry\n foreach($array_of_images as $image){\n $images_to_upload[] = file_or_url_to_wordpress_image($image);\n }\n\n // Remove any unsucessful images from the array.\n return array_filter($images_to_upload);\n}\n\n\n\n/**\n * Takes a file or a url and uploads it to WordPress\n * Returns the image ID from the WordPress media gallery.\n */\nfunction file_or_url_to_wordpress_image($image_path){\n\n // If the input is a URl, we can process it\n if (filter_var($image_path, FILTER_VALIDATE_URL)) {\n return ['src'=>$image_path];\n }\n\n // Make sure the image exist\n if (!file_exists($image_path)){return;}\n\n // Load the image\n $file = file_get_contents( $image_path );\n\n // Get the filename\n $filename = basename($image_path);\n\n // Initiate curl.\n $ch = curl_init();\n curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true);\n curl_setopt( $ch, CURLOPT_URL, WORDPRESS_BASE_URL .'/wp-json/wp/v2/media/' );\n curl_setopt( $ch, CURLOPT_POST, 1 );\n curl_setopt( $ch, CURLOPT_POSTFIELDS, $file );\n curl_setopt( $ch, CURLOPT_HTTPHEADER, [\n "Content-Disposition: form-data; filename=\\"$filename\\"",\n 'Authorization: Basic ' . base64_encode( WORDPRESS_LOGIN. ':' . WORDPRESS_APPLICATION_PASSWORD ),\n ] );\n $result = curl_exec( $ch );\n curl_close( $ch );\n\n // Decode the response\n $api_response = json_decode($result);\n\n // Return the ID of the image that is now uploaded to the WordPress site.\n return ['id' => $api_response->id];\n}\n</code></pre>\n<p>If you want to specify each image manually, you replace this line:</p>\n<pre class=\"lang-php prettyprint-override\"><code> 'images' => prepare_array_of_images_for_wordpress($images)\n</code></pre>\n<p>With</p>\n<pre class=\"lang-php prettyprint-override\"><code> 'images' => [\n [\n 'id' => file_or_url_to_wordpress_image('path-to-image'),\n 'other_option' => 'value'\n ],\n [\n 'src' => file_or_url_to_wordpress_image('url-to-image'),\n 'other_option' => 'value'\n ],\n ]\n\n</code></pre>\n<p>Just make sure you use <code>'id'</code> if referring to an uploaded image, and <code>'src'</code> when it's a URL.</p>\n<h1>3. Run the script</h1>\n<p>Either in a browser, or from the command line using the following command:</p>\n<pre class=\"lang-sh prettyprint-override\"><code>php my_import_file.php\n</code></pre>\n<p>It should output something like this:</p>\n<pre class=\"lang-sh prettyprint-override\"><code>stdClass Object\n(\n [id] => 736\n [name] => Premium Quality\n [slug] => premium-quality\n [permalink] => https://localhost/p/uncategorized/premium-quality/\n [date_created] => 2021-06-12T18:01:08\n [date_created_gmt] => 2021-06-12T18:01:08\n [date_modified] => 2021-06-12T18:01:08\n [date_modified_gmt] => 2021-06-12T18:01:08\n [type] => simple\n [status] => publish\n [featured] => \n [catalog_visibility] => visible\n [description] => Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Vestibulum tortor quam, feugiat vitae, ultricies eget, tempor sit amet, ante. Donec eu libero sit amet quam egestas semper. Aenean ultricies mi vitae est. Mauris placerat eleifend leo.\n [short_description] => Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas.\n [sku] => \n [price] => 21.99\n [regular_price] => 21.99\n [sale_price] => \n [date_on_sale_from] => \n [date_on_sale_from_gmt] => \n [date_on_sale_to] => \n [date_on_sale_to_gmt] => \n [on_sale] => \n [purchasable] => 1\n [total_sales] => 0\n [virtual] => \n [downloadable] => \n [downloads] => Array\n (\n )\n\n [download_limit] => -1\n [download_expiry] => -1\n [external_url] => \n [button_text] => \n [tax_status] => taxable\n [tax_class] => \n [manage_stock] => \n [stock_quantity] => \n [backorders] => no\n [backorders_allowed] => \n [backordered] => \n [low_stock_amount] => \n [sold_individually] => \n [weight] => \n [dimensions] => stdClass Object\n (\n [length] => \n [width] => \n [height] => \n )\n\n [shipping_required] => 1\n [shipping_taxable] => 1\n [shipping_class] => \n [shipping_class_id] => 0\n [reviews_allowed] => 1\n [average_rating] => 0\n [rating_count] => 0\n [upsell_ids] => Array\n (\n )\n\n [cross_sell_ids] => Array\n (\n )\n\n [parent_id] => 0\n [purchase_note] => \n [categories] => Array\n (\n [0] => stdClass Object\n (\n [id] => 27\n [name] => Mat\n [slug] => mat\n )\n\n )\n\n [tags] => Array\n (\n )\n\n [images] => Array\n (\n [0] => stdClass Object\n (\n [id] => 734\n [date_created] => 2021-06-12T18:01:07\n [date_created_gmt] => 2021-06-12T18:01:07\n [date_modified] => 2021-06-12T18:01:07\n [date_modified_gmt] => 2021-06-12T18:01:07\n [src] => https://localhost/wp-content/uploads/2021/06/nice-image-of-me.jpg\n [name] => nice-image-of-me\n [alt] => \n )\n\n [1] => stdClass Object\n (\n [id] => 735\n [date_created] => 2021-06-12T18:01:08\n [date_created_gmt] => 2021-06-12T18:01:08\n [date_modified] => 2021-06-12T18:01:08\n [date_modified_gmt] => 2021-06-12T18:01:08\n [src] => https://localhost/wp-content/uploads/2021/06/T_2_back-3.jpg\n [name] => T_2_back-3.jpg\n [alt] => \n )\n\n )\n\n [attributes] => Array\n (\n )\n\n [default_attributes] => Array\n (\n )\n\n [variations] => Array\n (\n )\n\n [grouped_products] => Array\n (\n )\n\n [menu_order] => 0\n [price_html] => <span class="woocommerce-Price-amount amount"><bdi>21,99&nbsp;<span class="woocommerce-Price-currencySymbol">&euro;</span></bdi></span>\n [related_ids] => Array\n (\n [0] => 143\n [1] => 687\n [2] => 17\n [3] => 712\n [4] => 688\n )\n\n [meta_data] => Array\n (\n )\n\n [stock_status] => instock\n [brands] => Array\n (\n )\n\n [_links] => stdClass Object\n (\n [self] => Array\n (\n [0] => stdClass Object\n (\n [href] => https://localhost/wp-json/wc/v3/products/736\n )\n\n )\n\n [collection] => Array\n (\n [0] => stdClass Object\n (\n [href] => https://localhost/wp-json/wc/v3/products\n )\n\n )\n\n )\n\n)\n</code></pre>\n"
},
{
"answer_id": 390463,
"author": "tiago calado",
"author_id": 198152,
"author_profile": "https://wordpress.stackexchange.com/users/198152",
"pm_score": 0,
"selected": false,
"text": "<p>I had achieve it by using I suspect the wp_api:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$img = 'C:/wamp64/www/leiria/img/2.1.jpg';\n$ch = curl_init();\ncurl_setopt( $ch, CURLOPT_URL, 'http://example-site.com/wp-json/wp/v2/media/' );\ncurl_setopt( $ch, CURLOPT_POST, 1 );\ncurl_setopt( $ch, CURLOPT_POSTFIELDS, file_get_contents( $img ) );\ncurl_setopt($ch, CURLOPT_RETURNTRANSFER, true);\ncurl_setopt( $ch, CURLOPT_HTTPHEADER, [\n 'Content-Disposition: form-data; filename="file_example_name.jpg"',\n 'Authorization: Basic ' . base64_encode( 'wordpress_username:wordpress_password"' ), ] );\n$result = curl_exec( $ch );\ncurl_close( $ch );\n\n\n\n\necho '<pre>';\nprint_r($result);\necho '</pre>';\n</code></pre>\n"
}
] | 2021/06/12 | [
"https://wordpress.stackexchange.com/questions/390452",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/198152/"
] | I have a webpage on localhost that do not have wordpress environment, I had use woocommerce api to create the product, however woocommerce api doesnt seem to upload the image.
I want to create the product and upload the image.
this the code I am using and the woocommerce api default.
```php
<?php
$data = [
'name' => 'Premium Quality',
'type' => 'simple',
'regular_price' => '21.99',
'description' => 'Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Vestibulum tortor quam, feugiat vitae, ultricies eget, tempor sit amet, ante. Donec eu libero sit amet quam egestas semper. Aenean ultricies mi vitae est. Mauris placerat eleifend leo.',
'short_description' => 'Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas.',
'categories' => [
[
'id' => 9
],
[
'id' => 14
]
],
'images' => [
[
'src' => 'http://demo.woothemes.com/woocommerce/wp-content/uploads/sites/56/2013/06/T_2_front.jpg'
],
[
'src' => 'http://demo.woothemes.com/woocommerce/wp-content/uploads/sites/56/2013/06/T_2_back.jpg'
]
]
];
print_r($woocommerce->post('products', $data));
?>
``` | Just to make sure: You have a local environment, without WooCommerce, from which you want to create a product in your WooCommerce Wordpress site, and make sure that the images you provide are uploaded to your WordPress site.
1. Install library
==================
Make sure that you in your local environment have installed the [WooCommerce REST API PHP Library](https://github.com/woocommerce/wc-api-php).
```sh
composer require automattic/woocommerce
```
2. Create your script
=====================
Create a file called `my_import_file.php`
```sh
touch my_import_file.php
```
Edit that file with your favorite editor (or any editor).
Using **Vim**
```sh
vim my_import_file.php
```
Using **Visual Studio Code** (if you have the [shell command installed](https://code.visualstudio.com/docs/setup/mac#_launching-from-the-command-line))
```sh
code my_import_file.php
```
You need to:
* [Generate keys to the REST API](https://docs.woocommerce.com/document/woocommerce-rest-api/) of your WooCommerce installation.
* [Generate an application password](https://make.wordpress.org/core/2020/11/05/application-passwords-integration-guide/) for this import script.
Your file should look similar to this:
```php
<?php
/**
* Settings
*/
// Your Wordpress site URL
DEFINE('WORDPRESS_BASE_URL', 'https://enter-your-wordpress-url-here');
// Your WordPress username
DEFINE('WORDPRESS_LOGIN', 'enter-your-wordpress-username-here');
// Create a new Application Password in dashboard /wp-admin/profile.php
DEFINE('WORDPRESS_APPLICATION_PASSWORD', 'enter-your-application-password-here');
// Create a new REST API key from your wordpress installation
// https://docs.woocommerce.com/document/woocommerce-rest-api/
DEFINE('WOOCOMMERCE_CONSUMER_KEY', 'enter-your-woocomemrce-consumer-key-here');
DEFINE('WOOCOMMERCE_CONSUMER_SECRET', 'enter-your-woocomemrce-consumer-secret-here');
// Load composers autoload
require __DIR__ . '/vendor/autoload.php';
// Use the WooComerce client
use Automattic\WooCommerce\Client;
// Initiate the WooCommerce client
$woocommerce = new Client(
WORDPRESS_BASE_URL,
WOOCOMMERCE_CONSUMER_KEY,
WOOCOMMERCE_CONSUMER_SECRET,
[
'version' => 'wc/v3',
]
);
// An array of all the images you want to upload. They can be local files or URL's.
// Any non existing images will be filtered out.
$images = array(
"/Users/admin/Documents/nice-image-of-me.jpg",
"http://demo.woothemes.com/woocommerce/wp-content/uploads/sites/56/2013/06/T_2_back.jpg",
"string that is invalid"
);
// Define the product you want to create
$data = [
'name' => 'Premium Quality',
'type' => 'simple',
'regular_price' => '21.99',
'description' => 'Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Vestibulum tortor quam, feugiat vitae, ultricies eget, tempor sit amet, ante. Donec eu libero sit amet quam egestas semper. Aenean ultricies mi vitae est. Mauris placerat eleifend leo.',
'short_description' => 'Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas.',
'categories' => [
[
'id' => 9
],
[
'id' => 14
]
],
'images' => prepare_array_of_images_for_wordpress($images)
];
// Create the product
$result = $woocommerce->post('products', $data);
// Print the result
print_r($result);
/**
* Takes an array of images, strings or URL's and prepares for import.
*/
function prepare_array_of_images_for_wordpress(array $array_of_images){
// Create empty array
$images_to_upload = array();
// Loop through the input, and process each entry
foreach($array_of_images as $image){
$images_to_upload[] = file_or_url_to_wordpress_image($image);
}
// Remove any unsucessful images from the array.
return array_filter($images_to_upload);
}
/**
* Takes a file or a url and uploads it to WordPress
* Returns the image ID from the WordPress media gallery.
*/
function file_or_url_to_wordpress_image($image_path){
// If the input is a URl, we can process it
if (filter_var($image_path, FILTER_VALIDATE_URL)) {
return ['src'=>$image_path];
}
// Make sure the image exist
if (!file_exists($image_path)){return;}
// Load the image
$file = file_get_contents( $image_path );
// Get the filename
$filename = basename($image_path);
// Initiate curl.
$ch = curl_init();
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt( $ch, CURLOPT_URL, WORDPRESS_BASE_URL .'/wp-json/wp/v2/media/' );
curl_setopt( $ch, CURLOPT_POST, 1 );
curl_setopt( $ch, CURLOPT_POSTFIELDS, $file );
curl_setopt( $ch, CURLOPT_HTTPHEADER, [
"Content-Disposition: form-data; filename=\"$filename\"",
'Authorization: Basic ' . base64_encode( WORDPRESS_LOGIN. ':' . WORDPRESS_APPLICATION_PASSWORD ),
] );
$result = curl_exec( $ch );
curl_close( $ch );
// Decode the response
$api_response = json_decode($result);
// Return the ID of the image that is now uploaded to the WordPress site.
return ['id' => $api_response->id];
}
```
If you want to specify each image manually, you replace this line:
```php
'images' => prepare_array_of_images_for_wordpress($images)
```
With
```php
'images' => [
[
'id' => file_or_url_to_wordpress_image('path-to-image'),
'other_option' => 'value'
],
[
'src' => file_or_url_to_wordpress_image('url-to-image'),
'other_option' => 'value'
],
]
```
Just make sure you use `'id'` if referring to an uploaded image, and `'src'` when it's a URL.
3. Run the script
=================
Either in a browser, or from the command line using the following command:
```sh
php my_import_file.php
```
It should output something like this:
```sh
stdClass Object
(
[id] => 736
[name] => Premium Quality
[slug] => premium-quality
[permalink] => https://localhost/p/uncategorized/premium-quality/
[date_created] => 2021-06-12T18:01:08
[date_created_gmt] => 2021-06-12T18:01:08
[date_modified] => 2021-06-12T18:01:08
[date_modified_gmt] => 2021-06-12T18:01:08
[type] => simple
[status] => publish
[featured] =>
[catalog_visibility] => visible
[description] => Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Vestibulum tortor quam, feugiat vitae, ultricies eget, tempor sit amet, ante. Donec eu libero sit amet quam egestas semper. Aenean ultricies mi vitae est. Mauris placerat eleifend leo.
[short_description] => Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas.
[sku] =>
[price] => 21.99
[regular_price] => 21.99
[sale_price] =>
[date_on_sale_from] =>
[date_on_sale_from_gmt] =>
[date_on_sale_to] =>
[date_on_sale_to_gmt] =>
[on_sale] =>
[purchasable] => 1
[total_sales] => 0
[virtual] =>
[downloadable] =>
[downloads] => Array
(
)
[download_limit] => -1
[download_expiry] => -1
[external_url] =>
[button_text] =>
[tax_status] => taxable
[tax_class] =>
[manage_stock] =>
[stock_quantity] =>
[backorders] => no
[backorders_allowed] =>
[backordered] =>
[low_stock_amount] =>
[sold_individually] =>
[weight] =>
[dimensions] => stdClass Object
(
[length] =>
[width] =>
[height] =>
)
[shipping_required] => 1
[shipping_taxable] => 1
[shipping_class] =>
[shipping_class_id] => 0
[reviews_allowed] => 1
[average_rating] => 0
[rating_count] => 0
[upsell_ids] => Array
(
)
[cross_sell_ids] => Array
(
)
[parent_id] => 0
[purchase_note] =>
[categories] => Array
(
[0] => stdClass Object
(
[id] => 27
[name] => Mat
[slug] => mat
)
)
[tags] => Array
(
)
[images] => Array
(
[0] => stdClass Object
(
[id] => 734
[date_created] => 2021-06-12T18:01:07
[date_created_gmt] => 2021-06-12T18:01:07
[date_modified] => 2021-06-12T18:01:07
[date_modified_gmt] => 2021-06-12T18:01:07
[src] => https://localhost/wp-content/uploads/2021/06/nice-image-of-me.jpg
[name] => nice-image-of-me
[alt] =>
)
[1] => stdClass Object
(
[id] => 735
[date_created] => 2021-06-12T18:01:08
[date_created_gmt] => 2021-06-12T18:01:08
[date_modified] => 2021-06-12T18:01:08
[date_modified_gmt] => 2021-06-12T18:01:08
[src] => https://localhost/wp-content/uploads/2021/06/T_2_back-3.jpg
[name] => T_2_back-3.jpg
[alt] =>
)
)
[attributes] => Array
(
)
[default_attributes] => Array
(
)
[variations] => Array
(
)
[grouped_products] => Array
(
)
[menu_order] => 0
[price_html] => <span class="woocommerce-Price-amount amount"><bdi>21,99 <span class="woocommerce-Price-currencySymbol">€</span></bdi></span>
[related_ids] => Array
(
[0] => 143
[1] => 687
[2] => 17
[3] => 712
[4] => 688
)
[meta_data] => Array
(
)
[stock_status] => instock
[brands] => Array
(
)
[_links] => stdClass Object
(
[self] => Array
(
[0] => stdClass Object
(
[href] => https://localhost/wp-json/wc/v3/products/736
)
)
[collection] => Array
(
[0] => stdClass Object
(
[href] => https://localhost/wp-json/wc/v3/products
)
)
)
)
``` |
390,489 | <p>I want to load 3 posts that have the same custom field value as the current post.<br>
for example:<br>
The current post has 3 custom fields:<br>
color: black<br>
background: red<br>
lastname: doe <br>
Now I want to load three posts with these custom fields:<br>
first post: color:black<br>
second post: background:red<br>
third post: lastname:doe<br>
these are my codes:<br></p>
<pre><code>$page_id = get_the_ID();
$color= get_field( "color", $page_id );
$background= get_field( "background", $page_id );
$lastname= get_field( "lastname", $page_id );
$color_array = array ("the_color"=>$color);
$background_array = array ("the_background"=>$background);
$lastname_array = array ("the_lastname"=>$lastname);
$related_args = array($color_array ,$background_array ,$lastname_array );
foreach($related_args as $args) {
foreach($args as $key => $value){
echo $value; //to know the post after it are from that custom post
$myargs = array(
'post_type' => 'myposttype',
'orderby' => 'rand',
'meta_key' => $key,
'meta_value' => $value,
'posts_per_page' => 1,
);
$the_query = new WP_Query( $myargs );
if ( $the_query->have_posts() ) {
$string .= '<ul>';
while ( $the_query->have_posts() ) {
$the_query->the_post();
$string .= '<li><a href="'. get_permalink() .'">'. '<div class="post-image">' . get_the_post_thumbnail() . '</div>' . '<div class="post-title">' . get_the_title() . '</div>' .'</a></li>';
}
$string .= '</ul>';
wp_reset_postdata();
} else {
$string .= 'no posts found';
}
echo $string;
}
}
</code></pre>
<p>as you can see in codes, I've retrieved the current post custom fields value then I've created arrays that have the meta_key and meta_value. then created an array of that arrays. then I've created two loops to find 3 posts that each one of them has the same custom field as the current post.<br>
The Problem:<br>
It loads one post with the first custom field, two posts with the second custom field, and three posts with the third custom field.<br>
But I want it to load one post with the first custom field, one post with the second custom field, one post with the third custom field.<br>
Please tell me how can I achieve this.<br>
Thanks</p>
| [
{
"answer_id": 390490,
"author": "Paul G.",
"author_id": 41288,
"author_profile": "https://wordpress.stackexchange.com/users/41288",
"pm_score": 2,
"selected": true,
"text": "<p>I've taken your code and refactored it. Your nested-for-loops arent the ideal way to go about this.</p>\n<p>Also, I've used your code and the meta key names exactly as you supplied them, so please double-check they're correct. Some of them are prefixed with <code>the_</code> and then sometimes not. It's strange, but that's what you supplied.</p>\n<p>Try the code below to see if you get just 1 of each.</p>\n<pre class=\"lang-php prettyprint-override\"><code><?php\n$page_id = get_the_ID();\n$related_args = [\n 'the_color' => get_field( 'color', $page_id ),\n 'the_background' => get_field( 'background', $page_id ),\n 'the_lastname' => get_field( 'lastname', $page_id )\n];\n\n$content = '';\n\nforeach ( $related_args as $meta_key => $meta_value ) {\n\n $content .= $meta_value; //to know the post after it are from that custom post\n\n $posts = get_posts( [\n 'post_type' => 'myposttype',\n 'orderby' => 'rand',\n 'meta_key' => $meta_key,\n 'meta_value' => $meta_value,\n 'numberposts' => 1,\n ] );\n\n if ( !empty( $posts ) ) {\n $postID = current( $posts )->ID;\n $content .= sprintf( '<ul><li><a href="%s"><div class="post-image">%s</div><div class="post-title">%s</div></a></li></ul>',\n get_permalink( $postID ),\n get_the_post_thumbnail( $postID ),\n get_the_title( $postID )\n );\n }\n else {\n $content .= 'no posts found';\n }\n}\n\necho $content;\n</code></pre>\n"
},
{
"answer_id": 390493,
"author": "Fabian Mossberg",
"author_id": 207387,
"author_profile": "https://wordpress.stackexchange.com/users/207387",
"pm_score": 0,
"selected": false,
"text": "<p>I see that you are using ACF, but I wanted to give a solution where I go a little deeper in the process, and break it up in the different steps. I haven't used ACF, so this works without any plugins.</p>\n<h1>First, the functions</h1>\n<p>I broke out the different parts of what you needed into functions that could be reused at other places.</p>\n<p>I also tried to write proper <a href=\"https://make.wordpress.org/core/handbook/best-practices/inline-documentation-standards/php/\" rel=\"nofollow noreferrer\">docblocks</a>, so that if you have an editor that supports it, you will be reminded of what the functions does, and it will stop you from passing any variables of the wrong type.</p>\n<p>This could be pasted into your themes <code>functions.php</code>, or a new file called <code>fabians-functions.php</code> and then just add the following line to <code>functions.php</code>.</p>\n<pre class=\"lang-php prettyprint-override\"><code>require_once __DIR__ . '/fabians-functions.php';\n</code></pre>\n<pre class=\"lang-php prettyprint-override\"><code>/**\n * Get meta data key/value pairs.\n *\n * Pass an array of meta keys, get an array of\n * key/value pairs.\n *\n * @param array $meta_keys the meta keys you want to fetch.\n * @param int $post_id the post ID you want to fetch them from.\n * @return array an associative array with meta_key => meta_value.\n */\nfunction get_multiple_meta_values( array $meta_keys, int $post_id ) {\n $output_meta_key_value_pairs = array();\n foreach ( $meta_keys as $meta_key ) {\n $meta_value = get_post_meta( $post_id, $meta_key, true );\n if ( $meta_value ) {\n $output_meta_key_value_pairs[] = array(\n $meta_key => $meta_value,\n );\n }\n }\n // Flatten the array and remove any invalid entries.\n return array_merge( ...array_filter( $output_meta_key_value_pairs ) );\n}\n\n/**\n * Fetch posts with same meta vaues\n *\n * Pass in an associative array with the custom fields\n * you want to use to find similar posts.\n *\n * We will fetch one post per meta key/value passed.\n * We will not return the current post.\n * We will not return the same post twice.\n *\n * @param array $meta_collection an associative array with meta_key => meta_value.\n * @return WP_Post[] an array of WP Posts.\n */\nfunction get_posts_with_same_meta( array $meta_collection ) {\n $output = array();\n $wp_ignore_posts = array( get_the_ID() );\n\n // Now let's go trhough each of the meta fields you want to find posts on.\n foreach ( $meta_collection as $key => $value ) {\n\n $args = array(\n 'post_type' => 'post',\n // Only one posts.\n 'posts_per_page' => 1,\n 'post_status' => 'publish',\n // That shares the first meta key/value pair.\n 'meta_key' => "$key",\n 'meta_value' => "$value",\n /**\n * Because we don't want to end up short, we need to\n * filter out any posts that was previously fetched.\n * We don't want duplicates to show up.\n */\n 'post__not_in' => $wp_ignore_posts,\n );\n\n $the_query = new WP_Query( $args );\n if ( $the_query->have_posts() ) :\n while ( $the_query->have_posts() ) :\n $the_query->the_post();\n // If we got a hit, add that post to $output[].\n $output[] = $the_query->post;\n // Also, add that posts ID to the ignore-list, so we won't fetch it again.\n $wp_ignore_posts[] = get_the_ID();\n endwhile;\n endif;\n wp_reset_postdata();\n }\n return $output;\n}\n</code></pre>\n<h1>Then, the fun</h1>\n<p>Now that we have everything set up, we can start using the functions in your page templates.</p>\n<pre class=\"lang-php prettyprint-override\"><code>// Setup - Define the meta keys you wish to use.\n$meta_keys_i_want_to_use = array( 'color', 'background_color', 'lastname' );\n\n// Fetch the meta values from the current post and save in $wpm_meta.\n// You can set any number of meta values.\n$wpm_meta = get_multiple_meta_values( $meta_keys_i_want_to_use, get_the_ID() );\n\n// Get posts.\n$the_posts = get_posts_with_same_meta( $wpm_meta );\n\n// Do what you want with them.\nforeach ( $the_posts as $p ) {\n // The post is available as $p.\n ?>\n <div>\n <a href="<?php the_permalink( $p ); ?>">\n <h3><?php echo esc_html( $p->post_title ); ?></h3>\n <img src="<?php echo esc_attr( get_the_post_thumbnail_url( $p, 'thumbnail' ) ); ?>"></a>\n </div>\n <?php\n}\n</code></pre>\n"
}
] | 2021/06/13 | [
"https://wordpress.stackexchange.com/questions/390489",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/96600/"
] | I want to load 3 posts that have the same custom field value as the current post.
for example:
The current post has 3 custom fields:
color: black
background: red
lastname: doe
Now I want to load three posts with these custom fields:
first post: color:black
second post: background:red
third post: lastname:doe
these are my codes:
```
$page_id = get_the_ID();
$color= get_field( "color", $page_id );
$background= get_field( "background", $page_id );
$lastname= get_field( "lastname", $page_id );
$color_array = array ("the_color"=>$color);
$background_array = array ("the_background"=>$background);
$lastname_array = array ("the_lastname"=>$lastname);
$related_args = array($color_array ,$background_array ,$lastname_array );
foreach($related_args as $args) {
foreach($args as $key => $value){
echo $value; //to know the post after it are from that custom post
$myargs = array(
'post_type' => 'myposttype',
'orderby' => 'rand',
'meta_key' => $key,
'meta_value' => $value,
'posts_per_page' => 1,
);
$the_query = new WP_Query( $myargs );
if ( $the_query->have_posts() ) {
$string .= '<ul>';
while ( $the_query->have_posts() ) {
$the_query->the_post();
$string .= '<li><a href="'. get_permalink() .'">'. '<div class="post-image">' . get_the_post_thumbnail() . '</div>' . '<div class="post-title">' . get_the_title() . '</div>' .'</a></li>';
}
$string .= '</ul>';
wp_reset_postdata();
} else {
$string .= 'no posts found';
}
echo $string;
}
}
```
as you can see in codes, I've retrieved the current post custom fields value then I've created arrays that have the meta\_key and meta\_value. then created an array of that arrays. then I've created two loops to find 3 posts that each one of them has the same custom field as the current post.
The Problem:
It loads one post with the first custom field, two posts with the second custom field, and three posts with the third custom field.
But I want it to load one post with the first custom field, one post with the second custom field, one post with the third custom field.
Please tell me how can I achieve this.
Thanks | I've taken your code and refactored it. Your nested-for-loops arent the ideal way to go about this.
Also, I've used your code and the meta key names exactly as you supplied them, so please double-check they're correct. Some of them are prefixed with `the_` and then sometimes not. It's strange, but that's what you supplied.
Try the code below to see if you get just 1 of each.
```php
<?php
$page_id = get_the_ID();
$related_args = [
'the_color' => get_field( 'color', $page_id ),
'the_background' => get_field( 'background', $page_id ),
'the_lastname' => get_field( 'lastname', $page_id )
];
$content = '';
foreach ( $related_args as $meta_key => $meta_value ) {
$content .= $meta_value; //to know the post after it are from that custom post
$posts = get_posts( [
'post_type' => 'myposttype',
'orderby' => 'rand',
'meta_key' => $meta_key,
'meta_value' => $meta_value,
'numberposts' => 1,
] );
if ( !empty( $posts ) ) {
$postID = current( $posts )->ID;
$content .= sprintf( '<ul><li><a href="%s"><div class="post-image">%s</div><div class="post-title">%s</div></a></li></ul>',
get_permalink( $postID ),
get_the_post_thumbnail( $postID ),
get_the_title( $postID )
);
}
else {
$content .= 'no posts found';
}
}
echo $content;
``` |
390,628 | <p>I'm trying to completely disable access to my parents page menu.
For example, I have a menu made like this :
parent page -> child page 1
-> child page 2</p>
<p>I made a real page for 'parent page' because my backend is better organized.
But I don't want that my customers go to www.mysite/parent-page</p>
<p>I tried to put that page in "private" but then on my breadcrumbs child page 1 I have : "home > parent page(private) > child page 1</p>
<p>I don't want it to display the private I just want my parent page in 404 if someone tries to go in.</p>
<p>I hope I was clear.
Thank's !</p>
| [
{
"answer_id": 390490,
"author": "Paul G.",
"author_id": 41288,
"author_profile": "https://wordpress.stackexchange.com/users/41288",
"pm_score": 2,
"selected": true,
"text": "<p>I've taken your code and refactored it. Your nested-for-loops arent the ideal way to go about this.</p>\n<p>Also, I've used your code and the meta key names exactly as you supplied them, so please double-check they're correct. Some of them are prefixed with <code>the_</code> and then sometimes not. It's strange, but that's what you supplied.</p>\n<p>Try the code below to see if you get just 1 of each.</p>\n<pre class=\"lang-php prettyprint-override\"><code><?php\n$page_id = get_the_ID();\n$related_args = [\n 'the_color' => get_field( 'color', $page_id ),\n 'the_background' => get_field( 'background', $page_id ),\n 'the_lastname' => get_field( 'lastname', $page_id )\n];\n\n$content = '';\n\nforeach ( $related_args as $meta_key => $meta_value ) {\n\n $content .= $meta_value; //to know the post after it are from that custom post\n\n $posts = get_posts( [\n 'post_type' => 'myposttype',\n 'orderby' => 'rand',\n 'meta_key' => $meta_key,\n 'meta_value' => $meta_value,\n 'numberposts' => 1,\n ] );\n\n if ( !empty( $posts ) ) {\n $postID = current( $posts )->ID;\n $content .= sprintf( '<ul><li><a href="%s"><div class="post-image">%s</div><div class="post-title">%s</div></a></li></ul>',\n get_permalink( $postID ),\n get_the_post_thumbnail( $postID ),\n get_the_title( $postID )\n );\n }\n else {\n $content .= 'no posts found';\n }\n}\n\necho $content;\n</code></pre>\n"
},
{
"answer_id": 390493,
"author": "Fabian Mossberg",
"author_id": 207387,
"author_profile": "https://wordpress.stackexchange.com/users/207387",
"pm_score": 0,
"selected": false,
"text": "<p>I see that you are using ACF, but I wanted to give a solution where I go a little deeper in the process, and break it up in the different steps. I haven't used ACF, so this works without any plugins.</p>\n<h1>First, the functions</h1>\n<p>I broke out the different parts of what you needed into functions that could be reused at other places.</p>\n<p>I also tried to write proper <a href=\"https://make.wordpress.org/core/handbook/best-practices/inline-documentation-standards/php/\" rel=\"nofollow noreferrer\">docblocks</a>, so that if you have an editor that supports it, you will be reminded of what the functions does, and it will stop you from passing any variables of the wrong type.</p>\n<p>This could be pasted into your themes <code>functions.php</code>, or a new file called <code>fabians-functions.php</code> and then just add the following line to <code>functions.php</code>.</p>\n<pre class=\"lang-php prettyprint-override\"><code>require_once __DIR__ . '/fabians-functions.php';\n</code></pre>\n<pre class=\"lang-php prettyprint-override\"><code>/**\n * Get meta data key/value pairs.\n *\n * Pass an array of meta keys, get an array of\n * key/value pairs.\n *\n * @param array $meta_keys the meta keys you want to fetch.\n * @param int $post_id the post ID you want to fetch them from.\n * @return array an associative array with meta_key => meta_value.\n */\nfunction get_multiple_meta_values( array $meta_keys, int $post_id ) {\n $output_meta_key_value_pairs = array();\n foreach ( $meta_keys as $meta_key ) {\n $meta_value = get_post_meta( $post_id, $meta_key, true );\n if ( $meta_value ) {\n $output_meta_key_value_pairs[] = array(\n $meta_key => $meta_value,\n );\n }\n }\n // Flatten the array and remove any invalid entries.\n return array_merge( ...array_filter( $output_meta_key_value_pairs ) );\n}\n\n/**\n * Fetch posts with same meta vaues\n *\n * Pass in an associative array with the custom fields\n * you want to use to find similar posts.\n *\n * We will fetch one post per meta key/value passed.\n * We will not return the current post.\n * We will not return the same post twice.\n *\n * @param array $meta_collection an associative array with meta_key => meta_value.\n * @return WP_Post[] an array of WP Posts.\n */\nfunction get_posts_with_same_meta( array $meta_collection ) {\n $output = array();\n $wp_ignore_posts = array( get_the_ID() );\n\n // Now let's go trhough each of the meta fields you want to find posts on.\n foreach ( $meta_collection as $key => $value ) {\n\n $args = array(\n 'post_type' => 'post',\n // Only one posts.\n 'posts_per_page' => 1,\n 'post_status' => 'publish',\n // That shares the first meta key/value pair.\n 'meta_key' => "$key",\n 'meta_value' => "$value",\n /**\n * Because we don't want to end up short, we need to\n * filter out any posts that was previously fetched.\n * We don't want duplicates to show up.\n */\n 'post__not_in' => $wp_ignore_posts,\n );\n\n $the_query = new WP_Query( $args );\n if ( $the_query->have_posts() ) :\n while ( $the_query->have_posts() ) :\n $the_query->the_post();\n // If we got a hit, add that post to $output[].\n $output[] = $the_query->post;\n // Also, add that posts ID to the ignore-list, so we won't fetch it again.\n $wp_ignore_posts[] = get_the_ID();\n endwhile;\n endif;\n wp_reset_postdata();\n }\n return $output;\n}\n</code></pre>\n<h1>Then, the fun</h1>\n<p>Now that we have everything set up, we can start using the functions in your page templates.</p>\n<pre class=\"lang-php prettyprint-override\"><code>// Setup - Define the meta keys you wish to use.\n$meta_keys_i_want_to_use = array( 'color', 'background_color', 'lastname' );\n\n// Fetch the meta values from the current post and save in $wpm_meta.\n// You can set any number of meta values.\n$wpm_meta = get_multiple_meta_values( $meta_keys_i_want_to_use, get_the_ID() );\n\n// Get posts.\n$the_posts = get_posts_with_same_meta( $wpm_meta );\n\n// Do what you want with them.\nforeach ( $the_posts as $p ) {\n // The post is available as $p.\n ?>\n <div>\n <a href="<?php the_permalink( $p ); ?>">\n <h3><?php echo esc_html( $p->post_title ); ?></h3>\n <img src="<?php echo esc_attr( get_the_post_thumbnail_url( $p, 'thumbnail' ) ); ?>"></a>\n </div>\n <?php\n}\n</code></pre>\n"
}
] | 2021/06/16 | [
"https://wordpress.stackexchange.com/questions/390628",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/197738/"
] | I'm trying to completely disable access to my parents page menu.
For example, I have a menu made like this :
parent page -> child page 1
-> child page 2
I made a real page for 'parent page' because my backend is better organized.
But I don't want that my customers go to www.mysite/parent-page
I tried to put that page in "private" but then on my breadcrumbs child page 1 I have : "home > parent page(private) > child page 1
I don't want it to display the private I just want my parent page in 404 if someone tries to go in.
I hope I was clear.
Thank's ! | I've taken your code and refactored it. Your nested-for-loops arent the ideal way to go about this.
Also, I've used your code and the meta key names exactly as you supplied them, so please double-check they're correct. Some of them are prefixed with `the_` and then sometimes not. It's strange, but that's what you supplied.
Try the code below to see if you get just 1 of each.
```php
<?php
$page_id = get_the_ID();
$related_args = [
'the_color' => get_field( 'color', $page_id ),
'the_background' => get_field( 'background', $page_id ),
'the_lastname' => get_field( 'lastname', $page_id )
];
$content = '';
foreach ( $related_args as $meta_key => $meta_value ) {
$content .= $meta_value; //to know the post after it are from that custom post
$posts = get_posts( [
'post_type' => 'myposttype',
'orderby' => 'rand',
'meta_key' => $meta_key,
'meta_value' => $meta_value,
'numberposts' => 1,
] );
if ( !empty( $posts ) ) {
$postID = current( $posts )->ID;
$content .= sprintf( '<ul><li><a href="%s"><div class="post-image">%s</div><div class="post-title">%s</div></a></li></ul>',
get_permalink( $postID ),
get_the_post_thumbnail( $postID ),
get_the_title( $postID )
);
}
else {
$content .= 'no posts found';
}
}
echo $content;
``` |
390,648 | <p>How to list out all the terms of a custom taxonomy that are relative in another custom taxonomy?</p>
<p>I am creating a filter page for a CPT with multiple custom taxonomies.<br />
Please see the screenshot below:</p>
<p><a href="https://i.stack.imgur.com/cbHJ5.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/cbHJ5.png" alt="enter image description here" /></a></p>
<ul>
<li><strong>Custom Post Type:</strong> English "cpt_english"</li>
<li><strong>Custom Taxonomy:</strong> Courses</li>
<li><strong>Terms:</strong> course-a, course-b, course-c</li>
<li><strong>Custom Taxonomy:</strong> Difficulties</li>
<li><strong>Terms:</strong> easy, advanced , pro</li>
<li><strong>Custom Taxonomy:</strong> Tasks "tasks"</li>
<li><strong>Terms:</strong> task1, task2, task3, task4</li>
</ul>
<p>The screen is html markup, not php generated code.</p>
<p>Question:
How can I list out all the terms of a taxonomy based on another taxonomy?
For example, The type: "Task 1" has "Difficulty": Easy, Advanced, Pro"
But "Task 2" only has "Easy" and "Pro" ... so when clicking Task2, I do not want to show "Advanced" there, and Task 3 doesn't even has "Courses"... how can I achieve it with coding?</p>
<p>So what I meant is that, amount all the CPT that are associated with "Task1"(term name) of a custom taxonomy "task", these posts are also associated with term "easy", "advanced" and "pro" from another taxonomy "difficulty"</p>
<p>However, amount the CPT items associated with "Task2", none of them are associated with "advanced" ... so I do not want to list out "advanced" there</p>
<p>I know I can use "get_terms" and then "foreach" to list out all the terms of a taxonomy.
But how I can "get_terms of taxonomy_a based on taxonomy_b" ?</p>
| [
{
"answer_id": 390490,
"author": "Paul G.",
"author_id": 41288,
"author_profile": "https://wordpress.stackexchange.com/users/41288",
"pm_score": 2,
"selected": true,
"text": "<p>I've taken your code and refactored it. Your nested-for-loops arent the ideal way to go about this.</p>\n<p>Also, I've used your code and the meta key names exactly as you supplied them, so please double-check they're correct. Some of them are prefixed with <code>the_</code> and then sometimes not. It's strange, but that's what you supplied.</p>\n<p>Try the code below to see if you get just 1 of each.</p>\n<pre class=\"lang-php prettyprint-override\"><code><?php\n$page_id = get_the_ID();\n$related_args = [\n 'the_color' => get_field( 'color', $page_id ),\n 'the_background' => get_field( 'background', $page_id ),\n 'the_lastname' => get_field( 'lastname', $page_id )\n];\n\n$content = '';\n\nforeach ( $related_args as $meta_key => $meta_value ) {\n\n $content .= $meta_value; //to know the post after it are from that custom post\n\n $posts = get_posts( [\n 'post_type' => 'myposttype',\n 'orderby' => 'rand',\n 'meta_key' => $meta_key,\n 'meta_value' => $meta_value,\n 'numberposts' => 1,\n ] );\n\n if ( !empty( $posts ) ) {\n $postID = current( $posts )->ID;\n $content .= sprintf( '<ul><li><a href="%s"><div class="post-image">%s</div><div class="post-title">%s</div></a></li></ul>',\n get_permalink( $postID ),\n get_the_post_thumbnail( $postID ),\n get_the_title( $postID )\n );\n }\n else {\n $content .= 'no posts found';\n }\n}\n\necho $content;\n</code></pre>\n"
},
{
"answer_id": 390493,
"author": "Fabian Mossberg",
"author_id": 207387,
"author_profile": "https://wordpress.stackexchange.com/users/207387",
"pm_score": 0,
"selected": false,
"text": "<p>I see that you are using ACF, but I wanted to give a solution where I go a little deeper in the process, and break it up in the different steps. I haven't used ACF, so this works without any plugins.</p>\n<h1>First, the functions</h1>\n<p>I broke out the different parts of what you needed into functions that could be reused at other places.</p>\n<p>I also tried to write proper <a href=\"https://make.wordpress.org/core/handbook/best-practices/inline-documentation-standards/php/\" rel=\"nofollow noreferrer\">docblocks</a>, so that if you have an editor that supports it, you will be reminded of what the functions does, and it will stop you from passing any variables of the wrong type.</p>\n<p>This could be pasted into your themes <code>functions.php</code>, or a new file called <code>fabians-functions.php</code> and then just add the following line to <code>functions.php</code>.</p>\n<pre class=\"lang-php prettyprint-override\"><code>require_once __DIR__ . '/fabians-functions.php';\n</code></pre>\n<pre class=\"lang-php prettyprint-override\"><code>/**\n * Get meta data key/value pairs.\n *\n * Pass an array of meta keys, get an array of\n * key/value pairs.\n *\n * @param array $meta_keys the meta keys you want to fetch.\n * @param int $post_id the post ID you want to fetch them from.\n * @return array an associative array with meta_key => meta_value.\n */\nfunction get_multiple_meta_values( array $meta_keys, int $post_id ) {\n $output_meta_key_value_pairs = array();\n foreach ( $meta_keys as $meta_key ) {\n $meta_value = get_post_meta( $post_id, $meta_key, true );\n if ( $meta_value ) {\n $output_meta_key_value_pairs[] = array(\n $meta_key => $meta_value,\n );\n }\n }\n // Flatten the array and remove any invalid entries.\n return array_merge( ...array_filter( $output_meta_key_value_pairs ) );\n}\n\n/**\n * Fetch posts with same meta vaues\n *\n * Pass in an associative array with the custom fields\n * you want to use to find similar posts.\n *\n * We will fetch one post per meta key/value passed.\n * We will not return the current post.\n * We will not return the same post twice.\n *\n * @param array $meta_collection an associative array with meta_key => meta_value.\n * @return WP_Post[] an array of WP Posts.\n */\nfunction get_posts_with_same_meta( array $meta_collection ) {\n $output = array();\n $wp_ignore_posts = array( get_the_ID() );\n\n // Now let's go trhough each of the meta fields you want to find posts on.\n foreach ( $meta_collection as $key => $value ) {\n\n $args = array(\n 'post_type' => 'post',\n // Only one posts.\n 'posts_per_page' => 1,\n 'post_status' => 'publish',\n // That shares the first meta key/value pair.\n 'meta_key' => "$key",\n 'meta_value' => "$value",\n /**\n * Because we don't want to end up short, we need to\n * filter out any posts that was previously fetched.\n * We don't want duplicates to show up.\n */\n 'post__not_in' => $wp_ignore_posts,\n );\n\n $the_query = new WP_Query( $args );\n if ( $the_query->have_posts() ) :\n while ( $the_query->have_posts() ) :\n $the_query->the_post();\n // If we got a hit, add that post to $output[].\n $output[] = $the_query->post;\n // Also, add that posts ID to the ignore-list, so we won't fetch it again.\n $wp_ignore_posts[] = get_the_ID();\n endwhile;\n endif;\n wp_reset_postdata();\n }\n return $output;\n}\n</code></pre>\n<h1>Then, the fun</h1>\n<p>Now that we have everything set up, we can start using the functions in your page templates.</p>\n<pre class=\"lang-php prettyprint-override\"><code>// Setup - Define the meta keys you wish to use.\n$meta_keys_i_want_to_use = array( 'color', 'background_color', 'lastname' );\n\n// Fetch the meta values from the current post and save in $wpm_meta.\n// You can set any number of meta values.\n$wpm_meta = get_multiple_meta_values( $meta_keys_i_want_to_use, get_the_ID() );\n\n// Get posts.\n$the_posts = get_posts_with_same_meta( $wpm_meta );\n\n// Do what you want with them.\nforeach ( $the_posts as $p ) {\n // The post is available as $p.\n ?>\n <div>\n <a href="<?php the_permalink( $p ); ?>">\n <h3><?php echo esc_html( $p->post_title ); ?></h3>\n <img src="<?php echo esc_attr( get_the_post_thumbnail_url( $p, 'thumbnail' ) ); ?>"></a>\n </div>\n <?php\n}\n</code></pre>\n"
}
] | 2021/06/16 | [
"https://wordpress.stackexchange.com/questions/390648",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/137035/"
] | How to list out all the terms of a custom taxonomy that are relative in another custom taxonomy?
I am creating a filter page for a CPT with multiple custom taxonomies.
Please see the screenshot below:
[](https://i.stack.imgur.com/cbHJ5.png)
* **Custom Post Type:** English "cpt\_english"
* **Custom Taxonomy:** Courses
* **Terms:** course-a, course-b, course-c
* **Custom Taxonomy:** Difficulties
* **Terms:** easy, advanced , pro
* **Custom Taxonomy:** Tasks "tasks"
* **Terms:** task1, task2, task3, task4
The screen is html markup, not php generated code.
Question:
How can I list out all the terms of a taxonomy based on another taxonomy?
For example, The type: "Task 1" has "Difficulty": Easy, Advanced, Pro"
But "Task 2" only has "Easy" and "Pro" ... so when clicking Task2, I do not want to show "Advanced" there, and Task 3 doesn't even has "Courses"... how can I achieve it with coding?
So what I meant is that, amount all the CPT that are associated with "Task1"(term name) of a custom taxonomy "task", these posts are also associated with term "easy", "advanced" and "pro" from another taxonomy "difficulty"
However, amount the CPT items associated with "Task2", none of them are associated with "advanced" ... so I do not want to list out "advanced" there
I know I can use "get\_terms" and then "foreach" to list out all the terms of a taxonomy.
But how I can "get\_terms of taxonomy\_a based on taxonomy\_b" ? | I've taken your code and refactored it. Your nested-for-loops arent the ideal way to go about this.
Also, I've used your code and the meta key names exactly as you supplied them, so please double-check they're correct. Some of them are prefixed with `the_` and then sometimes not. It's strange, but that's what you supplied.
Try the code below to see if you get just 1 of each.
```php
<?php
$page_id = get_the_ID();
$related_args = [
'the_color' => get_field( 'color', $page_id ),
'the_background' => get_field( 'background', $page_id ),
'the_lastname' => get_field( 'lastname', $page_id )
];
$content = '';
foreach ( $related_args as $meta_key => $meta_value ) {
$content .= $meta_value; //to know the post after it are from that custom post
$posts = get_posts( [
'post_type' => 'myposttype',
'orderby' => 'rand',
'meta_key' => $meta_key,
'meta_value' => $meta_value,
'numberposts' => 1,
] );
if ( !empty( $posts ) ) {
$postID = current( $posts )->ID;
$content .= sprintf( '<ul><li><a href="%s"><div class="post-image">%s</div><div class="post-title">%s</div></a></li></ul>',
get_permalink( $postID ),
get_the_post_thumbnail( $postID ),
get_the_title( $postID )
);
}
else {
$content .= 'no posts found';
}
}
echo $content;
``` |
390,654 | <p>I have a custom block that has block variations. If I make the scope of the variations "inserter", they work as expected. But if I make the scope "block" and use BlockVariationPicker so the user chooses a variation upon adding a block (like they do when adding the core columns block), nothing happens when I click on a variation icon.</p>
<p>I assume it's because I need onSelect added, but I'm not sure what to do.</p>
<p>Register block:</p>
<pre><code>import { __ } from "@wordpress/i18n";
import { registerBlockType } from "@wordpress/blocks";
import "./style.scss";
import Edit from "./edit";
import save from "./save";
registerBlockType("create-block/variation", {
edit: Edit,
save,
});
</code></pre>
<p>My variations:</p>
<pre><code>const variations = [
{
name: "one-column",
title: __("One Column"),
description: __("One column"),
icon: "palmtree",
innerBlocks: [["core/paragraph"]],
scope: ["inserter"],
},
{
name: "two-columns",
title: __("Two Column"),
description: __("Two columns"),
icon: "palmtree",
// isDefault: true,
innerBlocks: [["core/paragraph"], ["core/paragraph"]],
scope: ["inserter"],
},
];
export default variations;
</code></pre>
<p>My edit.js</p>
<pre><code>import { __ } from "@wordpress/i18n";
import {
useBlockProps,
__experimentalBlockVariationPicker as BlockVariationPicker,
} from "@wordpress/block-editor";
import variations from "./variations";
import "./editor.scss";
export default function Edit() {
return (
<div {...useBlockProps()}>
<BlockVariationPicker
variations={variations}
label={__("Menu Columns")}
instructions={__("Choose how many menu columns")}
/>
</div>
);
}
</code></pre>
<p>What do I need to add to make it so when the user clicks on the variation it's entered in the editor? This is what it looks like when I add my block, but nothing happens when I click. <a href="https://i.stack.imgur.com/vC6b7.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/vC6b7.png" alt="enter image description here" /></a></p>
| [
{
"answer_id": 390490,
"author": "Paul G.",
"author_id": 41288,
"author_profile": "https://wordpress.stackexchange.com/users/41288",
"pm_score": 2,
"selected": true,
"text": "<p>I've taken your code and refactored it. Your nested-for-loops arent the ideal way to go about this.</p>\n<p>Also, I've used your code and the meta key names exactly as you supplied them, so please double-check they're correct. Some of them are prefixed with <code>the_</code> and then sometimes not. It's strange, but that's what you supplied.</p>\n<p>Try the code below to see if you get just 1 of each.</p>\n<pre class=\"lang-php prettyprint-override\"><code><?php\n$page_id = get_the_ID();\n$related_args = [\n 'the_color' => get_field( 'color', $page_id ),\n 'the_background' => get_field( 'background', $page_id ),\n 'the_lastname' => get_field( 'lastname', $page_id )\n];\n\n$content = '';\n\nforeach ( $related_args as $meta_key => $meta_value ) {\n\n $content .= $meta_value; //to know the post after it are from that custom post\n\n $posts = get_posts( [\n 'post_type' => 'myposttype',\n 'orderby' => 'rand',\n 'meta_key' => $meta_key,\n 'meta_value' => $meta_value,\n 'numberposts' => 1,\n ] );\n\n if ( !empty( $posts ) ) {\n $postID = current( $posts )->ID;\n $content .= sprintf( '<ul><li><a href="%s"><div class="post-image">%s</div><div class="post-title">%s</div></a></li></ul>',\n get_permalink( $postID ),\n get_the_post_thumbnail( $postID ),\n get_the_title( $postID )\n );\n }\n else {\n $content .= 'no posts found';\n }\n}\n\necho $content;\n</code></pre>\n"
},
{
"answer_id": 390493,
"author": "Fabian Mossberg",
"author_id": 207387,
"author_profile": "https://wordpress.stackexchange.com/users/207387",
"pm_score": 0,
"selected": false,
"text": "<p>I see that you are using ACF, but I wanted to give a solution where I go a little deeper in the process, and break it up in the different steps. I haven't used ACF, so this works without any plugins.</p>\n<h1>First, the functions</h1>\n<p>I broke out the different parts of what you needed into functions that could be reused at other places.</p>\n<p>I also tried to write proper <a href=\"https://make.wordpress.org/core/handbook/best-practices/inline-documentation-standards/php/\" rel=\"nofollow noreferrer\">docblocks</a>, so that if you have an editor that supports it, you will be reminded of what the functions does, and it will stop you from passing any variables of the wrong type.</p>\n<p>This could be pasted into your themes <code>functions.php</code>, or a new file called <code>fabians-functions.php</code> and then just add the following line to <code>functions.php</code>.</p>\n<pre class=\"lang-php prettyprint-override\"><code>require_once __DIR__ . '/fabians-functions.php';\n</code></pre>\n<pre class=\"lang-php prettyprint-override\"><code>/**\n * Get meta data key/value pairs.\n *\n * Pass an array of meta keys, get an array of\n * key/value pairs.\n *\n * @param array $meta_keys the meta keys you want to fetch.\n * @param int $post_id the post ID you want to fetch them from.\n * @return array an associative array with meta_key => meta_value.\n */\nfunction get_multiple_meta_values( array $meta_keys, int $post_id ) {\n $output_meta_key_value_pairs = array();\n foreach ( $meta_keys as $meta_key ) {\n $meta_value = get_post_meta( $post_id, $meta_key, true );\n if ( $meta_value ) {\n $output_meta_key_value_pairs[] = array(\n $meta_key => $meta_value,\n );\n }\n }\n // Flatten the array and remove any invalid entries.\n return array_merge( ...array_filter( $output_meta_key_value_pairs ) );\n}\n\n/**\n * Fetch posts with same meta vaues\n *\n * Pass in an associative array with the custom fields\n * you want to use to find similar posts.\n *\n * We will fetch one post per meta key/value passed.\n * We will not return the current post.\n * We will not return the same post twice.\n *\n * @param array $meta_collection an associative array with meta_key => meta_value.\n * @return WP_Post[] an array of WP Posts.\n */\nfunction get_posts_with_same_meta( array $meta_collection ) {\n $output = array();\n $wp_ignore_posts = array( get_the_ID() );\n\n // Now let's go trhough each of the meta fields you want to find posts on.\n foreach ( $meta_collection as $key => $value ) {\n\n $args = array(\n 'post_type' => 'post',\n // Only one posts.\n 'posts_per_page' => 1,\n 'post_status' => 'publish',\n // That shares the first meta key/value pair.\n 'meta_key' => "$key",\n 'meta_value' => "$value",\n /**\n * Because we don't want to end up short, we need to\n * filter out any posts that was previously fetched.\n * We don't want duplicates to show up.\n */\n 'post__not_in' => $wp_ignore_posts,\n );\n\n $the_query = new WP_Query( $args );\n if ( $the_query->have_posts() ) :\n while ( $the_query->have_posts() ) :\n $the_query->the_post();\n // If we got a hit, add that post to $output[].\n $output[] = $the_query->post;\n // Also, add that posts ID to the ignore-list, so we won't fetch it again.\n $wp_ignore_posts[] = get_the_ID();\n endwhile;\n endif;\n wp_reset_postdata();\n }\n return $output;\n}\n</code></pre>\n<h1>Then, the fun</h1>\n<p>Now that we have everything set up, we can start using the functions in your page templates.</p>\n<pre class=\"lang-php prettyprint-override\"><code>// Setup - Define the meta keys you wish to use.\n$meta_keys_i_want_to_use = array( 'color', 'background_color', 'lastname' );\n\n// Fetch the meta values from the current post and save in $wpm_meta.\n// You can set any number of meta values.\n$wpm_meta = get_multiple_meta_values( $meta_keys_i_want_to_use, get_the_ID() );\n\n// Get posts.\n$the_posts = get_posts_with_same_meta( $wpm_meta );\n\n// Do what you want with them.\nforeach ( $the_posts as $p ) {\n // The post is available as $p.\n ?>\n <div>\n <a href="<?php the_permalink( $p ); ?>">\n <h3><?php echo esc_html( $p->post_title ); ?></h3>\n <img src="<?php echo esc_attr( get_the_post_thumbnail_url( $p, 'thumbnail' ) ); ?>"></a>\n </div>\n <?php\n}\n</code></pre>\n"
}
] | 2021/06/16 | [
"https://wordpress.stackexchange.com/questions/390654",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/120585/"
] | I have a custom block that has block variations. If I make the scope of the variations "inserter", they work as expected. But if I make the scope "block" and use BlockVariationPicker so the user chooses a variation upon adding a block (like they do when adding the core columns block), nothing happens when I click on a variation icon.
I assume it's because I need onSelect added, but I'm not sure what to do.
Register block:
```
import { __ } from "@wordpress/i18n";
import { registerBlockType } from "@wordpress/blocks";
import "./style.scss";
import Edit from "./edit";
import save from "./save";
registerBlockType("create-block/variation", {
edit: Edit,
save,
});
```
My variations:
```
const variations = [
{
name: "one-column",
title: __("One Column"),
description: __("One column"),
icon: "palmtree",
innerBlocks: [["core/paragraph"]],
scope: ["inserter"],
},
{
name: "two-columns",
title: __("Two Column"),
description: __("Two columns"),
icon: "palmtree",
// isDefault: true,
innerBlocks: [["core/paragraph"], ["core/paragraph"]],
scope: ["inserter"],
},
];
export default variations;
```
My edit.js
```
import { __ } from "@wordpress/i18n";
import {
useBlockProps,
__experimentalBlockVariationPicker as BlockVariationPicker,
} from "@wordpress/block-editor";
import variations from "./variations";
import "./editor.scss";
export default function Edit() {
return (
<div {...useBlockProps()}>
<BlockVariationPicker
variations={variations}
label={__("Menu Columns")}
instructions={__("Choose how many menu columns")}
/>
</div>
);
}
```
What do I need to add to make it so when the user clicks on the variation it's entered in the editor? This is what it looks like when I add my block, but nothing happens when I click. [](https://i.stack.imgur.com/vC6b7.png) | I've taken your code and refactored it. Your nested-for-loops arent the ideal way to go about this.
Also, I've used your code and the meta key names exactly as you supplied them, so please double-check they're correct. Some of them are prefixed with `the_` and then sometimes not. It's strange, but that's what you supplied.
Try the code below to see if you get just 1 of each.
```php
<?php
$page_id = get_the_ID();
$related_args = [
'the_color' => get_field( 'color', $page_id ),
'the_background' => get_field( 'background', $page_id ),
'the_lastname' => get_field( 'lastname', $page_id )
];
$content = '';
foreach ( $related_args as $meta_key => $meta_value ) {
$content .= $meta_value; //to know the post after it are from that custom post
$posts = get_posts( [
'post_type' => 'myposttype',
'orderby' => 'rand',
'meta_key' => $meta_key,
'meta_value' => $meta_value,
'numberposts' => 1,
] );
if ( !empty( $posts ) ) {
$postID = current( $posts )->ID;
$content .= sprintf( '<ul><li><a href="%s"><div class="post-image">%s</div><div class="post-title">%s</div></a></li></ul>',
get_permalink( $postID ),
get_the_post_thumbnail( $postID ),
get_the_title( $postID )
);
}
else {
$content .= 'no posts found';
}
}
echo $content;
``` |
390,696 | <p>When using InnerBlocks so you can nest parent/child blocks you end up with additional HTML (in the editor) wrapping the child elements like so:</p>
<pre><code><div class="PARENT">
<div class="block-editor-inner-blocks">
<div class="block-editor-block-list__layout">
<div class="block-editor-block-list__block wp-block is-selected">
<div class="CHILD"></div>
</div>
</div>
</div>
</div>
</code></pre>
<p>This causes a bit of a mess if using things like flexbox or grid on the parent element because it means the styles will instead apply to the <code>.block-editor-inner-blocks</code> instead.</p>
<p>e.g.</p>
<pre><code>.PARENT {
display: grid;
grid-template-columns: repeat(3, minmax(0, 33%));
}
</code></pre>
<p>To get around this I've found myself having to do hacky overrides or write two different sets of CSS to handle the extra HTML that wraps the blocks in the editor:</p>
<pre><code>.PARENT,
.PARENT .block-editor-block-list__layout {
display: grid;
grid-template-columns: repeat(3, minmax(0, 33%));
}
.editor-styles-wrapper .PARENT {
display: block; /* remove grid in editor */
}
</code></pre>
<p>Is there a solution to avoid this? Or are you stuck with two sets of CSS or overrides when viewed inside the editor?</p>
| [
{
"answer_id": 390699,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 3,
"selected": true,
"text": "<p>You can eliminate the wrapping containers abandoning <code>InnerBlocks</code> and instead using the <code>useInnerBlocksProps</code> hook which is how the blocks that come with core do it. This will allow your block markup to match the frontend without the editor wrapping things in additional tags.</p>\n<p>If we look at the official buttons block:</p>\n<pre class=\"lang-js prettyprint-override\"><code>import {\n BlockControls,\n useBlockProps,\n __experimentalUseInnerBlocksProps as useInnerBlocksProps,\n JustifyContentControl,\n} from '@wordpress/block-editor';\n...\n\nfunction ButtonsEdit( {\n attributes: { contentJustification, orientation },\n setAttributes,\n} ) {\n const blockProps = useBlockProps( {\n className: classnames( {\n [ `is-content-justification-${ contentJustification }` ]: contentJustification,\n 'is-vertical': orientation === 'vertical',\n } ),\n } );\n const innerBlocksProps = useInnerBlocksProps( blockProps, {\n allowedBlocks: ALLOWED_BLOCKS,\n template: BUTTONS_TEMPLATE,\n orientation,\n __experimentalLayout: LAYOUT,\n templateInsertUpdatesSelection: true,\n } );\n...\n return (\n <>\n...\n <div { ...innerBlocksProps } />\n </>\n );\n}\n</code></pre>\n<p><a href=\"https://github.com/WordPress/gutenberg/blob/trunk/packages/block-library/src/buttons/edit.js\" rel=\"nofollow noreferrer\">https://github.com/WordPress/gutenberg/blob/trunk/packages/block-library/src/buttons/edit.js</a></p>\n<p>The blocks edit component eliminates the tags that surround the buttons block using <code>useBlockProps</code>, then passes the result to <code>useInnerBlocksProps</code> to do the same for its children. It also passes the parameters that it would have given to the InnerBlocks component as a second parameter.</p>\n<p>This way it has full control over the markup of the block while still giving the editor the opportunity to add event handlers and other things.</p>\n<p>Not that to use this, you must declare you use the v2 API when registering the block. If you don't then <code>useBlockProps</code> won't work</p>\n<pre class=\"lang-js prettyprint-override\"><code>"apiVersion": 2,\n</code></pre>\n<p>A more minimal example:</p>\n<pre><code>import {\n useBlockProps,\n __experimentalUseInnerBlocksProps as useInnerBlocksProps,\n} from '@wordpress/block-editor';\n\nconst Edit = ( props ) => {\n const blockProps = useBlockProps( {} );\n const innerBlocksProps = useInnerBlocksProps( blockProps, {} );\n return <div { ...innerBlocksProps } />;\n};\n</code></pre>\n<p>This also has the benefit of avoiding a common bug in block validation where the innerblocks component shares a tag with another element, and the whitespace generation causes validation to fail, which isn't possible here</p>\n"
},
{
"answer_id": 409056,
"author": "Lee Anthony",
"author_id": 225320,
"author_profile": "https://wordpress.stackexchange.com/users/225320",
"pm_score": 0,
"selected": false,
"text": "<p>Here's one way it can be done without breaking block selection etc:</p>\n<pre><code>const blockProps = useBlockProps();\nconst innerBlocksProps = useInnerBlocksProps();\n\n<div { ...blockProps }>\n { innerBlocksProps.children }\n</div>\n</code></pre>\n"
}
] | 2021/06/17 | [
"https://wordpress.stackexchange.com/questions/390696",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/881/"
] | When using InnerBlocks so you can nest parent/child blocks you end up with additional HTML (in the editor) wrapping the child elements like so:
```
<div class="PARENT">
<div class="block-editor-inner-blocks">
<div class="block-editor-block-list__layout">
<div class="block-editor-block-list__block wp-block is-selected">
<div class="CHILD"></div>
</div>
</div>
</div>
</div>
```
This causes a bit of a mess if using things like flexbox or grid on the parent element because it means the styles will instead apply to the `.block-editor-inner-blocks` instead.
e.g.
```
.PARENT {
display: grid;
grid-template-columns: repeat(3, minmax(0, 33%));
}
```
To get around this I've found myself having to do hacky overrides or write two different sets of CSS to handle the extra HTML that wraps the blocks in the editor:
```
.PARENT,
.PARENT .block-editor-block-list__layout {
display: grid;
grid-template-columns: repeat(3, minmax(0, 33%));
}
.editor-styles-wrapper .PARENT {
display: block; /* remove grid in editor */
}
```
Is there a solution to avoid this? Or are you stuck with two sets of CSS or overrides when viewed inside the editor? | You can eliminate the wrapping containers abandoning `InnerBlocks` and instead using the `useInnerBlocksProps` hook which is how the blocks that come with core do it. This will allow your block markup to match the frontend without the editor wrapping things in additional tags.
If we look at the official buttons block:
```js
import {
BlockControls,
useBlockProps,
__experimentalUseInnerBlocksProps as useInnerBlocksProps,
JustifyContentControl,
} from '@wordpress/block-editor';
...
function ButtonsEdit( {
attributes: { contentJustification, orientation },
setAttributes,
} ) {
const blockProps = useBlockProps( {
className: classnames( {
[ `is-content-justification-${ contentJustification }` ]: contentJustification,
'is-vertical': orientation === 'vertical',
} ),
} );
const innerBlocksProps = useInnerBlocksProps( blockProps, {
allowedBlocks: ALLOWED_BLOCKS,
template: BUTTONS_TEMPLATE,
orientation,
__experimentalLayout: LAYOUT,
templateInsertUpdatesSelection: true,
} );
...
return (
<>
...
<div { ...innerBlocksProps } />
</>
);
}
```
<https://github.com/WordPress/gutenberg/blob/trunk/packages/block-library/src/buttons/edit.js>
The blocks edit component eliminates the tags that surround the buttons block using `useBlockProps`, then passes the result to `useInnerBlocksProps` to do the same for its children. It also passes the parameters that it would have given to the InnerBlocks component as a second parameter.
This way it has full control over the markup of the block while still giving the editor the opportunity to add event handlers and other things.
Not that to use this, you must declare you use the v2 API when registering the block. If you don't then `useBlockProps` won't work
```js
"apiVersion": 2,
```
A more minimal example:
```
import {
useBlockProps,
__experimentalUseInnerBlocksProps as useInnerBlocksProps,
} from '@wordpress/block-editor';
const Edit = ( props ) => {
const blockProps = useBlockProps( {} );
const innerBlocksProps = useInnerBlocksProps( blockProps, {} );
return <div { ...innerBlocksProps } />;
};
```
This also has the benefit of avoiding a common bug in block validation where the innerblocks component shares a tag with another element, and the whitespace generation causes validation to fail, which isn't possible here |
390,711 | <p>My site was running well last summer. But today when I tried to make updates in the wp-admin section, I got lots of 403 errors on all PHP files: <code>load-styles, load-scripts, edit.php, media-new.php</code>, etc... The interesting thing is that the front-end of my site has no problems.</p>
<h3>Screenshot:</h3>
<p><a href="https://i.stack.imgur.com/NwB3p.jpg" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/NwB3p.jpg" alt="403 errors in network tab" /></a></p>
<ol>
<li>I've read a few articles suggesting I disable plugins. I tried it, but it does not fix anything.</li>
<li>Then I tried deleting my <code>.htaccess</code> file, and this does fix the wp-admin section, but it breaks the front-end, and now I get 403 errors on the homepage! It's like I can only get one or the other. After about 5 minutes, Wordpress automatically creates a new <code>.htaccess</code> file, and we're back to square one.</li>
</ol>
<p>What permissions and settings should I set on <code>.htaccess</code> so I can run both my front-end and wp-admin sections without 403 Forbidden errors? This is what it looks like now:</p>
<pre><code><FilesMatch ".(py|exe|php)$">
Order allow,deny
Deny from all
</FilesMatch>
<FilesMatch "^(about.php|radio.php|index.php|content.php|lock360.php|admin.php|wp-login.php)$">
Order allow,deny
Allow from all
</FilesMatch>
<IfModule mod_rewrite.c>
RewriteEngine On
RewriteBase /
RewriteRule ^index\.php$ - [L]
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule . /index.php [L]
</IfModule>
</code></pre>
| [
{
"answer_id": 390712,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 3,
"selected": true,
"text": "<p>You appear to be denying access to PHP files, which would explain why you are denied access to PHP files:</p>\n<pre><code><FilesMatch ".(py|exe|php)$">\n Order allow,deny\n Deny from all\n</FilesMatch>\n</code></pre>\n<p>What is the purpose of this?</p>\n"
},
{
"answer_id": 395658,
"author": "Talles Airan",
"author_id": 212492,
"author_profile": "https://wordpress.stackexchange.com/users/212492",
"pm_score": 0,
"selected": false,
"text": "<p>This is caused by <strong>webshell</strong>, your <strong>wordpress</strong> must have some of these <strong>lock360.php</strong> or <strong>radio.php</strong> files, it does this so that if someone else sends a shell or some malicious script it doesn't run and only its shell is executed, probably your website is being sold in some dark spam market</p>\n<p>recommend you reinstall your wordpress and scan your theme and etc. Also check your google results your site may be being cloaked, check site:yoursite.com</p>\n"
}
] | 2021/06/17 | [
"https://wordpress.stackexchange.com/questions/390711",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/188876/"
] | My site was running well last summer. But today when I tried to make updates in the wp-admin section, I got lots of 403 errors on all PHP files: `load-styles, load-scripts, edit.php, media-new.php`, etc... The interesting thing is that the front-end of my site has no problems.
### Screenshot:
[](https://i.stack.imgur.com/NwB3p.jpg)
1. I've read a few articles suggesting I disable plugins. I tried it, but it does not fix anything.
2. Then I tried deleting my `.htaccess` file, and this does fix the wp-admin section, but it breaks the front-end, and now I get 403 errors on the homepage! It's like I can only get one or the other. After about 5 minutes, Wordpress automatically creates a new `.htaccess` file, and we're back to square one.
What permissions and settings should I set on `.htaccess` so I can run both my front-end and wp-admin sections without 403 Forbidden errors? This is what it looks like now:
```
<FilesMatch ".(py|exe|php)$">
Order allow,deny
Deny from all
</FilesMatch>
<FilesMatch "^(about.php|radio.php|index.php|content.php|lock360.php|admin.php|wp-login.php)$">
Order allow,deny
Allow from all
</FilesMatch>
<IfModule mod_rewrite.c>
RewriteEngine On
RewriteBase /
RewriteRule ^index\.php$ - [L]
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule . /index.php [L]
</IfModule>
``` | You appear to be denying access to PHP files, which would explain why you are denied access to PHP files:
```
<FilesMatch ".(py|exe|php)$">
Order allow,deny
Deny from all
</FilesMatch>
```
What is the purpose of this? |
390,768 | <p>This is about the functions.php file.</p>
<p>I have a homepage with two links to enter data into either this form (refinance) or that form (purchase). Both forms have identical fields, just one question is different.</p>
<p>This site is for home purchase and refinance loans, so the difference between the two forms is "What is the value of your home?" for the Refinance and "How much are you looking to for a loan?" for the Purchase option. The option values are identical for both, and I just write the transaction type into the database as a way to differentiate between the two types of transactions.</p>
<p>My code works for inserting the data into my database. Upon submission, I just wanted to ask how to redirect to the refinance thank you page (quote-thank-you-refinance) when the transaction comes from the refinance-form/ url, and how to redirect to the thank you page (quote-thank-you-purchase/) for purchase transactions.</p>
<p>The full URL is not shown in the pages listed above, just enough to differentiate between the two forms.</p>
<p>I have this for the redirection:</p>
<blockquote>
</blockquote>
<pre><code>window.location = "quote-thank-you-purchase/";
</code></pre>
and that works fine for the purchase.
<p>How could I create a switch or if/then statement based on which URL the page is currently on to redirect to the proper thank you page depending on which type of transaction?</p>
<p>This is my form submission with redirect (domain has been removed for obvious reasons):</p>
<p>function submit_form() {
ob_start();
global $wpdb;</p>
<pre><code>$form_data = $wpdb->insert("wp_h_p", array(
'salesprice' => $_POST['salesprice'],
'loan_amount' => $_POST['loan_amount'],
'income' => $_POST['income'],
'fName' => $_POST['fName'],
'lName' => $_POST['lName'],
'property_street' => $_POST['property_street'],
'property_city' => $_POST['property_city'],
'property_state' => $_POST['property_state'],
'property_zipcode' => $_POST['property_zipcode'],
'primary_phone' => $_POST['primary_phone'],
'email' => $_POST['email'],
'ip' => $_SERVER['REMOTE_ADDR'],
'formurl' => $_SERVER['REQUEST_URI'],
'user_message' => $_POST['user_message'],
));
if($form_data) {
?>
<script>
window.location = "https:///quote-thank-you-purchase/";
</script>
<?php
} else {
$message = '<div class="alert alert-error">There is an error adding the new record. </div>';
}
<?php
<script>
if ( window.history.replaceState ) {
window.history.replaceState( null, null, window.location.href );
}
</script>
<?php
return ob_get_clean();
}
add_shortcode('form_submit', 'submit_form');
</code></pre>
<p>Thank you in advance.</p>
| [
{
"answer_id": 390712,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 3,
"selected": true,
"text": "<p>You appear to be denying access to PHP files, which would explain why you are denied access to PHP files:</p>\n<pre><code><FilesMatch ".(py|exe|php)$">\n Order allow,deny\n Deny from all\n</FilesMatch>\n</code></pre>\n<p>What is the purpose of this?</p>\n"
},
{
"answer_id": 395658,
"author": "Talles Airan",
"author_id": 212492,
"author_profile": "https://wordpress.stackexchange.com/users/212492",
"pm_score": 0,
"selected": false,
"text": "<p>This is caused by <strong>webshell</strong>, your <strong>wordpress</strong> must have some of these <strong>lock360.php</strong> or <strong>radio.php</strong> files, it does this so that if someone else sends a shell or some malicious script it doesn't run and only its shell is executed, probably your website is being sold in some dark spam market</p>\n<p>recommend you reinstall your wordpress and scan your theme and etc. Also check your google results your site may be being cloaked, check site:yoursite.com</p>\n"
}
] | 2021/06/19 | [
"https://wordpress.stackexchange.com/questions/390768",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/207981/"
] | This is about the functions.php file.
I have a homepage with two links to enter data into either this form (refinance) or that form (purchase). Both forms have identical fields, just one question is different.
This site is for home purchase and refinance loans, so the difference between the two forms is "What is the value of your home?" for the Refinance and "How much are you looking to for a loan?" for the Purchase option. The option values are identical for both, and I just write the transaction type into the database as a way to differentiate between the two types of transactions.
My code works for inserting the data into my database. Upon submission, I just wanted to ask how to redirect to the refinance thank you page (quote-thank-you-refinance) when the transaction comes from the refinance-form/ url, and how to redirect to the thank you page (quote-thank-you-purchase/) for purchase transactions.
The full URL is not shown in the pages listed above, just enough to differentiate between the two forms.
I have this for the redirection:
>
>
```
window.location = "quote-thank-you-purchase/";
```
and that works fine for the purchase.
How could I create a switch or if/then statement based on which URL the page is currently on to redirect to the proper thank you page depending on which type of transaction?
This is my form submission with redirect (domain has been removed for obvious reasons):
function submit\_form() {
ob\_start();
global $wpdb;
```
$form_data = $wpdb->insert("wp_h_p", array(
'salesprice' => $_POST['salesprice'],
'loan_amount' => $_POST['loan_amount'],
'income' => $_POST['income'],
'fName' => $_POST['fName'],
'lName' => $_POST['lName'],
'property_street' => $_POST['property_street'],
'property_city' => $_POST['property_city'],
'property_state' => $_POST['property_state'],
'property_zipcode' => $_POST['property_zipcode'],
'primary_phone' => $_POST['primary_phone'],
'email' => $_POST['email'],
'ip' => $_SERVER['REMOTE_ADDR'],
'formurl' => $_SERVER['REQUEST_URI'],
'user_message' => $_POST['user_message'],
));
if($form_data) {
?>
<script>
window.location = "https:///quote-thank-you-purchase/";
</script>
<?php
} else {
$message = '<div class="alert alert-error">There is an error adding the new record. </div>';
}
<?php
<script>
if ( window.history.replaceState ) {
window.history.replaceState( null, null, window.location.href );
}
</script>
<?php
return ob_get_clean();
}
add_shortcode('form_submit', 'submit_form');
```
Thank you in advance. | You appear to be denying access to PHP files, which would explain why you are denied access to PHP files:
```
<FilesMatch ".(py|exe|php)$">
Order allow,deny
Deny from all
</FilesMatch>
```
What is the purpose of this? |
390,795 | <p>I am looking at ways to restrict direct access to the Wordpress Uploads folder. I've read a handful of Stackoverflow and blog posts about using "wordpress_logged_in" in .htaccess to check if a person is logged in and if they are not to restrict them. See example of a snippet below.</p>
<p>However, I also read a post that was written almost 10 years ago that it would be preferable to do this via PHP as checking for a cookie isn't very secure and could be hackable. However, since then Wordpress has improved how cookies are done and are more secure as I understand it.</p>
<p>Old Stackoverflow thread here.</p>
<p><a href="https://wordpress.stackexchange.com/questions/37144/how-to-protect-uploads-if-user-is-not-logged-in">How to Protect Uploads, if User is not Logged In?</a></p>
<p>How hackable is checking for a cookie if a person is logged in? Is the idea here that a person could Brute Force the cookie? For me this solution is more straightforward and something I can easily wrap my head around.</p>
<p>Htacess Example here - Check to see if a person is logged in:</p>
<pre><code><IfModule mod_rewrite.c>
RewriteCond %{REQUEST_FILENAME} (.*)
RewriteCond %{HTTP_COOKIE} !wordpress_logged_in_([a-zA-Z0-9_]*) [NC]
RewriteRule .* - [F,L]
</IfModule>
</code></pre>
| [
{
"answer_id": 390712,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 3,
"selected": true,
"text": "<p>You appear to be denying access to PHP files, which would explain why you are denied access to PHP files:</p>\n<pre><code><FilesMatch ".(py|exe|php)$">\n Order allow,deny\n Deny from all\n</FilesMatch>\n</code></pre>\n<p>What is the purpose of this?</p>\n"
},
{
"answer_id": 395658,
"author": "Talles Airan",
"author_id": 212492,
"author_profile": "https://wordpress.stackexchange.com/users/212492",
"pm_score": 0,
"selected": false,
"text": "<p>This is caused by <strong>webshell</strong>, your <strong>wordpress</strong> must have some of these <strong>lock360.php</strong> or <strong>radio.php</strong> files, it does this so that if someone else sends a shell or some malicious script it doesn't run and only its shell is executed, probably your website is being sold in some dark spam market</p>\n<p>recommend you reinstall your wordpress and scan your theme and etc. Also check your google results your site may be being cloaked, check site:yoursite.com</p>\n"
}
] | 2021/06/20 | [
"https://wordpress.stackexchange.com/questions/390795",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/60781/"
] | I am looking at ways to restrict direct access to the Wordpress Uploads folder. I've read a handful of Stackoverflow and blog posts about using "wordpress\_logged\_in" in .htaccess to check if a person is logged in and if they are not to restrict them. See example of a snippet below.
However, I also read a post that was written almost 10 years ago that it would be preferable to do this via PHP as checking for a cookie isn't very secure and could be hackable. However, since then Wordpress has improved how cookies are done and are more secure as I understand it.
Old Stackoverflow thread here.
[How to Protect Uploads, if User is not Logged In?](https://wordpress.stackexchange.com/questions/37144/how-to-protect-uploads-if-user-is-not-logged-in)
How hackable is checking for a cookie if a person is logged in? Is the idea here that a person could Brute Force the cookie? For me this solution is more straightforward and something I can easily wrap my head around.
Htacess Example here - Check to see if a person is logged in:
```
<IfModule mod_rewrite.c>
RewriteCond %{REQUEST_FILENAME} (.*)
RewriteCond %{HTTP_COOKIE} !wordpress_logged_in_([a-zA-Z0-9_]*) [NC]
RewriteRule .* - [F,L]
</IfModule>
``` | You appear to be denying access to PHP files, which would explain why you are denied access to PHP files:
```
<FilesMatch ".(py|exe|php)$">
Order allow,deny
Deny from all
</FilesMatch>
```
What is the purpose of this? |
390,837 | <p>i am working on custom page templates. so i want to remove all body classes by one function only.
i searched it for on net but not found any solution.</p>
<p>is there anyone who can answer it. @Php</p>
<p>Edit..</p>
<p>how to remove all page template classes except all other..</p>
<p>example - page-template, page-template-zx, page-template-zx-php etc. means all classes that starts with "page" word.</p>
<p>problem is that i am using many page templates so i want to do this with one function from pasting in functions.php</p>
| [
{
"answer_id": 390839,
"author": "Rup",
"author_id": 3276,
"author_profile": "https://wordpress.stackexchange.com/users/3276",
"pm_score": 3,
"selected": false,
"text": "<p>I'm going to assume you mean the classes generated by <a href=\"https://developer.wordpress.org/reference/functions/body_class/\" rel=\"nofollow noreferrer\">body_class()</a>, e.g. from the twentytwentyone header.php:</p>\n<pre class=\"lang-php prettyprint-override\"><code><body <?php body_class(); ?>>\n<?php wp_body_open(); ?>\n</code></pre>\n<p>The simplest thing to do is to just remove the <code><?php body_class(); ?></code> call from your header.php. Or if you can't / don't want to change that, create a new header.php for these pages e.g. header-custom.php and load this with <code>wp_head('custom')</code> in your template.</p>\n<p>Or if you really do need to suppress the output of body_class() then you can filter that away:</p>\n<pre class=\"lang-php prettyprint-override\"><code>function empty_body_class($classes, $class) {\n return [];\n}\nadd_filter( 'body_class', 'empty_body_class', 999, 2 );\n</code></pre>\n<p>but you'll probably be left with an empty <code>class=""</code> on the body tag.</p>\n<hr />\n<p>Or (as you've asked in comments) if you just want to remove anything starting "page", or a fixed string "example_class", you can just edit the array in the filter instead e.g.</p>\n<pre class=\"lang-php prettyprint-override\"><code>function filter_body_classes( $classes, $class ) {\n foreach( $classes as $key => $value ) {\n if ( strpos( $value, 'page' ) === 0\n || $value === 'example_class' ) {\n unset( $classes[$key] );\n }\n }\n return $classes;\n}\nadd_filter( 'body_class', 'filter_body_classes', 999, 2 );\n</code></pre>\n"
},
{
"answer_id": 390845,
"author": "Fluent-Themes",
"author_id": 202210,
"author_profile": "https://wordpress.stackexchange.com/users/202210",
"pm_score": 0,
"selected": false,
"text": "<p>The solution from Rup should answer your question. As you've asked in comments "what changes I have to made your last function if I want to remove another class like 'example_class'", you can just edit the line I have mentioned in my following code:</p>\n<pre><code>function filter_body_classes( $classes, $class ) {\n foreach( $classes as $key => $value ) {\n if ( strpos( $value, 'page' ) === 0\n || $value === 'example_class' || $value === 'example_class_two' || $value === 'example_class_three' ) { //add as many example_class as you need like this\n unset( $classes[$key] );\n }\n }\n return $classes;\n}\nadd_filter( 'body_class', 'filter_body_classes', 999, 2 );\n</code></pre>\n"
}
] | 2021/06/21 | [
"https://wordpress.stackexchange.com/questions/390837",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/-1/"
] | i am working on custom page templates. so i want to remove all body classes by one function only.
i searched it for on net but not found any solution.
is there anyone who can answer it. @Php
Edit..
how to remove all page template classes except all other..
example - page-template, page-template-zx, page-template-zx-php etc. means all classes that starts with "page" word.
problem is that i am using many page templates so i want to do this with one function from pasting in functions.php | I'm going to assume you mean the classes generated by [body\_class()](https://developer.wordpress.org/reference/functions/body_class/), e.g. from the twentytwentyone header.php:
```php
<body <?php body_class(); ?>>
<?php wp_body_open(); ?>
```
The simplest thing to do is to just remove the `<?php body_class(); ?>` call from your header.php. Or if you can't / don't want to change that, create a new header.php for these pages e.g. header-custom.php and load this with `wp_head('custom')` in your template.
Or if you really do need to suppress the output of body\_class() then you can filter that away:
```php
function empty_body_class($classes, $class) {
return [];
}
add_filter( 'body_class', 'empty_body_class', 999, 2 );
```
but you'll probably be left with an empty `class=""` on the body tag.
---
Or (as you've asked in comments) if you just want to remove anything starting "page", or a fixed string "example\_class", you can just edit the array in the filter instead e.g.
```php
function filter_body_classes( $classes, $class ) {
foreach( $classes as $key => $value ) {
if ( strpos( $value, 'page' ) === 0
|| $value === 'example_class' ) {
unset( $classes[$key] );
}
}
return $classes;
}
add_filter( 'body_class', 'filter_body_classes', 999, 2 );
``` |
390,867 | <p>I am using Wordpress/Woocommerce for my website along with jekyll (static html generator). I want to change a button based upon user logged in or logged out.</p>
<pre><code>\\ if user is logged in
<button>Log Out</button>
\\ else
<button>Log in</button>
</code></pre>
| [
{
"answer_id": 390839,
"author": "Rup",
"author_id": 3276,
"author_profile": "https://wordpress.stackexchange.com/users/3276",
"pm_score": 3,
"selected": false,
"text": "<p>I'm going to assume you mean the classes generated by <a href=\"https://developer.wordpress.org/reference/functions/body_class/\" rel=\"nofollow noreferrer\">body_class()</a>, e.g. from the twentytwentyone header.php:</p>\n<pre class=\"lang-php prettyprint-override\"><code><body <?php body_class(); ?>>\n<?php wp_body_open(); ?>\n</code></pre>\n<p>The simplest thing to do is to just remove the <code><?php body_class(); ?></code> call from your header.php. Or if you can't / don't want to change that, create a new header.php for these pages e.g. header-custom.php and load this with <code>wp_head('custom')</code> in your template.</p>\n<p>Or if you really do need to suppress the output of body_class() then you can filter that away:</p>\n<pre class=\"lang-php prettyprint-override\"><code>function empty_body_class($classes, $class) {\n return [];\n}\nadd_filter( 'body_class', 'empty_body_class', 999, 2 );\n</code></pre>\n<p>but you'll probably be left with an empty <code>class=""</code> on the body tag.</p>\n<hr />\n<p>Or (as you've asked in comments) if you just want to remove anything starting "page", or a fixed string "example_class", you can just edit the array in the filter instead e.g.</p>\n<pre class=\"lang-php prettyprint-override\"><code>function filter_body_classes( $classes, $class ) {\n foreach( $classes as $key => $value ) {\n if ( strpos( $value, 'page' ) === 0\n || $value === 'example_class' ) {\n unset( $classes[$key] );\n }\n }\n return $classes;\n}\nadd_filter( 'body_class', 'filter_body_classes', 999, 2 );\n</code></pre>\n"
},
{
"answer_id": 390845,
"author": "Fluent-Themes",
"author_id": 202210,
"author_profile": "https://wordpress.stackexchange.com/users/202210",
"pm_score": 0,
"selected": false,
"text": "<p>The solution from Rup should answer your question. As you've asked in comments "what changes I have to made your last function if I want to remove another class like 'example_class'", you can just edit the line I have mentioned in my following code:</p>\n<pre><code>function filter_body_classes( $classes, $class ) {\n foreach( $classes as $key => $value ) {\n if ( strpos( $value, 'page' ) === 0\n || $value === 'example_class' || $value === 'example_class_two' || $value === 'example_class_three' ) { //add as many example_class as you need like this\n unset( $classes[$key] );\n }\n }\n return $classes;\n}\nadd_filter( 'body_class', 'filter_body_classes', 999, 2 );\n</code></pre>\n"
}
] | 2021/06/22 | [
"https://wordpress.stackexchange.com/questions/390867",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194326/"
] | I am using Wordpress/Woocommerce for my website along with jekyll (static html generator). I want to change a button based upon user logged in or logged out.
```
\\ if user is logged in
<button>Log Out</button>
\\ else
<button>Log in</button>
``` | I'm going to assume you mean the classes generated by [body\_class()](https://developer.wordpress.org/reference/functions/body_class/), e.g. from the twentytwentyone header.php:
```php
<body <?php body_class(); ?>>
<?php wp_body_open(); ?>
```
The simplest thing to do is to just remove the `<?php body_class(); ?>` call from your header.php. Or if you can't / don't want to change that, create a new header.php for these pages e.g. header-custom.php and load this with `wp_head('custom')` in your template.
Or if you really do need to suppress the output of body\_class() then you can filter that away:
```php
function empty_body_class($classes, $class) {
return [];
}
add_filter( 'body_class', 'empty_body_class', 999, 2 );
```
but you'll probably be left with an empty `class=""` on the body tag.
---
Or (as you've asked in comments) if you just want to remove anything starting "page", or a fixed string "example\_class", you can just edit the array in the filter instead e.g.
```php
function filter_body_classes( $classes, $class ) {
foreach( $classes as $key => $value ) {
if ( strpos( $value, 'page' ) === 0
|| $value === 'example_class' ) {
unset( $classes[$key] );
}
}
return $classes;
}
add_filter( 'body_class', 'filter_body_classes', 999, 2 );
``` |
390,913 | <p>I'm developing a site using Understrap's starter theme. I wanted to use a split design on home.php where the latest post is displayed on top of the others "full width" while the rest are positioned below within a three column layout.</p>
<p>Thanks to <a href="https://wordpress.stackexchange.com/a/191448/204194">this very helpful post</a> it works flawlessly.</p>
<p>However, now I'm having a <strong>hard time getting the pagination to work</strong> in conjunction to the altered loop.
Without doing anything, the pagination shows up at the bottom of the page but when I press the link, same page is coming up.</p>
<p>This is my code:</p>
<pre><code><?php
$args = [
'posts_per_page' => 10
];
$q = new WP_Query($args);
if ($q->have_posts()) {
while ($q->have_posts()) {
$q->the_post();
if ($q->current_post < 1) { ?>
<!-- start .banner -->
<section id="banner" class="ts-75 bs-100">
<div class="content">
<h1 class="banner-blog-title">
<a class="post-link" href="<?php the_permalink(); ?>"><?php the_title(); ?></a>
</h1>
<p class="lead"><?php echo wp_trim_words(get_the_excerpt(), 40); ?></p>
<a href="<?php the_permalink(); ?>" class="btn btn-outline-secondary">LΓ€s hela texten</a>
</div>
<a class="img-link half-w-lg" href="<?php the_permalink(); ?>">
<?php if (has_post_thumbnail()) : ?>
<img src="<?php the_post_thumbnail_url('blog_image'); ?>" class="img-fluid fit-cover" alt="<?php echo $image_alt; ?>">
<?php endif; ?>
</a>
</section><!-- / .banner -->
<?php
}
} ?>
<hr class="hr-royal hr-royal-thick bs-100">
<div class="card-section">
<div class="row mx-lg-n5">
<?php
$q->rewind_posts();
while ($q->have_posts()) {
$q->the_post();
if ($q->current_post >= 1 && $q->current_post <= 10) { ?>
<div class="col-md-6 col-xl-4 mb-5 px-lg-5">
<div class="card">
<div class="card-image-wrapper">
<a href="<?php the_permalink(); ?>">
<?php if (has_post_thumbnail()) : ?>
<img src="<?php the_post_thumbnail_url('blog_image'); ?>" class="card-img-top fit-cover" alt="<?php echo $image_alt; ?>">
<?php endif; ?>
</a>
</div>
<div class="card-body">
<a href="#" class="card-post-date-link">
<div class="card-post-date">
<p class="card-post-date-text--lg"><?php the_time('d'); ?></p>
<p class="card-post-date-text--sm"><?php the_time('M'); ?></p>
</div>
</a>
<h4 class="card-title">
<a class="card-post-link" href="#"><?php the_title(); ?></a>
</h4>
<?php if (get_field('ingress')) : ?>
<div class="lead-wrapper">
<p class="lead"><?php echo wp_trim_words(get_field('ingress'), 32); ?></p>
</div>
<?php else : ?>
<p class="lead"><?php echo wp_trim_words(get_the_excerpt(), 24); ?></p>
<?php endif; ?>
</div>
</div>
</div>
<?php
}
}
// wp_reset_postdata(); // Initial reset
} ?>
</div>
</div>
<!-- This is where I try to continue the loop and retrieve the correct post data for pagination -->
<?php
$q->rewind_posts();
while ($q->have_posts()) {
$q->the_post();
if ($q->current_post > 10) { ?>
<?php understrap_pagination();
}
wp_reset_postdata();
} ?>
</code></pre>
<p>Any help appreciated! Thank you.</p>
| [
{
"answer_id": 390839,
"author": "Rup",
"author_id": 3276,
"author_profile": "https://wordpress.stackexchange.com/users/3276",
"pm_score": 3,
"selected": false,
"text": "<p>I'm going to assume you mean the classes generated by <a href=\"https://developer.wordpress.org/reference/functions/body_class/\" rel=\"nofollow noreferrer\">body_class()</a>, e.g. from the twentytwentyone header.php:</p>\n<pre class=\"lang-php prettyprint-override\"><code><body <?php body_class(); ?>>\n<?php wp_body_open(); ?>\n</code></pre>\n<p>The simplest thing to do is to just remove the <code><?php body_class(); ?></code> call from your header.php. Or if you can't / don't want to change that, create a new header.php for these pages e.g. header-custom.php and load this with <code>wp_head('custom')</code> in your template.</p>\n<p>Or if you really do need to suppress the output of body_class() then you can filter that away:</p>\n<pre class=\"lang-php prettyprint-override\"><code>function empty_body_class($classes, $class) {\n return [];\n}\nadd_filter( 'body_class', 'empty_body_class', 999, 2 );\n</code></pre>\n<p>but you'll probably be left with an empty <code>class=""</code> on the body tag.</p>\n<hr />\n<p>Or (as you've asked in comments) if you just want to remove anything starting "page", or a fixed string "example_class", you can just edit the array in the filter instead e.g.</p>\n<pre class=\"lang-php prettyprint-override\"><code>function filter_body_classes( $classes, $class ) {\n foreach( $classes as $key => $value ) {\n if ( strpos( $value, 'page' ) === 0\n || $value === 'example_class' ) {\n unset( $classes[$key] );\n }\n }\n return $classes;\n}\nadd_filter( 'body_class', 'filter_body_classes', 999, 2 );\n</code></pre>\n"
},
{
"answer_id": 390845,
"author": "Fluent-Themes",
"author_id": 202210,
"author_profile": "https://wordpress.stackexchange.com/users/202210",
"pm_score": 0,
"selected": false,
"text": "<p>The solution from Rup should answer your question. As you've asked in comments "what changes I have to made your last function if I want to remove another class like 'example_class'", you can just edit the line I have mentioned in my following code:</p>\n<pre><code>function filter_body_classes( $classes, $class ) {\n foreach( $classes as $key => $value ) {\n if ( strpos( $value, 'page' ) === 0\n || $value === 'example_class' || $value === 'example_class_two' || $value === 'example_class_three' ) { //add as many example_class as you need like this\n unset( $classes[$key] );\n }\n }\n return $classes;\n}\nadd_filter( 'body_class', 'filter_body_classes', 999, 2 );\n</code></pre>\n"
}
] | 2021/06/23 | [
"https://wordpress.stackexchange.com/questions/390913",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/204194/"
] | I'm developing a site using Understrap's starter theme. I wanted to use a split design on home.php where the latest post is displayed on top of the others "full width" while the rest are positioned below within a three column layout.
Thanks to [this very helpful post](https://wordpress.stackexchange.com/a/191448/204194) it works flawlessly.
However, now I'm having a **hard time getting the pagination to work** in conjunction to the altered loop.
Without doing anything, the pagination shows up at the bottom of the page but when I press the link, same page is coming up.
This is my code:
```
<?php
$args = [
'posts_per_page' => 10
];
$q = new WP_Query($args);
if ($q->have_posts()) {
while ($q->have_posts()) {
$q->the_post();
if ($q->current_post < 1) { ?>
<!-- start .banner -->
<section id="banner" class="ts-75 bs-100">
<div class="content">
<h1 class="banner-blog-title">
<a class="post-link" href="<?php the_permalink(); ?>"><?php the_title(); ?></a>
</h1>
<p class="lead"><?php echo wp_trim_words(get_the_excerpt(), 40); ?></p>
<a href="<?php the_permalink(); ?>" class="btn btn-outline-secondary">LΓ€s hela texten</a>
</div>
<a class="img-link half-w-lg" href="<?php the_permalink(); ?>">
<?php if (has_post_thumbnail()) : ?>
<img src="<?php the_post_thumbnail_url('blog_image'); ?>" class="img-fluid fit-cover" alt="<?php echo $image_alt; ?>">
<?php endif; ?>
</a>
</section><!-- / .banner -->
<?php
}
} ?>
<hr class="hr-royal hr-royal-thick bs-100">
<div class="card-section">
<div class="row mx-lg-n5">
<?php
$q->rewind_posts();
while ($q->have_posts()) {
$q->the_post();
if ($q->current_post >= 1 && $q->current_post <= 10) { ?>
<div class="col-md-6 col-xl-4 mb-5 px-lg-5">
<div class="card">
<div class="card-image-wrapper">
<a href="<?php the_permalink(); ?>">
<?php if (has_post_thumbnail()) : ?>
<img src="<?php the_post_thumbnail_url('blog_image'); ?>" class="card-img-top fit-cover" alt="<?php echo $image_alt; ?>">
<?php endif; ?>
</a>
</div>
<div class="card-body">
<a href="#" class="card-post-date-link">
<div class="card-post-date">
<p class="card-post-date-text--lg"><?php the_time('d'); ?></p>
<p class="card-post-date-text--sm"><?php the_time('M'); ?></p>
</div>
</a>
<h4 class="card-title">
<a class="card-post-link" href="#"><?php the_title(); ?></a>
</h4>
<?php if (get_field('ingress')) : ?>
<div class="lead-wrapper">
<p class="lead"><?php echo wp_trim_words(get_field('ingress'), 32); ?></p>
</div>
<?php else : ?>
<p class="lead"><?php echo wp_trim_words(get_the_excerpt(), 24); ?></p>
<?php endif; ?>
</div>
</div>
</div>
<?php
}
}
// wp_reset_postdata(); // Initial reset
} ?>
</div>
</div>
<!-- This is where I try to continue the loop and retrieve the correct post data for pagination -->
<?php
$q->rewind_posts();
while ($q->have_posts()) {
$q->the_post();
if ($q->current_post > 10) { ?>
<?php understrap_pagination();
}
wp_reset_postdata();
} ?>
```
Any help appreciated! Thank you. | I'm going to assume you mean the classes generated by [body\_class()](https://developer.wordpress.org/reference/functions/body_class/), e.g. from the twentytwentyone header.php:
```php
<body <?php body_class(); ?>>
<?php wp_body_open(); ?>
```
The simplest thing to do is to just remove the `<?php body_class(); ?>` call from your header.php. Or if you can't / don't want to change that, create a new header.php for these pages e.g. header-custom.php and load this with `wp_head('custom')` in your template.
Or if you really do need to suppress the output of body\_class() then you can filter that away:
```php
function empty_body_class($classes, $class) {
return [];
}
add_filter( 'body_class', 'empty_body_class', 999, 2 );
```
but you'll probably be left with an empty `class=""` on the body tag.
---
Or (as you've asked in comments) if you just want to remove anything starting "page", or a fixed string "example\_class", you can just edit the array in the filter instead e.g.
```php
function filter_body_classes( $classes, $class ) {
foreach( $classes as $key => $value ) {
if ( strpos( $value, 'page' ) === 0
|| $value === 'example_class' ) {
unset( $classes[$key] );
}
}
return $classes;
}
add_filter( 'body_class', 'filter_body_classes', 999, 2 );
``` |
390,956 | <p>I would like to use REST API to update custom fields on various pages - an example would be tracking outside temperature, humidity, etc from a sensor. However, if the website has cache, the pages won't update with the new information in the custom fields.</p>
<p>How can I "punch holes" in the cache so only these fields are updated without regenerating the entire cache for the page?</p>
<p>I thought of object cache but that is for DB queries and probably won't be suitable for this purpose.</p>
<p>Any ideas are welcome. Many thanks</p>
<p>EDIT:
So far I can think of two options:</p>
<ol>
<li>Scrap and recreate the entire cache</li>
<li>Load the custom fields with AJAX</li>
<li>Server Side Events</li>
</ol>
<p>I am not sure which is faster. Perhaps it depends on the number of visitors and the frequency of data updates which might cause massive amounts of AJAX calls while the cache is created only once. What is the standard approach in situations where you want to present up-to-date information on the website?</p>
| [
{
"answer_id": 390839,
"author": "Rup",
"author_id": 3276,
"author_profile": "https://wordpress.stackexchange.com/users/3276",
"pm_score": 3,
"selected": false,
"text": "<p>I'm going to assume you mean the classes generated by <a href=\"https://developer.wordpress.org/reference/functions/body_class/\" rel=\"nofollow noreferrer\">body_class()</a>, e.g. from the twentytwentyone header.php:</p>\n<pre class=\"lang-php prettyprint-override\"><code><body <?php body_class(); ?>>\n<?php wp_body_open(); ?>\n</code></pre>\n<p>The simplest thing to do is to just remove the <code><?php body_class(); ?></code> call from your header.php. Or if you can't / don't want to change that, create a new header.php for these pages e.g. header-custom.php and load this with <code>wp_head('custom')</code> in your template.</p>\n<p>Or if you really do need to suppress the output of body_class() then you can filter that away:</p>\n<pre class=\"lang-php prettyprint-override\"><code>function empty_body_class($classes, $class) {\n return [];\n}\nadd_filter( 'body_class', 'empty_body_class', 999, 2 );\n</code></pre>\n<p>but you'll probably be left with an empty <code>class=""</code> on the body tag.</p>\n<hr />\n<p>Or (as you've asked in comments) if you just want to remove anything starting "page", or a fixed string "example_class", you can just edit the array in the filter instead e.g.</p>\n<pre class=\"lang-php prettyprint-override\"><code>function filter_body_classes( $classes, $class ) {\n foreach( $classes as $key => $value ) {\n if ( strpos( $value, 'page' ) === 0\n || $value === 'example_class' ) {\n unset( $classes[$key] );\n }\n }\n return $classes;\n}\nadd_filter( 'body_class', 'filter_body_classes', 999, 2 );\n</code></pre>\n"
},
{
"answer_id": 390845,
"author": "Fluent-Themes",
"author_id": 202210,
"author_profile": "https://wordpress.stackexchange.com/users/202210",
"pm_score": 0,
"selected": false,
"text": "<p>The solution from Rup should answer your question. As you've asked in comments "what changes I have to made your last function if I want to remove another class like 'example_class'", you can just edit the line I have mentioned in my following code:</p>\n<pre><code>function filter_body_classes( $classes, $class ) {\n foreach( $classes as $key => $value ) {\n if ( strpos( $value, 'page' ) === 0\n || $value === 'example_class' || $value === 'example_class_two' || $value === 'example_class_three' ) { //add as many example_class as you need like this\n unset( $classes[$key] );\n }\n }\n return $classes;\n}\nadd_filter( 'body_class', 'filter_body_classes', 999, 2 );\n</code></pre>\n"
}
] | 2021/06/24 | [
"https://wordpress.stackexchange.com/questions/390956",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/208193/"
] | I would like to use REST API to update custom fields on various pages - an example would be tracking outside temperature, humidity, etc from a sensor. However, if the website has cache, the pages won't update with the new information in the custom fields.
How can I "punch holes" in the cache so only these fields are updated without regenerating the entire cache for the page?
I thought of object cache but that is for DB queries and probably won't be suitable for this purpose.
Any ideas are welcome. Many thanks
EDIT:
So far I can think of two options:
1. Scrap and recreate the entire cache
2. Load the custom fields with AJAX
3. Server Side Events
I am not sure which is faster. Perhaps it depends on the number of visitors and the frequency of data updates which might cause massive amounts of AJAX calls while the cache is created only once. What is the standard approach in situations where you want to present up-to-date information on the website? | I'm going to assume you mean the classes generated by [body\_class()](https://developer.wordpress.org/reference/functions/body_class/), e.g. from the twentytwentyone header.php:
```php
<body <?php body_class(); ?>>
<?php wp_body_open(); ?>
```
The simplest thing to do is to just remove the `<?php body_class(); ?>` call from your header.php. Or if you can't / don't want to change that, create a new header.php for these pages e.g. header-custom.php and load this with `wp_head('custom')` in your template.
Or if you really do need to suppress the output of body\_class() then you can filter that away:
```php
function empty_body_class($classes, $class) {
return [];
}
add_filter( 'body_class', 'empty_body_class', 999, 2 );
```
but you'll probably be left with an empty `class=""` on the body tag.
---
Or (as you've asked in comments) if you just want to remove anything starting "page", or a fixed string "example\_class", you can just edit the array in the filter instead e.g.
```php
function filter_body_classes( $classes, $class ) {
foreach( $classes as $key => $value ) {
if ( strpos( $value, 'page' ) === 0
|| $value === 'example_class' ) {
unset( $classes[$key] );
}
}
return $classes;
}
add_filter( 'body_class', 'filter_body_classes', 999, 2 );
``` |
390,994 | <p>I am developing a plugin to extend BuddyBoss platform. Specifically I am sync'ing BB user info with Wordpress User meta data.</p>
<p>Most of my code works (country and regional organisation update fine), but sync'ing my 'gender' field is not working as expected. It seems to work for male, and female, but when Other is selected, it sets the wordpress user meta field as 'female'. I have two questions:</p>
<ol>
<li>Can you see any issues with this code: (ignore all the 5 output to console attempts - that is my second question below!)</li>
</ol>
<pre><code>function BB_WP_SYNC_update_wordpress_usermeta( $user_id, $posted_field_ids, $errors) {
console_log( $user_id);
var_dump($user_id);
debug_to_console("inside sync function");
error_log($user_id);
ChromePhp::log("chromephp inside sync");
if ( empty( $user_id ) ) {
$user_id = bp_loggedin_user_id();
}
if ( empty( $errors ) ) {
$country = xprofile_get_field_data(9, $user_id);
$region = xprofile_get_field_data(29, $user_id);
$gender = xprofile_get_field_data(5, $user_id);
ChromePhp::log($gender);
var_dump($gender);
if ($gender == 'his_Male') {
$wpgender = 'Male';
} elseif ($gender = 'her_Female') {
$wpgender = 'Female';
} else {
$wpgender = 'Other';
}
ChromePhp::log($wpgender);
var_dump($wpgender);
$dob = xprofile_get_field_data(4, $user_id);
update_user_meta($user_id, 'ofc_country', $country);
update_user_meta($user_id, 'ofc_regional_organisation', $region);
update_user_meta($user_id, 'ofc_gender', $wpgender);
update_user_meta($user_id, 'ofc_date_of_birth', $dob);
} else {
ChromePhp::log($errors);
}
}
add_action( 'xprofile_updated_profile', 'BB_WP_SYNC_update_wordpress_usermeta', 1, 3 );
</code></pre>
<p>Question 2: I have tried various methods (as can be seen from the code above) to output the gender variables to the console. But nothing works. I have set up ChromePhp, and it works if I use it in another function in the same plugin, but I can't get it to work within this particular function. Same with creating a function to use JS to output to the console. I get nothing. var_dump also doesnt work - I assume because the user profile reloads once editing is done and submit is pressed. (I'm no expert, so this has been doing my head in). The function that ChromePHP works in is part of the template for a Buddyboss Addon. This outputs to the console fine, so I know ChromePhp is set up correctly:</p>
<pre><code> if ( ! function_exists( 'BB_WP_SYNC_get_settings_sections' ) ) {
function BB_WP_SYNC_get_settings_sections() {
ChromePhp::log('Hello console!');
$settings = array(
'BB_WP_SYNC_settings_section' => array(
'page' => 'addon',
'title' => __( 'WP Sync Settings', 'buddyboss-wp-usermeta-sync' ),
),
);
return (array) apply_filters( 'BB_WP_SYNC_get_settings_sections', $settings );
}
}
</code></pre>
| [
{
"answer_id": 390998,
"author": "roly151",
"author_id": 208221,
"author_profile": "https://wordpress.stackexchange.com/users/208221",
"pm_score": 0,
"selected": false,
"text": "<p>I changed the wordpress meta gender data to match the BuddyBoss data (i.e. his_Male, her_Female, their_Other), and removed the if statement that converted it, and this function now works as expected. I would still love to understand why it didn't work for 'Other' as written.</p>\n<pre><code>function BB_WP_SYNC_update_wordpress_usermeta( $user_id, $posted_field_ids, $errors) {\n \n if ( empty( $user_id ) ) {\n $user_id = bp_loggedin_user_id();\n }\n\n if ( empty( $errors ) ) {\n $country = xprofile_get_field_data('Country', $user_id);\n $region = xprofile_get_field_data('Regional Association / Federation', $user_id);\n $gender = xprofile_get_field_data('Gender', $user_id);\n $dob = xprofile_get_field_data('Date of Birth', $user_id);\n \n update_user_meta($user_id, 'ofc_country', $country);\n update_user_meta($user_id, 'ofc_regional_organisation', $region);\n update_user_meta($user_id, 'ofc_gender', $gender);\n update_user_meta($user_id, 'ofc_date_of_birth', $dob);\n\n } else {\n ChromePhp::log($errors);\n }\n}\nadd_action( 'xprofile_updated_profile', 'BB_WP_SYNC_update_wordpress_usermeta', 1, 3 );\n</code></pre>\n<p>And I'm still looking for a solution to be able to view php variables (my second question). Thankyou in advance!</p>\n"
},
{
"answer_id": 391001,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 2,
"selected": true,
"text": "<p>In this code:</p>\n<pre><code>if ($gender == 'his_Male') {\n $wpgender = 'Male';\n} elseif ($gender = 'her_Female') {\n $wpgender = 'Female';\n} else {\n $wpgender = 'Other';\n}\n</code></pre>\n<p>You're not comparing <code>$gender</code> to <code>'her_Female'</code>, you're <em>setting</em> it to <code>'her_Female'</code>:</p>\n<pre><code>} elseif ($gender = 'her_Female') {\n</code></pre>\n<p>You should be using <code>==</code> or <code>===</code> (preferably <code>===</code>, the difference is documented <a href=\"https://www.php.net/manual/en/language.operators.comparison.php\" rel=\"nofollow noreferrer\">here</a>).</p>\n<p>Your second question is really a chrome-php issue, and not really on topic here. However, I would wager issue is likely that the <code>xprofile_updated_profile</code> hook is not run at a time that could log anything to the console while you were looking at it. You would be better off logging any debug information you need to a file. <code>error_log()</code> is the most straightforward method, but there are libraries out there that could also help.</p>\n"
}
] | 2021/06/25 | [
"https://wordpress.stackexchange.com/questions/390994",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/208221/"
] | I am developing a plugin to extend BuddyBoss platform. Specifically I am sync'ing BB user info with Wordpress User meta data.
Most of my code works (country and regional organisation update fine), but sync'ing my 'gender' field is not working as expected. It seems to work for male, and female, but when Other is selected, it sets the wordpress user meta field as 'female'. I have two questions:
1. Can you see any issues with this code: (ignore all the 5 output to console attempts - that is my second question below!)
```
function BB_WP_SYNC_update_wordpress_usermeta( $user_id, $posted_field_ids, $errors) {
console_log( $user_id);
var_dump($user_id);
debug_to_console("inside sync function");
error_log($user_id);
ChromePhp::log("chromephp inside sync");
if ( empty( $user_id ) ) {
$user_id = bp_loggedin_user_id();
}
if ( empty( $errors ) ) {
$country = xprofile_get_field_data(9, $user_id);
$region = xprofile_get_field_data(29, $user_id);
$gender = xprofile_get_field_data(5, $user_id);
ChromePhp::log($gender);
var_dump($gender);
if ($gender == 'his_Male') {
$wpgender = 'Male';
} elseif ($gender = 'her_Female') {
$wpgender = 'Female';
} else {
$wpgender = 'Other';
}
ChromePhp::log($wpgender);
var_dump($wpgender);
$dob = xprofile_get_field_data(4, $user_id);
update_user_meta($user_id, 'ofc_country', $country);
update_user_meta($user_id, 'ofc_regional_organisation', $region);
update_user_meta($user_id, 'ofc_gender', $wpgender);
update_user_meta($user_id, 'ofc_date_of_birth', $dob);
} else {
ChromePhp::log($errors);
}
}
add_action( 'xprofile_updated_profile', 'BB_WP_SYNC_update_wordpress_usermeta', 1, 3 );
```
Question 2: I have tried various methods (as can be seen from the code above) to output the gender variables to the console. But nothing works. I have set up ChromePhp, and it works if I use it in another function in the same plugin, but I can't get it to work within this particular function. Same with creating a function to use JS to output to the console. I get nothing. var\_dump also doesnt work - I assume because the user profile reloads once editing is done and submit is pressed. (I'm no expert, so this has been doing my head in). The function that ChromePHP works in is part of the template for a Buddyboss Addon. This outputs to the console fine, so I know ChromePhp is set up correctly:
```
if ( ! function_exists( 'BB_WP_SYNC_get_settings_sections' ) ) {
function BB_WP_SYNC_get_settings_sections() {
ChromePhp::log('Hello console!');
$settings = array(
'BB_WP_SYNC_settings_section' => array(
'page' => 'addon',
'title' => __( 'WP Sync Settings', 'buddyboss-wp-usermeta-sync' ),
),
);
return (array) apply_filters( 'BB_WP_SYNC_get_settings_sections', $settings );
}
}
``` | In this code:
```
if ($gender == 'his_Male') {
$wpgender = 'Male';
} elseif ($gender = 'her_Female') {
$wpgender = 'Female';
} else {
$wpgender = 'Other';
}
```
You're not comparing `$gender` to `'her_Female'`, you're *setting* it to `'her_Female'`:
```
} elseif ($gender = 'her_Female') {
```
You should be using `==` or `===` (preferably `===`, the difference is documented [here](https://www.php.net/manual/en/language.operators.comparison.php)).
Your second question is really a chrome-php issue, and not really on topic here. However, I would wager issue is likely that the `xprofile_updated_profile` hook is not run at a time that could log anything to the console while you were looking at it. You would be better off logging any debug information you need to a file. `error_log()` is the most straightforward method, but there are libraries out there that could also help. |
391,012 | <p>I have a basic question that has always stumped me. I'm trying to move the Star Rating into the comment meta, which will help me style it. Here's the template file <code>review.php</code> section:</p>
<pre><code><div class="comment-text">
<?php
/**
* The woocommerce_review_before_comment_meta hook.
*
* @hooked woocommerce_review_display_rating - 10 //Want to unhook this.
*/
do_action('woocommerce_review_before_comment_meta', $comment);
/**
* The woocommerce_review_meta hook.
*
* @hooked woocommerce_review_display_meta - 10
*/
do_action('woocommerce_review_meta', $comment);
do_action('woocommerce_review_before_comment_text', $comment);
/**
* The woocommerce_review_comment_text hook
*
* @hooked woocommerce_review_display_comment_text - 10
*/
do_action('woocommerce_review_comment_text', $comment);
do_action('woocommerce_review_after_comment_text', $comment);
?>
</div>
</code></pre>
<p>I was thinking I could add the following to my functions.php:</p>
<pre><code> remove_action('woocommerce_review_display_rating', 10);
</code></pre>
<p>And add it back in the review-meta.php, but I can't remove / unhook the star rating. What am I doing wrong?</p>
| [
{
"answer_id": 390998,
"author": "roly151",
"author_id": 208221,
"author_profile": "https://wordpress.stackexchange.com/users/208221",
"pm_score": 0,
"selected": false,
"text": "<p>I changed the wordpress meta gender data to match the BuddyBoss data (i.e. his_Male, her_Female, their_Other), and removed the if statement that converted it, and this function now works as expected. I would still love to understand why it didn't work for 'Other' as written.</p>\n<pre><code>function BB_WP_SYNC_update_wordpress_usermeta( $user_id, $posted_field_ids, $errors) {\n \n if ( empty( $user_id ) ) {\n $user_id = bp_loggedin_user_id();\n }\n\n if ( empty( $errors ) ) {\n $country = xprofile_get_field_data('Country', $user_id);\n $region = xprofile_get_field_data('Regional Association / Federation', $user_id);\n $gender = xprofile_get_field_data('Gender', $user_id);\n $dob = xprofile_get_field_data('Date of Birth', $user_id);\n \n update_user_meta($user_id, 'ofc_country', $country);\n update_user_meta($user_id, 'ofc_regional_organisation', $region);\n update_user_meta($user_id, 'ofc_gender', $gender);\n update_user_meta($user_id, 'ofc_date_of_birth', $dob);\n\n } else {\n ChromePhp::log($errors);\n }\n}\nadd_action( 'xprofile_updated_profile', 'BB_WP_SYNC_update_wordpress_usermeta', 1, 3 );\n</code></pre>\n<p>And I'm still looking for a solution to be able to view php variables (my second question). Thankyou in advance!</p>\n"
},
{
"answer_id": 391001,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 2,
"selected": true,
"text": "<p>In this code:</p>\n<pre><code>if ($gender == 'his_Male') {\n $wpgender = 'Male';\n} elseif ($gender = 'her_Female') {\n $wpgender = 'Female';\n} else {\n $wpgender = 'Other';\n}\n</code></pre>\n<p>You're not comparing <code>$gender</code> to <code>'her_Female'</code>, you're <em>setting</em> it to <code>'her_Female'</code>:</p>\n<pre><code>} elseif ($gender = 'her_Female') {\n</code></pre>\n<p>You should be using <code>==</code> or <code>===</code> (preferably <code>===</code>, the difference is documented <a href=\"https://www.php.net/manual/en/language.operators.comparison.php\" rel=\"nofollow noreferrer\">here</a>).</p>\n<p>Your second question is really a chrome-php issue, and not really on topic here. However, I would wager issue is likely that the <code>xprofile_updated_profile</code> hook is not run at a time that could log anything to the console while you were looking at it. You would be better off logging any debug information you need to a file. <code>error_log()</code> is the most straightforward method, but there are libraries out there that could also help.</p>\n"
}
] | 2021/06/25 | [
"https://wordpress.stackexchange.com/questions/391012",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/200067/"
] | I have a basic question that has always stumped me. I'm trying to move the Star Rating into the comment meta, which will help me style it. Here's the template file `review.php` section:
```
<div class="comment-text">
<?php
/**
* The woocommerce_review_before_comment_meta hook.
*
* @hooked woocommerce_review_display_rating - 10 //Want to unhook this.
*/
do_action('woocommerce_review_before_comment_meta', $comment);
/**
* The woocommerce_review_meta hook.
*
* @hooked woocommerce_review_display_meta - 10
*/
do_action('woocommerce_review_meta', $comment);
do_action('woocommerce_review_before_comment_text', $comment);
/**
* The woocommerce_review_comment_text hook
*
* @hooked woocommerce_review_display_comment_text - 10
*/
do_action('woocommerce_review_comment_text', $comment);
do_action('woocommerce_review_after_comment_text', $comment);
?>
</div>
```
I was thinking I could add the following to my functions.php:
```
remove_action('woocommerce_review_display_rating', 10);
```
And add it back in the review-meta.php, but I can't remove / unhook the star rating. What am I doing wrong? | In this code:
```
if ($gender == 'his_Male') {
$wpgender = 'Male';
} elseif ($gender = 'her_Female') {
$wpgender = 'Female';
} else {
$wpgender = 'Other';
}
```
You're not comparing `$gender` to `'her_Female'`, you're *setting* it to `'her_Female'`:
```
} elseif ($gender = 'her_Female') {
```
You should be using `==` or `===` (preferably `===`, the difference is documented [here](https://www.php.net/manual/en/language.operators.comparison.php)).
Your second question is really a chrome-php issue, and not really on topic here. However, I would wager issue is likely that the `xprofile_updated_profile` hook is not run at a time that could log anything to the console while you were looking at it. You would be better off logging any debug information you need to a file. `error_log()` is the most straightforward method, but there are libraries out there that could also help. |
391,126 | <p>I'm working on a custom WooCommerce theme, and ideally would like to use the stable Gutenberg blocks shipped with WooCommerce. Obviously, instead of over-riding all of their styles with my own to match the design, I would rather remove them to improve page speed. Seems like it should be a simple process, but no result so far. Using this:</p>
<pre><code>function mytheme_woocommerce_remove_block_styles() {
wp_dequeue_style( 'wc-block-style-css' );
}
add_action( 'wp_enqueue_scripts', 'mytheme_woocommerce_remove_block_styles', 100 );
</code></pre>
<p>Do I need to hook it at a higher priority? I would think 100 would be sufficient. Any assistance is appreciated.</p>
| [
{
"answer_id": 391127,
"author": "Buttered_Toast",
"author_id": 192133,
"author_profile": "https://wordpress.stackexchange.com/users/192133",
"pm_score": 1,
"selected": false,
"text": "<p>The dequeue handle is incorrect</p>\n<p>it should be <code>wp_dequeue_style('wc-block-style');</code> and not <code>wp_dequeue_style('wc-block-style-css');</code></p>\n<p><del>A bit confusing at first i agree, every js and css that was enqued via <code>wp_enqueue_style</code> or <code>wp_enqueue_script</code> gets a suffix of css/js</del></p>\n<p>Example</p>\n<pre><code>wp_enqueue_style('swiper', 'https://cdnjs.cloudflare.com/ajax/libs/Swiper/4.4.6/css/swiper.min.css')\n</code></pre>\n<p>This will create a <code><link></code> with an <code>id</code> attribute of <code>swiper-css</code>, im guessing this is why you thought that in order to dequeue the style you need to do this fundtion <code>wp_dequeue_style('swiper-css')</code>. But it should be <code>wp_dequeue_style('swiper')</code></p>\n"
},
{
"answer_id": 395139,
"author": "Howard E",
"author_id": 57589,
"author_profile": "https://wordpress.stackexchange.com/users/57589",
"pm_score": 0,
"selected": false,
"text": "<p>I just came across this question, and the handle for the block-style is actually\n<code>wc-blocks-style</code></p>\n<p>From the HTML Head</p>\n<pre><code><link rel="stylesheet" id="wc-blocks-style-css" href="https://c0.wp.com/p/woocommerce/5.6.0/packages/woocommerce-blocks/build/wc-blocks-style.css" type="text/css" media="all">\n</code></pre>\n<p>So to dequeue the script, you need to use this.</p>\n<pre><code>function mytheme_woocommerce_remove_block_styles() {\n wp_dequeue_style( 'wc-blocks-style' ); // WooCommerce Blocks\n}\nadd_action( 'wp_enqueue_scripts', 'mytheme_woocommerce_remove_block_styles', 100 );\n</code></pre>\n"
},
{
"answer_id": 400581,
"author": "JuΓ‘rez",
"author_id": 23667,
"author_profile": "https://wordpress.stackexchange.com/users/23667",
"pm_score": 1,
"selected": false,
"text": "<p>after trying all kinds of versions of the dequeue code, this mix is what worked for me:</p>\n<pre><code>function ca_deregister_woocommerce_block_styles() {\n wp_deregister_style( 'wc-blocks-style' );\n wp_dequeue_style( 'wc-blocks-style' );\n}\nadd_action( 'enqueue_block_assets', 'ca_deregister_woocommerce_block_styles' );\n</code></pre>\n"
},
{
"answer_id": 411089,
"author": "m_design",
"author_id": 227286,
"author_profile": "https://wordpress.stackexchange.com/users/227286",
"pm_score": 0,
"selected": false,
"text": "<p>i used this and worked for me Tested 100% !\nEnjoy\nadd that with the aid of Code Snippets plugin or manually by adding to functions.php</p>\n<pre><code>if(!function_exists('kazhol_remove_block_styles_woo')){\nfunction kazhol_remove_block_styles_woo() {\n wp_deregister_style( 'wc-blocks-style' );\n wp_dequeue_style( 'wc-blocks-style' );\n}\n}add_action( 'enqueue_block_assets', 'kazhol_remove_block_styles_woo' );\n</code></pre>\n"
}
] | 2021/06/28 | [
"https://wordpress.stackexchange.com/questions/391126",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/64689/"
] | I'm working on a custom WooCommerce theme, and ideally would like to use the stable Gutenberg blocks shipped with WooCommerce. Obviously, instead of over-riding all of their styles with my own to match the design, I would rather remove them to improve page speed. Seems like it should be a simple process, but no result so far. Using this:
```
function mytheme_woocommerce_remove_block_styles() {
wp_dequeue_style( 'wc-block-style-css' );
}
add_action( 'wp_enqueue_scripts', 'mytheme_woocommerce_remove_block_styles', 100 );
```
Do I need to hook it at a higher priority? I would think 100 would be sufficient. Any assistance is appreciated. | The dequeue handle is incorrect
it should be `wp_dequeue_style('wc-block-style');` and not `wp_dequeue_style('wc-block-style-css');`
~~A bit confusing at first i agree, every js and css that was enqued via `wp_enqueue_style` or `wp_enqueue_script` gets a suffix of css/js~~
Example
```
wp_enqueue_style('swiper', 'https://cdnjs.cloudflare.com/ajax/libs/Swiper/4.4.6/css/swiper.min.css')
```
This will create a `<link>` with an `id` attribute of `swiper-css`, im guessing this is why you thought that in order to dequeue the style you need to do this fundtion `wp_dequeue_style('swiper-css')`. But it should be `wp_dequeue_style('swiper')` |
391,141 | <p>I know there are several similar questions, but I couldn't find the one I wanted.
I want to get all commenters's on a post. But if there is a commenter who gives more than one comment, then he is not counted double. I don't want to display them individually like:</p>
<blockquote>
<p>foreach($comments as $comment){ //echo }</p>
</blockquote>
<p>but rather get them in array form.</p>
<p>Here's how I've tried. But this method still counts commenters who have more than one comment in double (as many as his own).</p>
<pre><code> $args_user = array( 'role__in' => array( 'author', 'subscriber' ),
'fields' => 'ID'
);
$get_usersgroup = get_users($args_user);
$thepost_id = get_the_ID();
$comments_query = new WP_Comment_Query;
$comments = $comments_query->query( array(
'post_id' => $thepost_id,
'author__in' => $get_usersgroup,
'status' => 'approve',
) );
$totalcommenters = count ( $comments );
</code></pre>
<p>any help are really appreciate!</p>
| [
{
"answer_id": 391142,
"author": "Paul G.",
"author_id": 41288,
"author_profile": "https://wordpress.stackexchange.com/users/41288",
"pm_score": 1,
"selected": false,
"text": "<p>I'm a little unclear as to exactly the final data you're looking for. You said "array form", but that's not specific enough.</p>\n<p>So based on your code snippet, this code will provide you an array of all <strong>unique</strong> commenter user IDs.</p>\n<p>The code is essentially the same as yours, but I've combined a few parts together as they don't need to be their own separate PHP statement - they can be put straight into the Comment Query.</p>\n<pre class=\"lang-php prettyprint-override\"><code>$cq = new \\WP_Comment_Query();\n$comments = $cq->query(\n array(\n 'post_id' => get_the_ID(),\n 'status' => 'approve',\n 'author__in' => get_users(\n array(\n 'role__in' => [ 'author', 'subscriber' ],\n 'fields' => 'ID'\n )\n )\n )\n);\n\n$all_comment_user_ids = array_map( function ( $comment ) {\n return $comment[ 'user_id' ];\n}, $comments );\n\n$total_comments = count( $comments );\n$unique_commenters = array_unique( $all_comment_user_ids );\n$total_unique_commenters = count( $unique_commenters );\n</code></pre>\n<p>Your query itself was fine... you just had to post-process the results.</p>\n<ul>\n<li>the <code>array_map</code> goes through each comment result and pulls out the <code>user_id</code> and creates a new array containing only the user IDs.</li>\n<li>then we use <code>array_unique</code> to reduce the array to only unique values.</li>\n</ul>\n"
},
{
"answer_id": 391156,
"author": "manik",
"author_id": 208048,
"author_profile": "https://wordpress.stackexchange.com/users/208048",
"pm_score": 1,
"selected": true,
"text": "<p>I managed to get an array of user_ids of all commenters in a post with the following method:</p>\n<pre><code>$args_user = array( 'role__in' => array( 'author', 'subscriber' ),\n 'fields' => 'ID'\n );\n $get_usersgroup = get_users($args_user);\n $thepost_id = get_the_ID();\n $comments_query = new WP_Comment_Query;\n $comments = $comments_query->query( array( \n 'post_id' => $thepost_id,\n 'author__in' => $get_usersgroup,\n 'status' => 'approve',\n ) );\n \n $all_commenters_id = array(); //literally this small part is make big effect to the results\n foreach($comments as $comment) :\n $all_commenters_id[] = $comment->user_id;\n endforeach;\n \n $unique_commenters = array_unique( $all_commenters_id );\n $total_unique_commenters = count ( $unique_commenters );\n</code></pre>\n<p>Hopefully useful for those of you who have a similar goal!</p>\n"
}
] | 2021/06/28 | [
"https://wordpress.stackexchange.com/questions/391141",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/208048/"
] | I know there are several similar questions, but I couldn't find the one I wanted.
I want to get all commenters's on a post. But if there is a commenter who gives more than one comment, then he is not counted double. I don't want to display them individually like:
>
> foreach($comments as $comment){ //echo }
>
>
>
but rather get them in array form.
Here's how I've tried. But this method still counts commenters who have more than one comment in double (as many as his own).
```
$args_user = array( 'role__in' => array( 'author', 'subscriber' ),
'fields' => 'ID'
);
$get_usersgroup = get_users($args_user);
$thepost_id = get_the_ID();
$comments_query = new WP_Comment_Query;
$comments = $comments_query->query( array(
'post_id' => $thepost_id,
'author__in' => $get_usersgroup,
'status' => 'approve',
) );
$totalcommenters = count ( $comments );
```
any help are really appreciate! | I managed to get an array of user\_ids of all commenters in a post with the following method:
```
$args_user = array( 'role__in' => array( 'author', 'subscriber' ),
'fields' => 'ID'
);
$get_usersgroup = get_users($args_user);
$thepost_id = get_the_ID();
$comments_query = new WP_Comment_Query;
$comments = $comments_query->query( array(
'post_id' => $thepost_id,
'author__in' => $get_usersgroup,
'status' => 'approve',
) );
$all_commenters_id = array(); //literally this small part is make big effect to the results
foreach($comments as $comment) :
$all_commenters_id[] = $comment->user_id;
endforeach;
$unique_commenters = array_unique( $all_commenters_id );
$total_unique_commenters = count ( $unique_commenters );
```
Hopefully useful for those of you who have a similar goal! |
391,143 | <p>I have 2 different WP Query on the home page.
I need to check $home_query condition in functions.php then I want to do something if $home_query returns null.
I tried with pre_get_posts action I couldn't catch $home_query data and it's worked twice, because have two WP_Query on the page.</p>
<p>Using pagination by If $home_query returns null, I want to redirect the page to 404 page and get 404 responded code.</p>
<p>For example, <a href="https://example.com/page/200/" rel="nofollow noreferrer">https://example.com/page/200/</a> Page number is 200 but in the page there is no have 200 page number, I want to redirect 404 page and get 404 response instead of "show no result text"</p>
<p>index.php</p>
<pre><code>$home_query = new WP_Query( array('posts_per_page' => get_query_var('posts_per_page'),'paged' => $current_page ) );
$featured_post = new WP_Query(array('p'=>get_theme_mod('featured-content-callout-post'),'order' => 'DESC','posts_per_page'=> 1));
if($home_query->have_posts()):
while ($home_query->have_posts()):
$home_query->the_post();
get_template_part('template-parts/content','list');
endwhile;
else;
// get_template_part('template-parts/content','none');
// I tried to use redirect code in here but I couldn't.
endif;
</code></pre>
<p>Thank you for your help</p>
| [
{
"answer_id": 391145,
"author": "Fabian Mossberg",
"author_id": 207387,
"author_profile": "https://wordpress.stackexchange.com/users/207387",
"pm_score": 1,
"selected": false,
"text": "<p>You can check if the query returned any posts by doing <code>$home_query->have_posts()</code>.</p>\n<pre class=\"lang-php prettyprint-override\"><code>$home_query = new WP_Query( array('posts_per_page' => get_query_var('posts_per_page'),'paged' => $current_page ) );\nif( !$home_query->have_posts() ){\n // Do this if $home_query had no posts.\n}\n</code></pre>\n"
},
{
"answer_id": 391159,
"author": "vlatkorun",
"author_id": 77411,
"author_profile": "https://wordpress.stackexchange.com/users/77411",
"pm_score": 0,
"selected": false,
"text": "<p>You can use two hooks to achieve the desired result:</p>\n<ol>\n<li>Use the <code>parse_query</code> action hook (the query variables are initialised in this hook) to create the <code>$home_query</code> and place the results in the WP cache using the <code>wp_cache_set</code> function (content in the cache is only stored for the current request).</li>\n<li>Use the <code>template_redirect</code> action hook to fetch the contents from the cache, using <code>wp_cache_get</code> function and see if there are results or not. From here you can redirect to some other page. Please check the hook docs and the examples at the bottom of this page: <a href=\"https://developer.wordpress.org/reference/hooks/template_redirect/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/hooks/template_redirect/</a></li>\n</ol>\n<p>Here is an example code:</p>\n<pre class=\"lang-php prettyprint-override\"><code>function custom_parse_query() {\n $home_query = new WP_Query( array('posts_per_page' => get_query_var('posts_per_page'), 'paged' => get_query_var('page') ) );\n wp_cache_set('home_query', $home_query);\n}\nadd_action( 'parse_query', 'custom_parse_query' );\n\nfunction custom_template_redirect() {\n\n $home_query = wp_cache_get('home_query');\n\n if( $home_query instanceof WP_Query && ! $home_query->have_posts() ) {\n wp_redirect( home_url( '/signup/' ) );\n exit();\n }\n}\nadd_action( 'template_redirect', 'custom_template_redirect' );\n\n \n</code></pre>\n"
}
] | 2021/06/28 | [
"https://wordpress.stackexchange.com/questions/391143",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/208298/"
] | I have 2 different WP Query on the home page.
I need to check $home\_query condition in functions.php then I want to do something if $home\_query returns null.
I tried with pre\_get\_posts action I couldn't catch $home\_query data and it's worked twice, because have two WP\_Query on the page.
Using pagination by If $home\_query returns null, I want to redirect the page to 404 page and get 404 responded code.
For example, <https://example.com/page/200/> Page number is 200 but in the page there is no have 200 page number, I want to redirect 404 page and get 404 response instead of "show no result text"
index.php
```
$home_query = new WP_Query( array('posts_per_page' => get_query_var('posts_per_page'),'paged' => $current_page ) );
$featured_post = new WP_Query(array('p'=>get_theme_mod('featured-content-callout-post'),'order' => 'DESC','posts_per_page'=> 1));
if($home_query->have_posts()):
while ($home_query->have_posts()):
$home_query->the_post();
get_template_part('template-parts/content','list');
endwhile;
else;
// get_template_part('template-parts/content','none');
// I tried to use redirect code in here but I couldn't.
endif;
```
Thank you for your help | You can check if the query returned any posts by doing `$home_query->have_posts()`.
```php
$home_query = new WP_Query( array('posts_per_page' => get_query_var('posts_per_page'),'paged' => $current_page ) );
if( !$home_query->have_posts() ){
// Do this if $home_query had no posts.
}
``` |
391,271 | <p>I am new to wordpress development and I've read the documentation on how to do what I want to do but I can't find any decent answers.</p>
<p>I want to make a plugin that can show a popup window when someone goes to a certain page. the info in the popup will be customizable based on what the admin wants to show but I cannot figure out how to add css and js to the page the visitor is currently on. Basically injecting html and css into the body. I'm a junior developer and I've never worked with php or wordpress before (until a week ago when my boss asked me to make this wordpress plugin) but I know JS quite well.</p>
<p>any help or pointing in the right direction would be appreciated.</p>
| [
{
"answer_id": 391145,
"author": "Fabian Mossberg",
"author_id": 207387,
"author_profile": "https://wordpress.stackexchange.com/users/207387",
"pm_score": 1,
"selected": false,
"text": "<p>You can check if the query returned any posts by doing <code>$home_query->have_posts()</code>.</p>\n<pre class=\"lang-php prettyprint-override\"><code>$home_query = new WP_Query( array('posts_per_page' => get_query_var('posts_per_page'),'paged' => $current_page ) );\nif( !$home_query->have_posts() ){\n // Do this if $home_query had no posts.\n}\n</code></pre>\n"
},
{
"answer_id": 391159,
"author": "vlatkorun",
"author_id": 77411,
"author_profile": "https://wordpress.stackexchange.com/users/77411",
"pm_score": 0,
"selected": false,
"text": "<p>You can use two hooks to achieve the desired result:</p>\n<ol>\n<li>Use the <code>parse_query</code> action hook (the query variables are initialised in this hook) to create the <code>$home_query</code> and place the results in the WP cache using the <code>wp_cache_set</code> function (content in the cache is only stored for the current request).</li>\n<li>Use the <code>template_redirect</code> action hook to fetch the contents from the cache, using <code>wp_cache_get</code> function and see if there are results or not. From here you can redirect to some other page. Please check the hook docs and the examples at the bottom of this page: <a href=\"https://developer.wordpress.org/reference/hooks/template_redirect/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/hooks/template_redirect/</a></li>\n</ol>\n<p>Here is an example code:</p>\n<pre class=\"lang-php prettyprint-override\"><code>function custom_parse_query() {\n $home_query = new WP_Query( array('posts_per_page' => get_query_var('posts_per_page'), 'paged' => get_query_var('page') ) );\n wp_cache_set('home_query', $home_query);\n}\nadd_action( 'parse_query', 'custom_parse_query' );\n\nfunction custom_template_redirect() {\n\n $home_query = wp_cache_get('home_query');\n\n if( $home_query instanceof WP_Query && ! $home_query->have_posts() ) {\n wp_redirect( home_url( '/signup/' ) );\n exit();\n }\n}\nadd_action( 'template_redirect', 'custom_template_redirect' );\n\n \n</code></pre>\n"
}
] | 2021/07/01 | [
"https://wordpress.stackexchange.com/questions/391271",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/208448/"
] | I am new to wordpress development and I've read the documentation on how to do what I want to do but I can't find any decent answers.
I want to make a plugin that can show a popup window when someone goes to a certain page. the info in the popup will be customizable based on what the admin wants to show but I cannot figure out how to add css and js to the page the visitor is currently on. Basically injecting html and css into the body. I'm a junior developer and I've never worked with php or wordpress before (until a week ago when my boss asked me to make this wordpress plugin) but I know JS quite well.
any help or pointing in the right direction would be appreciated. | You can check if the query returned any posts by doing `$home_query->have_posts()`.
```php
$home_query = new WP_Query( array('posts_per_page' => get_query_var('posts_per_page'),'paged' => $current_page ) );
if( !$home_query->have_posts() ){
// Do this if $home_query had no posts.
}
``` |
391,371 | <p>I'm developing a dynamic block that prints the following markup (for example) using the <code>ServerSideRender</code> component:</p>
<pre><code><div class="accordion">
<h3 class="accordion-title">A title</h3>
<div class="accordion-content">Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat.</div>
</div>
</code></pre>
<p>To fully work this block needs the <code>Accordion</code> component from jQuery UI:</p>
<p><code>accordion-jquery-start.js</code> file:</p>
<pre><code>( function( $ ) {
$( function() {
$( '.accordion' ).accordion( {
header: 'h3',
heightStyle: 'content',
animate: 100,
collapsible: true,
active: false
} );
} );
} )( jQuery );
</code></pre>
<p>I'm registering my dynamic block using:</p>
<pre><code>register_block_type( 'my/accordion-block', array(
'style' => 'accordion-block-css',
'editor_script' => 'accordion-block-js',
'render_callback' => 'render_block',
);
</code></pre>
<p>To load the additional script shown above in the block editor, I'm using the <code>enqueue_block_editor_assets</code> action:</p>
<pre><code>function my_enqueue_block_editor_assets() {
wp_enqueue_script( 'accordion-jquery-start', plugins_url( '/assets/js/accordion-jquery-start.js', __FILE__ ), array( 'jquery', 'jquery-ui-accordion', 'accordion-block-js' ), false, true );
}
add_action( 'enqueue_block_editor_assets', 'my_enqueue_block_editor_assets' );
</code></pre>
<p>Almost everything works: the block is registered and prints the correct markup and all of the needed scripts and styles get enqueued. BUT, for some reason, the <code>accordion</code> function from jQuery UI doesn't get attached to the <code>.accordion</code> class of my block in the block editor, so the accordion effect doesn't work. But, there's no console errors anywhere. It seems that the <code>accordion-jquery-start.js</code> script is run before the block itself is fully loaded.</p>
<p>Any ideas? Should I load the <code>accordion-jquery-start.js</code> script differently?</p>
| [
{
"answer_id": 391399,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 2,
"selected": false,
"text": "<blockquote>\n<p>BUT, for some reason, the <code>accordion</code> function from jQuery UI doesn't get attached to the <code>.accordion</code> class of my block in the block editor, so the accordion effect doesn't work.</p>\n</blockquote>\n<p>The <code>ServerSideRender</code> component uses the REST API to fetch the dynamic block output, hence the above issue happens because by the time the DOM is ready (which is when <code>jQuery.ready()</code>'s callbacks run), the REST API AJAX call is not yet resolved or may have not even started, therefore the accordion div isn't yet attached to the DOM.</p>\n<blockquote>\n<p>Should I load the <code>accordion-jquery-start.js</code> script differently?</p>\n</blockquote>\n<p>Yes, kind of β <code>ServerSideRender</code> doesn't (yet) provide a "on-content-loaded" or "on-AJAX-complete/resolved" event that we could listen to, so you'd need to manually check if your div is already in the DOM and if so, run the <code>$( '.accordion' ).accordion()</code>.</p>\n<p>And in the modern world of JS, an easy way to do that is by using the <a href=\"https://developer.mozilla.org/en-US/docs/Web/API/MutationObserver\" rel=\"nofollow noreferrer\"><code>MutationObserver</code> API</a>.</p>\n<p>Please check the MDN web docs (see link above) for more details about what is the mutation observer API, but in specific to Gutenberg or the block editor, and a dynamic block, here's a working example you can try and learn from. :-)</p>\n<p>So in my <code>index.js</code> file, I got these: <em>( the <code>console.log()</code> are just for debugging purposes, so don't forget to remove them later )</em></p>\n<ol>\n<li><p>Load WordPress dependencies:</p>\n<pre class=\"lang-js prettyprint-override\"><code>import { registerBlockType } from '@wordpress/blocks';\nimport { useRef, useLayoutEffect } from '@wordpress/element';\nimport { useBlockProps } from '@wordpress/block-editor';\nimport ServerSideRender from '@wordpress/server-side-render';\n</code></pre>\n</li>\n<li><p>The <code>MutationObserver</code> callback:</p>\n<pre class=\"lang-js prettyprint-override\"><code>// This function checks if the accordion div has been attached to the DOM, and\n// if so, initializes jQuery accordion on that very div. So this function can be\n// placed at the top in your file (before you call registerBlockType()).\nfunction initAccordion( mutations ) {\n for ( let mutation of mutations ) {\n if ( 'childList' === mutation.type && mutation.addedNodes[0] &&\n // Good, the added node has an accordion div.\n jQuery( '.accordion', mutation.addedNodes[0] ).length >= 1\n ) {\n // Convert the div to a jQuery accordion.\n jQuery( mutation.addedNodes[0] ).accordion( {\n header: 'h3',\n heightStyle: 'content',\n animate: 100,\n collapsible: true,\n active: false\n } );\n console.log( 'accordion initialized' );\n }\n }\n}\n</code></pre>\n</li>\n<li><p>Now here's my block type:</p>\n<pre class=\"lang-js prettyprint-override\"><code>registerBlockType( 'my/accordion-block', {\n apiVersion: 2,\n title: 'My Accordion Block',\n category: 'widgets',\n edit() {\n // Create a ref for the block container.\n const ref = useRef( null );\n\n // Initialize the mutation observer once the block is rendered.\n useLayoutEffect( () => {\n let observer;\n\n if ( ref.current ) {\n observer = new MutationObserver( initAccordion );\n\n // Observe DOM changes in our block container only.\n observer.observe( ref.current, {\n childList: true,\n subtree: true,\n } );\n }\n\n // Cleanup function which stops the mutation observer.\n return () => {\n if ( observer ) {\n observer.disconnect();\n console.log( 'observer disconnected' );\n }\n };\n }, [] );\n\n // Pass the ref to the block container.\n // Note: { ref } is short for { ref: ref }\n const blockProps = useBlockProps( { ref } );\n\n return (\n <div { ...blockProps }>\n <ServerSideRender block="my/accordion-block" />\n </div>\n );\n }\n} );\n</code></pre>\n</li>\n</ol>\n"
},
{
"answer_id": 409918,
"author": "Gleb Makarov",
"author_id": 65571,
"author_profile": "https://wordpress.stackexchange.com/users/65571",
"pm_score": 0,
"selected": false,
"text": "<p>A bit late, but mabe will help someone :)</p>\n<p>I fixed this with a simple setInterval() that clears itself as soon element is on page:</p>\n<pre><code>(function($){\n var blockSliderInterval = setInterval(function(){\n //console.log('blockSliderInterval');\n initBlock()\n }, 200);\n \n function initBlock(){\n if( $('.image-slider__wrapper').length ){\n $('.image-slider__wrapper').slick({\n slidesToShow: 1,\n slidesToScroll: 1,\n infinite: true,\n dots: true,\n draggable: true,\n swipe: true,\n arrows: false,\n autoplay: true,\n autoplaySpeed: 4000,\n });\n\n //console.log('clearInterval blockSliderInterval');\n clearInterval(blockSliderInterval);\n }\n }\n\n}(window.jQuery));\n</code></pre>\n<p>Oh, and my block loading js with block added only, so theres no infinite loop if block not added at all :)</p>\n"
}
] | 2021/07/03 | [
"https://wordpress.stackexchange.com/questions/391371",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/33049/"
] | I'm developing a dynamic block that prints the following markup (for example) using the `ServerSideRender` component:
```
<div class="accordion">
<h3 class="accordion-title">A title</h3>
<div class="accordion-content">Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat.</div>
</div>
```
To fully work this block needs the `Accordion` component from jQuery UI:
`accordion-jquery-start.js` file:
```
( function( $ ) {
$( function() {
$( '.accordion' ).accordion( {
header: 'h3',
heightStyle: 'content',
animate: 100,
collapsible: true,
active: false
} );
} );
} )( jQuery );
```
I'm registering my dynamic block using:
```
register_block_type( 'my/accordion-block', array(
'style' => 'accordion-block-css',
'editor_script' => 'accordion-block-js',
'render_callback' => 'render_block',
);
```
To load the additional script shown above in the block editor, I'm using the `enqueue_block_editor_assets` action:
```
function my_enqueue_block_editor_assets() {
wp_enqueue_script( 'accordion-jquery-start', plugins_url( '/assets/js/accordion-jquery-start.js', __FILE__ ), array( 'jquery', 'jquery-ui-accordion', 'accordion-block-js' ), false, true );
}
add_action( 'enqueue_block_editor_assets', 'my_enqueue_block_editor_assets' );
```
Almost everything works: the block is registered and prints the correct markup and all of the needed scripts and styles get enqueued. BUT, for some reason, the `accordion` function from jQuery UI doesn't get attached to the `.accordion` class of my block in the block editor, so the accordion effect doesn't work. But, there's no console errors anywhere. It seems that the `accordion-jquery-start.js` script is run before the block itself is fully loaded.
Any ideas? Should I load the `accordion-jquery-start.js` script differently? | >
> BUT, for some reason, the `accordion` function from jQuery UI doesn't get attached to the `.accordion` class of my block in the block editor, so the accordion effect doesn't work.
>
>
>
The `ServerSideRender` component uses the REST API to fetch the dynamic block output, hence the above issue happens because by the time the DOM is ready (which is when `jQuery.ready()`'s callbacks run), the REST API AJAX call is not yet resolved or may have not even started, therefore the accordion div isn't yet attached to the DOM.
>
> Should I load the `accordion-jquery-start.js` script differently?
>
>
>
Yes, kind of β `ServerSideRender` doesn't (yet) provide a "on-content-loaded" or "on-AJAX-complete/resolved" event that we could listen to, so you'd need to manually check if your div is already in the DOM and if so, run the `$( '.accordion' ).accordion()`.
And in the modern world of JS, an easy way to do that is by using the [`MutationObserver` API](https://developer.mozilla.org/en-US/docs/Web/API/MutationObserver).
Please check the MDN web docs (see link above) for more details about what is the mutation observer API, but in specific to Gutenberg or the block editor, and a dynamic block, here's a working example you can try and learn from. :-)
So in my `index.js` file, I got these: *( the `console.log()` are just for debugging purposes, so don't forget to remove them later )*
1. Load WordPress dependencies:
```js
import { registerBlockType } from '@wordpress/blocks';
import { useRef, useLayoutEffect } from '@wordpress/element';
import { useBlockProps } from '@wordpress/block-editor';
import ServerSideRender from '@wordpress/server-side-render';
```
2. The `MutationObserver` callback:
```js
// This function checks if the accordion div has been attached to the DOM, and
// if so, initializes jQuery accordion on that very div. So this function can be
// placed at the top in your file (before you call registerBlockType()).
function initAccordion( mutations ) {
for ( let mutation of mutations ) {
if ( 'childList' === mutation.type && mutation.addedNodes[0] &&
// Good, the added node has an accordion div.
jQuery( '.accordion', mutation.addedNodes[0] ).length >= 1
) {
// Convert the div to a jQuery accordion.
jQuery( mutation.addedNodes[0] ).accordion( {
header: 'h3',
heightStyle: 'content',
animate: 100,
collapsible: true,
active: false
} );
console.log( 'accordion initialized' );
}
}
}
```
3. Now here's my block type:
```js
registerBlockType( 'my/accordion-block', {
apiVersion: 2,
title: 'My Accordion Block',
category: 'widgets',
edit() {
// Create a ref for the block container.
const ref = useRef( null );
// Initialize the mutation observer once the block is rendered.
useLayoutEffect( () => {
let observer;
if ( ref.current ) {
observer = new MutationObserver( initAccordion );
// Observe DOM changes in our block container only.
observer.observe( ref.current, {
childList: true,
subtree: true,
} );
}
// Cleanup function which stops the mutation observer.
return () => {
if ( observer ) {
observer.disconnect();
console.log( 'observer disconnected' );
}
};
}, [] );
// Pass the ref to the block container.
// Note: { ref } is short for { ref: ref }
const blockProps = useBlockProps( { ref } );
return (
<div { ...blockProps }>
<ServerSideRender block="my/accordion-block" />
</div>
);
}
} );
``` |
391,403 | <p>I get this message when I go to add a new Plugin. Do you know a way to solve this?</p>
<p>An unexpected error occurred. Something may be wrong with WordPress.org or this serverβs configuration. If you continue to have problems, please try the support forums.<a href="https://i.stack.imgur.com/Abhbc.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/Abhbc.png" alt="enter image description here" /></a></p>
| [
{
"answer_id": 391399,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 2,
"selected": false,
"text": "<blockquote>\n<p>BUT, for some reason, the <code>accordion</code> function from jQuery UI doesn't get attached to the <code>.accordion</code> class of my block in the block editor, so the accordion effect doesn't work.</p>\n</blockquote>\n<p>The <code>ServerSideRender</code> component uses the REST API to fetch the dynamic block output, hence the above issue happens because by the time the DOM is ready (which is when <code>jQuery.ready()</code>'s callbacks run), the REST API AJAX call is not yet resolved or may have not even started, therefore the accordion div isn't yet attached to the DOM.</p>\n<blockquote>\n<p>Should I load the <code>accordion-jquery-start.js</code> script differently?</p>\n</blockquote>\n<p>Yes, kind of β <code>ServerSideRender</code> doesn't (yet) provide a "on-content-loaded" or "on-AJAX-complete/resolved" event that we could listen to, so you'd need to manually check if your div is already in the DOM and if so, run the <code>$( '.accordion' ).accordion()</code>.</p>\n<p>And in the modern world of JS, an easy way to do that is by using the <a href=\"https://developer.mozilla.org/en-US/docs/Web/API/MutationObserver\" rel=\"nofollow noreferrer\"><code>MutationObserver</code> API</a>.</p>\n<p>Please check the MDN web docs (see link above) for more details about what is the mutation observer API, but in specific to Gutenberg or the block editor, and a dynamic block, here's a working example you can try and learn from. :-)</p>\n<p>So in my <code>index.js</code> file, I got these: <em>( the <code>console.log()</code> are just for debugging purposes, so don't forget to remove them later )</em></p>\n<ol>\n<li><p>Load WordPress dependencies:</p>\n<pre class=\"lang-js prettyprint-override\"><code>import { registerBlockType } from '@wordpress/blocks';\nimport { useRef, useLayoutEffect } from '@wordpress/element';\nimport { useBlockProps } from '@wordpress/block-editor';\nimport ServerSideRender from '@wordpress/server-side-render';\n</code></pre>\n</li>\n<li><p>The <code>MutationObserver</code> callback:</p>\n<pre class=\"lang-js prettyprint-override\"><code>// This function checks if the accordion div has been attached to the DOM, and\n// if so, initializes jQuery accordion on that very div. So this function can be\n// placed at the top in your file (before you call registerBlockType()).\nfunction initAccordion( mutations ) {\n for ( let mutation of mutations ) {\n if ( 'childList' === mutation.type && mutation.addedNodes[0] &&\n // Good, the added node has an accordion div.\n jQuery( '.accordion', mutation.addedNodes[0] ).length >= 1\n ) {\n // Convert the div to a jQuery accordion.\n jQuery( mutation.addedNodes[0] ).accordion( {\n header: 'h3',\n heightStyle: 'content',\n animate: 100,\n collapsible: true,\n active: false\n } );\n console.log( 'accordion initialized' );\n }\n }\n}\n</code></pre>\n</li>\n<li><p>Now here's my block type:</p>\n<pre class=\"lang-js prettyprint-override\"><code>registerBlockType( 'my/accordion-block', {\n apiVersion: 2,\n title: 'My Accordion Block',\n category: 'widgets',\n edit() {\n // Create a ref for the block container.\n const ref = useRef( null );\n\n // Initialize the mutation observer once the block is rendered.\n useLayoutEffect( () => {\n let observer;\n\n if ( ref.current ) {\n observer = new MutationObserver( initAccordion );\n\n // Observe DOM changes in our block container only.\n observer.observe( ref.current, {\n childList: true,\n subtree: true,\n } );\n }\n\n // Cleanup function which stops the mutation observer.\n return () => {\n if ( observer ) {\n observer.disconnect();\n console.log( 'observer disconnected' );\n }\n };\n }, [] );\n\n // Pass the ref to the block container.\n // Note: { ref } is short for { ref: ref }\n const blockProps = useBlockProps( { ref } );\n\n return (\n <div { ...blockProps }>\n <ServerSideRender block="my/accordion-block" />\n </div>\n );\n }\n} );\n</code></pre>\n</li>\n</ol>\n"
},
{
"answer_id": 409918,
"author": "Gleb Makarov",
"author_id": 65571,
"author_profile": "https://wordpress.stackexchange.com/users/65571",
"pm_score": 0,
"selected": false,
"text": "<p>A bit late, but mabe will help someone :)</p>\n<p>I fixed this with a simple setInterval() that clears itself as soon element is on page:</p>\n<pre><code>(function($){\n var blockSliderInterval = setInterval(function(){\n //console.log('blockSliderInterval');\n initBlock()\n }, 200);\n \n function initBlock(){\n if( $('.image-slider__wrapper').length ){\n $('.image-slider__wrapper').slick({\n slidesToShow: 1,\n slidesToScroll: 1,\n infinite: true,\n dots: true,\n draggable: true,\n swipe: true,\n arrows: false,\n autoplay: true,\n autoplaySpeed: 4000,\n });\n\n //console.log('clearInterval blockSliderInterval');\n clearInterval(blockSliderInterval);\n }\n }\n\n}(window.jQuery));\n</code></pre>\n<p>Oh, and my block loading js with block added only, so theres no infinite loop if block not added at all :)</p>\n"
}
] | 2021/07/04 | [
"https://wordpress.stackexchange.com/questions/391403",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/208567/"
] | I get this message when I go to add a new Plugin. Do you know a way to solve this?
An unexpected error occurred. Something may be wrong with WordPress.org or this serverβs configuration. If you continue to have problems, please try the support forums.[](https://i.stack.imgur.com/Abhbc.png) | >
> BUT, for some reason, the `accordion` function from jQuery UI doesn't get attached to the `.accordion` class of my block in the block editor, so the accordion effect doesn't work.
>
>
>
The `ServerSideRender` component uses the REST API to fetch the dynamic block output, hence the above issue happens because by the time the DOM is ready (which is when `jQuery.ready()`'s callbacks run), the REST API AJAX call is not yet resolved or may have not even started, therefore the accordion div isn't yet attached to the DOM.
>
> Should I load the `accordion-jquery-start.js` script differently?
>
>
>
Yes, kind of β `ServerSideRender` doesn't (yet) provide a "on-content-loaded" or "on-AJAX-complete/resolved" event that we could listen to, so you'd need to manually check if your div is already in the DOM and if so, run the `$( '.accordion' ).accordion()`.
And in the modern world of JS, an easy way to do that is by using the [`MutationObserver` API](https://developer.mozilla.org/en-US/docs/Web/API/MutationObserver).
Please check the MDN web docs (see link above) for more details about what is the mutation observer API, but in specific to Gutenberg or the block editor, and a dynamic block, here's a working example you can try and learn from. :-)
So in my `index.js` file, I got these: *( the `console.log()` are just for debugging purposes, so don't forget to remove them later )*
1. Load WordPress dependencies:
```js
import { registerBlockType } from '@wordpress/blocks';
import { useRef, useLayoutEffect } from '@wordpress/element';
import { useBlockProps } from '@wordpress/block-editor';
import ServerSideRender from '@wordpress/server-side-render';
```
2. The `MutationObserver` callback:
```js
// This function checks if the accordion div has been attached to the DOM, and
// if so, initializes jQuery accordion on that very div. So this function can be
// placed at the top in your file (before you call registerBlockType()).
function initAccordion( mutations ) {
for ( let mutation of mutations ) {
if ( 'childList' === mutation.type && mutation.addedNodes[0] &&
// Good, the added node has an accordion div.
jQuery( '.accordion', mutation.addedNodes[0] ).length >= 1
) {
// Convert the div to a jQuery accordion.
jQuery( mutation.addedNodes[0] ).accordion( {
header: 'h3',
heightStyle: 'content',
animate: 100,
collapsible: true,
active: false
} );
console.log( 'accordion initialized' );
}
}
}
```
3. Now here's my block type:
```js
registerBlockType( 'my/accordion-block', {
apiVersion: 2,
title: 'My Accordion Block',
category: 'widgets',
edit() {
// Create a ref for the block container.
const ref = useRef( null );
// Initialize the mutation observer once the block is rendered.
useLayoutEffect( () => {
let observer;
if ( ref.current ) {
observer = new MutationObserver( initAccordion );
// Observe DOM changes in our block container only.
observer.observe( ref.current, {
childList: true,
subtree: true,
} );
}
// Cleanup function which stops the mutation observer.
return () => {
if ( observer ) {
observer.disconnect();
console.log( 'observer disconnected' );
}
};
}, [] );
// Pass the ref to the block container.
// Note: { ref } is short for { ref: ref }
const blockProps = useBlockProps( { ref } );
return (
<div { ...blockProps }>
<ServerSideRender block="my/accordion-block" />
</div>
);
}
} );
``` |
391,406 | <p>I am trying to get the current post ID in the <code>render_callback</code> function to generate related posts.
However, the <code>global $post</code> object gives null.</p>
<p>I use this code for example from <a href="https://fernandoclaussen.com/using-render_callback-for-the-edit-function/" rel="nofollow noreferrer">here</a>:</p>
<pre class="lang-php prettyprint-override"><code>add_action( 'init', function() {
register_block_type('fc/related-posts', array(
'render_callback' => function() {
global $post;
var_dump($post); // null
}
));
});
</code></pre>
<p>It will be fired on <code>init</code> but just <code>$wp</code> object works others like <code>$wp_query</code> or <code>$post</code> are null.</p>
| [
{
"answer_id": 391566,
"author": "Phil",
"author_id": 207767,
"author_profile": "https://wordpress.stackexchange.com/users/207767",
"pm_score": -1,
"selected": false,
"text": "<p>I recently had the same issue. The workaround I used was to save the current post id as an attribute of the block:</p>\n<pre class=\"lang-js prettyprint-override\"><code>const currentPostId = useSelect( ( select ) => {\n return select( 'core/editor' ).getCurrentPostId();\n}, [] );\n\nuseEffect( () => {\n if ( currentPostId && currentPostId !== postId ) {\n setAttributes( { postId: currentPostId } );\n }\n}, [ currentPostId ] );\n</code></pre>\n"
},
{
"answer_id": 411442,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 2,
"selected": true,
"text": "<p>When you declare your block, you need to tell WP that it needs context, either by using <code>usesContext</code> in JS/JSON or <code>uses_context</code> in PHP.</p>\n<p>E.g in PHP:</p>\n<pre class=\"lang-php prettyprint-override\"><code> 'render_callback' => 'render_my_block',\n 'uses_context' => [ 'postId' ],\n</code></pre>\n<p>This value then takes an array of context identifiers, e.g. <code>postId</code> which can then be grabbed in the edit component for rendering, or in PHP at runtime:</p>\n<pre class=\"lang-php prettyprint-override\"><code>function render_my_block( array $attributes, string $content, $block ) : string {\n $post_id = $block->context['postId'];\n</code></pre>\n<p>If you do not declare that your block requires the post ID then <code>$block->context['postId']</code> will have no value.</p>\n"
}
] | 2021/07/04 | [
"https://wordpress.stackexchange.com/questions/391406",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/202006/"
] | I am trying to get the current post ID in the `render_callback` function to generate related posts.
However, the `global $post` object gives null.
I use this code for example from [here](https://fernandoclaussen.com/using-render_callback-for-the-edit-function/):
```php
add_action( 'init', function() {
register_block_type('fc/related-posts', array(
'render_callback' => function() {
global $post;
var_dump($post); // null
}
));
});
```
It will be fired on `init` but just `$wp` object works others like `$wp_query` or `$post` are null. | When you declare your block, you need to tell WP that it needs context, either by using `usesContext` in JS/JSON or `uses_context` in PHP.
E.g in PHP:
```php
'render_callback' => 'render_my_block',
'uses_context' => [ 'postId' ],
```
This value then takes an array of context identifiers, e.g. `postId` which can then be grabbed in the edit component for rendering, or in PHP at runtime:
```php
function render_my_block( array $attributes, string $content, $block ) : string {
$post_id = $block->context['postId'];
```
If you do not declare that your block requires the post ID then `$block->context['postId']` will have no value. |
391,504 | <p><strong>See edit at bottom.</strong></p>
<p>I have a wp_query loop in a page template for a custom post type ("success_stories"). The loop itself works fine but I cannot seem to get pagination working. I've tried every solution I could find on these forums and everytime I try to navigate to /page/child-page/page/2/ WordPress sends me back to /page/child-page/ with a 301 redirect.</p>
<p>I have of course flushed the permalinks about 100 times. Here's the code I'm working with:</p>
<pre><code><?php
if ( get_query_var('paged') ) {
$paged = get_query_var('paged');
} elseif ( get_query_var('page') ) { // 'page' is used instead of 'paged' on Static Front Page
$paged = get_query_var('page');
} else {
$paged = 1;
}
$paged = (get_query_var('paged')) ? get_query_var('paged') : 1;
// Query arguments
$args = array(
'post_type' => array( 'success_stories' ),
'posts_per_page' => '3',
'paged' => $paged,
'ignore_sticky_posts' => true,
'tax_query' => array(
array(
'taxonomy' => 'practice_areas_taxonomy',
'field' => 'ID',
'terms' => array( 17 ),
)
)
);
// Instantiate custom query
$practice_area_query = new WP_Query( $args );
// Pagination fix
$temp_query = $wp_query;
$wp_query = NULL;
$wp_query = $practice_area_query;
// Output custom query loop
if ( $practice_area_query->have_posts() ) :
echo '<div>';
while ( $practice_area_query->have_posts() ) :
$practice_area_query->the_post(); ?>
<div class="<?php echo $pa_class_inner; ?>">
<blockquote>&ldquo;<?php echo get_the_excerpt();?>&rdquo;</blockquote>
</div>
<?php endwhile;
echo '</div>';
endif;
// Pagination
$total_pages = $wp_query->max_num_pages;
if ($total_pages > 1) {
$big = 999999999;
$current_page = max(1, get_query_var('paged'));
echo '<nav class="pagination clearfix">';
echo paginate_links(
array(
'base' => str_replace($big, '%#%', esc_url(get_pagenum_link($big))),
'current' => $current_page,
'total' => $total_pages,
'prev_text' => 'Prev',
'next_text' => 'Next',
'mid_size' => 1,
'end_size' => 3
)
);
echo '</nav>';
}
wp_reset_postdata();
// Reset main query object
$wp_query = NULL;
$wp_query = $temp_query; ?>
</code></pre>
<p>Where am I going wrong? Can this not be done from a (child?) page template?</p>
<p>Edit: adding the following rewrite rules almost resolves the issue:</p>
<pre><code>
// Primary Rewrite Rule
add_rewrite_rule( 'practice-areas/family-law/?', 'index.php?post_type=success_stories', 'top' );
// Pagination Rewrite Rule
add_rewrite_rule( 'practice-areas/family-law/page/([0-9]{1,})/?', 'index.php?post_type=success_stories&paged=$matches[1]', 'top' );
</code></pre>
<p>The only problem then is that (a) on paginated pages I'm suddenly in a different template (archive.php) and (b) WordPress seems to default to regular wp_query parameters. That is, it's "forgotten" all my args from the above query, as well as my offset, and I think even the taxonomy query.</p>
| [
{
"answer_id": 391582,
"author": "Josh M",
"author_id": 9764,
"author_profile": "https://wordpress.stackexchange.com/users/9764",
"pm_score": 0,
"selected": false,
"text": "<p>The problem turned out to be the redirect_canonical filter. That was causing the 301 back to the child page itself.</p>\n<p>The solution is to selectively disable that filter. Below is what I've done, though it's not quite as selective as I'd like.</p>\n<p>But it does allow pagination to work, <strong>without the need of any rewrite rules.</strong></p>\n<pre><code>// redirect_canonical is preventing pagination on PA child pages. This removes the filter in that context\nadd_filter( 'redirect_canonical', 'namespace_prevent_redirect_on_pagination', 10 );\nfunction namespace_prevent_redirect_on_pagination( $redirect_url ) {\n if ( is_singular('practice-areas') && !is_admin() && get_post()->post_parent ) {\n return '';\n }\n \n return $redirect_url;\n}\n</code></pre>\n"
},
{
"answer_id": 391587,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 2,
"selected": true,
"text": "<p>Glad that you managed to figure out a solution, which yes, does work. But you could make it more selectively, i.e. target just the specific pages, by using <a href=\"https://developer.wordpress.org/reference/functions/is_single/\" rel=\"nofollow noreferrer\"><code>is_single( '<parent slug>/<child slug>' )</code></a>, e.g. <code>is_single( 'family-law/success-stories' )</code> in your case.</p>\n<p>Secondly, it's not exactly the <code>redirect_canonical</code> <em>hook</em> which caused the (301) redirect on singular paginated post pages (with URL having the <code>/page/<number></code>). Instead, it's <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.2/src/wp-includes/canonical.php#L493\" rel=\"nofollow noreferrer\">the <code>$addl_path</code> part</a> in the <a href=\"https://developer.wordpress.org/reference/functions/redirect_canonical/\" rel=\"nofollow noreferrer\"><code>redirect_canonical()</code></a> <em>function</em> which fires the <code>redirect_canonical</code> hook. More specifically, that part runs only if <code>! is_single()</code> is true (and that the current page number is 2 or more), and thus:</p>\n<ul>\n<li><p>If the request (i.e. current page) URL was for a CPT at <code>example.com/practice-areas/family-law/success-stories/page/2/</code> where <code>practice-areas</code> is the CPT slug and <code>success-stories</code> is child of <code>family-law</code>, the redirect/canonical URL would <strong>not</strong> contain <code>page/2/</code> because <code>! is_single()</code> is false, hence <code>$addl_path</code> would be empty.</p>\n<p>The same scenario would also happen on <code>example.com/practice-areas/family-law/page/2/</code> (i.e. page 2 of the parent post) and other singular CPT pages, including regular posts (in the default <code>post</code> type), e.g. at <code>example.com/hello-world/page/2/</code>, <em>but not on singular Pages</em> (post type <code>page</code>) because <code>! is_single()</code> is false β because <code>is_single()</code> works with any post type, except <code>attachment</code> and <code>page</code>.</p>\n</li>\n<li><p>So if the request URL does not match the canonical URL, then WordPress runs the (301) redirect, which explains why this happened: "<em>everytime I try to navigate to <code>/page/child-page/page/2/</code> WordPress sends me back to <code>/page/child-page/</code> with a 301 redirect</em>".</p>\n</li>\n</ul>\n<p>Also, <code>redirect_canonical()</code> is hooked on <code>template_redirect</code>, so instead of having the function runs the various logic of determining the redirect/canonical URL and yet you eventually return an empty string, you might better off just disable the function like so:</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_action( 'template_redirect', 'my_template_redirect', 1 );\nfunction my_template_redirect() {\n if ( is_paged() && is_single( 'family-law/success-stories' ) ) {\n remove_action( 'template_redirect', 'redirect_canonical' );\n }\n}\n</code></pre>\n<p>And yes, no extra rewrite rules are needed because WordPress already generated them (which handle the <code>/page/<number></code>) for your CPT. But I don't know for sure why WordPress does the above <code>! is_single()</code> check. </p>\n<p>Last but not least, in my original answer and comment as well, I suggested you to remove the <code>$temp_query</code> parts, and your reply was: "<em>I'm gonna keep the $temp_query bit though, since it allows our pagination component to work without the need to rewrite or complicate things</em>" and "<em>I think you were just saying it's not needed</em>".</p>\n<p>So yes, you're right with that second sentence. But more precisely, I actually tested your template code where I put it in <code>single-practice-areas.php</code> and then removed the <code>$temp_query</code> parts (and used <code>$total_pages = $practice_area_query->max_num_pages;</code>), and the <code>/page/<number></code> pagination worked just fine for me with the help of the above <code>my_template_redirect()</code> function.</p>\n<p>So I wondered what exactly does the <code>$temp_query</code> fix, or why must you assign the <code>$wp_query</code> to <code>$practice_area_query</code>?</p>\n<p>But if you really must keep it, then you need to move the <code>wp_reset_postdata();</code> to after the <code>$wp_query = $temp_query;</code>, i.e. after you restore the global <code>$wp_query</code> variable back to the actual main query. Because otherwise, if for example you run <code>the_title()</code>, you would see the title of the last post in your custom query and not the current (and the only) one in the main query.</p>\n"
}
] | 2021/07/06 | [
"https://wordpress.stackexchange.com/questions/391504",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/9764/"
] | **See edit at bottom.**
I have a wp\_query loop in a page template for a custom post type ("success\_stories"). The loop itself works fine but I cannot seem to get pagination working. I've tried every solution I could find on these forums and everytime I try to navigate to /page/child-page/page/2/ WordPress sends me back to /page/child-page/ with a 301 redirect.
I have of course flushed the permalinks about 100 times. Here's the code I'm working with:
```
<?php
if ( get_query_var('paged') ) {
$paged = get_query_var('paged');
} elseif ( get_query_var('page') ) { // 'page' is used instead of 'paged' on Static Front Page
$paged = get_query_var('page');
} else {
$paged = 1;
}
$paged = (get_query_var('paged')) ? get_query_var('paged') : 1;
// Query arguments
$args = array(
'post_type' => array( 'success_stories' ),
'posts_per_page' => '3',
'paged' => $paged,
'ignore_sticky_posts' => true,
'tax_query' => array(
array(
'taxonomy' => 'practice_areas_taxonomy',
'field' => 'ID',
'terms' => array( 17 ),
)
)
);
// Instantiate custom query
$practice_area_query = new WP_Query( $args );
// Pagination fix
$temp_query = $wp_query;
$wp_query = NULL;
$wp_query = $practice_area_query;
// Output custom query loop
if ( $practice_area_query->have_posts() ) :
echo '<div>';
while ( $practice_area_query->have_posts() ) :
$practice_area_query->the_post(); ?>
<div class="<?php echo $pa_class_inner; ?>">
<blockquote>“<?php echo get_the_excerpt();?>”</blockquote>
</div>
<?php endwhile;
echo '</div>';
endif;
// Pagination
$total_pages = $wp_query->max_num_pages;
if ($total_pages > 1) {
$big = 999999999;
$current_page = max(1, get_query_var('paged'));
echo '<nav class="pagination clearfix">';
echo paginate_links(
array(
'base' => str_replace($big, '%#%', esc_url(get_pagenum_link($big))),
'current' => $current_page,
'total' => $total_pages,
'prev_text' => 'Prev',
'next_text' => 'Next',
'mid_size' => 1,
'end_size' => 3
)
);
echo '</nav>';
}
wp_reset_postdata();
// Reset main query object
$wp_query = NULL;
$wp_query = $temp_query; ?>
```
Where am I going wrong? Can this not be done from a (child?) page template?
Edit: adding the following rewrite rules almost resolves the issue:
```
// Primary Rewrite Rule
add_rewrite_rule( 'practice-areas/family-law/?', 'index.php?post_type=success_stories', 'top' );
// Pagination Rewrite Rule
add_rewrite_rule( 'practice-areas/family-law/page/([0-9]{1,})/?', 'index.php?post_type=success_stories&paged=$matches[1]', 'top' );
```
The only problem then is that (a) on paginated pages I'm suddenly in a different template (archive.php) and (b) WordPress seems to default to regular wp\_query parameters. That is, it's "forgotten" all my args from the above query, as well as my offset, and I think even the taxonomy query. | Glad that you managed to figure out a solution, which yes, does work. But you could make it more selectively, i.e. target just the specific pages, by using [`is_single( '<parent slug>/<child slug>' )`](https://developer.wordpress.org/reference/functions/is_single/), e.g. `is_single( 'family-law/success-stories' )` in your case.
Secondly, it's not exactly the `redirect_canonical` *hook* which caused the (301) redirect on singular paginated post pages (with URL having the `/page/<number>`). Instead, it's [the `$addl_path` part](https://core.trac.wordpress.org/browser/tags/5.7.2/src/wp-includes/canonical.php#L493) in the [`redirect_canonical()`](https://developer.wordpress.org/reference/functions/redirect_canonical/) *function* which fires the `redirect_canonical` hook. More specifically, that part runs only if `! is_single()` is true (and that the current page number is 2 or more), and thus:
* If the request (i.e. current page) URL was for a CPT at `example.com/practice-areas/family-law/success-stories/page/2/` where `practice-areas` is the CPT slug and `success-stories` is child of `family-law`, the redirect/canonical URL would **not** contain `page/2/` because `! is_single()` is false, hence `$addl_path` would be empty.
The same scenario would also happen on `example.com/practice-areas/family-law/page/2/` (i.e. page 2 of the parent post) and other singular CPT pages, including regular posts (in the default `post` type), e.g. at `example.com/hello-world/page/2/`, *but not on singular Pages* (post type `page`) because `! is_single()` is false β because `is_single()` works with any post type, except `attachment` and `page`.
* So if the request URL does not match the canonical URL, then WordPress runs the (301) redirect, which explains why this happened: "*everytime I try to navigate to `/page/child-page/page/2/` WordPress sends me back to `/page/child-page/` with a 301 redirect*".
Also, `redirect_canonical()` is hooked on `template_redirect`, so instead of having the function runs the various logic of determining the redirect/canonical URL and yet you eventually return an empty string, you might better off just disable the function like so:
```php
add_action( 'template_redirect', 'my_template_redirect', 1 );
function my_template_redirect() {
if ( is_paged() && is_single( 'family-law/success-stories' ) ) {
remove_action( 'template_redirect', 'redirect_canonical' );
}
}
```
And yes, no extra rewrite rules are needed because WordPress already generated them (which handle the `/page/<number>`) for your CPT. But I don't know for sure why WordPress does the above `! is_single()` check.
Last but not least, in my original answer and comment as well, I suggested you to remove the `$temp_query` parts, and your reply was: "*I'm gonna keep the $temp\_query bit though, since it allows our pagination component to work without the need to rewrite or complicate things*" and "*I think you were just saying it's not needed*".
So yes, you're right with that second sentence. But more precisely, I actually tested your template code where I put it in `single-practice-areas.php` and then removed the `$temp_query` parts (and used `$total_pages = $practice_area_query->max_num_pages;`), and the `/page/<number>` pagination worked just fine for me with the help of the above `my_template_redirect()` function.
So I wondered what exactly does the `$temp_query` fix, or why must you assign the `$wp_query` to `$practice_area_query`?
But if you really must keep it, then you need to move the `wp_reset_postdata();` to after the `$wp_query = $temp_query;`, i.e. after you restore the global `$wp_query` variable back to the actual main query. Because otherwise, if for example you run `the_title()`, you would see the title of the last post in your custom query and not the current (and the only) one in the main query. |
391,519 | <p>I wrote a specific block for a customer. It is working well. I fill the data. I save and when I look on the website, it is quite perfect. But, when I refresh the editor, I am receiving this error.</p>
<p>Thank you so much!</p>
<blockquote>
<p>blocks.min.js?ver=9ed25ffa009c799f99a4340915b6dc6a:3 Block validation: Block validation failed for <code>perso-chacha/bloc-sous-forme-de-template</code> ({name: "perso-chacha/bloc-sous-forme-de-template", icon: {β¦}, keywords: Array(0), attributes: {β¦}, providesContext: {β¦},Β β¦}).</p>
</blockquote>
<p>Content generated by <code>save</code> function:</p>
<pre><code><section class="chacha-column valign-center chacha-bloc-sous-forme-de-template block_891836fd-a657-41da-ba9b-ab915bfc1308"><style>
section.block_891836fd-a657-41da-ba9b-ab915bfc1308{
--section_background_color: #163F47;
--title-font-family: 'undefined';
--title-font-color: #FFFFFF;
--content_1-font-family: 'undefined';
--content_1-font-color: #BFFFFF;
--content_2-font-family: 'undefined';
--content_2-font-color: #FFFFFF;
--content_3-font-family: 'undefined';
--content_3-font-color: #FFFFFF;
}
</style><div class="container"><h2 class="title">sdfsfsdfsdf</h2><div class="content_1"><p></p></div><div class="chacha-row"><div class="content_2"><p></p></div><div class="content_3"><p></p></div></div></div></section>
</code></pre>
<p>Content retrieved from post body:</p>
<pre><code><section class="chacha-column valign-center chacha-bloc-sous-forme-de-template block_891836fd-a657-41da-ba9b-ab915bfc1308"><style>
section.block_891836fd-a657-41da-ba9b-ab915bfc1308{
--section_background_color: #163F47;
--title-font-family: 'undefined';
--title-font-color: #FFFFFF;
--content_1-font-family: 'undefined';
--content_1-font-color: #BFFFFF;
--content_2-font-family: 'undefined';
--content_2-font-color: #FFFFFF;
--content_3-font-family: 'undefined';
--content_3-font-color: #FFFFFF;
}
</style><div class="container"><h2 class="title">sdfsfsdfsdf</h2><div class="content_1"><p>sdfsdfsdfsf</p><p>sdfsdfsdfsfd</p></div><div class="chacha-row"><div class="content_2"><p>sdfsdfsdfsf</p><p>sdfsdfsdf</p></div><div class="content_3"><p>sdfsdfsdfsf</p><p>sdfsdfsdfsdf</p></div></div></div></section>
</code></pre>
<p>This is my save.js</p>
<pre class="lang-js prettyprint-override"><code>import { RichText } from '@wordpress/block-editor';
export default function Save( props ) {
const notDefined = ( typeof props.className === 'undefined' || !props.className ) ? true : false
const { title_font, subtitle_font, content_font, slogan_font, link_font, title_color, slogan_color } = props.attributes;
const currentDate = new Date();
props = Object.assign(props, {
className: notDefined ? `chacha-column valign-center chacha-notre-approche block_${ currentDate.getTime() }` : `chacha-column valign-center chacha-notre-approche block_${ currentDate.getTime() } ${ props.className }`,
});
var css = `
section.block_`+currentDate.getTime()+`{
--title-font-family: '`+title_font+`';
--title-font-color: `+title_color+`;
--subtitle-font-family: '`+subtitle_font+`';
--content-font-family: '`+content_font+`';
--slogan-color: `+slogan_color+`;
--slogan-font-family: '`+slogan_font+`';
--link-font-family: '`+link_font+`';
}
`;
return (
<section {...props}>
<style>{ css }</style>
<div class="chacha-row wrap">
<div class="chacha-cell">
<RichText.Content
tagName="h2"
className="title"
value={ props.attributes.title }
/>
</div>
<div class="chacha-cell">
<RichText.Content
tagName="h3"
className="subtitle"
value={ props.attributes.subtitle }
/>
<RichText.Content
tagName="p"
className="content"
value={ props.attributes.content }
/>
<RichText.Content
tagName="p"
className="slogan"
value={ props.attributes.slogan }
/>
{props.attributes.link_show && props.attributes.link_text &&
<a
href={ props.attributes.link_url }
className="chacha-row valign-center"
>
{props.attributes.link_icon_id &&
<img
src={ props.attributes.link_icon_url }
alt={ props.attributes.title }
/>
}
<span>{ props.attributes.link_text }</span>
</a>
}
</div>
</div>
</section>
);
};
</code></pre>
| [
{
"answer_id": 391582,
"author": "Josh M",
"author_id": 9764,
"author_profile": "https://wordpress.stackexchange.com/users/9764",
"pm_score": 0,
"selected": false,
"text": "<p>The problem turned out to be the redirect_canonical filter. That was causing the 301 back to the child page itself.</p>\n<p>The solution is to selectively disable that filter. Below is what I've done, though it's not quite as selective as I'd like.</p>\n<p>But it does allow pagination to work, <strong>without the need of any rewrite rules.</strong></p>\n<pre><code>// redirect_canonical is preventing pagination on PA child pages. This removes the filter in that context\nadd_filter( 'redirect_canonical', 'namespace_prevent_redirect_on_pagination', 10 );\nfunction namespace_prevent_redirect_on_pagination( $redirect_url ) {\n if ( is_singular('practice-areas') && !is_admin() && get_post()->post_parent ) {\n return '';\n }\n \n return $redirect_url;\n}\n</code></pre>\n"
},
{
"answer_id": 391587,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 2,
"selected": true,
"text": "<p>Glad that you managed to figure out a solution, which yes, does work. But you could make it more selectively, i.e. target just the specific pages, by using <a href=\"https://developer.wordpress.org/reference/functions/is_single/\" rel=\"nofollow noreferrer\"><code>is_single( '<parent slug>/<child slug>' )</code></a>, e.g. <code>is_single( 'family-law/success-stories' )</code> in your case.</p>\n<p>Secondly, it's not exactly the <code>redirect_canonical</code> <em>hook</em> which caused the (301) redirect on singular paginated post pages (with URL having the <code>/page/<number></code>). Instead, it's <a href=\"https://core.trac.wordpress.org/browser/tags/5.7.2/src/wp-includes/canonical.php#L493\" rel=\"nofollow noreferrer\">the <code>$addl_path</code> part</a> in the <a href=\"https://developer.wordpress.org/reference/functions/redirect_canonical/\" rel=\"nofollow noreferrer\"><code>redirect_canonical()</code></a> <em>function</em> which fires the <code>redirect_canonical</code> hook. More specifically, that part runs only if <code>! is_single()</code> is true (and that the current page number is 2 or more), and thus:</p>\n<ul>\n<li><p>If the request (i.e. current page) URL was for a CPT at <code>example.com/practice-areas/family-law/success-stories/page/2/</code> where <code>practice-areas</code> is the CPT slug and <code>success-stories</code> is child of <code>family-law</code>, the redirect/canonical URL would <strong>not</strong> contain <code>page/2/</code> because <code>! is_single()</code> is false, hence <code>$addl_path</code> would be empty.</p>\n<p>The same scenario would also happen on <code>example.com/practice-areas/family-law/page/2/</code> (i.e. page 2 of the parent post) and other singular CPT pages, including regular posts (in the default <code>post</code> type), e.g. at <code>example.com/hello-world/page/2/</code>, <em>but not on singular Pages</em> (post type <code>page</code>) because <code>! is_single()</code> is false β because <code>is_single()</code> works with any post type, except <code>attachment</code> and <code>page</code>.</p>\n</li>\n<li><p>So if the request URL does not match the canonical URL, then WordPress runs the (301) redirect, which explains why this happened: "<em>everytime I try to navigate to <code>/page/child-page/page/2/</code> WordPress sends me back to <code>/page/child-page/</code> with a 301 redirect</em>".</p>\n</li>\n</ul>\n<p>Also, <code>redirect_canonical()</code> is hooked on <code>template_redirect</code>, so instead of having the function runs the various logic of determining the redirect/canonical URL and yet you eventually return an empty string, you might better off just disable the function like so:</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_action( 'template_redirect', 'my_template_redirect', 1 );\nfunction my_template_redirect() {\n if ( is_paged() && is_single( 'family-law/success-stories' ) ) {\n remove_action( 'template_redirect', 'redirect_canonical' );\n }\n}\n</code></pre>\n<p>And yes, no extra rewrite rules are needed because WordPress already generated them (which handle the <code>/page/<number></code>) for your CPT. But I don't know for sure why WordPress does the above <code>! is_single()</code> check. </p>\n<p>Last but not least, in my original answer and comment as well, I suggested you to remove the <code>$temp_query</code> parts, and your reply was: "<em>I'm gonna keep the $temp_query bit though, since it allows our pagination component to work without the need to rewrite or complicate things</em>" and "<em>I think you were just saying it's not needed</em>".</p>\n<p>So yes, you're right with that second sentence. But more precisely, I actually tested your template code where I put it in <code>single-practice-areas.php</code> and then removed the <code>$temp_query</code> parts (and used <code>$total_pages = $practice_area_query->max_num_pages;</code>), and the <code>/page/<number></code> pagination worked just fine for me with the help of the above <code>my_template_redirect()</code> function.</p>\n<p>So I wondered what exactly does the <code>$temp_query</code> fix, or why must you assign the <code>$wp_query</code> to <code>$practice_area_query</code>?</p>\n<p>But if you really must keep it, then you need to move the <code>wp_reset_postdata();</code> to after the <code>$wp_query = $temp_query;</code>, i.e. after you restore the global <code>$wp_query</code> variable back to the actual main query. Because otherwise, if for example you run <code>the_title()</code>, you would see the title of the last post in your custom query and not the current (and the only) one in the main query.</p>\n"
}
] | 2021/07/06 | [
"https://wordpress.stackexchange.com/questions/391519",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/208672/"
] | I wrote a specific block for a customer. It is working well. I fill the data. I save and when I look on the website, it is quite perfect. But, when I refresh the editor, I am receiving this error.
Thank you so much!
>
> blocks.min.js?ver=9ed25ffa009c799f99a4340915b6dc6a:3 Block validation: Block validation failed for `perso-chacha/bloc-sous-forme-de-template` ({name: "perso-chacha/bloc-sous-forme-de-template", icon: {β¦}, keywords: Array(0), attributes: {β¦}, providesContext: {β¦},Β β¦}).
>
>
>
Content generated by `save` function:
```
<section class="chacha-column valign-center chacha-bloc-sous-forme-de-template block_891836fd-a657-41da-ba9b-ab915bfc1308"><style>
section.block_891836fd-a657-41da-ba9b-ab915bfc1308{
--section_background_color: #163F47;
--title-font-family: 'undefined';
--title-font-color: #FFFFFF;
--content_1-font-family: 'undefined';
--content_1-font-color: #BFFFFF;
--content_2-font-family: 'undefined';
--content_2-font-color: #FFFFFF;
--content_3-font-family: 'undefined';
--content_3-font-color: #FFFFFF;
}
</style><div class="container"><h2 class="title">sdfsfsdfsdf</h2><div class="content_1"><p></p></div><div class="chacha-row"><div class="content_2"><p></p></div><div class="content_3"><p></p></div></div></div></section>
```
Content retrieved from post body:
```
<section class="chacha-column valign-center chacha-bloc-sous-forme-de-template block_891836fd-a657-41da-ba9b-ab915bfc1308"><style>
section.block_891836fd-a657-41da-ba9b-ab915bfc1308{
--section_background_color: #163F47;
--title-font-family: 'undefined';
--title-font-color: #FFFFFF;
--content_1-font-family: 'undefined';
--content_1-font-color: #BFFFFF;
--content_2-font-family: 'undefined';
--content_2-font-color: #FFFFFF;
--content_3-font-family: 'undefined';
--content_3-font-color: #FFFFFF;
}
</style><div class="container"><h2 class="title">sdfsfsdfsdf</h2><div class="content_1"><p>sdfsdfsdfsf</p><p>sdfsdfsdfsfd</p></div><div class="chacha-row"><div class="content_2"><p>sdfsdfsdfsf</p><p>sdfsdfsdf</p></div><div class="content_3"><p>sdfsdfsdfsf</p><p>sdfsdfsdfsdf</p></div></div></div></section>
```
This is my save.js
```js
import { RichText } from '@wordpress/block-editor';
export default function Save( props ) {
const notDefined = ( typeof props.className === 'undefined' || !props.className ) ? true : false
const { title_font, subtitle_font, content_font, slogan_font, link_font, title_color, slogan_color } = props.attributes;
const currentDate = new Date();
props = Object.assign(props, {
className: notDefined ? `chacha-column valign-center chacha-notre-approche block_${ currentDate.getTime() }` : `chacha-column valign-center chacha-notre-approche block_${ currentDate.getTime() } ${ props.className }`,
});
var css = `
section.block_`+currentDate.getTime()+`{
--title-font-family: '`+title_font+`';
--title-font-color: `+title_color+`;
--subtitle-font-family: '`+subtitle_font+`';
--content-font-family: '`+content_font+`';
--slogan-color: `+slogan_color+`;
--slogan-font-family: '`+slogan_font+`';
--link-font-family: '`+link_font+`';
}
`;
return (
<section {...props}>
<style>{ css }</style>
<div class="chacha-row wrap">
<div class="chacha-cell">
<RichText.Content
tagName="h2"
className="title"
value={ props.attributes.title }
/>
</div>
<div class="chacha-cell">
<RichText.Content
tagName="h3"
className="subtitle"
value={ props.attributes.subtitle }
/>
<RichText.Content
tagName="p"
className="content"
value={ props.attributes.content }
/>
<RichText.Content
tagName="p"
className="slogan"
value={ props.attributes.slogan }
/>
{props.attributes.link_show && props.attributes.link_text &&
<a
href={ props.attributes.link_url }
className="chacha-row valign-center"
>
{props.attributes.link_icon_id &&
<img
src={ props.attributes.link_icon_url }
alt={ props.attributes.title }
/>
}
<span>{ props.attributes.link_text }</span>
</a>
}
</div>
</div>
</section>
);
};
``` | Glad that you managed to figure out a solution, which yes, does work. But you could make it more selectively, i.e. target just the specific pages, by using [`is_single( '<parent slug>/<child slug>' )`](https://developer.wordpress.org/reference/functions/is_single/), e.g. `is_single( 'family-law/success-stories' )` in your case.
Secondly, it's not exactly the `redirect_canonical` *hook* which caused the (301) redirect on singular paginated post pages (with URL having the `/page/<number>`). Instead, it's [the `$addl_path` part](https://core.trac.wordpress.org/browser/tags/5.7.2/src/wp-includes/canonical.php#L493) in the [`redirect_canonical()`](https://developer.wordpress.org/reference/functions/redirect_canonical/) *function* which fires the `redirect_canonical` hook. More specifically, that part runs only if `! is_single()` is true (and that the current page number is 2 or more), and thus:
* If the request (i.e. current page) URL was for a CPT at `example.com/practice-areas/family-law/success-stories/page/2/` where `practice-areas` is the CPT slug and `success-stories` is child of `family-law`, the redirect/canonical URL would **not** contain `page/2/` because `! is_single()` is false, hence `$addl_path` would be empty.
The same scenario would also happen on `example.com/practice-areas/family-law/page/2/` (i.e. page 2 of the parent post) and other singular CPT pages, including regular posts (in the default `post` type), e.g. at `example.com/hello-world/page/2/`, *but not on singular Pages* (post type `page`) because `! is_single()` is false β because `is_single()` works with any post type, except `attachment` and `page`.
* So if the request URL does not match the canonical URL, then WordPress runs the (301) redirect, which explains why this happened: "*everytime I try to navigate to `/page/child-page/page/2/` WordPress sends me back to `/page/child-page/` with a 301 redirect*".
Also, `redirect_canonical()` is hooked on `template_redirect`, so instead of having the function runs the various logic of determining the redirect/canonical URL and yet you eventually return an empty string, you might better off just disable the function like so:
```php
add_action( 'template_redirect', 'my_template_redirect', 1 );
function my_template_redirect() {
if ( is_paged() && is_single( 'family-law/success-stories' ) ) {
remove_action( 'template_redirect', 'redirect_canonical' );
}
}
```
And yes, no extra rewrite rules are needed because WordPress already generated them (which handle the `/page/<number>`) for your CPT. But I don't know for sure why WordPress does the above `! is_single()` check.
Last but not least, in my original answer and comment as well, I suggested you to remove the `$temp_query` parts, and your reply was: "*I'm gonna keep the $temp\_query bit though, since it allows our pagination component to work without the need to rewrite or complicate things*" and "*I think you were just saying it's not needed*".
So yes, you're right with that second sentence. But more precisely, I actually tested your template code where I put it in `single-practice-areas.php` and then removed the `$temp_query` parts (and used `$total_pages = $practice_area_query->max_num_pages;`), and the `/page/<number>` pagination worked just fine for me with the help of the above `my_template_redirect()` function.
So I wondered what exactly does the `$temp_query` fix, or why must you assign the `$wp_query` to `$practice_area_query`?
But if you really must keep it, then you need to move the `wp_reset_postdata();` to after the `$wp_query = $temp_query;`, i.e. after you restore the global `$wp_query` variable back to the actual main query. Because otherwise, if for example you run `the_title()`, you would see the title of the last post in your custom query and not the current (and the only) one in the main query. |
391,539 | <p>I'm trying to post to a WordPress server on an AWS Lightsail instance using node-wpapi.
However, the server returns a 401 error.</p>
<p>I already have a <code>.htaccess</code> file with <code>RewriteRule .* - [E=REMOTE_USER:%{HTTP:Authorization}]</code> to my <code>.htaccess</code> file and I already use 'application passwords' plugin.</p>
<p>How can I use node-wpapi to access the server?</p>
<p>My node-wpapi setting is here.</p>
<pre><code>const wp = new WPAPI({
endpoint: 'http://localhost/wp-json',
username: 'user', //This is a default admin user.
password: '*************************', //This is a password for application passwords plugin
auth: true,
});
</code></pre>
<p>My <code>.htaccess</code> file is here.</p>
<pre><code># BEGIN WordPress
<IfModule mod_rewrite.c>
RewriteEngine On
RewriteRule .* - [E=REMOTE_USER:%{HTTP:Authorization}]
RewriteBase /
RewriteRule ^index\.php$ - [L]
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule . /index.php [L]
</IfModule>
# END WordPress
</code></pre>
<p>The error message is here.</p>
<pre><code> code: 'rest_cannot_create',
message: 'Sorry, you are not allowed to create new posts.',
data: { status: 401 }
</code></pre>
<p>My user profile page keeps displaying the following message.</p>
<p><code>> Due to a potential server misconfiguration, it seems that HTTP Basic Authorization may not work for the REST API on this site: `Authorization` headers are not being sent to WordPress by the webserver. You can learn more about this problem, and a possible solution, on our GitHub Wiki.</code></p>
| [
{
"answer_id": 391552,
"author": "MrWhite",
"author_id": 8259,
"author_profile": "https://wordpress.stackexchange.com/users/8259",
"pm_score": 0,
"selected": false,
"text": "<blockquote>\n<pre><code>RewriteRule .* - [E=REMOTE_USER:%{HTTP:Authorization}]\n</code></pre>\n</blockquote>\n<p>Unless you have specific requirements, you would ordinarily set the <code>HTTP_AUTHORIZATION</code> environment variable here, not <code>REMOTE_USER</code>, in order to essentially pass the <code>Authorization</code> HTTP request header as-is through to PHP/WordPress. (Which would seem to be what the error is suggesting?)</p>\n<p><strong>UPDATE:</strong> Also try setting <code>CGIPassAuth On</code> at the top of the <code>.htaccess</code> file. See <a href=\"https://stackoverflow.com/a/66825530/369434\">my answer</a> on the following <a href=\"https://stackoverflow.com/questions/66824195/missing-authorization-headers-with-apache\" title=\"Missing authorization headers with Apache\">related question on StackOverflow</a>.</p>\n"
},
{
"answer_id": 391597,
"author": "Pierogi",
"author_id": 208687,
"author_profile": "https://wordpress.stackexchange.com/users/208687",
"pm_score": 2,
"selected": true,
"text": "<p>I've found a solution.</p>\n<p>The WordPress made from AWS Lightsail instance image is bitnami WordPress.\nAnd the bitnami WordPress is disabled Basic Authentication as default. So it needs some modification on <code>/opt/bitnami/apps/WordPress/conf/httpd-app.conf</code> to enable Basic Authentication. This modification is adding 3 lines below.</p>\n<pre><code>RewriteEngine on\nRewriteCond %{HTTP:Authorization} ^(.*)\nRewriteRule ^(.*) - [E=HTTP_AUTHORIZATION:%1]\n</code></pre>\n<p>The httpd-app.conf ended up below.</p>\n<pre><code>RewriteEngine On\nRewriteRule /<none> / [L,R]\n\n<IfDefine USE_PHP_FPM>\n <Proxy "unix:/opt/bitnami/php/var/run/wordpress.sock|fcgi://wordpress-fpm" timeout=300>\n </Proxy>\n</IfDefine>\n\n<Directory "/opt/bitnami/apps/wordpress/htdocs">\n Options +MultiViews +FollowSymLinks\n AllowOverride None\n <IfVersion < 2.3 >\n Order allow,deny\n Allow from all\n </IfVersion>\n <IfVersion >= 2.3>\n Require all granted\n </IfVersion>\n \n \n\n <IfDefine USE_PHP_FPM>\n <FilesMatch \\.php$>\n SetHandler "proxy:fcgi://wordpress-fpm"\n </FilesMatch>\n </IfDefine>\n\nRewriteEngine on\nRewriteCond %{HTTP:Authorization} ^(.*)\nRewriteRule ^(.*) - [E=HTTP_AUTHORIZATION:%1]\n \n RewriteEngine On\n #RewriteBase /wordpress/\n RewriteRule ^index\\.php$ - [S=1]\n RewriteCond %{REQUEST_FILENAME} !-f\n RewriteCond %{REQUEST_FILENAME} !-d\n RewriteRule . index.php [L]\n\n Include "/opt/bitnami/apps/wordpress/conf/banner.conf"\n</Directory>\n\nInclude "/opt/bitnami/apps/wordpress/conf/htaccess.conf"\n \n</code></pre>\n<p>Then restart apache or the instance itself.\nThen I installed the <code>Application Passwords</code> plugin and I use it as a normal procedure.<br>\nThe following message of the plugin displayed on the profile page has gone.</p>\n<pre><code> Due to a potential server misconfiguration, it seems that HTTP Basic Authorization may not work for the REST API on this site: `Authorization` headers are not being sent to WordPress by the webserver. You can learn more about this problem, and a possible solution, on our GitHub Wiki.\n</code></pre>\n<p>The HTTP_AUTHORIZATION environment variable in the .htaccess file doesn't need to be replaced REMOTE_USER.\nJust in case, I show my .htaccess file below.</p>\n<pre><code># BEGIN WordPress\n<IfModule mod_rewrite.c>\nRewriteEngine On\nRewriteRule .* - [E=HTTP_AUTHORIZATION:%{HTTP:Authorization}]\nRewriteBase /\nRewriteRule ^index\\.php$ - [L]\nRewriteCond %{REQUEST_FILENAME} !-f\nRewriteCond %{REQUEST_FILENAME} !-d\nRewriteRule . /index.php [L]\n</IfModule>\n# END WordPress\n</code></pre>\n<p>This solution is from <a href=\"https://community.bitnami.com/t/wordpress-rest-api-basic-authentication-header-not-working/59090/6\" rel=\"nofollow noreferrer\">this page</a>.<br>\nThe difference of solution between this solution page and my solution above is I use the <code>Application Passwords</code> plugin but they use the <a href=\"https://github.com/WP-API/Basic-Auth\" rel=\"nofollow noreferrer\">JSON Basic authentication plugin</a>.</p>\n"
}
] | 2021/07/07 | [
"https://wordpress.stackexchange.com/questions/391539",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/208687/"
] | I'm trying to post to a WordPress server on an AWS Lightsail instance using node-wpapi.
However, the server returns a 401 error.
I already have a `.htaccess` file with `RewriteRule .* - [E=REMOTE_USER:%{HTTP:Authorization}]` to my `.htaccess` file and I already use 'application passwords' plugin.
How can I use node-wpapi to access the server?
My node-wpapi setting is here.
```
const wp = new WPAPI({
endpoint: 'http://localhost/wp-json',
username: 'user', //This is a default admin user.
password: '*************************', //This is a password for application passwords plugin
auth: true,
});
```
My `.htaccess` file is here.
```
# BEGIN WordPress
<IfModule mod_rewrite.c>
RewriteEngine On
RewriteRule .* - [E=REMOTE_USER:%{HTTP:Authorization}]
RewriteBase /
RewriteRule ^index\.php$ - [L]
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule . /index.php [L]
</IfModule>
# END WordPress
```
The error message is here.
```
code: 'rest_cannot_create',
message: 'Sorry, you are not allowed to create new posts.',
data: { status: 401 }
```
My user profile page keeps displaying the following message.
`> Due to a potential server misconfiguration, it seems that HTTP Basic Authorization may not work for the REST API on this site: `Authorization` headers are not being sent to WordPress by the webserver. You can learn more about this problem, and a possible solution, on our GitHub Wiki.` | I've found a solution.
The WordPress made from AWS Lightsail instance image is bitnami WordPress.
And the bitnami WordPress is disabled Basic Authentication as default. So it needs some modification on `/opt/bitnami/apps/WordPress/conf/httpd-app.conf` to enable Basic Authentication. This modification is adding 3 lines below.
```
RewriteEngine on
RewriteCond %{HTTP:Authorization} ^(.*)
RewriteRule ^(.*) - [E=HTTP_AUTHORIZATION:%1]
```
The httpd-app.conf ended up below.
```
RewriteEngine On
RewriteRule /<none> / [L,R]
<IfDefine USE_PHP_FPM>
<Proxy "unix:/opt/bitnami/php/var/run/wordpress.sock|fcgi://wordpress-fpm" timeout=300>
</Proxy>
</IfDefine>
<Directory "/opt/bitnami/apps/wordpress/htdocs">
Options +MultiViews +FollowSymLinks
AllowOverride None
<IfVersion < 2.3 >
Order allow,deny
Allow from all
</IfVersion>
<IfVersion >= 2.3>
Require all granted
</IfVersion>
<IfDefine USE_PHP_FPM>
<FilesMatch \.php$>
SetHandler "proxy:fcgi://wordpress-fpm"
</FilesMatch>
</IfDefine>
RewriteEngine on
RewriteCond %{HTTP:Authorization} ^(.*)
RewriteRule ^(.*) - [E=HTTP_AUTHORIZATION:%1]
RewriteEngine On
#RewriteBase /wordpress/
RewriteRule ^index\.php$ - [S=1]
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule . index.php [L]
Include "/opt/bitnami/apps/wordpress/conf/banner.conf"
</Directory>
Include "/opt/bitnami/apps/wordpress/conf/htaccess.conf"
```
Then restart apache or the instance itself.
Then I installed the `Application Passwords` plugin and I use it as a normal procedure.
The following message of the plugin displayed on the profile page has gone.
```
Due to a potential server misconfiguration, it seems that HTTP Basic Authorization may not work for the REST API on this site: `Authorization` headers are not being sent to WordPress by the webserver. You can learn more about this problem, and a possible solution, on our GitHub Wiki.
```
The HTTP\_AUTHORIZATION environment variable in the .htaccess file doesn't need to be replaced REMOTE\_USER.
Just in case, I show my .htaccess file below.
```
# BEGIN WordPress
<IfModule mod_rewrite.c>
RewriteEngine On
RewriteRule .* - [E=HTTP_AUTHORIZATION:%{HTTP:Authorization}]
RewriteBase /
RewriteRule ^index\.php$ - [L]
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule . /index.php [L]
</IfModule>
# END WordPress
```
This solution is from [this page](https://community.bitnami.com/t/wordpress-rest-api-basic-authentication-header-not-working/59090/6).
The difference of solution between this solution page and my solution above is I use the `Application Passwords` plugin but they use the [JSON Basic authentication plugin](https://github.com/WP-API/Basic-Auth). |
391,562 | <p>May I know how could I change the error text? Example, I want change it from.</p>
<p>[Error: This username is invalid because it uses illegal characters. Please enter a valid username.]</p>
<p>to</p>
<p>[Error: Username invalid. Please enter a valid username.]</p>
<p><a href="https://i.stack.imgur.com/tWUK9.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/tWUK9.png" alt="enter image description here" /></a></p>
| [
{
"answer_id": 391585,
"author": "vancoder",
"author_id": 26778,
"author_profile": "https://wordpress.stackexchange.com/users/26778",
"pm_score": 0,
"selected": false,
"text": "<p>Unfortunately you cannot change it, as it is hard-coded and unfiltered in core.</p>\n<p>See <a href=\"https://github.com/WordPress/WordPress/blob/master/wp-admin/includes/user.php#L185\" rel=\"nofollow noreferrer\">https://github.com/WordPress/WordPress/blob/master/wp-admin/includes/user.php#L185</a></p>\n"
},
{
"answer_id": 391591,
"author": "Aboelabbas",
"author_id": 119142,
"author_profile": "https://wordpress.stackexchange.com/users/119142",
"pm_score": 3,
"selected": true,
"text": "<p>You can achieve this via '<a href=\"https://developer.wordpress.org/reference/hooks/registration_errors/\" rel=\"nofollow noreferrer\">registration_errors</a>' filter hook. The hook filters the WP_Error object that holds all the current errors. The code used will be something like this:</p>\n<pre><code>add_filter( 'registration_errors', function( $errors ){\n if( $errors->get_error_messages( 'invalid_username' ) ) {\n $errors->remove('invalid_username');\n $errors->add('invalid_username', '<strong>Error</strong>: My custom error message');\n }\n return $errors;\n});\n</code></pre>\n<p><strong>Please note</strong> that we checked the presence of the target error message by its code "invalid_username", but this code may contain a different message for the username if it is found in the array of 'illegal_user_logins' which may contain a list of disallowed usernames, so if you need a different message for the disallowed username error you may use the second parameter "$sanitized_user_login" to check if it's in the disallowed list and change the error message if so. Your code may be something like this:</p>\n<pre><code>add_filter( 'registration_errors', function( $errors, $sanitized_user_login ){\n \n if( $errors->get_error_messages( 'invalid_username' ) ) {\n \n // Get the list of disallowed usernames\n $illegal_user_logins = array_map('strtolower', (array) apply_filters( 'illegal_user_logins', array() ));\n \n // Set our default message\n $message = '<strong>Error</strong>: My custom error message';\n \n // Change the message if the current username is one of the disallowed usernames\n if( in_array( strtolower( $sanitized_user_login ), $illegal_user_logins, true) ) {\n $message = '<strong>Error</strong>: My custom error message 2';\n }\n \n $errors->remove('invalid_username');\n $errors->add('invalid_username', $message);\n }\n \n return $errors;\n}, 10, 2); \n</code></pre>\n"
}
] | 2021/07/07 | [
"https://wordpress.stackexchange.com/questions/391562",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/207928/"
] | May I know how could I change the error text? Example, I want change it from.
[Error: This username is invalid because it uses illegal characters. Please enter a valid username.]
to
[Error: Username invalid. Please enter a valid username.]
[](https://i.stack.imgur.com/tWUK9.png) | You can achieve this via '[registration\_errors](https://developer.wordpress.org/reference/hooks/registration_errors/)' filter hook. The hook filters the WP\_Error object that holds all the current errors. The code used will be something like this:
```
add_filter( 'registration_errors', function( $errors ){
if( $errors->get_error_messages( 'invalid_username' ) ) {
$errors->remove('invalid_username');
$errors->add('invalid_username', '<strong>Error</strong>: My custom error message');
}
return $errors;
});
```
**Please note** that we checked the presence of the target error message by its code "invalid\_username", but this code may contain a different message for the username if it is found in the array of 'illegal\_user\_logins' which may contain a list of disallowed usernames, so if you need a different message for the disallowed username error you may use the second parameter "$sanitized\_user\_login" to check if it's in the disallowed list and change the error message if so. Your code may be something like this:
```
add_filter( 'registration_errors', function( $errors, $sanitized_user_login ){
if( $errors->get_error_messages( 'invalid_username' ) ) {
// Get the list of disallowed usernames
$illegal_user_logins = array_map('strtolower', (array) apply_filters( 'illegal_user_logins', array() ));
// Set our default message
$message = '<strong>Error</strong>: My custom error message';
// Change the message if the current username is one of the disallowed usernames
if( in_array( strtolower( $sanitized_user_login ), $illegal_user_logins, true) ) {
$message = '<strong>Error</strong>: My custom error message 2';
}
$errors->remove('invalid_username');
$errors->add('invalid_username', $message);
}
return $errors;
}, 10, 2);
``` |
391,579 | <p>I have been stuck on the following case for a while now. On a page I have a list of <code>tags</code> which I try to filter. When the post for example has an <code>ID</code> of <code>10586</code>, the only tag displayed should be <code>10586</code>.</p>
<p><a href="https://i.stack.imgur.com/jmOIN.jpg" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/jmOIN.jpg" alt="enter image description here" /></a></p>
<p>The name of the <code>taxonomy</code> is <code>post_tag</code> and the value of the term is the same as the <code>ID</code> of the post its on. A post with the <code>ID</code> of <code>10586</code>, has a term named <code>10586</code>.</p>
<p>I tried to accomplish that with this code:</p>
<pre><code>function my_acf_load_field( $field )
{
global $post;
$post_id = get_the_ID();
$field['taxonomy'] = array();
wp_reset_query();
$query = new WP_Query(array(
'post_type' => 'actor',
'orderby' => 'menu_order',
'order' => 'ASC',
'posts_per_page' => -1,
'tag' => $post_id,
'tax_query' => array(
array(
'taxonomy' => 'post_tag',
'field' => 'slug',
'terms' => 'post_id'
)
)
));
foreach($query->posts as $product_id=>$macthed_product){
$choices[$macthed_product->ID] = $macthed_product->post_title;
}
$field['taxonomy'] = array();
if( is_array($choices) )
{
foreach( $choices as $key=>$choice )
{
$field['taxonomy'][$key] = $choice;
if($choice->name == $post->ID){
$choice = get_the_terms( $post->ID, 'taxonomy' );
}
}
}
wp_reset_query();
return $field;
}
add_filter('acf/load_field/name=actor_tags_actor_profile', 'my_acf_load_field');
</code></pre>
<p>After running the code in functions.php it returns the tags as in the image above.
Any help with this is greatly appreciated.</p>
| [
{
"answer_id": 391585,
"author": "vancoder",
"author_id": 26778,
"author_profile": "https://wordpress.stackexchange.com/users/26778",
"pm_score": 0,
"selected": false,
"text": "<p>Unfortunately you cannot change it, as it is hard-coded and unfiltered in core.</p>\n<p>See <a href=\"https://github.com/WordPress/WordPress/blob/master/wp-admin/includes/user.php#L185\" rel=\"nofollow noreferrer\">https://github.com/WordPress/WordPress/blob/master/wp-admin/includes/user.php#L185</a></p>\n"
},
{
"answer_id": 391591,
"author": "Aboelabbas",
"author_id": 119142,
"author_profile": "https://wordpress.stackexchange.com/users/119142",
"pm_score": 3,
"selected": true,
"text": "<p>You can achieve this via '<a href=\"https://developer.wordpress.org/reference/hooks/registration_errors/\" rel=\"nofollow noreferrer\">registration_errors</a>' filter hook. The hook filters the WP_Error object that holds all the current errors. The code used will be something like this:</p>\n<pre><code>add_filter( 'registration_errors', function( $errors ){\n if( $errors->get_error_messages( 'invalid_username' ) ) {\n $errors->remove('invalid_username');\n $errors->add('invalid_username', '<strong>Error</strong>: My custom error message');\n }\n return $errors;\n});\n</code></pre>\n<p><strong>Please note</strong> that we checked the presence of the target error message by its code "invalid_username", but this code may contain a different message for the username if it is found in the array of 'illegal_user_logins' which may contain a list of disallowed usernames, so if you need a different message for the disallowed username error you may use the second parameter "$sanitized_user_login" to check if it's in the disallowed list and change the error message if so. Your code may be something like this:</p>\n<pre><code>add_filter( 'registration_errors', function( $errors, $sanitized_user_login ){\n \n if( $errors->get_error_messages( 'invalid_username' ) ) {\n \n // Get the list of disallowed usernames\n $illegal_user_logins = array_map('strtolower', (array) apply_filters( 'illegal_user_logins', array() ));\n \n // Set our default message\n $message = '<strong>Error</strong>: My custom error message';\n \n // Change the message if the current username is one of the disallowed usernames\n if( in_array( strtolower( $sanitized_user_login ), $illegal_user_logins, true) ) {\n $message = '<strong>Error</strong>: My custom error message 2';\n }\n \n $errors->remove('invalid_username');\n $errors->add('invalid_username', $message);\n }\n \n return $errors;\n}, 10, 2); \n</code></pre>\n"
}
] | 2021/07/07 | [
"https://wordpress.stackexchange.com/questions/391579",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/206573/"
] | I have been stuck on the following case for a while now. On a page I have a list of `tags` which I try to filter. When the post for example has an `ID` of `10586`, the only tag displayed should be `10586`.
[](https://i.stack.imgur.com/jmOIN.jpg)
The name of the `taxonomy` is `post_tag` and the value of the term is the same as the `ID` of the post its on. A post with the `ID` of `10586`, has a term named `10586`.
I tried to accomplish that with this code:
```
function my_acf_load_field( $field )
{
global $post;
$post_id = get_the_ID();
$field['taxonomy'] = array();
wp_reset_query();
$query = new WP_Query(array(
'post_type' => 'actor',
'orderby' => 'menu_order',
'order' => 'ASC',
'posts_per_page' => -1,
'tag' => $post_id,
'tax_query' => array(
array(
'taxonomy' => 'post_tag',
'field' => 'slug',
'terms' => 'post_id'
)
)
));
foreach($query->posts as $product_id=>$macthed_product){
$choices[$macthed_product->ID] = $macthed_product->post_title;
}
$field['taxonomy'] = array();
if( is_array($choices) )
{
foreach( $choices as $key=>$choice )
{
$field['taxonomy'][$key] = $choice;
if($choice->name == $post->ID){
$choice = get_the_terms( $post->ID, 'taxonomy' );
}
}
}
wp_reset_query();
return $field;
}
add_filter('acf/load_field/name=actor_tags_actor_profile', 'my_acf_load_field');
```
After running the code in functions.php it returns the tags as in the image above.
Any help with this is greatly appreciated. | You can achieve this via '[registration\_errors](https://developer.wordpress.org/reference/hooks/registration_errors/)' filter hook. The hook filters the WP\_Error object that holds all the current errors. The code used will be something like this:
```
add_filter( 'registration_errors', function( $errors ){
if( $errors->get_error_messages( 'invalid_username' ) ) {
$errors->remove('invalid_username');
$errors->add('invalid_username', '<strong>Error</strong>: My custom error message');
}
return $errors;
});
```
**Please note** that we checked the presence of the target error message by its code "invalid\_username", but this code may contain a different message for the username if it is found in the array of 'illegal\_user\_logins' which may contain a list of disallowed usernames, so if you need a different message for the disallowed username error you may use the second parameter "$sanitized\_user\_login" to check if it's in the disallowed list and change the error message if so. Your code may be something like this:
```
add_filter( 'registration_errors', function( $errors, $sanitized_user_login ){
if( $errors->get_error_messages( 'invalid_username' ) ) {
// Get the list of disallowed usernames
$illegal_user_logins = array_map('strtolower', (array) apply_filters( 'illegal_user_logins', array() ));
// Set our default message
$message = '<strong>Error</strong>: My custom error message';
// Change the message if the current username is one of the disallowed usernames
if( in_array( strtolower( $sanitized_user_login ), $illegal_user_logins, true) ) {
$message = '<strong>Error</strong>: My custom error message 2';
}
$errors->remove('invalid_username');
$errors->add('invalid_username', $message);
}
return $errors;
}, 10, 2);
``` |
391,600 | <p>If jQuery is included in WordPress, why do I get 'jQuery is undefined' errors?
I cannot find a tutorial (one would think this would be in the WordPress docs) on how to use jQuery in modern versions of WordPress (I'm using 5.7). Do I need to enqueue anything? Deregister anything? Do anything in functions.php. I've tried:</p>
<pre><code>var $j = jQuery.noConflict();
jQuery(document).ready(function($)
(function($) {
</code></pre>
<p>Is there documentation anywhere that explains the basic methods of using jQuery in my WordPress code? Everything I can find on the Interwebs is old or doesn't solve the issue.</p>
<p>Thanks.</p>
<p>UPDATE (per Jos Faber's recommendation), but still getting undefined error:</p>
<pre><code>function hs_load_scripts() {
wp_enqueue_script('jquery');
}
add_action('wp_enqueue_scripts', 'hs_load_scripts');
</code></pre>
<pre><code><script>
const $ = jQuery.noConflict();
$(function() {
$('#servers').on('submit', function(){
$.ajax({
type: 'POST',
url: ajax_url,
...
</code></pre>
| [
{
"answer_id": 391608,
"author": "JosF",
"author_id": 50460,
"author_profile": "https://wordpress.stackexchange.com/users/50460",
"pm_score": 2,
"selected": false,
"text": "<p>(I'm using 5.7.2) This is all you have to use: <code>const $ = jQuery.noConflict();</code>. However, you have to make sure the file you load is loaded after jQuery to prevent timing issues. So either make jQuery a dependency of your script like this:</p>\n<pre><code>function _jf_load_scripts()\n{\n wp_register_script('main', get_template_directory_uri() . '/build/js/main.bundle.js', array('jquery'), MY_VERSION, TRUE);\n wp_enqueue_script('main');\n}\nadd_action('wp_enqueue_scripts', '_jf_load_scripts');\n</code></pre>\n<p>Or enqueue jQuery upfront, like this:</p>\n<pre><code>function _jf_load_scripts()\n{\n wp_enqueue_script('jquery');\n\n wp_register_script('main', get_template_directory_uri() . '/build/js/main.bundle.js', array(), MY_VERSION, TRUE);\n wp_enqueue_script('main');\n}\nadd_action('wp_enqueue_scripts', '_jf_load_scripts');\n</code></pre>\n<p>When your scripts load after jQuery, any of the used methods you describe above should work.</p>\n"
},
{
"answer_id": 391890,
"author": "breadwild",
"author_id": 153797,
"author_profile": "https://wordpress.stackexchange.com/users/153797",
"pm_score": 1,
"selected": false,
"text": "<p>I hate to admit this (I'm might get thrown off StackExchange for being such a dolt). Turns out...drum roll...I forgot <code>get_header()</code> on my page. No header, no nothing.</p>\n"
}
] | 2021/07/08 | [
"https://wordpress.stackexchange.com/questions/391600",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/153797/"
] | If jQuery is included in WordPress, why do I get 'jQuery is undefined' errors?
I cannot find a tutorial (one would think this would be in the WordPress docs) on how to use jQuery in modern versions of WordPress (I'm using 5.7). Do I need to enqueue anything? Deregister anything? Do anything in functions.php. I've tried:
```
var $j = jQuery.noConflict();
jQuery(document).ready(function($)
(function($) {
```
Is there documentation anywhere that explains the basic methods of using jQuery in my WordPress code? Everything I can find on the Interwebs is old or doesn't solve the issue.
Thanks.
UPDATE (per Jos Faber's recommendation), but still getting undefined error:
```
function hs_load_scripts() {
wp_enqueue_script('jquery');
}
add_action('wp_enqueue_scripts', 'hs_load_scripts');
```
```
<script>
const $ = jQuery.noConflict();
$(function() {
$('#servers').on('submit', function(){
$.ajax({
type: 'POST',
url: ajax_url,
...
``` | (I'm using 5.7.2) This is all you have to use: `const $ = jQuery.noConflict();`. However, you have to make sure the file you load is loaded after jQuery to prevent timing issues. So either make jQuery a dependency of your script like this:
```
function _jf_load_scripts()
{
wp_register_script('main', get_template_directory_uri() . '/build/js/main.bundle.js', array('jquery'), MY_VERSION, TRUE);
wp_enqueue_script('main');
}
add_action('wp_enqueue_scripts', '_jf_load_scripts');
```
Or enqueue jQuery upfront, like this:
```
function _jf_load_scripts()
{
wp_enqueue_script('jquery');
wp_register_script('main', get_template_directory_uri() . '/build/js/main.bundle.js', array(), MY_VERSION, TRUE);
wp_enqueue_script('main');
}
add_action('wp_enqueue_scripts', '_jf_load_scripts');
```
When your scripts load after jQuery, any of the used methods you describe above should work. |
391,624 | <p>Trying to remove "/index.php/" from URL,</p>
<p>The .htaccess file location is</p>
<pre><code>./var/www/html/.htaccess
</code></pre>
<p>and the content</p>
<pre><code><IfModule mod_rewrite.c>
RewriteEngine On
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule (.*) /index.php/$1 [L]
</IfModule>
</code></pre>
<p>however it doesn't work, accessing a web page is possible only with "/index.php/".</p>
| [
{
"answer_id": 391608,
"author": "JosF",
"author_id": 50460,
"author_profile": "https://wordpress.stackexchange.com/users/50460",
"pm_score": 2,
"selected": false,
"text": "<p>(I'm using 5.7.2) This is all you have to use: <code>const $ = jQuery.noConflict();</code>. However, you have to make sure the file you load is loaded after jQuery to prevent timing issues. So either make jQuery a dependency of your script like this:</p>\n<pre><code>function _jf_load_scripts()\n{\n wp_register_script('main', get_template_directory_uri() . '/build/js/main.bundle.js', array('jquery'), MY_VERSION, TRUE);\n wp_enqueue_script('main');\n}\nadd_action('wp_enqueue_scripts', '_jf_load_scripts');\n</code></pre>\n<p>Or enqueue jQuery upfront, like this:</p>\n<pre><code>function _jf_load_scripts()\n{\n wp_enqueue_script('jquery');\n\n wp_register_script('main', get_template_directory_uri() . '/build/js/main.bundle.js', array(), MY_VERSION, TRUE);\n wp_enqueue_script('main');\n}\nadd_action('wp_enqueue_scripts', '_jf_load_scripts');\n</code></pre>\n<p>When your scripts load after jQuery, any of the used methods you describe above should work.</p>\n"
},
{
"answer_id": 391890,
"author": "breadwild",
"author_id": 153797,
"author_profile": "https://wordpress.stackexchange.com/users/153797",
"pm_score": 1,
"selected": false,
"text": "<p>I hate to admit this (I'm might get thrown off StackExchange for being such a dolt). Turns out...drum roll...I forgot <code>get_header()</code> on my page. No header, no nothing.</p>\n"
}
] | 2021/07/08 | [
"https://wordpress.stackexchange.com/questions/391624",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/193450/"
] | Trying to remove "/index.php/" from URL,
The .htaccess file location is
```
./var/www/html/.htaccess
```
and the content
```
<IfModule mod_rewrite.c>
RewriteEngine On
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule (.*) /index.php/$1 [L]
</IfModule>
```
however it doesn't work, accessing a web page is possible only with "/index.php/". | (I'm using 5.7.2) This is all you have to use: `const $ = jQuery.noConflict();`. However, you have to make sure the file you load is loaded after jQuery to prevent timing issues. So either make jQuery a dependency of your script like this:
```
function _jf_load_scripts()
{
wp_register_script('main', get_template_directory_uri() . '/build/js/main.bundle.js', array('jquery'), MY_VERSION, TRUE);
wp_enqueue_script('main');
}
add_action('wp_enqueue_scripts', '_jf_load_scripts');
```
Or enqueue jQuery upfront, like this:
```
function _jf_load_scripts()
{
wp_enqueue_script('jquery');
wp_register_script('main', get_template_directory_uri() . '/build/js/main.bundle.js', array(), MY_VERSION, TRUE);
wp_enqueue_script('main');
}
add_action('wp_enqueue_scripts', '_jf_load_scripts');
```
When your scripts load after jQuery, any of the used methods you describe above should work. |
391,632 | <p><strong>I have added this snippet to functions.php to be able to order Slider Revolution slides:</strong></p>
<pre><code>// orderby slideshows
</code></pre>
<p>function modify_slider_order($query, $slider_id) {</p>
<pre><code>// only alter the order for slider with "x" ID
// https://tinyurl.com/zb6hzpc
if($slider_id == 17 ) {
// Custom Meta key/name
$query['meta_key'] = 'numeric_order';
// Order by Custom Meta values
$query['orderby'] = 'numeric_order';
// Calculate order based on:
// 'NUMERIC', 'CHAR', 'DATE', 'DATETIME', 'TIME'
$query['meta_type'] = 'NUMERIC';
}
return $query;
</code></pre>
<p>}</p>
<p>add_filter('revslider_get_posts', 'modify_slider_order', 10, 2);</p>
<p><strong>I would like to reference either all slideshows, or another (id=16). I have tried commenting out the "if($slider_id..." part, and also tried adding the other slide id separated by a comma next to the 17, but WP is kicking up errors. Thank you.</strong></p>
| [
{
"answer_id": 391608,
"author": "JosF",
"author_id": 50460,
"author_profile": "https://wordpress.stackexchange.com/users/50460",
"pm_score": 2,
"selected": false,
"text": "<p>(I'm using 5.7.2) This is all you have to use: <code>const $ = jQuery.noConflict();</code>. However, you have to make sure the file you load is loaded after jQuery to prevent timing issues. So either make jQuery a dependency of your script like this:</p>\n<pre><code>function _jf_load_scripts()\n{\n wp_register_script('main', get_template_directory_uri() . '/build/js/main.bundle.js', array('jquery'), MY_VERSION, TRUE);\n wp_enqueue_script('main');\n}\nadd_action('wp_enqueue_scripts', '_jf_load_scripts');\n</code></pre>\n<p>Or enqueue jQuery upfront, like this:</p>\n<pre><code>function _jf_load_scripts()\n{\n wp_enqueue_script('jquery');\n\n wp_register_script('main', get_template_directory_uri() . '/build/js/main.bundle.js', array(), MY_VERSION, TRUE);\n wp_enqueue_script('main');\n}\nadd_action('wp_enqueue_scripts', '_jf_load_scripts');\n</code></pre>\n<p>When your scripts load after jQuery, any of the used methods you describe above should work.</p>\n"
},
{
"answer_id": 391890,
"author": "breadwild",
"author_id": 153797,
"author_profile": "https://wordpress.stackexchange.com/users/153797",
"pm_score": 1,
"selected": false,
"text": "<p>I hate to admit this (I'm might get thrown off StackExchange for being such a dolt). Turns out...drum roll...I forgot <code>get_header()</code> on my page. No header, no nothing.</p>\n"
}
] | 2021/07/08 | [
"https://wordpress.stackexchange.com/questions/391632",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/62358/"
] | **I have added this snippet to functions.php to be able to order Slider Revolution slides:**
```
// orderby slideshows
```
function modify\_slider\_order($query, $slider\_id) {
```
// only alter the order for slider with "x" ID
// https://tinyurl.com/zb6hzpc
if($slider_id == 17 ) {
// Custom Meta key/name
$query['meta_key'] = 'numeric_order';
// Order by Custom Meta values
$query['orderby'] = 'numeric_order';
// Calculate order based on:
// 'NUMERIC', 'CHAR', 'DATE', 'DATETIME', 'TIME'
$query['meta_type'] = 'NUMERIC';
}
return $query;
```
}
add\_filter('revslider\_get\_posts', 'modify\_slider\_order', 10, 2);
**I would like to reference either all slideshows, or another (id=16). I have tried commenting out the "if($slider\_id..." part, and also tried adding the other slide id separated by a comma next to the 17, but WP is kicking up errors. Thank you.** | (I'm using 5.7.2) This is all you have to use: `const $ = jQuery.noConflict();`. However, you have to make sure the file you load is loaded after jQuery to prevent timing issues. So either make jQuery a dependency of your script like this:
```
function _jf_load_scripts()
{
wp_register_script('main', get_template_directory_uri() . '/build/js/main.bundle.js', array('jquery'), MY_VERSION, TRUE);
wp_enqueue_script('main');
}
add_action('wp_enqueue_scripts', '_jf_load_scripts');
```
Or enqueue jQuery upfront, like this:
```
function _jf_load_scripts()
{
wp_enqueue_script('jquery');
wp_register_script('main', get_template_directory_uri() . '/build/js/main.bundle.js', array(), MY_VERSION, TRUE);
wp_enqueue_script('main');
}
add_action('wp_enqueue_scripts', '_jf_load_scripts');
```
When your scripts load after jQuery, any of the used methods you describe above should work. |
391,749 | <p>I am trying to replace the default Add Media icon in my Wordpress site. I searched for the same on the web and got this:</p>
<p><a href="https://wordpress.stackexchange.com/questions/284217/how-to-replace-default-icon-on-add-media-button">How to replace default icon on "Add Media" button?</a></p>
<p>This seems to work for the OP, and ofcourse should've worked for others too. But, I am getting confused as the answer contains words like Child Theme and all. I could understand the first part of the answer, but I lost the track when the answer talked about this:</p>
<pre><code>wp_enqueue_style('my-css', get_stylesheet_directory_uri().'/css/my-admin.css'
</code></pre>
<p>From where did this part of the url came: <code>'/css/my-admin.css</code>. I searched in my database at the backend but couldn't find this particular file anywhere. I know this might be a silly thing to ask, but this is it. Can someone help in this regard?</p>
| [
{
"answer_id": 391655,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 1,
"selected": false,
"text": "<p>Your theme must contain a style.css file, and it needs to have a comment at the top with the theme details.</p>\n<p><a href=\"https://developer.wordpress.org/themes/basics/main-stylesheet-style-css/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/themes/basics/main-stylesheet-style-css/</a></p>\n"
},
{
"answer_id": 391669,
"author": "Sahriar Saikat",
"author_id": 69365,
"author_profile": "https://wordpress.stackexchange.com/users/69365",
"pm_score": 0,
"selected": false,
"text": "<p>You can not delete style.css and have a functioning theme (at least without hacking WordPress core files). All the theme meta information is written in the style specifically. You can, however <a href=\"https://developer.wordpress.org/reference/functions/wp_enqueue_style/\" rel=\"nofollow noreferrer\">register another css</a> file named <code>my-style.css</code> or whatever the name you want.</p>\n<pre><code>function my_theme_css() {\n wp_enqueue_style( 'my-style', get_template_directory() . '/my-style.css' );\n}\nadd_action( 'wp_enqueue_scripts', 'my_theme_css' );\n</code></pre>\n<p>Now, your style.css does not have any css so you may want to remove it from your html. You can remove it from your site's <code><head></code> using <a href=\"https://developer.wordpress.org/reference/functions/wp_dequeue_style/\" rel=\"nofollow noreferrer\">wp_dequeue_style()</a>. But the physical file has to be there in your theme's directory.</p>\n<pre><code>add_action('init','_remove_style');\n\nfunction _remove_style(){\n\n wp_dequeue_style('style.css'); \n}\n</code></pre>\n"
}
] | 2021/07/11 | [
"https://wordpress.stackexchange.com/questions/391749",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/201912/"
] | I am trying to replace the default Add Media icon in my Wordpress site. I searched for the same on the web and got this:
[How to replace default icon on "Add Media" button?](https://wordpress.stackexchange.com/questions/284217/how-to-replace-default-icon-on-add-media-button)
This seems to work for the OP, and ofcourse should've worked for others too. But, I am getting confused as the answer contains words like Child Theme and all. I could understand the first part of the answer, but I lost the track when the answer talked about this:
```
wp_enqueue_style('my-css', get_stylesheet_directory_uri().'/css/my-admin.css'
```
From where did this part of the url came: `'/css/my-admin.css`. I searched in my database at the backend but couldn't find this particular file anywhere. I know this might be a silly thing to ask, but this is it. Can someone help in this regard? | Your theme must contain a style.css file, and it needs to have a comment at the top with the theme details.
<https://developer.wordpress.org/themes/basics/main-stylesheet-style-css/> |
391,793 | <p>How do I pass arguments to my hook function?</p>
<pre><code>my_function($arg1, $arg2){
echo $arg1 . " " . $arg2;
}
add_action( 'init', 'my_function');
</code></pre>
<p>If I want my_function to echo "hello world" for instance, how would I send those parameters with the action hook?</p>
| [
{
"answer_id": 391794,
"author": "Auraylien",
"author_id": 208737,
"author_profile": "https://wordpress.stackexchange.com/users/208737",
"pm_score": 0,
"selected": false,
"text": "<p>According to the <a href=\"https://developer.wordpress.org/reference/functions/add_action/\" rel=\"nofollow noreferrer\">documentation of add_action() function</a>, you have to pass the number of parameters for your action with the <code>accepted_args</code> parameter.</p>\n<p>This code should be great:</p>\n<pre class=\"lang-php prettyprint-override\"><code>my_function($arg1, $arg2){\n echo $arg1 . " " . $arg2;\n}\n\nadd_action( 'init', 'my_function', 10, 2 );\n</code></pre>\n<p>And just call the action like this:</p>\n<pre class=\"lang-php prettyprint-override\"><code>do_action( 'init', 'hello', 'world' );\n</code></pre>\n"
},
{
"answer_id": 391795,
"author": "Buttered_Toast",
"author_id": 192133,
"author_profile": "https://wordpress.stackexchange.com/users/192133",
"pm_score": 3,
"selected": true,
"text": "<p>I would suggest first read the wordpress documentation about <a href=\"https://developer.wordpress.org/plugins/hooks/actions/\" rel=\"nofollow noreferrer\">actions</a> to understand how they work.</p>\n<p>Actions are aplit into two section, <code>add_action</code> and <code>do_action</code></p>\n<p><code>do_action</code> is the "location" where you hook into it.</p>\n<p>A basic example of <code>do_action</code></p>\n<pre><code>do_action('my_custom_action');\n</code></pre>\n<p>You can also pass arguments into <code>do_action</code> which can be available in <code>add_action</code> if you choose to use them.</p>\n<p>Example for <code>do_action</code> with arguments</p>\n<pre><code>do_action('my_custom_action', 'Hello', 'World!');\n</code></pre>\n<p>From the second argument forward every argument can be available in <code>add_action</code></p>\n<p>Now that we have a action we can hook into we can do the following</p>\n<p>Basic hook (callback function) without parameters (we use the <code>my_custom_action</code> action)</p>\n<pre><code>add_action('my_custom_action', 'my_callback_func');\nfunction my_callback_func () {\n // your login here\n}\n</code></pre>\n<p>Hook with parameters. We know that <code>my_custom_action</code> has two arguments we can use, in order to make them available we can do the following</p>\n<pre><code>add_action('my_custom_action', 'my_callback_func', 10, 2);\nfunction my_callback_func ($param1, $param2) {\n echo $param1 . ' ' . $param2;\n}\n</code></pre>\n<p>The output of out callback function will be <code>Hello World!</code>.</p>\n<p>I will not go into detail what every part of <code>add_action('my_custom_action', 'my_callback_func', 10, 2)</code> means, wordpress has a great documentaion about this.</p>\n<p>Some <code>add_actions</code> will have arguments, some will not, you will need to explore each <code>do_action</code> you want to hook into to see what is available to you to use.</p>\n<p>A great plugin that I use constantly when developing in wordpress is <a href=\"https://wordpress.org/plugins/query-monitor/\" rel=\"nofollow noreferrer\">Query Monitor</a>, amazing plugin for when you want to understand what action are being used on the current page, what priorety each callback function has, what arguments it uses and so on.</p>\n<p>Again, first read the wordpress documentation about hooks, actions and filters, it will give you a much better understating on how they work and how to work with them.</p>\n"
}
] | 2021/07/12 | [
"https://wordpress.stackexchange.com/questions/391793",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/205473/"
] | How do I pass arguments to my hook function?
```
my_function($arg1, $arg2){
echo $arg1 . " " . $arg2;
}
add_action( 'init', 'my_function');
```
If I want my\_function to echo "hello world" for instance, how would I send those parameters with the action hook? | I would suggest first read the wordpress documentation about [actions](https://developer.wordpress.org/plugins/hooks/actions/) to understand how they work.
Actions are aplit into two section, `add_action` and `do_action`
`do_action` is the "location" where you hook into it.
A basic example of `do_action`
```
do_action('my_custom_action');
```
You can also pass arguments into `do_action` which can be available in `add_action` if you choose to use them.
Example for `do_action` with arguments
```
do_action('my_custom_action', 'Hello', 'World!');
```
From the second argument forward every argument can be available in `add_action`
Now that we have a action we can hook into we can do the following
Basic hook (callback function) without parameters (we use the `my_custom_action` action)
```
add_action('my_custom_action', 'my_callback_func');
function my_callback_func () {
// your login here
}
```
Hook with parameters. We know that `my_custom_action` has two arguments we can use, in order to make them available we can do the following
```
add_action('my_custom_action', 'my_callback_func', 10, 2);
function my_callback_func ($param1, $param2) {
echo $param1 . ' ' . $param2;
}
```
The output of out callback function will be `Hello World!`.
I will not go into detail what every part of `add_action('my_custom_action', 'my_callback_func', 10, 2)` means, wordpress has a great documentaion about this.
Some `add_actions` will have arguments, some will not, you will need to explore each `do_action` you want to hook into to see what is available to you to use.
A great plugin that I use constantly when developing in wordpress is [Query Monitor](https://wordpress.org/plugins/query-monitor/), amazing plugin for when you want to understand what action are being used on the current page, what priorety each callback function has, what arguments it uses and so on.
Again, first read the wordpress documentation about hooks, actions and filters, it will give you a much better understating on how they work and how to work with them. |
391,799 | <p>I'm coding a plugin. I want to put a Tools menu item on the Network Admin dashboard when the plugin is installed on a multisite WordPress instance.</p>
<p>How do I do that?</p>
| [
{
"answer_id": 392056,
"author": "tiago calado",
"author_id": 198152,
"author_profile": "https://wordpress.stackexchange.com/users/198152",
"pm_score": 0,
"selected": false,
"text": "<p>With this code on functions.php we make a dashboard tab with 3 pages (that should be created on the theme path in this case inside a folder called inc).\nOn the plugin should be something very similar but with the code on the plugin files.</p>\n<p>if a explanation is needed it, only in a few hours when I arrive home. thanks.</p>\n<pre class=\"lang-php prettyprint-override\"><code>function tc_editor(){\n add_menu_page('tiago\\'s', 'Procamiao', 'manage_options', 'editor_tiagos', 'tc_definicoes', home_url().'/wp-content/themes/procamiao/inc/mini_logo.png', 4);\n add_submenu_page('editor_tiagos', 'separador_definicoes', 'Definiçáes', 'manage_options', 'editor_tiagos');\n add_submenu_page('editor_tiagos', 'separador_banners', 'Banners', 'manage_options','editor_banners', 'tc_banners');\n add_submenu_page('editor_tiagos', 'separador_default', 'Default', 'manage_options','editor_tabelas', 'tc_default');\n}\nadd_action('admin_menu', 'tc_editor');\n\nfunction tc_definicoes(){require_once plugin_dir_path(__FILE__).'inc/definicoes.php';}\nfunction tc_banners(){require_once plugin_dir_path(__FILE__).'inc/banners.php';}\nfunction tc_default(){require_once plugin_dir_path(__FILE__).'inc/default.php';}\n</code></pre>\n"
},
{
"answer_id": 392123,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<blockquote>\n<p>I want to put a Tools menu item on the Network Admin dashboard</p>\n</blockquote>\n<p>If you meant under the core top-level "Dashboard" menu as seen on the following screenshot, then you can use the <a href=\"https://developer.wordpress.org/reference/hooks/network_admin_menu/\" rel=\"nofollow noreferrer\"><code>network_admin_menu</code> hook</a> along with <a href=\"https://developer.wordpress.org/reference/functions/add_submenu_page/\" rel=\"nofollow noreferrer\"><code>add_submenu_page()</code></a> to add your menu item.</p>\n<p><a href=\"https://i.stack.imgur.com/96Vjh.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/96Vjh.png\" alt=\"Preview image\" /></a></p>\n<p>Or if you wanted a <em>top-level menu</em> like the following, then use the same hook as above, but use <a href=\"https://developer.wordpress.org/reference/functions/add_menu_page/\" rel=\"nofollow noreferrer\"><code>add_menu_page()</code></a> to add the menu, and then use <code>add_submenu_page()</code> to add menu items (i.e. submenus) to that top-level menu.</p>\n<p><a href=\"https://i.stack.imgur.com/x5vds.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/x5vds.png\" alt=\"Preview image\" /></a></p>\n<h2 id=\"full-working-example-s9ya\">Full Working Example</h2>\n<pre class=\"lang-php prettyprint-override\"><code><?php\n/**\n * Plugin Name: WPSE 391799\n * Description: Network Admin custom "Tools" menus\n * Version: 1.0\n */\n\n// Adds the custom Network Admin menus.\nadd_action( 'network_admin_menu', 'wpse_391799_add_network_admin_menus' );\nfunction wpse_391799_add_network_admin_menus() {\n add_submenu_page( 'index.php', // parent slug or file name of a standard WordPress admin page\n 'My Tools Page', // menu page title\n 'My Tools (Submenu)', // menu title\n 'manage_network', // user capability required to access the menu (and its page)\n 'my-tools-page', // menu slug that's used with the "page" query, e.g. ?page=menu-slug\n 'wpse_391799_render_tools_page' // the function which outputs the page content\n );\n\n add_menu_page( 'My Tools Page', // menu page title\n 'My Tools (Top-Level)', // menu title\n 'manage_network', // user capability required to access the menu (and its page)\n 'my-tools-page2', // menu slug to that's with the "page" query, e.g. ?page=menu-slug\n 'wpse_391799_render_tools_page', // the function which outputs the page content\n 'dashicons-admin-tools', // menu icon (in this case, I'm using a Dashicons icon's CSS class)\n 24 // menu position; 24 would place the menu above the "Settings" menu\n );\n\n add_submenu_page( 'my-tools-page2',\n 'My Tools Submenu Page',\n 'My Tools Submenu',\n 'manage_network',\n 'my-tools-submenu-page',\n 'wpse_391799_render_tools_submenu_page'\n );\n}\n\n// Outputs the content for the "My Tools (Submenu)" and "My Tools (Top-Level)" pages.\nfunction wpse_391799_render_tools_page() {\n ?>\n <div class="wrap my-tools-parent">\n <h1><?php echo esc_html( get_admin_page_title() ); ?></h1>\n <p>Foo bar. Bla bla. Your content here.</p>\n </div>\n <?php\n}\n\n// Outputs the content for the "My Tools Submenu" page.\nfunction wpse_391799_render_tools_submenu_page() {\n ?>\n <div class="wrap my-tools-submenu">\n <h1><?php echo esc_html( get_admin_page_title() ); ?></h1>\n <p>Foo bar. Bla bla. Your content here.</p>\n </div>\n <?php\n}\n</code></pre>\n"
}
] | 2021/07/12 | [
"https://wordpress.stackexchange.com/questions/391799",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/13596/"
] | I'm coding a plugin. I want to put a Tools menu item on the Network Admin dashboard when the plugin is installed on a multisite WordPress instance.
How do I do that? | >
> I want to put a Tools menu item on the Network Admin dashboard
>
>
>
If you meant under the core top-level "Dashboard" menu as seen on the following screenshot, then you can use the [`network_admin_menu` hook](https://developer.wordpress.org/reference/hooks/network_admin_menu/) along with [`add_submenu_page()`](https://developer.wordpress.org/reference/functions/add_submenu_page/) to add your menu item.
[](https://i.stack.imgur.com/96Vjh.png)
Or if you wanted a *top-level menu* like the following, then use the same hook as above, but use [`add_menu_page()`](https://developer.wordpress.org/reference/functions/add_menu_page/) to add the menu, and then use `add_submenu_page()` to add menu items (i.e. submenus) to that top-level menu.
[](https://i.stack.imgur.com/x5vds.png)
Full Working Example
--------------------
```php
<?php
/**
* Plugin Name: WPSE 391799
* Description: Network Admin custom "Tools" menus
* Version: 1.0
*/
// Adds the custom Network Admin menus.
add_action( 'network_admin_menu', 'wpse_391799_add_network_admin_menus' );
function wpse_391799_add_network_admin_menus() {
add_submenu_page( 'index.php', // parent slug or file name of a standard WordPress admin page
'My Tools Page', // menu page title
'My Tools (Submenu)', // menu title
'manage_network', // user capability required to access the menu (and its page)
'my-tools-page', // menu slug that's used with the "page" query, e.g. ?page=menu-slug
'wpse_391799_render_tools_page' // the function which outputs the page content
);
add_menu_page( 'My Tools Page', // menu page title
'My Tools (Top-Level)', // menu title
'manage_network', // user capability required to access the menu (and its page)
'my-tools-page2', // menu slug to that's with the "page" query, e.g. ?page=menu-slug
'wpse_391799_render_tools_page', // the function which outputs the page content
'dashicons-admin-tools', // menu icon (in this case, I'm using a Dashicons icon's CSS class)
24 // menu position; 24 would place the menu above the "Settings" menu
);
add_submenu_page( 'my-tools-page2',
'My Tools Submenu Page',
'My Tools Submenu',
'manage_network',
'my-tools-submenu-page',
'wpse_391799_render_tools_submenu_page'
);
}
// Outputs the content for the "My Tools (Submenu)" and "My Tools (Top-Level)" pages.
function wpse_391799_render_tools_page() {
?>
<div class="wrap my-tools-parent">
<h1><?php echo esc_html( get_admin_page_title() ); ?></h1>
<p>Foo bar. Bla bla. Your content here.</p>
</div>
<?php
}
// Outputs the content for the "My Tools Submenu" page.
function wpse_391799_render_tools_submenu_page() {
?>
<div class="wrap my-tools-submenu">
<h1><?php echo esc_html( get_admin_page_title() ); ?></h1>
<p>Foo bar. Bla bla. Your content here.</p>
</div>
<?php
}
``` |
391,869 | <p>I am creating a theme for my site. I would like to display the last 5 articles on the home page but with a different display for the first articles.
So I created this code that I try to tweak but impossible to display the first article with the first template and the 4 others with the second template. I don't know if it's possible to do it the way I want to do it, but this way seems to be the easiest</p>
<p>My code :</p>
<pre><code><?php
$query = [
'post_type' => 'post',
'posts_per_page' => 5
];
$query = new WP_Query($query);
while ($query->have_posts()) : {
$query->the_post();
if($query === 1) :
get_template_part('loops/acc-cards');
else() :
get_template_part('loops/cards');
}
wp_reset_postdata();
?>
</code></pre>
| [
{
"answer_id": 392056,
"author": "tiago calado",
"author_id": 198152,
"author_profile": "https://wordpress.stackexchange.com/users/198152",
"pm_score": 0,
"selected": false,
"text": "<p>With this code on functions.php we make a dashboard tab with 3 pages (that should be created on the theme path in this case inside a folder called inc).\nOn the plugin should be something very similar but with the code on the plugin files.</p>\n<p>if a explanation is needed it, only in a few hours when I arrive home. thanks.</p>\n<pre class=\"lang-php prettyprint-override\"><code>function tc_editor(){\n add_menu_page('tiago\\'s', 'Procamiao', 'manage_options', 'editor_tiagos', 'tc_definicoes', home_url().'/wp-content/themes/procamiao/inc/mini_logo.png', 4);\n add_submenu_page('editor_tiagos', 'separador_definicoes', 'Definiçáes', 'manage_options', 'editor_tiagos');\n add_submenu_page('editor_tiagos', 'separador_banners', 'Banners', 'manage_options','editor_banners', 'tc_banners');\n add_submenu_page('editor_tiagos', 'separador_default', 'Default', 'manage_options','editor_tabelas', 'tc_default');\n}\nadd_action('admin_menu', 'tc_editor');\n\nfunction tc_definicoes(){require_once plugin_dir_path(__FILE__).'inc/definicoes.php';}\nfunction tc_banners(){require_once plugin_dir_path(__FILE__).'inc/banners.php';}\nfunction tc_default(){require_once plugin_dir_path(__FILE__).'inc/default.php';}\n</code></pre>\n"
},
{
"answer_id": 392123,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<blockquote>\n<p>I want to put a Tools menu item on the Network Admin dashboard</p>\n</blockquote>\n<p>If you meant under the core top-level "Dashboard" menu as seen on the following screenshot, then you can use the <a href=\"https://developer.wordpress.org/reference/hooks/network_admin_menu/\" rel=\"nofollow noreferrer\"><code>network_admin_menu</code> hook</a> along with <a href=\"https://developer.wordpress.org/reference/functions/add_submenu_page/\" rel=\"nofollow noreferrer\"><code>add_submenu_page()</code></a> to add your menu item.</p>\n<p><a href=\"https://i.stack.imgur.com/96Vjh.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/96Vjh.png\" alt=\"Preview image\" /></a></p>\n<p>Or if you wanted a <em>top-level menu</em> like the following, then use the same hook as above, but use <a href=\"https://developer.wordpress.org/reference/functions/add_menu_page/\" rel=\"nofollow noreferrer\"><code>add_menu_page()</code></a> to add the menu, and then use <code>add_submenu_page()</code> to add menu items (i.e. submenus) to that top-level menu.</p>\n<p><a href=\"https://i.stack.imgur.com/x5vds.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/x5vds.png\" alt=\"Preview image\" /></a></p>\n<h2 id=\"full-working-example-s9ya\">Full Working Example</h2>\n<pre class=\"lang-php prettyprint-override\"><code><?php\n/**\n * Plugin Name: WPSE 391799\n * Description: Network Admin custom "Tools" menus\n * Version: 1.0\n */\n\n// Adds the custom Network Admin menus.\nadd_action( 'network_admin_menu', 'wpse_391799_add_network_admin_menus' );\nfunction wpse_391799_add_network_admin_menus() {\n add_submenu_page( 'index.php', // parent slug or file name of a standard WordPress admin page\n 'My Tools Page', // menu page title\n 'My Tools (Submenu)', // menu title\n 'manage_network', // user capability required to access the menu (and its page)\n 'my-tools-page', // menu slug that's used with the "page" query, e.g. ?page=menu-slug\n 'wpse_391799_render_tools_page' // the function which outputs the page content\n );\n\n add_menu_page( 'My Tools Page', // menu page title\n 'My Tools (Top-Level)', // menu title\n 'manage_network', // user capability required to access the menu (and its page)\n 'my-tools-page2', // menu slug to that's with the "page" query, e.g. ?page=menu-slug\n 'wpse_391799_render_tools_page', // the function which outputs the page content\n 'dashicons-admin-tools', // menu icon (in this case, I'm using a Dashicons icon's CSS class)\n 24 // menu position; 24 would place the menu above the "Settings" menu\n );\n\n add_submenu_page( 'my-tools-page2',\n 'My Tools Submenu Page',\n 'My Tools Submenu',\n 'manage_network',\n 'my-tools-submenu-page',\n 'wpse_391799_render_tools_submenu_page'\n );\n}\n\n// Outputs the content for the "My Tools (Submenu)" and "My Tools (Top-Level)" pages.\nfunction wpse_391799_render_tools_page() {\n ?>\n <div class="wrap my-tools-parent">\n <h1><?php echo esc_html( get_admin_page_title() ); ?></h1>\n <p>Foo bar. Bla bla. Your content here.</p>\n </div>\n <?php\n}\n\n// Outputs the content for the "My Tools Submenu" page.\nfunction wpse_391799_render_tools_submenu_page() {\n ?>\n <div class="wrap my-tools-submenu">\n <h1><?php echo esc_html( get_admin_page_title() ); ?></h1>\n <p>Foo bar. Bla bla. Your content here.</p>\n </div>\n <?php\n}\n</code></pre>\n"
}
] | 2021/07/13 | [
"https://wordpress.stackexchange.com/questions/391869",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/81397/"
] | I am creating a theme for my site. I would like to display the last 5 articles on the home page but with a different display for the first articles.
So I created this code that I try to tweak but impossible to display the first article with the first template and the 4 others with the second template. I don't know if it's possible to do it the way I want to do it, but this way seems to be the easiest
My code :
```
<?php
$query = [
'post_type' => 'post',
'posts_per_page' => 5
];
$query = new WP_Query($query);
while ($query->have_posts()) : {
$query->the_post();
if($query === 1) :
get_template_part('loops/acc-cards');
else() :
get_template_part('loops/cards');
}
wp_reset_postdata();
?>
``` | >
> I want to put a Tools menu item on the Network Admin dashboard
>
>
>
If you meant under the core top-level "Dashboard" menu as seen on the following screenshot, then you can use the [`network_admin_menu` hook](https://developer.wordpress.org/reference/hooks/network_admin_menu/) along with [`add_submenu_page()`](https://developer.wordpress.org/reference/functions/add_submenu_page/) to add your menu item.
[](https://i.stack.imgur.com/96Vjh.png)
Or if you wanted a *top-level menu* like the following, then use the same hook as above, but use [`add_menu_page()`](https://developer.wordpress.org/reference/functions/add_menu_page/) to add the menu, and then use `add_submenu_page()` to add menu items (i.e. submenus) to that top-level menu.
[](https://i.stack.imgur.com/x5vds.png)
Full Working Example
--------------------
```php
<?php
/**
* Plugin Name: WPSE 391799
* Description: Network Admin custom "Tools" menus
* Version: 1.0
*/
// Adds the custom Network Admin menus.
add_action( 'network_admin_menu', 'wpse_391799_add_network_admin_menus' );
function wpse_391799_add_network_admin_menus() {
add_submenu_page( 'index.php', // parent slug or file name of a standard WordPress admin page
'My Tools Page', // menu page title
'My Tools (Submenu)', // menu title
'manage_network', // user capability required to access the menu (and its page)
'my-tools-page', // menu slug that's used with the "page" query, e.g. ?page=menu-slug
'wpse_391799_render_tools_page' // the function which outputs the page content
);
add_menu_page( 'My Tools Page', // menu page title
'My Tools (Top-Level)', // menu title
'manage_network', // user capability required to access the menu (and its page)
'my-tools-page2', // menu slug to that's with the "page" query, e.g. ?page=menu-slug
'wpse_391799_render_tools_page', // the function which outputs the page content
'dashicons-admin-tools', // menu icon (in this case, I'm using a Dashicons icon's CSS class)
24 // menu position; 24 would place the menu above the "Settings" menu
);
add_submenu_page( 'my-tools-page2',
'My Tools Submenu Page',
'My Tools Submenu',
'manage_network',
'my-tools-submenu-page',
'wpse_391799_render_tools_submenu_page'
);
}
// Outputs the content for the "My Tools (Submenu)" and "My Tools (Top-Level)" pages.
function wpse_391799_render_tools_page() {
?>
<div class="wrap my-tools-parent">
<h1><?php echo esc_html( get_admin_page_title() ); ?></h1>
<p>Foo bar. Bla bla. Your content here.</p>
</div>
<?php
}
// Outputs the content for the "My Tools Submenu" page.
function wpse_391799_render_tools_submenu_page() {
?>
<div class="wrap my-tools-submenu">
<h1><?php echo esc_html( get_admin_page_title() ); ?></h1>
<p>Foo bar. Bla bla. Your content here.</p>
</div>
<?php
}
``` |
391,891 | <p>this is a bit messy and I cannot understand why my approach isn't working or what my error is.</p>
<p>I'm using a <strong>template part</strong> to include a custom <em>wp_query</em> into my theme. I'd like to have two different behaviours throughout the theme, so I'm using a conditional statement inside the template part to output two different loops.</p>
<p>In my front-page.php I call the template part with <em>get_template_part()</em> using the <em>$args</em> option:</p>
<pre><code><?php get_template_part('template-parts/modules/moduli-offerta/offerta-figli','lista', array('tipologia' => 'lista') ); ?>
</code></pre>
<p>In my template part I have this code:</p>
<pre><code><?php if ( $args['tipologia'] == 'lista' ) : ?>
...
<?php elseif ( $args['tipologia'] == 'descrizione' ) : ?>
...
<?php else : ?>
...
<?php endif; ?>
</code></pre>
<p>This code works: if I put any text or HTML5 inside the conditional statement, it shows the output correctly depending on what "tipologia" I choose to adopt.</p>
<p>But if I put a custom loop (via <em>wp_query</em>) inside the if statement, the output is blank.</p>
<p>It's like the <em>if</em> statement of wp_query inside the initial <em>if</em> statement break something.</p>
<p>Can you help me understand? Hint: the custom loop works if I DON'T put it inside a conditional statement.</p>
<p>Here is the full code:</p>
<pre><code><?php if ( $args['tipologia'] == 'lista' ) : ?>
<!-- First Loop Option -->
<?php $cm_offerta_post_figli = new WP_Query( array(
'post_type' => 'cm_offerta',
'post_parent' => get_the_ID(),
'order' => 'ASC',
)
); ?>
<?php if ( $cm_offerta_post_figli->have_posts() ) : ?>
<ul class="list-group list-group-flush ms-0">
<?php while ( $cm_offerta_post_figli->have_posts() ) : ?>
<?php $cm_offerta_post_figli->the_post(); ?>
<li class="list-group-item"><?php the_title(); ?></li>
<?php endwhile; ?>
</ul>
<?php endif; ?>
<!-- END of First Loop Option -->
<?php elseif ( $args['tipologia'] == 'descrizione' ) : ?>
<!-- Second Loop Option -->
<?php if ( $cm_offerta_post_figli->have_posts() ) : ?>
<div class="bg-light row row-cols-1 row-cols-md-2 mb-5 p-5">
<?php while ( $cm_offerta_post_figli->have_posts() ) : ?>
<?php $cm_offerta_post_figli->the_post(); ?>
<div class="col">
<div class="card bg-transparent border-0">
<div class="card-body">
<h3 class="card-title"><?php the_title(); ?></h3>
<?php the_content(); ?>
</div>
</div>
</div>
<?php endwhile; ?>
</div>
<?php endif; ?>
<!-- END of Second Loop Option -->
<?php else : ?>
Errore
<?php endif; ?>
<?php wp_reset_query(); ?>
</code></pre>
| [
{
"answer_id": 392056,
"author": "tiago calado",
"author_id": 198152,
"author_profile": "https://wordpress.stackexchange.com/users/198152",
"pm_score": 0,
"selected": false,
"text": "<p>With this code on functions.php we make a dashboard tab with 3 pages (that should be created on the theme path in this case inside a folder called inc).\nOn the plugin should be something very similar but with the code on the plugin files.</p>\n<p>if a explanation is needed it, only in a few hours when I arrive home. thanks.</p>\n<pre class=\"lang-php prettyprint-override\"><code>function tc_editor(){\n add_menu_page('tiago\\'s', 'Procamiao', 'manage_options', 'editor_tiagos', 'tc_definicoes', home_url().'/wp-content/themes/procamiao/inc/mini_logo.png', 4);\n add_submenu_page('editor_tiagos', 'separador_definicoes', 'Definiçáes', 'manage_options', 'editor_tiagos');\n add_submenu_page('editor_tiagos', 'separador_banners', 'Banners', 'manage_options','editor_banners', 'tc_banners');\n add_submenu_page('editor_tiagos', 'separador_default', 'Default', 'manage_options','editor_tabelas', 'tc_default');\n}\nadd_action('admin_menu', 'tc_editor');\n\nfunction tc_definicoes(){require_once plugin_dir_path(__FILE__).'inc/definicoes.php';}\nfunction tc_banners(){require_once plugin_dir_path(__FILE__).'inc/banners.php';}\nfunction tc_default(){require_once plugin_dir_path(__FILE__).'inc/default.php';}\n</code></pre>\n"
},
{
"answer_id": 392123,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<blockquote>\n<p>I want to put a Tools menu item on the Network Admin dashboard</p>\n</blockquote>\n<p>If you meant under the core top-level "Dashboard" menu as seen on the following screenshot, then you can use the <a href=\"https://developer.wordpress.org/reference/hooks/network_admin_menu/\" rel=\"nofollow noreferrer\"><code>network_admin_menu</code> hook</a> along with <a href=\"https://developer.wordpress.org/reference/functions/add_submenu_page/\" rel=\"nofollow noreferrer\"><code>add_submenu_page()</code></a> to add your menu item.</p>\n<p><a href=\"https://i.stack.imgur.com/96Vjh.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/96Vjh.png\" alt=\"Preview image\" /></a></p>\n<p>Or if you wanted a <em>top-level menu</em> like the following, then use the same hook as above, but use <a href=\"https://developer.wordpress.org/reference/functions/add_menu_page/\" rel=\"nofollow noreferrer\"><code>add_menu_page()</code></a> to add the menu, and then use <code>add_submenu_page()</code> to add menu items (i.e. submenus) to that top-level menu.</p>\n<p><a href=\"https://i.stack.imgur.com/x5vds.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/x5vds.png\" alt=\"Preview image\" /></a></p>\n<h2 id=\"full-working-example-s9ya\">Full Working Example</h2>\n<pre class=\"lang-php prettyprint-override\"><code><?php\n/**\n * Plugin Name: WPSE 391799\n * Description: Network Admin custom "Tools" menus\n * Version: 1.0\n */\n\n// Adds the custom Network Admin menus.\nadd_action( 'network_admin_menu', 'wpse_391799_add_network_admin_menus' );\nfunction wpse_391799_add_network_admin_menus() {\n add_submenu_page( 'index.php', // parent slug or file name of a standard WordPress admin page\n 'My Tools Page', // menu page title\n 'My Tools (Submenu)', // menu title\n 'manage_network', // user capability required to access the menu (and its page)\n 'my-tools-page', // menu slug that's used with the "page" query, e.g. ?page=menu-slug\n 'wpse_391799_render_tools_page' // the function which outputs the page content\n );\n\n add_menu_page( 'My Tools Page', // menu page title\n 'My Tools (Top-Level)', // menu title\n 'manage_network', // user capability required to access the menu (and its page)\n 'my-tools-page2', // menu slug to that's with the "page" query, e.g. ?page=menu-slug\n 'wpse_391799_render_tools_page', // the function which outputs the page content\n 'dashicons-admin-tools', // menu icon (in this case, I'm using a Dashicons icon's CSS class)\n 24 // menu position; 24 would place the menu above the "Settings" menu\n );\n\n add_submenu_page( 'my-tools-page2',\n 'My Tools Submenu Page',\n 'My Tools Submenu',\n 'manage_network',\n 'my-tools-submenu-page',\n 'wpse_391799_render_tools_submenu_page'\n );\n}\n\n// Outputs the content for the "My Tools (Submenu)" and "My Tools (Top-Level)" pages.\nfunction wpse_391799_render_tools_page() {\n ?>\n <div class="wrap my-tools-parent">\n <h1><?php echo esc_html( get_admin_page_title() ); ?></h1>\n <p>Foo bar. Bla bla. Your content here.</p>\n </div>\n <?php\n}\n\n// Outputs the content for the "My Tools Submenu" page.\nfunction wpse_391799_render_tools_submenu_page() {\n ?>\n <div class="wrap my-tools-submenu">\n <h1><?php echo esc_html( get_admin_page_title() ); ?></h1>\n <p>Foo bar. Bla bla. Your content here.</p>\n </div>\n <?php\n}\n</code></pre>\n"
}
] | 2021/07/14 | [
"https://wordpress.stackexchange.com/questions/391891",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/208945/"
] | this is a bit messy and I cannot understand why my approach isn't working or what my error is.
I'm using a **template part** to include a custom *wp\_query* into my theme. I'd like to have two different behaviours throughout the theme, so I'm using a conditional statement inside the template part to output two different loops.
In my front-page.php I call the template part with *get\_template\_part()* using the *$args* option:
```
<?php get_template_part('template-parts/modules/moduli-offerta/offerta-figli','lista', array('tipologia' => 'lista') ); ?>
```
In my template part I have this code:
```
<?php if ( $args['tipologia'] == 'lista' ) : ?>
...
<?php elseif ( $args['tipologia'] == 'descrizione' ) : ?>
...
<?php else : ?>
...
<?php endif; ?>
```
This code works: if I put any text or HTML5 inside the conditional statement, it shows the output correctly depending on what "tipologia" I choose to adopt.
But if I put a custom loop (via *wp\_query*) inside the if statement, the output is blank.
It's like the *if* statement of wp\_query inside the initial *if* statement break something.
Can you help me understand? Hint: the custom loop works if I DON'T put it inside a conditional statement.
Here is the full code:
```
<?php if ( $args['tipologia'] == 'lista' ) : ?>
<!-- First Loop Option -->
<?php $cm_offerta_post_figli = new WP_Query( array(
'post_type' => 'cm_offerta',
'post_parent' => get_the_ID(),
'order' => 'ASC',
)
); ?>
<?php if ( $cm_offerta_post_figli->have_posts() ) : ?>
<ul class="list-group list-group-flush ms-0">
<?php while ( $cm_offerta_post_figli->have_posts() ) : ?>
<?php $cm_offerta_post_figli->the_post(); ?>
<li class="list-group-item"><?php the_title(); ?></li>
<?php endwhile; ?>
</ul>
<?php endif; ?>
<!-- END of First Loop Option -->
<?php elseif ( $args['tipologia'] == 'descrizione' ) : ?>
<!-- Second Loop Option -->
<?php if ( $cm_offerta_post_figli->have_posts() ) : ?>
<div class="bg-light row row-cols-1 row-cols-md-2 mb-5 p-5">
<?php while ( $cm_offerta_post_figli->have_posts() ) : ?>
<?php $cm_offerta_post_figli->the_post(); ?>
<div class="col">
<div class="card bg-transparent border-0">
<div class="card-body">
<h3 class="card-title"><?php the_title(); ?></h3>
<?php the_content(); ?>
</div>
</div>
</div>
<?php endwhile; ?>
</div>
<?php endif; ?>
<!-- END of Second Loop Option -->
<?php else : ?>
Errore
<?php endif; ?>
<?php wp_reset_query(); ?>
``` | >
> I want to put a Tools menu item on the Network Admin dashboard
>
>
>
If you meant under the core top-level "Dashboard" menu as seen on the following screenshot, then you can use the [`network_admin_menu` hook](https://developer.wordpress.org/reference/hooks/network_admin_menu/) along with [`add_submenu_page()`](https://developer.wordpress.org/reference/functions/add_submenu_page/) to add your menu item.
[](https://i.stack.imgur.com/96Vjh.png)
Or if you wanted a *top-level menu* like the following, then use the same hook as above, but use [`add_menu_page()`](https://developer.wordpress.org/reference/functions/add_menu_page/) to add the menu, and then use `add_submenu_page()` to add menu items (i.e. submenus) to that top-level menu.
[](https://i.stack.imgur.com/x5vds.png)
Full Working Example
--------------------
```php
<?php
/**
* Plugin Name: WPSE 391799
* Description: Network Admin custom "Tools" menus
* Version: 1.0
*/
// Adds the custom Network Admin menus.
add_action( 'network_admin_menu', 'wpse_391799_add_network_admin_menus' );
function wpse_391799_add_network_admin_menus() {
add_submenu_page( 'index.php', // parent slug or file name of a standard WordPress admin page
'My Tools Page', // menu page title
'My Tools (Submenu)', // menu title
'manage_network', // user capability required to access the menu (and its page)
'my-tools-page', // menu slug that's used with the "page" query, e.g. ?page=menu-slug
'wpse_391799_render_tools_page' // the function which outputs the page content
);
add_menu_page( 'My Tools Page', // menu page title
'My Tools (Top-Level)', // menu title
'manage_network', // user capability required to access the menu (and its page)
'my-tools-page2', // menu slug to that's with the "page" query, e.g. ?page=menu-slug
'wpse_391799_render_tools_page', // the function which outputs the page content
'dashicons-admin-tools', // menu icon (in this case, I'm using a Dashicons icon's CSS class)
24 // menu position; 24 would place the menu above the "Settings" menu
);
add_submenu_page( 'my-tools-page2',
'My Tools Submenu Page',
'My Tools Submenu',
'manage_network',
'my-tools-submenu-page',
'wpse_391799_render_tools_submenu_page'
);
}
// Outputs the content for the "My Tools (Submenu)" and "My Tools (Top-Level)" pages.
function wpse_391799_render_tools_page() {
?>
<div class="wrap my-tools-parent">
<h1><?php echo esc_html( get_admin_page_title() ); ?></h1>
<p>Foo bar. Bla bla. Your content here.</p>
</div>
<?php
}
// Outputs the content for the "My Tools Submenu" page.
function wpse_391799_render_tools_submenu_page() {
?>
<div class="wrap my-tools-submenu">
<h1><?php echo esc_html( get_admin_page_title() ); ?></h1>
<p>Foo bar. Bla bla. Your content here.</p>
</div>
<?php
}
``` |
391,893 | <p>I have two custom taxonomies: 'cities', & 'policy'. I'd like to display all the terms from each taxonomy at the bottom of a post, with links. This is what I would use for a single taxonomy - let's say cities:</p>
<p><code>echo get_the_term_list( $post->ID, 'cities', '', ' / ', '' );</code></p>
<p>But I want the list to include terms in cities and terms in policy.</p>
| [
{
"answer_id": 391895,
"author": "Nayan",
"author_id": 95164,
"author_profile": "https://wordpress.stackexchange.com/users/95164",
"pm_score": 2,
"selected": false,
"text": "<pre><code><?php\nwp_get_post_terms($post->ID, array('cities','policy'));\n\nor\nwp_get_object_terms($post->ID, array('cities','policy'));\n?>\n</code></pre>\n"
},
{
"answer_id": 392334,
"author": "Geoff Cordner",
"author_id": 208948,
"author_profile": "https://wordpress.stackexchange.com/users/208948",
"pm_score": 0,
"selected": false,
"text": "<p>I stuck with <a href=\"https://wordpress.stackexchange.com/users/137402/sally-cj\">sally-cj</a>'s suggestion of doing two separate queries. My challenge was how to make the separator work. Using the separator between the two lists resulted in a phantom separator if either list (or both) returned nothing. So I ended up storing the results of each query in a variable and joining them:</p>\n<pre>\n\n $city_terms = get_the_term_list( $post->ID, 'cities', '', ' / ', '' );\n $policy_terms = get_the_term_list( $post->ID, 'policy', '', ' / ', '' );\n echo $city_terms;\n if ($city_terms && $policy_terms) {\n echo ' / ';\n }\n echo $policy_terms;\n\n</pre>\n"
}
] | 2021/07/14 | [
"https://wordpress.stackexchange.com/questions/391893",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/208948/"
] | I have two custom taxonomies: 'cities', & 'policy'. I'd like to display all the terms from each taxonomy at the bottom of a post, with links. This is what I would use for a single taxonomy - let's say cities:
`echo get_the_term_list( $post->ID, 'cities', '', ' / ', '' );`
But I want the list to include terms in cities and terms in policy. | ```
<?php
wp_get_post_terms($post->ID, array('cities','policy'));
or
wp_get_object_terms($post->ID, array('cities','policy'));
?>
``` |
391,901 | <p>The error I am getting is:</p>
<p>Warning: call_user_func_array() expects parameter 1 to be a valid callback, function 'wptexturize' not found or invalid function name in /home/ifd6vop3yes7/public_html/thematchcandleco.com/wp-includes/class-wp-hook.php on line 294</p>
<p>Warning: call_user_func_array() expects parameter 1 to be a valid callback, function 'wptexturize' not found or invalid function name in /home/ifd6vop3yes7/public_html/thematchcandleco.com/wp-includes/class-wp-hook.php on line 294</p>
<p>Fatal error: Uncaught Error: Call to undefined function wptexturize() in /home/ifd6vop3yes7/public_html/thematchcandleco.com/wp-includes/general-template.php:1240 Stack trace: #0 /home/ifd6vop3yes7/public_html/thematchcandleco.com/wp-includes/general-template.php(1261): wp_get_document_title() #1 /home/ifd6vop3yes7/public_html/thematchcandleco.com/wp-includes/class-wp-hook.php(292): _wp_render_title_tag('') #2 /home/ifd6vop3yes7/public_html/thematchcandleco.com/wp-includes/class-wp-hook.php(316): WP_Hook->apply_filters(NULL, Array) #3 /home/ifd6vop3yes7/public_html/thematchcandleco.com/wp-includes/plugin.php(484): WP_Hook->do_action(Array) #4 /home/ifd6vop3yes7/public_html/thematchcandleco.com/wp-includes/general-template.php(3009): do_action('wp_head') #5 /home/ifd6vop3yes7/public_html/thematchcandleco.com/wp-content/themes/flatsome/header.php(10): wp_head() #6 /home/ifd6vop3yes7/public_html/thematchcandleco.com/wp-includes/template.php(730): require_once('/home/ifd6vop3y...') #7 /home/ifd6vop3yes7/public_html/thematchca in /home/ifd6vop3yes7/public_html/thematchcandleco.com/wp-includes/general-template.php on line 1240</p>
<p>It breaks the website. I have searched for days with no results and I am at my wit's end.</p>
<p>I am a c# asp.net guy, not a PHP guy so I cannot for the life of me figure out what is going on. As long as my site is down I am not getting orders. I can do a backup to a version that works, but then I lose 50% of my woocommerce orders and I don't want that obviously. Can someone tell me what the heck is going on?</p>
| [
{
"answer_id": 391895,
"author": "Nayan",
"author_id": 95164,
"author_profile": "https://wordpress.stackexchange.com/users/95164",
"pm_score": 2,
"selected": false,
"text": "<pre><code><?php\nwp_get_post_terms($post->ID, array('cities','policy'));\n\nor\nwp_get_object_terms($post->ID, array('cities','policy'));\n?>\n</code></pre>\n"
},
{
"answer_id": 392334,
"author": "Geoff Cordner",
"author_id": 208948,
"author_profile": "https://wordpress.stackexchange.com/users/208948",
"pm_score": 0,
"selected": false,
"text": "<p>I stuck with <a href=\"https://wordpress.stackexchange.com/users/137402/sally-cj\">sally-cj</a>'s suggestion of doing two separate queries. My challenge was how to make the separator work. Using the separator between the two lists resulted in a phantom separator if either list (or both) returned nothing. So I ended up storing the results of each query in a variable and joining them:</p>\n<pre>\n\n $city_terms = get_the_term_list( $post->ID, 'cities', '', ' / ', '' );\n $policy_terms = get_the_term_list( $post->ID, 'policy', '', ' / ', '' );\n echo $city_terms;\n if ($city_terms && $policy_terms) {\n echo ' / ';\n }\n echo $policy_terms;\n\n</pre>\n"
}
] | 2021/07/14 | [
"https://wordpress.stackexchange.com/questions/391901",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/208952/"
] | The error I am getting is:
Warning: call\_user\_func\_array() expects parameter 1 to be a valid callback, function 'wptexturize' not found or invalid function name in /home/ifd6vop3yes7/public\_html/thematchcandleco.com/wp-includes/class-wp-hook.php on line 294
Warning: call\_user\_func\_array() expects parameter 1 to be a valid callback, function 'wptexturize' not found or invalid function name in /home/ifd6vop3yes7/public\_html/thematchcandleco.com/wp-includes/class-wp-hook.php on line 294
Fatal error: Uncaught Error: Call to undefined function wptexturize() in /home/ifd6vop3yes7/public\_html/thematchcandleco.com/wp-includes/general-template.php:1240 Stack trace: #0 /home/ifd6vop3yes7/public\_html/thematchcandleco.com/wp-includes/general-template.php(1261): wp\_get\_document\_title() #1 /home/ifd6vop3yes7/public\_html/thematchcandleco.com/wp-includes/class-wp-hook.php(292): \_wp\_render\_title\_tag('') #2 /home/ifd6vop3yes7/public\_html/thematchcandleco.com/wp-includes/class-wp-hook.php(316): WP\_Hook->apply\_filters(NULL, Array) #3 /home/ifd6vop3yes7/public\_html/thematchcandleco.com/wp-includes/plugin.php(484): WP\_Hook->do\_action(Array) #4 /home/ifd6vop3yes7/public\_html/thematchcandleco.com/wp-includes/general-template.php(3009): do\_action('wp\_head') #5 /home/ifd6vop3yes7/public\_html/thematchcandleco.com/wp-content/themes/flatsome/header.php(10): wp\_head() #6 /home/ifd6vop3yes7/public\_html/thematchcandleco.com/wp-includes/template.php(730): require\_once('/home/ifd6vop3y...') #7 /home/ifd6vop3yes7/public\_html/thematchca in /home/ifd6vop3yes7/public\_html/thematchcandleco.com/wp-includes/general-template.php on line 1240
It breaks the website. I have searched for days with no results and I am at my wit's end.
I am a c# asp.net guy, not a PHP guy so I cannot for the life of me figure out what is going on. As long as my site is down I am not getting orders. I can do a backup to a version that works, but then I lose 50% of my woocommerce orders and I don't want that obviously. Can someone tell me what the heck is going on? | ```
<?php
wp_get_post_terms($post->ID, array('cities','policy'));
or
wp_get_object_terms($post->ID, array('cities','policy'));
?>
``` |
392,060 | <h2 id="background-creating-custom-gutenberg-blocks-and-the-challenges-with-breaking-changes-hh8p">Background: Creating Custom Gutenberg Blocks and the Challenges with Breaking Changes <br></h2>
<p>I am new to creating custom Gutenberg blocks (each block is a separate plugin) and have recently ran into the issue of breaking changes when I update the blocks' code. I learned how <a href="https://developer.wordpress.org/block-editor/reference-guides/block-api/block-deprecation/" rel="nofollow noreferrer">block depreciation</a> can help solve the issue of breaking code changes, but I still have the challenge of finding the specific pages and posts where these blocks are used. <br></p>
<h2 id="reason-for-the-question-to-find-all-instances-of-a-custom-gutenberg-block-and-speed-up-the-quality-control-process-k9at">Reason for the Question: To Find All Instances of a Custom Gutenberg Block and Speed Up the Quality Control Process</h2>
<p>I am looking for a way to see a list of the posts and pages where they have been used so that I can verify that the upgrade path is working for all of the different use cases people have come up with... without manually going through each and every page and then scrolling to see if one of my blocks is used or not. Some sites have hundreds of pages and posts. I would like to make it a more efficient process to find just the pages and posts where a custom block is used.</p>
| [
{
"answer_id": 392175,
"author": "birgire",
"author_id": 26350,
"author_profile": "https://wordpress.stackexchange.com/users/26350",
"pm_score": 4,
"selected": true,
"text": "<h2 id=\"general-block-name-search\">General block name search</h2>\n<p>One can e.g. use the general search in the <code>/wp-admin</code> backend to find some text within the post's content that stores the blocks:</p>\n<p><a href=\"https://i.stack.imgur.com/w2Ckk.png\" rel=\"noreferrer\"><img src=\"https://i.stack.imgur.com/w2Ckk.png\" alt=\"\" /></a></p>\n<p>We can search for a prefixed block name <code>wp:my-plugin/my-block</code> within the posts:</p>\n<pre><code>example.com/wp-admin/edit.php\n?s=wp:my-plugin%2Fmy-block%20&post_type=post\n</code></pre>\n<p>where we have an extra space (url encoded as <code>%20</code>and / as <code>%2F</code>) after the block's name, as the first part of it would be stored as <code><!-- wp:my-plugin/my-block --></code> or with attributes <code><!-- wp:my-plugin/my-block {...} --></code> in the post's content.</p>\n<p>The front-end search works as well, but without the post type filtering as in the backend (unless adjusted with a plugin):</p>\n<pre><code>example.com\n?s=wp:my-plugin%2Fmy-block%20\n</code></pre>\n<p>This block search might not be 100% accurate (e.g. if you blog about block names) but it might give you a good enough estimate in most cases.</p>\n<h2 id=\"more-accurate-searching\"><strong>More accurate searching</strong></h2>\n<p>We note that searching for <code><!-- wp:my-plugin/my-block </code> with:</p>\n<pre><code>example.com\n?s=<%21--%20wp:my-plugin%2Fmy-block%20\n</code></pre>\n<p>will be split up in two words in the generated SQL:</p>\n<pre><code>WHERE 1=1\nAND (((wp_posts.post_title LIKE '%<!--%')\nOR (wp_posts.post_excerpt LIKE '%<!--%')\nOR (wp_posts.post_content LIKE '%<!--%'))\nAND ((wp_posts.post_title LIKE '%wp:my-plugin/my-block %')\nOR (wp_posts.post_excerpt LIKE '%wp:my-plugin/my-block %')\nOR (wp_posts.post_content LIKE '%wp:my-plugin/my-block %')))\n...\n</code></pre>\n<p>but we can avoid it with the <code>sentence</code> parameter:</p>\n<pre><code>example.com\n?s=<%21--%20wp:my-plugin%2Fmy-block&sentence=1\n</code></pre>\n<p>and get a search query like:</p>\n<pre><code>WHERE 1=1\nAND (((wp_posts.post_title LIKE '%<!-- wp:my-plugin/my-block %')\nOR (wp_posts.post_excerpt LIKE '%<!-- wp:my-plugin/my-block %')\nOR (wp_posts.post_content LIKE '%<!-- wp:my-plugin/my-block %')))\n...\n</code></pre>\n<h2 id=\"with-code\">With code</h2>\n<p>Alternatively we could use a custom <code>WP_Query</code> search like:</p>\n<pre><code>WP_Query( array( \n 's' => '<!-- wp:my-plugin/my-block ', \n 'sentence' => 1, \n 'post_type' => array( 'post', 'page' ),\n) );\n</code></pre>\n<p>or run <code>has_block( 'my-plugin/my-block', $post_content )</code> on all the relevant post content for the given block name or use <code>parse_blocks( $post_content )</code> if you need more info from it.</p>\n<h2 id=\"reusable-blocks\">Reusable blocks</h2>\n<p>We should note that reusable blocks are stored like:</p>\n<pre><code><!-- wp:block {"ref":23495} /-->\n</code></pre>\n<p>in the post's content, so we might look into the <code>wp_block</code> post type that stores it:</p>\n<pre><code>example.com/wp-admin/edit.php\n?s=<%21--%20wp:my-plugin%2Fmy-block%20&post_status=all&post_type=wp_block&sentence=1\n</code></pre>\n<h2 id=\"simple-block-type-search-plugin\">Simple Block Type Search Plugin</h2>\n<p>To make things easier I've created a plugin that adds a dropdown filter for registered block types, under each list table in the admin:</p>\n<p><a href=\"https://i.stack.imgur.com/AqWsV.png\" rel=\"noreferrer\"><img src=\"https://i.stack.imgur.com/AqWsV.png\" alt=\"\" /></a></p>\n<p>to simplify the search that is automatically added when filtering:</p>\n<p><a href=\"https://i.stack.imgur.com/IkL5D.png\" rel=\"noreferrer\"><img src=\"https://i.stack.imgur.com/IkL5D.png\" alt=\"\" /></a></p>\n<p>Create a plugin file and activate:</p>\n<pre><code><?php \n/* Plugin Name: Simple Block Type Search\n * Plugin URI: https://wordpress.stackexchange.com/a/392175/26350 \n */\nadd_action( 'restrict_manage_posts', 'simple_block_type_search', 10, 2 );\n\nfunction simple_block_type_search ( $post_type, $which ) {\n if ( ! use_block_editor_for_post_type ( $post_type ) ) {\n return;\n } \n $block_types = \\WP_Block_Type_Registry::get_instance()->get_all_registered();\n $options = array_reduce( $block_types, function( $options, $block_type ) {\n $val = '!-- wp:' . str_replace( 'core/', '', $block_type->name ) . ' ';\n return $options . sprintf ( '<option value="%s" %s>%s</option>',\n esc_attr( $val ),\n selected( get_query_var( 's' ), $val, false ),\n esc_html( $block_type->name )\n );\n }, '' );\n printf ( '<select name="s"><option value="">%s</option>%s</select>\n <input type="hidden" name="sentence" value="1"/>', \n esc_html__( 'Block Type Search', 'simple_block_type_search' ),\n $options \n );\n}\n</code></pre>\n<p>To get all registered block types, we <a href=\"https://developer.wordpress.org/reference/classes/wp_block_type_registry/get_all_registered/\" rel=\"noreferrer\">used</a>:</p>\n<pre><code>\\WP_Block_Type_Registry::get_instance()->get_all_registered()\n</code></pre>\n<p>and to only display the dropdown on supported post types we <a href=\"https://developer.wordpress.org/reference/functions/use_block_editor_for_post_type/\" rel=\"noreferrer\">used</a>:</p>\n<pre><code>use_block_editor_for_post_type()\n</code></pre>\n<p>Here we used the built-in search feature and the user interface of the admin backend. That's why the plugin is so few lines of code.</p>\n"
},
{
"answer_id": 392214,
"author": "mparraud",
"author_id": 134316,
"author_profile": "https://wordpress.stackexchange.com/users/134316",
"pm_score": 0,
"selected": false,
"text": "<p>I'm WordPress user and sometimes I install packs of blocks that come with some block similar to core blocks.</p>\n<p>When I try to find where some blocks have been used, I do it with this plugin: <a href=\"https://wordpress.org/plugins/find-my-blocks/\" rel=\"nofollow noreferrer\">https://wordpress.org/plugins/find-my-blocks/</a></p>\n"
}
] | 2021/07/16 | [
"https://wordpress.stackexchange.com/questions/392060",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/204220/"
] | Background: Creating Custom Gutenberg Blocks and the Challenges with Breaking Changes
-------------------------------------------------------------------------------------
I am new to creating custom Gutenberg blocks (each block is a separate plugin) and have recently ran into the issue of breaking changes when I update the blocks' code. I learned how [block depreciation](https://developer.wordpress.org/block-editor/reference-guides/block-api/block-deprecation/) can help solve the issue of breaking code changes, but I still have the challenge of finding the specific pages and posts where these blocks are used.
Reason for the Question: To Find All Instances of a Custom Gutenberg Block and Speed Up the Quality Control Process
-------------------------------------------------------------------------------------------------------------------
I am looking for a way to see a list of the posts and pages where they have been used so that I can verify that the upgrade path is working for all of the different use cases people have come up with... without manually going through each and every page and then scrolling to see if one of my blocks is used or not. Some sites have hundreds of pages and posts. I would like to make it a more efficient process to find just the pages and posts where a custom block is used. | General block name search
-------------------------
One can e.g. use the general search in the `/wp-admin` backend to find some text within the post's content that stores the blocks:
[](https://i.stack.imgur.com/w2Ckk.png)
We can search for a prefixed block name `wp:my-plugin/my-block` within the posts:
```
example.com/wp-admin/edit.php
?s=wp:my-plugin%2Fmy-block%20&post_type=post
```
where we have an extra space (url encoded as `%20`and / as `%2F`) after the block's name, as the first part of it would be stored as `<!-- wp:my-plugin/my-block -->` or with attributes `<!-- wp:my-plugin/my-block {...} -->` in the post's content.
The front-end search works as well, but without the post type filtering as in the backend (unless adjusted with a plugin):
```
example.com
?s=wp:my-plugin%2Fmy-block%20
```
This block search might not be 100% accurate (e.g. if you blog about block names) but it might give you a good enough estimate in most cases.
**More accurate searching**
---------------------------
We note that searching for `<!-- wp:my-plugin/my-block` with:
```
example.com
?s=<%21--%20wp:my-plugin%2Fmy-block%20
```
will be split up in two words in the generated SQL:
```
WHERE 1=1
AND (((wp_posts.post_title LIKE '%<!--%')
OR (wp_posts.post_excerpt LIKE '%<!--%')
OR (wp_posts.post_content LIKE '%<!--%'))
AND ((wp_posts.post_title LIKE '%wp:my-plugin/my-block %')
OR (wp_posts.post_excerpt LIKE '%wp:my-plugin/my-block %')
OR (wp_posts.post_content LIKE '%wp:my-plugin/my-block %')))
...
```
but we can avoid it with the `sentence` parameter:
```
example.com
?s=<%21--%20wp:my-plugin%2Fmy-block&sentence=1
```
and get a search query like:
```
WHERE 1=1
AND (((wp_posts.post_title LIKE '%<!-- wp:my-plugin/my-block %')
OR (wp_posts.post_excerpt LIKE '%<!-- wp:my-plugin/my-block %')
OR (wp_posts.post_content LIKE '%<!-- wp:my-plugin/my-block %')))
...
```
With code
---------
Alternatively we could use a custom `WP_Query` search like:
```
WP_Query( array(
's' => '<!-- wp:my-plugin/my-block ',
'sentence' => 1,
'post_type' => array( 'post', 'page' ),
) );
```
or run `has_block( 'my-plugin/my-block', $post_content )` on all the relevant post content for the given block name or use `parse_blocks( $post_content )` if you need more info from it.
Reusable blocks
---------------
We should note that reusable blocks are stored like:
```
<!-- wp:block {"ref":23495} /-->
```
in the post's content, so we might look into the `wp_block` post type that stores it:
```
example.com/wp-admin/edit.php
?s=<%21--%20wp:my-plugin%2Fmy-block%20&post_status=all&post_type=wp_block&sentence=1
```
Simple Block Type Search Plugin
-------------------------------
To make things easier I've created a plugin that adds a dropdown filter for registered block types, under each list table in the admin:
[](https://i.stack.imgur.com/AqWsV.png)
to simplify the search that is automatically added when filtering:
[](https://i.stack.imgur.com/IkL5D.png)
Create a plugin file and activate:
```
<?php
/* Plugin Name: Simple Block Type Search
* Plugin URI: https://wordpress.stackexchange.com/a/392175/26350
*/
add_action( 'restrict_manage_posts', 'simple_block_type_search', 10, 2 );
function simple_block_type_search ( $post_type, $which ) {
if ( ! use_block_editor_for_post_type ( $post_type ) ) {
return;
}
$block_types = \WP_Block_Type_Registry::get_instance()->get_all_registered();
$options = array_reduce( $block_types, function( $options, $block_type ) {
$val = '!-- wp:' . str_replace( 'core/', '', $block_type->name ) . ' ';
return $options . sprintf ( '<option value="%s" %s>%s</option>',
esc_attr( $val ),
selected( get_query_var( 's' ), $val, false ),
esc_html( $block_type->name )
);
}, '' );
printf ( '<select name="s"><option value="">%s</option>%s</select>
<input type="hidden" name="sentence" value="1"/>',
esc_html__( 'Block Type Search', 'simple_block_type_search' ),
$options
);
}
```
To get all registered block types, we [used](https://developer.wordpress.org/reference/classes/wp_block_type_registry/get_all_registered/):
```
\WP_Block_Type_Registry::get_instance()->get_all_registered()
```
and to only display the dropdown on supported post types we [used](https://developer.wordpress.org/reference/functions/use_block_editor_for_post_type/):
```
use_block_editor_for_post_type()
```
Here we used the built-in search feature and the user interface of the admin backend. That's why the plugin is so few lines of code. |
392,065 | <p>I installed wordpress with apt, which ties in a lot of directories, so I suspect that using the built-in core update tool will break the installation; but wordfence constantly demands that I update using said tool -- which is probably much more up-to-date than the linux distro repository. Do I have to wipe it out and start over in order to resolve this annoying bind?</p>
| [
{
"answer_id": 392175,
"author": "birgire",
"author_id": 26350,
"author_profile": "https://wordpress.stackexchange.com/users/26350",
"pm_score": 4,
"selected": true,
"text": "<h2 id=\"general-block-name-search\">General block name search</h2>\n<p>One can e.g. use the general search in the <code>/wp-admin</code> backend to find some text within the post's content that stores the blocks:</p>\n<p><a href=\"https://i.stack.imgur.com/w2Ckk.png\" rel=\"noreferrer\"><img src=\"https://i.stack.imgur.com/w2Ckk.png\" alt=\"\" /></a></p>\n<p>We can search for a prefixed block name <code>wp:my-plugin/my-block</code> within the posts:</p>\n<pre><code>example.com/wp-admin/edit.php\n?s=wp:my-plugin%2Fmy-block%20&post_type=post\n</code></pre>\n<p>where we have an extra space (url encoded as <code>%20</code>and / as <code>%2F</code>) after the block's name, as the first part of it would be stored as <code><!-- wp:my-plugin/my-block --></code> or with attributes <code><!-- wp:my-plugin/my-block {...} --></code> in the post's content.</p>\n<p>The front-end search works as well, but without the post type filtering as in the backend (unless adjusted with a plugin):</p>\n<pre><code>example.com\n?s=wp:my-plugin%2Fmy-block%20\n</code></pre>\n<p>This block search might not be 100% accurate (e.g. if you blog about block names) but it might give you a good enough estimate in most cases.</p>\n<h2 id=\"more-accurate-searching\"><strong>More accurate searching</strong></h2>\n<p>We note that searching for <code><!-- wp:my-plugin/my-block </code> with:</p>\n<pre><code>example.com\n?s=<%21--%20wp:my-plugin%2Fmy-block%20\n</code></pre>\n<p>will be split up in two words in the generated SQL:</p>\n<pre><code>WHERE 1=1\nAND (((wp_posts.post_title LIKE '%<!--%')\nOR (wp_posts.post_excerpt LIKE '%<!--%')\nOR (wp_posts.post_content LIKE '%<!--%'))\nAND ((wp_posts.post_title LIKE '%wp:my-plugin/my-block %')\nOR (wp_posts.post_excerpt LIKE '%wp:my-plugin/my-block %')\nOR (wp_posts.post_content LIKE '%wp:my-plugin/my-block %')))\n...\n</code></pre>\n<p>but we can avoid it with the <code>sentence</code> parameter:</p>\n<pre><code>example.com\n?s=<%21--%20wp:my-plugin%2Fmy-block&sentence=1\n</code></pre>\n<p>and get a search query like:</p>\n<pre><code>WHERE 1=1\nAND (((wp_posts.post_title LIKE '%<!-- wp:my-plugin/my-block %')\nOR (wp_posts.post_excerpt LIKE '%<!-- wp:my-plugin/my-block %')\nOR (wp_posts.post_content LIKE '%<!-- wp:my-plugin/my-block %')))\n...\n</code></pre>\n<h2 id=\"with-code\">With code</h2>\n<p>Alternatively we could use a custom <code>WP_Query</code> search like:</p>\n<pre><code>WP_Query( array( \n 's' => '<!-- wp:my-plugin/my-block ', \n 'sentence' => 1, \n 'post_type' => array( 'post', 'page' ),\n) );\n</code></pre>\n<p>or run <code>has_block( 'my-plugin/my-block', $post_content )</code> on all the relevant post content for the given block name or use <code>parse_blocks( $post_content )</code> if you need more info from it.</p>\n<h2 id=\"reusable-blocks\">Reusable blocks</h2>\n<p>We should note that reusable blocks are stored like:</p>\n<pre><code><!-- wp:block {"ref":23495} /-->\n</code></pre>\n<p>in the post's content, so we might look into the <code>wp_block</code> post type that stores it:</p>\n<pre><code>example.com/wp-admin/edit.php\n?s=<%21--%20wp:my-plugin%2Fmy-block%20&post_status=all&post_type=wp_block&sentence=1\n</code></pre>\n<h2 id=\"simple-block-type-search-plugin\">Simple Block Type Search Plugin</h2>\n<p>To make things easier I've created a plugin that adds a dropdown filter for registered block types, under each list table in the admin:</p>\n<p><a href=\"https://i.stack.imgur.com/AqWsV.png\" rel=\"noreferrer\"><img src=\"https://i.stack.imgur.com/AqWsV.png\" alt=\"\" /></a></p>\n<p>to simplify the search that is automatically added when filtering:</p>\n<p><a href=\"https://i.stack.imgur.com/IkL5D.png\" rel=\"noreferrer\"><img src=\"https://i.stack.imgur.com/IkL5D.png\" alt=\"\" /></a></p>\n<p>Create a plugin file and activate:</p>\n<pre><code><?php \n/* Plugin Name: Simple Block Type Search\n * Plugin URI: https://wordpress.stackexchange.com/a/392175/26350 \n */\nadd_action( 'restrict_manage_posts', 'simple_block_type_search', 10, 2 );\n\nfunction simple_block_type_search ( $post_type, $which ) {\n if ( ! use_block_editor_for_post_type ( $post_type ) ) {\n return;\n } \n $block_types = \\WP_Block_Type_Registry::get_instance()->get_all_registered();\n $options = array_reduce( $block_types, function( $options, $block_type ) {\n $val = '!-- wp:' . str_replace( 'core/', '', $block_type->name ) . ' ';\n return $options . sprintf ( '<option value="%s" %s>%s</option>',\n esc_attr( $val ),\n selected( get_query_var( 's' ), $val, false ),\n esc_html( $block_type->name )\n );\n }, '' );\n printf ( '<select name="s"><option value="">%s</option>%s</select>\n <input type="hidden" name="sentence" value="1"/>', \n esc_html__( 'Block Type Search', 'simple_block_type_search' ),\n $options \n );\n}\n</code></pre>\n<p>To get all registered block types, we <a href=\"https://developer.wordpress.org/reference/classes/wp_block_type_registry/get_all_registered/\" rel=\"noreferrer\">used</a>:</p>\n<pre><code>\\WP_Block_Type_Registry::get_instance()->get_all_registered()\n</code></pre>\n<p>and to only display the dropdown on supported post types we <a href=\"https://developer.wordpress.org/reference/functions/use_block_editor_for_post_type/\" rel=\"noreferrer\">used</a>:</p>\n<pre><code>use_block_editor_for_post_type()\n</code></pre>\n<p>Here we used the built-in search feature and the user interface of the admin backend. That's why the plugin is so few lines of code.</p>\n"
},
{
"answer_id": 392214,
"author": "mparraud",
"author_id": 134316,
"author_profile": "https://wordpress.stackexchange.com/users/134316",
"pm_score": 0,
"selected": false,
"text": "<p>I'm WordPress user and sometimes I install packs of blocks that come with some block similar to core blocks.</p>\n<p>When I try to find where some blocks have been used, I do it with this plugin: <a href=\"https://wordpress.org/plugins/find-my-blocks/\" rel=\"nofollow noreferrer\">https://wordpress.org/plugins/find-my-blocks/</a></p>\n"
}
] | 2021/07/16 | [
"https://wordpress.stackexchange.com/questions/392065",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/209087/"
] | I installed wordpress with apt, which ties in a lot of directories, so I suspect that using the built-in core update tool will break the installation; but wordfence constantly demands that I update using said tool -- which is probably much more up-to-date than the linux distro repository. Do I have to wipe it out and start over in order to resolve this annoying bind? | General block name search
-------------------------
One can e.g. use the general search in the `/wp-admin` backend to find some text within the post's content that stores the blocks:
[](https://i.stack.imgur.com/w2Ckk.png)
We can search for a prefixed block name `wp:my-plugin/my-block` within the posts:
```
example.com/wp-admin/edit.php
?s=wp:my-plugin%2Fmy-block%20&post_type=post
```
where we have an extra space (url encoded as `%20`and / as `%2F`) after the block's name, as the first part of it would be stored as `<!-- wp:my-plugin/my-block -->` or with attributes `<!-- wp:my-plugin/my-block {...} -->` in the post's content.
The front-end search works as well, but without the post type filtering as in the backend (unless adjusted with a plugin):
```
example.com
?s=wp:my-plugin%2Fmy-block%20
```
This block search might not be 100% accurate (e.g. if you blog about block names) but it might give you a good enough estimate in most cases.
**More accurate searching**
---------------------------
We note that searching for `<!-- wp:my-plugin/my-block` with:
```
example.com
?s=<%21--%20wp:my-plugin%2Fmy-block%20
```
will be split up in two words in the generated SQL:
```
WHERE 1=1
AND (((wp_posts.post_title LIKE '%<!--%')
OR (wp_posts.post_excerpt LIKE '%<!--%')
OR (wp_posts.post_content LIKE '%<!--%'))
AND ((wp_posts.post_title LIKE '%wp:my-plugin/my-block %')
OR (wp_posts.post_excerpt LIKE '%wp:my-plugin/my-block %')
OR (wp_posts.post_content LIKE '%wp:my-plugin/my-block %')))
...
```
but we can avoid it with the `sentence` parameter:
```
example.com
?s=<%21--%20wp:my-plugin%2Fmy-block&sentence=1
```
and get a search query like:
```
WHERE 1=1
AND (((wp_posts.post_title LIKE '%<!-- wp:my-plugin/my-block %')
OR (wp_posts.post_excerpt LIKE '%<!-- wp:my-plugin/my-block %')
OR (wp_posts.post_content LIKE '%<!-- wp:my-plugin/my-block %')))
...
```
With code
---------
Alternatively we could use a custom `WP_Query` search like:
```
WP_Query( array(
's' => '<!-- wp:my-plugin/my-block ',
'sentence' => 1,
'post_type' => array( 'post', 'page' ),
) );
```
or run `has_block( 'my-plugin/my-block', $post_content )` on all the relevant post content for the given block name or use `parse_blocks( $post_content )` if you need more info from it.
Reusable blocks
---------------
We should note that reusable blocks are stored like:
```
<!-- wp:block {"ref":23495} /-->
```
in the post's content, so we might look into the `wp_block` post type that stores it:
```
example.com/wp-admin/edit.php
?s=<%21--%20wp:my-plugin%2Fmy-block%20&post_status=all&post_type=wp_block&sentence=1
```
Simple Block Type Search Plugin
-------------------------------
To make things easier I've created a plugin that adds a dropdown filter for registered block types, under each list table in the admin:
[](https://i.stack.imgur.com/AqWsV.png)
to simplify the search that is automatically added when filtering:
[](https://i.stack.imgur.com/IkL5D.png)
Create a plugin file and activate:
```
<?php
/* Plugin Name: Simple Block Type Search
* Plugin URI: https://wordpress.stackexchange.com/a/392175/26350
*/
add_action( 'restrict_manage_posts', 'simple_block_type_search', 10, 2 );
function simple_block_type_search ( $post_type, $which ) {
if ( ! use_block_editor_for_post_type ( $post_type ) ) {
return;
}
$block_types = \WP_Block_Type_Registry::get_instance()->get_all_registered();
$options = array_reduce( $block_types, function( $options, $block_type ) {
$val = '!-- wp:' . str_replace( 'core/', '', $block_type->name ) . ' ';
return $options . sprintf ( '<option value="%s" %s>%s</option>',
esc_attr( $val ),
selected( get_query_var( 's' ), $val, false ),
esc_html( $block_type->name )
);
}, '' );
printf ( '<select name="s"><option value="">%s</option>%s</select>
<input type="hidden" name="sentence" value="1"/>',
esc_html__( 'Block Type Search', 'simple_block_type_search' ),
$options
);
}
```
To get all registered block types, we [used](https://developer.wordpress.org/reference/classes/wp_block_type_registry/get_all_registered/):
```
\WP_Block_Type_Registry::get_instance()->get_all_registered()
```
and to only display the dropdown on supported post types we [used](https://developer.wordpress.org/reference/functions/use_block_editor_for_post_type/):
```
use_block_editor_for_post_type()
```
Here we used the built-in search feature and the user interface of the admin backend. That's why the plugin is so few lines of code. |
392,076 | <p>I'm having an issue with one of my meta box. I want the meta box displayed only on the default page template editing <code>page.php</code>.</p>
<p>The meta box doesn't show up on the editing page.</p>
<pre><code>add_action('add_meta_boxes', 'page_add_meta_boxes', 1);
function page_add_meta_boxes() {
global $post;
if(!empty($post)) {
$pageTemplate = get_post_meta($post->ID, '_wp_page_template', true);
if($pageTemplate == 'page.php') {
add_meta_box( 'page-repeatable-fields', 'Index', 'page_repeatable_meta_box_display', 'page', 'normal', 'low');
}
}
}
</code></pre>
<p>Thank you.</p>
<p><strong>EDIT</strong></p>
<p>Code updated following the comments of @SallyCJ</p>
<pre><code>add_action('add_meta_boxes', 'page_add_meta_boxes', 10, 2);
function page_add_meta_boxes($post_type, $post) {
if(!empty($post)) {
$pageTemplate = get_post_meta($post->ID, '_wp_page_template', true);
if(in_array( $pageTemplate, array( 'default', 'page.php' ) ) ) {
add_meta_box( 'page-repeatable-fields', 'Index', 'page_repeatable_meta_box_display', 'page', 'normal', 'low');
}
}
}
</code></pre>
<p>After checking with <code>var_dump( $pageTemplate );</code> the result is:</p>
<pre><code>"String(0) "" "
</code></pre>
<p>Note: If use a custom template page to display the metabox, it works.</p>
| [
{
"answer_id": 392081,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<p>If the "<em>Default Template</em>" option is selected from the Template dropdown, then WordPress will set the value of the <code>_wp_page_template</code> meta to <code>default</code> and not <code>page.php</code>, so that's most likely the reason why your meta box is not showing/added.</p>\n<p>So I would use <code>if ( in_array( $pageTemplate, array( 'default', 'page.php' ) ) )</code> instead of <code>if ( $pageTemplate == 'page.php' )</code>.</p>\n<p>Additionally, I would also use the <code>$post</code> variable that's available as the <a href=\"https://developer.wordpress.org/reference/hooks/add_meta_boxes/#parameters\" rel=\"nofollow noreferrer\">second parameter</a> for the meta box function:</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_action('add_meta_boxes', 'page_add_meta_boxes', 10, 2); // require the 2nd parameter\nfunction page_add_meta_boxes($post_type, $post) { // and define it in the function head\n //global $post; // <- no need to do this\n\n // your code\n}\n</code></pre>\n<h1 id=\"update-olp3\">Update</h1>\n<p>If the meta value is empty (<code>''</code>), then the template will be the default, e.g. <code>page.php</code> for the <code>page</code> post type.</p>\n<p>So you could use <code>if ( ! $pageTemplate || in_array( $pageTemplate, array( 'default', 'page.php' ) ) )</code> instead of the one I suggested above.</p>\n<p>Or actually, you could use <a href=\"https://developer.wordpress.org/reference/functions/get_page_template_slug/\" rel=\"nofollow noreferrer\"><code>get_page_template_slug()</code></a> which is much easier. :) Example based on your updated code:</p>\n<pre class=\"lang-php prettyprint-override\"><code>function page_add_meta_boxes($post_type, $post) {\n $pageTemplate = get_page_template_slug( $post );\n if(! $pageTemplate || 'page.php' === $pageTemplate) {\n add_meta_box( 'page-repeatable-fields', 'Index', 'page_repeatable_meta_box_display', 'page', 'normal', 'low');\n }\n}\n</code></pre>\n"
},
{
"answer_id": 392147,
"author": "Morteza Mohammadi",
"author_id": 105274,
"author_profile": "https://wordpress.stackexchange.com/users/105274",
"pm_score": 0,
"selected": false,
"text": "<p>try this code i guess it should work correctly</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_action('add_meta_boxes', 'page_add_meta_boxes');\nfunction page_add_meta_boxes(){\n global $post;\n if(!empty($post)):\n $pageTemplate = get_post_meta($post->ID, '_wp_page_template', true);\n $pageTemplate = ($pageTemplate == "page.php" || empty($pageTemplate) || $pageTemplate == " " || $pageTemplate == "default" )?true:false;\n if($pageTemplate):\n add_meta_box(\n 'page-repeatable-fields',\n 'Index',\n 'page_repeatable_meta_box_display',\n 'page',\n 'normal',\n 'low'\n )\n endif;\n endif;\n}\n</code></pre>\n"
}
] | 2021/07/17 | [
"https://wordpress.stackexchange.com/questions/392076",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/110282/"
] | I'm having an issue with one of my meta box. I want the meta box displayed only on the default page template editing `page.php`.
The meta box doesn't show up on the editing page.
```
add_action('add_meta_boxes', 'page_add_meta_boxes', 1);
function page_add_meta_boxes() {
global $post;
if(!empty($post)) {
$pageTemplate = get_post_meta($post->ID, '_wp_page_template', true);
if($pageTemplate == 'page.php') {
add_meta_box( 'page-repeatable-fields', 'Index', 'page_repeatable_meta_box_display', 'page', 'normal', 'low');
}
}
}
```
Thank you.
**EDIT**
Code updated following the comments of @SallyCJ
```
add_action('add_meta_boxes', 'page_add_meta_boxes', 10, 2);
function page_add_meta_boxes($post_type, $post) {
if(!empty($post)) {
$pageTemplate = get_post_meta($post->ID, '_wp_page_template', true);
if(in_array( $pageTemplate, array( 'default', 'page.php' ) ) ) {
add_meta_box( 'page-repeatable-fields', 'Index', 'page_repeatable_meta_box_display', 'page', 'normal', 'low');
}
}
}
```
After checking with `var_dump( $pageTemplate );` the result is:
```
"String(0) "" "
```
Note: If use a custom template page to display the metabox, it works. | If the "*Default Template*" option is selected from the Template dropdown, then WordPress will set the value of the `_wp_page_template` meta to `default` and not `page.php`, so that's most likely the reason why your meta box is not showing/added.
So I would use `if ( in_array( $pageTemplate, array( 'default', 'page.php' ) ) )` instead of `if ( $pageTemplate == 'page.php' )`.
Additionally, I would also use the `$post` variable that's available as the [second parameter](https://developer.wordpress.org/reference/hooks/add_meta_boxes/#parameters) for the meta box function:
```php
add_action('add_meta_boxes', 'page_add_meta_boxes', 10, 2); // require the 2nd parameter
function page_add_meta_boxes($post_type, $post) { // and define it in the function head
//global $post; // <- no need to do this
// your code
}
```
Update
======
If the meta value is empty (`''`), then the template will be the default, e.g. `page.php` for the `page` post type.
So you could use `if ( ! $pageTemplate || in_array( $pageTemplate, array( 'default', 'page.php' ) ) )` instead of the one I suggested above.
Or actually, you could use [`get_page_template_slug()`](https://developer.wordpress.org/reference/functions/get_page_template_slug/) which is much easier. :) Example based on your updated code:
```php
function page_add_meta_boxes($post_type, $post) {
$pageTemplate = get_page_template_slug( $post );
if(! $pageTemplate || 'page.php' === $pageTemplate) {
add_meta_box( 'page-repeatable-fields', 'Index', 'page_repeatable_meta_box_display', 'page', 'normal', 'low');
}
}
``` |
392,125 | <p>I would like to override the default post archives, via category.</p>
<p>In some cases (not all), I have 2 level-categories, such as:</p>
<p>Parent Category: "Video"</p>
<ul>
<li>Subcategory "Comedy"</li>
<li>Subcategory "Action"</li>
</ul>
<p>But some other categories, are just single-level.</p>
<p>Currently, no matter which category you choose, you get a list of posts, no matter whether its a main- or sub- category.</p>
<p>What I would like to do, is when entering the category listing, there is a test of sub-categories exist, and if so, the posts should be lists as such:</p>
<p><strong>Heading: Video</strong></p>
<p><strong>Comedy</strong></p>
<ul>
<li>post 1</li>
<li>post 2</li>
<li>post 3</li>
</ul>
<p><strong>Action</strong></p>
<ul>
<li>post 4</li>
<li>post 5</li>
<li>post 6</li>
</ul>
<p>If however, there are no subcategories, than the default listing is displayed:</p>
<p><strong>Heading: Books</strong></p>
<ul>
<li>post 7</li>
<li>post 8</li>
<li>post 9</li>
</ul>
<p>How can this be done?</p>
<p>I have very basic PHP knowledge, and have a PHPCode script installed, but I'm not sure how to access the archive/category page.</p>
<p>If its relevant, I am using Avada (child) theme.</p>
| [
{
"answer_id": 392712,
"author": "HEN",
"author_id": 209650,
"author_profile": "https://wordpress.stackexchange.com/users/209650",
"pm_score": 0,
"selected": false,
"text": "<p>You can try something like this:</p>\n<p>It checks, if category has parent</p>\n<pre><code><?php if ( have_posts() ) {\n$this_category = get_category($cat);\n?>\n <!-- If category is parent, list stuff in here -->\n <?php if ($this_category->category_parent == 0){ ?>\n <p>i am parent category</p>\n\n <!-- If category is child, list stuff in here -->\n <?php } elseif ($this_category->category_parent != 0) { ?>\n <p>i am child category</p>\n\n <?php } else { ?>\n <p>i am post in category</p>\n<?php } else {\nget_template_part( 'loop-templates/content', 'none' );\n}\n?>\n</code></pre>\n"
},
{
"answer_id": 392731,
"author": "mit2sumit",
"author_id": 57422,
"author_profile": "https://wordpress.stackexchange.com/users/57422",
"pm_score": 2,
"selected": false,
"text": "<p>In your Avada's child theme update your category.php, if its there or else\ncreate new file with that name and add the code as below:</p>\n<pre><code><?php\n$current_cat = get_queried_object();\n\necho 'Heading: '.$current_cat->name;\n\n$subcategories = get_categories(\n array( 'parent' => $current_cat->term_id )\n);\nif(!empty($subcategories)){\n foreach($subcategories as $cat){\n echo '<br>'.$cat->name.'<br>';\n $cat_posts = get_posts( array(\n 'posts_per_page' => -1,\n 'category' => $cat->term_id\n ) );\n\n if ( $cat_posts ) {\n foreach ( $cat_posts as $post ) :\n echo $post->post_title.'<br>';\n endforeach;\n }\n }\n}else{\n $cat_posts = get_posts( array(\n 'posts_per_page' => -1,\n 'category' => $current_cat->term_id\n ) );\n\n if ( $cat_posts ) {\n foreach ( $cat_posts as $post ) :\n echo $post->post_title.'<br>';\n endforeach;\n }\n}\n</code></pre>\n<p>It'll print exactly as you asked for.</p>\n<p>Update:\nTo get the posts as links, we can add tags like this:</p>\n<p>Change everywhere:</p>\n<pre><code>echo $post->post_title.'<br>';\n</code></pre>\n<p>To:</p>\n<pre><code>echo '<a href="'.get_permalink().'">'.$post->post_title.'</a><br>';\n</code></pre>\n<p>It'll make posts as links.</p>\n"
}
] | 2021/07/18 | [
"https://wordpress.stackexchange.com/questions/392125",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/78146/"
] | I would like to override the default post archives, via category.
In some cases (not all), I have 2 level-categories, such as:
Parent Category: "Video"
* Subcategory "Comedy"
* Subcategory "Action"
But some other categories, are just single-level.
Currently, no matter which category you choose, you get a list of posts, no matter whether its a main- or sub- category.
What I would like to do, is when entering the category listing, there is a test of sub-categories exist, and if so, the posts should be lists as such:
**Heading: Video**
**Comedy**
* post 1
* post 2
* post 3
**Action**
* post 4
* post 5
* post 6
If however, there are no subcategories, than the default listing is displayed:
**Heading: Books**
* post 7
* post 8
* post 9
How can this be done?
I have very basic PHP knowledge, and have a PHPCode script installed, but I'm not sure how to access the archive/category page.
If its relevant, I am using Avada (child) theme. | In your Avada's child theme update your category.php, if its there or else
create new file with that name and add the code as below:
```
<?php
$current_cat = get_queried_object();
echo 'Heading: '.$current_cat->name;
$subcategories = get_categories(
array( 'parent' => $current_cat->term_id )
);
if(!empty($subcategories)){
foreach($subcategories as $cat){
echo '<br>'.$cat->name.'<br>';
$cat_posts = get_posts( array(
'posts_per_page' => -1,
'category' => $cat->term_id
) );
if ( $cat_posts ) {
foreach ( $cat_posts as $post ) :
echo $post->post_title.'<br>';
endforeach;
}
}
}else{
$cat_posts = get_posts( array(
'posts_per_page' => -1,
'category' => $current_cat->term_id
) );
if ( $cat_posts ) {
foreach ( $cat_posts as $post ) :
echo $post->post_title.'<br>';
endforeach;
}
}
```
It'll print exactly as you asked for.
Update:
To get the posts as links, we can add tags like this:
Change everywhere:
```
echo $post->post_title.'<br>';
```
To:
```
echo '<a href="'.get_permalink().'">'.$post->post_title.'</a><br>';
```
It'll make posts as links. |
392,240 | <p>I want to use two <code>meta_compare</code> in an array.</p>
<pre><code>// get posts
$posts = get_posts(array(
'post_type' => 'post',
'posts_per_page' => 150,
'meta_query' => array(
array(
'meta_key' => 'usp-custom-1',
'meta_value' => array('question','money', 'health','relationships'),
'meta_compare' => 'IN',
'meta_compare' => '!=',
),
),
'author' => $_GET["id"],
'order' => 'DESC'
));
</code></pre>
<p>But it doesn't work.</p>
<p>What I want to achieve is show posts that's NOT equal to these 4 meta_values.</p>
<p>I know I'm probably making a slight mistake somewhere along the lines.</p>
<p>Any help would be appreciated.</p>
| [
{
"answer_id": 392243,
"author": "Buttered_Toast",
"author_id": 192133,
"author_profile": "https://wordpress.stackexchange.com/users/192133",
"pm_score": 2,
"selected": true,
"text": "<p>Ok so this way is a bit long but it will get the job done.</p>\n<p>We can use multiple meta_value checks with AND relation</p>\n<pre><code>// get posts\n$posts = get_posts(array(\n 'post_type' => 'post',\n 'posts_per_page' => 150,\n 'meta_query' => array(\n 'relation' => 'AND',\n array(\n 'key' => 'usp-custom-1',\n 'value' => 'question',\n 'compare' => '!=',\n ),\n array(\n 'key' => 'usp-custom-1',\n 'value' => 'money',\n 'compare' => '!=',\n ),\n array(\n 'key' => 'usp-custom-1',\n 'value' => 'health',\n 'compare' => '!=',\n ),\n array(\n 'key' => 'usp-custom-1',\n 'value' => 'relationships',\n 'compare' => '!=',\n ),\n ),\n 'author' => $_GET["id"],\n 'order' => 'DESC'\n));\n</code></pre>\n<p>You need to check the performance hit for this query because it can be resouce heavy.</p>\n<p>I alos noticed <code>$_GET["id"]</code>, you passed it raw, I would suggest sanitizing/validating every value that was passed to you (values that you did not pass yourself, like user input or url queries).</p>\n<p>By the property name I assume that it will be a id, so we can sanitize it like this</p>\n<pre><code>'author' => filter_input(INPUT_GET, 'id', FILTER_SANITIZE_NUMBER_INT)\n</code></pre>\n"
},
{
"answer_id": 392245,
"author": "robert0",
"author_id": 202740,
"author_profile": "https://wordpress.stackexchange.com/users/202740",
"pm_score": 0,
"selected": false,
"text": "<p>Looks like without using <code>meta_</code> prefix, did the job with <code>NOT IN</code> as well:</p>\n<pre><code> // get posts\n $posts = get_posts(array(\n 'post_type' => 'post',\n 'posts_per_page' => 150,\n 'meta_query' => array(\n array(\n 'key' => 'usp-custom-1',\n 'value' => array( 'question','money', 'health','relationships' ),\n 'compare' => 'NOT IN',\n ),\n ),\n 'author' => $_GET["id"],\n 'order' => 'DESC'\n));\n</code></pre>\n<p>Thanks to @Buttered_Toast for figuring this out.</p>\n"
}
] | 2021/07/21 | [
"https://wordpress.stackexchange.com/questions/392240",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/202740/"
] | I want to use two `meta_compare` in an array.
```
// get posts
$posts = get_posts(array(
'post_type' => 'post',
'posts_per_page' => 150,
'meta_query' => array(
array(
'meta_key' => 'usp-custom-1',
'meta_value' => array('question','money', 'health','relationships'),
'meta_compare' => 'IN',
'meta_compare' => '!=',
),
),
'author' => $_GET["id"],
'order' => 'DESC'
));
```
But it doesn't work.
What I want to achieve is show posts that's NOT equal to these 4 meta\_values.
I know I'm probably making a slight mistake somewhere along the lines.
Any help would be appreciated. | Ok so this way is a bit long but it will get the job done.
We can use multiple meta\_value checks with AND relation
```
// get posts
$posts = get_posts(array(
'post_type' => 'post',
'posts_per_page' => 150,
'meta_query' => array(
'relation' => 'AND',
array(
'key' => 'usp-custom-1',
'value' => 'question',
'compare' => '!=',
),
array(
'key' => 'usp-custom-1',
'value' => 'money',
'compare' => '!=',
),
array(
'key' => 'usp-custom-1',
'value' => 'health',
'compare' => '!=',
),
array(
'key' => 'usp-custom-1',
'value' => 'relationships',
'compare' => '!=',
),
),
'author' => $_GET["id"],
'order' => 'DESC'
));
```
You need to check the performance hit for this query because it can be resouce heavy.
I alos noticed `$_GET["id"]`, you passed it raw, I would suggest sanitizing/validating every value that was passed to you (values that you did not pass yourself, like user input or url queries).
By the property name I assume that it will be a id, so we can sanitize it like this
```
'author' => filter_input(INPUT_GET, 'id', FILTER_SANITIZE_NUMBER_INT)
``` |
392,258 | <p>I am working on my first plugin that adds a external script to the footer. Wordpress automatically adds the version number at the end, which I'm trying to remove. What I have so far:</p>
<pre><code>add_action('wp_enqueue_scripts', array($this,'print_code'));
public function print_code(){
$location = get_option('location_select');
$url = 'https://' . esc_html($location) . '.domain.com/js/script.js';
wp_enqueue_script('myID', $url, array('jquery'), false, true);
}
</code></pre>
<p>This puts out the script correctly, but I still have the version (?ver=5.8) at the end. The false should avoid that, afaik. What am I missing?</p>
| [
{
"answer_id": 392243,
"author": "Buttered_Toast",
"author_id": 192133,
"author_profile": "https://wordpress.stackexchange.com/users/192133",
"pm_score": 2,
"selected": true,
"text": "<p>Ok so this way is a bit long but it will get the job done.</p>\n<p>We can use multiple meta_value checks with AND relation</p>\n<pre><code>// get posts\n$posts = get_posts(array(\n 'post_type' => 'post',\n 'posts_per_page' => 150,\n 'meta_query' => array(\n 'relation' => 'AND',\n array(\n 'key' => 'usp-custom-1',\n 'value' => 'question',\n 'compare' => '!=',\n ),\n array(\n 'key' => 'usp-custom-1',\n 'value' => 'money',\n 'compare' => '!=',\n ),\n array(\n 'key' => 'usp-custom-1',\n 'value' => 'health',\n 'compare' => '!=',\n ),\n array(\n 'key' => 'usp-custom-1',\n 'value' => 'relationships',\n 'compare' => '!=',\n ),\n ),\n 'author' => $_GET["id"],\n 'order' => 'DESC'\n));\n</code></pre>\n<p>You need to check the performance hit for this query because it can be resouce heavy.</p>\n<p>I alos noticed <code>$_GET["id"]</code>, you passed it raw, I would suggest sanitizing/validating every value that was passed to you (values that you did not pass yourself, like user input or url queries).</p>\n<p>By the property name I assume that it will be a id, so we can sanitize it like this</p>\n<pre><code>'author' => filter_input(INPUT_GET, 'id', FILTER_SANITIZE_NUMBER_INT)\n</code></pre>\n"
},
{
"answer_id": 392245,
"author": "robert0",
"author_id": 202740,
"author_profile": "https://wordpress.stackexchange.com/users/202740",
"pm_score": 0,
"selected": false,
"text": "<p>Looks like without using <code>meta_</code> prefix, did the job with <code>NOT IN</code> as well:</p>\n<pre><code> // get posts\n $posts = get_posts(array(\n 'post_type' => 'post',\n 'posts_per_page' => 150,\n 'meta_query' => array(\n array(\n 'key' => 'usp-custom-1',\n 'value' => array( 'question','money', 'health','relationships' ),\n 'compare' => 'NOT IN',\n ),\n ),\n 'author' => $_GET["id"],\n 'order' => 'DESC'\n));\n</code></pre>\n<p>Thanks to @Buttered_Toast for figuring this out.</p>\n"
}
] | 2021/07/21 | [
"https://wordpress.stackexchange.com/questions/392258",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/135201/"
] | I am working on my first plugin that adds a external script to the footer. Wordpress automatically adds the version number at the end, which I'm trying to remove. What I have so far:
```
add_action('wp_enqueue_scripts', array($this,'print_code'));
public function print_code(){
$location = get_option('location_select');
$url = 'https://' . esc_html($location) . '.domain.com/js/script.js';
wp_enqueue_script('myID', $url, array('jquery'), false, true);
}
```
This puts out the script correctly, but I still have the version (?ver=5.8) at the end. The false should avoid that, afaik. What am I missing? | Ok so this way is a bit long but it will get the job done.
We can use multiple meta\_value checks with AND relation
```
// get posts
$posts = get_posts(array(
'post_type' => 'post',
'posts_per_page' => 150,
'meta_query' => array(
'relation' => 'AND',
array(
'key' => 'usp-custom-1',
'value' => 'question',
'compare' => '!=',
),
array(
'key' => 'usp-custom-1',
'value' => 'money',
'compare' => '!=',
),
array(
'key' => 'usp-custom-1',
'value' => 'health',
'compare' => '!=',
),
array(
'key' => 'usp-custom-1',
'value' => 'relationships',
'compare' => '!=',
),
),
'author' => $_GET["id"],
'order' => 'DESC'
));
```
You need to check the performance hit for this query because it can be resouce heavy.
I alos noticed `$_GET["id"]`, you passed it raw, I would suggest sanitizing/validating every value that was passed to you (values that you did not pass yourself, like user input or url queries).
By the property name I assume that it will be a id, so we can sanitize it like this
```
'author' => filter_input(INPUT_GET, 'id', FILTER_SANITIZE_NUMBER_INT)
``` |
392,274 | <p><strong>The Objective:</strong>
Create a custom post type and only give administrator and a custom role permission to view / control it.</p>
<p><strong>The Problem:</strong>
For administrators, it works perfectly fine but for the custom role I get:
<code>Sorry, you are not allowed to access this page.</code></p>
<p>At first, I thought it could just be a matter of capability to access it, but this bit of code begs to differ:</p>
<pre><code>add_submenu_page( /* STAFF PAGES */
'redacted', //Parent Menu Slug
'Staff Pages', //Page Title text
'Staff Pages', //Menu Title text
'edit_staff', //Capability required for this menu to be displayed by user
'edit.php?post_type=staff' //Link to page
);
</code></pre>
<p>The custom role can see the link to the custom post type but cannot access it. Also, running <code>print_r($wp_roles->get_role( 'supervisor' )->capabilities);</code> does show that the role correctly possesses the necessary capabilities. I've had a few theories as to how to solve this, but so far none have panned out.</p>
<p>My code is as follows:</p>
<pre><code>function initialize_plugin(){
//Non-relevant code redacted
add_action( 'admin_init', array($this, 'admin_init') );
}
function activate(){
$this->custom_post_types();
$this->adjust_user_roles();
//Non-relevant code redacted
}
/* My Custom Post Type */
function custom_post_types(){
register_post_type( 'staff', array(
'labels' => array(
//labels redacted
),
'has_archive' => false,
'hierarchical' => true,
'menu_icon' => 'dashicons-groups',
'capability_type' => array('staff', 'staffs'),
'map_meta_cap' => true,
'public' => true,
'show_in_menu' => false,
'rewrite' => array( 'slug' => 'staff', 'with_front' => false ),
'supports' => array( 'title', 'thumbnail', 'custom-fields', 'revisions'),
'show_in_rest' => true,
'taxonomies' => array( 'member-type' ),
'menu_position' => 2,
));
/* My Custom Role */
function adjust_user_roles(){
$wp_roles = new WP_Roles();
$wp_roles->add_role(
'supervisor', __( 'Supervisor' ),
array(
//General
'moderate_comments' => true,
'upload_files' => true,
//Blog Posts
'read' => true,
'read_post' => true,
'edit_post' => true,
'edit_posts' => true,
'edit_others_posts' => true,
'delete_posts' => false, //Can't delete posts
//Staff (Custom Post Type)
'create_staffs' => true,
'read_staff' => true,
'edit_staff' => true,
'edit_staffs' => true,
'edit_others_staffs' => true,
'edit_published_staffs' => true,
'edit_private_staffs' => true,
'delete_staff' => true,
'delete_others_staffs' => true,
'delete_published_staffs' => true,
'delete_private_staffs' => true,
'publish_staffs' => true,
'read_private_staffs' => true,
)
);
/* Adding to administrator */
function admin_init(){
//Non-relevant code redacted
$this->adjust_user_capabilities("add");
}
function adjust_user_capabilities($action, $roles=array('administrator','editor', 'supervisor')){
$staffCaps = array(
'create_staff',
'read_staff',
'edit_staff',
'edit_staffs',
'edit_others_staffs',
'edit_published_staffs',
'edit_private_staffs',
'delete_staff',
'delete_others_staffs',
'delete_published_staffs',
'delete_private_staffs',
'publish_staffs',
'read_private_staffs',
);
//Cycle through each role
foreach($roles as $roleType) :
$role = get_role( $roleType );
//Add each capability
if($action == "add"){
foreach($staffCaps as $staffCap){
$role->add_cap( $staffCap );
}
}
//Remove each capability
elseif($action == "remove"){
foreach($staffCaps as $staffCap){
$role->remove_cap( $staffCap );
}
}
endforeach;
}
</code></pre>
<p><strong>NOTE:</strong>
This code appears in <code>wp-content/plugins/myplugin/myplugin.php</code>. In addition, I have redacted some non-relevant portions of my code for clarity, such as adding or removing a submenu, and tried to expound more of the structure. Feel free to let me know if there is anything I missed or anyone has questions on. :-D</p>
<p><strong>In Closing:</strong>
I could just be a major idiot overlooking something obvious, but regardless, any and all help / advice / suggestions are highly appreciated! If I get the answer on my own, I'll add it to this discussion to help anyone else out facing a similar problem and/or my future self lol</p>
| [
{
"answer_id": 392293,
"author": "Anjan",
"author_id": 206231,
"author_profile": "https://wordpress.stackexchange.com/users/206231",
"pm_score": 0,
"selected": false,
"text": "<p>After your custom post registration complete use below type code it will help you as reference.</p>\n<pre><code>/**\n * Post Type: Blogs.\n */\nfunction cptui_register_blog_cpts() {\n\n\n $labels = [\n "name" => __( "Blogs", "oba" ),\n "singular_name" => __( "Blog", "oba" ),\n "menu_name" => __( "Blogs", "oba" ),\n "all_items" => __( "All Blogs", "oba" ),\n "add_new" => __( "Add Blog", "oba" ),\n "add_new_item" => __( "Add New Blog", "oba" ),\n "edit_item" => __( "Edit Blog", "oba" ),\n "new_item" => __( "New Blog", "oba" ),\n "view_item" => __( "View Blog", "oba" ),\n "view_items" => __( "View Blog", "oba" ),\n "search_items" => __( "Search Blogs", "oba" ),\n "not_found" => __( "No Blogs Found", "oba" ),\n "not_found_in_trash" => __( "No Blogs found in Trash", "oba" ),\n "parent" => __( "Parent Blog", "oba" ),\n "featured_image" => __( "Featured image for this Blog", "oba" ),\n "set_featured_image" => __( "Set Featured image for this Blog", "oba" ),\n "remove_featured_image" => __( "Remove featured Image for this Blog", "oba" ),\n "use_featured_image" => __( "Use as featured image for this Blog", "oba" ),\n "archives" => __( "Blogs Archive", "oba" ),\n "insert_into_item" => __( "Insert into Blog", "oba" ),\n "uploaded_to_this_item" => __( "Uploaded to this Blog", "oba" ),\n "filter_items_list" => __( "Filter Blogs List", "oba" ),\n "items_list_navigation" => __( "Blog List Navigation", "oba" ),\n "items_list" => __( "Blogs list", "oba" ),\n "attributes" => __( "Blogs Attributes", "oba" ),\n "name_admin_bar" => __( "Blog", "oba" ),\n "item_published" => __( "Blog Published", "oba" ),\n "item_published_privately" => __( "Blog Published privately", "oba" ),\n "item_reverted_to_draft" => __( "Blog reverted to draft", "oba" ),\n "item_scheduled" => __( "Blog scheduled", "oba" ),\n "item_updated" => __( "Blog updated", "oba" ),\n "parent_item_colon" => __( "Parent Blog", "oba" ),\n ];\n\n $args = [\n "label" => __( "Blogs", "oba" ),\n "labels" => $labels,\n "description" => "This is a post type of Blog reading page",\n "public" => true,\n "publicly_queryable" => true,\n "show_ui" => true,\n "show_in_rest" => true,\n "rest_base" => "",\n "rest_controller_class" => "WP_REST_Posts_Controller",\n "has_archive" => false,\n "show_in_menu" => true,\n "show_in_nav_menus" => true,\n "delete_with_user" => false,\n "exclude_from_search" => false,\n "capability_type" => "blog",\n "map_meta_cap" => true,\n "hierarchical" => true,\n "rewrite" => [ "slug" => "blog", "with_front" => true ],\n "query_var" => true,\n "supports" => [ "title", "editor", "thumbnail", "custom-fields", "comments", "revisions", "author"],\n "taxonomies" => [ "blog_category", "blog_post_tag", "blog_post_author_name" ],\n // "capabilities" => array( \n // "manage_terms" => "manage_categories", \n // "edit_terms" => "manage_categories", \n // "delete_terms" => "manage_categories", \n // "assign_terms" => "edit_posts" \n // ), \n ];\n\n register_post_type( "blog", $args );\n register_taxonomy('blog_category', 'blog', array('hierarchical' => true, 'label' => 'Blog Category', 'query_var' => true, 'rewrite' => array( 'slug' => 'blog-category' )));\n // register_taxonomy('blog_post_author_name', 'blog', array('hierarchical' => true, 'label' => 'E-Books Author', 'query_var' => true, 'rewrite' => array( 'slug' => 'blog-post-author-name' )));\n}\n\nadd_action( 'init', 'cptui_register_blog_cpts' );\n\n/**\n ** add teachers capability\n */\nadd_action('admin_init','blog_add_role_caps',999);\n function blog_add_role_caps() {\n\n // Add the roles you'd like to administer the custom post types\n $roles = 'administrator';\n\n // Loop through each role and assign capabilities\n // foreach($roles as $the_role) { \n // $role = get_role($the_role); \n $role = get_role($roles); \n $role->add_cap( 'read' );\n $role->add_cap( 'read_blog');\n $role->add_cap( 'edit_blog' );\n $role->add_cap( 'edit_blogs' );\n $role->add_cap( 'edit_published_blogs' );\n $role->add_cap( 'publish_blogs' );\n $role->add_cap( 'delete_published_blogs' );\n // }\n }\n /**\n * Overwrite args of custom post type registered by plugin\n */\nadd_filter( 'register_post_type_args', 'change_capabilities_of_blog' , 10, 2 );\n\nfunction change_capabilities_of_blog( $args, $post_type ){\n\n // Do not filter any other post type\n if ( 'blog' !== $post_type ) {\n\n // Give other post_types their original arguments\n return $args;\n\n }\n\n // Change the capabilities of the "book" post_type\n $args['capabilities'] = array(\n 'edit_post' => 'edit_blog',\n 'edit_posts' => 'edit_blogs',\n 'edit_others_posts' => 'edit_other_blogs',\n 'publish_posts' => 'publish_blogs',\n 'read_post' => 'read_blog',\n 'read_private_posts' => 'read_private_blogs',\n 'delete_post' => 'delete_blog',\n );\n\n // Give the course_document post type it's arguments\n return $args;\n\n}\n</code></pre>\n"
},
{
"answer_id": 392321,
"author": "Scott White",
"author_id": 209263,
"author_profile": "https://wordpress.stackexchange.com/users/209263",
"pm_score": 2,
"selected": true,
"text": "<p><strong>SOLUTION:</strong>\nWith some playing around I realized I am definitely an idiot and WAY over-thought things. While I had previously read and tried some of the things in <a href=\"https://wordpress.stackexchange.com/questions/299859/custom-post-type-role-permissions-wont-let-me-read\">this similar post</a>, I ended up substituting their code for mine and found it actually worked for my use case. In trying to understand why that was, I began trying to convert it to become mine and quickly found the root of my problem:</p>\n<pre><code>/* My Custom Post Type */\nfunction custom_post_types(){\n register_post_type( 'staff', array(\n 'labels' => array(\n //labels redacted\n ),\n 'has_archive' => false,\n 'hierarchical' => true,\n 'menu_icon' => 'dashicons-groups',\n 'capability_type' => array('staff', 'staffs'),\n 'map_meta_cap' => true,\n 'public' => true,\n/*---------> */ 'show_in_menu' => false, /* <---------*/\n 'rewrite' => array( 'slug' => 'staff', 'with_front' => false ),\n 'supports' => array( 'title', 'thumbnail', 'custom-fields', 'revisions'),\n 'show_in_rest' => true,\n 'taxonomies' => array( 'member-type' ),\n 'menu_position' => 2,\n ));\n</code></pre>\n<p>In an effort to have a clean custom menu, I set <code>show_in_menu</code> to false which created the issues for me. When I changed it to <code>'show_in_menu' => true</code>, my issue was resolved. In addressing this, I am tempted to just try <code>remove_menu_page();</code> or perhaps consider something more elegant.</p>\n<p>Anyways, the lesson for today is not to be hyper-focused on one aspect. Hopefully this helps someone else and happy coding!</p>\n"
}
] | 2021/07/21 | [
"https://wordpress.stackexchange.com/questions/392274",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/209263/"
] | **The Objective:**
Create a custom post type and only give administrator and a custom role permission to view / control it.
**The Problem:**
For administrators, it works perfectly fine but for the custom role I get:
`Sorry, you are not allowed to access this page.`
At first, I thought it could just be a matter of capability to access it, but this bit of code begs to differ:
```
add_submenu_page( /* STAFF PAGES */
'redacted', //Parent Menu Slug
'Staff Pages', //Page Title text
'Staff Pages', //Menu Title text
'edit_staff', //Capability required for this menu to be displayed by user
'edit.php?post_type=staff' //Link to page
);
```
The custom role can see the link to the custom post type but cannot access it. Also, running `print_r($wp_roles->get_role( 'supervisor' )->capabilities);` does show that the role correctly possesses the necessary capabilities. I've had a few theories as to how to solve this, but so far none have panned out.
My code is as follows:
```
function initialize_plugin(){
//Non-relevant code redacted
add_action( 'admin_init', array($this, 'admin_init') );
}
function activate(){
$this->custom_post_types();
$this->adjust_user_roles();
//Non-relevant code redacted
}
/* My Custom Post Type */
function custom_post_types(){
register_post_type( 'staff', array(
'labels' => array(
//labels redacted
),
'has_archive' => false,
'hierarchical' => true,
'menu_icon' => 'dashicons-groups',
'capability_type' => array('staff', 'staffs'),
'map_meta_cap' => true,
'public' => true,
'show_in_menu' => false,
'rewrite' => array( 'slug' => 'staff', 'with_front' => false ),
'supports' => array( 'title', 'thumbnail', 'custom-fields', 'revisions'),
'show_in_rest' => true,
'taxonomies' => array( 'member-type' ),
'menu_position' => 2,
));
/* My Custom Role */
function adjust_user_roles(){
$wp_roles = new WP_Roles();
$wp_roles->add_role(
'supervisor', __( 'Supervisor' ),
array(
//General
'moderate_comments' => true,
'upload_files' => true,
//Blog Posts
'read' => true,
'read_post' => true,
'edit_post' => true,
'edit_posts' => true,
'edit_others_posts' => true,
'delete_posts' => false, //Can't delete posts
//Staff (Custom Post Type)
'create_staffs' => true,
'read_staff' => true,
'edit_staff' => true,
'edit_staffs' => true,
'edit_others_staffs' => true,
'edit_published_staffs' => true,
'edit_private_staffs' => true,
'delete_staff' => true,
'delete_others_staffs' => true,
'delete_published_staffs' => true,
'delete_private_staffs' => true,
'publish_staffs' => true,
'read_private_staffs' => true,
)
);
/* Adding to administrator */
function admin_init(){
//Non-relevant code redacted
$this->adjust_user_capabilities("add");
}
function adjust_user_capabilities($action, $roles=array('administrator','editor', 'supervisor')){
$staffCaps = array(
'create_staff',
'read_staff',
'edit_staff',
'edit_staffs',
'edit_others_staffs',
'edit_published_staffs',
'edit_private_staffs',
'delete_staff',
'delete_others_staffs',
'delete_published_staffs',
'delete_private_staffs',
'publish_staffs',
'read_private_staffs',
);
//Cycle through each role
foreach($roles as $roleType) :
$role = get_role( $roleType );
//Add each capability
if($action == "add"){
foreach($staffCaps as $staffCap){
$role->add_cap( $staffCap );
}
}
//Remove each capability
elseif($action == "remove"){
foreach($staffCaps as $staffCap){
$role->remove_cap( $staffCap );
}
}
endforeach;
}
```
**NOTE:**
This code appears in `wp-content/plugins/myplugin/myplugin.php`. In addition, I have redacted some non-relevant portions of my code for clarity, such as adding or removing a submenu, and tried to expound more of the structure. Feel free to let me know if there is anything I missed or anyone has questions on. :-D
**In Closing:**
I could just be a major idiot overlooking something obvious, but regardless, any and all help / advice / suggestions are highly appreciated! If I get the answer on my own, I'll add it to this discussion to help anyone else out facing a similar problem and/or my future self lol | **SOLUTION:**
With some playing around I realized I am definitely an idiot and WAY over-thought things. While I had previously read and tried some of the things in [this similar post](https://wordpress.stackexchange.com/questions/299859/custom-post-type-role-permissions-wont-let-me-read), I ended up substituting their code for mine and found it actually worked for my use case. In trying to understand why that was, I began trying to convert it to become mine and quickly found the root of my problem:
```
/* My Custom Post Type */
function custom_post_types(){
register_post_type( 'staff', array(
'labels' => array(
//labels redacted
),
'has_archive' => false,
'hierarchical' => true,
'menu_icon' => 'dashicons-groups',
'capability_type' => array('staff', 'staffs'),
'map_meta_cap' => true,
'public' => true,
/*---------> */ 'show_in_menu' => false, /* <---------*/
'rewrite' => array( 'slug' => 'staff', 'with_front' => false ),
'supports' => array( 'title', 'thumbnail', 'custom-fields', 'revisions'),
'show_in_rest' => true,
'taxonomies' => array( 'member-type' ),
'menu_position' => 2,
));
```
In an effort to have a clean custom menu, I set `show_in_menu` to false which created the issues for me. When I changed it to `'show_in_menu' => true`, my issue was resolved. In addressing this, I am tempted to just try `remove_menu_page();` or perhaps consider something more elegant.
Anyways, the lesson for today is not to be hyper-focused on one aspect. Hopefully this helps someone else and happy coding! |
392,281 | <p>I do not have a lot of coding knowledge. How do I add a WordPress searching database shortcode to the frontend using the metavalue as if I were to search for "demo", the metavalue(named as serial) will display the database that has the word "demo". The furthest I can go is displaying all the values from selecting the table. I do not plan on using any plugins.</p>
<pre><code> function wpb_demo_shortcode() {
global $wpdb;
$results = $wpdb->get_results("
SELECT DISTINCT o.order_id, o.`order_item_name`, om.`meta_value` as 'bcs',
(select pm.`meta_value`
from
`wp_postmeta` as pm
WHERE
o.order_item_id = om.order_item_id
AND
pm.`post_id` = o.order_id
AND
pm.`meta_key` = '2-certificate') as 'certificate',
(select pm.`meta_value`
from
`wp_postmeta` as pm
WHERE
o.order_item_id = om.order_item_id
AND
pm.`post_id` = o.order_id
AND
pm.`meta_key` = '3-serial') as 'serial'
FROM `wp_woocommerce_order_items` as o,
`wp_woocommerce_order_itemmeta` as om,
`wp_postmeta` as pm
WHERE
o.order_item_id = om.order_item_id
AND
pm.`post_id` = o.order_id
AND
om.`meta_key` = 'bcs'
AND
(select pm.`meta_value`
from
`wp_postmeta` as pm
WHERE
o.order_item_id = om.order_item_id
AND
pm.`post_id` = o.order_id
AND
pm.`meta_key` = '2-certificate') IS NOT null
AND
(select pm.`meta_value`
from
`wp_postmeta` as pm
WHERE
o.order_item_id = om.order_item_id
AND
pm.`post_id` = o.order_id
AND
pm.`meta_key` = '3-serial') IS NOT null
");
$serial = (isset( $_GET['$serial'] )) ? sanitize_text_field($_GET['$serial']) : '';
?>
<form action="" method="post">
<label for="fname">Serial number:</label><br>
<input type="text" id="$serial" name="$serial"><br>
<input type="submit" value="Submit">
</form>
<?php
$enteredSerial = $_GET['$serial'];
ob_start();
echo '<table><tr>';
echo '<th>Order ID</th>';
echo '<th>Product Name</th>';
echo '<th>BCS</th>';
echo '<th>Serial</th>';
echo '<th>Certificate</th>';
echo '</tr>';
foreach( $results as $result ){
// Html display
echo '<tr>';
echo '<td>' . $result->order_id . '</td>';
echo '<td>' . $result->order_item_name . '</td>';
echo '<td>' . $result->bcs . '</td>';
echo '<td>' . $result->serial . '</td>';
echo '<td>' . $result->certificate . '</td>';
echo '</tr>';
}
echo '</table>';
}
add_shortcode('greeting', 'wpb_demo_shortcode');
</code></pre>
<p>I have added a placeholder (If I am right) for the metavalue. The pic below will show how the front end should look like</p>
<p><a href="https://i.stack.imgur.com/p5wc6.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/p5wc6.png" alt="Frontend" /></a></p>
| [
{
"answer_id": 392293,
"author": "Anjan",
"author_id": 206231,
"author_profile": "https://wordpress.stackexchange.com/users/206231",
"pm_score": 0,
"selected": false,
"text": "<p>After your custom post registration complete use below type code it will help you as reference.</p>\n<pre><code>/**\n * Post Type: Blogs.\n */\nfunction cptui_register_blog_cpts() {\n\n\n $labels = [\n "name" => __( "Blogs", "oba" ),\n "singular_name" => __( "Blog", "oba" ),\n "menu_name" => __( "Blogs", "oba" ),\n "all_items" => __( "All Blogs", "oba" ),\n "add_new" => __( "Add Blog", "oba" ),\n "add_new_item" => __( "Add New Blog", "oba" ),\n "edit_item" => __( "Edit Blog", "oba" ),\n "new_item" => __( "New Blog", "oba" ),\n "view_item" => __( "View Blog", "oba" ),\n "view_items" => __( "View Blog", "oba" ),\n "search_items" => __( "Search Blogs", "oba" ),\n "not_found" => __( "No Blogs Found", "oba" ),\n "not_found_in_trash" => __( "No Blogs found in Trash", "oba" ),\n "parent" => __( "Parent Blog", "oba" ),\n "featured_image" => __( "Featured image for this Blog", "oba" ),\n "set_featured_image" => __( "Set Featured image for this Blog", "oba" ),\n "remove_featured_image" => __( "Remove featured Image for this Blog", "oba" ),\n "use_featured_image" => __( "Use as featured image for this Blog", "oba" ),\n "archives" => __( "Blogs Archive", "oba" ),\n "insert_into_item" => __( "Insert into Blog", "oba" ),\n "uploaded_to_this_item" => __( "Uploaded to this Blog", "oba" ),\n "filter_items_list" => __( "Filter Blogs List", "oba" ),\n "items_list_navigation" => __( "Blog List Navigation", "oba" ),\n "items_list" => __( "Blogs list", "oba" ),\n "attributes" => __( "Blogs Attributes", "oba" ),\n "name_admin_bar" => __( "Blog", "oba" ),\n "item_published" => __( "Blog Published", "oba" ),\n "item_published_privately" => __( "Blog Published privately", "oba" ),\n "item_reverted_to_draft" => __( "Blog reverted to draft", "oba" ),\n "item_scheduled" => __( "Blog scheduled", "oba" ),\n "item_updated" => __( "Blog updated", "oba" ),\n "parent_item_colon" => __( "Parent Blog", "oba" ),\n ];\n\n $args = [\n "label" => __( "Blogs", "oba" ),\n "labels" => $labels,\n "description" => "This is a post type of Blog reading page",\n "public" => true,\n "publicly_queryable" => true,\n "show_ui" => true,\n "show_in_rest" => true,\n "rest_base" => "",\n "rest_controller_class" => "WP_REST_Posts_Controller",\n "has_archive" => false,\n "show_in_menu" => true,\n "show_in_nav_menus" => true,\n "delete_with_user" => false,\n "exclude_from_search" => false,\n "capability_type" => "blog",\n "map_meta_cap" => true,\n "hierarchical" => true,\n "rewrite" => [ "slug" => "blog", "with_front" => true ],\n "query_var" => true,\n "supports" => [ "title", "editor", "thumbnail", "custom-fields", "comments", "revisions", "author"],\n "taxonomies" => [ "blog_category", "blog_post_tag", "blog_post_author_name" ],\n // "capabilities" => array( \n // "manage_terms" => "manage_categories", \n // "edit_terms" => "manage_categories", \n // "delete_terms" => "manage_categories", \n // "assign_terms" => "edit_posts" \n // ), \n ];\n\n register_post_type( "blog", $args );\n register_taxonomy('blog_category', 'blog', array('hierarchical' => true, 'label' => 'Blog Category', 'query_var' => true, 'rewrite' => array( 'slug' => 'blog-category' )));\n // register_taxonomy('blog_post_author_name', 'blog', array('hierarchical' => true, 'label' => 'E-Books Author', 'query_var' => true, 'rewrite' => array( 'slug' => 'blog-post-author-name' )));\n}\n\nadd_action( 'init', 'cptui_register_blog_cpts' );\n\n/**\n ** add teachers capability\n */\nadd_action('admin_init','blog_add_role_caps',999);\n function blog_add_role_caps() {\n\n // Add the roles you'd like to administer the custom post types\n $roles = 'administrator';\n\n // Loop through each role and assign capabilities\n // foreach($roles as $the_role) { \n // $role = get_role($the_role); \n $role = get_role($roles); \n $role->add_cap( 'read' );\n $role->add_cap( 'read_blog');\n $role->add_cap( 'edit_blog' );\n $role->add_cap( 'edit_blogs' );\n $role->add_cap( 'edit_published_blogs' );\n $role->add_cap( 'publish_blogs' );\n $role->add_cap( 'delete_published_blogs' );\n // }\n }\n /**\n * Overwrite args of custom post type registered by plugin\n */\nadd_filter( 'register_post_type_args', 'change_capabilities_of_blog' , 10, 2 );\n\nfunction change_capabilities_of_blog( $args, $post_type ){\n\n // Do not filter any other post type\n if ( 'blog' !== $post_type ) {\n\n // Give other post_types their original arguments\n return $args;\n\n }\n\n // Change the capabilities of the "book" post_type\n $args['capabilities'] = array(\n 'edit_post' => 'edit_blog',\n 'edit_posts' => 'edit_blogs',\n 'edit_others_posts' => 'edit_other_blogs',\n 'publish_posts' => 'publish_blogs',\n 'read_post' => 'read_blog',\n 'read_private_posts' => 'read_private_blogs',\n 'delete_post' => 'delete_blog',\n );\n\n // Give the course_document post type it's arguments\n return $args;\n\n}\n</code></pre>\n"
},
{
"answer_id": 392321,
"author": "Scott White",
"author_id": 209263,
"author_profile": "https://wordpress.stackexchange.com/users/209263",
"pm_score": 2,
"selected": true,
"text": "<p><strong>SOLUTION:</strong>\nWith some playing around I realized I am definitely an idiot and WAY over-thought things. While I had previously read and tried some of the things in <a href=\"https://wordpress.stackexchange.com/questions/299859/custom-post-type-role-permissions-wont-let-me-read\">this similar post</a>, I ended up substituting their code for mine and found it actually worked for my use case. In trying to understand why that was, I began trying to convert it to become mine and quickly found the root of my problem:</p>\n<pre><code>/* My Custom Post Type */\nfunction custom_post_types(){\n register_post_type( 'staff', array(\n 'labels' => array(\n //labels redacted\n ),\n 'has_archive' => false,\n 'hierarchical' => true,\n 'menu_icon' => 'dashicons-groups',\n 'capability_type' => array('staff', 'staffs'),\n 'map_meta_cap' => true,\n 'public' => true,\n/*---------> */ 'show_in_menu' => false, /* <---------*/\n 'rewrite' => array( 'slug' => 'staff', 'with_front' => false ),\n 'supports' => array( 'title', 'thumbnail', 'custom-fields', 'revisions'),\n 'show_in_rest' => true,\n 'taxonomies' => array( 'member-type' ),\n 'menu_position' => 2,\n ));\n</code></pre>\n<p>In an effort to have a clean custom menu, I set <code>show_in_menu</code> to false which created the issues for me. When I changed it to <code>'show_in_menu' => true</code>, my issue was resolved. In addressing this, I am tempted to just try <code>remove_menu_page();</code> or perhaps consider something more elegant.</p>\n<p>Anyways, the lesson for today is not to be hyper-focused on one aspect. Hopefully this helps someone else and happy coding!</p>\n"
}
] | 2021/07/22 | [
"https://wordpress.stackexchange.com/questions/392281",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/208729/"
] | I do not have a lot of coding knowledge. How do I add a WordPress searching database shortcode to the frontend using the metavalue as if I were to search for "demo", the metavalue(named as serial) will display the database that has the word "demo". The furthest I can go is displaying all the values from selecting the table. I do not plan on using any plugins.
```
function wpb_demo_shortcode() {
global $wpdb;
$results = $wpdb->get_results("
SELECT DISTINCT o.order_id, o.`order_item_name`, om.`meta_value` as 'bcs',
(select pm.`meta_value`
from
`wp_postmeta` as pm
WHERE
o.order_item_id = om.order_item_id
AND
pm.`post_id` = o.order_id
AND
pm.`meta_key` = '2-certificate') as 'certificate',
(select pm.`meta_value`
from
`wp_postmeta` as pm
WHERE
o.order_item_id = om.order_item_id
AND
pm.`post_id` = o.order_id
AND
pm.`meta_key` = '3-serial') as 'serial'
FROM `wp_woocommerce_order_items` as o,
`wp_woocommerce_order_itemmeta` as om,
`wp_postmeta` as pm
WHERE
o.order_item_id = om.order_item_id
AND
pm.`post_id` = o.order_id
AND
om.`meta_key` = 'bcs'
AND
(select pm.`meta_value`
from
`wp_postmeta` as pm
WHERE
o.order_item_id = om.order_item_id
AND
pm.`post_id` = o.order_id
AND
pm.`meta_key` = '2-certificate') IS NOT null
AND
(select pm.`meta_value`
from
`wp_postmeta` as pm
WHERE
o.order_item_id = om.order_item_id
AND
pm.`post_id` = o.order_id
AND
pm.`meta_key` = '3-serial') IS NOT null
");
$serial = (isset( $_GET['$serial'] )) ? sanitize_text_field($_GET['$serial']) : '';
?>
<form action="" method="post">
<label for="fname">Serial number:</label><br>
<input type="text" id="$serial" name="$serial"><br>
<input type="submit" value="Submit">
</form>
<?php
$enteredSerial = $_GET['$serial'];
ob_start();
echo '<table><tr>';
echo '<th>Order ID</th>';
echo '<th>Product Name</th>';
echo '<th>BCS</th>';
echo '<th>Serial</th>';
echo '<th>Certificate</th>';
echo '</tr>';
foreach( $results as $result ){
// Html display
echo '<tr>';
echo '<td>' . $result->order_id . '</td>';
echo '<td>' . $result->order_item_name . '</td>';
echo '<td>' . $result->bcs . '</td>';
echo '<td>' . $result->serial . '</td>';
echo '<td>' . $result->certificate . '</td>';
echo '</tr>';
}
echo '</table>';
}
add_shortcode('greeting', 'wpb_demo_shortcode');
```
I have added a placeholder (If I am right) for the metavalue. The pic below will show how the front end should look like
[](https://i.stack.imgur.com/p5wc6.png) | **SOLUTION:**
With some playing around I realized I am definitely an idiot and WAY over-thought things. While I had previously read and tried some of the things in [this similar post](https://wordpress.stackexchange.com/questions/299859/custom-post-type-role-permissions-wont-let-me-read), I ended up substituting their code for mine and found it actually worked for my use case. In trying to understand why that was, I began trying to convert it to become mine and quickly found the root of my problem:
```
/* My Custom Post Type */
function custom_post_types(){
register_post_type( 'staff', array(
'labels' => array(
//labels redacted
),
'has_archive' => false,
'hierarchical' => true,
'menu_icon' => 'dashicons-groups',
'capability_type' => array('staff', 'staffs'),
'map_meta_cap' => true,
'public' => true,
/*---------> */ 'show_in_menu' => false, /* <---------*/
'rewrite' => array( 'slug' => 'staff', 'with_front' => false ),
'supports' => array( 'title', 'thumbnail', 'custom-fields', 'revisions'),
'show_in_rest' => true,
'taxonomies' => array( 'member-type' ),
'menu_position' => 2,
));
```
In an effort to have a clean custom menu, I set `show_in_menu` to false which created the issues for me. When I changed it to `'show_in_menu' => true`, my issue was resolved. In addressing this, I am tempted to just try `remove_menu_page();` or perhaps consider something more elegant.
Anyways, the lesson for today is not to be hyper-focused on one aspect. Hopefully this helps someone else and happy coding! |
392,379 | <p>Can't seem to find any valuable info on this at the moment - I just want to resize the height of the classic editor field for my Custom Post types.</p>
<p>I was hoping to just drop a function or code snippet into functions.php for this, if possible?</p>
<p>In this example I would have 3 Custom Post types: 'Tools', 'Brand' and 'Company' and for all three I would like the editor to only be about a qtr of its height or about 120px tall or 8 lines.</p>
<p>Many thanks for any help in on this!</p>
| [
{
"answer_id": 392384,
"author": "Den Isahac",
"author_id": 113233,
"author_profile": "https://wordpress.stackexchange.com/users/113233",
"pm_score": 1,
"selected": false,
"text": "<p>You can insert custom style in the WP admin section via <code>admin_head</code> action hook.</p>\n<pre><code>function wp123_set_editor_height() {\n ?>\n <style type="text/css">\n /* For PAGE post type */\n body.post-type-page #postdivrich #wp-content-editor-container iframe {\n height: 120px !important;\n }\n </style>\n <?php\n}\nadd_action( 'admin_head', 'wp123_set_editor_height' );\n</code></pre>\n<p>Say for example your custom post type is "sample" then you have to target the body as follows:</p>\n<p><code>body.post-type-sample</code></p>\n"
},
{
"answer_id": 392385,
"author": "birgire",
"author_id": 26350,
"author_profile": "https://wordpress.stackexchange.com/users/26350",
"pm_score": 3,
"selected": true,
"text": "<p>One way is to adjust the TinyMCE <a href=\"https://stackoverflow.com/a/12382735/2078474\">settings</a>:</p>\n<pre><code>add_filter( 'tiny_mce_before_init', function( $settings ) {\n $settings['height'] = '120';\n $settings['autoresize_max_height'] = '120';\n return $settings; \n} );\n</code></pre>\n<p>and e.g. restrict further on post types and !block editor with <a href=\"https://developer.wordpress.org/reference/functions/get_current_screen/\" rel=\"nofollow noreferrer\">get_current_screen()</a>.</p>\n<p>Example:</p>\n<pre><code>add_filter( 'tiny_mce_before_init', function( $settings ) {\n\n $screen = get_current_screen();\n\n if ( $screen->is_block_editor() ) {\n return $settings;\n } \n\n if ( ! in_array( $screen->post_type, ['tools', 'brand', 'company'], true ) ) {\n return $settings;\n } \n\n $settings['height'] = '120';\n $settings['autoresize_max_height'] = '120';\n\n return $settings;\n } );\n</code></pre>\n"
}
] | 2021/07/23 | [
"https://wordpress.stackexchange.com/questions/392379",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/207077/"
] | Can't seem to find any valuable info on this at the moment - I just want to resize the height of the classic editor field for my Custom Post types.
I was hoping to just drop a function or code snippet into functions.php for this, if possible?
In this example I would have 3 Custom Post types: 'Tools', 'Brand' and 'Company' and for all three I would like the editor to only be about a qtr of its height or about 120px tall or 8 lines.
Many thanks for any help in on this! | One way is to adjust the TinyMCE [settings](https://stackoverflow.com/a/12382735/2078474):
```
add_filter( 'tiny_mce_before_init', function( $settings ) {
$settings['height'] = '120';
$settings['autoresize_max_height'] = '120';
return $settings;
} );
```
and e.g. restrict further on post types and !block editor with [get\_current\_screen()](https://developer.wordpress.org/reference/functions/get_current_screen/).
Example:
```
add_filter( 'tiny_mce_before_init', function( $settings ) {
$screen = get_current_screen();
if ( $screen->is_block_editor() ) {
return $settings;
}
if ( ! in_array( $screen->post_type, ['tools', 'brand', 'company'], true ) ) {
return $settings;
}
$settings['height'] = '120';
$settings['autoresize_max_height'] = '120';
return $settings;
} );
``` |
392,386 | <p>I am working on a plugin where a new page template is created on plugin activation. The template has a form for user input.</p>
<pre><code><form action="" method="post">
<textarea name="question"></textarea>
<input type="submit" name="submit_question">
</form>
</code></pre>
<p>Value is properly stored in following way:</p>
<pre><code>if ( isset( $_POST[ 'submit_question' ] ) ) {
$wpdb->insert(
$table_name,
array( 'question' => $question,
'created_at' => $created_on
),
array( '%s', '%s' )
);
}
</code></pre>
<p>The issue is, if the page is reloaded after form submission, its restoring the values again. How can I clear the values after submission? Or redirect properly? I tried some solutions (e.g. <code>wp_redirect</code> ) but not getting any result. Please help.</p>
| [
{
"answer_id": 392388,
"author": "Ricardo Cruz",
"author_id": 209357,
"author_profile": "https://wordpress.stackexchange.com/users/209357",
"pm_score": 1,
"selected": false,
"text": "<p>Did you try to <code>exit;</code> after the <code>wp_redirect()</code>?</p>\n<p>βNote: wp_redirect() does not exit automatically, and should almost always be followed by a call to exit;β</p>\n<p><a href=\"https://developer.wordpress.org/reference/functions/wp_redirect/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/functions/wp_redirect/</a></p>\n"
},
{
"answer_id": 392505,
"author": "HK89",
"author_id": 179278,
"author_profile": "https://wordpress.stackexchange.com/users/179278",
"pm_score": 0,
"selected": false,
"text": "<p>A common use of PHP_SELF variable is in the action field of the tag. The action field of the FORM instructs where to submit the form data when the user presses the βsubmitβ button. It is common to have the same PHP page as the handler for the form as well.</p>\n<pre><code><form action="<?php echo $_SERVER['PHP_SELF']; ?> " method="post">\n <textarea name="question"></textarea>\n <input type="submit" name="submit_question">\n</form>\n</code></pre>\n"
}
] | 2021/07/23 | [
"https://wordpress.stackexchange.com/questions/392386",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/209353/"
] | I am working on a plugin where a new page template is created on plugin activation. The template has a form for user input.
```
<form action="" method="post">
<textarea name="question"></textarea>
<input type="submit" name="submit_question">
</form>
```
Value is properly stored in following way:
```
if ( isset( $_POST[ 'submit_question' ] ) ) {
$wpdb->insert(
$table_name,
array( 'question' => $question,
'created_at' => $created_on
),
array( '%s', '%s' )
);
}
```
The issue is, if the page is reloaded after form submission, its restoring the values again. How can I clear the values after submission? Or redirect properly? I tried some solutions (e.g. `wp_redirect` ) but not getting any result. Please help. | Did you try to `exit;` after the `wp_redirect()`?
βNote: wp\_redirect() does not exit automatically, and should almost always be followed by a call to exit;β
<https://developer.wordpress.org/reference/functions/wp_redirect/> |
392,406 | <p>I'm building my first Gutenberg block and the problem that I have is that the block control toolbar doesn't show.
I've spend hours comparing my code with other Gutenberg blocks, but couldn't find what is wrong in my code.
I would highly appreciate if someone could look at my code and advice.</p>
<p>Here is my code:</p>
<pre class="lang-js prettyprint-override"><code>import { registerBlockType } from '@wordpress/blocks';
import {
RichText,
InspectorControls,
ColorPalette,
MediaUpload
} from '@wordpress/block-editor';
import {
PanelBody,
IconButton } from '@wordpress/components';
registerBlockType( 'luxworx-blocks/author-block', {
apiVersion: 2,
title: 'Luxworx: Author Block',
icon: 'universal-access-alt',
category: 'design',
example: {},
attributes: {
title: {
type: 'string',
source: 'html',
selector: 'h2'
},
body: {
type: 'string',
source: 'html',
selector: 'p'
},
textColor: {
type: 'string',
default: 'black'
},
bgColor: {
type: 'string',
default: 'white'
},
authorImage: {
type: 'string',
default: null
}
},
edit( {attributes, setAttributes}) {
// Custom functions
function updateTitle (newTitle) {
setAttributes( { title: newTitle})
}
function updateBody (newBody) {
setAttributes( { body: newBody})
}
function onTextColorChange (newColor) {
setAttributes( {textColor: newColor})
}
function onBgColorChange (newColor2) {
setAttributes( {bgColor: newColor2})
}
function onSelectImage(newImage) {
setAttributes( {authorImage: newImage.sizes.full.url })
}
return (
<InspectorControls key="lx-authors-block-setting" style={ { marginBottom:'40px'} }>
<PanelBody title={ 'Color setting' }>
<p><strong>Select text color:</strong></p>
<ColorPalette value={ attributes.textColor }
onChange={ onTextColorChange } />
<p><strong>Select block bacground color:</strong></p>
<ColorPalette value={ attributes.bgColor }
onChange={ onBgColorChange } />
</PanelBody>
<PanelBody title={ 'Author image'}>
<p><strong>Select author image:</strong></p>
<MediaUpload
onSelect={ onSelectImage }
type="image"
value={ attributes.authorImage }
render={ ( { open } ) => (
<IconButton
onClick={ open }
icon="upload"
className="editor-media-placeholder__button button is-default">
Author Image
</IconButton>
) } />
</PanelBody>
</InspectorControls>,
<div className="lx-authors-block wp-block" key="container" style={{ backgroundColor: attributes.bgColor}}>
<img src={ attributes.authorImage} className="lx-authors-image" />
<div className="lx-author-info">
<RichText
placeholder="Authors name"
tagName="h2"
value={attributes.title}
onChange={updateTitle}
style={ {color: attributes.textColor }} />
<RichText
placeholder="Authors bio"
tagName="p"
value={attributes.body}
onChange={updateBody}
style={ {color:attributes.textColor}} />
</div>
</div>
);
},
save( {attributes}) {
return (
<div className="lx-authors-block wp-block" style={{ backgroundColor: attributes.bgColor }}>
<img src={ attributes.authorImage} className="lx-authors-image" />
<div className="lx-author-info">
<h2 style={ { color: attributes.textColor }}>{attributes.title}</h2>
<RichText.Content tagName="p"
value={attributes.body}
style={ {color:attributes.textColor}}
/>
</div>
</div>
);
},
} );
</code></pre>
| [
{
"answer_id": 392407,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 2,
"selected": false,
"text": "<p>Your <code>edit</code> function is just missing a <code>[</code> and <code>]</code>, i.e. you forgot to actually return an <em>array</em>, like so:</p>\n<pre class=\"lang-js prettyprint-override\"><code>return ([ // add that [\n <InspectorControls key="lx-authors-block-setting" style={ { marginBottom:'40px'} }>\n ...\n </InspectorControls>,\n <div className="lx-authors-block wp-block" key="container" style={{ backgroundColor: attributes.bgColor}}>\n ...\n </div>\n]); // and add that ]\n</code></pre>\n<p>Or you could instead wrap the elements in a fragment (<code><></code> and <code></></code>) or <code>div</code> if you want:</p>\n<pre class=\"lang-js prettyprint-override\"><code>return (\n <>\n <InspectorControls key="lx-authors-block-setting" style={ { marginBottom:'40px'} }>\n ...\n </InspectorControls>\n <div className="lx-authors-block wp-block" key="container" style={{ backgroundColor: attributes.bgColor}}>\n ...\n </div>\n </>\n);\n</code></pre>\n<h2>Update</h2>\n<p>In response to your answer, and as said by <a href=\"https://wordpress.stackexchange.com/users/736/tom-j-nowell\">@TomJNowell</a>, it's true that you should not manually add the <code>wp-block</code> class to your <code>div</code> (but I didn't notice you added it there, hence I didn't mention it in my original answer) and instead, because your block type is using the <a href=\"https://make.wordpress.org/core/2020/11/18/block-api-version-2/\" rel=\"nofollow noreferrer\">block API version 2</a> (note the <code>apiVersion: 2,</code> in your code), you should use <code>useBlockProps</code> to ensure the block wrapper is recognized properly and added with the proper classes like the <code>wp-block</code>.</p>\n<p>However, the block editor handbook <a href=\"https://developer.wordpress.org/block-editor/reference-guides/block-api/block-edit-save/#block-wrapper-props\" rel=\"nofollow noreferrer\">stated</a> that:</p>\n<blockquote>\n<p>If the element wrapper needs any extra custom HTML attributes, these\nneed to be passed as an argument to the <code>useBlockProps</code> hook.</p>\n</blockquote>\n<p>Therefore, instead of doing <code>{ ...useBlockProps() } className="lx-authors-block"</code>:</p>\n<pre class=\"lang-js prettyprint-override\"><code><div { ...useBlockProps() } className="lx-authors-block" key="editable" style={{ backgroundColor: attributes.bgColor}}>\n</code></pre>\n<p>You should actually pass the <code>className</code> as an argument to the <code>useBlockProps</code> hook:</p>\n<pre class=\"lang-js prettyprint-override\"><code><div { ...useBlockProps( {\n className: 'lx-authors-block',\n key: 'editable',\n style: { backgroundColor: attributes.bgColor },\n} ) }>\n</code></pre>\n<p>Otherwise, the <code>div</code> will not actually going to have the <code>wp-block</code> class and among other issues, the <code>div</code> will appear full-width in the editor:</p>\n<p><a href=\"https://i.stack.imgur.com/2X9MJ.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/2X9MJ.png\" alt=\"Preview image\" /></a></p>\n<p>So make sure that you use the correct syntax and your <code>return</code> code should look like so:</p>\n<pre class=\"lang-js prettyprint-override\"><code>return ([\n <InspectorControls key="lx-authors-block-setting" style={ { marginBottom:'40px'} }>\n ...\n </InspectorControls>,\n <div { ...useBlockProps( {\n className: 'lx-authors-block',\n key: 'editable',\n style: { backgroundColor: attributes.bgColor },\n } ) }>\n ...\n </div>\n]);\n</code></pre>\n<p>Which then would give you the correct outcome like so (note the block width and it's also focusable, e.g. when you click on the white background at the top-right corner):</p>\n<p><a href=\"https://i.stack.imgur.com/H3se1.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/H3se1.png\" alt=\"Preview image\" /></a></p>\n"
},
{
"answer_id": 392600,
"author": "Lucas Wojnar",
"author_id": 209385,
"author_profile": "https://wordpress.stackexchange.com/users/209385",
"pm_score": 0,
"selected": false,
"text": "<p>I have found a problem.\nMy div wrapper was missing { ...useBlockProps() }\nSo it should be:</p>\n<pre><code> <div { ...useBlockProps() } className="lx-authors-block" key="editable" style={{ backgroundColor: attributes.bgColor}}>\n</code></pre>\n<p>...</p>\n\n"
}
] | 2021/07/24 | [
"https://wordpress.stackexchange.com/questions/392406",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/209385/"
] | I'm building my first Gutenberg block and the problem that I have is that the block control toolbar doesn't show.
I've spend hours comparing my code with other Gutenberg blocks, but couldn't find what is wrong in my code.
I would highly appreciate if someone could look at my code and advice.
Here is my code:
```js
import { registerBlockType } from '@wordpress/blocks';
import {
RichText,
InspectorControls,
ColorPalette,
MediaUpload
} from '@wordpress/block-editor';
import {
PanelBody,
IconButton } from '@wordpress/components';
registerBlockType( 'luxworx-blocks/author-block', {
apiVersion: 2,
title: 'Luxworx: Author Block',
icon: 'universal-access-alt',
category: 'design',
example: {},
attributes: {
title: {
type: 'string',
source: 'html',
selector: 'h2'
},
body: {
type: 'string',
source: 'html',
selector: 'p'
},
textColor: {
type: 'string',
default: 'black'
},
bgColor: {
type: 'string',
default: 'white'
},
authorImage: {
type: 'string',
default: null
}
},
edit( {attributes, setAttributes}) {
// Custom functions
function updateTitle (newTitle) {
setAttributes( { title: newTitle})
}
function updateBody (newBody) {
setAttributes( { body: newBody})
}
function onTextColorChange (newColor) {
setAttributes( {textColor: newColor})
}
function onBgColorChange (newColor2) {
setAttributes( {bgColor: newColor2})
}
function onSelectImage(newImage) {
setAttributes( {authorImage: newImage.sizes.full.url })
}
return (
<InspectorControls key="lx-authors-block-setting" style={ { marginBottom:'40px'} }>
<PanelBody title={ 'Color setting' }>
<p><strong>Select text color:</strong></p>
<ColorPalette value={ attributes.textColor }
onChange={ onTextColorChange } />
<p><strong>Select block bacground color:</strong></p>
<ColorPalette value={ attributes.bgColor }
onChange={ onBgColorChange } />
</PanelBody>
<PanelBody title={ 'Author image'}>
<p><strong>Select author image:</strong></p>
<MediaUpload
onSelect={ onSelectImage }
type="image"
value={ attributes.authorImage }
render={ ( { open } ) => (
<IconButton
onClick={ open }
icon="upload"
className="editor-media-placeholder__button button is-default">
Author Image
</IconButton>
) } />
</PanelBody>
</InspectorControls>,
<div className="lx-authors-block wp-block" key="container" style={{ backgroundColor: attributes.bgColor}}>
<img src={ attributes.authorImage} className="lx-authors-image" />
<div className="lx-author-info">
<RichText
placeholder="Authors name"
tagName="h2"
value={attributes.title}
onChange={updateTitle}
style={ {color: attributes.textColor }} />
<RichText
placeholder="Authors bio"
tagName="p"
value={attributes.body}
onChange={updateBody}
style={ {color:attributes.textColor}} />
</div>
</div>
);
},
save( {attributes}) {
return (
<div className="lx-authors-block wp-block" style={{ backgroundColor: attributes.bgColor }}>
<img src={ attributes.authorImage} className="lx-authors-image" />
<div className="lx-author-info">
<h2 style={ { color: attributes.textColor }}>{attributes.title}</h2>
<RichText.Content tagName="p"
value={attributes.body}
style={ {color:attributes.textColor}}
/>
</div>
</div>
);
},
} );
``` | Your `edit` function is just missing a `[` and `]`, i.e. you forgot to actually return an *array*, like so:
```js
return ([ // add that [
<InspectorControls key="lx-authors-block-setting" style={ { marginBottom:'40px'} }>
...
</InspectorControls>,
<div className="lx-authors-block wp-block" key="container" style={{ backgroundColor: attributes.bgColor}}>
...
</div>
]); // and add that ]
```
Or you could instead wrap the elements in a fragment (`<>` and `</>`) or `div` if you want:
```js
return (
<>
<InspectorControls key="lx-authors-block-setting" style={ { marginBottom:'40px'} }>
...
</InspectorControls>
<div className="lx-authors-block wp-block" key="container" style={{ backgroundColor: attributes.bgColor}}>
...
</div>
</>
);
```
Update
------
In response to your answer, and as said by [@TomJNowell](https://wordpress.stackexchange.com/users/736/tom-j-nowell), it's true that you should not manually add the `wp-block` class to your `div` (but I didn't notice you added it there, hence I didn't mention it in my original answer) and instead, because your block type is using the [block API version 2](https://make.wordpress.org/core/2020/11/18/block-api-version-2/) (note the `apiVersion: 2,` in your code), you should use `useBlockProps` to ensure the block wrapper is recognized properly and added with the proper classes like the `wp-block`.
However, the block editor handbook [stated](https://developer.wordpress.org/block-editor/reference-guides/block-api/block-edit-save/#block-wrapper-props) that:
>
> If the element wrapper needs any extra custom HTML attributes, these
> need to be passed as an argument to the `useBlockProps` hook.
>
>
>
Therefore, instead of doing `{ ...useBlockProps() } className="lx-authors-block"`:
```js
<div { ...useBlockProps() } className="lx-authors-block" key="editable" style={{ backgroundColor: attributes.bgColor}}>
```
You should actually pass the `className` as an argument to the `useBlockProps` hook:
```js
<div { ...useBlockProps( {
className: 'lx-authors-block',
key: 'editable',
style: { backgroundColor: attributes.bgColor },
} ) }>
```
Otherwise, the `div` will not actually going to have the `wp-block` class and among other issues, the `div` will appear full-width in the editor:
[](https://i.stack.imgur.com/2X9MJ.png)
So make sure that you use the correct syntax and your `return` code should look like so:
```js
return ([
<InspectorControls key="lx-authors-block-setting" style={ { marginBottom:'40px'} }>
...
</InspectorControls>,
<div { ...useBlockProps( {
className: 'lx-authors-block',
key: 'editable',
style: { backgroundColor: attributes.bgColor },
} ) }>
...
</div>
]);
```
Which then would give you the correct outcome like so (note the block width and it's also focusable, e.g. when you click on the white background at the top-right corner):
[](https://i.stack.imgur.com/H3se1.png) |
392,598 | <p>I have a simple WP_Query that displays posts:</p>
<pre><code><?php
function vertical_posts( $title, $category, $num_of_posts ) { ?>
<section class="vertical-posts">
<h2 class="title"><?php echo $title; ?></h2>
<div class="post-grid">
<?php
$args = array('category_name' => $category, 'posts_per_page' => $num_of_posts);
$query = new WP_Query($args);
if ($query->have_posts()) {
while ($query->have_posts()) {
$query->the_post();
?>
<article class="post">
<a class="post-thumbnail" href="<?php the_permalink(); ?>" aria-hidden="true" tabindex="-1">
<img src="<?php the_post_thumbnail_url('landscape-medium-1x'); ?>" alt="<?php echo get_post_meta( get_post_thumbnail_id(), '_wp_attachment_image_alt', true ); ?>" loading="lazy">
</a>
<header class="entry-header">
<?php the_title('<h3 class="entry-title"><a href="' . esc_url(get_permalink()) . '" rel="bookmark">', '</a></h3>'); ?>
<div class="entry-meta">
<?php
posted_on();
posted_by();
?>
</div>
</header>
</article>
<?php
}
}
else {
echo '<p>Please add some posts.</p>';
}
wp_reset_postdata();
?>
</div>
</section>
<?php
}
</code></pre>
<p>I'm calling this throughout my theme like so:</p>
<pre><code><?php vertical_posts( 'Answers', 'answers', 4 ); ?>
</code></pre>
<p>I'd like to have the ability to call this function with a shortcode in the block or classic editor.</p>
<p>I've created the shortcode via my functions:</p>
<pre><code>function register_shortcodes(){
add_shortcode('vertical-posts', 'vertical_posts');
}
add_action( 'init', 'register_shortcodes');
</code></pre>
<p>Is it possible to pass the function arguments to my shortcode?</p>
<p>I'm thinking something along the lines of:</p>
<pre><code>[vertical-posts 'Answers', 'answers', 4]
</code></pre>
| [
{
"answer_id": 392439,
"author": "Buttered_Toast",
"author_id": 192133,
"author_profile": "https://wordpress.stackexchange.com/users/192133",
"pm_score": -1,
"selected": false,
"text": "<p>Have you tried any of the things you mentioned? doesn't seem like that big of a hassle to test it?</p>\n<p>First create a new custom post type, create a few posts for it. Than delete the custom post type.</p>\n<p>Go to the DB (phpmyadmin) and see if they are still there, check what post type they are.</p>\n<p>Now you can try running a query on that custom post type (after its deleted). Did it return the posts or could it not find anything?</p>\n<p>You can do all those test yourself in a few minutes.</p>\n<p>If in any moment you encounter a problem or something unexpected happened, please share with us the code/result of what you have tried to do</p>\n"
},
{
"answer_id": 392685,
"author": "Mirajul Momin",
"author_id": 194228,
"author_profile": "https://wordpress.stackexchange.com/users/194228",
"pm_score": 1,
"selected": true,
"text": "<p>By running <code>unregister_post_type()</code> custom posts are not deleted from database even they can be retrieved by custom query. They mustn't be appear in regular post loop since their <code>post_type</code> remain what was.</p>\n"
}
] | 2021/07/28 | [
"https://wordpress.stackexchange.com/questions/392598",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/37548/"
] | I have a simple WP\_Query that displays posts:
```
<?php
function vertical_posts( $title, $category, $num_of_posts ) { ?>
<section class="vertical-posts">
<h2 class="title"><?php echo $title; ?></h2>
<div class="post-grid">
<?php
$args = array('category_name' => $category, 'posts_per_page' => $num_of_posts);
$query = new WP_Query($args);
if ($query->have_posts()) {
while ($query->have_posts()) {
$query->the_post();
?>
<article class="post">
<a class="post-thumbnail" href="<?php the_permalink(); ?>" aria-hidden="true" tabindex="-1">
<img src="<?php the_post_thumbnail_url('landscape-medium-1x'); ?>" alt="<?php echo get_post_meta( get_post_thumbnail_id(), '_wp_attachment_image_alt', true ); ?>" loading="lazy">
</a>
<header class="entry-header">
<?php the_title('<h3 class="entry-title"><a href="' . esc_url(get_permalink()) . '" rel="bookmark">', '</a></h3>'); ?>
<div class="entry-meta">
<?php
posted_on();
posted_by();
?>
</div>
</header>
</article>
<?php
}
}
else {
echo '<p>Please add some posts.</p>';
}
wp_reset_postdata();
?>
</div>
</section>
<?php
}
```
I'm calling this throughout my theme like so:
```
<?php vertical_posts( 'Answers', 'answers', 4 ); ?>
```
I'd like to have the ability to call this function with a shortcode in the block or classic editor.
I've created the shortcode via my functions:
```
function register_shortcodes(){
add_shortcode('vertical-posts', 'vertical_posts');
}
add_action( 'init', 'register_shortcodes');
```
Is it possible to pass the function arguments to my shortcode?
I'm thinking something along the lines of:
```
[vertical-posts 'Answers', 'answers', 4]
``` | By running `unregister_post_type()` custom posts are not deleted from database even they can be retrieved by custom query. They mustn't be appear in regular post loop since their `post_type` remain what was. |
392,659 | <p>One of the stores I manage is currently facing a <a href="https://github.com/woocommerce/woocommerce/issues/24184" rel="nofollow noreferrer">bug</a> that is not solved yet by WooCommerce, regarding rounding prices introduced without tax. So far one of the temp fixes that work is changing the whole store to 4 decimals to improve accuracy. Now the problem is that some new clients seem to believe our prices are in another currency other than USD because of the 6 digits that get presented (19.998). I'm wondering if there is a way to format the output of woocommerce_get_price_html using something like number_format. I'm a bit lost because the output of this is escaped html to style the price, so something like this</p>
<pre><code>add_filter( 'woocommerce_get_price_html', 'rounded_price_html', 100, 2 );
function rounded_price_html( $price, $product ){
return number_format( $price, 2, ',', '.');
}
</code></pre>
<p>would not work. So basically what I'm asking is, is there any way I can format the price of this function without interfering with the HTML? This should only affect the front end as we don't care about the four digits in the back. Creating something using JS is not an option as our theme is AJAX based and that would just create more work</p>
| [
{
"answer_id": 392439,
"author": "Buttered_Toast",
"author_id": 192133,
"author_profile": "https://wordpress.stackexchange.com/users/192133",
"pm_score": -1,
"selected": false,
"text": "<p>Have you tried any of the things you mentioned? doesn't seem like that big of a hassle to test it?</p>\n<p>First create a new custom post type, create a few posts for it. Than delete the custom post type.</p>\n<p>Go to the DB (phpmyadmin) and see if they are still there, check what post type they are.</p>\n<p>Now you can try running a query on that custom post type (after its deleted). Did it return the posts or could it not find anything?</p>\n<p>You can do all those test yourself in a few minutes.</p>\n<p>If in any moment you encounter a problem or something unexpected happened, please share with us the code/result of what you have tried to do</p>\n"
},
{
"answer_id": 392685,
"author": "Mirajul Momin",
"author_id": 194228,
"author_profile": "https://wordpress.stackexchange.com/users/194228",
"pm_score": 1,
"selected": true,
"text": "<p>By running <code>unregister_post_type()</code> custom posts are not deleted from database even they can be retrieved by custom query. They mustn't be appear in regular post loop since their <code>post_type</code> remain what was.</p>\n"
}
] | 2021/07/30 | [
"https://wordpress.stackexchange.com/questions/392659",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/94417/"
] | One of the stores I manage is currently facing a [bug](https://github.com/woocommerce/woocommerce/issues/24184) that is not solved yet by WooCommerce, regarding rounding prices introduced without tax. So far one of the temp fixes that work is changing the whole store to 4 decimals to improve accuracy. Now the problem is that some new clients seem to believe our prices are in another currency other than USD because of the 6 digits that get presented (19.998). I'm wondering if there is a way to format the output of woocommerce\_get\_price\_html using something like number\_format. I'm a bit lost because the output of this is escaped html to style the price, so something like this
```
add_filter( 'woocommerce_get_price_html', 'rounded_price_html', 100, 2 );
function rounded_price_html( $price, $product ){
return number_format( $price, 2, ',', '.');
}
```
would not work. So basically what I'm asking is, is there any way I can format the price of this function without interfering with the HTML? This should only affect the front end as we don't care about the four digits in the back. Creating something using JS is not an option as our theme is AJAX based and that would just create more work | By running `unregister_post_type()` custom posts are not deleted from database even they can be retrieved by custom query. They mustn't be appear in regular post loop since their `post_type` remain what was. |
392,723 | <p>how can I add an extra admin column with the Status of posts like Below Image. i know admin column plugin for this work but i don't want to use any plugin..so please suggest me if there any code to add an extra admin column with the Post Status</p>
<p><a href="https://i.stack.imgur.com/NtAbn.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/NtAbn.png" alt="Smale image" /></a></p>
| [
{
"answer_id": 392736,
"author": "Kiriakos Grhgoriadhs",
"author_id": 209669,
"author_profile": "https://wordpress.stackexchange.com/users/209669",
"pm_score": 0,
"selected": false,
"text": "<p>This is the simplest use of adding custom columns:</p>\n<pre><code>// Add the custom columns to the post type:\nadd_filter( 'manage_post_posts_columns', 'set_custom_edit_book_columns' );\nfunction set_custom_edit_book_columns($columns) {\n $columns['status'] = __( 'Status', 'your_text_domain' ); // or simply "Status";\n return $columns;\n}\n\n// Add the data to the post columns:\nadd_action( 'manage_post_posts_custom_column' , 'custom_post_column', 10, 2 );\nfunction custom_post_column( $column, $post_id ) {\n if ( $column == "status" ) {\n $p_status = get_post_meta($post->ID, 'status', true);\n echo $p_publish;\n }\n}\n</code></pre>\n<p>Of course you could also do this column sortable and so on! Not tested, but it should work, you've got the point</p>\n<p>You could also check these links, discribing almost the same question as yours:</p>\n<p>Add custom columns: <a href=\"http://www.deluxeblogtips.com/add-custom-column/\" rel=\"nofollow noreferrer\">http://www.deluxeblogtips.com/add-custom-column/</a></p>\n<p>Add sortable columns: <a href=\"https://wordpress.org/support/topic/admin-column-sorting/\" rel=\"nofollow noreferrer\">https://wordpress.org/support/topic/admin-column-sorting/</a></p>\n"
},
{
"answer_id": 406319,
"author": "Maurice",
"author_id": 66725,
"author_profile": "https://wordpress.stackexchange.com/users/66725",
"pm_score": 1,
"selected": false,
"text": "<p>The last function doesn't work. Use this instead to fill the status column:</p>\n<pre><code>// Add the data to the post columns:\nadd_action( 'manage_post_posts_custom_column' , 'custom_post_column', 10, 2 );\nfunction custom_post_column( $column, $post_id ) {\n if ( $column == "status" ) {\n echo get_post_status($post_id);\n }\n}\n</code></pre>\n"
}
] | 2021/07/31 | [
"https://wordpress.stackexchange.com/questions/392723",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/202431/"
] | how can I add an extra admin column with the Status of posts like Below Image. i know admin column plugin for this work but i don't want to use any plugin..so please suggest me if there any code to add an extra admin column with the Post Status
[](https://i.stack.imgur.com/NtAbn.png) | The last function doesn't work. Use this instead to fill the status column:
```
// Add the data to the post columns:
add_action( 'manage_post_posts_custom_column' , 'custom_post_column', 10, 2 );
function custom_post_column( $column, $post_id ) {
if ( $column == "status" ) {
echo get_post_status($post_id);
}
}
``` |
392,824 | <p>We are converting our static HTML site to Wordpress. The conversion is going fine (for the most part) but the part I cannot figure out is how to build the menu so that I can retain the menu look from our HTML site (see graphic for the specific menu I'm referring too).</p>
<p>Original Site: <a href="http://humanetomorrow.org/" rel="nofollow noreferrer">http://humanetomorrow.org/</a>
<a href="https://i.stack.imgur.com/632oq.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/632oq.png" alt="enter image description here" /></a></p>
<p>I know how to create the menu in WordPress admin dashboard and have it show up on the page, I guess my question may be more of how to style it with the logo and the "twist" which I could use some pointers on.</p>
<p>UPDATE:
After adding the code provided by the Accepted Answer, I now see non menu item pages appearing on the menu even though they were not added to the menu.
<a href="https://i.stack.imgur.com/Vdvi8.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/Vdvi8.png" alt="Unwanted Menu Item" /></a></p>
<p>The Info for sponsors page is "just a page" that is linked to within another page, not the menu.</p>
<p>And then my WP Code:</p>
<pre><code> <?php
wp_nav_menu( array(
'theme_location' => 'primary',
'container' => 'nav',
'container_class' => '',
'menu_class' => 'nav',
'before' => '', // before the menu
'after' => '', // after the menu
'link_before' => '', // before each link
'link_after' => '', // after each link
'depth' => 2,
) );
?>
</code></pre>
| [
{
"answer_id": 392826,
"author": "challenge2022",
"author_id": 192901,
"author_profile": "https://wordpress.stackexchange.com/users/192901",
"pm_score": 0,
"selected": false,
"text": "<p>that header style is just a background image, rather than an actual css style.</p>\n<p>you could apply the image again to the new site's header as a background image - or draw it via css which would require strong technique id imagine.</p>\n<p>also the logo, is a separate png image on top of the fancy background image.</p>\n<p>take a look at 'css tricks'.</p>\n"
},
{
"answer_id": 392835,
"author": "liquidRock",
"author_id": 99311,
"author_profile": "https://wordpress.stackexchange.com/users/99311",
"pm_score": 2,
"selected": false,
"text": "<p>Lookup <code>wp_nav_menu</code></p>\n<p>Simply take the HTML you have now and remove the <code><ul></code> or whatever elements you are using to list the menu links. If you want it to be dynamic, your theme template will need something similar to the following placed where you want the links to load in place of what you had in your regular HTML site:</p>\n<pre class=\"lang-php prettyprint-override\"><code>\n<?php wp_nav_menu(array(\n 'container' => false, // remove nav container\n 'container_class' => 'menu cf', // class of container (should you choose to use it)\n 'menu' => __( 'The Main Menu', 'mytheme' ), // nav name\n 'menu_class' => 'nav top-nav cf', // adding custom nav class\n 'theme_location' => 'main-nav', // where it's located in the theme\n 'before' => '', // before the menu\n 'after' => '', // after the menu\n 'link_before' => '', // before each link\n 'link_after' => '', // after each link\n 'depth' => 0, // limit the depth of the nav\n 'fallback_cb' => '' // fallback function (if there is one)\n)); ?>\n</code></pre>\n<p>You will also have to register your menu (or menus if you do multiple)</p>\n<pre class=\"lang-php prettyprint-override\"><code>register_nav_menus(\n array(\n 'main-nav' => __( 'The Main Menu', 'mytheme' ), // main nav in header\n 'footer-links' => __( 'Footer Links', 'mytheme' ) // secondary nav in footer\n )\n);\n</code></pre>\n<p>The base theme I use to build WordPress themes has a separate file where you register the menus and image sizes etc.. Not sure if it would work in functions.php or not as I've never tried, but I assume it would. Maybe someone else can chime in to answer that.</p>\n<p>The way WordPress creates the navigation should work ok for what you need. Sometimes I hard-code menus when I can't use the WordPress menu HTML setup. Here is an example of a hard-coded menu, which you could turn into a simplified function if you wanted. The php code is just checking the URL basename to see what page we're currently on and add a class to that <code><li></code> so that the <code><li></code> and <code><a></code> tags can be easily styled.</p>\n<pre><code><nav>\n <ul>\n<?php if(basename(get_the_permalink())=='about') { echo '<li class="current-menu-item"><a class="icon-about">'; } else echo '<li><a class="icon-about" href="/blog/">';?>About</a></li>\n<?php if(basename(get_the_permalink())=='services') { echo '<li class="current-menu-item"><a class="icon-service">'; } else echo '<li><a class="icon-service" href="/services/">';?>Services</a></li>\n<?php if(basename(get_the_permalink())=='contact') { echo '<li class="current-menu-item"><a class="icon-contact">'; } else echo '<li><a class="icon-contact2" href="/social/">';?>Contact</a></li>\n </ul>\n</nav>\n</code></pre>\n<p>Hope that helps point you in the right direction.</p>\n"
}
] | 2021/08/03 | [
"https://wordpress.stackexchange.com/questions/392824",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/85973/"
] | We are converting our static HTML site to Wordpress. The conversion is going fine (for the most part) but the part I cannot figure out is how to build the menu so that I can retain the menu look from our HTML site (see graphic for the specific menu I'm referring too).
Original Site: <http://humanetomorrow.org/>
[](https://i.stack.imgur.com/632oq.png)
I know how to create the menu in WordPress admin dashboard and have it show up on the page, I guess my question may be more of how to style it with the logo and the "twist" which I could use some pointers on.
UPDATE:
After adding the code provided by the Accepted Answer, I now see non menu item pages appearing on the menu even though they were not added to the menu.
[](https://i.stack.imgur.com/Vdvi8.png)
The Info for sponsors page is "just a page" that is linked to within another page, not the menu.
And then my WP Code:
```
<?php
wp_nav_menu( array(
'theme_location' => 'primary',
'container' => 'nav',
'container_class' => '',
'menu_class' => 'nav',
'before' => '', // before the menu
'after' => '', // after the menu
'link_before' => '', // before each link
'link_after' => '', // after each link
'depth' => 2,
) );
?>
``` | Lookup `wp_nav_menu`
Simply take the HTML you have now and remove the `<ul>` or whatever elements you are using to list the menu links. If you want it to be dynamic, your theme template will need something similar to the following placed where you want the links to load in place of what you had in your regular HTML site:
```php
<?php wp_nav_menu(array(
'container' => false, // remove nav container
'container_class' => 'menu cf', // class of container (should you choose to use it)
'menu' => __( 'The Main Menu', 'mytheme' ), // nav name
'menu_class' => 'nav top-nav cf', // adding custom nav class
'theme_location' => 'main-nav', // where it's located in the theme
'before' => '', // before the menu
'after' => '', // after the menu
'link_before' => '', // before each link
'link_after' => '', // after each link
'depth' => 0, // limit the depth of the nav
'fallback_cb' => '' // fallback function (if there is one)
)); ?>
```
You will also have to register your menu (or menus if you do multiple)
```php
register_nav_menus(
array(
'main-nav' => __( 'The Main Menu', 'mytheme' ), // main nav in header
'footer-links' => __( 'Footer Links', 'mytheme' ) // secondary nav in footer
)
);
```
The base theme I use to build WordPress themes has a separate file where you register the menus and image sizes etc.. Not sure if it would work in functions.php or not as I've never tried, but I assume it would. Maybe someone else can chime in to answer that.
The way WordPress creates the navigation should work ok for what you need. Sometimes I hard-code menus when I can't use the WordPress menu HTML setup. Here is an example of a hard-coded menu, which you could turn into a simplified function if you wanted. The php code is just checking the URL basename to see what page we're currently on and add a class to that `<li>` so that the `<li>` and `<a>` tags can be easily styled.
```
<nav>
<ul>
<?php if(basename(get_the_permalink())=='about') { echo '<li class="current-menu-item"><a class="icon-about">'; } else echo '<li><a class="icon-about" href="/blog/">';?>About</a></li>
<?php if(basename(get_the_permalink())=='services') { echo '<li class="current-menu-item"><a class="icon-service">'; } else echo '<li><a class="icon-service" href="/services/">';?>Services</a></li>
<?php if(basename(get_the_permalink())=='contact') { echo '<li class="current-menu-item"><a class="icon-contact">'; } else echo '<li><a class="icon-contact2" href="/social/">';?>Contact</a></li>
</ul>
</nav>
```
Hope that helps point you in the right direction. |
392,827 | <p>I want to create a site, where a normal user only is able to access the frontend.
So there is no admin bar and everytime, they try to visit the admin area, they are just redirected to the frontpage.</p>
<p>I tried to use something like:</p>
<pre class="lang-php prettyprint-override"><code>function redirect_non_admin_user(){
if ( is_user_logged_in() && !current_user_can( 'administrator' ) ) {
wp_redirect( site_url() );
exit;
}
}
add_action( 'admin_init', 'redirect_non_admin_user' );
</code></pre>
<p>The issue with the code above is, that the user now can't even post a comment anymore (I guess since posting a comments makes a POST request to the admin area and this is then redirected to the frontend).</p>
<p>So what would be a good solution for this? Let the user comment, but not access the admin area. Thanks!</p>
| [
{
"answer_id": 392826,
"author": "challenge2022",
"author_id": 192901,
"author_profile": "https://wordpress.stackexchange.com/users/192901",
"pm_score": 0,
"selected": false,
"text": "<p>that header style is just a background image, rather than an actual css style.</p>\n<p>you could apply the image again to the new site's header as a background image - or draw it via css which would require strong technique id imagine.</p>\n<p>also the logo, is a separate png image on top of the fancy background image.</p>\n<p>take a look at 'css tricks'.</p>\n"
},
{
"answer_id": 392835,
"author": "liquidRock",
"author_id": 99311,
"author_profile": "https://wordpress.stackexchange.com/users/99311",
"pm_score": 2,
"selected": false,
"text": "<p>Lookup <code>wp_nav_menu</code></p>\n<p>Simply take the HTML you have now and remove the <code><ul></code> or whatever elements you are using to list the menu links. If you want it to be dynamic, your theme template will need something similar to the following placed where you want the links to load in place of what you had in your regular HTML site:</p>\n<pre class=\"lang-php prettyprint-override\"><code>\n<?php wp_nav_menu(array(\n 'container' => false, // remove nav container\n 'container_class' => 'menu cf', // class of container (should you choose to use it)\n 'menu' => __( 'The Main Menu', 'mytheme' ), // nav name\n 'menu_class' => 'nav top-nav cf', // adding custom nav class\n 'theme_location' => 'main-nav', // where it's located in the theme\n 'before' => '', // before the menu\n 'after' => '', // after the menu\n 'link_before' => '', // before each link\n 'link_after' => '', // after each link\n 'depth' => 0, // limit the depth of the nav\n 'fallback_cb' => '' // fallback function (if there is one)\n)); ?>\n</code></pre>\n<p>You will also have to register your menu (or menus if you do multiple)</p>\n<pre class=\"lang-php prettyprint-override\"><code>register_nav_menus(\n array(\n 'main-nav' => __( 'The Main Menu', 'mytheme' ), // main nav in header\n 'footer-links' => __( 'Footer Links', 'mytheme' ) // secondary nav in footer\n )\n);\n</code></pre>\n<p>The base theme I use to build WordPress themes has a separate file where you register the menus and image sizes etc.. Not sure if it would work in functions.php or not as I've never tried, but I assume it would. Maybe someone else can chime in to answer that.</p>\n<p>The way WordPress creates the navigation should work ok for what you need. Sometimes I hard-code menus when I can't use the WordPress menu HTML setup. Here is an example of a hard-coded menu, which you could turn into a simplified function if you wanted. The php code is just checking the URL basename to see what page we're currently on and add a class to that <code><li></code> so that the <code><li></code> and <code><a></code> tags can be easily styled.</p>\n<pre><code><nav>\n <ul>\n<?php if(basename(get_the_permalink())=='about') { echo '<li class="current-menu-item"><a class="icon-about">'; } else echo '<li><a class="icon-about" href="/blog/">';?>About</a></li>\n<?php if(basename(get_the_permalink())=='services') { echo '<li class="current-menu-item"><a class="icon-service">'; } else echo '<li><a class="icon-service" href="/services/">';?>Services</a></li>\n<?php if(basename(get_the_permalink())=='contact') { echo '<li class="current-menu-item"><a class="icon-contact">'; } else echo '<li><a class="icon-contact2" href="/social/">';?>Contact</a></li>\n </ul>\n</nav>\n</code></pre>\n<p>Hope that helps point you in the right direction.</p>\n"
}
] | 2021/08/03 | [
"https://wordpress.stackexchange.com/questions/392827",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/56601/"
] | I want to create a site, where a normal user only is able to access the frontend.
So there is no admin bar and everytime, they try to visit the admin area, they are just redirected to the frontpage.
I tried to use something like:
```php
function redirect_non_admin_user(){
if ( is_user_logged_in() && !current_user_can( 'administrator' ) ) {
wp_redirect( site_url() );
exit;
}
}
add_action( 'admin_init', 'redirect_non_admin_user' );
```
The issue with the code above is, that the user now can't even post a comment anymore (I guess since posting a comments makes a POST request to the admin area and this is then redirected to the frontend).
So what would be a good solution for this? Let the user comment, but not access the admin area. Thanks! | Lookup `wp_nav_menu`
Simply take the HTML you have now and remove the `<ul>` or whatever elements you are using to list the menu links. If you want it to be dynamic, your theme template will need something similar to the following placed where you want the links to load in place of what you had in your regular HTML site:
```php
<?php wp_nav_menu(array(
'container' => false, // remove nav container
'container_class' => 'menu cf', // class of container (should you choose to use it)
'menu' => __( 'The Main Menu', 'mytheme' ), // nav name
'menu_class' => 'nav top-nav cf', // adding custom nav class
'theme_location' => 'main-nav', // where it's located in the theme
'before' => '', // before the menu
'after' => '', // after the menu
'link_before' => '', // before each link
'link_after' => '', // after each link
'depth' => 0, // limit the depth of the nav
'fallback_cb' => '' // fallback function (if there is one)
)); ?>
```
You will also have to register your menu (or menus if you do multiple)
```php
register_nav_menus(
array(
'main-nav' => __( 'The Main Menu', 'mytheme' ), // main nav in header
'footer-links' => __( 'Footer Links', 'mytheme' ) // secondary nav in footer
)
);
```
The base theme I use to build WordPress themes has a separate file where you register the menus and image sizes etc.. Not sure if it would work in functions.php or not as I've never tried, but I assume it would. Maybe someone else can chime in to answer that.
The way WordPress creates the navigation should work ok for what you need. Sometimes I hard-code menus when I can't use the WordPress menu HTML setup. Here is an example of a hard-coded menu, which you could turn into a simplified function if you wanted. The php code is just checking the URL basename to see what page we're currently on and add a class to that `<li>` so that the `<li>` and `<a>` tags can be easily styled.
```
<nav>
<ul>
<?php if(basename(get_the_permalink())=='about') { echo '<li class="current-menu-item"><a class="icon-about">'; } else echo '<li><a class="icon-about" href="/blog/">';?>About</a></li>
<?php if(basename(get_the_permalink())=='services') { echo '<li class="current-menu-item"><a class="icon-service">'; } else echo '<li><a class="icon-service" href="/services/">';?>Services</a></li>
<?php if(basename(get_the_permalink())=='contact') { echo '<li class="current-menu-item"><a class="icon-contact">'; } else echo '<li><a class="icon-contact2" href="/social/">';?>Contact</a></li>
</ul>
</nav>
```
Hope that helps point you in the right direction. |
392,838 | <p>Currently i used this code to hide 1.Status 2.Visibility and 3.Published option from Publish box but these code is not working on my wordpress version 5.8..please help me to solve this problem</p>
<pre><code> function hide_publishing_actions(){
global $post;
if($pagenow == post.php){
echo '
<style type="text/css">
#misc-publishing-actions,
#minor-publishing-actions{
display:none;
}
</style>
';
}
}
add_action('admin_head-post.php', 'hide_publishing_actions');
add_action('admin_head-post-new.php', 'hide_publishing_actions');
</code></pre>
<p>i want to hide these 3 option
<a href="https://i.stack.imgur.com/co7ur.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/co7ur.png" alt="publsih" /></a></p>
| [
{
"answer_id": 392826,
"author": "challenge2022",
"author_id": 192901,
"author_profile": "https://wordpress.stackexchange.com/users/192901",
"pm_score": 0,
"selected": false,
"text": "<p>that header style is just a background image, rather than an actual css style.</p>\n<p>you could apply the image again to the new site's header as a background image - or draw it via css which would require strong technique id imagine.</p>\n<p>also the logo, is a separate png image on top of the fancy background image.</p>\n<p>take a look at 'css tricks'.</p>\n"
},
{
"answer_id": 392835,
"author": "liquidRock",
"author_id": 99311,
"author_profile": "https://wordpress.stackexchange.com/users/99311",
"pm_score": 2,
"selected": false,
"text": "<p>Lookup <code>wp_nav_menu</code></p>\n<p>Simply take the HTML you have now and remove the <code><ul></code> or whatever elements you are using to list the menu links. If you want it to be dynamic, your theme template will need something similar to the following placed where you want the links to load in place of what you had in your regular HTML site:</p>\n<pre class=\"lang-php prettyprint-override\"><code>\n<?php wp_nav_menu(array(\n 'container' => false, // remove nav container\n 'container_class' => 'menu cf', // class of container (should you choose to use it)\n 'menu' => __( 'The Main Menu', 'mytheme' ), // nav name\n 'menu_class' => 'nav top-nav cf', // adding custom nav class\n 'theme_location' => 'main-nav', // where it's located in the theme\n 'before' => '', // before the menu\n 'after' => '', // after the menu\n 'link_before' => '', // before each link\n 'link_after' => '', // after each link\n 'depth' => 0, // limit the depth of the nav\n 'fallback_cb' => '' // fallback function (if there is one)\n)); ?>\n</code></pre>\n<p>You will also have to register your menu (or menus if you do multiple)</p>\n<pre class=\"lang-php prettyprint-override\"><code>register_nav_menus(\n array(\n 'main-nav' => __( 'The Main Menu', 'mytheme' ), // main nav in header\n 'footer-links' => __( 'Footer Links', 'mytheme' ) // secondary nav in footer\n )\n);\n</code></pre>\n<p>The base theme I use to build WordPress themes has a separate file where you register the menus and image sizes etc.. Not sure if it would work in functions.php or not as I've never tried, but I assume it would. Maybe someone else can chime in to answer that.</p>\n<p>The way WordPress creates the navigation should work ok for what you need. Sometimes I hard-code menus when I can't use the WordPress menu HTML setup. Here is an example of a hard-coded menu, which you could turn into a simplified function if you wanted. The php code is just checking the URL basename to see what page we're currently on and add a class to that <code><li></code> so that the <code><li></code> and <code><a></code> tags can be easily styled.</p>\n<pre><code><nav>\n <ul>\n<?php if(basename(get_the_permalink())=='about') { echo '<li class="current-menu-item"><a class="icon-about">'; } else echo '<li><a class="icon-about" href="/blog/">';?>About</a></li>\n<?php if(basename(get_the_permalink())=='services') { echo '<li class="current-menu-item"><a class="icon-service">'; } else echo '<li><a class="icon-service" href="/services/">';?>Services</a></li>\n<?php if(basename(get_the_permalink())=='contact') { echo '<li class="current-menu-item"><a class="icon-contact">'; } else echo '<li><a class="icon-contact2" href="/social/">';?>Contact</a></li>\n </ul>\n</nav>\n</code></pre>\n<p>Hope that helps point you in the right direction.</p>\n"
}
] | 2021/08/03 | [
"https://wordpress.stackexchange.com/questions/392838",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/202431/"
] | Currently i used this code to hide 1.Status 2.Visibility and 3.Published option from Publish box but these code is not working on my wordpress version 5.8..please help me to solve this problem
```
function hide_publishing_actions(){
global $post;
if($pagenow == post.php){
echo '
<style type="text/css">
#misc-publishing-actions,
#minor-publishing-actions{
display:none;
}
</style>
';
}
}
add_action('admin_head-post.php', 'hide_publishing_actions');
add_action('admin_head-post-new.php', 'hide_publishing_actions');
```
i want to hide these 3 option
[](https://i.stack.imgur.com/co7ur.png) | Lookup `wp_nav_menu`
Simply take the HTML you have now and remove the `<ul>` or whatever elements you are using to list the menu links. If you want it to be dynamic, your theme template will need something similar to the following placed where you want the links to load in place of what you had in your regular HTML site:
```php
<?php wp_nav_menu(array(
'container' => false, // remove nav container
'container_class' => 'menu cf', // class of container (should you choose to use it)
'menu' => __( 'The Main Menu', 'mytheme' ), // nav name
'menu_class' => 'nav top-nav cf', // adding custom nav class
'theme_location' => 'main-nav', // where it's located in the theme
'before' => '', // before the menu
'after' => '', // after the menu
'link_before' => '', // before each link
'link_after' => '', // after each link
'depth' => 0, // limit the depth of the nav
'fallback_cb' => '' // fallback function (if there is one)
)); ?>
```
You will also have to register your menu (or menus if you do multiple)
```php
register_nav_menus(
array(
'main-nav' => __( 'The Main Menu', 'mytheme' ), // main nav in header
'footer-links' => __( 'Footer Links', 'mytheme' ) // secondary nav in footer
)
);
```
The base theme I use to build WordPress themes has a separate file where you register the menus and image sizes etc.. Not sure if it would work in functions.php or not as I've never tried, but I assume it would. Maybe someone else can chime in to answer that.
The way WordPress creates the navigation should work ok for what you need. Sometimes I hard-code menus when I can't use the WordPress menu HTML setup. Here is an example of a hard-coded menu, which you could turn into a simplified function if you wanted. The php code is just checking the URL basename to see what page we're currently on and add a class to that `<li>` so that the `<li>` and `<a>` tags can be easily styled.
```
<nav>
<ul>
<?php if(basename(get_the_permalink())=='about') { echo '<li class="current-menu-item"><a class="icon-about">'; } else echo '<li><a class="icon-about" href="/blog/">';?>About</a></li>
<?php if(basename(get_the_permalink())=='services') { echo '<li class="current-menu-item"><a class="icon-service">'; } else echo '<li><a class="icon-service" href="/services/">';?>Services</a></li>
<?php if(basename(get_the_permalink())=='contact') { echo '<li class="current-menu-item"><a class="icon-contact">'; } else echo '<li><a class="icon-contact2" href="/social/">';?>Contact</a></li>
</ul>
</nav>
```
Hope that helps point you in the right direction. |
392,867 | <p>i have moved my website to another server and changed the domain name, then i installed an SSL certificate, and when i change my website form http to https in wp-options and wp-config and also set a redirection to https in .htaccess my website didn't work only if i use <a href="http://mywebsite.com" rel="nofollow noreferrer">http://mywebsite.com</a></p>
<p>and when i change the http to <a href="https://mywebsite.com" rel="nofollow noreferrer">https://mywebsite.com</a> via chrome tab the JS and CSS file only load http and the website doesn't look as it must</p>
| [
{
"answer_id": 392871,
"author": "VKS",
"author_id": 120224,
"author_profile": "https://wordpress.stackexchange.com/users/120224",
"pm_score": 1,
"selected": false,
"text": "<p>Add this code in to wp-config.php just before - <strong>require_once ABSPATH . 'wp-settings.php';</strong> line</p>\n<pre><code>if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';\n</code></pre>\n"
},
{
"answer_id": 392876,
"author": "DeltaG",
"author_id": 168537,
"author_profile": "https://wordpress.stackexchange.com/users/168537",
"pm_score": 1,
"selected": false,
"text": "<p>What URL are you using in the WordPress general options (<code>/wp-admin/options-general.php</code>)? HTTP or HTTPS? You should make sure you put your HTTPS address there.</p>\n<p>Also it might help to re-save your permalinks.</p>\n"
},
{
"answer_id": 392899,
"author": "liquidRock",
"author_id": 99311,
"author_profile": "https://wordpress.stackexchange.com/users/99311",
"pm_score": 0,
"selected": false,
"text": "<p>You can try some Apache code in your .htaccess file to redirect any http to https. And make sure wordpress settings are pointing to https and not http.</p>\n<pre class=\"lang-pm prettyprint-override\"><code>RewriteEngine On\nRewriteCond %{HTTPS} !=on\nRewriteRule ^(.*)$ https://%{HTTP_HOST}%{REQUEST_URI} [L,R=301]\nRewriteCond %{HTTP_HOST} "www.domain.com"\nRewriteRule ^(.*)$ https://domain.com%{REQUEST_URI} [L,R=301]\n</code></pre>\n<p>Sorry about syntax highlighting. Not sure what the language code is for Apache directives on here.</p>\n"
}
] | 2021/08/04 | [
"https://wordpress.stackexchange.com/questions/392867",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/209797/"
] | i have moved my website to another server and changed the domain name, then i installed an SSL certificate, and when i change my website form http to https in wp-options and wp-config and also set a redirection to https in .htaccess my website didn't work only if i use <http://mywebsite.com>
and when i change the http to <https://mywebsite.com> via chrome tab the JS and CSS file only load http and the website doesn't look as it must | Add this code in to wp-config.php just before - **require\_once ABSPATH . 'wp-settings.php';** line
```
if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';
``` |
393,004 | <p>Is there a way to fetch the <strong>ALT/TITLE</strong> of ALL images in the media gallery?</p>
<p>I think this would be an easy way for a website to have a Pictures page that just pulls all of the images from the media gallery, granted it would only be necessary in certain scenarios.</p>
<p>I don't need instructions on how to create a Pictures page, just how to pull all of the image URLs. Thanks!</p>
| [
{
"answer_id": 392871,
"author": "VKS",
"author_id": 120224,
"author_profile": "https://wordpress.stackexchange.com/users/120224",
"pm_score": 1,
"selected": false,
"text": "<p>Add this code in to wp-config.php just before - <strong>require_once ABSPATH . 'wp-settings.php';</strong> line</p>\n<pre><code>if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';\n</code></pre>\n"
},
{
"answer_id": 392876,
"author": "DeltaG",
"author_id": 168537,
"author_profile": "https://wordpress.stackexchange.com/users/168537",
"pm_score": 1,
"selected": false,
"text": "<p>What URL are you using in the WordPress general options (<code>/wp-admin/options-general.php</code>)? HTTP or HTTPS? You should make sure you put your HTTPS address there.</p>\n<p>Also it might help to re-save your permalinks.</p>\n"
},
{
"answer_id": 392899,
"author": "liquidRock",
"author_id": 99311,
"author_profile": "https://wordpress.stackexchange.com/users/99311",
"pm_score": 0,
"selected": false,
"text": "<p>You can try some Apache code in your .htaccess file to redirect any http to https. And make sure wordpress settings are pointing to https and not http.</p>\n<pre class=\"lang-pm prettyprint-override\"><code>RewriteEngine On\nRewriteCond %{HTTPS} !=on\nRewriteRule ^(.*)$ https://%{HTTP_HOST}%{REQUEST_URI} [L,R=301]\nRewriteCond %{HTTP_HOST} "www.domain.com"\nRewriteRule ^(.*)$ https://domain.com%{REQUEST_URI} [L,R=301]\n</code></pre>\n<p>Sorry about syntax highlighting. Not sure what the language code is for Apache directives on here.</p>\n"
}
] | 2021/08/07 | [
"https://wordpress.stackexchange.com/questions/393004",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/178422/"
] | Is there a way to fetch the **ALT/TITLE** of ALL images in the media gallery?
I think this would be an easy way for a website to have a Pictures page that just pulls all of the images from the media gallery, granted it would only be necessary in certain scenarios.
I don't need instructions on how to create a Pictures page, just how to pull all of the image URLs. Thanks! | Add this code in to wp-config.php just before - **require\_once ABSPATH . 'wp-settings.php';** line
```
if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';
``` |
393,044 | <p>I am using an unusual setup to host 3 Wordpress installations on CentOS 8 Linux.</p>
<p>In front I have HAProxy (to offload TLS), then I have <a href="https://www.eclipse.org/jetty/documentation/jetty-9/index.html#configuring-fastcgi" rel="nofollow noreferrer">Jetty configured for FastCGI</a> and php-fpm and finally Wordpress.</p>
<p>I am using the Wordpress around a word game written in Pixi.js.</p>
<p>For several years now I have been using 3 different IP-addresses and 3 different domain names for the 3 language versions of my game: en, de, ru.</p>
<p>However my word game is not successful, so I have decided to give up the additional domain names and IP addresses and just use folders to serve my game:</p>
<ul>
<li>wordsbyfarber.com/en</li>
<li>wordsbyfarber.com/de</li>
<li>wordsbyfarber.com/ru</li>
</ul>
<p>This has worked well, I am not using multisite and I have set</p>
<pre><code>define('WP_HOME', 'https://wordsbyfarber.com/en');
define('WP_SITEURL', 'https://wordsbyfarber.com/en');
</code></pre>
<p>in en/wp-config.php (same for de and ru) and also in the dashboard:</p>
<p><a href="https://i.stack.imgur.com/g5YvK.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/g5YvK.png" alt="dashboard" /></a></p>
<p>And already you can see my problem in the above screenshot:</p>
<p>While the user-facing websites work ok, the admin dashboard at <code>/en/wp-admin/</code> immediately redirects to <code>/wp-admin</code> which is not ok, since I am not using multisite.</p>
<p>I have tried to solve the problem myself and searched a lot in the docs etc.</p>
<p>Also I wondered, who is doing the redirect, is it JS or PHP?</p>
<p>It seems to me that this is done by the PHP code of Wordpress, which for some reason sends a new <code>Location</code> header:</p>
<p><a href="https://i.stack.imgur.com/alVmX.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/alVmX.png" alt="wget" /></a></p>
<p>As you can see in the above screenshot, when using <code>wget</code> - for some reason Wordpress would remove <code>/en</code> string from <code>/en/wp-admin</code> path and redirect to the new location.</p>
<p>Why is it doing so and how to stop it?</p>
<p>I have tried to search in Wordpress source code with:</p>
<pre><code>find ./en/ -iname \*.php| xargs grep -riw redirect_to
</code></pre>
<p>but wasn't able to find the reason yet.</p>
<p><strong>UPDATE:</strong> I do not have any .htaccess file, because I am using <a href="https://www.eclipse.org/jetty/documentation/jetty-9/index.html#configuring-fastcgi" rel="nofollow noreferrer">Jetty configured for FastCGI</a> with the following config file:</p>
<pre><code><?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE Configure PUBLIC "-//Mort Bay Consulting//DTD Configure//EN"
"http://www.eclipse.org/jetty/configure_9_3.dtd">
<Configure class="org.eclipse.jetty.servlet.ServletContextHandler">
<New id="root" class="java.lang.String">
<Arg>/var/www/html/wordsbyfarber.com/en</Arg>
</New>
<Set name="contextPath">/en</Set>
<Set name="resourceBase"><Ref refid="root" /></Set>
<Set name="welcomeFiles">
<Array type="string">
<Item>index.php</Item>
<Item>index.html</Item>
</Array>
</Set>
<Call name="addFilter">
<Arg>org.eclipse.jetty.fcgi.server.proxy.TryFilesFilter</Arg>
<Arg>/*</Arg>
<Arg>
<Call name="of" class="java.util.EnumSet">
<Arg><Get name="REQUEST" class="javax.servlet.DispatcherType" /></Arg>
</Call>
</Arg>
<Call name="setInitParameter">
<Arg>files</Arg>
<Arg>$path /index.php?p=$path</Arg>
</Call>
</Call>
<Call name="addServlet">
<Arg>
<New class="org.eclipse.jetty.servlet.ServletHolder">
<Arg>default</Arg>
<Arg>
<Call name="forName" class="java.lang.Class">
<Arg>org.eclipse.jetty.servlet.DefaultServlet</Arg>
</Call>
</Arg>
<Call name="setInitParameter">
<Arg>dirAllowed</Arg>
<Arg>false</Arg>
</Call>
<Call name="setInitParameter">
<Arg>gzip</Arg>
<Arg>true</Arg>
</Call>
</New>
</Arg>
<Arg>/</Arg>
</Call>
<Call name="addServlet">
<Arg>org.eclipse.jetty.fcgi.server.proxy.FastCGIProxyServlet</Arg>
<Arg>*.php</Arg>
<Call name="setInitParameter">
<Arg>proxyTo</Arg>
<Arg>http://localhost:9000</Arg>
</Call>
<Call name="setInitParameter">
<Arg>prefix</Arg>
<Arg>/</Arg>
</Call>
<Call name="setInitParameter">
<Arg>scriptRoot</Arg>
<Arg><Ref refid="root" /></Arg>
</Call>
<Call name="setInitParameter">
<Arg>scriptPattern</Arg>
<Arg>(.+?\\.php)</Arg>
</Call>
</Call>
</Configure>
</code></pre>
| [
{
"answer_id": 392871,
"author": "VKS",
"author_id": 120224,
"author_profile": "https://wordpress.stackexchange.com/users/120224",
"pm_score": 1,
"selected": false,
"text": "<p>Add this code in to wp-config.php just before - <strong>require_once ABSPATH . 'wp-settings.php';</strong> line</p>\n<pre><code>if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';\n</code></pre>\n"
},
{
"answer_id": 392876,
"author": "DeltaG",
"author_id": 168537,
"author_profile": "https://wordpress.stackexchange.com/users/168537",
"pm_score": 1,
"selected": false,
"text": "<p>What URL are you using in the WordPress general options (<code>/wp-admin/options-general.php</code>)? HTTP or HTTPS? You should make sure you put your HTTPS address there.</p>\n<p>Also it might help to re-save your permalinks.</p>\n"
},
{
"answer_id": 392899,
"author": "liquidRock",
"author_id": 99311,
"author_profile": "https://wordpress.stackexchange.com/users/99311",
"pm_score": 0,
"selected": false,
"text": "<p>You can try some Apache code in your .htaccess file to redirect any http to https. And make sure wordpress settings are pointing to https and not http.</p>\n<pre class=\"lang-pm prettyprint-override\"><code>RewriteEngine On\nRewriteCond %{HTTPS} !=on\nRewriteRule ^(.*)$ https://%{HTTP_HOST}%{REQUEST_URI} [L,R=301]\nRewriteCond %{HTTP_HOST} "www.domain.com"\nRewriteRule ^(.*)$ https://domain.com%{REQUEST_URI} [L,R=301]\n</code></pre>\n<p>Sorry about syntax highlighting. Not sure what the language code is for Apache directives on here.</p>\n"
}
] | 2021/08/08 | [
"https://wordpress.stackexchange.com/questions/393044",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/41372/"
] | I am using an unusual setup to host 3 Wordpress installations on CentOS 8 Linux.
In front I have HAProxy (to offload TLS), then I have [Jetty configured for FastCGI](https://www.eclipse.org/jetty/documentation/jetty-9/index.html#configuring-fastcgi) and php-fpm and finally Wordpress.
I am using the Wordpress around a word game written in Pixi.js.
For several years now I have been using 3 different IP-addresses and 3 different domain names for the 3 language versions of my game: en, de, ru.
However my word game is not successful, so I have decided to give up the additional domain names and IP addresses and just use folders to serve my game:
* wordsbyfarber.com/en
* wordsbyfarber.com/de
* wordsbyfarber.com/ru
This has worked well, I am not using multisite and I have set
```
define('WP_HOME', 'https://wordsbyfarber.com/en');
define('WP_SITEURL', 'https://wordsbyfarber.com/en');
```
in en/wp-config.php (same for de and ru) and also in the dashboard:
[](https://i.stack.imgur.com/g5YvK.png)
And already you can see my problem in the above screenshot:
While the user-facing websites work ok, the admin dashboard at `/en/wp-admin/` immediately redirects to `/wp-admin` which is not ok, since I am not using multisite.
I have tried to solve the problem myself and searched a lot in the docs etc.
Also I wondered, who is doing the redirect, is it JS or PHP?
It seems to me that this is done by the PHP code of Wordpress, which for some reason sends a new `Location` header:
[](https://i.stack.imgur.com/alVmX.png)
As you can see in the above screenshot, when using `wget` - for some reason Wordpress would remove `/en` string from `/en/wp-admin` path and redirect to the new location.
Why is it doing so and how to stop it?
I have tried to search in Wordpress source code with:
```
find ./en/ -iname \*.php| xargs grep -riw redirect_to
```
but wasn't able to find the reason yet.
**UPDATE:** I do not have any .htaccess file, because I am using [Jetty configured for FastCGI](https://www.eclipse.org/jetty/documentation/jetty-9/index.html#configuring-fastcgi) with the following config file:
```
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE Configure PUBLIC "-//Mort Bay Consulting//DTD Configure//EN"
"http://www.eclipse.org/jetty/configure_9_3.dtd">
<Configure class="org.eclipse.jetty.servlet.ServletContextHandler">
<New id="root" class="java.lang.String">
<Arg>/var/www/html/wordsbyfarber.com/en</Arg>
</New>
<Set name="contextPath">/en</Set>
<Set name="resourceBase"><Ref refid="root" /></Set>
<Set name="welcomeFiles">
<Array type="string">
<Item>index.php</Item>
<Item>index.html</Item>
</Array>
</Set>
<Call name="addFilter">
<Arg>org.eclipse.jetty.fcgi.server.proxy.TryFilesFilter</Arg>
<Arg>/*</Arg>
<Arg>
<Call name="of" class="java.util.EnumSet">
<Arg><Get name="REQUEST" class="javax.servlet.DispatcherType" /></Arg>
</Call>
</Arg>
<Call name="setInitParameter">
<Arg>files</Arg>
<Arg>$path /index.php?p=$path</Arg>
</Call>
</Call>
<Call name="addServlet">
<Arg>
<New class="org.eclipse.jetty.servlet.ServletHolder">
<Arg>default</Arg>
<Arg>
<Call name="forName" class="java.lang.Class">
<Arg>org.eclipse.jetty.servlet.DefaultServlet</Arg>
</Call>
</Arg>
<Call name="setInitParameter">
<Arg>dirAllowed</Arg>
<Arg>false</Arg>
</Call>
<Call name="setInitParameter">
<Arg>gzip</Arg>
<Arg>true</Arg>
</Call>
</New>
</Arg>
<Arg>/</Arg>
</Call>
<Call name="addServlet">
<Arg>org.eclipse.jetty.fcgi.server.proxy.FastCGIProxyServlet</Arg>
<Arg>*.php</Arg>
<Call name="setInitParameter">
<Arg>proxyTo</Arg>
<Arg>http://localhost:9000</Arg>
</Call>
<Call name="setInitParameter">
<Arg>prefix</Arg>
<Arg>/</Arg>
</Call>
<Call name="setInitParameter">
<Arg>scriptRoot</Arg>
<Arg><Ref refid="root" /></Arg>
</Call>
<Call name="setInitParameter">
<Arg>scriptPattern</Arg>
<Arg>(.+?\\.php)</Arg>
</Call>
</Call>
</Configure>
``` | Add this code in to wp-config.php just before - **require\_once ABSPATH . 'wp-settings.php';** line
```
if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';
``` |
393,083 | <p>I know that WordPress v5.8 has just been released and I have started using the <code>theme.json</code> for managing some basic stuffs on the Gutenberg side. But as I have started using it, I have seen a couple of things:</p>
<p>The custom internal CSS added by WordPress after compiling the <code>theme.json</code> file to each and every page. Does anyone know how to stop adding it on certain pages? For example if I have a custom home page or on archive pages where Gutenberg is not being used, there is no sense to load this internal CSS by WordPress. I was wondering if anyone figured out any filters to conditionally disable the internal CSS output for certain pages.</p>
<p>Here is how it looks:
<img src="https://i.imgur.com/nImk2bn.png" alt="theme.json internal CSS added by WordPress" /></p>
<p>P.S.: I've already checked the two URLs about the <code>theme.json</code> documentation, but they didn't help much regarding the queries that I had. These are are links I have already checked:</p>
<ul>
<li><a href="https://developer.wordpress.org/block-editor/how-to-guides/themes/theme-json/" rel="nofollow noreferrer">Global Settings & Styles (theme.json)</a></li>
<li><a href="https://make.wordpress.org/core/2021/06/25/introducing-theme-json-in-wordpress-5-8/" rel="nofollow noreferrer">Introducing theme.json in WordPress 5.8</a></li>
</ul>
| [
{
"answer_id": 392871,
"author": "VKS",
"author_id": 120224,
"author_profile": "https://wordpress.stackexchange.com/users/120224",
"pm_score": 1,
"selected": false,
"text": "<p>Add this code in to wp-config.php just before - <strong>require_once ABSPATH . 'wp-settings.php';</strong> line</p>\n<pre><code>if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';\n</code></pre>\n"
},
{
"answer_id": 392876,
"author": "DeltaG",
"author_id": 168537,
"author_profile": "https://wordpress.stackexchange.com/users/168537",
"pm_score": 1,
"selected": false,
"text": "<p>What URL are you using in the WordPress general options (<code>/wp-admin/options-general.php</code>)? HTTP or HTTPS? You should make sure you put your HTTPS address there.</p>\n<p>Also it might help to re-save your permalinks.</p>\n"
},
{
"answer_id": 392899,
"author": "liquidRock",
"author_id": 99311,
"author_profile": "https://wordpress.stackexchange.com/users/99311",
"pm_score": 0,
"selected": false,
"text": "<p>You can try some Apache code in your .htaccess file to redirect any http to https. And make sure wordpress settings are pointing to https and not http.</p>\n<pre class=\"lang-pm prettyprint-override\"><code>RewriteEngine On\nRewriteCond %{HTTPS} !=on\nRewriteRule ^(.*)$ https://%{HTTP_HOST}%{REQUEST_URI} [L,R=301]\nRewriteCond %{HTTP_HOST} "www.domain.com"\nRewriteRule ^(.*)$ https://domain.com%{REQUEST_URI} [L,R=301]\n</code></pre>\n<p>Sorry about syntax highlighting. Not sure what the language code is for Apache directives on here.</p>\n"
}
] | 2021/08/09 | [
"https://wordpress.stackexchange.com/questions/393083",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/50584/"
] | I know that WordPress v5.8 has just been released and I have started using the `theme.json` for managing some basic stuffs on the Gutenberg side. But as I have started using it, I have seen a couple of things:
The custom internal CSS added by WordPress after compiling the `theme.json` file to each and every page. Does anyone know how to stop adding it on certain pages? For example if I have a custom home page or on archive pages where Gutenberg is not being used, there is no sense to load this internal CSS by WordPress. I was wondering if anyone figured out any filters to conditionally disable the internal CSS output for certain pages.
Here is how it looks:

P.S.: I've already checked the two URLs about the `theme.json` documentation, but they didn't help much regarding the queries that I had. These are are links I have already checked:
* [Global Settings & Styles (theme.json)](https://developer.wordpress.org/block-editor/how-to-guides/themes/theme-json/)
* [Introducing theme.json in WordPress 5.8](https://make.wordpress.org/core/2021/06/25/introducing-theme-json-in-wordpress-5-8/) | Add this code in to wp-config.php just before - **require\_once ABSPATH . 'wp-settings.php';** line
```
if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';
``` |
393,094 | <p>I have a project that contains a button supposed to generate get a link to a random Custom Post item.</p>
<p>I made my Custom Query as follow:</p>
<pre><code><div class="content">
<?php
$argsRandItem = array(
'post_type' => 'participant',
'posts_per_page' => 1,
'orderby' => 'rand'
);
$queryRandItem = new WP_Query($argsRandItem);
if ($queryRandItem->have_posts() ) :
while ( $queryRandItem->have_posts() ) : $queryRandItem->the_post(); ?>
<a class="btn_blue" href="<?php the_permalink(); ?>">Discover a Project</a>
<p><?php the_title(); ?></p>
<hr>
<?php
endwhile; wp_reset_postdata();
endif; ?>
</div>
</code></pre>
<p>The most strange thing is that the solution is working well on my local environment, and even on a pre-prod server as well. However, when the website is put online Live the button is always returning as a result a link to 1 specific post (Coincidentally - or not - the first one showing on the list of this Custom Post type).</p>
<p>I cannot imagine what could be a reason for this to be happening. The live version has enough items posted. Is it a normal bug on random Custom Post Type elements?</p>
| [
{
"answer_id": 392871,
"author": "VKS",
"author_id": 120224,
"author_profile": "https://wordpress.stackexchange.com/users/120224",
"pm_score": 1,
"selected": false,
"text": "<p>Add this code in to wp-config.php just before - <strong>require_once ABSPATH . 'wp-settings.php';</strong> line</p>\n<pre><code>if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';\n</code></pre>\n"
},
{
"answer_id": 392876,
"author": "DeltaG",
"author_id": 168537,
"author_profile": "https://wordpress.stackexchange.com/users/168537",
"pm_score": 1,
"selected": false,
"text": "<p>What URL are you using in the WordPress general options (<code>/wp-admin/options-general.php</code>)? HTTP or HTTPS? You should make sure you put your HTTPS address there.</p>\n<p>Also it might help to re-save your permalinks.</p>\n"
},
{
"answer_id": 392899,
"author": "liquidRock",
"author_id": 99311,
"author_profile": "https://wordpress.stackexchange.com/users/99311",
"pm_score": 0,
"selected": false,
"text": "<p>You can try some Apache code in your .htaccess file to redirect any http to https. And make sure wordpress settings are pointing to https and not http.</p>\n<pre class=\"lang-pm prettyprint-override\"><code>RewriteEngine On\nRewriteCond %{HTTPS} !=on\nRewriteRule ^(.*)$ https://%{HTTP_HOST}%{REQUEST_URI} [L,R=301]\nRewriteCond %{HTTP_HOST} "www.domain.com"\nRewriteRule ^(.*)$ https://domain.com%{REQUEST_URI} [L,R=301]\n</code></pre>\n<p>Sorry about syntax highlighting. Not sure what the language code is for Apache directives on here.</p>\n"
}
] | 2021/08/09 | [
"https://wordpress.stackexchange.com/questions/393094",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/210005/"
] | I have a project that contains a button supposed to generate get a link to a random Custom Post item.
I made my Custom Query as follow:
```
<div class="content">
<?php
$argsRandItem = array(
'post_type' => 'participant',
'posts_per_page' => 1,
'orderby' => 'rand'
);
$queryRandItem = new WP_Query($argsRandItem);
if ($queryRandItem->have_posts() ) :
while ( $queryRandItem->have_posts() ) : $queryRandItem->the_post(); ?>
<a class="btn_blue" href="<?php the_permalink(); ?>">Discover a Project</a>
<p><?php the_title(); ?></p>
<hr>
<?php
endwhile; wp_reset_postdata();
endif; ?>
</div>
```
The most strange thing is that the solution is working well on my local environment, and even on a pre-prod server as well. However, when the website is put online Live the button is always returning as a result a link to 1 specific post (Coincidentally - or not - the first one showing on the list of this Custom Post type).
I cannot imagine what could be a reason for this to be happening. The live version has enough items posted. Is it a normal bug on random Custom Post Type elements? | Add this code in to wp-config.php just before - **require\_once ABSPATH . 'wp-settings.php';** line
```
if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';
``` |
393,095 | <p>I'm trying to <strong>prevent moderation of forum posts</strong> for users with the 'moderate' capability OR an active 'premium' membership plan (WC Memberships).</p>
<p>I want replies from such authors to <em>not</em> be subject to our moderation rules (number of links, blocklisted words, etc.).</p>
<p>I've tried using the following filters with no luck:</p>
<pre><code>add_filter( 'bbp_bypass_check_for_moderation', 'bbp_bypass_if_user_can_moderate', 10, 4 );
function bbp_bypass_if_user_can_moderate( $anonymous_data, $author_id, $title, $content ){
if( user_can( $author_id, 'moderate' ) || wc_memberships_is_user_active_member( $author_id, 'premium' ) ){
return true;
} else {
return false;
}
}
add_filter( 'bp_bypass_check_for_moderation', 'bp_bypass_if_user_can_moderate', 10, 3 );
function bp_bypass_if_user_can_moderate( $user_id, $title, $content ){
if( user_can( $user_id, 'moderate' ) || wc_memberships_is_user_active_member( $user_id, 'premium' ) ){
return true;
} else {
return false;
}
}
</code></pre>
<p>It seems like the above code should work. Am I overlooking something?</p>
<p>Reference:<ul><li>https://www.buddyboss.com/resources/reference/functions/bbp_check_for_moderation/</li><li>https://www.buddyboss.com/resources/reference/hooks/bp_bypass_check_for_moderation/</li><li>https://developer.wordpress.org/reference/functions/user_can/</li><li>https://docs.woocommerce.com/document/woocommerce-memberships-function-reference/#wc_memberships_is_user_active_member</li></ul></p>
| [
{
"answer_id": 392871,
"author": "VKS",
"author_id": 120224,
"author_profile": "https://wordpress.stackexchange.com/users/120224",
"pm_score": 1,
"selected": false,
"text": "<p>Add this code in to wp-config.php just before - <strong>require_once ABSPATH . 'wp-settings.php';</strong> line</p>\n<pre><code>if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';\n</code></pre>\n"
},
{
"answer_id": 392876,
"author": "DeltaG",
"author_id": 168537,
"author_profile": "https://wordpress.stackexchange.com/users/168537",
"pm_score": 1,
"selected": false,
"text": "<p>What URL are you using in the WordPress general options (<code>/wp-admin/options-general.php</code>)? HTTP or HTTPS? You should make sure you put your HTTPS address there.</p>\n<p>Also it might help to re-save your permalinks.</p>\n"
},
{
"answer_id": 392899,
"author": "liquidRock",
"author_id": 99311,
"author_profile": "https://wordpress.stackexchange.com/users/99311",
"pm_score": 0,
"selected": false,
"text": "<p>You can try some Apache code in your .htaccess file to redirect any http to https. And make sure wordpress settings are pointing to https and not http.</p>\n<pre class=\"lang-pm prettyprint-override\"><code>RewriteEngine On\nRewriteCond %{HTTPS} !=on\nRewriteRule ^(.*)$ https://%{HTTP_HOST}%{REQUEST_URI} [L,R=301]\nRewriteCond %{HTTP_HOST} "www.domain.com"\nRewriteRule ^(.*)$ https://domain.com%{REQUEST_URI} [L,R=301]\n</code></pre>\n<p>Sorry about syntax highlighting. Not sure what the language code is for Apache directives on here.</p>\n"
}
] | 2021/08/09 | [
"https://wordpress.stackexchange.com/questions/393095",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/129862/"
] | I'm trying to **prevent moderation of forum posts** for users with the 'moderate' capability OR an active 'premium' membership plan (WC Memberships).
I want replies from such authors to *not* be subject to our moderation rules (number of links, blocklisted words, etc.).
I've tried using the following filters with no luck:
```
add_filter( 'bbp_bypass_check_for_moderation', 'bbp_bypass_if_user_can_moderate', 10, 4 );
function bbp_bypass_if_user_can_moderate( $anonymous_data, $author_id, $title, $content ){
if( user_can( $author_id, 'moderate' ) || wc_memberships_is_user_active_member( $author_id, 'premium' ) ){
return true;
} else {
return false;
}
}
add_filter( 'bp_bypass_check_for_moderation', 'bp_bypass_if_user_can_moderate', 10, 3 );
function bp_bypass_if_user_can_moderate( $user_id, $title, $content ){
if( user_can( $user_id, 'moderate' ) || wc_memberships_is_user_active_member( $user_id, 'premium' ) ){
return true;
} else {
return false;
}
}
```
It seems like the above code should work. Am I overlooking something?
Reference:* https://www.buddyboss.com/resources/reference/functions/bbp\_check\_for\_moderation/
* https://www.buddyboss.com/resources/reference/hooks/bp\_bypass\_check\_for\_moderation/
* https://developer.wordpress.org/reference/functions/user\_can/
* https://docs.woocommerce.com/document/woocommerce-memberships-function-reference/#wc\_memberships\_is\_user\_active\_member | Add this code in to wp-config.php just before - **require\_once ABSPATH . 'wp-settings.php';** line
```
if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';
``` |
393,144 | <p>I am searching for a good solution in which i can develop a wordpress site on my localhost and push the changes i made easily to my live server.</p>
<p>The idea is that i have some kind of plugin/software in which i just enter database and ftp credentials and i can just press "Push changes" and the changes get pushed from my local server to the remote server. Then i should have a full list of all the changes i made so in case something goed wrong i can always revert back.</p>
<p>I checked out a lot of plugins but there seems to be no plugin out there that gets it right. I tried WP Time Capsule, WP-Vivid, Duplicator, WP Staging Pro and the list goes on.</p>
<p>Does anyone know a good solution for that?</p>
<p>Thanks!</p>
<p><strong>UPDATE</strong></p>
<p>I found two solutions which do partially what i want. The plugins are called "<strong>WP Synchro</strong>" and "<strong>WP Migrate DB Pro</strong>". The Problem is that these Plugins come with two downsides:</p>
<ol>
<li>You need a website installed on both ends so you can push changes.</li>
</ol>
<p>It would be necessary that you could push the first time without having to install a target website on the live server.</p>
<ol start="2">
<li>These solutions don't have version control.</li>
</ol>
<p>This is not necessary but would be definitely nice to have.</p>
<p><strong>FURTHER UPDATE</strong></p>
<p>We found a solution that would have been perfect which is "<strong>Wordmove</strong>". This is not a plugin but a whole local dev environment for Wordpress based on Ruby on Rails.</p>
<p>Sadly this environment does not run well with Windows(Which the devs themself stated on their website since it is a natvie Linux/Mac OSX application).</p>
<p>There were many problems trying to install this and we couldn't get it to run correctly. If someone knows something similar to <strong>Wordmove</strong> which runs better on Windows then please let me know.</p>
<p>Thanks!</p>
| [
{
"answer_id": 392871,
"author": "VKS",
"author_id": 120224,
"author_profile": "https://wordpress.stackexchange.com/users/120224",
"pm_score": 1,
"selected": false,
"text": "<p>Add this code in to wp-config.php just before - <strong>require_once ABSPATH . 'wp-settings.php';</strong> line</p>\n<pre><code>if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';\n</code></pre>\n"
},
{
"answer_id": 392876,
"author": "DeltaG",
"author_id": 168537,
"author_profile": "https://wordpress.stackexchange.com/users/168537",
"pm_score": 1,
"selected": false,
"text": "<p>What URL are you using in the WordPress general options (<code>/wp-admin/options-general.php</code>)? HTTP or HTTPS? You should make sure you put your HTTPS address there.</p>\n<p>Also it might help to re-save your permalinks.</p>\n"
},
{
"answer_id": 392899,
"author": "liquidRock",
"author_id": 99311,
"author_profile": "https://wordpress.stackexchange.com/users/99311",
"pm_score": 0,
"selected": false,
"text": "<p>You can try some Apache code in your .htaccess file to redirect any http to https. And make sure wordpress settings are pointing to https and not http.</p>\n<pre class=\"lang-pm prettyprint-override\"><code>RewriteEngine On\nRewriteCond %{HTTPS} !=on\nRewriteRule ^(.*)$ https://%{HTTP_HOST}%{REQUEST_URI} [L,R=301]\nRewriteCond %{HTTP_HOST} "www.domain.com"\nRewriteRule ^(.*)$ https://domain.com%{REQUEST_URI} [L,R=301]\n</code></pre>\n<p>Sorry about syntax highlighting. Not sure what the language code is for Apache directives on here.</p>\n"
}
] | 2021/08/11 | [
"https://wordpress.stackexchange.com/questions/393144",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/122013/"
] | I am searching for a good solution in which i can develop a wordpress site on my localhost and push the changes i made easily to my live server.
The idea is that i have some kind of plugin/software in which i just enter database and ftp credentials and i can just press "Push changes" and the changes get pushed from my local server to the remote server. Then i should have a full list of all the changes i made so in case something goed wrong i can always revert back.
I checked out a lot of plugins but there seems to be no plugin out there that gets it right. I tried WP Time Capsule, WP-Vivid, Duplicator, WP Staging Pro and the list goes on.
Does anyone know a good solution for that?
Thanks!
**UPDATE**
I found two solutions which do partially what i want. The plugins are called "**WP Synchro**" and "**WP Migrate DB Pro**". The Problem is that these Plugins come with two downsides:
1. You need a website installed on both ends so you can push changes.
It would be necessary that you could push the first time without having to install a target website on the live server.
2. These solutions don't have version control.
This is not necessary but would be definitely nice to have.
**FURTHER UPDATE**
We found a solution that would have been perfect which is "**Wordmove**". This is not a plugin but a whole local dev environment for Wordpress based on Ruby on Rails.
Sadly this environment does not run well with Windows(Which the devs themself stated on their website since it is a natvie Linux/Mac OSX application).
There were many problems trying to install this and we couldn't get it to run correctly. If someone knows something similar to **Wordmove** which runs better on Windows then please let me know.
Thanks! | Add this code in to wp-config.php just before - **require\_once ABSPATH . 'wp-settings.php';** line
```
if ($_SERVER['HTTP_X_FORWARDED_PROTO'] == 'https') $_SERVER['HTTPS']='on';
``` |
393,175 | <p>I developed several plugins which I localized using the standard approach with <code>__()</code> functions and the <code>.po</code> or rather the <code>.mo</code> files. All of this works like a charm.</p>
<p>What I now want to be able to do is set the locale for a function call of <code>__()</code>, to retrieve the translation you defined on your plugin's <code>.mo</code> for a translation which is different from the current locale. Example:</p>
<ol>
<li><p>Let's say you're creating a user for your website in your wp admin, on a german wp admin page.</p>
</li>
<li><p>This user wants to have a profile in English.</p>
</li>
<li><p>In your wp admin, you've automated a mailing, such that, when a user gets created, he / she gets notified with an e-mail about that, in the language according to 2).</p>
</li>
</ol>
<p>Problem: Mail contents are translated using <code>__()</code> too. So, when I create a user on a german admin page, the german version of the notification mail will be sent to the user, instead of the english one. So what I'm looking for is a solution to call the translation defined via your <code>.mo</code> files which is different from the current locale; and only for this single function call (like, not permanently change the locale due to this). Sth like:</p>
<pre class="lang-php prettyprint-override"><code>__( 'get-this-translation', 'of-this-text-domain', 'of-this-locale' );
</code></pre>
<p>instead of</p>
<p><code>__( 'get-this-translation', 'of-this-text-domain' );</code>, which obviously always defaults to currently active locale; in the example above german.</p>
<p>I know that simply hardcoding the translation strings on the admin side, instead of using <code>__()</code> here, would solve the problem; but I'd prefer my translations to be translated all in the same way, using the same logic provided by wordpress. Hence I'd like to use an approach via the <code>__()</code>, if possible.</p>
| [
{
"answer_id": 393178,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 1,
"selected": false,
"text": "<blockquote>\n<p>What I now want to be able to do is set the locale for a function call\nof <code>__()</code>, to retrieve the translation you defined on your plugin's\n<code>.mo</code> for a translation which is different from the current locale.</p>\n</blockquote>\n<blockquote>\n<p>I'd prefer my translations to be translated all in the same way, using\nthe same logic provided by wordpress. Hence I'd like to use an\napproach via the <code>__()</code>, if possible.</p>\n</blockquote>\n<p><a href=\"https://developer.wordpress.org/reference/functions/__/\" rel=\"nofollow noreferrer\"><code>__()</code></a>, <a href=\"https://developer.wordpress.org/reference/functions/_e/\" rel=\"nofollow noreferrer\"><code>_e()</code></a>, <a href=\"https://developer.wordpress.org/reference/functions/_n/\" rel=\"nofollow noreferrer\"><code>_n()</code></a> and other core translation/gettext functions do not have a parameter for setting the <em>locale</em>, but just like how <a href=\"https://developer.wordpress.org/reference/functions/wp_new_user_notification/\" rel=\"nofollow noreferrer\"><code>wp_new_user_notification()</code></a> did it, you can use <a href=\"https://developer.wordpress.org/reference/functions/switch_to_locale/\" rel=\"nofollow noreferrer\"><code>switch_to_locale()</code></a> to manually (and just temporarily) switch to the target locale (like English in your example, which is a user-defined locale) and then just call <code>__()</code> or the relevant function to retrieve the translation in the locale which you've just switched to.</p>\n<p>So for example, you would do:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$switched_locale = switch_to_locale( get_user_locale() );\n// Or explicitly specify the locale:\n//$switched_locale = switch_to_locale( 'of-this-locale' );\n\n$foo = __( 'get-this-translation', 'of-this-text-domain' );\nerror_log( $foo );\n// or do whatever necessary..\n\nif ( $switched_locale ) {\n restore_previous_locale();\n}\n</code></pre>\n<h2>Update</h2>\n<p>Note that you need to re-load your plugin's translations after you've switched to a different locale and also after you've restored the original/previous locale.</p>\n<p>So you would call <a href=\"https://developer.wordpress.org/reference/functions/load_plugin_textdomain/\" rel=\"nofollow noreferrer\"><code>load_plugin_textdomain()</code></a> or <a href=\"https://developer.wordpress.org/reference/functions/load_muplugin_textdomain/\" rel=\"nofollow noreferrer\"><code>load_muplugin_textdomain()</code></a> like this:</p>\n<pre class=\"lang-php prettyprint-override\"><code>// So in your main plugin file, you might have something like:\nadd_action( 'init', 'your_plugin_load_textdomain' );\nfunction your_plugin_load_textdomain() {\n load_plugin_textdomain( 'your-domain', false,\n dirname( plugin_basename( __FILE__ ) ) . '/languages' );\n}\n\n// Then wherever you want to switch the current locale, call the above function\n// to re-load the plugin's translations.\nif ( $switched_locale = switch_to_locale( get_user_locale() ) ) {\n your_plugin_load_textdomain(); // call it here\n\n // do your gettext stuff, e.g.\n _e( 'Hello World!', 'your-domain' );\n\n restore_previous_locale();\n your_plugin_load_textdomain(); // and then here\n}\n</code></pre>\n<p>And if you want, you can try my plugins below to test the above functions (<code>switch_to_locale()</code> and <code>restore_previous_locale()</code>):</p>\n<ul>\n<li><p><a href=\"https://github.com/5ally/wpse-393178-de\" rel=\"nofollow noreferrer\">WPSE 393178 DE</a> β this plugin used German as the main/base language and the plugin came with two MO files, namely <code>wpse-393178-de-en_US.mo</code> and <code>wpse-393178-de-fr_FR.mo</code>.</p>\n</li>\n<li><p><a href=\"https://github.com/5ally/wpse-393178-en\" rel=\"nofollow noreferrer\">WPSE 393178 EN</a> β this plugin is essentially the same as the one above, except that the main language is English, and the MO files are <code>wpse-393178-en-de_DE.mo</code> and <code>wpse-393178-en-fr_FR.mo</code>.</p>\n</li>\n</ul>\n<p>So I hope that helps and to check whether the localization works correctly, just set your site or profile language to the opposite of the main language of those plugins and visit the plugin admin page (at <code>wp-admin</code> β Tools β "WPSE 393178 DE/EN"). (Both plugins can be activated at the same time)</p>\n"
},
{
"answer_id": 393283,
"author": "DevelJoe",
"author_id": 188571,
"author_profile": "https://wordpress.stackexchange.com/users/188571",
"pm_score": 0,
"selected": false,
"text": "<p>Alright so although I want to thank @Sally CJ's efforts; his / her solution unfortunately did have no effect on my output. After digging somewhat and reading through <a href=\"https://wordpress.stackexchange.com/questions/231685/how-to-get-a-translated-string-from-a-language-other-than-the-current-one\">this</a> post, I can now provide you with this solution, which worked like a charm (you may integrate this code in your plugins includes / php folder as a spearate file, worked for mine at least. I've added namespacing etc. so just use a not-yet used namespace name and you should be good to go):</p>\n<pre><code><?php\n// This script is used for special actions related to translations / locales\nnamespace YourNamespace;\n\n/*########################################################\n## TABLE OF CONTENTS ##\n##------------------------------------------------------##\n## 1. Switch locale used for muplugin translations ## \n##------------------------------------------------------##\n## 2. Reset locale used for muplugin translations ##\n########################################################*/\n\nif ( ! class_exists( 'YourNamespace\\LocalizationFeatures' ) ) {\n\n class LocalizationFeatures {\n\n /*########################################################\n ## 1. Switch locale used for muplugin translations ##\n #########################################################*/\n\n /**\n * If you're on a plugin's page with a loaded textdomain (let's say for\n * ex. english), and you want to retrieve translations from that plugins'\n * .mo files accessed via __(), _e(), etc. in another language (e.g. es)\n * you cannot achieve this via switch_locale() if your translations were\n * actually defined via a given text domain. What has to be done in this\n * case is to reload the textdomain in the targeted language, to update \n * global $l10n variable, which is used as resource for the gettext\n * translations wp retrieves.\n *\n * @param string $domain text domain to be reloaded in the specified\n * target language\n *\n * @param string $locale two-digit locale which determines to which\n * locale the function shall temp. switch;\n * one of:\n *\n * "de" (which switches to root locale)\n * "en" (which switches to locale en_GB)\n * "fr" (which switches to locale fr_FR)\n * "it" (which switches to locale it_IT)\n * "es" (which switches to locale es_ES)\n * "pt" (which switches to locale pt_PT)\n *\n * @param mixed value of global $l10n[{domain}] before the switch; false\n * if it was not set by then (which is the case if the page\n * was previously loaded in the website's default language)\n * ALWAYS REMEMBER TO RESET $l10n[{domain}] after executing\n * whatever needed to be executed after the switch!!! If it\n * was not set (i.e. if this value is false); make sure to\n * unset it again instead of reassigning it.\n * To facilitate this whole procedure, a second callback is\n * created; always to be called after the use of this one.\n */\n\n public static function switch_textdomain( $domain, $locale, $answer ) {\n\n // First of all, before switching, get the previous state of $l10n:\n global $l10n;\n $previous_language = isset( $l10n[$domain] ) ? $l10n[$domain] : false;\n\n // Next, if the target locale is the default language, there will be no\n // associated .mo - file to be loaded. To switch the textdomain being used\n // in this case, we have to remove the $l10n[$domain] from the $l10n array\n if ( $locale === "de" ) {\n\n unset( $l10n[$domain] );\n\n } else {\n\n // If the target locale is different from the default language; load the\n // according text domain\n $target_locale = "";\n\n switch ( $locale ) {\n\n case 'en':\n $target_locale = "en_GB";\n break;\n\n case 'fr':\n $target_locale = "fr_FR";\n break;\n\n case 'es':\n $target_locale = "es_ES";\n break;\n\n case 'pt':\n $target_locale = "pt_PT";\n break;\n\n case 'it':\n $target_locale = "it_IT";\n break;\n\n }\n\n if ( ! load_textdomain(\n $domain,\n WPMU_PLUGIN_DIR . "/{$domain}/languages/{$domain}-{$target_locale}.mo"\n ) ) {\n\n // output error feedback you may want\n\n }\n\n }\n\n return $previous_language;\n\n } // end of switch_textdomain() function definition\n\n /*##########################################################################\n ## 2. Reset locale used for muplugin translations (after calling 1.) ##\n ##########################################################################*/\n\n /**\n * This function is ALWAYS to be used after using self::switch_textdomain(),\n * to always reset the textdomain's language back to its previous state\n * before switching it; as soon as the wanted tasks have been executed.\n *\n * @param string $domain concerned text domain\n * @param mixed $previous_l10n state of global $l10n[$domain] b4 switch\n * corresponds to return value of\n * self::switch_textdomain()\n */\n\n public static function reset_textdomain( $domain, $previous_l10n ) {\n\n global $l10n;\n\n // If $previous_l10n is === false, this means that , before using\n // self::switch_textdomain(), the default language was being used, so to\n // reset it, we need to re-unset it, as it was set via\n // self::switch_textdomain()\n if ( $previous_l10n === false ) {\n\n unset( $l10n[$domain] );\n\n } else {\n\n // If it was previously set to something, reset it back to that\n $l10n[$domain] = $previous_l10n;\n\n }\n\n } // end of reset_textdomain() function definition\n\n } // end of LocalizationFeatures class definition\n\n} // loop which opens if there's currently no YourNamespace\\LocalizationFeatures class defined\n?>\n\n</code></pre>\n<p>Note that my code works for MU-plugins; but you should be able to reach the same for simple plugins by using the <code>WP_PLUGIN_DIR</code> constant instead of the <code>WPMU_PLUGIN_DIR</code>.</p>\n<p>I elaborated a summary of my thoughts which concluded from my research; feel free to correct them in case of any mistakes. I also could have made only one function 1. which resets back to the previous textdomain locale after you do whatever you want, for example with an additional parameter passed to 1. which is a callback with <code>*args</code> or whatever. This design just fit much better into my plugin for this project.</p>\n<p><em><strong>UPDATE</strong></em></p>\n<p>This solution does not seem to be perfect; as soon as you change the language of the admin user making use of the localized page(s); things get horribly buggy when it comes to dynamically retrieved localizations from the server. I could actually reproduce this issue in an environment which makes no use of the script here; which is why I think it may be an unrelated issue, but maybe also related; I'm quite confused tbh. For further details; plz check here: <a href=\"https://wordpress.stackexchange.com/questions/393291/changing-wp-admin-users-language-does-not-update-all-of-the-plugin-localization\">Changing wp admin user's language does not update all of the plugin localizations in backend</a>.</p>\n"
}
] | 2021/08/11 | [
"https://wordpress.stackexchange.com/questions/393175",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/188571/"
] | I developed several plugins which I localized using the standard approach with `__()` functions and the `.po` or rather the `.mo` files. All of this works like a charm.
What I now want to be able to do is set the locale for a function call of `__()`, to retrieve the translation you defined on your plugin's `.mo` for a translation which is different from the current locale. Example:
1. Let's say you're creating a user for your website in your wp admin, on a german wp admin page.
2. This user wants to have a profile in English.
3. In your wp admin, you've automated a mailing, such that, when a user gets created, he / she gets notified with an e-mail about that, in the language according to 2).
Problem: Mail contents are translated using `__()` too. So, when I create a user on a german admin page, the german version of the notification mail will be sent to the user, instead of the english one. So what I'm looking for is a solution to call the translation defined via your `.mo` files which is different from the current locale; and only for this single function call (like, not permanently change the locale due to this). Sth like:
```php
__( 'get-this-translation', 'of-this-text-domain', 'of-this-locale' );
```
instead of
`__( 'get-this-translation', 'of-this-text-domain' );`, which obviously always defaults to currently active locale; in the example above german.
I know that simply hardcoding the translation strings on the admin side, instead of using `__()` here, would solve the problem; but I'd prefer my translations to be translated all in the same way, using the same logic provided by wordpress. Hence I'd like to use an approach via the `__()`, if possible. | >
> What I now want to be able to do is set the locale for a function call
> of `__()`, to retrieve the translation you defined on your plugin's
> `.mo` for a translation which is different from the current locale.
>
>
>
>
> I'd prefer my translations to be translated all in the same way, using
> the same logic provided by wordpress. Hence I'd like to use an
> approach via the `__()`, if possible.
>
>
>
[`__()`](https://developer.wordpress.org/reference/functions/__/), [`_e()`](https://developer.wordpress.org/reference/functions/_e/), [`_n()`](https://developer.wordpress.org/reference/functions/_n/) and other core translation/gettext functions do not have a parameter for setting the *locale*, but just like how [`wp_new_user_notification()`](https://developer.wordpress.org/reference/functions/wp_new_user_notification/) did it, you can use [`switch_to_locale()`](https://developer.wordpress.org/reference/functions/switch_to_locale/) to manually (and just temporarily) switch to the target locale (like English in your example, which is a user-defined locale) and then just call `__()` or the relevant function to retrieve the translation in the locale which you've just switched to.
So for example, you would do:
```php
$switched_locale = switch_to_locale( get_user_locale() );
// Or explicitly specify the locale:
//$switched_locale = switch_to_locale( 'of-this-locale' );
$foo = __( 'get-this-translation', 'of-this-text-domain' );
error_log( $foo );
// or do whatever necessary..
if ( $switched_locale ) {
restore_previous_locale();
}
```
Update
------
Note that you need to re-load your plugin's translations after you've switched to a different locale and also after you've restored the original/previous locale.
So you would call [`load_plugin_textdomain()`](https://developer.wordpress.org/reference/functions/load_plugin_textdomain/) or [`load_muplugin_textdomain()`](https://developer.wordpress.org/reference/functions/load_muplugin_textdomain/) like this:
```php
// So in your main plugin file, you might have something like:
add_action( 'init', 'your_plugin_load_textdomain' );
function your_plugin_load_textdomain() {
load_plugin_textdomain( 'your-domain', false,
dirname( plugin_basename( __FILE__ ) ) . '/languages' );
}
// Then wherever you want to switch the current locale, call the above function
// to re-load the plugin's translations.
if ( $switched_locale = switch_to_locale( get_user_locale() ) ) {
your_plugin_load_textdomain(); // call it here
// do your gettext stuff, e.g.
_e( 'Hello World!', 'your-domain' );
restore_previous_locale();
your_plugin_load_textdomain(); // and then here
}
```
And if you want, you can try my plugins below to test the above functions (`switch_to_locale()` and `restore_previous_locale()`):
* [WPSE 393178 DE](https://github.com/5ally/wpse-393178-de) β this plugin used German as the main/base language and the plugin came with two MO files, namely `wpse-393178-de-en_US.mo` and `wpse-393178-de-fr_FR.mo`.
* [WPSE 393178 EN](https://github.com/5ally/wpse-393178-en) β this plugin is essentially the same as the one above, except that the main language is English, and the MO files are `wpse-393178-en-de_DE.mo` and `wpse-393178-en-fr_FR.mo`.
So I hope that helps and to check whether the localization works correctly, just set your site or profile language to the opposite of the main language of those plugins and visit the plugin admin page (at `wp-admin` β Tools β "WPSE 393178 DE/EN"). (Both plugins can be activated at the same time) |
393,189 | <p>I'm used to creating custom shortcodes through my child theme and Elementor, never a problem.</p>
<p>However this time something is wrong, when I inserted the shortcode widget in Elementor editor my code is correctly showing, but after saving I visit the page, its blank, like the shortcode was never processed.</p>
<p>Anyone have any idea of why this is happening?</p>
<p>This is the code where i create the shortcode:</p>
<pre><code> <?php
add_shortcode('test', function () {
ob_start();
require_once (locate_template('views/test.php'));
return ob_get_clean();
});
</code></pre>
<p>Inside the file views/test.php a simple form, nothing crazy.</p>
<p>This is the screen of Elementor editor where the shortcode is showing:</p>
<p><a href="https://i.stack.imgur.com/5GiDp.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/5GiDp.png" alt="enter image description here" /></a></p>
<p><a href="https://i.stack.imgur.com/3F2M7.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/3F2M7.png" alt="enter image description here" /></a></p>
<p>If i visit the page it's completely blank.</p>
| [
{
"answer_id": 393192,
"author": "Buttered_Toast",
"author_id": 192133,
"author_profile": "https://wordpress.stackexchange.com/users/192133",
"pm_score": 1,
"selected": false,
"text": "<p>The problem is with the <code>require_once</code>, you are passing a relative path and that path doesn't exist.</p>\n<p>Assuming the <code>test.php</code> file you want to require is in this path</p>\n<p><code>wp-content/themes/your-theme/views/test.php</code></p>\n<p>You can use the following</p>\n<pre class=\"lang-php prettyprint-override\"><code>require_once locate_template('views/test.php');\n</code></pre>\n<p>Consider using <code>include</code> instead of <code>require_one</code>, if this shortcode is not 100% necessary for your site to function, its best to use include as this way you will not receive a fatal error because that file doesn't exist.</p>\n"
},
{
"answer_id": 393193,
"author": "Sorius_45",
"author_id": 210103,
"author_profile": "https://wordpress.stackexchange.com/users/210103",
"pm_score": 0,
"selected": false,
"text": "<p>I find out the solution. Thanks for all the answers.</p>\n<p>This is the code now:</p>\n<pre><code>add_shortcode('test', function () {\n ob_start();\n include('views/test.php');\n return ob_get_clean();\n});\n</code></pre>\n<p>Now it shows up on frontend, i don't know why with <code>require_once</code> was not working, but if i use <code>include</code> it works fine.</p>\n"
}
] | 2021/08/12 | [
"https://wordpress.stackexchange.com/questions/393189",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/210103/"
] | I'm used to creating custom shortcodes through my child theme and Elementor, never a problem.
However this time something is wrong, when I inserted the shortcode widget in Elementor editor my code is correctly showing, but after saving I visit the page, its blank, like the shortcode was never processed.
Anyone have any idea of why this is happening?
This is the code where i create the shortcode:
```
<?php
add_shortcode('test', function () {
ob_start();
require_once (locate_template('views/test.php'));
return ob_get_clean();
});
```
Inside the file views/test.php a simple form, nothing crazy.
This is the screen of Elementor editor where the shortcode is showing:
[](https://i.stack.imgur.com/5GiDp.png)
[](https://i.stack.imgur.com/3F2M7.png)
If i visit the page it's completely blank. | The problem is with the `require_once`, you are passing a relative path and that path doesn't exist.
Assuming the `test.php` file you want to require is in this path
`wp-content/themes/your-theme/views/test.php`
You can use the following
```php
require_once locate_template('views/test.php');
```
Consider using `include` instead of `require_one`, if this shortcode is not 100% necessary for your site to function, its best to use include as this way you will not receive a fatal error because that file doesn't exist. |
393,237 | <p>I would like my website to point any URL</p>
<pre><code>website.com/about/
website.com/about/more/
</code></pre>
<p>to the homepage. However, I would also like to maintain the URL in the browser URL bar.</p>
<p>How can I achieve this?</p>
<p>A redirect can be achieved with</p>
<pre><code>RewriteRule .* / [L,R=301]
</code></pre>
<p>I have tried with</p>
<pre><code>RewriteRule .* / [L,NC]
</code></pre>
<p>but then wordpress displays the page /about/ rather than ignoring the URL and just showing the homepage.</p>
| [
{
"answer_id": 393192,
"author": "Buttered_Toast",
"author_id": 192133,
"author_profile": "https://wordpress.stackexchange.com/users/192133",
"pm_score": 1,
"selected": false,
"text": "<p>The problem is with the <code>require_once</code>, you are passing a relative path and that path doesn't exist.</p>\n<p>Assuming the <code>test.php</code> file you want to require is in this path</p>\n<p><code>wp-content/themes/your-theme/views/test.php</code></p>\n<p>You can use the following</p>\n<pre class=\"lang-php prettyprint-override\"><code>require_once locate_template('views/test.php');\n</code></pre>\n<p>Consider using <code>include</code> instead of <code>require_one</code>, if this shortcode is not 100% necessary for your site to function, its best to use include as this way you will not receive a fatal error because that file doesn't exist.</p>\n"
},
{
"answer_id": 393193,
"author": "Sorius_45",
"author_id": 210103,
"author_profile": "https://wordpress.stackexchange.com/users/210103",
"pm_score": 0,
"selected": false,
"text": "<p>I find out the solution. Thanks for all the answers.</p>\n<p>This is the code now:</p>\n<pre><code>add_shortcode('test', function () {\n ob_start();\n include('views/test.php');\n return ob_get_clean();\n});\n</code></pre>\n<p>Now it shows up on frontend, i don't know why with <code>require_once</code> was not working, but if i use <code>include</code> it works fine.</p>\n"
}
] | 2021/08/13 | [
"https://wordpress.stackexchange.com/questions/393237",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/210135/"
] | I would like my website to point any URL
```
website.com/about/
website.com/about/more/
```
to the homepage. However, I would also like to maintain the URL in the browser URL bar.
How can I achieve this?
A redirect can be achieved with
```
RewriteRule .* / [L,R=301]
```
I have tried with
```
RewriteRule .* / [L,NC]
```
but then wordpress displays the page /about/ rather than ignoring the URL and just showing the homepage. | The problem is with the `require_once`, you are passing a relative path and that path doesn't exist.
Assuming the `test.php` file you want to require is in this path
`wp-content/themes/your-theme/views/test.php`
You can use the following
```php
require_once locate_template('views/test.php');
```
Consider using `include` instead of `require_one`, if this shortcode is not 100% necessary for your site to function, its best to use include as this way you will not receive a fatal error because that file doesn't exist. |
393,260 | <p>I found a major bug inside our custom plugin, we simply adding the new rules and flushing the existing rewrite_rules on every page load("add_action('wp_loaded', 'flush_rules')"), which seems not a good practice. I am curious to know if there is any way to check the different between the existing rewrite_rules(already stored in DB ) and the latest rewrite_rules before calling to flush_rules() method? Most of the time, the existing and the latest rewrite_rules are the same.</p>
<p>Thanks,</p>
| [
{
"answer_id": 393270,
"author": "JCV",
"author_id": 206323,
"author_profile": "https://wordpress.stackexchange.com/users/206323",
"pm_score": 0,
"selected": false,
"text": "<p>You could add a flush rewrite only upon submitting a form:</p>\n<pre><code>if ( (isset($_POST['update_myform'])) && check_admin_referer('check_form', 'check_form') ) { \n\n flush_rewrite_rules(false);\n}\n</code></pre>\n<p>'false' ensures that <a href=\"https://developer.wordpress.org/reference/functions/flush_rewrite_rules/\" rel=\"nofollow noreferrer\">rules are only updated</a>, not totally rewritten.</p>\n<p>You can even further add conditional rules inside the if, such as making sure that a specific field has been submitted (and therefore narrowing down the number of times flush is triggered).</p>\n"
},
{
"answer_id": 393275,
"author": "Pat J",
"author_id": 16121,
"author_profile": "https://wordpress.stackexchange.com/users/16121",
"pm_score": 2,
"selected": true,
"text": "<p>Here's the trick I've been using:</p>\n<ul>\n<li>Use an array to store the rewrites</li>\n<li>Hash the array</li>\n<li>Store the hashed array as an option</li>\n<li>Check to see if the stored option matches the curret rewrite hash; if not, update the rewrites</li>\n</ul>\n<p>Greatly simplified code snippet (this is meant as a starting point, not a finished product):</p>\n<pre><code>add_action( 'init', 'wpse_393260_rewrites' );\nfunction wpse_393260_rewrites() {\n // Array of rewrites.\n $my_rewrites = array(\n 'foo/([a-z0-9-]+)[/]?$' => 'index.php?foo=$matches[1]',\n 'bar/([a-z0-9-]+)[/]?$' => 'index.php?bar=$matches[1]',\n // etc.\n );\n // Implements the rewrite rules.\n foreach ( $my_rewrites as $regex => $query ) {\n add_rewrite_rule( $regex, $query, 'top' );\n }\n // Hashes the $my_rewrites array.\n $hashed_rewrites = md5( serialize( $my_rewrites ) );\n // Gets the currently-active rewrites from the option.\n $my_current_rewrites = get_option( 'my_rewrites_option' );\n // If anything's changed, flush the rewrites and update the option.\n if ( $my_current_rewrites !== $hashed_rewrites ) {\n flush_rewrite_rules();\n update_option( 'my_rewrites_option', $hashed_rewrites );\n }\n}\n</code></pre>\n"
}
] | 2021/08/13 | [
"https://wordpress.stackexchange.com/questions/393260",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/173772/"
] | I found a major bug inside our custom plugin, we simply adding the new rules and flushing the existing rewrite\_rules on every page load("add\_action('wp\_loaded', 'flush\_rules')"), which seems not a good practice. I am curious to know if there is any way to check the different between the existing rewrite\_rules(already stored in DB ) and the latest rewrite\_rules before calling to flush\_rules() method? Most of the time, the existing and the latest rewrite\_rules are the same.
Thanks, | Here's the trick I've been using:
* Use an array to store the rewrites
* Hash the array
* Store the hashed array as an option
* Check to see if the stored option matches the curret rewrite hash; if not, update the rewrites
Greatly simplified code snippet (this is meant as a starting point, not a finished product):
```
add_action( 'init', 'wpse_393260_rewrites' );
function wpse_393260_rewrites() {
// Array of rewrites.
$my_rewrites = array(
'foo/([a-z0-9-]+)[/]?$' => 'index.php?foo=$matches[1]',
'bar/([a-z0-9-]+)[/]?$' => 'index.php?bar=$matches[1]',
// etc.
);
// Implements the rewrite rules.
foreach ( $my_rewrites as $regex => $query ) {
add_rewrite_rule( $regex, $query, 'top' );
}
// Hashes the $my_rewrites array.
$hashed_rewrites = md5( serialize( $my_rewrites ) );
// Gets the currently-active rewrites from the option.
$my_current_rewrites = get_option( 'my_rewrites_option' );
// If anything's changed, flush the rewrites and update the option.
if ( $my_current_rewrites !== $hashed_rewrites ) {
flush_rewrite_rules();
update_option( 'my_rewrites_option', $hashed_rewrites );
}
}
``` |
Subsets and Splits