I have written my custom WP_Query
and using loop to display post content. I use get_the_category()
to display categories of current post and it works fine. Now for some post types there are custom taxonomies instead of categories.
Code to get categories:
$categories = get_the_category();
if(!empty($categories)){
foreach($categories as $index => $cat){
echo $cat->name;
}
}
Now I need to pull all taxonomies and print them in comma separated format.
I tried this:
$taxonomies = get_the_taxonomies();
if(!empty($taxonomies)){
foreach($taxonomies as $taxonomy){
echo $taxonomy;
}
}
It works and shows in this format "Taxonomy Label: Term (hyperlinked)". If the terms are more than one than it adds "and" between terms. I need only terms and if they are multiple then they should be separated by comma.
I want to know:
regex
to extract value?Thanks
I have written my custom WP_Query
and using loop to display post content. I use get_the_category()
to display categories of current post and it works fine. Now for some post types there are custom taxonomies instead of categories.
Code to get categories:
$categories = get_the_category();
if(!empty($categories)){
foreach($categories as $index => $cat){
echo $cat->name;
}
}
Now I need to pull all taxonomies and print them in comma separated format.
I tried this:
$taxonomies = get_the_taxonomies();
if(!empty($taxonomies)){
foreach($taxonomies as $taxonomy){
echo $taxonomy;
}
}
It works and shows in this format "Taxonomy Label: Term (hyperlinked)". If the terms are more than one than it adds "and" between terms. I need only terms and if they are multiple then they should be separated by comma.
I want to know:
regex
to extract value?Thanks
The first problem with your code, I guess, is that you use get_the_taxonomies
function, which will:
Retrieve all taxonomies of a post with just the names.
So its result will be like this:
Array
(
[0] => category
[1] => post_tag
[2] => post_format
)
And I'm pretty sure that you want to get terms assigned to given post from all taxonomies, and not the taxonomies names...
So most probably you want to do something like this:
$terms = wp_get_object_terms( get_the_ID(), array_keys( get_the_taxonomies() ) );
foreach ( $terms as $i => $term ) {
echo ($i ? ', ' : '') . $term->name;
}
And quick answers to your questions:
Take a look at these:
$taxonomies = get_post_taxonomies( );
print_r( $taxonomies );
echo implode( $taxonomies, ', ' );
get_the_taxonomies
will get you taxonomies (like: category, post_tag, post_format) and not terms from that taxonomies... – Krzysiek Dróżdż Commented Nov 18, 2018 at 11:31