You can not bind two variables with one question mark!
For every variable you bind, you need one question mark.
"bind_param" checks each variable whether it matches the requirements. Afterwards, the string value is placed between quotes.
This will not work:
"SELECT name FROM table WHERE city IN (?)"; ( becomes too )
$q_prepared->bind_param("s", $cities);
"SELECT name FROM table WHERE city IN ('city1,city2,city3,city4')";
It must be:
"SELECT name FROM table WHERE city IN (?,?,?,?)"; ( becomes too )
$q_prepared->bind_param("ssss", $city1, $city2, $city3, $city4);
"SELECT name FROM table WHERE city IN ('city1', 'city2', 'city3', 'city4')";
$query_prepared->bind_param quotes string parameters one by one.
And the number of variables and length of string types must match the parameters in the statement.
$query_str = "SELECT name FROM table WHERE city IN ('Nashville','Knoxville')";
will become
$query_str = "SELECT name FROM table WHERE city IN (?,?)";
Now bind_param must be
bind_param("ss", $arg1, $arg2)
with this
$query_str = "SELECT name FROM table WHERE city IN (?)";
and bind_param with
bind_param("s", $cities)
You get:
$query_str = "SELECT name FROM table WHERE city IN ('Nashville,Knoxville')";
That's why an array does not work. The only solution for this fact is call_user_func_array.
If you initialise a statement, the following is unnecessary:
$query_prepared = $mysqli->stmt_init();
if($query_prepared && $query_prepared->prepare($query_str)) {
This is correct:
$query_prepared = $mysqli->stmt_init();
if($query_prepared->prepare($query_str)) {
If you don't want to use call_user_func_array and you have only a small count of arguments, you can do it with the following code.
[...]
$cities = explode(",", $_GET['cities']);
if (count($cities) > 3) { echo "too many arguments"; }
else
{
    $count = count($cities);
    $SetIn = "(";
    for($i = 0; $i < $count; ++$i)
    {
        $code .= 's';
        if ($i>0) {$SetIn.=",?";} else {$SetIn.="?";}
    }
    $SetIn .= ")";
    $query_str = "SELECT name FROM table WHERE city IN " . $SetIn;
    // With two arguments, $query_str will look like
    // SELECT name FROM table WHERE city IN (?,?)
    $query_prepared = $mysqli->stmt_init();
    if($query_prepared->prepare($query_str))
    {
        if ($count==1) { $query_prepared->bind_param($code, $cities[0]);}
        if ($count==2) { $query_prepared->bind_param($code, $cities[0], $cities[1]);}
        if ($count==3) { $query_prepared->bind_param($code, $cities[0], $cities[1], $cities[2]);
        // With two arguments, $query_prepared->bind_param() will look like
        // $query_prepared->bind_param("ss", $cities[0], $cities[1])
        }
        $query_prepared->execute();
    }
    [...]
}
I would suggest you try it with call_user_func_array to reach.
Look for the solution of nick9v.
mysqli_stmt::bind_param