Utilizzo di meta query ('meta_query') con una query di ricerca ('s')


25

Cercare di creare una ricerca che non cerchi solo i valori predefiniti (titolo, contenuto, ecc.) Ma anche un campo personalizzato specifico.

La mia domanda attuale:

$args = array(
  'post_type' => 'post',
  's' => $query,
  'meta_query' => array(
     array(
       'key' => 'speel',
       'value' => $query,
       'compare' => 'LIKE'
     )
   )
);

$search = new WP_Query( $args )
...

Questo restituisce post che corrispondono sia alla query di ricerca che alla meta query, ma vorrei anche che restituisse post in cui corrisponde semplicemente a uno di essi.

Qualche idea?


Quello che vuoi fare non è possibile utilizzando una sola query di ricerca. Dovresti eseguire entrambe le query separatamente e quindi unirle insieme. Questo è stato descritto in questa altra risposta. Dovrebbe darti una mano su come farlo. wordpress.stackexchange.com/questions/55519/…
Nick Perkins

Risposte:


20

Ho cercato per ore una soluzione a questo problema. La fusione di array non è la strada da percorrere, specialmente quando le query sono complesse e in futuro dovrai essere in grado di aggiungere meta-query. La soluzione che è semplicisticamente bella è quella di cambiare "s" in uno che consenta sia la ricerca di titoli che di meta campi.

add_action( 'pre_get_posts', function( $q )
{
    if( $title = $q->get( '_meta_or_title' ) )
    {
        add_filter( 'get_meta_sql', function( $sql ) use ( $title )
        {
            global $wpdb;

            // Only run once:
            static $nr = 0; 
            if( 0 != $nr++ ) return $sql;

            // Modified WHERE
            $sql['where'] = sprintf(
                " AND ( %s OR %s ) ",
                $wpdb->prepare( "{$wpdb->posts}.post_title like '%%%s%%'", $title),
                mb_substr( $sql['where'], 5, mb_strlen( $sql['where'] ) )
            );

            return $sql;
        });
    }
});

Uso:

$meta_query = array();
$args = array();
$search_string = "test";

$meta_query[] = array(
    'key' => 'staff_name',
    'value' => $search_string,
    'compare' => 'LIKE'
);
$meta_query[] = array(
    'key' => 'staff_email',
    'value' => $search_string,
    'compare' => 'LIKE'
);

//if there is more than one meta query 'or' them
if(count($meta_query) > 1) {
    $meta_query['relation'] = 'OR';
}

// The Query
$args['post_type'] = "staff";
$args['_meta_or_title'] = $search_string; //not using 's' anymore
$args['meta_query'] = $meta_query;



$the_query = new WP_Query($args)

questo è il modo giusto,
Zorox,

Fantastico, ha funzionato molto bene per me. Ottima soluzione! Grazie!
Fabiano,

Questa è una query, non una ricerca. Se hai plugin che funzionano nella ricerca, non funziona. Ho sbagliato?
marek.m,

5

Un sacco di codice può essere ridotto usando una versione modificata di questa risposta .

$q1 = new WP_Query( array(
    'post_type' => 'post',
    'posts_per_page' => -1,
    's' => $query
));

$q2 = new WP_Query( array(
    'post_type' => 'post',
    'posts_per_page' => -1,
    'meta_query' => array(
        array(
           'key' => 'speel',
           'value' => $query,
           'compare' => 'LIKE'
        )
     )
));

$result = new WP_Query();
$result->posts = array_unique( array_merge( $q1->posts, $q2->posts ), SORT_REGULAR );
$result->post_count = count( $result->posts );

Questo ha funzionato alla grande per me (soprattutto perché avevo bisogno di usare WP_Query invece di get_posts). Ho dovuto modificare la riga post_count in modo che fosse: $result->post_count = count( $result->posts );perché altrimenti ottenevo solo 1 risultato.
GreatBlakes,

4

