Mysql
 sql >> Datenbank >  >> RDS >> Mysql

Generieren einer SQL-Abfrage basierend auf URL-Parametern

Es gibt eine Reihe von Möglichkeiten, dies zu tun, aber der einfachste Weg wäre, die akzeptablen Spalten zu durchlaufen und dann entsprechend anzuhängen.

// I generally use array and implode to do list concatenations. It avoids
// the need for a test condition and concatenation. It is debatable as to
// whether this is a faster design, but it is easier and chances are you 
// won't really need to optimize that much over a database table (a table
// with over 10 columns generally needs to be re-thought)
$search = array();
// you want to white-list here. It is safer and it is more likely to prevent
// destructive user error.
$valid  = array( 'condition', 'brand' /* and so on */ );


foreach( $valid as $column )
{
   // does the key exist?
   if( isset( $_GET[ $column ] ) )
   {
      // add it to the search array.
      $search[] = $column . ' = ' . mysql_real_escape_string( $_GET[ $column ] );
   }
}
$sql = 'SELECT * FROM TABLE_NAME WHERE ' . implode( ' AND ', $search );
// run your search.

Wenn Sie wirklich versuchen, die 'if'-Anweisungen loszuwerden, können Sie Folgendes verwenden:

$columns = array_intersect( $valid, array_keys( $_GET ) );
foreach( $columns as $column )
{
    $search[] = $column . ' = ' . mysql_real_escape_string( $_GET[ $column ] );
}
$sql = 'SELECT * FROM TABLE_NAME WHERE ' . implode( ' AND ', $search );

Sie können jedoch tatsächliche Benchmarks durchführen, um festzustellen, ob dies eine wesentlich bessere Option ist.