INSTRUCTION
stringlengths
11
999
RESPONSE
stringlengths
0
999
SOURCE
stringlengths
16
38
METADATA
dict
Archive page for Wordpress Custom Post Type doesn't show pagination from paginate_links() I have a custom post type with `courses-events` as the slug. In functions.php, I have: add_action( 'pre_get_posts', 'custom_archive_items' ); function custom_archive_items( $query ) { if ($query->is_main_query() && !is_admin() && is_post_type_archive( 'courses-events')) { $query->set( 'posts_per_page', '1' ); } } I know the above is firing for my archive page if I dump $query in the condition, it is visible. On archive-courses-events.php I have simply: if ( have_posts() ) : while(have_posts()) : the_post(); <!-- my output --> endwhile; echo paginate_links(); endif; I have 2 posts and as `posts_per_page` is set to 1, but 2 posts appear and I do not see pagination. I don't understand why this isn't working as everything I've read says that this is the minimum necessary for this to work?
Answered in a comment: try first with using a priority of 11 or greater, e.g. add_action( 'pre_get_posts', 'custom_archive_items', 20 );
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "custom post types, php, custom post type archives, paginate links" }
Gutenberg getBlockIndex in save() function In my block's `edit()` function i'm getting the index of each inner block: // a block used in innerblocks edit( { attributes, setAttributes, clientId } ) { let blockIndex = wp.data.select( 'core/editor' ).getBlockIndex( clientId ); ... This works fine. However i tried the same in `save()` but I get index `-1` for each block. How can I make `getBlockIndex()` work in `save()`? I need to add index number to class names of inner blocks in HTML.
You cannot use `wp.select` in your save component, a save component can _only_ use the block attributes. If you generate markup from using data from other sources then it will fail block validation. If you want data such as the index of the block, you need to store it in the attributes in the edit component, or render the block in PHP. The same goes for other "effects", you should not do these things in a save component: * use state * make HTTP requests * retrieve data that didn't come from block attributes * interactive components * query the data store * react hooks e.g `useEffect` or `useCallback` * prompt the user for data * extract data from DOM nodes or global variables The job of a save component is to take the blocks attributes and turn them into static HTML that gets saved in the database. Any interactivity or effects that do work need to go in the edit component or elsewhere, and their results stored in attributes.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "javascript, block editor" }
Puzzled at HTTP/2 301 response header I am running `curl -I with the ` part prepended explicitly, and I am noticing that the response header is about an HTTP/2 301 redirect on the very same URL. Shouldn't that be a 200 instead? I've triple-checked that the .htaccess does not contain any `RewriteEngine`, `RewriteCond`, or `RewriteRule` lines, and I've even replaced the .htaccess file with the default wordpress .htaccess but that doesn't make any difference whatsoever. I really don't know where this 301 is declared. On the browser a response of 200 can be seen in the Network tab of DevTools'. I was trying to troubleshoot the page itself which is very slow to load on the browser, and I only discovered said output after trying to check with `curl -I` if HTTP/2 was actually used to serve it. Is this normal? Should I look elsewhere to troubleshoot the slow page load, or is this unusual and should be further investigated? If so, where should I look?
It might be that WordPress is just redirecting to the version with trailing slash. * `/cart` => `/cart/` * `/shop` => `/shop/` I'm having trouble, finding a good canonical source why WP is doing this. The fact is, that most web frameworks (I worked with) will force trailing slashes on their routes (that are not directed at files). If you want to read more: there is this blog post on trailing slashes and URIs in general, and this StackOverflow thread has some good points as well.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "redirect, performance" }
Pass debug_backtrace() in Wordpress filter As you know, debug_backtrace() function has a large output. I need to pass it in my filter. $meta = apply_filters( 'filtername' , $meta , debug_backtrace() ); Does this have a big impact on site performance?
you can limit calls and ignore args like this to reduce performance: // Limit backtrace to last 3 calls as we don't use the rest // Limit argument was introduced in PHP 5.4.0 $backtrace = debug_backtrace(DEBUG_BACKTRACE_IGNORE_ARGS, 3);
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "filters, hooks, performance" }
Revision featured image In WP revision i can not see if i upload featured image and update post. WP revision save just content, heading and excerpt. I have problem with some employs, they said that uploaded image and we do not have that in Database. How can i see in revision or in database if someone upload image on post and update post?
The featured image is saved as postmeta, and by default, postmeta is not stored in revisions. This means that if anyone removes the featured image and saves (updates) their post, that postmeta is removed and not associated to the post anywhere. If you need to modify this behavior for the future, you can programmatically enable saving postmeta to revisions, though since it's not Core behavior it requires a fair bit of logic. However, you may be facing some user confusion: is it possible for your users to insert an image within the post content? That is something you can check in the database - as long as you're not using a page builder plugin or anything that saves main content somewhere besides `post_content`. You can check each revision's `post_content` column in the database and see whether any images are there within the content. If so, you could make note of which image the user used, then go into the actual Editor and assign that same image as the featured image for their post.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "plugins, post thumbnails, revisions" }
Problem with links once in portfolio item Hope someone could help me. Link problem: This is my Homepage URL: < Portfolio onepage link: < Portfolio item link: < (permalink), once here if I want to go back to my homepage using the same menu, the link is wrong: < correct one would be: < Why Is this happening and how can I fix it? Thanks!
You should check your `Appearance > Menus` Select activated Menu & check its links by clicking on the name tab, you are probably using `#Home` link instead of using a full url of that specific page. Example: Home Url should be: ` You might be using: `#Home` **Update:** If your website has more than one page/s than you should create separate navigation menus. Separate menu for homepage & Separate menu for other page/s this way you can avoid css style conflicts. You should have an option to use separate menu for specific Page. You can use #home navigation as your homepage menu & other full link navigation for the rest of the pages.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "menus, permalinks, navigation, links" }
How to customize custom post type's list table? I have created a custom post type and here's ![enter image description here]( I'd like to remove the title and add several custom post meta instead, but how do i customize my custom post type's existing list table?
I think your answer is on this post: Adding custom columns to custom post types and here is a complete "How to": <
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "custom post types, wp list table" }
Can only override parent theme styling with '!important' in child style.css function my_theme_enqueue_styles() { wp_enqueue_style( 'twentytwentyone-style', get_template_directory_uri() . '/style.css' ); wp_enqueue_style( 'child-style', get_stylesheet_directory_uri() . '/style.css', array('twentytwentyone-style') ); } add_action( 'wp_enqueue_scripts', 'my_theme_enqueue_styles' ); When I add styling changes to the child theme style.css file, I can see them listed in chrome dev tools, but crossed out and overridden by parent styling. I've only been able to override parent styling by adding `!important` to the child styling changes. How can make styling changes without !important, or is this the only way to make styling changes?
From the looks you've enqueued everything correct: Set the parent style as dependency, this way WordPress should first load the parent style and then the child style. However, it can still happen that your rules are not applied, this is usually happening due to a rule being more specific. See this MDN article for more information. As a solution, you can make your rules be more specific: // parent .main-content .mydiv // child body .main-content .mydiv // or .main-content .someclass .mydiv
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "child theme, wp enqueue style" }
How to replace the existing metatag using the backend to insure a thumbnail image gets fetched when we share on social media? How to replace the existing metatag using the backend to insure a thumbnail image gets fetched when we share on social media? function theme_a_header_metadata() { global $post; $image = \wpplugin\blogwidget\getBlogImage($post); ?> <meta property="og:image" content="<?= getLocalImage($image, '1344x') ?>" /> <?php } add_action( 'wp_head', 'theme_a_header_metadata' ); So I have this function, but the issue is that there's already a meta property with the property value of "og:image", so how do I replace the meta tag? I need to use the backend, and I don't want to install any plugin.
### add_action `add_action` currently supports 4 parameters: `string $hook_name, callable $callback, int $priority = 10, int $accepted_args = 1` Try adjusting the 3rd parameter "priority" to add the action later than any existing actions (which may have been created by plugins or themes).
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "plugin development, wp head" }
Live reload preview just reloads forever There is a new preview feature on WordPress that looks like this: ![live reload preview menu]( When it's clicked, it reloads the preview over and over and over again. Why would this happen? I tried disabling different plugins and nothing works. I checked my console and tried to grab the errors but I can't because the page reloads over and over again. Is this a known bug? Why is this happening? How do I even start to debug this?
_**This is from the Editorskit plugin,**_ it is not a part of WordPress. If it's broken you will need to contact their support routes. _( Based on finding the description text verbatim in a github search, resulting in a file in the preview extension of editorskit )_
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "admin, post editor, previews" }
Get more than one author's posts with REST API gives me author 1's posts. gives me only author 5's posts. Is there any way to get 2 different author's posts with one request?
The `author` parameter in your request, seems to be mapped to the `author__in` parameter in `WP_Query` that runs behind the rest-api call here, where a comma separated input: /wp-json/wp/v2/posts?author=1,5 is translated to an `array( 1,5 )` input for `author__in`.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 1, "tags": "posts, rest api" }
How do I custom a page that doesn't exist in the page list? Many custom post types have their own archive page which doesn't exist in the page list, but I am able to customize these pages by finding the archive's template file. But for some other instances, I couldn't find such template files. For example, Buddyboss's register page such as this one:< By default, there isn't a nav bar on the page. How do I find the corresponding file or filter so I can add a nav bar to the page? I think this is a general WP question because it applies to many theme or plugins.
A very usefull plugin when developping is Query Monitor In the template section, you'll be able to find the template or template part used.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "templates, archive template" }
how to find the posts page I had created the archive.php file and made it to show all posts, also have a sidebar that shows the time line, for example 2022, january 2022. When I click on january 2022 I have a page showing me all posts from january 2022, and the url is < Now I want to know what is the url to get all the posts? if I run this code I get the answer blog. if ( get_option( 'page_for_posts' ) ) { echo '<a href="'.esc_url(get_permalink( get_option( 'page_for_posts' ) )).'">'.esc_html__( 'All posts', 'textdomain' ).'</a>'; } else { echo '<a href="'.esc_url( home_url( '/?posts=post' ) ).'">'.esc_html__( 'Blog', 'textdomain' ).'</a>'; }
here is settings->reading, I have a front-page.php that is why I didnt set the homepage displays ![enter image description here](
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "posts" }
Hook add_attachment error I am trying to optimize my images when uploading to website. I trying to write plugin, that will use hook 'add_attachment' and after attachment uploaded do image converting. add_action( 'add_attachment', 'optimize_psio', 0); // Action for optimizing on upload function optimize_psio( $post_ID){ require_once plugin_dir_path( __FILE__ ) . 'includes/class-ps-image-optimizer-converter.php'; $converter = new Ps_Image_Optimizer_Converter($post_ID); $converter->optimize(); } The _optimize_psio_ function works great when working standalone. But when I trying to register hook and upload image, I getting error: > Post-processing of the image failed likely because the server is busy or does not have enough resources. Uploading a smaller image may help. Suggested maximum size is 2500 pixels. Image uploading, but not cropped and not converted. What am I doing wrong?
Hook **add_attachment** fires before images cropped via **wp_ajax_crop_image()**. That's why Wordpress trying to work with files, that is not existed for now.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "plugin development, filters, hooks, actions" }
Content-Security-Policy blocks Wordpress check boxes from being activated I have a Content-Security-Policy for my Wordpress Website (LAMP-Server): `set Content-Security-Policy "base-uri 'self'; default-src 'self'; font-src 'self' data: frame-src img-src 'self' script-src 'self' 'unsafe-inline' ; style-src 'self' 'unsafe-inline' object-src 'self'; form-action 'self'; frame-ancestors 'self';"` This CSP prevents me from activating any check box in Wordpress (either the check box that remembers my login or the check boxes that let me select which theme to update) (Tested with Firefox in Linux and Chrome on Android). Without CSP everything works as expected. Any hint on which CSP is required to make that work again is greatly appreciated.
Thanks to Jacob's hint I got the solution. This one is working. `Header set Content-Security-Policy "base-uri 'self'; default-src 'self'; font-src 'self' data: frame-src img-src data: 'self' script-src 'self' 'unsafe-inline' ; style-src 'self' 'unsafe-inline' object-src 'self'; form-action 'self'; frame-ancestors 'self';"` The difference is the `data:` in the `ìmg-src` section.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "security" }
Changing siteurl in the database not working I'm trying to change siteurl and home in the database, but whenever I try to change after 5 seconds they automatically change back to the previous url. Is it related to the server?
WordPress has a number of standard methods to change or override these url options: * **using update_option()** function in functions.php or anywhere else in the code, this way: `update_option( 'siteurl', ' );` `update_option( 'home', ' );` This is most likely your case because update_option() edits db entries at runtime. In this case, just remove or comment out these lines where you find them. * using define(); `define( 'WP_HOME', ' );` `define( 'WP_SITEURL', ' );` This only overrides the setting but does not change the entries in the database. If your url changes in the address bar, but does not change in the database, this may happen due to WordPress caching. Try one of these: * edit wp-config.php and add **define('ENABLE_CACHE', FALSE);** * add a query string with an argument to clear cache, i.e. < * if you use CloudFlare or other caching service, clear cache for this url
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "urls, site url" }
Hook after attachment added and cropped I am looking for hook, that fires right after image uploaded, cropped for thumbnails and data posted to database. I need it for image optimization **after** uploading. I tried _add_attachment_ and it fires before image cropping and my code stuck. Help please!
There is to filters needed for optimizing all images, that will be uploaded: add_filter('wp_handle_upload', 'random_function', 10, 2); add_filter('image_make_intermediate_size', 'rand_function2', 10, 1); function random_function($array, $string) { // Some random action with main image return $array } function rand_function2($file) { // Some random action with cropped images return $file }
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "plugin development, images, attachments" }
Redirect to brand page after click on the brand logo I've designed a product page. I've added a brand from the attribute with a logo. ![enter image description here]( However, when I click on the logo it is redirecting me to this link: ....com/?taxonomy=pa_brands&term=midea My expectation is to redirect to the following link: ......com/brand/midea How can I achieve this without any plugin? Thank you.
just call the function the_custom_logo(); and then on appearence choose your logo. if this option is not available in appearance, you need to add the theme support to functions.php add_theme_support('custom-logo'); this redirectes to home page, if you need to redirect to a custom url you can use <a href="<?= home_url() ?>/brand/midea"><img src="yourimage_path"></a>
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "permalinks" }
ACF: How to query for a given value count of an array like field? (e.g.: How many rows has a `flexible_content` field?) How can I write a WordPress meta query that gives me an array of users/posts that have a given amount of entries in a custom field that stores multiple values? Something like SQL `COUNT()`, but for the number of entries in an ACF array field. When writing a `WP_Meta_Query` and comparing with `>`, `>=`, etc. this doesn't seem to work for me, perhaps because the data is stored serialized. So, basically, how can I perform a simple selection of records with a specific count inside their custom field value.
**This isn't possible using`WP_Query`, you can't query the insides of structured data stored in a single post meta value.** At best you can use regular expressions, or do math/boolean comparisons, you can even do `LIKE` comparisons, but these are all string operations. If you need to query structured data such as objects or arrays, then the data needs breaking apart into multiple separate post meta values. At the end of the day, post meta values are just strings of text as far as the database is concerned. You can cast them to a different basic data type such as a date or number, but that's it.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "wp query, custom field, advanced custom fields, meta query, count" }
homepage redirects to login page when user session expires **WordPress 5.9** Users trying to access the homepage when the `session expires`, are sent to `re-authenticate`. The behavior seems weird since it only applies to the **homepage**. Users with expired sessions can access all other pages without being asked to re-authenticate. Why is the behavior inconsistent, and how can users with expired sessions not be redirected to re-authenticate?
If you looked at your plugins one by one and none of them causes the problem, look at your template files that display your home page – could be `index.php, home.php, content.php, content-{slug/id}.php or page-templates/...`, depending on your theme and settings. Look for if (!is_user_logged_in()) { auth_redirect(); } or anything that seems to resemble this. It could be a shortcode or hook also, but its name will probably have something to do with user/login/auth. If you found it, comment it out and reload, and see if it's fixed.
stackexchange-wordpress
{ "answer_score": 2, "question_score": 1, "tags": "redirect, authentication, session" }
Staging redirecting to live site (under construction page) I created a staging environment from my customers live wordpress website. now when I try to access it without being logged in as an admin, it redirects to the live "under construction" live site. Only on desktop. On mobile we can access it. I've been working this way for a long time and it is the first time I encounter this problem. I am using ELementor Pro builder and Jupiter X theme. I turned off Simple SSL plugin keeping the https active. Didn't work. I also double checked that I didn't have Seedprod's coming soon plugin installed. Any idea how to fix this? thanks!
It sounds like a caching issue as mobile is the same domain. Try a different browser or if you use Chrome. Open Inspection Tool > Network Tab > then check Disable Cache ![enter image description here]( Then do a hard refresh. If you aren't sure how. Click and hold on the refresh icon with the inspection tool open. ![enter image description here](
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "wp redirect, staging" }
Elementor - Edit Global Colors Order I'm trying to change the order of the Elementor global colors list. This question was originally posted here, and while the instructions are thorough, I can't find the elementor_page_settings in the wp_postmeta table that is specified in that post. Apparently, I don't have enough points to either add a comment to that post or pm the member who provided the answer, so not sure how to get past this. Is there an alternative location where the page settings data is stored? I'm thinking possibly this may have changed (although the answer in the original post is fairly recent). Any help would be greatly appreciated - my original global color list is a bit of a mess and I want to add a clean theme of colors at the top...thx
I just installed Elementor and this was added to a default kit page. I would double check the table you are searching and make sure the meta_key is right. ![enter image description here](
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "css, options" }
count the total number of comments the user has received for his published posts ## I want to count the total number of comments the user has received for his published posts. for example show: total comments of your all posts : 47 * * * Is there a way to do this? Can you help me?
You can use the `get_comments()` function like so: $total = get_comments( array( 'post_author' => get_current_user_id(), 'post_status' => 'publish', 'type' => 'comment', 'count' => true, ) ); echo 'total comments of your all posts : ' . $total; Just customize the arguments based on your requirements/preferences, and in the above example, I'm retrieving the total number of comments for published posts where the author is the currently logged-in user, but only for comments of the `comment` type. And if you want, you can use the `status` argument to limit to certain status only, e.g. `approve` to count approved comments only.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 1, "tags": "posts, users, comments, publish" }
Run JS function when JQ enqueued I would like to run a javascript function when jQuery is ready. This doesn't work: wp_enqueue_script('jquery'); ?> <script> (function() { doJQstuff() })(); </script> Any ideas? wp_localize_script( 'search-ajax', 'search_ajax_object', array( 'url' => admin_url( 'admin-ajax.php' ), ) ); wp_enqueue_script( 'search-ajax', get_template_directory_uri() . '/js/search-ajax.js', array('jquery'), null, true ); `search-ajax.js` console.log(search_ajax_object) //-> Uncaught ReferenceError: search_ajax_object is not defined
## You can't do that way first you need to enqueue your script using : wp_enqueue_script('jquery'); wp_enqueue_script('ns-likes-dislikes-for-posts-js', plugin_dir_url(__FILE__). 'path/to/your/js/file/from/plugin/directory/custom.js', array('jquery'), '1.0', true); in custom js start writing your js with jquery but you can't use `$`, instead use `jQuery`. if you want to use `$` instead of `jQuery` try this code: (function($){ // enjoy jquery with $('selector') })(jQuery) first you need to enqueue script then you can localize it. wp_enqueue_script( 'search-ajax', get_template_directory_uri() . '/js/search-ajax.js', array('jquery'), null, true ); wp_localize_script( 'search-ajax', 'search_ajax_object', array( 'url' => admin_url( 'admin-ajax.php' ), ) );
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "jquery, wp enqueue script" }
When there are two identical entries in a .po file, how does the translation mechanism determine which one to use? I was trying to translate some plugin when I see in their .po file there are two "Sign in"s. I believe Wordpress uses `__` to parse text that needs to be translated. So when codes like __('Sign in', 'buddyboss-theme') is executed, how does it know which "Sign in" entry in the .po file is the one to look for?
WordPress' translation mechanism looks not only for the string of the translation functions like `__( 'string', 'key' )`. It looks also for the key, in your case the `'buddyboss-theme'` and search only in a translation file with this key `buddyboss-theme-en_US.po`. Reference <
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "plugin qtranslate" }
Display no post when metavalue is 0 There is a page displaying the 3 most popular posts, using the post views on the query. When there are no post views, I don't want to display any posts. How can I display no post when `post_views_count` is 0? I think I'm missing something in my meta query. What's wrong? $query_args = array( 'post_type' => 'list', 'posts_per_page' => 3, 'meta_key' => 'post_views_count', 'orderby' => 'meta_value_num', 'order' => 'DESC', 'meta_query' => array( array( 'meta_key' => 'post_views_count', 'value' => 50, 'compare' => '>' ) ), );
Here's an updated example that appears to do what you want. See the docs for meta queries for details. $query_args = [ 'post_type' => 'list', 'posts_per_page' => 3, 'orderby' => 'meta_value_num', 'order' => 'DESC', 'meta_query' => [ [ 'key' => 'post_views_count', 'value' => 50, 'compare' => '>', 'type' => 'NUMERIC', ], ], ]; $post_views_query = new WP_Query( $query_args );
stackexchange-wordpress
{ "answer_score": 3, "question_score": 1, "tags": "meta query" }
Saving plugin's settings in 1 field in json format This is a question about performance. I've used the Wordpress Settings API in order to register fields and for a plugin that has 30+ fields that can cause a huge amounts of lines of code, in addition, sometimes the plugin has to use `get_option()` a few times to know if it can show specific data on a specific admin page, this causes more database calls. Instead, wouldn't it be better to save all options in JSON format in 1 field in the options table? Once the admin page loads you just use `get_option('prefix_my_settings')` which will then retrieve a json of all the plugin settings? Then all of the plugin settings are stored in 1 location and uses only 1 database request for each page load. What are the downsides for using such method and is there a character limit for an option field?
There's always a character limit, but `option_value` is LONGTEXT so unless you anticipate more than 4GB of data you should be fine. I'd suggest json is unnecessary - you can save a PHP array as the value and it will be serialized/deserialized automatically. That said, as Tom points out, this is really micro-optimising, and won't really impact performance either way in the real world. If you want to keep your settings together for organizational/clarity reasons though, go ahead.
stackexchange-wordpress
{ "answer_score": 3, "question_score": 1, "tags": "settings api" }
How to specify a template for a path like http://example.com/something? I created a custom post type ('explore') that we use in the site. The pages for this section live at < These pages work just fine, but if a user were to back out of that url and go to < they are getting the generic `index.php` page that is NOT what we want people to see here. Considering this url does NOT point to any content, how can I specify which template to use? I can echo out the `get_post_type()` and it shows `'explore'` as the post type, but I'm seeing that from the `index.php` template. I tried adding a `page-explore.php` but that didn't work. There doesn't seem to be a `index-[custom-type].php` Thanks.
You're looking for the "custom post type archive template". That's `archive-{post_type}.php`, or in your case `archive-explore.php`: <
stackexchange-wordpress
{ "answer_score": 5, "question_score": 0, "tags": "custom post types, theme development, templates" }
Is there a hook for nav menu item links to add custom css programatically? I know there is this **nav_menu_css_class** hook to add a custom class to the list items in the nav, but is there a similar hook to add a custom class to all link items in the nav? I want all my links in the nav to have this class: <a class="nav-link" href="#whatever">Sample page</a>
Yes, there is, and the hook is `nav_menu_link_attributes`: > `apply_filters( 'nav_menu_link_attributes', array $atts, WP_Post $item, stdClass $args, int $depth )` > > Filters the HTML attributes applied to a menu item’s anchor element. For example, this adds the `nav-link` class to the `<a>` tag only if the theme location (`$args->theme_location`) is exactly `my-location`: add_filter( 'nav_menu_link_attributes', 'my_nav_menu_link_attributes', 10, 3 ); function my_nav_menu_link_attributes( $atts, $item, $args ) { if ( 'my-location' === $args->theme_location ) { // Get existing classes, if any. $class = $atts['class'] ?? ''; // Now add your custom class(es). $atts['class'] = "$class nav-link"; } return $atts; }
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "menus, hooks" }
Delete "Post Published. View Post" for custom post type I'm working on a plugin with a custom post type called "important_dates" I want to delete the Wordpress admin notification when a new custom post is created. Here is my code - it deletes the notifications for all post types. How do I make it work for only my "important_dates" custom post type? add_filter( 'post_updated_messages', 'post_published' ); function post_published( $messages ) { unset($messages['posts'][6]); return $messages; } }
Something like above should work: add_filter( 'post_updated_messages', 'post_published' ); function post_published( $messages ) { if ( 'important_dates' === get_post_type() ){ unset($messages['posts'][6]); } return $messages; }
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "custom post types, notifications" }
How to delete post comments from the database via SQL statement? So, I've taken over management of a Wordpress site that hasn't been maintained very well. We currently have approximately 12,000+ spam comments on various posts. The default UI isn't very helpful at only being able to delete or unapprove 25 or so at a time. Is there a way to do this via SQL?
Just run the following commands in your database DELETE FROM wp_commentmeta; DELETE FROM wp_comments; If you changed the db prefix, the name might be `foo_comments` / `foo_commentmeta` or similar.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "database, comments" }
Is it necessary to sanitize plugin options? I've always known that it's good practice to sanitize GET and POST data. I usually do this globally in my functions file with code like this: $_POST = filter_input_array(INPUT_POST, FILTER_SANITIZE_STRING); $_GET = filter_input_array(INPUT_GET, FILTER_SANITIZE_STRING); With plugins that have a Settings screen, using the recommended code for plugins according to the plugin API, is it necessary to sanitize user inputs on the plugin's Settings page, like checkboxes, text fields, etc? Or does the Plugin API take care of POST/GET sanitization on plugin Settings screens? Note that using the above code block gives me the message "your link has expired" when saving plugin options (via the "Save" button on the plugin's settings screen). What is the best practice for sanitizing plugin settings?
Here's what I found out, with appreciation for the comments to the question. I write WP code (themes and plugins) and non-WP PHP code (for non-WP sites). In non-WP sites, I include those statements in my 'include' file to ensure POST/GET sanitation, even though I try to sanitize the fields elsewhere. So, sort of a 'sanitize backup plan'. But putting the code in a WP plugin file too soon kills the plugin's settings screen and/or the front end; more often on the front end with the plugin enabled (result is sometimes a white screen). So, for WP plugins/themes, I will ensure sanitization of individual POST/GET fields, rather than the above code. In non-WP sites, though, the above code is benign - sort of a double-check-sanitation thing, even though I try to remember to sanitize POST/GET fields before using that data.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 1, "tags": "plugin development" }
How do I use the Simple HTML DOM Parser in plugin when other plugin already uses it? In a plugin I am currently coding, I want to use the Simple HTML DOM Parser library. However, when I include it require(CPS_PLUGIN_PATH . '/vendor/simple_html_dom.php'); I get this error: Fatal error: Cannot redeclare file_get_html() (previously declared in /www/htdocs/12345/mydomain.com/wp-content/plugins/custom-post-snippets/vendor/simple_html_dom.php:48) in /www/htdocs/12345/mydomain.com/wp-content/plugins/fast-velocity-minify/libs/simplehtmldom/simple_html_dom.php on line 54 So obviously the Fast Velocity Minify plugin is already using it. What do I do here, if I don't want to mess around in the library itself? What's the best practice in a case like this?
If you don't want to mess with plugin load order, you can trigger the `require` part a bit later, e.g. via the `plugins_loaded` hook. function csp_require_simplehtml() { if (!function_exists('file_get_html')) { require(CPS_PLUGIN_PATH . '/vendor/simple_html_dom.php'); } } add_action('plugins_loaded', 'csp_require_simplehtml');
stackexchange-wordpress
{ "answer_score": 1, "question_score": 1, "tags": "php, plugin development, include, library" }
Not sure how to debug this npm install error. This is a wordpress theme that comes with a built-in gulp/webpack task automation So I downloaded and installed this theme that comes with a built-in gulp/webpack task automation. I went over to the project folder (wp-content/theme/themename) and just ran npm install but I got this. ![enter image description here]( not sure whats exactly keeping npm install from running successfully.
> not sure whats exactly keeping npm install from running successfully. Nothing stopped it, `npm` ran successfully in your screenshot. The problem is that you saw the audit messages and thought it was an error/failure, which is not the case. Fixing the audit messages is entirely optional at this point, and the issues auditing raises may not even apply to you. You should proceed to the next step, and report the audit messages to the authors.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "theme development, themes" }
how to display search term in the template full site editor i am building a template for the search page (in full site editing, therefore html and no php), and i want to have a search results heading. i have this: <!-- wp:group {"layout":{"inherit":true}} --> <div class="wp-block-group"> <!-- wp:heading {"level":1} --> <h1>Search Results</h1> <!-- /wp:heading --> </div> <!-- /wp:group --> now i have 2 issues: 1- how do i get the search term to display it? 2- how can i translate the "Search Results" string?
I don't think there's a core way to do that in WordPress 5.9 .. So for now, you can use a custom shortcode which returns the inner HTML/content for the heading (e.g. `Search Results for <search query>` with translation/gettext applied), and then use `<h1>[your-shortcode]</h1>` in your template. Here's a sample shortcode function that you can try: add_shortcode( 'your-shortcode', function () { /* translators: %s: Search query/keyword. */ return sprintf( __( 'Search Results for "%s"', 'text-domain' ), esc_attr( get_search_query() ) ); } ); You can also create another shortcode which returns just the search query, if you want to, but remember that you should use `get_search_query()` and **not** `the_search_query()` which echo the output, hence the former should be used in shortcode function which generally should not echo anything.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 1, "tags": "theme development, templates" }
Email alert with wp_cron and wp_mail if new data (external API) - Pseudo code I would like to check twice daily if there is some new data published and send me an email if this is the case. In pseudo code here what I thought I could do: * Get new list of movies (external API request) * Get old list of movies (stock somewhere but how?) * Compare the two list Send email with wp_mail * Update content of old list for the next time (how?) * Repeat process twice daily with wp_cron My problem is that I don't know how and where to stock the previous list of movies? I thought about a global variable that I could call in the function but from what i red so far, it seems that it is always better to avoid global variable? Also I don't know if it is possible to update the global variable for the next task. Any idea about how to manage the list or maybe a different approach? Thank you for your help
> My problem is that I don't know how and where to stock the previous list of movies? I thought about a global variable that I could call in the function but from what i red so far, it seems that it is always better to avoid global variable? Also I don't know if it is possible to update the global variable for the next task. You better use a persistent memory, because your variable will die when a PHP script finishes its work. So you can store the old list somewhere in the database or in a special file.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "wp cron, wp mail" }
Disable link for single posts I'm working on a website where everything happens in the homepage. There you can see the posts in a list; but I don't want users to be able to browse the posts. Is there a way to disable or block URLs for posts?
1. you can either disable click events using CSS. .linkclass { pointer-events: none;} 2. Or better Modify the template and remove the part which creates anchor links for titles. note: with the above, it is still possible to access the page by directly putting the full URL in the browser. if you want to completely remove the single page. add_action('register_post_type_args', function ($args, $postType) { if ($postType !== 'post'){ return $args; } $args['publicly_queryable'] = false; return $args; }, 99, 2);
stackexchange-wordpress
{ "answer_score": 2, "question_score": 0, "tags": "posts" }
Cannot get 'sanitize_callback' to work for rest parameters I'm trying to sanitize my rest parameters using `sanitize_callback`: register_rest_route( SoundSystem::$rest_namespace, '/playlist/new', array( 'methods' => WP_REST_Server::CREATABLE, 'callback' => array( __class__, 'rest_add_playlist' ), 'permission_callback' => function () { return is_user_logged_in(); }, 'playlist' => array( 'description' => __( 'JSPF playlist data', 'soundsystem' ), 'type' => 'string', 'required' => true, 'sanitize_callback' => function($value, $request, $param) { return 'TESTING'; }, ) )); But it seems that the data is not sanitized: I get the initial value. public static function rest_add_playlist(WP_REST_Request $request){ $params = $request->get_params(); $playlist = $params['playlist'];//does not returns 'TESTING' } What am I doing wrong ?
You're not getting the `TESTING` because your `playlist` argument should actually be in the `args` array like so: (reindented for brevity) register_rest_route( SoundSystem::$rest_namespace, '/playlist/new', array( 'methods' => WP_REST_Server::CREATABLE, 'callback' => array( __class__, 'rest_add_playlist' ), 'permission_callback' => function () { return is_user_logged_in(); }, 'args' => array( 'playlist' => array( 'description' => __( 'JSPF playlist data', 'soundsystem' ), 'type' => 'string', 'required' => true, 'sanitize_callback' => function($value, $request, $param) { return 'TESTING'; }, ), ), // end args ));
stackexchange-wordpress
{ "answer_score": 3, "question_score": 1, "tags": "rest api, sanitization" }
What do I put in the form action attr on top of form wordpress I created an html form, but have no clue, what I must put in the <form action = on top of the form. Does the user info go to the database, or to a file in wordpress. I am not sure what to put there. At the moment, I do not have this site live. It's local by flywheel, but would just like to know. If anyone can help me here with this. Thanks
There's a great article on Sitepoint that describes how to handle POST forms in WordPress: <
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "actions, forms" }
How to allow to add gradients to core/heading block? is there a way to add gradients support for background in the core/heading block? I've tried to * extend `settings.supports` with `gradients: true` * add gradients to theme json: "blocks": { "core/heading": { "color": { "gradients": [ { "slug": "dark-gradient-with-stripes", "name": "Dark gradient with stripes", "gradient": "linear-gradient(to left bottom, rgba(125, 134, 152, .2) 15%, rgba(0, 0, 0, 0) 92.5%)" } ] } } }, Your help is really appreciated.
No, currently gradient support in the heading block has not been implemented. You can declare that it supports it in theme.json or via `supports`, but there is nothing in the block to read that data in and use it. Gradient support has to be built into a block, it can't be inserted arbitrarily. The closest you can get is with predefined variants or styles, a custom block, or wrapper the heading in a group/cover block. **Composition not modification.**
stackexchange-wordpress
{ "answer_score": 0, "question_score": 1, "tags": "block editor" }
Access to the template file of a plug-in I am developing a plugin that consists only of REST API queries. It consists only of the `myplugin.php` and the template files (`index.php`, `style.css` & `functions.js`) and has no connection to the installed WP-theme. The plugin should be accessible via the URL: `example.com/myplugin`, which I achieved with this entry in `plugin.php`: add_action('init', function () { add_rewrite_rule('myplugin', 'wp-content/plugins/myplugin/theme/index.php', 'top'); }); In the `index.php` I can unfortunately only include the two external scripts (.css, .js) via absolute path, because if I define a variable in `plugin.php`, it is not output in `index.php`. How can I integrate the template (`index.php`) so that it has access to the previously defined variables?
maybe dirty, but it works: $slug = $_SERVER['REQUEST_URI']; $slug = explode('/', $slug); $slug = array_filter($slug); $slug = end($slug); if ($slug == 'myplugin') { include(__DIR__.'/theme/index.php'); exit; }
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "plugin development, rewrite rules" }
Layout using Bootstrap not aligning correctly I have been stuck at a strange layout alignment issue. I have been using Bootstrap 4 to set layout of a section. Please take a look at the screenshot below - ![enter image description here]( This is here. It is working as expected. Now, check here - ![enter image description here]( The exact same plugin breaking on another WordPress installation. This type of issue usually occurs due to the styling on an enclosing wrapper but couldn't find anything. I have been banging my head over it for the last couple of days but could not pin point the issue. Any help would be appreciated!
The issue is due to box-sizing Bootstrap expects `box-sizing` to be `border-box` to work properly, however in your second link it isn't so. A quick fix is to add this custom css to your project: .row * { box-sizing: border-box; }
stackexchange-wordpress
{ "answer_score": 0, "question_score": 1, "tags": "css, twitter bootstrap, screen layout" }
How to pull all the contributer users records and order by Designation (which is users meta data)? I want to show all the contributors by the Designation. Following code is only pull the records and order by ID But I need to data order by Designation: function contributors() { global $wpdb; $authors = $wpdb->get_results("SELECT ID, user_nicename from $wpdb->users WHERE display_name <> 'admin' ORDER BY id DESC"); foreach ($authors as $author ) { echo get_wp_user_avatar($author->ID); the_author_meta('designation', $author->ID); the_author_meta('fullname', $author->ID); the_author_meta('company', $author->ID); the_author_meta('address', $author->ID); the_author_meta('phone', $author->ID); } } Could you please help me out? Thanks.
I got the answer after went through `WP_User_Query` documentation. Following is the final query: $args = [ 'role__not_in' => 'Administrator', 'meta_key' => 'designation', 'meta_query '=> [ 'meta_key' => 'designation' ], 'orderby' => array( 'meta_value'=>'ASC' ) ]; $my_user_query = new WP_User_Query( $args );
stackexchange-wordpress
{ "answer_score": 2, "question_score": 0, "tags": "users, meta query, user meta" }
Solution to White Screen of Death that does not require Web Server access? I'm working on a live website, updated a plugin and got the dreaded White Screen of Death. I know exactly how to resolve the problem; simply deactivate or delete the plugin I upgraded. The problem is I cant access the WordPress Dashboard to deactivate or delete the plugin. The WSD occurs in `/wp-admin` aswell. To make things worse the owner doesn't know their web server login credentials so I cannot just FTP or CPanel in and delete the plugin that way. **Is there a way you know of to overcome the WSD that doesn't require web server access?**
No, without access to WP Admin you would need to rename the folder, but as you have no access to the filesystem this option is not feasible either. The only remaining option is to connect to the database directly, assuming you know the login details from `wp-config.php` and the database is configured to allow this. If you do not know the details or the database is configured to not allow this then this option is not available to you. If it is though, then you can delete the activated plugins options in the options table. Otherwise, you will need to speak with your host to regain access, no technical avenues exist to recover your site unless you can put PHP files up or modify the filesystem in some way.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "debug, fatal error, deactivation" }
Custom Price for WooCommerce How can I have a product in WooCommerce with a base price of $ 20 but the user can buy that product at the desired price, for example the user can buy above the base price or below the base price, thank you for your help, how can I do this? I have the ability.
Is this the "Name your Price" behaviour you need ? <
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "woocommerce offtopic" }
An extra ' is displayed in the title I've found a string that's showing the posts **title - blogname** as title in the browser, but it's adding an extra ' ![titlebar Firefox]( This is the code I'm using: <title><?php wp_title(‘ | ‘, ‘echo’, ‘right’); ?> - <?php bloginfo(‘name’); ?></title> I can't see any extra ' so I don't know what's wrong.
Those look like smart apostrophes to me. They have a curve on theme. Try: <title><?php wp_title(' | ', 'echo', 'right'); ?> - <?php bloginfo('name'); ?></title> Otherwise post what you have around that php section too.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 1, "tags": "php, title, wp title" }
Can't split the_title() by white space I am having issues splitting `the_title()` by white space in my template. $title_split = explode(" ", trim(the_title())); and (from here: < $words = preg_split('/\s+/', $string, -1, PREG_SPLIT_NO_EMPTY); (To be clear I'm not using preg as was shown but customized for my use, it was just the first thing I found when looking for a "proper") Both produce an empty array on the phrase `2022 Theme Challenge`. I have also made sure the output uses white spaces, which it does. The template produces: <h2 class="post-title">2022 Theme Challenge</h2> I am trying to replace the first word in a title with encapsulating `<span>` tags to style it greeen.
The first way you tried should work if you use `get_the_title()` instead. It’s because get_the_title returns the title, whereas `the_title()` function echos the title by default. $title_split = explode(" ", trim(get_the_title()));
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "templates, title" }
Authenticate Subdomain I have a sub-domain which I'm trying to restrict to authenticated Wordpress users but the authentication isn't working. I've tried the following code: global $current_user; wp_get_current_user(); if ( is_user_logged_in() ) { echo 'Username: ' . $current_user->user_login . "\n"; echo 'User display name: ' . $current_user->display_name . "\n"; } else { wp_loginout(); } This works if I use the URL domain.com/intranet/page.php but not on intranet.domain.com/page.php How can I get it to work for subdomains? I've tried adding the following to wp-config.php but that hasn't done anything: define('COOKIE_DOMAIN', '.domain.com'); // Used to authenticate subdomains define('COOKIEPATH', '/'); Any ideas?
Ensure that `COOKIEHASH` has the same value for both, e.g.: define( 'COOKIEHASH', md5( ' ) ); define( 'COOKIE_DOMAIN', '.yourdomain.com' ); See <
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "authentication" }
Use wp_handle_upload outside of a POST I'm writing a script that will prefill my custom post type with posts. Each post has a file (zip or json) as post meta that has to be uploaded to the media folder. The problem is wp_handle_upload needs an array from the $_FILES superglobal as an argument, rather than a context stream to the file. I tried resolving this by moving the file to a temp directory and manually populating the $_FILES global like this- $_FILES['tempFile'] = array( 'name' => pathinfo($file, PATHINFO_FILENAME), 'type' => mime_content_type($tempFile), 'tmp_name' => sys_get_temp_dir() . pathinfo($file, PATHINFO_FILENAME), 'error' => 0, 'size' => strlen(file_get_contents($tempFile)), ); However, I get the error `Specified file failed upload test.` when wp_handle_upload is called. Is there another method I should be using, or is there something else I'm missing? Thanks
There is no uploading occurring here, but you did describe _sideloading_. So use `media_handle_sideload` instead, e.g. $file_array = [ 'name' => 'test.jpg', 'tmp_name' => '/path/to/test.jpg' ]; $post_id = 0; $attachment_id = media_handle_sideload( $file_array, $post_id ); if ( is_wp_error( $attachment_id ) ) { // ... it failed } * < * based on < There are other functions that build on this, e.g. `media_sideload_image` which takes the URL of an image, downloads it, and runs it through the sideload functions,
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "uploads, post meta" }
A plugin that downloads other plugins Is it possible to create a plugin that allows me to download certain plugins from the WordPress repository? I wish to install my custom plugin and from a list of plugin in it, i want to download them. Because i need specific plugins for every site. Thanks
A lots of Premium theme use < It should do the job.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "plugins" }
get main URL from subdirectory with php I have a WordPress site that contains multiple subdirectory installations of WordPress with individual databases inside one WordPress installation, and I want to link them together in the themes. But I couldn't figure out how to dynamically get the main URL from the base WordPress directory for one of the subdirectories. For example, I tried to use get_home_url() but it only returns < instead of < This might be something basic but i couldn't find anything in my resarch that could help me out.
`site_url` gets you the current sites URL, but you can get the site URL of the root blog at `/` via `get_site_url` by passing its ID, which is likely to be `1`, e.g.: $url = get_site_url( 1 ); * * * As an aside, you may find `switch_to_blog` and `restore_current_blog` to be useful, just know that they're not cheap to call, and it won't load code from the other blog/site, if the other site relies on a custom plugin or filters it won't be present unless it's also present on the current site.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "theme development, urls, directory" }
Any ideas to trigger some code after plugin update? I have developed a plugin, that requires to do some maintenance tasks after a certain WordPress plugin has been updated in my sites. Currently, what I do, is to have this WP plugin on manual updates, and every time I update it manually, I run the code afterwards. But I would like to automate this process. Any ideas to makes this possible?
I've always used the `upgrader_process_complete` hook: function my_plugins_update_completed( $upgrader_object, $options ) { // If an update has taken place and the updated type is plugins and the plugins element exists if ( $options['action'] == 'update' && $options['type'] == 'plugin' && isset( $options['plugins'] ) ) { foreach( $options['plugins'] as $plugin ) { // Check to ensure it's my plugin if( $plugin == plugin_basename( __FILE__ ) ) { // do stuff here } } } } add_action( 'upgrader_process_complete', 'my_plugins_update_completed', 10, 2 ); More info in the Codex: < Hope that helps
stackexchange-wordpress
{ "answer_score": 3, "question_score": 1, "tags": "plugin development" }
Correct Way To Make Changes To A Wordpress Theme I'm just getting started with WordPress development and trying to understand the correct way to change small elements within a page such as Woocommerce: How to remove page title from storefront theme homepage Is creating a child theme standard in most WordPress site implementations? Or is it more common to add a lot of code to the Additional CSS section of the Theme Customization page?
If you're not the author of the parent theme, then it is better to create a child theme which overwrites the changes in the parent theme. With a child theme, you can do more than just additional CSS, you can modify template layouts and add custom functions.
stackexchange-wordpress
{ "answer_score": 3, "question_score": 0, "tags": "css, child theme" }
Wordpress Set A Static Page/Template For All Sub-Pages I have a wordpress install where I want to serve a static page/template for anyone arriving at a child of a certain page, e.g. Would all serve a php template from within Wordpress (or even just a static file) without changing the slug, so the following: Would both serve the same file without changing/redirecting the URL. This template would also handle 404s internally, so a slug like: Would still serve the same static template. Is this possible to configure within wordpress? Imagine that the page/template being redirected to is completely unrelated to a post type or hierarchy, as it is serving external resources based on the slug.
Okay so I have resolved this by combining several different wordpress functionalities: 1. Catches the template include conditionally `add_filter( 'template_include', '...' );`, in my case based on a regex match of the expected URI pattern 2. `locate_template('example-template.php')` to then resolve my (essentially) static template 3. A query within my `example-template.php` that externally retrieves the resource 4. This must handle 404s interally as the response will always assume the post can't be found, I am always setting the header response (before `get_header` in the template to `202` where the resource is found. 5. Example; `if ($resource) { @header($_SERVER['SERVER_PROTOCOL'] . ' 202 Accepted', true, 202); }` Bit convoluted, but really not too much work for what I required.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "custom post types, php, permalinks" }
Hide 2022 Parent Theme Templates / Parts I'm playing with the new FSE and 2022 theme. I made a child theme and know how to create my own custom template/block parts but how can I hide the parent theme template I don't wish to use like `templates/page-large-header.html`? Is there a way to do this without modifying the parent theme?
Update, after doing a ton of research and reading around, unregistering parent theme templates/parts like you can with blocks isn't possible. You can only copy files into the child theme and override. There is no way to hide unused parent theme template parts as I write this.
stackexchange-wordpress
{ "answer_score": 2, "question_score": 3, "tags": "theme development" }
Categories are not listing their respective products I would like to know if anyone has faced this problem, I created some categories and registered some products in that category, when I try to open the category it does not load the products. I've tried several settings on the permalinks, but no success, if anyone has an idea of what may be happening, I would be very grateful if you could tell me!
Normally, while creating a store, you'd go with the third choice, items and categories/subcategories. This means that users can either choose products directly from the main page or refine their search by going to a product category archive. This tutorial will teach you how to show categories in a separate list before showing items. Distinguish the WooCommerce code that is used to display categories and subcategories on archive pages. Make a code plugin. Create a function that places categories or subcategories before of product listings. Customize the output Navigate to WooCommerce > Settings, then to the Products tab, and finally to the Display option. Select Show both for each of the Shop Page Display and Default Category Display choices. WooCommerce Product Category Display To save your changes, click the Save changes button.
stackexchange-wordpress
{ "answer_score": 2, "question_score": 0, "tags": "categories, woocommerce offtopic" }
Add ACF field in a query I am trying to set category_name of a query using an ACF text field but I am getting all posts instead the post of the category I want. $category1 = the_field('category1'); $args1=array( 'posts_per_page' => 3, 'post_type' => 'post', 'post_status' => 'publish', 'category_name' => $category1, ); Does anybody have any solution on that? Thanks
`the_field` is used to output, `get_field` is used to return. So instead of $category1 = the_field('category1'); It should be $category1 = get_field('category1');
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "wp query, advanced custom fields" }
Display all Categories except ones with a specific parent I'm trying to display all post-categories except those who have an specific parent-categorie. Can someone help me? This is my current code: <?php $categories = get_categories( array( 'orderby' => 'name', 'order' => 'ASC', 'hide_empty' => 0, ) ); echo '<ul>'; foreach( $categories as $category ) { echo '<li><a href="' . get_category_link($category->term_id) . '">' . $category->name . '</a></li>'; } echo '</ul>'; ?>
`get_categories()` gives you an array of `WP_Term` objects, which has the `parent` property. This contains the ID of the parent category. Inside your loop you can do a simple comparison to see, if the current iteration category has the specific parent category's ID or not, and if it does, skip it. $parent_id = 123; // change to actual term id foreach( $categories as $category ) { if ( $parent_id === $category->parent ) { continue; } // rest of the code... }
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "custom post types, posts, categories, archives" }
Hide Author By-Line if After Certain Date I'm trying to use functions.php to hide the by-line on posts after a certain date. I'm using the following code but it isn't working. I think it's due to not properly grabbing the post date. How do I get the post date in functions.php? // Hide By-Line add_action('wp_head','my_head_css'); function my_head_css(){ $excludeDate = date("2021-06-02"); $postDate = get_the_date('Y-m-d'); if($postDate > $excludeDate){ echo "<style> .entry-author {display:none !important;} </style>"; } }
It's probably getting the date as you expect, but the `>` is essentially a mathematical operator and you're trying to use it to compare two strings. You can use `strtotime()` to convert the dates to integers (# of seconds elapsed since `1970-01-01`), and compare those. // Hide By-Line add_action('wp_head','my_head_css'); function my_head_css(){ $excludeDate = date("2021-06-02"); $postDate = get_the_date('Y-m-d'); if( strtotime( $postDate ) > strtotime( $excludeDate ) ){ echo "<style> .entry-author {display:none !important;} </style>"; } }
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "functions" }
Media library style not loading correctly when selecting a page featured image? I'm trying to set a featured image to some pages, so when I press select featured images the media library upload UI not loading correctly its own stylesheet ( get images and search are working perfectly) This is a screenshot of the problem and the thing is the problem occurs only on some pages ( with the same template!!! ) ![enter image description here]( **What I've tried:** 1. Checked every single plugin deactivate&activate ( no changes) 2. Add a `define( 'CONCATENATE_SCRIPTS', false );` in `wp-config.php` file ( no changes) 3. Checked console there are no errors. 4. Different browsers on 2 different devices ( no changes ) Any ideas would be appreciated, Thanks.
After some search, the problem was in the pages which contains ACF blocks ACF plugin is not compatible with the latest WP 5.9.1 temporary fixes until the update has been released : 1- In your **functions.php** file add these lines: function acf_fix_preload_path( $preload_paths ) { global $post; $rest_path = rest_get_route_for_post( $post ); $remove_path = add_query_arg( 'context', 'edit', $rest_path ); return array_filter( $preload_paths, function( $url ) use ( $remove_path ) { return $url !== $remove_path; });} add_filter( 'block_editor_rest_api_preload_paths', 'acf_fix_preload_path', 10, 1 ); **Or** rollback to the previous version of WordPress like 5.9
stackexchange-wordpress
{ "answer_score": 1, "question_score": 1, "tags": "css, media library" }
What is the practical difference between is_admin() and is_blog_admin()? I can see that the 2 functions are almost identical. Only difference is in one line: @is_admin() `return $GLOBALS['current_screen']->in_admin();` @is_blog_admin() `return $GLOBALS['current_screen']->in_admin( 'site' );` What is the practical purpose / reason behind this? Or where can i read more about it? I can see that `is_blog_admin()` 'born' much later, and since it's giving the 'site' parameter to the `in_admin()` function that it calls internally, it works as a stricter condition, thus being more specific and probably not good idea to use it as an 'alias' to 'is_admin()' (since it's not). I just would like to see where this is used in practice?
On a multisite network `is_admin()` is `true` for everything under `/wp-admin`, including the multisite network admin at `/wp-admin/network`, but `is_blog_admin()` is only true for the admin for an individual site/blog on the network, and is _not_ `true` for `/wp-admin/network`.
stackexchange-wordpress
{ "answer_score": 3, "question_score": 1, "tags": "wp admin, admin, conditional tags" }
I need to update the post query? I am trying to simply update the post query to only query posts with the taxonomy.
You should use tax_query. $args = [ 'posts_per_page' => 10, 'post_type' => 'post', 'post_status' => 'publish' 'tax_query' => array( array( 'taxonomy' => 'state', 'field' => 'slug', 'terms' => 'minnesota', // lowercase m ), ];
stackexchange-wordpress
{ "answer_score": 1, "question_score": -1, "tags": "loop" }
Blog Posts - Scroll to view more I have a page with all my blog posts in it and I have it set to show all my posts on one page. (See screenshot) Now am I looking for away to only show 10 posts at a time and on scroll show more. I see there are plugins like this < but this needs a pagination, I do not want a pagination because of SEO reasons. (new SEO errors come up when a new page for the pagination comes up) Is there away to this with jquery or javascript?
Load all the posts and hide them exclude 10. If the user scroll to page bottom show more 10. $('article').each((i, el) => { if (i > 9){ $(el).hide(); } }); $(window).scroll(() => { if ((window.innerHeight + window.scrollY) >= document.body.offsetHeight) { $('article:hidden').first().show(); } });
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "posts, pagination, infinite scroll" }
How to get and set the post tag value within WP Query from URL? This is new grounds for me. I'm on a hunt trying to figure out how can use a WPQuery to list all posts, that are filtered by the tag which the user clicked on. So for example if the end-user is on one of my posts, and clicks on a tag that is part of that post, it goes to a new page with the following URL... ` On that `beaches` page, I know from my child theme I can create a template called tag.php and build & brand the logic for that page. But from this same tag.php template, how can WP Query list all posts that are associated to the tag `beaches` because its the value in the URL?
You don't need to make a new `WP_Query` to display the posts in the requested tag (`beaches` in question), because when the page is requested, WordPress will parse the query args from the URL (or the rewrite rule that matches the URL _path_ ) and automatically make a `WP_Query` call which fetches the tag's posts from the database. And that query is called the "main query" which runs automatically on page load, **before** the template like `tag.php` or `single.php` is determined. So in your tag template, you just need to display the (main) loop, or the posts for the main query, i.e. `while ( have_posts() ) { the_post(); /* your code here; e.g. call the_title() */ }`. However, if you wanted to know how to retrieve the current tag object (which is an instance of `WP_Term`), then use `get_queried_object()`. Or `get_queried_object_id()` to retrieve just the tag ID. Or have I misread your question?
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "templates, tags" }
Remove style `?ver=` from `/wp-admin/upgrade.php` Using `style_loader_src` hook to remove the version query works just fine, but on `/wp-admin/upgrade.php` the version queries won't go away. Is there a way to also remove the versions strings from the `/wp-admin/upgrade.php` page?
Turning the plugin code into a **must-use plugin** seems to work. But not exactly what I am looking for tbh.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 1, "tags": "filters, security, admin css" }
I need to add a filter to prepend the term 'National - ' to the post title if the post is tagged to multiple states I am trying to add a filter to add the word "National - " to the beginning of the the post title if the post has multiple states that it is in. Here is a screenshot: ![enter image description here]( I just figured out the add filter that adds the word "National - " to the beginning of the post title, but I can't figure out the if statement because I only need the word "National - to be added if the post has multiple states. Here is the filter: add_filter( 'the_title', function($title) { return 'National - ' . $title; });
Your "states" appear to be terms in a custom taxonomy. In the code below I've assumed the taxonomy's name is `my_state`; you'll need to make sure that's updated to match the actual taxonomy name. add_filter( 'the_title', function( $title, $id ) { // Gets the list of 'states' the post belongs to. $states = wp_get_post_terms( $id, 'my_state' ); // If there's more than 1 state, prepend 'National - ' to the title. if ( 1 < count( $states ) ) { $title = 'National - ' . $title; } return $title; }, 10, 2 ); ## References * `wp_get_post_terms()`
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "custom post types, php, filters, taxonomy" }
Show date post published in Gutenberg component I am coming from the PHP world where I would just put <div> <h1><?= get_the_title() ?></h1> <p><?= the_time('j F Y'); ?></p> </div> Now I have a Gutenberg `Edit.js` block. <div> <RichText className="snug huge" placeholder="Your title here" onChange={(content) => setAttributes({ title: content })} value={attributes.title} tagName="h1" /> <p>[The date of the page or post needs to be formatted and placed here]</p> </div> How on earth do I put the date the post was published in? ## Edit: Recently I have found a list of all PHP template tags and their Gutenberg counterparts: < This has lead me to find the Post Date — however there is no documentation at all for it. I think it is what I am after, however I'm unsure how to use it. <
I was able to get there by doing the following. import * as wpDate from "@wordpress/date"; You can find the very limited documentation on that here: < I was able to use the following: const post = wp.data.select("core/editor").getCurrentPost(); const postDate = wpDate.format("d|m|Y", post.date); Then, when I needed it: <div> <RichText className="snug huge" placeholder="Your title here" onChange={(content) => setAttributes({ title: content })} value={attributes.title} tagName="h1" /> <p>{postDate}</p> </div>
stackexchange-wordpress
{ "answer_score": 2, "question_score": 1, "tags": "block editor" }
How to upload images in a specific folder using API I have installed wordpress plugins Real Media library, Real Physical Media, and Media file renamed. Using this I am able to physically move images and organize images in the upload folder as per categories. Both these plugins have API - < < but they don't seem to provide any option to upload files. It means for uploading I still need to use the classic Wordpress rest API. So how do I then physically move the files, do I upload using classic way, and the images get uploaded in the date file structure format, and use a second API call to move those uploaded images? Or directly while uploading itself I can set the destination folder.
The problem is solved. Actually in the regular Wordpress API for uploading media `wp/v2/media` please add one more form data entry `rmlFolder: <the_id_of_destination_folder>` That is all, it gets uploaded in the correct folder. I am posting my code (in Java based on a library not written by me) ![Before the patch for supporting RML plugin]( After the patch ![After the patch for supporting RML plugin](
stackexchange-wordpress
{ "answer_score": 0, "question_score": 1, "tags": "images, media library" }
What is the significance of 'root' in getEntityRecords? I've gone through the documentation and the source code but I couldn't understand. I have 2 queries: `getEntityRecords( 'postType', 'post' );` and `getEntityRecords( 'root', 'user' )`. 1. Why does the 2nd query require `root` as the 1st argument? 2. What does it mean? 3. How to determine when to use it? The doc describes the parameters of `getEntityRecords` as following: **Parameters:** * state **Object** : State tree * kind **string** : Entity kind. * name **string** : Entity name. * query **?Object** : Optional terms query. 4. Are `postType` and `root` both state trees? 5. How does `state` relate to `kind` while referring to entities.js?
The important thing to note is that `post` is a kind/sub-type of the post types entity, all posts regardless of type share the same table and general data structure and fields etc. This contrasts with other major entity types such as comments or users. However, what if there is no kind or sub-type? What if your entity is a user? What would you put as the entity kind/sub-type? There is only 1 kind of user! So you go one level up, and that's where `root` comes from. It's also useful to know that entities are very related to the REST API and endpoints, and that this is the only connection to the PHP side of things. Entities only exist in the WP javascript packages. It's possible to use the REST API and javascript without referring to entities on the frontend, but if you're working with the block editor it's highly relevant.
stackexchange-wordpress
{ "answer_score": 3, "question_score": 2, "tags": "block editor" }
TwentyTwentyTwo - How to add PHP logic to Post templates? I'm testing out the new TwentyTwentyTwo theme for WordPress 5.9. I can see that when I enter a post, on the right side I have the option to either Edit or Create New Templates. ![enter image description here]( In edit mode, it brings us into the edit view of that template (which kinda reminds me of a reusable block in a way..) ![enter image description here]( **But how do we "edit and save" PHP code for these templates?** Like loops, actions, do_actions, etc... I don't see the templates being auto generated in my Visual Studio Code environment anywhere....
> But how do we "edit and save" PHP code for these templates? Like loops, actions, do_actions, etc... I don't see the templates being auto generated in my Visual Studio Code environment anywhere.... **You don't** , these are block templates, not PHP templates. When in the filesystem in a theme they are plain `.html` files, and when you modify or create them in the user interface they're saved in the database. In order to run PHP code in these templates you would need one of the following: * a custom block that renders in PHP * a custom shortcode inserted via a shortcode block This is the same as asking how to run PHP inside a posts content, and the solutions are the same. Custom blocks and shortcodes.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 2, "tags": "theme twenty twenty two" }
Substitute original WordPress url by another domain name I do have a very basic question, but struggle to understand things. I do have a Wordpress, host on WorldLite by Planet Hoster. Url is something like "mysite.go.yo". When I go to a post, url becomes "mysite.go.yo/my-awesome-post". Now, I simply would like to switch from "mysite.go.yo" to something more sexy, like "mysite.com". I am just talking about the browser url display, purely cosmetic, not actually moving files. I would also like that links appear as "mysite.com/my-awsome-post" rather than "mysite.go.yo/my-awesome-post" or always "mysite.com". I do have the domain "mysite.com" with OVH but I clearly struggle to get desired result. Is it possible to achieve expected result when domain name is not host by the WordPress host?
For future reference, to achieve this result one shall: 1. Create a CNAME redirection from its .com to its .go.yo, 2. Update default DNS Zone from OVH by the one of the PH host, 3. Create an domain name alias on PH, 4. Update WordPress with new url But things are easier if host & .com are held by the same company.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "domain" }
How to replace characters in CPT posts with a newline using Better Search Replace I see some corruption in some CPT posts. I need to replace _x000D_ _x000D_ with 2 new line breaks. How would I do this using the Better Search Replace plugin, please? Help appreciated.
I searched the database for `\n` newline characters and there were none. So I replaced `_x000D_` with `_x000D_<br>`. This worked for us.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "text" }
How to find what pages/posts contain a particular reusable block? How can I find out what pages and post on a site contain a particular reusable block? Typically, to find content on a site, I issue `wp db search *itemlookingfor*` (like the post ID, part of a file name, or a word) OR `wp db query 'SELECT ID FROM the_posts_table WHERE post_content LIKE "%itemlookingfor%" AND post_status="publish"'` In my case, I used the reusable block's ID and no results were returned for either command. I replaced the ID of the reusable block with other common words on my site and results were returned so I think it's something special with reusable blocks. Ideally, I'd like to use a wp-cli command or failing that, a sql command to search my database.
Those commands do work now after I stepped away for a few hours from the problem; so it was something on my end. In my examples in the question, You can substitute the reusable block's post_id with the `itemlookingfor` to obtain the pages that contain your reusable block.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 1, "tags": "wp cli" }
Active class with custom wp_get_archives HTML output I use a filter on `get_archives_link` for the HTML output and I try to reproduce the default `aria-current="page"` attribute on the `<a>` tag when we are on the archive page. if ( ! function_exists( 'o2_archives_html' ) ) : function o2_archives_html( $link_html, $url, $text, $format, $before, $after ) { if ( 'html' === $format ) $link_html = "\t<li>$before<a href='$url'><span class='label'><span class='title'>$text</span></span></a>$after</li>\n"; return $link_html; } endif; // o2_archives_html() add_filter( 'get_archives_link', 'o2_archives_html', 10, 6 ); I would like to put an "active" class on the `<li class="active">` tag when we are for example on February 2022 `site.com/blog/2022/02/page/2/`. What condition does this?
I haven't found an easy way but here is a solution: I get the month and year from the current archive and compare them with the text. $year = get_query_var( 'year' ); $monthnum = get_query_var( 'monthnum' ); $monthname = $GLOBALS['wp_locale']->get_month( $monthnum ); $date = $monthname . ' ' . $year; if ( $text === $date ) $active_class = 'class="current-menu-item"';
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "wp get archives" }
How can i get the code of Shop Page Woocommerce? I'm trying to write the codes of the shop page in woocommerce, especially in the main div ![Image]( All of them are inside div with class-main, and I want to know how I can create one by myself with the standards code
there are many hooks you can use to change certain code on archive pages. see here it is not recommended to change template files, but if you need to, create the copy of archive-product in the child theme with same folder structure as parent theme. this will affect all archive pages, shop, archive and tags. however, you can also rename it and set up a conditional, if( is_page( archive-shop )) then display the new template.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "woocommerce offtopic, templates" }
Setting boolean and array values using wp theme mod set I need to set a couple of Theme Mods to boolean and array values using WP CLI but can't find any way to do achieve it. I have already tried the following for booleans, but they appear to be treated as string: wp theme mod set my_theme_mod true wp theme mod set my_theme_mod 1 For arrays, I don't even know where to start, so have not tried anything yet. Any pointers please?
Funny how you find the answer just after posting a question. Posting here, in case someone comes looking for it. As per @Kero's comment above, that's correct. The command-line option will only recognise strings. There is however an eval-file command that can be used to achieve this (and now that I have discovered it, a lot more). Here are the steps for achieving the goal I posted in my question, however as the eval-file WP CLI command can be used to execute a PHP file, we can code anything that we deem fit. Step 1: Create a PHP file with the required code. In my example here, I added the following: <?php set_theme_mod('my_boolean_mod', false); set_theme_mod('my_array_mod', array(1, 2, 3)); The above code will use the WordPress set_theme_mod function to create/update mods named my_boolean_mod and my_array_mod. Step 2: Execute the above file using the WP CLI eval-file command wp eval-file my_file.php That's it. Hope this is useful!
stackexchange-wordpress
{ "answer_score": 1, "question_score": 2, "tags": "wp cli" }
Yoast Metadata API to adjust/override the meta description I wanted to use the following function to override the Yoast meta description: add_filter('wpseo_metadesc','custom_meta'); function custom_meta( $desc ){ if (/* do your test here to check template or any other values*/) { $desc = "Change the description"; } return $desc; } However, Yoast SEO support recommends the Metadata API. From this page, I understand I can use the `wpseo_metadesc` filter to adjust the `Meta_Description_Presenter`, but I am unsure how it is done; I am not a programmer. I'd love some assistance to create some `functions.php` code that will grab the first 160 characters of the content if the meta description hasn't been set already. Help appreciated. Steve
I think you're on the right track here. You can use the `wpseo_metadesc` filter to alter the meta description any way you want. Check out below code, maybe it'll help you with your function. add_filter( 'wpseo_metadesc', 'my_custom_meta_description' ); function my_custom_meta_description($description) { if ( !$description || empty($description) ) { global $post; $content = get_the_content($post->ID); if ( $content && !empty($content) ) { $description = substr($content, 0, 160); } } return $description; } I haven't tested the function so you may need to customize it for your need.
stackexchange-wordpress
{ "answer_score": 2, "question_score": 0, "tags": "plugin wp seo yoast" }
WP function won't work on 404 template page I made a custom template of error 404 page. In my header.php i use the_time() function to display current date. There is some problem with 404 page because the_time() function won't work, not return any date. Why is that happen?
**`the_time` does not display the current date,** _it displays the date of the current post,_ and 404 pages do not have a current post. For this reason, if it ever returned a date on the 404 page then it would be a bug. Instead you should use the PHP functions that come with PHP to display the current date and time.
stackexchange-wordpress
{ "answer_score": 2, "question_score": 0, "tags": "functions, 404 error, date time" }
Wordpress is already installed I installed WP however I don't remember the login and password. So I need to do the configuration again where I set the email and password. However when I acesss that page: It shows a message saying that Wordpress is already installed: "You appear to have already installed WordPress. To reinstall please clear your old database tables first. Do you know what is necessary to do to do the initial configuration again? Thanks in advance.
You can see the username in the database and change the password easily. You do not need to reinstall wordpress. If you need to reconfigure, there are several ways: 1. Delete wp-config.php and htaccess files and re run install 2. Delete the information in the database and reconfigure it But if you want an easy way to find your username as well as change your password, you can do the following: Just go to phpMyAdmin and find the ** wp_users ** table and click on it You will now see the rows in your WordPress user table. Continue and click the edit button next to the username whose password you want to change. Now delete the value in the user_pass field and replace it with your new password. Below the function column, select MD5 from the drop-down menu and then click the Go button at the bottom of the form. Just as easily! You have successfully changed your WordPress password.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "installation" }
How do I add a custom sub menu menu under Woo-commerce marketing? I am developing a plugin and I want to add a menu under the woo-commerce marketing menu like the coupons and overview submenus. How am able to archieve that? I did this but it didn't work. add_submenu_page( 'admin.php?page=wc-admin&path=/marketing', __( 'Sub Menu' ), 'manage_woocommerce', 'sub-menu-slug', 'sub_menu_page_callback' );
If available the `$GLOBALS[ 'menu' ]` array holds data for each top level menu item in the dashboard, and in the sub array for the Woocommerce "Marketing" menu item, key 2 has the value you're looking for: `"woocommerce-marketing"`. So with that your `add_submenu_page` should look like the below to make your sub menu item show up under the Woocommerce Marketing menu item: add_submenu_page( 'woocommerce-marketing', __( 'Sub Menu' ), 'manage_woocommerce', 'sub-menu-slug', 'sub_menu_page_callback' );
stackexchange-wordpress
{ "answer_score": 1, "question_score": 1, "tags": "plugins, plugin development, permalinks" }
Should action callbacks start with a verb? class Singleton { public function __construct() { // Case #1 add_action( 'woocommerce_before_shop_loop_item', [ $this, 'open_product_wrapper' ], 10 ); add_action( 'woocommerce_shop_loop_item_title', [ $this, 'render_product_title' ], 10 ); // Case #2 add_action( 'woocommerce_before_shop_loop_item', [ $this, 'product_wrapper_open' ], 10 ); add_action( 'woocommerce_shop_loop_item_title', [ $this, 'product_title' ], 10 ); } } Are there any conventions or should I strive for consistency? NOTE: In Laravel projects I always use verbs because each method is doing something.
> Are there any conventions or should I strive for consistency? No, as long as your actions are readable, unique, and it's clear what they do, there is no rule to follow. Ideally the names you choose are consistent within the code you write. E.g. WooCommerce has chosen to use the `woocommerce_` prefix, or when ACF uses `acf\`. If you think verbs works for you then use verbs, just do it consistently and clearly. The one thing I would say, is never have a fully dynamic name, e.g. passing a variable from a separate source assuming they're all unique, e.g. `add_action( $form_name, '...`.
stackexchange-wordpress
{ "answer_score": 2, "question_score": 1, "tags": "plugin development, theme development, hooks, actions" }
Gutenberg: How to check if a block is used in a paginated post? There is the `render_callback` of the `register_block_type` function. In this callback, I can use `add_filter('render_block', __NAMESPACE__ . '\\filter_block', 10, 2);` `filter_block` iterates through all blocks in my post ... until the post is paginated, and the block is on page 1, but I want to check blocks on page 3 of the post. I found the function `has_block` but how to I combine this with the `render_callback`? The callback is only executed when the block is rendered. Is there a function for this I am missing? Like a callback `used_in_post_callback` or something like this?
The solution is simple: has_block( 'simpetoc/toc, $YOUR_POSTS_CONTENT_OR_POST_ID ) < > has_block( string $block_name, int|string|WP_Post|null $post = null ) There is no need to render the blocks to build a table of contents, nor should you do it that way. Note that your current approach breaks user defined HTML anchors and doesn't account for headings in nested blocks.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 1, "tags": "block editor, callbacks" }
Why does get_dirsize return the same size? The function below is intended to return the size of the base directory. Although additional files have been uploaded, it continues to display the same size. What am I missing? function get_space_used() { $upload_dir = wp_upload_dir(); $space_used = number_format( get_dirsize( $upload_dir['basedir'] ) / ( 1024 * 1024 ), 1 ); return $space_used; }
Under the hood, `get_dirsize()` uses `recurse_dirsize()` which uses a transient called `dirsize_cache`. Try clearing that transient and check again. To do so, you can use one of the following methods: * call `delete_transient('dirsize_cache');` * use WP CLI's `wp transient delete` * use a plugin * * * Looking further through the source code, I think it should be possible to use `recurse_dirsize()` directly in your code and telling it not to cache like so: $upload_dir = wp_upload_dir(); $size = recurse_dirsize($upload_dir['basedir'], null, null, []); By passing an empty array `[]` as the fourth argument, it should circumvent the cache because the `!isset($directory_cache)` now returns a different result.
stackexchange-wordpress
{ "answer_score": 3, "question_score": 0, "tags": "uploads" }
Wordpress SQL LIKE request doesn't work for fields with special symbols In WordPress I make SQL-requests to the database but LIKE request doesn't work correctly. Actial value of `meta_value` field in the database is such string: a:1:{i:0;s:9:"full-time";} if I make this request all works fine: $query = $wpdb->prepare("SELECT meta_value FROM wp_postmeta WHERE meta_key = 'job_bm_job_type' AND meta_value LIKE '%a%' LIMIT 1"); But if try to use other text in LIKE part I don't get any results $query = $wpdb->prepare("SELECT meta_value FROM wp_postmeta WHERE meta_key = 'job_bm_job_type' AND meta_value LIKE '%full%' LIMIT 1"); Ideally, LIKE request should search through data of all the string. But it seems like it doesn't search inside the content of square brackets `{ }` What I miss here? How to search through any elements in this field?
I found the answer. Like @Sally-CJ mentioned above, `%f` in the beginning was mistakenly seen as one of supported placeholders for wpdb::prepare() (the other two placeholders are `%s` and `%d`). So you need to add escaping the quotes `\"`. In my case it's `\"full\"`. With escaping it works perfectly. $query = $wpdb->prepare("SELECT meta_value FROM wp_postmeta WHERE meta_key = 'job_bm_job_type' AND meta_value LIKE '%\"full\"%' LIMIT 1"); If you search string starts from letter `a`, `d`, `f` – this finding could help you solve the problem.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "sql" }
On click load iframe I have this html <a href="#1647278006925-e8321147-313b" data-vc-accordion="" data-vc-container=".vc_tta-container"><span class="vc_tta-title-text">LISTEN</span></a> that is printed in my page and opens an accordion with an iframe in it. The iframe: `<iframe id="myiFrame" class="stop-lazy" data-src=" frameborder="0" allowtransparency="true" style="width: 100%;min-height: 150px;"></iframe>` I am trying to create a jquery code that will load the iframe only when the user click on the link. So i have tried to set the below script in the footer.php: `<script> $(".vc_tta-title-text").click(function(){ var iframe = $("#myiFrame"); iframe.attr("src", iframe.data("src")); }); </script> ` but it is not working. Any help would be appreciated. (Note:It would be better to trigger the click event from the href="#1647278006925-e8321147-313b" ) *I can not edit the html. **I can edit, add or remove classes or ids in the iframe.
Did you inspect your code for any errors? If the error is "Uncaught TypeError: $ is not a function", then maybe you can add the code as below. <script> jQuery(document).ready(function($) { //your code starts here <iframe id="myiFrame" class="stop-lazy" data-src=" frameborder="0" allowtransparency="true" style="width: 100%;min-height: 150px;"></iframe> }); </script>
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "javascript, jquery, footer, scripts, iframe" }
How to enable [archives] short code I want to use the `[archives type=yearly]` short code on a side bar widget so that people can click on links and see posts for the year. But this is the result I'm getting: ![enter image description here]( This is what I'm doing in the Widgets Editor: And I added `add_filter( 'widget_text', 'do_shortcode' );` to `wp-content/themes/twentysixteen/functions.php`. I also get a similar problem when pasting the `[archives]` into a page or post. The website just renders it at `[archives]`. If I enter a shortcode like `[gallery]`, I see a gallery. So the problem is with the `[archives]` short code. What am I doing wrong? ![enter image description here](
I don't know or understand why, but I pasted this into `wp-content/themes/twentysixteen/functions.php` and it worked: function wpse61674_archives_shortcode_cb( $atts ) { return '<h2 class="widget-title">Archives</h2><ul>'.wp_get_archives(array('format'=>'html','echo'=>false,'type'=>'yearly')).'</ul>'; } add_shortcode( 'archives', 'wpse61674_archives_shortcode_cb' ); I found this code somewhere on the internet, but it wasn't part of the wordpress documentation on archives shortcode.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "widgets, archives" }
Custom loop ordering not working I have a custom loop to display the children of a parent page which works well - however, I cant get the ordering of the items to work as I want - I want them to appear in alphabetical order (A>Z). Can anyone help with some mods to the code below to get it to work as I want it? <?php $ids = array(); $pages = get_pages("parent=".$post->ID); if ($pages) { foreach ($pages as $page) { $ids[] = $page->ID; } } $paged = (get_query_var("paged")) ? get_query_var("paged") : 1; $args = array( "paged" => $paged, "post__in" => $ids, "posts_per_page" => 600, "post_type" => "page", "sort_order" => "ASC", "sort_column" => "post_name" ); query_posts($args); if (have_posts()) : while (have_posts()) : the_post(); ?>
"sort_order" => "ASC", "sort_column" => "post_name" These are not sorting parameters. Use `order` and `orderby` instead as specified in the official documentation: <
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "loop" }
Keeping and updating ACF and ACF Pro at the same time I am not sure how far this is relevant on this platform. Actually I am in a situation where I have both `ACF` _(Deactivated)_ and `ACF Pro` **(Activated)** installed at the same time in a single WordPress site. The Pro version is running the latest ( **v 5.12** ). But the Non-pro version is falling behind a few (minor) updates. Current version is **5.11** to be exact. I am a bit confused about updating the `ACF` (non pro) version because it is deactivated and ideally should not create any problem. But at the same time, keeping an old plugin, whether it is activated or not, is not recommended. And, at the same time hesitating to remove it completely for any unwanted impact! Is this safe to update / remove the plugin? What should be the correct way to test for any impact that might happen if I remove the non-pro version?
As the free is deactivated, the code inside is not used. You can delete it. ACF Pro is embedding ACF free functions so no worries.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "plugins, advanced custom fields" }
Use a filter for wp_robots to block CPT/feed/ We have a CPT (with base slug `templates`) that somehow included in every single post's head a link to `/templates/post/feed/`. I've removed this link to the feed from the head, but want to block robots from the feed also. From this answer, I can adapt code like: add_filter( 'wp_robots', function( $robots ) { if ( is_singular( 'templates' ) ) { $robots['noindex'] = true; $robots['nofollow'] = true; } return $robots; } ); but don't know how to include is_feed() into this code. Would I use something like `if ( is_singular( 'templates' ) && is_feed( 'templates' ) )` ? Help appreciated. **EDIT** Alternatively, I could somehow add the following to `robots.txt`: User-agent: * Disallow: /templates/*/feed but do not know the function/hook to do this. We're using `Yoast SEO`. Help appreciated.
Yoast SEO has a robots.txt editor that worked well. ![enter image description here]( This solved our problem.
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "functions, feed, robots.txt" }
Prevent WordPress from automatically installing a new theme each year Is there a setting for new disabling new yearly themes? Each year my WordPress installation automatically installs a new theme which I then delete. For example, this year the theme Twenty Twenty-Two was installed. I already have a theme I like and I'm never going to want to use the newest theme of the year. I'm hoping there is some way to prevent WordPress from automatically installing these new themes in the future. A few years ago somebody asked How to delete default themes? I already know how to delete the themes and they never got an answer about how to prevent them from being installed to begin with. There is also the question Should I delete the default themes? which is related, but doesn't actually answer my question.
Looking through some resources, I found this track ticket which discusses the same topic. It seems the following will stop it, add it to your _wp-config.php_ : define('CORE_UPGRADE_SKIP_NEW_BUNDLED', true);
stackexchange-wordpress
{ "answer_score": 21, "question_score": 14, "tags": "customization, themes" }
block variations registration in PHP Currently, both `register_block_style` and `register_block_type` exist in PHP as alternative to the same functions in javascript `registerBlockStyle` and `registerBlockType`. However, it seems that `register_block_variation` does not exist. Is there possibility to register core block variation from PHP?
As of January 2023, it seems that this function remains unavailable in PHP. The only issue where I find any mention to it in Gutenberg repo is this one: < I've opened an issue requesting it, let's see if they can handle it :) <
stackexchange-wordpress
{ "answer_score": 0, "question_score": 3, "tags": "block editor" }
Override htacces rule only for specific directory I have a WordPress site with ithemes security installed plugin. I want to disable this rule: RewriteCond %{HTTP_USER_AGENT} "^$" [NC,OR] only for this `wp-content/uploads/xmls` directory. Relevant (summarised) section of `.htaccess` file: # Begin HackRepair.com Blacklist RewriteEngine on # Abuse Agent Blocking RewriteCond %{HTTP_USER_AGENT} ^[Ww]eb[Bb]andit [NC,OR] RewriteCond %{HTTP_USER_AGENT} ^$ [NC,OR] RewriteCond %{HTTP_USER_AGENT} ^Acunetix [NC,OR] : : etc. : RewriteCond %{HTTP_USER_AGENT} YisouSpider [NC,OR] RewriteCond %{HTTP_USER_AGENT} zermelo [NC,OR] RewriteCond %{HTTP_USER_AGENT} ZyBorg RewriteRule ^.* - [F,L] # Abuse bot blocking rule end
To effectively disable that _condition_ for that one URL-path, you will need to add another rule immediately before the rule in question. ie. _before_ the `# Abuse Agent Blocking` comment. For example: # Allow an empty User-Agent for requests that start "/wp-content/uploads/xmls" RewriteCond %{HTTP_USER_AGENT} ^$ RewriteRule ^wp-content/uploads/xmls - [S=1] # Abuse Agent Blocking RewriteCond %{HTTP_USER_AGENT} ^[Ww]eb[Bb]andit [NC,OR] RewriteCond %{HTTP_USER_AGENT} ^$ [NC,OR] RewriteCond %{HTTP_USER_AGENT} ^Acunetix [NC,OR] : etc. The first rule _skips_ the following rule if the requested URL-path starts `/wp-content/uploads/xmls` and the `User-Agent` header is empty. So, it effectively bypasses the rule that would otherwise block it. This does assume that the request maps to a physical file in that directory. ie. Not a request that would otherwise be rewritten to the WordPress front-controller (`index.php`).
stackexchange-wordpress
{ "answer_score": 1, "question_score": 1, "tags": "htaccess, apache, mod rewrite" }
How can I enter on the Thank you page in woocommerce the discount code I assigned to the product category? I would like to show a discount code for each order from the same product category to the user on the "Thank You" page. if($order->get_total() >= 100000) { echo //Discount code }
You can find the code for the Thank You page here. May I suggest the `woocommerce_thankyou` hook?
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "php, woocommerce offtopic" }
Calling add_action on a filter hook? I'm working with Ultimate Member plugin and while attempting to work through a modification I accidentally used `add_action` on a filter hook (not an action hook) and it still worked - as in the call back ran?? Is this a feature of Wordpress I was not aware of? I don't see any documentation about this. below is the code I ran. N.B no `return` either. Here is a link to the UM docs about this filter hook um_set_user_role I did a global search on all files in the Ultimate Member plugin and it is definitely not called with `do_action` anywhere.. so how did this work? add_action( 'um_set_user_role', 'add_user_specific_role', 99, 3 ); function add_user_specific_role( $role, $user_id, $user ) { error_log( '============= UM NEW ROLE =================' ); error_log($role); error_log( '============= UM USER ALL ROLES =================' ); error_log(print_r($user->roles, true)); }
`add_action()` and `add_filter()` are essentially the same thing, hooks, and they both call the same functions under the hood. If you look you'll see `WP_Hook::do_action()` basically just calls `WP_Hook::apply_filters()`. An action is essentially just a filter that doesn't return a value. If your callback function was supposed to modify the value of `$role` then that part wouldn't work, because `add_action()` won't pass the value through, but the callback will still run, as you've seen.
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "hooks" }
What is @Action in Wordpress? I have found this code snippet on a plugin. /** * @Action(name="workforce_content_loop_before", priority=10) */ public static function show_breadcrumb() { echo do_shortcode( '[workforce_breadcrumb]' ); } This comment code is use to add an action instead of add_action function (here show_beradcrumb action). But how this is working inside comment. I am asking here because I didn't find any documentation in wordpress. ![Screenshot here](
This is called php annotations. Many of them are built-in via a standard called phpdoc (like @var), and they are used by the interpreter or the static tools (also by humans for a more structured comment). There is another usecase for these annotations, and it's to run some code - probably using reflections (which usually is last resort, since it's slower), here is an example from a different system which I'm using: < For example in old versions of TYPO3 you could use @inject this way.
stackexchange-wordpress
{ "answer_score": 4, "question_score": 0, "tags": "plugins, php, functions, shortcode, actions" }
Custom Wordpress Plugin will install new and not update I've just created my first custom Wordpress plugin. Now I want to push a new version: Recreation Steps: * Install v1.1.0 * Activate v1.1.0 * See that is doing stuff -> YEAH * Create new Zip with v1.1.2 and inside set "Version: 1.1.2" * Go to Wordpress -> Add New and pick that zip * Wordpress will install new plugin and not ask to overwrite... Can someone explain to me what I'm doing wrong? Kind Regards, Ben
A plugin is treated as the same as another plugin if it has the same directory name. That's it. If your zip file contains the plugin files then the zip filename will be used as the directory name. If your zip has a directory in it, containing the plugin files, then that will be used as the plugin directory. So the solution is to structure your zips like this: my-plugin-1.0.0.zip ∟ my-plugin/ ∟ my-plugin.php my-plugin-1.1.0.zip ∟ my-plugin/ ∟ my-plugin.php This way the directory will always be `my-plugin/` and those two zips will be treated as the same plugin.
stackexchange-wordpress
{ "answer_score": 5, "question_score": 0, "tags": "plugin development, updates" }
Add more user roles to a PHP logout redirect function I have this function I found which redirects a user to an URL based on their user role. I have pretty much no knowledge of PHP so I need some help to add another user to it so I can see how it works for adding more later if I need to. In the current function there's only one role; administrator which gets redirected to /login. I'd like to repeat that part, but for a different user to a different URL. function redirect_after_logout( $user_id ) { $current_user = get_user_by( 'id', $user_id ); $role_name = $current_user->roles[0]; if($role_name == 'administrator'){ $redirect_url = site_url('/login/'); wp_safe_redirect( $redirect_url ); exit; } } add_action( 'wp_logout', 'redirect_after_logout' ); Thank you in advance!
All you have to do is copy the part in the code that checks which role the user has and redirect somewhere else, like this: function redirect_after_logout( $user_id ) { $current_user = get_user_by( 'id', $user_id ); $role_name = $current_user->roles[0]; if( $role_name == 'administrator' ) { wp_safe_redirect( site_url( '/login/' ) ); exit; } if( $role_name == 'ANOTHER_ROLE' ) { wp_safe_redirect( 'URL_WHERE_EVER_YOU_WANT_TO_REDIRECT' ); exit; } } add_action( 'wp_logout', 'redirect_after_logout' );
stackexchange-wordpress
{ "answer_score": 0, "question_score": 0, "tags": "php, redirect" }
Using pre_get_posts, how to target the REST API, only? The title says it all: Is it possible to set a condition in `pre_get_posts` that only applies to queries that are targeted at the REST API? So at <
Yes. So long as the code you're running happens after `parse_request` \- which `pre_get_posts` does. (See < Then you will have a nice constant to use: `REST_REQUEST` Something like if( defined( 'REST_REQUEST' ) && REST_REQUEST ) { // ...do RESTy things } will do the trick. See /wp-includes/rest-api.php
stackexchange-wordpress
{ "answer_score": 2, "question_score": 1, "tags": "rest api" }
Page with custom template make get request to a custom route - Pseudo code I created a page with a specific template and when the page load I would like it to make a get request to a custom route. So far I am using JS and axios to make the request onload but I was wondering if there is an only PHP solution, kind of a new WP_QUERY but instead of args I just pass it the URL of my route ('/wp-json/custom/v1/custom/?term=myterm'. Thank you for your help
I am assuming you are trying to retrieve data from that route and display that to the end user? Instead of using the rest API to retrieve that information, you could put the callback function directly into your template file and then use the php $_GET variable (php docs) to pass the search term into your function. I think it would look like something like this: function output_data_from_search_term(){ $url_param = $_GET['myterm']; if(empty($url_param)){ echo "Search term missing, please try again."; } //Do whatever query you are doing in your custom rest api endpoint callback. //Here is an example of getting the custom post types with that term and displaying the titles. $search_query = urldecode($url_param); $query_results = get_posts( array("post_type" => "custom-post-type", "s" => $search_query)); foreach($query_results as $result){ echo $result->post_title; } }
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "query, rest api" }
Save all the post tags inside a custom field I'm having some trouble to `add_post_meta` using the code below with all the post tags inside a custom field. The code works to echo all the tags, but not for saving them because it only saves the first tag of the post. $all_post_tags = get_the_tags(); $count=0; $comma_sep = ', '; if ($all_post_tags) { foreach($all_post_tags as $tag) { $get_all_tags = $tag->name . $comma_sep; add_post_meta($post->ID, 'all_tags', $get_all_tags, true); } } What's wrong with this code?
To start, why do you want to have your tag data in tags and also in a custom field? Seems to me like there is no reason for this, but maybe I'm missing something. To answer your question about the code you have.. inside your foreach you overwrite the value each time in the loop. Instead of overwriting, you should add new tags to your predefined variable. Try this: $all_post_tags = get_the_tags(); $count = 0; $comma_sep = ', '; if ( $all_post_tags && !empty($all_post_tags) ) { $get_all_tags = ''; foreach ( $all_post_tags as $tag ) { $get_all_tags .= $tag->name . $comma_sep; } add_post_meta($post->ID, 'all_tags', $get_all_tags, true); }
stackexchange-wordpress
{ "answer_score": 1, "question_score": 0, "tags": "custom field, post meta, tags" }