1

I am trying to create OR condition dynamically using an array. Given an array, of course names $courses = array('Eng, 'Deu', 'Bio', 'Chemi') I want to have a SQL query that uses the values of the array in its AND clause with OR conditions like:

    SELECT *
        FROM classe
        /* The OR conditions should be created in AND clause using array */
        WHERE class = 'EFG' AND (course = 'Eng' OR course = 'Deu' OR course = 'Bio')

I trying to do it in PHP MySQL.

Any help would be really appreciated.

Thanks in Advance.

Musayyab Naveed
  • 35
  • 2
  • 10
  • 1
    Maybe `and course in( 'Eng', 'Deu', 'Bio')`... should be able to generate that pretty easily with `implode`...or if using PDO this can be much easier. – user3783243 Nov 20 '18 at 20:04
  • @user3783243 Be very careful using `implode` on user data as that's an express train to [SQL injection bugs](http://bobby-tables.com/). – tadman Nov 20 '18 at 20:42

2 Answers2

2

Instead of so many OR clauses, you can simply use IN(..):

SELECT *
FROM classe
WHERE class = 'EFG' AND course IN ('Eng' ,'Deu', 'Bio')

In the PHP code, you can use implode() function to convert the array into a comma separated string, and use it in the query string generation.

Madhur Bhaiya
  • 28,155
  • 10
  • 49
  • 57
1

The IN clause will be easier to use than ORs. If you are using PDO you can take advantage of its execute binding and build the placeholders dynamically then just pass your array to it.

$courses = array('Eng', 'Deu', 'Bio', 'Chemi');
$placeholders = rtrim(str_repeat('?, ', count($courses)), ', ');
$query = "select * from table WHERE class = 'EFG' AND course in ({$placeholders})";
$stmt = $pdo->prepare($query);
$stmt->execute($courses);

Demo: https://3v4l.org/jcFSv (PDO bit non functional)

user3783243
  • 5,368
  • 5
  • 22
  • 41