J'essaie de publier les articles liés à l'article actuel par tag_ID
. Avec le code actuel, les publications généreront toutes les publications de la balise property
au lieu d'une balise spécifique.
Comment puis-je ne renvoyer que des publications basées sur les publications actuelles tag_ID
?
<?php $post_tag = get_the_tags($post->ID)?>//Not sure if correct
<?php
$args = array(
'post_type' => 'property',
'tag' => $post_tag,
);
$related_posts = new WP_Query( $args );
?>
<?php while ( $related_posts -> have_posts() ) : $related_posts -> the_post(); ?>
<h2><?php echo get_the_title()?></h2>
//etc
<?php endwhile; wp_reset_query(); ?>
Solution: Peut-être pas la meilleure solution mais parvient à interroger les publications liées qui se trouvent dans city
et la balise des publications actuelles.
$tags = wp_get_post_terms( get_queried_object_id(), 'city', ['fields' => 'ids'] );
// Now pass the IDs to tag__in
$args = array(
'post_type' => 'property',
'post__not_in' => array( $post->ID ),
'tax_query' => array(
array(
'taxonomy' => 'city',
'terms' => $tags,
),
),
);
$related_posts = new WP_Query( $args );
get_the_tags()
renvoie un tableau de balises name, ID, etc. Vous devez stocker uniquement les identifiants dans un tableau et les utiliser dans votre requête.
$post_tag = get_the_tags ( $post->ID );
// Define an empty array
$ids = array();
// Check if the post has any tags
if ( $post_tag ) {
foreach ( $post_tag as $tag ) {
$ids[] = $tag->term_id;
}
}
// Now pass the IDs to tag__in
$args = array(
'post_type' => 'property',
'tag__in' => $ids,
);
// Now proceed with the rest of your query
$related_posts = new WP_Query( $args );
Utilisez également wp_reset_postdata();
au lieu de wp_reset_query();
lorsque vous utilisez WP_Query();
.
Comme l'a souligné @birgire, WordPress propose la fonction wp_list_plunk()
pour extraire un certain champ de chaque objet dans une ligne, qui a les mêmes fonctionnalités que array_column()
function.
Donc, nous pouvons changer cela:
// Define an empty array
$ids = array();
// Check if the post has any tags
if ( $post_tag ) {
foreach ( $post_tag as $tag ) {
$ids[] = $tag->term_id;
}
}
Pour ça:
// Check if the post has any tags
if ( $post_tag ) {
$ids = wp_list_pluck( $post_tag, 'term_id' );
}