INSTRUCTION
stringlengths 11
999
| RESPONSE
stringlengths 0
999
| SOURCE
stringlengths 16
38
| METADATA
dict |
---|---|---|---|
Why is my page displaying small A+Japanese character icons?
I have a Wordpress page that, upon load, displays a couple small icons in the left margin. When I left-click on them, they disappear. When I right-click, they appear to be a local Mozilla image under a moz-extension://<hash>/icons/512.png Does anyone know what these are and how to make them go away? The icons do not appear in Chrome or Edge.
I am a Wordpress novice, so please bear with me.
;
function limit_change_posts_archive($query){
if ( is_archive && is_tax( 'pdsh_categories' ) && is_term( 1858 ) {
$query->set('posts_per_page', -1);
}
return $query; | You can achieve it with `pre_get_posts`. With your current code there are multiple syntax errors. You have write it this way
add_filter('pre_get_posts', 'limit_change_posts_archive');
function limit_change_posts_archive($query){
if ( !is_admin() && $query->is_main_query() && is_archive() && is_tax( 'pdsh_categories' ) && is_term( 1858 )) {
$query->set('posts_per_page', -1);
}
return $query;
}
As `is_term` is deprecated a different approach can be like this:
add_filter('pre_get_posts', 'limit_change_posts_archive');
function limit_change_posts_archive($query){
if ( !is_admin() && $query->is_main_query() && is_archive() && is_tax( 'pdsh_categories', 1858 )) {
$query->set('posts_per_page', -1);
}
return $query;
}
Again this above code needs to be tested. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "custom post types, functions, custom post type archives"
} |
Snippet displaying LearnDash parent course title with lesson title
I am using LearnDash on my WordPress site, and have created the following snippet to get a list of all lessons:
function get_list_of_lessons_class(){
$args = array(
'post_type' => 'sfwd-lessons',
'posts_per_page' => -1,
'post_status' => 'publish',
);
$q = new WP_Query($args);
if ($q->have_posts()) :
while ($q->have_posts()) : $q->the_post();
the_title();
endwhile;
else:
;
wp_reset_postdata();
endif;
return $finalout;
}
add_shortcode('get_list_of_lessons', 'get_list_of_lessons_class');
Can anyone advise please how to display the course title of each lesson beside the lesson title?
Thank you. | You can get the current post's course ID from learndash_get_course_id(), e.g.
$course_id = learndash_get_course_id();
if (isset($course_id) && $course_id) echo esc_html(get_the_title($course_id));
Under the covers it's stored in a post meta value course_id, but you might as well use their helper function to read it. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": -1,
"tags": "plugins, custom post types"
} |
Hide custom post type by user roles
I created a custom post type ( Customers ) and i want to show posts of this post type just to the users with Customer role.
there is any way without or with plugin? | as @Tonydjukic mentioned, the best way is get user role first and then showing content to him.
also with this code we can do it :
$user = wp_get_current_user();
$allowed_roles = array( 'administrator', 'customer' );
if ( array_intersect( $allowed_roles, $user->roles ) ) {
} | stackexchange-wordpress | {
"answer_score": 2,
"question_score": 0,
"tags": "plugin development, users, user roles"
} |
How to write conditions based on user capabilities not on user role?
How to write conditions on capabilities not on user role? | With current_user_can(), or $user->has_cap() for other users:.
if ( ! current_user_can( 'delete_post', $post_id ) ) {
wp_die( __( 'Sorry, you are not allowed to move this item to the Trash.' ) );
} | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "user roles, capabilities"
} |
Thumbnail is showing outside its div instead of inside it
I'm echoing the post thumbnail here:
echo '<div class="post-image right">' . the_post_thumbnail('featured-portrait-large') . '</div>';
And it works, but it's outputting the image outside the div like this:
<div class="post-header-text">
<img width="500" height="700" src="[IMAGE URL DELETED]" class="attachment-featured-portrait-large size-featured-portrait-large wp-post-image" alt="" loading="lazy">
<div class="post-image right"></div>
</div>
What I want is:
<div class="post-header-text">
<div class="post-image right">
<img width="500" height="700" src="[IMAGE URL DELETED]" class="attachment-featured-portrait-large size-featured-portrait-large wp-post-image" alt="" loading="lazy">
</div>
</div>
Could someone explain why and what I've done wrong? | `the_post_thumbnail()` echo the output, hence that's why the thumbnail is misplaced.
To manually echo the output, you should use `get_the_post_thumbnail()` instead:
echo '<div class="post-image right">' . // wrapped
get_the_post_thumbnail(null, 'featured-portrait-large') . '</div>';
Or you can instead do this:
echo '<div class="post-image right">';
the_post_thumbnail('featured-portrait-large');
echo '</div>'; | stackexchange-wordpress | {
"answer_score": 2,
"question_score": 0,
"tags": "post thumbnails, thumbnails"
} |
How to add custom JavaScript in functions?
I want to write some JavaScript and want to assign that to a custom capability, I explored a lot but unfortunately none of them worked, any help will be appriciated.
My codes are as below:
add_action('init', function() {
if (current_user_can('disable_image'))
{
//add javascript here
}
}); | function admin_footer_hook(){
?>
<script type="text/javascript">
</script>
<?php
}
add_action( 'admin_footer-post.php', 'admin_footer_hook' ); | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "functions, filters, user roles, capabilities"
} |
How I can change the condition or compare operator for WP_Query in pre_get_posts
So here is my problem I want to show Posts if have same category if not have post then show post of same tag. And to do that I am using "pre_get_posts" action. and setting query like following.
function related_custom_posts($query){
$query->set( 'category__in', array(2,3) );
$query->set( 'tag__in', array(10,13) );
}
add_action( 'pre_get_posts', 'related_custom_posts', 1 );
But it create sql like this `AND ( wp_term_relationships.term_taxonomy_id IN (2) AND tt1.term_taxonomy_id IN (11) )` but i need this with OR condition `AND ( wp_term_relationships.term_taxonomy_id IN (2) OR tt1.term_taxonomy_id IN (11) )`
Thanks in advance. | You can achieve the OR relation using the `tax_query` argument like so:
$query->set( 'tax_query', array(
'relation' => 'OR',
array(
'taxonomy' => 'category',
'terms' => array( 2, 3 ),
),
array(
'taxonomy' => 'post_tag',
'terms' => array( 10, 13 ),
),
) ); | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "wp query, mysql, get posts, sql, pre get posts"
} |
WP Core: Where are terms populated for the admin edit screen?
I am trying to understand how the Admin Tables are populated (for posts, users, plugins...).
With Terms/Taxonomies I am confused. In the _/wp-admin/edit-tags.php_ file everything is normal until we reach the `$wp_list_table->prepare_items()` method (where an `$args` is set up to later on go fetch data), but from there on I don't understand where the actual database query takes place.
Looking at the WP Users List Table's `prepare_items()` method, it's quite clear:
$wp_user_search = new WP_User_Query($args);
$this->items = $wp_user_search->get_results();
So I expected a similar approach for Terms, but looking at the WP Terms List Table class, you can find:
public function has_items(){
// todo: populate $this->items in prepare_items()
return true;
}
Which means that the items are loaded somewhere else. But where? | The items are loaded via `get_terms()` (see source on Trac) in the `display_rows_or_placeholder()` method which is called in the `display()` method which is called in `wp-admin/edit-tags.php` (see source on Trac). But the `$items` property is never populated with the terms. | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 1,
"tags": "core"
} |
Use of Folders within Wordpress
Is it possible to use folders within our WordPress site for the content such as pages/posts organization? Any issue in doing this?
We would like to use the folders to group related pages & content, so that we can set up tools (live chat, website forms, etc...) to route inquires to the appropriate departments based on which folder the inquiry was generated from, or being able to analyze the data in google analytics by folder.
I've been told this is not possible or creates problems with themes and other site management tools within WordPress, which doesn't seem correct to me.
Currently, all pages are located after the root domain such as acme.com/....
Ideally, we would like to organize our site like the example below.
acme.com/products/...
acme.com/services/...
acme.com/jobs/...
acme.com/about_us/...
acme.com/blog/... | There are no "folders" in the CMS as the content is stored in a set of database tables, unless your site is created with the content inside the templates and not the content editor.
A parent -> child page structure is possible and easy to organize. Simply assign the second level pages to a common parent for organizing as you detail in your question.
There is a good explanation of that relationship in the documentation here: < | stackexchange-wordpress | {
"answer_score": 2,
"question_score": 0,
"tags": "directory"
} |
How to put an array in is_category
I try to put an array in a is_category():
I have my array like this
$term_id = 7;
$taxonomy_name = 'category';
$termchildren = get_term_children( $term_id, $taxonomy_name);
$mycategory= array();
foreach ( $termchildren as $child ) {
$term = get_term_by( 'id', $child, $taxonomy_name);
$mycategory[] = $term->term_id;
}
$mycategory = Array ( [0] => 23 [1] => 33 [2] => 37 [3] => 54 [4] => 56 [5] => 58 [6] => 60 [7] => 62 [8] => 64 [9] => 66 [10] => 68 [11] => 70 [12] => 72 [13] => 74 [14] => 76 )
Now when i put my code
if(is_category(array($mycategory))):
//echo 'it\'s work';
else:
//echo 'nope';
endif;
It's don't work
Thanks for help | Try:
$mycategory = array(23, 33, 37);
if( is_category( $mycategory ) ) {
echo 'yes';
} else {
echo 'no';
}
is_category returns true if there are _any_ matches.
You could try this:
...
$term = get_term_by( 'id', $child, $taxonomy_name);
if ( is_category( $term->term_id ) ) {
$mycategory[] = $term->term_id;
} | stackexchange-wordpress | {
"answer_score": 2,
"question_score": 0,
"tags": "categories"
} |
Dash after page title
In the "Pages" section of the WordPress admin panel, after some of the page titles, I see these long dashes and a note(s) of some kind: "Privacy Policy Page", "Front Page, Elementor", etc.
1. What are these "notes"?
2. How do I edit them?
;`, and lost. (If you view page source in your browser you should be able to see this: the tags after your MathJax-script tag have no syntax highlighting.)
I don't know where that `<script>` tag came from but you should generate add a `</script>` close tag after it to close it properly.
<script type="text/javascript" id="MathJax-script" async
src=" | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "design"
} |
How to get post revisions in my custom rest API?
I want to fetch all post revisions for my posts. | From just looking at your snippet you're not actually setting `$post_revisions` to any value before assigning it to your `$post_data` array | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "functions, rest api, revisions"
} |
Change permalink structure hidden button edit
I created the function below that changes the permalink structure of posts in a specific category. Everything is working, but the button inside the post to edit the slug is gone.
Print edit button image
;
function idinheiro_custom_permalink( $permalink, $post ) {
$category = get_the_category($post->ID);
if ( !empty($category) && $category[0]->slug == "negocios" ) {
$permalink = trailingslashit( home_url('/'. $category[0]->slug . '/' . $post->post_name .'/' ) );
}
return $permalink;
} | The `post_link` hook has a third parameter named `$leavename`:
> **$leavename**
> _(bool)_ Whether to keep the post name.
So what that means is, if `$leavename` is `true`, then the post name/slug should be kept in the permalink and thus it needs to contain `%postname%` (or `%pagename%` for the `page` post type) instead of being replaced with the actual post slug (or something else).
Because if that placeholder is missing, the permalink will become non-editable on the post editing screen, therefore the Edit button is disabled. (See `get_sample_permalink_html()`, specifically this part, and that function is the one which generates the post permalink editor)
So to fix the issue, define the variable: `function idinheiro_custom_permalink( $permalink, $post, $leavename )` and change the `'/' . $post->post_name .'/'` to:
'/' . ( $leavename ? '%postname%' : $post->post_name ) .'/' | stackexchange-wordpress | {
"answer_score": 2,
"question_score": 1,
"tags": "plugins, permalinks, filters, hooks"
} |
input data and output table
I need a solution to do this with WP.
In admin: I need to input data into database (name, surname, certification, level, date of issue).
In Frontend: client can use a specific search field to search within the inserted data and get a table with the results. (name, surname, certification, level, date of issue).
Any module can do this please. | Finally done with installing "TablePress" and its extension "Inverted Filter" and making some code edits
please follow this for more details
<
< | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 1,
"tags": "database, search, table, input"
} |
How to keep the capability of users and disable Gutenberg editor in WordPress?
I disabled Gutenberg web builder/ editor using the following code:
add_filter( 'use_block_editor_for_post', '__return_false' );
Somehow this impacted contributor's capability to submit post for review, now contributor's posts are not asking any approval. I tried to remove the capability manually, by writing this code,
$role->remove_cap( 'publish_posts' );
but this code also has no effect at all.
It seems a WordPress bug, any suggestion?? It's showing the same results with < plugin too.
;
function re_aprove( $data, $postarr ) {
//check if current user is not admin
if ( ! current_user_can( 'manage_options' ) ) {
if ( 'publish' === $data['post_status'] ) {
$data['post_status'] = 'pending';
}
}
return $data;
} | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "php, functions, user roles, block editor, capabilities"
} |
What's the recommended Gutenberg component for adding a URL, in the toolbar/sidebar?
I have a custom block that needs a URL attribute. I figured it made sense to set the URL in the sidebar or the toolbar, but I can't find a way to do it. I've tried:
**LinkControl**
Still experimental, and doesn't fit in the sidebar:
 =>
select('core').getEntityRecord( 'postType', 'page', 42 )
);
My question is, is there a similar selector for when you don't know the post type of a post beforehand? I have a meta field that stores an array of post ids of different post types and right now I'm unable to get the full post objects.
Any ideas? | > My question is, is there a similar selector for when you don't know the post type of a post beforehand?
No, at the current time of writing there is not.
The fundamental problem is that the REST API doesn't provide a generic mechanism for getting a post type given a post ID. You can retrieve a post and it will say `post` but to do this you need to know the type in advance to hit the correct URL.
Since the entity Record API relies on these endpoints, there technically are no post IDs. There's a page record with an ID, or a post record with an ID, etc
So if you want to do this properly, you need to either save the post type, restrict the types allowed for that meta field, or loop through the different entity types to see which ones return a 404 and which one doesn't. | stackexchange-wordpress | {
"answer_score": 3,
"question_score": 3,
"tags": "custom field, javascript, hooks, block editor"
} |
wp-admin edit user url wont show up correct url
was expecting the **edit** url (shot below) would point me to something like:
website.co/wp-admin/user-edit.php?user_id=7&wp_http_referer=%2Fwp-admin%2Fusers.php <\-- expected url
Instead of
website.co/my-account/edit-account/&wp_http_referer=%2Fwp-admin%2Fusers.php <\-- ended up here
Also, I've read through some forums it might conflict with woocommerce or other plugins but tried to disabling all those plugins and still gave me the wrong link. Did I missing something? thanks
;
...
function.php
add_action ('phpmailer_init', 'my_phpmailer_example');
function my_phpmailer_example ($phpmailer) {
$phpmailer-> From = SMTP_FROM;
//My new definition.
$phpmailer->addReplyTo('[email protected] ',' Information ');
...
} | Depending on your setup and other specifics to your use case, you may want to clear any previous reply addresses. You can do this with `$phpMailer->ClearReplyTos()`. For example:
add_action ('phpmailer_init', 'my_phpmailer_example');
function my_phpmailer_example ($phpmailer) {
$phpmailer->ClearReplyTos();
$phpmailer->addReplyTo('[email protected]', 'EXAMPLE');
}
Also, if your example code in your question is exactly what you're using, you need to be careful of a few things:
1. Make sure your variables are right. For example, the argument in your function is `$ phpmailer` <-note the space If you have it like that, that could be the source of your problem. Fix the space (i.e. `$phpmailer`)
2. The line for your `$phpmailer->AddReplyTo()` is commented out. Is that intentional? With the comment ("//"), that line will not doing anything. | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 1,
"tags": "wp mail, phpmailer"
} |
Javascript embedded disappears for editors
WP multisite installation ver 5.2.11
Plugin Advanced Access Manager 6.5.4 licensed
This plugin creates and manages different level of users with different privileges. Already asked to the seller's customer service without replies
We frequently inserted an embedded code as this:
`<div id="buzzsprout-player-8580256"></div>`
`<script src=" type="text/javascript" charset="utf-8"></script>`
We created a lower level of access for some specific editors.
For them the code embedded looses the script: after saving the page the code remains only made by the div
`<div id="buzzsprout-player-8580256"></div>`
Why does it loose the script?
What could we do to avoid this issue? | WordPress Multisite disallows the `unfiltered_html` capability for non-super-admin (ie, any users who are not capable of performing network administration). Anyone without the `unfiltered_html` capability will _not_ be able to save post content with disallowed HTML tags, including `<script>` tags.
A quick search shows that there have been attempts at modifying this behaviour, but they may have been invalidated by subsequent updates to WordPress core.
See this answer for a possible solution (though it may not work anymore.) | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "plugins, multisite, javascript, embed"
} |
how to save checkbox data for custom setting?
I am creating one custom setting panel, my codes are
function custom_text_field_html(){
$text = get_option( 'homepage_text' );
printf(
'<input type="text" id="homepage_text" name="homepage_text" value="%s" />',
esc_attr( $text )
);
}
function custom_checkbox_field_html(){
$checkbox = get_option( 'disabletitle_text' );
printf(
'<input type="checkbox" id="disabletitle_text" name="disabletitle_text" value="1" />',
esc_attr( $checkbox )
);
}
my checkbox data is not saving, how to save checkbox data like 'text field', so that I can call them in functions, if someone checked the field 'enable that function', if someone 'not checked the field', disable the function.
I referred this < but it's showing error in my case | Your checkbox data is saved as `1` or `''` if someone checked or unchecked it.
you can also verify this using `var_dump($checkbox)` inside `custom_checkbox_field_html` function
This should work.
function custom_checkbox_field_html(){
$checkbox = get_option( 'disabletitle_text' );
$is_checked = ( $checkbox != '' && $checkbox == 1 ) ? 'checked': '';
printf(
'<input type="checkbox" id="disabletitle_text" name="disabletitle_text" value="1" %s/>',
esc_attr( $is_checked )
);
} | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "php, plugin development, functions, admin menu, settings api"
} |
How to 'clone' select metabox options with a callback function?
Here is my metabox
array(
'id' => 'all_btns',
'name' => 'Button Select',
'type' => 'select',
'options' => array(
'button' => 'Button',
'button_red' => 'Button Red',
'button_yellow' => 'Button Yellow',
),
'callback' => 'metabox_clone_options',
),
I want to clone this **options** to another metabox array | Add a simple function in your functions.php file.
function get_button_styles(){
return array(
'button' => 'Button',
'button_red' => 'Button Red',
'button_yellow' => 'Button Yellow',
);
}
Use it to get button styles in different metabox fields
array(
'id' => 'all_btns',
'name' => 'Button Select',
'type' => 'select',
'options' => get_button_styles(),
'callback' => 'metabox_clone_options',
), | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "metabox, callbacks"
} |
Implementing a modal(lightbox) for all images in all post-gallery posts
I'm trying to make a photo gallery page for all my photos in my post-gallery post and have a modal open when you click on the photos. In the page there will probably be almost 100 photos and i'm not sure how to do this in a good way without duplicating the code for the modal 100x. I have considered using plugins but i'd doing this as part of making my own website and learning developing wordpress themes so i'd prefer if the solution is done with code.
Something Best practice solution for this situation would be great!
I would appreciate tips in how to do this! | i've found a solution for this using jquery. i set up an event that when you click on an image it opens a modal and gets the url of the image from the gallery and places it to the img tag in the modal. it works alright but it feels like a workaround atm | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "images, gallery, media modal"
} |
Where does Wordpress get the theme name from to check for updates?
I'm using a customised version of a commercial theme, with a lot of stuff in it.
I've changed style.css to only have:
/*!
Theme Name: A quite unique theme name
Theme URI:
Version: 1.0.0
Description: Unique description
*/
Wordpress still finds an 'update' for the theme using the original name of the theme from the vendor. Wordpress says the current version is 1.0.0, which matches the style.css header.
Where is it getting the name from in order to look up the update?
Thanks! | It's the directory name.
If your theme is in `wp-content/themes/my-theme`, then the theme name is `my-theme`. | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "themes, automatic updates"
} |
Setting fallback (default) image to featured image block
I was trying to make a block based theme and encountered a problem trying to set a default featured image in case some posts do not have them.
Basically, we used to do this in php
<?php if ( has_post_thumbnail() ) {
the_post_thumbnail();
} else { ?>
<img src="<?php bloginfo('template_directory'); ?>/images/default-image.jpg" alt="<?php the_title(); ?>" />
<?php } ?>
But now with blocks, themes are html and all I can see is
<!-- wp:post-featured-image {"isLink":true} /-->
I couldn't find any other parameters here nor an if/else block so I could just add a plain html.
If anyone has done this, that would be of great help.
Thanks. | I don't know if you're still looking for a solution, but you can use the post_thumbnail_html filter in you php file to return a fallback; like so.
/**
* Set the default image if none exists.
*
* @param string $html The post thumbnail HTML.
* @param int $post_id The post ID.
* @param int $post_thumbnail_id The post thumbnail ID.
* @return html
*/
public function wp_893874_fallback_post_thumbnail_html( $html, $post_id, $post_thumbnail_id ) {
if ( empty( $html ) ) {
$html = '<img src=" width="400" height="200" loading="lazy" alt="' . get_the_title( $post_id ) . '" />';
}
return $html;
}
add_filter( 'post_thumbnail_html', 'wp_893874_fallback_post_thumbnail_html', 5, 3 ); | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 1,
"tags": "post thumbnails"
} |
Fix error Gravatar alt
add_filter( 'get_avatar' , 'alt_name_avatar');
function alt_name_avatar( $avatar ) {
$alt = get_comment_author();
$avatar = str_replace('alt=\'\'','alt=\'Avatar for '.$alt.'\' title=\'Avatar for '.$alt.'\'',$avatar);
return $avatar;
}
This code works but throws an error.
PHP Notice: Trying to get property 'user_id' of non-object in .../wp-includes/comment-template.php on line 28
PHP Notice: Trying to get property 'comment_ID' of non-object in .../wp-includes/comment-template.php on line 48
How to fix.
**P.S.** i use on all pages recent comments with Gravatar in the sidebar
Sorry for my English. | You don't check anywhere that you're viewing a comment when you use `get_comment_author();`. The `get_avatar()` function is used in a lot of places in WordPress; your code seems to assume it's _only_ in use on comments.
Try this (the code is untested, but should work, I think):
add_filter( 'get_avatar' , 'alt_name_avatar');
function alt_name_avatar( $avatar ) {
if ( null === get_comment() ) {
// This isn't a comment.
return $avatar;
}
$alt = get_comment_author();
$avatar = str_replace('alt=\'\'','alt=\'Avatar for '.$alt.'\' title=\'Avatar for '.$alt.'\'',$avatar);
return $avatar;
}
There doesn't seem to be a simple `is_comment()` check to see if we're viewing a comment, so I've chosen to test `get_comment()`, which will return `null` if we're not in a comment. | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "php"
} |
CSS properties in textarea in the Customizer
I am trying to create a custom field (text/CSS code in textarea) that include the CSS suggestion like Additional CSS in the customizer: <
Does everybody has experience with that?
I need any solution like the above screenshot here: < | As it happens, I was literally just doing some stuff with the customizer.
You can use the following class to get what you need..
WP_Customize_Code_Editor_Control
I'll include it in the control ready to go.
$wp_customize->add_control( new WP_Customize_Code_Editor_Control( $wp_customize, 'favorite_html', array(
'label' => 'Theme CSS',
'description' => '',
'code_type' => 'text/css',
'section' => 'section_id',
'settings' => 'settings_control'
))); | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "css, theme customizer, code, esc textarea"
} |
Code snippet to display ID gives critical error
Based on this post, I added the code snippet below to my Wordpress site, as to display the ID in the Posts section of each post. However, it returns "critical error". Any idea what is wrong with this code?
add_filter( 'manage_posts_columns', 'column_register_wpse_101322' );
add_filter( 'manage_posts_custom_column', 'column_display_wpse_101322', 10, 3 );
function column_register_wpse_101322( $columns ) {
$columns['uid'] = 'ID';
return $columns;
}
function column_display_wpse_101322( $empty, $column_name, $post_id ) {
if ('uid' != $column_name) {return $empty;}
return "$post_id";
} | Unfortunately you can't just copy code that plays a completely different role and replace `users` with `posts` and somehow expect this to do what you want it. The reason you get a fatal error is because you're passing in too many arguments (3) to the filter, when there are only 2 supplied.
Here's the code to achieve what you need, if I understand you correctly:
add_filter( 'manage_posts_columns', 'column_register_wpse_101322' );
add_action( 'manage_posts_custom_column', 'column_display_wpse_101322', 10, 2 );
function column_register_wpse_101322( $columns ) {
$columns[ 'uid' ] = 'ID';
return $columns;
}
function column_display_wpse_101322( $column_name, $post_id ) {
if ( 'uid' === $column_name ) {
echo $post_id;
}
} | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "errors"
} |
Using OR Condition with facetwp facets
I am using **facetwp** plugin in my site and i want to work with facets using **OR** condition as the checkbox facet type works using AND condition by default.
I am using a custom taxonomy to filter my posts and want them to filter using above condition. | You can set this on the facet settings section with the "Behavior" parameter. More info on the FacetWP documentation. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "plugins, plugin development, filters"
} |
How to know whether you are editing a page or a post?
I have different styles applied to pages (I hide the title for them) and posts (I don't want to hide the title here, but style the date of the post). I want to style them differently, which ist possible on the site itself. But in the editor I don't seem to have the possibility to distinguish between pages and posts.
There is no css-class in an upper element which indicates whether I am editing a page or a post which I could use in my css.
How can i know what I am editing in the editor - a page or a post. It's driving me crazy - there must be a way to know this. | You can use the `admin_body_class` hook to add your own CSS classes. For example (if you're using Gutenberg):
function pb_admin_body_class($classes) {
$screen = get_current_screen();
if (!$screen->is_block_editor()) {
return $classes;
}
$post_id = isset($_GET['post']) ? intval($_GET['post']) : false;
$post_type = get_post_type($post_id);
if ($post_type) {
$classes .= $post_type;
}
return $classes;
}
add_filter('admin_body_class', 'pb_admin_body_class'); | stackexchange-wordpress | {
"answer_score": 2,
"question_score": 1,
"tags": "block editor"
} |
WooCommerce sort by SKU
So, I've tried < on my website. It works good, as long as all the products have SKU. If a product doesn't have SKU, it's not displayed at all.
This being said, is there any other way to sort by SKU but not require product to actually have SKU? | To use with woocommerce plugin and theme already css and code.
$args = array(
'post_type' => 'product',
'post_status' => 'publish',
'posts_per_page' => -1,
'meta_key' => '_sku',
'orderby' => 'meta_value',
'order' => 'DESC',
);
query_posts( $args );
if( have_posts() ) :
while (have_posts()): the_post();
wc_get_template_part( 'content', 'product' );
endwhile;
endif;
wp_reset_query(); | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "wp query"
} |
the_content filter - checking the post
I wanted to use the_content filter to check the post categories. If a post has certain categories selected, depending on the user I want to return a message saying something like 'Sorry, you cannot view this', rather than the content itself.
Having added the filter though, have discovered, the_content filter does not pass the post id or post into the function, so I cannot check the post to see if the conditions are met.
Can anyone suggest a way of doing this, without updating all the page templates? | You'll need to rely on the global post variable, or `get_post()`, which is essentially the same thing.
add_filter(
'the_content',
function( $content ) {
$post = get_post();
if ( in_the_loop() && has_category( 123, $post ) ) {
// etc.
}
return $content;
}
);
I included a check for `in_the_loop()`, because the `the_content` filter is commonly applied outside the loop in contexts where there won't necessarily be a relevant global `$post` variable. | stackexchange-wordpress | {
"answer_score": 4,
"question_score": 1,
"tags": "filters, the content"
} |
get_search_form() and aria_label
How do you pass the aria_label parameter to get_search_form()?
I can't seem to pass the 'aria_label' parameter to get_search_form() in the correct way and can't find any examples. Lots with the first parameter 'echo' which works as in the documentation, but nothing I've tried for aria_label has made the search form add aria labels. | You can pass an array of attributes with `aria_label` attribute in it.
Try this:
get_search_form(array('aria_label' => 'search-form'));
This function gets a form from `searchform.php` by default and if you have this file in your theme and aria-label still missing, you need to check the code in this file. Sometimes developers do not include an option to set an aria-label. | stackexchange-wordpress | {
"answer_score": 2,
"question_score": 0,
"tags": "theme development, accessibility"
} |
WordPress login doesn't work when using preview domain
We've recently moved providers for our WordPress website and can preview the website using `hosts.cx` or editing our hosts file to point at the new server IP address before we change the A records for our domain to point at the new website.
However we've found that the login doesn't work... just reports that the username and password are incorrect (even though we copied the users etc from the current site intact).
Does WordPress do anything / have any sort of configuration that could cause this? We spoke to our hosting provider and they claim that it needs the DNS for the domain changing before the login will work properly but this seems a bit weird considering the rest of the site works fine and we've never had issues with other PHP or even Ruby apps when previewing them like this... so does WordPress have something in place that could cause this? | Turns out this is a total lie from the host company (or a misunderstanding on the part of the support people) as I managed to get access to the database and manually update the password hash and then it worked fine. So seems something somewhere has been changed by them. | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "login"
} |
how to get random media id from media gallery
I tried to get random media id from wordpress media gallery using this:
$image_ids = get_posts(
array(
'post_type' => 'attachment',
'post_mime_type' => 'image',
'post_status' => 'inherit',
'posts_per_page' => -1
)
);
// based on the number of image_ids retrieved, generate a random number within bounds.
$num_of_images = count($image_ids);
$random_index = rand(0, $num_of_images);
$random_image_id = $image_ids[$random_index];
// now that we have a random_image_id, lets fetch the image itself.
$media_id = get_post($random_image_id);
But it won't work properly.
Is there any way to get media id randonly? | You can use `get_posts()` function to get random post, without additional php manipulation.
Just change default orderby attribute to "rand" and set number of posts attribute equals to "1".
$image = get_posts(
array(
'orderby' => 'rand', //random order
'numberposts' => 1, // numberposts, not posts_per_page
'post_type' => 'attachment',
'post_mime_type' => 'image',
'post_status' => 'inherit'
)
);
//for testing purposes
echo $image[0]->ID; | stackexchange-wordpress | {
"answer_score": 2,
"question_score": 0,
"tags": "attachments, media library"
} |
How to hide a page in wordpress made for menu
I'm trying to completely disable access to my parents page menu. For example, I have a menu made like this : parent page -> child page 1 -> child page 2
I made a real page for 'parent page' because my backend is better organized. But I don't want that my customers go to www.mysite/parent-page
I tried to put that page in "private" but then on my breadcrumbs child page 1 I have : "home > parent page(private) > child page 1
I don't want it to display the private I just want my parent page in 404 if someone tries to go in.
I hope I was clear. Thank's ! | Just create a custom template template-redirect-home.php and assign it to that page and redirect to homepage on load with sth like this:
add_action( 'template_redirect', function(){
if(is_page_template('template-redirect-home.php')){
wp_safe_redirect( get_home_url(), 301, '');
}
});
You can also use Custom links in the menu to not access the page directly from the menu. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "pages, private"
} |
How can I override file featured-image-first.php of Avada theme
I use the Avada theme, and I have created a child theme (Customweb) for it.
I tried to override the file:
`wp-content/themes/Avada/includes/lib/inc/templates/featured-image-first.php`
And I try create that file in at:
`wp-content/themes/Customweb/includes/lib/inc/templates/featured-image-first.php`
But it doesn't work.
Thank you for your help. | Child themes let you override templates loaded via WordPress' template loading mechanism, e.g. `get_template_part` or the main theme templates such as `index.php` and `single.php`.
_**But they can't be used to replace arbitrary PHP files or assets.**_
If a theme loads a template file using `require` or `include`, WordPress cannot intercept this and replace it with a child theme version.
If this is the case, then you will need to find an alternative method to achieve your goal. Check with the themes documentation, the author may have provided a method to do this, such as an option or filter, or you may need to fork the theme. | stackexchange-wordpress | {
"answer_score": 4,
"question_score": 1,
"tags": "child theme, theme customizer"
} |
How can I create a shortcode to show the number of posts of actual day?
I want to create a shortcode to display the posts posted on actual day.
I found this code: show number of posts posted today And I'm trying with it, but return 0
function ts_day_f() {
// we get the date for today
$today = getdate();
//we set the variables, i am ignoring sticky posts so they dont get counted
$args = array(
'ignore_sticky_posts' => 1,
'posts_per_page' => -1, //all posts
'date_query' => array(
array(
'year' => $today["year"],
'month' => $today["mon"],
'day' => $today["mday"],
),
),
);
//we create the query
$today_posts = new WP_Query( $args );
//the result already has a property with the number of posts returned
$count = $today_posts->post_count;
//show it
return $count;
}
add_shortcode('ts_day','ts_day_f');
Any idea? | I tried some codes, and I think finally works after several tries:
function ts_day_f() {
$posts= get_posts(array(
'numberposts' => -1,
'post_status' => 'publish',
'orderby' => 'date',
'order' => 'DESC',
'date_query' => array(
'column' => 'post_date',
'after' => 'today',
'before' => 'tomorrow - 1 second',
)
));
if ( is_user_logged_in()) {
//return count($posts);
$c = count($posts);
return "Today: <span style=\"font-size: 1.5em;\">" .$c. "</span> posts.";
}
else {
return $null;
}
}
add_shortcode('ts_day','ts_day_f');
Additionally with the function to show only to users log in. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "posts, shortcode, code"
} |
Two Filter Issue
I've noticed that on certain pages, two filters appear in the top right. One is styled properly (the bottom one), and the other isn't. I'd like to remove the top one (which isn't styled properly). Is there some CSS I can add to remove it?
Here are some sample URL's:
<
<
Thanks! | select.s-hidden {display: none !important;}
just add that on your style.css, it should be hiding the top one. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "woocommerce offtopic, filters, css"
} |
Enable Update button only when password is shown strong
Would like to find out here if there is any way I can disable the "Update" button under "Account Management" and enable it until a Strong password is detected as shown in the screenshot?
;
if ( ! function_exists( 'custom_handler_for_pass_js' ) ) {
function custom_handler_for_pass_js()
{
?>
<script type="text/javascript">
jQuery( document ).ready(function() {
jQuery('.wp-generate-pw').click(function(){
jQuery("#pass1").keyup(function(){
if(jQuery( "#pass1" ).hasClass( "strong" )){
jQuery('#submit').prop('disabled', false);
}else{
jQuery('#submit').prop('disabled', true);
}
});
});
});
</script>
<?php
}}
This code is working, if it's not working in your WP please check for a class name and make sure they are matching. In case of any issue let me know. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 1,
"tags": "password, profiles"
} |
Where to add this code for a Modal box to work?
Hi im using WordPress and was given this code below to add to a website but unsure where I need to add it in order for it work as a Modal or if there is a plugin i can use to add this code. Any help would be greatly appreciated.
; | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "css, html"
} |
Override plugin styles via my custom theme
So as not to rewrite the plugin interface styles or modify the current ones, I want to add new styles for this plugin through my theme, for this I need to disable them, I do this through: `remove_filters_with_method_name`
remove_filters_with_method_name( 'wp_enqueue_scripts', 'register_plugin_assets', 10 );
now how can I use my custom css in such a way that the plugin can get them? | Plugins don't need to "get" styles. You just need to enqueue your own stylesheet with styles for the markup used by that plugin. If the plugin is on the front-end, your styles could even just be added to your child theme, or _Appearance > Customize > Additional CSS_. If the plugin elements you want to style are in the admin, just enqueue your stylesheet with `admin_enqueue_scripts`. | stackexchange-wordpress | {
"answer_score": 2,
"question_score": 0,
"tags": "plugins, css"
} |
How to choose between hooking into per_get_posts or into parse_query
In refactoring my code base I noticed there are two hooks that used for modifying the main query.
* `parse_query`
* `pre_get_posts`
From the Plugin API Reference it seems these hooks fire back to back and both have access to the main WP_Query object. I need to know how they are different in order to determine which one is the proper choice for my needs. The developer docs for parse_query and pre_get_posts don't provide sufficient information to answer this question.
The code that uses `parse_query` is based on an article on filtering admin listings based on a custom fields. | I'm looking real hard at the code around both hooks, and they run one right after the other, with the same arguments, and I just can't see any meaningful difference.
_Theoretically_ only `parse_query` would run, and not `pre_get_posts`, if `WP_Query::parse_query()` were to be run directly on its own, but WordPress itself never does that. Maybe some plugins do, but I don't know why they would. Near as I can tell there's no technical reason to use one over the other, but `pre_get_posts` is newer, much more widely used, and much better documented, officially and by third parties. I suspect `parse_query` is somewhat vestigial.
I'd suggest using `pre_get_posts`. Any code you see using `parse_query` should work as-is with `pre_get_posts`. | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 1,
"tags": "wp query, hooks, pre get posts"
} |
How to hide the tags “all, publish, thrash, draft, pending” for authors posts but not for the administrator?
I had find the code below and it is hide the tags “all, publish, thrash, draft, pending” for authors posts BUT is also keep hiding the tags for administrator too !
function remove_edit_post_views( $views ) {
if ( ! current_user_can( 'manage_options' ) ) {
unset($views['all']);
unset($views['publish']);
unset($views['trash']);
unset($views['draft']);
unset($views['pending']);
return $views;
}
}
add_action( 'views_edit-post', 'remove_edit_post_views' );
How can be showing those tabs for administrator?
Any help is appreciated!
Sorry for my not good english | You need to return the $views for admins, thats why you don't see anyting.
EDIT: IMPORTANT, you are using a action but you need to use filter
function remove_edit_post_views ($views) {
if (!current_user_can('manage_options')) {
unset($views['all']);
unset($views['publish']);
unset($views['trash']);
unset($views['draft']);
unset($views['pending']);
return $views;
}
return $views; // this is the missing piece
}
add_filter('views_edit-post', 'remove_edit_post_views');
You can make it even shorter by doing this
function remove_edit_post_views ($views) {
if (!current_user_can('manage_options')) return [];
return $views;
}
add_filter('views_edit-post', 'remove_edit_post_views'); | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "dashboard"
} |
How do I set "Upload Image" as detault "Set Featured Image" window?
We have few WordPress sites with custom themes where new posts are added very frequently (more than 200 posts a day) so we are trying to be as efficient as possible. I tried to google for a solution but could not find an answer on this topic.
When the Post author clicks on **Set Featured Image** we want them to directly show them the **Feature image** uploader window since 99% of the time, we have different feature images for each post.
 {
$script = <<<JSS
(function (){
var frame = wp.media.featuredImage.frame();
frame.on( 'open',function() {
frame.content.mode('upload')
});
})();
JSS;
wp_add_inline_script( 'media-editor', $script );
}
add_action( 'wp_enqueue_media', 'wpse_391259_init_featured_uploader_tab' ); | stackexchange-wordpress | {
"answer_score": 2,
"question_score": 1,
"tags": "post thumbnails"
} |
Performance of WordPress Rest API vs WordPress Feeds
I am building and android app using react native for my WordPress blog.
I just want to display the post title, small description, category and featured image on recent 10 posts. All things are in RSS feed also.
So performance wise, the best way is WordPress Rest API or WordPress Feeds? | Feeds can be easily cached (even put them on CDN), API caching is a more complex thing. So this covers the performance issue.
But there is also the code and maintenance side... APIs are more flexible as you can change the structure of the request and response to whatever you need and not limeted to a format which you did not design and might not meet all your needs. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "rest api, feed"
} |
How to calculate posts number?
I want to achieve something like this:
foreach ( $posts as $post ) {
if ( $a = $b ) ) {
// if true +1 to the result;
} else {
// if not true -2 to the result;
}
}
echo 'Your result is X';
How to replace X with the result of a calculation? How calculation code should look? | Do you mean like this
$result = 10;
foreach ( $posts as $post ) {
if ( $a = $b ) ) {
$result += 1;
} else {
$result -= 2;
}
}
echo 'Your result is ' . $result;
This is the best I can do with the provided information | stackexchange-wordpress | {
"answer_score": 1,
"question_score": -1,
"tags": "count"
} |
cannot get user_registered date from get_user_meta
I am trying to display the user_registered date from get_user_meta but it always displays as empty. If I try another field I do get a value so not sure why I don't see anything for the date. If I check the database there is definitely a date.
$data = array();
$user_query = new WP_User_Query( array( 'meta_key' => 'location', 'meta_value' => $my_location, 'orderby' => 'meta_value_num', 'order' => 'DESC' ));
$authors = $user_query->get_results();
foreach ($authors as $user) {
$register_date = get_user_meta($user->ID, 'user_registered', true);
$data[] = array(
'registered' => $register_date,
);
}
return $data; | `user_registered` is not a meta field, it is a field in the users table.
Try:
$register_date = $user->user_registered; | stackexchange-wordpress | {
"answer_score": 2,
"question_score": 0,
"tags": "users, post meta, user meta"
} |
prev/next post links with custom query
is it possible to use a custom query instead of taxonomy in previous_post_link()? Or do I have to build the prev/next links completely custom if I want to use them with a custom query?
Thanks Stef | If you are using a custom query you will have to build your own navigation. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "previous post link"
} |
Gutenberg dynamic block render_callback gives null for $post
I am trying to get the current post ID in the `render_callback` function to generate related posts. However, the `global $post` object gives null.
I use this code for example from here:
add_action( 'init', function() {
register_block_type('fc/related-posts', array(
'render_callback' => function() {
global $post;
var_dump($post); // null
}
));
});
It will be fired on `init` but just `$wp` object works others like `$wp_query` or `$post` are null. | When you declare your block, you need to tell WP that it needs context, either by using `usesContext` in JS/JSON or `uses_context` in PHP.
E.g in PHP:
'render_callback' => 'render_my_block',
'uses_context' => [ 'postId' ],
This value then takes an array of context identifiers, e.g. `postId` which can then be grabbed in the edit component for rendering, or in PHP at runtime:
function render_my_block( array $attributes, string $content, $block ) : string {
$post_id = $block->context['postId'];
If you do not declare that your block requires the post ID then `$block->context['postId']` will have no value. | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "block editor, editor"
} |
Get term by slug in Gutenberg
In Gutenberg, one can use the `getEntityRecord` selector to get the data of a term of a specific taxonomy by its term id:
// Get the category term with term id = 25
const term = useSelect( ( select ) =>
select('core').getEntityRecord( 'taxonomy', 'category', 25 )
);
My question is, is there a way to get the data of a specific term by using the term slug instead of the term id? If so, how? | I think one could search for a given term slug with `getEntityRecords`:
select('core').getEntityRecords( 'taxonomy', 'category', { slug : 'my-slug' } )
by skimming through the endpoint reference that supports the `slug` query parameter. | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 2,
"tags": "categories, javascript, taxonomy, block editor"
} |
Is there any way to get list of all possible filter hooks for all post types?
I would like to code a plugin that injects the custom content to any type of post (post, page, product, any others) but I would like to allow the users to let them select the place of content too. Such as; before/after the title, before/after the content, before/after the comment section, and all other possibilities (e.g. `the_content_more_link` filter etc).
As you know, there are many plugins, themes, custom post type plugins that they create their own custom filter hooks (e.g. Woocommerce creates many filter hooks like `woocommerce_get_price_html` etc.)
I would like to know that is there any way to get the list of filter hooks (can be used for content placement/injection) for any post type? So I can offer these places (filter hook places) to the users for adding the content. | Not automatically.
You don't know a filter exists until something tries to add it or runs it, and you have no guarantee what that filter is for without docs or a human being to describe it.
You can do this by hand for core itself as it's well documented what the filters are, but there isn't a generic way to do this for 3rd party plugins/themes that provide custom filters.
A particular plugin _might_ use filter names that are consistent enough to guess things but you would need to identify and cater to that plugin on a case by case basis.
You also have no way of knowing which filters are for frontend HTML. For example, code that tries to do this automatically might pick up filters for saving content or sending API requests that then break things. A lot of filters also run on both the frontend and the admin. | stackexchange-wordpress | {
"answer_score": 3,
"question_score": 0,
"tags": "custom post types, filters, hooks, post content"
} |
display ACF repater field in archive page
I created ACF repeater field for custom taxonomy terms. Repeater consist of two field "Question" and "Answer" . By this way I want to create FAQ section for each taxonomy term. Thought I can show other custom fields easily in archive field, But I could not succeded with repeater field . Please help me.
$term = get_queried_object();
$meta = get_field('test', $term);
but when want to output the acf repeater have no success.
$term = get_queried_object();
if (have_rows('faq', $term)) :
while (have_rows('faq', $term)) : the_row();
echo get_sub_field('question');
echo get_sub_field('answer');
endwhile;
endif; | `get_field()` and `have_rows()` work with post/term ID, not the whole " **queried object** ". You should try `$term = get_queried_object()->term_id;` in line 1. Also it is unnecessery to set `$term` again at line 3. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "wp query, custom taxonomy, custom field, loop, terms"
} |
How to change images url in function.php?
For instance,My image url is
<
I want change it to
<
Or
<
I want to know how to do it in function.php ? Or use a plugin ?
Please HELP THANKS. | Most of the cache plugins have built-in CDN settings. If you are looking for a simple solution for the image URL only, you can use **CDN Enabler**. It is from KeyCDN but you don't have to use KeyCDN for it to work. Simply Write your alternative domain to only use image extensions if you don't want to keep CSS, JS, etc in the subdomain.
If you want to do it by a filter, There are other works like creating an options panel so that you don't have to hardcode the domain, etc.
`.
Check this reference | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "post meta"
} |
How to log out from admin or front-end only?
It's a minor inconvenience that when I try to login to front-end as other user I have to open incognito mode because by default I am logged in as admin on the frontend and if I log out it also log me out from the backend.
Is there a way to deal with this issue? | There is no such thing like 'logout from dashboard/backend' or 'logout from front end'. When you log out then certain cookies are cleared from your browser. Log out is for all of the pages (both for front end and back end). | stackexchange-wordpress | {
"answer_score": 2,
"question_score": 0,
"tags": "admin"
} |
index.php in URL
Trying to remove "/index.php/" from URL,
The .htaccess file location is
./var/www/html/.htaccess
and the content
<IfModule mod_rewrite.c>
RewriteEngine On
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule (.*) /index.php/$1 [L]
</IfModule>
however it doesn't work, accessing a web page is possible only with "/index.php/". | Go to Settings >Permalink Settings.
Check **Post name**
Click on **Save Change** button.
 have their own "menu items" that can be added to any menu.
how can I create my own ?
I checked the entire theme developement handbook and nothing there
.'/css/my-admin.css'
From where did this part of the url came: `'/css/my-admin.css`. I searched in my database at the backend but couldn't find this particular file anywhere. I know this might be a silly thing to ask, but this is it. Can someone help in this regard? | this function `get_stylesheet_directory_uri()` return URI to current theme's stylesheet directory and `/css/my-admin.css` is path to their file which you can create in your theme directory example :
<link rel="stylesheet" type="text/css" id="my-css" href="
this is the output of the code in your source | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "css, buttons, icon"
} |
WP-CLI media import error
I'm trying to import a JPG to my uploads folder using WP-CLI (macOS). I'm connected to the server, I can update and activate plugins, successfully navigate to all folders, etc.
However, when I run:
wp media import /Users/d.j./Desktop/cat.jpg
I get an error:
Warning: Unable to import file '/Users/d.j./Desktop/cat.jpg'. Reason: File doesn't exist.
Error: No items imported.
The file does exist, it's right on my desktop.
Any ideas as to why I would get this error?
edit: I should add that it works fine when I use my local server. | I figured it out, with some help. You have to be on the same server where the files are located to use wp media import. The steps are:
1. Log out of ssh connection
2. Log into the remote server using sftp
3. Upload the files using sftp, then log out
4. Log back in using ssh
5. Then you can use `wp media import`
Essentially, ssh is for commands and sftp is for file transfers.
I hope this helps someone else with this issue. | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "wp cli"
} |
is_front_page is not working in my functions.php
is_front_page() in the below code is not working... this function just doesn't run when I'm on the front page, any idea why? am I doing something wrong?
function save_landing_page_slider()
{
if (isset($_GET['slider']) && is_front_page()) {
$current_user_id = get_current_user_id();
$slider = $_GET['slider'];
update_field('user_landing_slider', $slider, 'user_'.$current_user_id);
}
}
add_action('init', 'save_landing_page_slider', 10, 2); | >
> add_action('init', 'save_landing_page_slider', 10, 2);
>
_`init` is too early_ — if you look at the WordPress query overview on Codex, `init` is (as of writing) the second step, whereas `is_` variables like `$is_page` (or `WP_Query::$is_page`) that are used by conditional tags like `is_front_page()` are only set in step 4, so instead of `init`, you should use a later hook like `wp` or `template_redirect`:
add_action( 'template_redirect', 'save_landing_page_slider' );
So in order for conditional tags to work properly, make sure to call them in the right hook or place.
Additionally, you should also understand when would `is_front_page()` return true, e.g. when your homepage is set to a static Page, and that you're on the homepage. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "php, functions"
} |
Get a complete list of all categories using node-wpapi
I'm trying to get a complete list of all categories using node-wpapi. But I can not do that.
I use `wp.categories()`, but it only returns a response containing up to 10 categories. Actually, there are 12 categories.
The codes I used below.
wp.categories().then( (res) => {
console.log(res.length);
});
let categories = await wp.categories();
console.log(categories.length);
Both codes above returned `10`.
Is there an optional argument or other methods to get a complete list of all categories? What should I do? | Thanks, birgire!
Both `.perPage()` and `.page()` worked! | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "wp api"
} |
How to add custom theme in hosting server?
I made a custom theme on my local xampp server. Then I want to create my website. So I couldn't find a complete tutorial for installing custom theme to hosting server.
So I have theme files. I saw cPanel can install wordpress. After installing Wordpress to hosting server with cPanel, should I upload my theme folder to wordpress themes folder in hosting server?
Is that enough? | I know of two options, both will do give the same end result
1. zip your theme folder, using the cpanel navigate to themes folder, upload and extract. You should be able to see your theme in the wordpress admin dashboard.
2. zip your theme folder, in wordpress admin dashboard navigate to themes, choose new theme, than upload theme, upload your theme and activate.
If your theme work localy there shouldn't be any problems with the upload no matter what way you choose | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "theme development, installation, hosting"
} |
Hide woocommerce category name from specific pages
I need to hide the name in the category box from a specific page. I need to show the name in all other pages but this one. Is there a way to use this CSS for a specific category? Thank you!
.box-text-inner { display: none; } | Let's assume you have a custom page with the name/title "Hello". and add the following code to your themes functions.php or you can also create your own plugin.
Code snippet:
function my_custom_page_category_hide(){
$page_title = $wp_query->post->post_title;
if($page_title=="Hello"){
echo '<style>
.box-text-inner { display: none !important; }
</style>';
}
}
add_action( 'wp_head', 'my_custom_page_category_hide' );
Just paste the above code and do check the priority of your custom css code. In case of any issues let me know in the comment. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 1,
"tags": "categories, woocommerce offtopic, css"
} |
Wordpress get the child pages of current page
I want to display the child pages of the current page you are on.
`<?php wp_list_pages('child_of=67&sort_column=menu_order&title_li=') ?>`
If I give the id number like above it works perfectly like this:
&sort_column=menu_order&title_li=') ?>`
;
wp_list_pages("child_of={$current_page_id}&sort_column=menu_order&title_li="); ?>
Please check the above code | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 1,
"tags": "child pages, get children, get the id"
} |
excep tonly one css, don't load any css
I have below snippet but it doesn't match what I want exactly.It avoids load any css file for my theme but also I want load stylepure.css. The stylepure css doesn't contain unused css so I want to load only it for my homepage. How can I except the css file? thanks
function pm_remove_all_styles() {
global $wp_styles;
$wp_styles->queue = array();
wp_register_script('hekimscripts_input', get_template_directory_uri() . '/js/stylespure.css', array(), '2.7.1'); // input css
wp_enqueue_script('hekimscripts_input'); // Enqueue it!
}
add_action('wp_print_styles', 'pm_remove_all_styles', 100); | If this code works as excpected and you want to only limit it to front page you need to add a check for front page, like this
function pm_remove_all_styles() {
if (!is_front_page()) return; // add this
global $wp_styles;
$wp_styles->queue = array();
wp_register_script('hekimscripts_input', get_template_directory_uri() . '/js/stylespure.css', array(), '2.7.1'); // input css
wp_enqueue_script('hekimscripts_input'); // Enqueue it!
}
add_action('wp_print_styles', 'pm_remove_all_styles', 100); | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "php, theme development"
} |
Display articles with a different template in the home page | Solved |
I am creating a theme for my site. I would like to display the last 5 articles on the home page but with a different display for the first articles. So I created this code that I try to tweak but impossible to display the first article with the first template and the 4 others with the second template. I don't know if it's possible to do it the way I want to do it, but this way seems to be the easiest
My code :
<?php
$query = [
'post_type' => 'post',
'posts_per_page' => 5
];
$query = new WP_Query($query);
while ($query->have_posts()) : {
$query->the_post();
if($query === 1) :
get_template_part('loops/acc-cards');
else() :
get_template_part('loops/cards');
}
wp_reset_postdata();
?> | Solution found, it missed an endwhile;
<?php
$query = array(
'post_type' => 'post',
'posts_per_page' => 5
);
$query = new WP_Query($query);
while ($query->have_posts()) :
$query->the_post();
if($query->current_post === 0) :
get_template_part('mining-inc/loops/acc-cards');
else :
get_template_part('loops/cards');
endif;
endwhile;
wp_reset_postdata();
?> | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "php, posts, loop, templates, query"
} |
How to fill custom fields with brackets in their key with add_post_meta()?
I'm trying to fill WP SEO Structured Data Schema fields with add_post_meta function and it doesn't work properly. I checked one of the posts that's added from Wordpress admin panel and it was saved like this:
a:12:{s:6:"active";s:1:"1";s:8:"headline";s:13:"aaa";s:16:"mainEntityOfPage";s:37:"
looks like this `_schema_article` is the parent of `_schema_article[headline]` which I'm trying to save. this is my code:
<?php
require_once("wp-load.php");
$my_post = array(
'post_title' => "title",
'post_content' => "content",
'post_status' => 'publish',
'post_author' => 1,
);
$remote_id = wp_insert_post($my_post);
echo $remote_id;
add_post_meta($remote_id, "_schema_article[headline]", "aaa", true);
how can I create something like this JSON-like example above with `add_post_meta` or other WordPress functions? | This is the PHP serialization format, and is used to serialize arrays for storage in the database. Core WordPress functions take care of this process for you. You just need to use an array as the value.
For example, this:
$schema_article = array(
'headline' => 'aaa',
);
update_post_meta( $remote_id, '_schema_article', $schema_article );
Will save this value:
a:1:{s:8:"headline";s:3:"aaa";}
If you want to see the original array for a value, `get_post_meta()` will unserialize it for you.
For example, this:
$schema_article = get_post_meta( $remote_id, '_schema_article', true );
Will return (as seen via `var_dump()`):
array(1) {
["headline"]=>
string(3) "aaa"
}
So when saving the value you need to mimic the original array format. I would share what that is for your example, but it cannot be unserialized because it has been corrupted by editing the value by hand. | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "custom field, post meta"
} |
Set post terms on post publish
I am trying to set post terms on the post, when it is puublished
I use following code but is doesn't work
add_action('pending_to_publish', 'oj_publish_post');
function oj_publish_post($post_id) {
$taxonomy = 'category';
$term_id = array(8);
$term_id = array_map('intval', $term_id);
wp_set_post_terms( $post_id ,$term_id, $taxonomy,true);
}
But, when I pass the id of the post manually i.e instead of using post_id. I use 773 it works
add_action('pending_to_publish', 'oj_publish_post');
function oj_publish_post($post_id) {
$taxonomy = 'category';
$term_id = array(8);
$term_id = array_map('intval', $term_id);
wp_set_post_terms( 773 ,$term_id, $taxonomy,true);
}
What am I doing wrong, please help | The argument from `pending_to_publish` action, `$post_id` in your case, is not ID but array (callback to publish).
I think it would be better to use the `publish_post` action, that way `$post_id` will actualy be the post id.
Also this is a very general action so if you have multiple post types it would be wise to check if the current post type is the actual one you want to add the term to
**Edited answer**
Or in your case you can pass the post id as following
add_action('pending_to_publish', 'oj_publish_post');
function oj_publish_post($post) {
$taxonomy = 'category';
$term_id = array(8);
$term_id = array_map('intval', $term_id);
wp_set_post_terms( $post->ID ,$term_id, $taxonomy,true);
} | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 1,
"tags": "taxonomy, terms, publish"
} |
How to update and save user metadata on page visits?
Basically I'm looking for something like this:
<?php if ( is_page( array( 'home' ) ) ): ?>
update_user_meta( $user_id, 'pagehome', '1' );
<?php else: ?>
update_user_meta( $user_id, 'pagehome', '0' );
<?php endif; ?>
I want to change usermeta data for current user depending on which page they visited.
So I need to find a simple code to fire `update_user_meta( $user_id, 'pagehome', '1' );` and record into database.
Any help would be appreciated. | There are lots of actions you can hook into to do this, I think the best once to use would be `wp` or `template_redirect`.
Using either of those actions the code would be like this, this code goes into the `functions.php`
add_action('wp', 'bt_update_user_homepage_meta');
function bt_update_user_homepage_meta () {
// get user id, if user is not logged in then it will be 0
$user_id = get_current_user_id();
// now we check if we are in front page or not and we update the user meta accordingly
// if user is not logged in this code will try to update the meta for user 0,
// because this user doesn't exist, nothing will happen
if (is_front_page()) update_user_meta($user_id, 'pagehome', '1');
else update_user_meta($user_id, 'pagehome', '0');
} | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "php, user meta, meta value"
} |
style_loader_tag not changing stylesheet to preload
I am trying to change rel='stylesheet' to rel='preload' using `style_loader_tag` but it isn't doing something. Could anyone please tell me what is wrong with my code?
add_filter( 'style_loader_tag', 'preload_css', 10, 2 );
function preload_css( $html, $handle ){
$targetHanldes = array('flexible_shipping_notices', 'animate-css');
if( in_array( $handle, $targetHanldes ) ){
$html = str_replace("rel='stylesheet'", "rel='preload'", $html);
}
return $html;
} | I tested your code and it seems to work fine, my guess is that your `$targetHanldes` containes the wrong handles.
Best option would be to see what `$html` and `$handle` contain and that way you could add them to the haystack.
But for now try this instead
$targetHanldes = array('flexible-shipping-notices', 'animate');
Again this is pure guess work so you better check the `$html` and `$handle` variables | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "filters, hooks, actions"
} |
How to set a custom post type as home page and set post page to regular post?
I am trying to create a child theme where I have created a custom post type i.e "art". I want to display all CPT posts to the homepage with pagination and the regular post to the post page.
Currently, I set **Your latest posts** reading settings and add an action that will show my all custom post type at home page.
add_action( 'pre_get_posts', 'add_cpt_to_homepage' );
function add_cpt_to_homepage( $query ) {
if ( is_home() && $query->is_main_query() )
$query->set( 'post_type', array( 'art' ) );
return $query;
}
But my question is, is there any way to show my regular post on a different page? | Yes, there is a way to show your regular posts on a different page.
1. Create a new page template
2. Include a new `WP_Query` using `post` as the `post-type`. Example
3. On the backend, create the page you want to use to display your posts
4. In the options, select your new page template for the page
5. Your posts should appear on the new page | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "child theme"
} |
how to fix a codeblock group width in wordpress edit
I am new developer to wordpress, so please forgive the basic question.
I have a problem with width of a column group.
I have a 2 column column group. on the left side I have a slide show, and on the right, I have a pair of vertically stacked images. See below: 
If that didn't help its most likely that the `min-width: 0;` is not in the correct location. Just keep adding it to every above element until it works =].
No idea why that happens but this solution worked for me every time this bug happend. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "slideshow, screen layout"
} |
How can I create a wp plugin with this code
I came across a post - from code tutsplus for a plugin which requires one to create it from the cpanel file directory but I need a plugin instead in zip file. Will all the codes be in the index.php And help for this? You can check the codes here Thanks in advance. | Just create the same files as in the tutorial, but on your computer, then zip them. That's all a plugin zip is. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "plugin development"
} |
How to add plugin options in wp editor page
I am getting back at wordpress development after few years. I'm not sure what are they called and therefore I can't find right information about them :S
I want to add few options on wp editor page so user can use those settings to customize few settings.
I want to know what they are called and if possible link to dev doc for it.
A: Yoast plugin have options settings below the content editor
B: I see some plugin can add its own section menu on top right
C: Some plugin can also add options menu on right sidebar below.
Can any one please provide some information about them what they are called and if possible some link to tutorials will be great.
 a author.php of a theme of my website to another different theme author.php file. I would like to have the author template on another theme. Is this possible? | You technically can, but you probably won't get the full results you're looking for. The PHP won't contain the styling, and it may contain different CSS classes than the second site's theme uses, meaning things won't look the same.