Ho ottimizzato un po 'la risposta di @Stabir Kira

function wp78649_extend_search( $query ) {
    $search_term = filter_input( INPUT_GET, 's', FILTER_SANITIZE_NUMBER_INT) ?: 0;
    if (
        $query->is_search
        && !is_admin()
        && $query->is_main_query()
        && //your extra condition
    ) {
        $query->set('meta_query', [
            [
                'key' => 'meta_key',
                'value' => $search_term,
                'compare' => '='
            ]
        ]);

        add_filter( 'get_meta_sql', function( $sql )
        {
            global $wpdb;

            static $nr = 0;
            if( 0 != $nr++ ) return $sql;

            $sql['where'] = mb_eregi_replace( '^ AND', ' OR', $sql['where']);

            return $sql;
        });
    }
    return $query;
}
add_action( 'pre_get_posts', 'wp78649_extend_search');

Ora puoi cercare per (titolo, contenuto, estratto) o (meta campo) o (entrambi).


3

Come suggerito da Nick Perkins , ho dovuto unire due domande in questo modo:

$q1 = get_posts(array(
        'fields' => 'ids',
        'post_type' => 'post',
        's' => $query
));

$q2 = get_posts(array(
        'fields' => 'ids',
        'post_type' => 'post',
        'meta_query' => array(
            array(
               'key' => 'speel',
               'value' => $query,
               'compare' => 'LIKE'
            )
         )
));

$unique = array_unique( array_merge( $q1, $q2 ) );

$posts = get_posts(array(
    'post_type' => 'posts',
    'post__in' => $unique,
    'post_status' => 'publish',
    'posts_per_page' => -1
));

if( $posts ) : foreach( $posts as $post ) :
     setup_postdata($post);

     // now use standard loop functions like the_title() etc.     

enforeach; endif;

1
Questo non è ancora possibile senza la fusione nel 2016? Sto modificando la query di ricerca tramite pre_get_posts, quindi questa non è davvero un'opzione ...
trainoasis

@trainoasis Non credo. L'ho provato dalle ultime 2 ore e una ricerca su Google mi ha portato qui.
Umair Khan Jadoon,

2

Beh, è ​​un tipo di hack ma funziona. Devi aggiungere il filtro posts_clauses. Questa funzione di filtro controlla la presenza della parola della query nel campo personalizzato "speel" e la query rimanente rimane intatta.

function custom_search_where($pieces) {

    // filter for your query
    if (is_search() && !is_admin()) {

        global $wpdb;

        $keywords = explode(' ', get_query_var('s'));
        $query = "";
        foreach ($keywords as $word) {

            // skip possible adverbs and numbers
            if (is_numeric($word) || strlen($word) <= 2) 
                continue;

            $query .= "((mypm1.meta_key = 'speel')";
            $query .= " AND (mypm1.meta_value  LIKE '%{$word}%')) OR ";
        }

        if (!empty($query)) {
            // add to where clause
            $pieces['where'] = str_replace("(((wp_posts.post_title LIKE '%", "( {$query} ((wp_posts.post_title LIKE '%", $pieces['where']);

            $pieces['join'] = $pieces['join'] . " INNER JOIN {$wpdb->postmeta} AS mypm1 ON ({$wpdb->posts}.ID = mypm1.post_id)";
        }
    }
    return ($pieces);
}
add_filter('posts_clauses', 'custom_search_where', 20, 1);

2

ho avuto lo stesso problema, per il mio nuovo sito ho appena aggiunto un nuovo meta "titolo":

functions.php

add_action('save_post', 'title_to_meta');

function title_to_meta($post_id)
{
    update_post_meta($post_id, 'title', get_the_title($post_id)); 
}

E poi .. basta aggiungere qualcosa del genere:

$sub = array('relation' => 'OR');

$sub[] = array(
    'key'     => 'tags',
    'value'   => $_POST['q'],
    'compare' => 'LIKE',
);

