`qsprintf()` now returns a `PhutilQueryString` object instead of a raw string. This affects construction of some queries with `qsprintf()`, and execution of some queries with `queryfx()`, `queryfx_one()`, `queryfx_all()`, `LiskDAO->loadOneWhere(...)` and `LiskDAO->loadAllWhere(...)`.
This makes unsafe query construction more difficult and supports a `%P` (password/secret) conversion. See T6960.
This change primarily affects custom code which uses `%Q`. If you pass a raw string to `%Q`, you will now get a warning:
```counterexample, lang=php
queryfx_all(
$conn,
'SELECT * FROM ... WHERE %Q',
'id > 3');
```
> PHLOG: 'UNSAFE: Raw string ("id > 3") passed to query ("SELECT * FROM ... WHERE %Q") for "%Q" conversion. %Q should be passed a query string.' at ...
Instead, build the query subcomponent with `qsprintf()`:
```lang=php
queryfx_all(
$conn,
'SELECT * FROM ... WHERE %Q',
qsprintf($conn, 'id > %d', 3));
```
Practically, it's unlikely you were doing any of this, since it's easier to write `WHERE id > %d` in the first place. However, you may have used `%Q` to combine subclauses with `AND` or `OR`, or to combine value subclauses (like `(X, Y)`) for `INSERT ...`. In these cases, you would generally pass `implode( ... )` to `queryfx*()`. These can now be rewritten with:
- `%LA`: List of subclauses joined by `AND`: `X, Y -> ((X) AND (Y))`
- `%LO`: List of subclauses joined by `OR`: `X, Y -> ((X) OR (Y))`
- `%LQ`: List of subclauses joined by `,` (comma): `X, Y -> X, Y`.
For example, if you had code like this which used `implode()`:
```counterexample, lang=php
$where[] = qsprintf(...);
$where[] = qsprintf(...);
...
queryfx_all(
$conn,
'SELECT ... WHERE %Q',
implode(' AND ', $where));
```
...it can now be rewritten with `%LA` instead:
```lang=php
$where[] = qsprintf(...);
$where[] = qsprintf(...);
...
queryfx_all(
$conn,
'SELECT ... WHERE %LA',
$where);
```
Likewise, if you had code like this:
```counterexample, lang=php
queryfx(
$conn,
'INSERT INTO ... (x, y) VALUES %Q',
implode(', ', $chunk_of_values));
```
...it can now be rewritten with `%LQ` instead:
```lang=php
queryfx(
$conn,
'INSERT INTO ... (x, y) VALUES %LQ',
$chunk_of_values);
```
Concurrently, there are three other `qsprintf()` changes to be aware of:
- The new `%P` conversion can be used to build queries with passwords or secrets. It will prevent the value from printing in logs, `--trace`, etc.
- The new `%R` (database + table ref) conversion should generally replace `%T` (table). See T11908 for discussion.
- The `PhabricatorLiskDAO::chunkSQL()` method has changed behavior. It no longer accepts a joiner string and now returns a list. In most cases, the correct change for this new behavior should be to replace `%Q` with `%LQ`.