The other issue you're likely to run into is that if you put a file directly into a theme, then whenever you update that theme, your author.php will be overwritten. Anytime you make changes, unless you're using a totally custom theme already that won't be updated by anyone else, it's best practice to create a child theme.
So, to use one theme's author.php on another site, you will want to:
1. Create a child theme
2. Copy the author.php file into the child theme
3. Copy the styles that affect author.php into the child theme
4. And, most likely, do some additional CSS and/or author.php updates (such as changing div classes) so that it both keeps the look and feel from the old site, and also matches the new site. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "theme development, themes, author template"
} |
post_parent don't work and return 0 page
I'm trying to resume pages on WordPress that have a specific page as the parent page.
Why is this not working? This is my args code for loop:
$args=array(
'post_status' => 'publish',
'posts_per_page' => 30,
'orderby' => 'publish_date',
'post_parent' => 98727,
); | I'm guessing you forgot to set the post type which defaults to `post`, so try adding `'post_type' => 'page'` to your args? Or change the `page` to whatever the actual post type slug. | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "wp query"
} |
Woocommerce : How to automatically input the same email for every order?
I use wordpress and woocommerce to sell online courses. also I use "digits" plugin to make users able to order and create accounts using only their mobile phone numbers and therefore, email is not needed and I have removed email field from checkout using "checkout filed editor" plugin.
But woocommerce creates download links based on user emails, therefore download links are invalid for users after they buy something and want to download it. because of that, I have to manually add an email like "[email protected]" to every order and revoke download links of that order to make download links work.
* * *
**the question is :** how to automatically add "[email protected]" to email field of every order when users order something? | In order to achive that you only need two woocommerce filters.
First we remove the email post field from the checkout form.
Second we set the the submited form data, email, to some fixed value.
This is the whole code, paste it into `functions.php` and you are good to go. Don't forget to change the email to what ever you need.
add_filter('woocommerce_checkout_fields', 'bt_manipulate_checkout_fields');
function bt_manipulate_checkout_fields ($fields) {
unset($fields['billing']['billing_email']);
return $fields;
}
add_filter('woocommerce_checkout_posted_data', 'bt_manipulate_checkout_posted_data');
function bt_manipulate_checkout_posted_data ($data) {
$data['billing_email'] = '[email protected]';
return $data;
} | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "woocommerce offtopic"
} |
add_action taking an array with the 2nd argument?
I was going through some source code of Astra theme and found these lines in `theme/astra/inc/class-astra-loop.php`:
class Astra_Loop {
.....
public function __construct() {
add_action( 'astra_content_loop', array( $this, 'loop_markup' ) );
.....
Shouldn't the 2nd argument be a function? Apparently here the 2nd argument is an array. I checked it with `json_encode(array( $this, 'loop_markup' ))`, it outputs `[{},"loop_markup"]`. So how is this working? | > Shouldn't the 2nd argument be a function?
The second argument should be a value of type `callable`. `callable`s are a fundamental type in PHP.
E.g. these are some valid callables:
Value | Equivalent
---|---
`'test'` | `test()`
`[ $obj, 'test' ]` | `$obj->test()`
`[ 'foo', 'bar' ]` | `foo::bar()`
`function() {...}` or closure | `$foo = function(){...}; $foo();`
And so on, see the official docs at php.net for more details. | stackexchange-wordpress | {
"answer_score": 3,
"question_score": 0,
"tags": "php, actions"
} |
How can I execute $string = if();?
So I'm trying rather simple thing. But getting an error:
_(syntax error, unexpected 'if' (T_IF)_
My code:
<?php $string = if( $_GET["category"] == '' ) {echo 'empty'} ;
echo $string; ?>
I guess I'm making a mistake somewhere along the lines.
Any help would be appreciated. | You have a few options to assign that value into `$string` but ill show two
First using regular `if`
$string = '';
if (!empty($_GET['category']) {
$string = $_GET['category'];
}
Second using ternary operator
$string = !empty($_GET['category']) ? $_GET['category'] : '';
When working with data that you receive from outer sources, for example, inputs, url etc... its always best to validate and sanitize it.
For the sake of keeping this answer clean ill only include the function that is used for validation/sanitization of `$_GET` or `$_POST` filter_input | stackexchange-wordpress | {
"answer_score": 1,
"question_score": -1,
"tags": "php"
} |
Woocommerce : Add name filed of checkout page to buyers wordpress display name
We use woocommmerce to sell online courses. also we use a plugin called "Digits" to help users easily login/register using only their mobile phone numbers and OTP sent to them as sms. So the login/register in our website, just requires entering mobile phone number (no name filed for registeration).
This process makes users able to create account and login much easier with only their number but it creates some problems.
**the problems are :** 1 - We need the phone number field of digits plugin, to be submitted as woocommerce phone number checkout field on every order (we have removed phone number field in woocommerce checkout because users who order something, have already registered with their phone number using digits plugin)
2 - We need name field of woocommerce checkout form to be set as users display name of wordpress account after every order. | The second part of the problem is solved by putting this code into theme's functions.php file :
// First name as default display name
add_action( 'profile_update', 'set_display_name', 10 );
function set_display_name( $user_id ) {
$data = get_userdata( $user_id );
if($data->first_name) {
remove_action( 'profile_update', 'set_display_name', 10 ); // profile_update is called by wp_update_user, so we need to remove it before call, to avoid infinite recursion
wp_update_user(
array (
'ID' => $user_id,
'display_name' => "$data->first_name"
)
);
add_action( 'profile_update', 'set_display_name', 10 );
}
}
**Only** the first problem remains to be solved that is to add "Digits" phone number field to **billing_phone** field in woocommerce orders. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "woocommerce offtopic, filters, hooks"
} |
How can I wrap all blog posts image with <picture class="c-picture">
Excellent WordPress programmers, I'd like to resolve an image issue with my WordPress theme. I tried everything I could, but I couldn't find a solution.
The issue is that my added blog posts images are not responsive. While my feature image is responsive since it has the tag `<picture class="c-picture">`. If I add `<picture class="c-picture">` manual to the images it, fixes it.
Example:
<picture class="c-picture"><img loading="lazy" class="alignnone wp-image-160 size-full" src=" alt="" width="2048" height="2048" srcset=" 2048w, 300w, 1024w, 150w, 768w, 1536w, 1568w" sizes="(max-width: 1000px) 100vw, 1000px" data-recalc-dims="1"></picture>
So my question is, can I have a function that will add `<picture class="c-picture">` to all blog posts images. Thank you, guys. Post link: < | I think in your case you can do it using css by adding the **height: auto;** to image tags:
.c-entry-content img {
max-width: 100%;
height: auto;
} | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "theme development, themes, css, javascript"
} |
How can I remove the Wordpress-Version (?ver=5.x) from my plugin
I am working on my first plugin that adds a external script to the footer. Wordpress automatically adds the version number at the end, which I'm trying to remove. What I have so far:
add_action('wp_enqueue_scripts', array($this,'print_code'));
public function print_code(){
$location = get_option('location_select');
$url = ' . esc_html($location) . '.domain.com/js/script.js';
wp_enqueue_script('myID', $url, array('jquery'), false, true);
}
This puts out the script correctly, but I still have the version (?ver=5.8) at the end. The false should avoid that, afaik. What am I missing? | Change the 4th parameter from `false` to `null`.
wp_enqueue_script( 'myID', $url, array( 'jquery' ), null, true );
From the `wp_enqueue_script()` documentation:
> **$ver**
> (string|bool|null) (Optional) String specifying script version number, if it has one, which is added to the URL as a query string for cache busting purposes. If version is set to false, a version number is automatically added equal to current installed WordPress version. **If set to null, no version is added.**
(emphasis added) | stackexchange-wordpress | {
"answer_score": 3,
"question_score": 0,
"tags": "plugins, plugin development, javascript, wp enqueue script, footer"
} |
How to query for all posts that have a particular meta key?
I have many posts. Some have meta data, with a key called "foo".
How can I query for just the posts with the meta data "foo"? metadata_exists requires the post ID, I'm trying to get the post IDs! | I think something like this should do the job:
$meta_query = array(
array(
'key' => 'foo',
'compare' => 'EXISTS',
),
);
$args = array(
'meta_query' => $meta_query
);
$query = new WP_Query( $args );
if ( $query->have_posts() ) {
while ( $query->have_posts() ) {
$query->the_post();
$post_id = get_the_ID();
}
} else {
// no posts found
}
wp_reset_postdata(); | stackexchange-wordpress | {
"answer_score": 4,
"question_score": 0,
"tags": "wp query, query posts"
} |
What happens if I don't update my plugins?
If I don't update the plugins for years, what happens? Because I have an e-commerce website and often when I update a plugin I have errors and I lose customers. Is something bad happening if I don't do it? Thank you! | I personally disable all updates; themes/plugins/core, too many times I was burned with erros in the most inconvenient times possible.
Now I do manual updated for each site after I checked in a development environment. after im sure that everything works and I fixed every bug that happened I update the live site.
Now I have far less problems.
The down side is that updated provide the latest and greates (usualy) options, better code, better security and so on.
You can have a plugin that was not updated in a year with a vulnerability that was already patched, in that case you leave yourself open to attacks.
Its up to you to decide what is the best approach to updated.
I disable every update and do regular checks once a week.
The number of calls I have about update problems are far lower now than when the updated were automated. | stackexchange-wordpress | {
"answer_score": 5,
"question_score": 0,
"tags": "plugins, updates"
} |
How to find out which plugin is blocking user?
A remote user is telling me she can't get into the site. Upon trying to log in, she is getting an error message shown below. I am able to log into her account from my end. I thought this was either Wordfence or iThemes security plugins blocking it. But I deactivated both plugins and she is still having issue logging in.
Does anybody know what plugin is creating this problem and why? I get that her IP somehow got blocked, but I need to know which plugin blocked it in order to take care of that.
"Access Blocked Allow Request
You have been blocked from entering information on this site. In order to prevent this from pahhening in the future, complete the request below to have the admin add your IP to a list that allows you full accesss."
, It just gives me the HTML source of that page, instead of comments feed.
I have latest WordPress 5.8. My permalink structure is working correctly. Just the post comment feed is not working.
How can it be solved ? | I found the culprit. The issue is due to a conflict with my page builder plugin - Live Composer.
I have reported a bug to them. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "permalinks, comments, rss, feed"
} |
How can I set the height of the classic editor per post-type?
Can't seem to find any valuable info on this at the moment - I just want to resize the height of the classic editor field for my Custom Post types.
I was hoping to just drop a function or code snippet into functions.php for this, if possible?
In this example I would have 3 Custom Post types: 'Tools', 'Brand' and 'Company' and for all three I would like the editor to only be about a qtr of its height or about 120px tall or 8 lines.
Many thanks for any help in on this! | One way is to adjust the TinyMCE settings:
add_filter( 'tiny_mce_before_init', function( $settings ) {
$settings['height'] = '120';
$settings['autoresize_max_height'] = '120';
return $settings;
} );
and e.g. restrict further on post types and !block editor with get_current_screen().
Example:
add_filter( 'tiny_mce_before_init', function( $settings ) {
$screen = get_current_screen();
if ( $screen->is_block_editor() ) {
return $settings;
}
if ( ! in_array( $screen->post_type, ['tools', 'brand', 'company'], true ) ) {
return $settings;
}
$settings['height'] = '120';
$settings['autoresize_max_height'] = '120';
return $settings;
} ); | stackexchange-wordpress | {
"answer_score": 3,
"question_score": 0,
"tags": "custom post types, tinymce"
} |
Google credentials and redirect URI for Google OAuth2 in a WordPress plugin, questions
I'm developing a plugin that inserts contacts into a custom table of the WordPress database (name, phone number, email). It is possible to enter data in this table either manually, through a form, or by importing it from WordPress users. I have also developed a feature to import contacts from Google Contacts (Google People). Everything works but I ask you: when I will provide the plugin to my customers how can I do to avoid also providing the `client_secret.json` file with my credentials for accessing the Google API via OAuth2 together with the plugin? Furthermore, in order to function correctly, I must also authorize the URI redirect in the Google console but I cannot know in advance the URL of the various sites where the plugin will be installed, is it possible to automate (perhaps always through the Google API) this insertion? | There are two possible solutions depending on what kind of relationship you expect to have with the people that use the plugin.
1. Instruct them how to create an app and which URLs to use to be compatibe with what you expect in the plugin, have a setting page at the wordpress admin in which they can either upload the secrets file or configure the app secrets. This option is easy for you hard for the user.
2. Setup a proxy. Your plugin actually comunicates with the proxy and the proxy does the relevant API access, handles oauth redirects from google etc. This options is easy for the user but complicates your development, might cost you if you don't have a place to host such a thing, but the biggest thing is the quota limits of google as you will be responsible to pay when you pass the free tier, or your code will need to keep track of the usage and stop before you pass the free tier. | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "plugin development, api, google, oauth"
} |
Are custom posts delete by unregistering post type
After running `unregister_post_type()` will all of the custom posts be deleted? If not then what `post_type` will be for those? Will they appear in regular post loop? Can they be queried by custom query? | By running `unregister_post_type()` custom posts are not deleted from database even they can be retrieved by custom query. They mustn't be appear in regular post loop since their `post_type` remain what was. | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "plugin development"
} |
Malfunction via Safari
I would like to ask you for your help. The other day, I established a website of my lab < using the theme "Infinity Blog" on WordPress. It functions normally on desktops/laptops, however, there is one problem with iPhone iPhoneXs,iOS14.6. Specifically, it says that "Safari cannot open the page because the address is invalid" every time I only click the menu bar in Safari, although I can normally see the website in the internet browser Google Chrome. How can I edit/revise javascript on WordPress "`
It needs to be `href="javascript:void(0)"` | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 0,
"tags": "functions"
} |
Custom Post type: Labels are not showing
I created custom-post-type.php file in folder of mu-plugins:
<?php
function custom_post_types(){
register_post_type('event', array(
'public' => true,
'labels' => array(
'name' => 'Events',
'edit_item'=>'Edit Event',
'edit_posts' => 'Add New Event',
'all_items' => 'All Events'
),
'menu_icon' => 'dashicons-calendar'
));
}
add_action('init', 'custom_post_types');
These two labels name of `'edit_item'=> 'Edit Event', & 'edit_posts' => 'Add New Event'` not working. I wanted to know where i am mistaken. Can somebody help? Thank you! | 1. You have put these labels inside the `capabilities` argument, which is incorrect. They should be in `labels` argument.
2. There is not `edit_posts` label, and you're missing most labels. There's many more labels you need to provide. They are listed here: < | stackexchange-wordpress | {
"answer_score": 2,
"question_score": 0,
"tags": "custom post types"
} |
Can wp_strip_all_tags be used as a substitute for esc_url, esc_attr & esc_html?
`esc_url, esc_attr & esc_html` are used to escape content that is untrusted so that potentially malicious code isn't executed. Can `wp_strip_all_tags` be used as an alternative? If not, why? | Not necessarily. They do different things. `wp_strip_all_tags()` strips HTML tags from a given string, but that's not the only reason you escape things. `esc_attr()`, for example, ensures that `"` characters are escaped so that a value doesn't break HTML attributes.
For example, if I have a variable whose value is the string `my-"class`, and I want to put it into an HTML attribute:
$my_class = 'my-"class';
echo '<div class="' . $my_class . '"></div>';
The resulting HTML will be:
<div class="my-"class"></div>
Which is invalid HTML, because the `"` in my value has closed the HTML attribute. `wp_strip_all_tags()` will not help you here. | stackexchange-wordpress | {
"answer_score": 1,
"question_score": 0,
"tags": "escaping"
} |
Subsets and Splits