$sub[] = array(
    'key'     => 'description',
    'value'   => $_POST['q'],
    'compare' => 'LIKE',
);

$sub[] = array(
    'key'     => 'title',
    'value'   => $_POST['q'],
    'compare' => 'LIKE',
);

$params['meta_query'] = $sub;

Cosa ne pensi di questa soluzione alternativa?


1
In realtà non è male, ma richiede di salvare nuovamente tutti i post esistenti o iniziare a usarlo prima di iniziare ad aggiungere contenuti.
Berend,

@Berend potresti probabilmente scrivere una funzione che ottiene tutti i post e li attraversa aggiornando il post_meta per ciascuno. Includilo in un modello o in una funzione personalizzati, eseguilo una volta, quindi scartalo.
Sbatti

1

Tutte le soluzioni sopra riportate restituiscono risultati solo se esiste una corrispondenza nella meta chiave speel. Se hai risultati altrove ma non in questo campo non otterrai nulla. Nessuno lo vuole.

È necessario un join sinistro. Di seguito ne creeremo uno.

           $meta_query_args = array(
              'relation' => 'OR',
              array(
                'key' => 'speel',
                'value' => $search_term,
                'compare' => 'LIKE',
              ),
              array(
                'key' => 'speel',
                'compare' => 'NOT EXISTS',
              ),
            );
            $query->set('meta_query', $meta_query_args);

0

Questa è un'ottima soluzione ma devi risolvere una cosa. Quando chiami "post__in" devi impostare un array di ID e $ unique è un array di post.

esempio:

$q1 = get_posts(array(
        'fields' => 'ids',
        'post_type' => 'post',
        's' => $query
));

$q2 = get_posts(array(
        'fields' => 'ids',
        'post_type' => 'post',
        'meta_query' => array(
            array(
               'key' => 'speel',
               'value' => $query,
               'compare' => 'LIKE'
            )
         )
));

$unique = array_unique( array_merge( $q1->posts, $q2->posts ) );

$array = array(); //here you initialize your array

foreach($posts as $post)
{
    $array[] = $post->ID; //fill the array with post ID
}


$posts = get_posts(array(
    'post_type' => 'posts',
    'post__in' => $array,
    'post_status' => 'publish',
    'posts_per_page' => -1
));

0

La risposta di @ satbir-kira funziona alla grande ma cerca solo attraverso il titolo meta e post. Se vuoi che cerchi attraverso meta, titolo e contenuto, ecco la versione modificata.

    add_action( 'pre_get_posts', function( $q )
    {
      if( $title = $q->get( '_meta_or_title' ) )
      {
        add_filter( 'get_meta_sql', function( $sql ) use ( $title )
        {
          global $wpdb;

          // Only run once:
          static $nr = 0;
          if( 0 != $nr++ ) return $sql;

          // Modified WHERE
          $sql['where'] = sprintf(
              " AND ( (%s OR %s) OR %s ) ",
              $wpdb->prepare( "{$wpdb->posts}.post_title like '%%%s%%'", $title),
              $wpdb->prepare( "{$wpdb->posts}.post_content like '%%%s%%'", $title),
              mb_substr( $sql['where'], 5, mb_strlen( $sql['where'] ) )
          );

          return $sql;
        });
      }
    });

Ed ecco il suo utilizzo:

$args['_meta_or_title'] = $get['search']; //not using 's' anymore

$args['meta_query'] = array(
  'relation' => 'OR',
  array(
    'key' => '_ltc_org_name',
    'value' => $get['search'],
    'compare' => 'LIKE'
  ),
  array(
    'key' => '_ltc_org_school',
    'value' => $get['search'],
    'compare' => 'LIKE'
  ),
  array(
    'key' => '_ltc_district_address',
    'value' => $get['search'],
    'compare' => 'LIKE'
  )
);

Sostituisci $get['search']con il tuo valore di ricerca

Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.