af571f24582182fc70d442d38dd5ea048d35bc1f
[friendica.git/.git] / include / dba.php
1 <?php
2
3 use Friendica\Core\L10n;
4 use Friendica\Core\System;
5 use Friendica\Database\DBM;
6 use Friendica\Database\DBStructure;
7 use Friendica\Util\DateTimeFormat;
8
9 /**
10  * @class MySQL database class
11  *
12  * This class is for the low level database stuff that does driver specific things.
13  */
14
15 class dba {
16         public static $connected = true;
17
18         private static $_server_info = '';
19         private static $db;
20         private static $driver;
21         private static $error = false;
22         private static $errorno = 0;
23         private static $affected_rows = 0;
24         private static $in_transaction = false;
25         private static $relation = [];
26
27         public static function connect($serveraddr, $user, $pass, $db, $install = false) {
28                 if (!is_null(self::$db)) {
29                         return true;
30                 }
31
32                 $a = get_app();
33
34                 $stamp1 = microtime(true);
35
36                 $serveraddr = trim($serveraddr);
37
38                 $serverdata = explode(':', $serveraddr);
39                 $server = $serverdata[0];
40
41                 if (count($serverdata) > 1) {
42                         $port = trim($serverdata[1]);
43                 }
44
45                 $server = trim($server);
46                 $user = trim($user);
47                 $pass = trim($pass);
48                 $db = trim($db);
49
50                 if (!(strlen($server) && strlen($user))) {
51                         self::$connected = false;
52                         self::$db = null;
53                         return false;
54                 }
55
56                 if ($install) {
57                         if (strlen($server) && ($server !== 'localhost') && ($server !== '127.0.0.1')) {
58                                 if (! dns_get_record($server, DNS_A + DNS_CNAME + DNS_PTR)) {
59                                         self::$error = L10n::t('Cannot locate DNS info for database server \'%s\'', $server);
60                                         self::$connected = false;
61                                         self::$db = null;
62                                         return false;
63                                 }
64                         }
65                 }
66
67                 if (class_exists('\PDO') && in_array('mysql', PDO::getAvailableDrivers())) {
68                         self::$driver = 'pdo';
69                         $connect = "mysql:host=".$server.";dbname=".$db;
70
71                         if (isset($port)) {
72                                 $connect .= ";port=".$port;
73                         }
74
75                         if (isset($a->config["system"]["db_charset"])) {
76                                 $connect .= ";charset=".$a->config["system"]["db_charset"];
77                         }
78                         try {
79                                 self::$db = @new PDO($connect, $user, $pass);
80                                 self::$connected = true;
81                         } catch (PDOException $e) {
82                                 self::$connected = false;
83                         }
84                 }
85
86                 if (!self::$connected && class_exists('mysqli')) {
87                         self::$driver = 'mysqli';
88                         self::$db = @new mysqli($server, $user, $pass, $db, $port);
89                         if (!mysqli_connect_errno()) {
90                                 self::$connected = true;
91
92                                 if (isset($a->config["system"]["db_charset"])) {
93                                         self::$db->set_charset($a->config["system"]["db_charset"]);
94                                 }
95                         }
96                 }
97
98                 // No suitable SQL driver was found.
99                 if (!self::$connected) {
100                         self::$db = null;
101                         if (!$install) {
102                                 System::unavailable();
103                         }
104                 }
105                 $a->save_timestamp($stamp1, "network");
106
107                 return true;
108         }
109
110         /**
111          * @brief Returns the MySQL server version string
112          *
113          * This function discriminate between the deprecated mysql API and the current
114          * object-oriented mysqli API. Example of returned string: 5.5.46-0+deb8u1
115          *
116          * @return string
117          */
118         public static function server_info() {
119                 if (self::$_server_info == '') {
120                         switch (self::$driver) {
121                                 case 'pdo':
122                                         self::$_server_info = self::$db->getAttribute(PDO::ATTR_SERVER_VERSION);
123                                         break;
124                                 case 'mysqli':
125                                         self::$_server_info = self::$db->server_info;
126                                         break;
127                         }
128                 }
129                 return self::$_server_info;
130         }
131
132         /**
133          * @brief Returns the selected database name
134          *
135          * @return string
136          */
137         public static function database_name() {
138                 $ret = self::p("SELECT DATABASE() AS `db`");
139                 $data = self::inArray($ret);
140                 return $data[0]['db'];
141         }
142
143         /**
144          * @brief Analyze a database query and log this if some conditions are met.
145          *
146          * @param string $query The database query that will be analyzed
147          */
148         private static function logIndex($query) {
149                 $a = get_app();
150
151                 if (empty($a->config["system"]["db_log_index"])) {
152                         return;
153                 }
154
155                 // Don't explain an explain statement
156                 if (strtolower(substr($query, 0, 7)) == "explain") {
157                         return;
158                 }
159
160                 // Only do the explain on "select", "update" and "delete"
161                 if (!in_array(strtolower(substr($query, 0, 6)), ["select", "update", "delete"])) {
162                         return;
163                 }
164
165                 $r = self::p("EXPLAIN ".$query);
166                 if (!DBM::is_result($r)) {
167                         return;
168                 }
169
170                 $watchlist = explode(',', $a->config["system"]["db_log_index_watch"]);
171                 $blacklist = explode(',', $a->config["system"]["db_log_index_blacklist"]);
172
173                 while ($row = dba::fetch($r)) {
174                         if ((intval($a->config["system"]["db_loglimit_index"]) > 0)) {
175                                 $log = (in_array($row['key'], $watchlist) &&
176                                         ($row['rows'] >= intval($a->config["system"]["db_loglimit_index"])));
177                         } else {
178                                 $log = false;
179                         }
180
181                         if ((intval($a->config["system"]["db_loglimit_index_high"]) > 0) && ($row['rows'] >= intval($a->config["system"]["db_loglimit_index_high"]))) {
182                                 $log = true;
183                         }
184
185                         if (in_array($row['key'], $blacklist) || ($row['key'] == "")) {
186                                 $log = false;
187                         }
188
189                         if ($log) {
190                                 $backtrace = debug_backtrace(DEBUG_BACKTRACE_IGNORE_ARGS);
191                                 @file_put_contents($a->config["system"]["db_log_index"], DateTimeFormat::utcNow()."\t".
192                                                 $row['key']."\t".$row['rows']."\t".$row['Extra']."\t".
193                                                 basename($backtrace[1]["file"])."\t".
194                                                 $backtrace[1]["line"]."\t".$backtrace[2]["function"]."\t".
195                                                 substr($query, 0, 2000)."\n", FILE_APPEND);
196                         }
197                 }
198         }
199
200         public static function escape($str) {
201                 switch (self::$driver) {
202                         case 'pdo':
203                                 return substr(@self::$db->quote($str, PDO::PARAM_STR), 1, -1);
204                         case 'mysqli':
205                                 return @self::$db->real_escape_string($str);
206                 }
207         }
208
209         public static function connected() {
210                 $connected = false;
211
212                 switch (self::$driver) {
213                         case 'pdo':
214                                 $r = dba::p("SELECT 1");
215                                 if (DBM::is_result($r)) {
216                                         $row = dba::inArray($r);
217                                         $connected = ($row[0]['1'] == '1');
218                                 }
219                                 break;
220                         case 'mysqli':
221                                 $connected = self::$db->ping();
222                                 break;
223                 }
224                 return $connected;
225         }
226
227         /**
228          * @brief Replaces ANY_VALUE() function by MIN() function,
229          *  if the database server does not support ANY_VALUE().
230          *
231          * Considerations for Standard SQL, or MySQL with ONLY_FULL_GROUP_BY (default since 5.7.5).
232          * ANY_VALUE() is available from MySQL 5.7.5 https://dev.mysql.com/doc/refman/5.7/en/miscellaneous-functions.html
233          * A standard fall-back is to use MIN().
234          *
235          * @param string $sql An SQL string without the values
236          * @return string The input SQL string modified if necessary.
237          */
238         public static function any_value_fallback($sql) {
239                 $server_info = self::server_info();
240                 if (version_compare($server_info, '5.7.5', '<') ||
241                         (stripos($server_info, 'MariaDB') !== false)) {
242                         $sql = str_ireplace('ANY_VALUE(', 'MIN(', $sql);
243                 }
244                 return $sql;
245         }
246
247         /**
248          * @brief beautifies the query - useful for "SHOW PROCESSLIST"
249          *
250          * This is safe when we bind the parameters later.
251          * The parameter values aren't part of the SQL.
252          *
253          * @param string $sql An SQL string without the values
254          * @return string The input SQL string modified if necessary.
255          */
256         public static function clean_query($sql) {
257                 $search = ["\t", "\n", "\r", "  "];
258                 $replace = [' ', ' ', ' ', ' '];
259                 do {
260                         $oldsql = $sql;
261                         $sql = str_replace($search, $replace, $sql);
262                 } while ($oldsql != $sql);
263
264                 return $sql;
265         }
266
267
268         /**
269          * @brief Replaces the ? placeholders with the parameters in the $args array
270          *
271          * @param string $sql SQL query
272          * @param array $args The parameters that are to replace the ? placeholders
273          * @return string The replaced SQL query
274          */
275         private static function replaceParameters($sql, $args) {
276                 $offset = 0;
277                 foreach ($args AS $param => $value) {
278                         if (is_int($args[$param]) || is_float($args[$param])) {
279                                 $replace = intval($args[$param]);
280                         } else {
281                                 $replace = "'".self::escape($args[$param])."'";
282                         }
283
284                         $pos = strpos($sql, '?', $offset);
285                         if ($pos !== false) {
286                                 $sql = substr_replace($sql, $replace, $pos, 1);
287                         }
288                         $offset = $pos + strlen($replace);
289                 }
290                 return $sql;
291         }
292
293         /**
294          * @brief Convert parameter array to an universal form
295          * @param array $args Parameter array
296          * @return array universalized parameter array
297          */
298         private static function getParam($args) {
299                 unset($args[0]);
300
301                 // When the second function parameter is an array then use this as the parameter array
302                 if ((count($args) > 0) && (is_array($args[1]))) {
303                         return $args[1];
304                 } else {
305                         return $args;
306                 }
307         }
308
309         /**
310          * @brief Executes a prepared statement that returns data
311          * @usage Example: $r = p("SELECT * FROM `item` WHERE `guid` = ?", $guid);
312          *
313          * Please only use it with complicated queries.
314          * For all regular queries please use dba::select or dba::exists
315          *
316          * @param string $sql SQL statement
317          * @return bool|object statement object
318          */
319         public static function p($sql) {
320                 $a = get_app();
321
322                 $stamp1 = microtime(true);
323
324                 $params = self::getParam(func_get_args());
325
326                 // Renumber the array keys to be sure that they fit
327                 $i = 0;
328                 $args = [];
329                 foreach ($params AS $param) {
330                         // Avoid problems with some MySQL servers and boolean values. See issue #3645
331                         if (is_bool($param)) {
332                                 $param = (int)$param;
333                         }
334                         $args[++$i] = $param;
335                 }
336
337                 if (!self::$connected) {
338                         return false;
339                 }
340
341                 if ((substr_count($sql, '?') != count($args)) && (count($args) > 0)) {
342                         // Question: Should we continue or stop the query here?
343                         logger('Parameter mismatch. Query "'.$sql.'" - Parameters '.print_r($args, true), LOGGER_DEBUG);
344                 }
345
346                 $sql = self::clean_query($sql);
347                 $sql = self::any_value_fallback($sql);
348
349                 $orig_sql = $sql;
350
351                 if (x($a->config,'system') && x($a->config['system'], 'db_callstack')) {
352                         $sql = "/*".System::callstack()." */ ".$sql;
353                 }
354
355                 self::$error = '';
356                 self::$errorno = 0;
357                 self::$affected_rows = 0;
358
359                 // We have to make some things different if this function is called from "e"
360                 $trace = debug_backtrace(DEBUG_BACKTRACE_IGNORE_ARGS, 2);
361
362                 if (isset($trace[1])) {
363                         $called_from = $trace[1];
364                 } else {
365                         // We use just something that is defined to avoid warnings
366                         $called_from = $trace[0];
367                 }
368                 // We are having an own error logging in the function "e"
369                 $called_from_e = ($called_from['function'] == 'e');
370
371                 switch (self::$driver) {
372                         case 'pdo':
373                                 // If there are no arguments we use "query"
374                                 if (count($args) == 0) {
375                                         if (!$retval = self::$db->query($sql)) {
376                                                 $errorInfo = self::$db->errorInfo();
377                                                 self::$error = $errorInfo[2];
378                                                 self::$errorno = $errorInfo[1];
379                                                 $retval = false;
380                                                 break;
381                                         }
382                                         self::$affected_rows = $retval->rowCount();
383                                         break;
384                                 }
385
386                                 if (!$stmt = self::$db->prepare($sql)) {
387                                         $errorInfo = self::$db->errorInfo();
388                                         self::$error = $errorInfo[2];
389                                         self::$errorno = $errorInfo[1];
390                                         $retval = false;
391                                         break;
392                                 }
393
394                                 foreach ($args AS $param => $value) {
395                                         $stmt->bindParam($param, $args[$param]);
396                                 }
397
398                                 if (!$stmt->execute()) {
399                                         $errorInfo = $stmt->errorInfo();
400                                         self::$error = $errorInfo[2];
401                                         self::$errorno = $errorInfo[1];
402                                         $retval = false;
403                                 } else {
404                                         $retval = $stmt;
405                                         self::$affected_rows = $retval->rowCount();
406                                 }
407                                 break;
408                         case 'mysqli':
409                                 // There are SQL statements that cannot be executed with a prepared statement
410                                 $parts = explode(' ', $orig_sql);
411                                 $command = strtolower($parts[0]);
412                                 $can_be_prepared = in_array($command, ['select', 'update', 'insert', 'delete']);
413
414                                 // The fallback routine is called as well when there are no arguments
415                                 if (!$can_be_prepared || (count($args) == 0)) {
416                                         $retval = self::$db->query(self::replaceParameters($sql, $args));
417                                         if (self::$db->errno) {
418                                                 self::$error = self::$db->error;
419                                                 self::$errorno = self::$db->errno;
420                                                 $retval = false;
421                                         } else {
422                                                 if (isset($retval->num_rows)) {
423                                                         self::$affected_rows = $retval->num_rows;
424                                                 } else {
425                                                         self::$affected_rows = self::$db->affected_rows;
426                                                 }
427                                         }
428                                         break;
429                                 }
430
431                                 $stmt = self::$db->stmt_init();
432
433                                 if (!$stmt->prepare($sql)) {
434                                         self::$error = $stmt->error;
435                                         self::$errorno = $stmt->errno;
436                                         $retval = false;
437                                         break;
438                                 }
439
440                                 $params = '';
441                                 $values = [];
442                                 foreach ($args AS $param => $value) {
443                                         if (is_int($args[$param])) {
444                                                 $params .= 'i';
445                                         } elseif (is_float($args[$param])) {
446                                                 $params .= 'd';
447                                         } elseif (is_string($args[$param])) {
448                                                 $params .= 's';
449                                         } else {
450                                                 $params .= 'b';
451                                         }
452                                         $values[] = &$args[$param];
453                                 }
454
455                                 if (count($values) > 0) {
456                                         array_unshift($values, $params);
457                                         call_user_func_array([$stmt, 'bind_param'], $values);
458                                 }
459
460                                 if (!$stmt->execute()) {
461                                         self::$error = self::$db->error;
462                                         self::$errorno = self::$db->errno;
463                                         $retval = false;
464                                 } else {
465                                         $stmt->store_result();
466                                         $retval = $stmt;
467                                         self::$affected_rows = $retval->affected_rows;
468                                 }
469                                 break;
470                 }
471
472                 // We are having an own error logging in the function "e"
473                 if ((self::$errorno != 0) && !$called_from_e) {
474                         // We have to preserve the error code, somewhere in the logging it get lost
475                         $error = self::$error;
476                         $errorno = self::$errorno;
477
478                         logger('DB Error '.self::$errorno.': '.self::$error."\n".
479                                 System::callstack(8)."\n".self::replaceParameters($sql, $params));
480
481                         self::$error = $error;
482                         self::$errorno = $errorno;
483                 }
484
485                 $a->save_timestamp($stamp1, 'database');
486
487                 if (x($a->config,'system') && x($a->config['system'], 'db_log')) {
488
489                         $stamp2 = microtime(true);
490                         $duration = (float)($stamp2 - $stamp1);
491
492                         if (($duration > $a->config["system"]["db_loglimit"])) {
493                                 $duration = round($duration, 3);
494                                 $backtrace = debug_backtrace(DEBUG_BACKTRACE_IGNORE_ARGS);
495
496                                 @file_put_contents($a->config["system"]["db_log"], DateTimeFormat::utcNow()."\t".$duration."\t".
497                                                 basename($backtrace[1]["file"])."\t".
498                                                 $backtrace[1]["line"]."\t".$backtrace[2]["function"]."\t".
499                                                 substr(self::replaceParameters($sql, $args), 0, 2000)."\n", FILE_APPEND);
500                         }
501                 }
502                 return $retval;
503         }
504
505         /**
506          * @brief Executes a prepared statement like UPDATE or INSERT that doesn't return data
507          *
508          * Please use dba::delete, dba::insert, dba::update, ... instead
509          *
510          * @param string $sql SQL statement
511          * @return boolean Was the query successfull? False is returned only if an error occurred
512          */
513         public static function e($sql) {
514                 $a = get_app();
515
516                 $stamp = microtime(true);
517
518                 $params = self::getParam(func_get_args());
519
520                 // In a case of a deadlock we are repeating the query 20 times
521                 $timeout = 20;
522
523                 do {
524                         $stmt = self::p($sql, $params);
525
526                         if (is_bool($stmt)) {
527                                 $retval = $stmt;
528                         } elseif (is_object($stmt)) {
529                                 $retval = true;
530                         } else {
531                                 $retval = false;
532                         }
533
534                         self::close($stmt);
535
536                 } while ((self::$errorno == 1213) && (--$timeout > 0));
537
538                 if (self::$errorno != 0) {
539                         // We have to preserve the error code, somewhere in the logging it get lost
540                         $error = self::$error;
541                         $errorno = self::$errorno;
542
543                         logger('DB Error '.self::$errorno.': '.self::$error."\n".
544                                 System::callstack(8)."\n".self::replaceParameters($sql, $params));
545
546                         self::$error = $error;
547                         self::$errorno = $errorno;
548                 }
549
550                 $a->save_timestamp($stamp, "database_write");
551
552                 return $retval;
553         }
554
555         /**
556          * @brief Check if data exists
557          *
558          * @param string $table Table name
559          * @param array $condition array of fields for condition
560          *
561          * @return boolean Are there rows for that condition?
562          */
563         public static function exists($table, $condition) {
564                 if (empty($table)) {
565                         return false;
566                 }
567
568                 $fields = [];
569
570                 reset($condition);
571                 $first_key = key($condition);
572                 if (!is_int($first_key)) {
573                         $fields = [$first_key];
574                 }
575
576                 $stmt = self::select($table, $fields, $condition, ['limit' => 1]);
577
578                 if (is_bool($stmt)) {
579                         $retval = $stmt;
580                 } else {
581                         $retval = (self::num_rows($stmt) > 0);
582                 }
583
584                 self::close($stmt);
585
586                 return $retval;
587         }
588
589         /**
590          * Fetches the first row
591          *
592          * Please use dba::selectFirst or dba::exists whenever this is possible.
593          *
594          * @brief Fetches the first row
595          * @param string $sql SQL statement
596          * @return array first row of query
597          */
598         public static function fetch_first($sql) {
599                 $params = self::getParam(func_get_args());
600
601                 $stmt = self::p($sql, $params);
602
603                 if (is_bool($stmt)) {
604                         $retval = $stmt;
605                 } else {
606                         $retval = self::fetch($stmt);
607                 }
608
609                 self::close($stmt);
610
611                 return $retval;
612         }
613
614         /**
615          * @brief Returns the number of affected rows of the last statement
616          *
617          * @return int Number of rows
618          */
619         public static function affected_rows() {
620                 return self::$affected_rows;
621         }
622
623         /**
624          * @brief Returns the number of columns of a statement
625          *
626          * @param object Statement object
627          * @return int Number of columns
628          */
629         public static function columnCount($stmt) {
630                 if (!is_object($stmt)) {
631                         return 0;
632                 }
633                 switch (self::$driver) {
634                         case 'pdo':
635                                 return $stmt->columnCount();
636                         case 'mysqli':
637                                 return $stmt->field_count;
638                 }
639                 return 0;
640         }
641         /**
642          * @brief Returns the number of rows of a statement
643          *
644          * @param PDOStatement|mysqli_result|mysqli_stmt Statement object
645          * @return int Number of rows
646          */
647         public static function num_rows($stmt) {
648                 if (!is_object($stmt)) {
649                         return 0;
650                 }
651                 switch (self::$driver) {
652                         case 'pdo':
653                                 return $stmt->rowCount();
654                         case 'mysqli':
655                                 return $stmt->num_rows;
656                 }
657                 return 0;
658         }
659
660         /**
661          * @brief Fetch a single row
662          *
663          * @param mixed $stmt statement object
664          * @return array current row
665          */
666         public static function fetch($stmt) {
667                 $a = get_app();
668
669                 $stamp1 = microtime(true);
670
671                 $columns = [];
672
673                 if (!is_object($stmt)) {
674                         return false;
675                 }
676
677                 switch (self::$driver) {
678                         case 'pdo':
679                                 $columns = $stmt->fetch(PDO::FETCH_ASSOC);
680                                 break;
681                         case 'mysqli':
682                                 if (get_class($stmt) == 'mysqli_result') {
683                                         $columns = $stmt->fetch_assoc();
684                                         break;
685                                 }
686
687                                 // This code works, but is slow
688
689                                 // Bind the result to a result array
690                                 $cols = [];
691
692                                 $cols_num = [];
693                                 for ($x = 0; $x < $stmt->field_count; $x++) {
694                                         $cols[] = &$cols_num[$x];
695                                 }
696
697                                 call_user_func_array([$stmt, 'bind_result'], $cols);
698
699                                 if (!$stmt->fetch()) {
700                                         return false;
701                                 }
702
703                                 // The slow part:
704                                 // We need to get the field names for the array keys
705                                 // It seems that there is no better way to do this.
706                                 $result = $stmt->result_metadata();
707                                 $fields = $result->fetch_fields();
708
709                                 foreach ($cols_num AS $param => $col) {
710                                         $columns[$fields[$param]->name] = $col;
711                                 }
712                 }
713
714                 $a->save_timestamp($stamp1, 'database');
715
716                 return $columns;
717         }
718
719         /**
720          * @brief Insert a row into a table
721          *
722          * @param string $table Table name
723          * @param array $param parameter array
724          * @param bool $on_duplicate_update Do an update on a duplicate entry
725          *
726          * @return boolean was the insert successfull?
727          */
728         public static function insert($table, $param, $on_duplicate_update = false) {
729
730                 if (empty($table) || empty($param)) {
731                         logger('Table and fields have to be set');
732                         return false;
733                 }
734
735                 $sql = "INSERT INTO `".self::escape($table)."` (`".implode("`, `", array_keys($param))."`) VALUES (".
736                         substr(str_repeat("?, ", count($param)), 0, -2).")";
737
738                 if ($on_duplicate_update) {
739                         $sql .= " ON DUPLICATE KEY UPDATE `".implode("` = ?, `", array_keys($param))."` = ?";
740
741                         $values = array_values($param);
742                         $param = array_merge_recursive($values, $values);
743                 }
744
745                 return self::e($sql, $param);
746         }
747
748         /**
749          * @brief Fetch the id of the last insert command
750          *
751          * @return integer Last inserted id
752          */
753         public static function lastInsertId() {
754                 switch (self::$driver) {
755                         case 'pdo':
756                                 $id = self::$db->lastInsertId();
757                                 break;
758                         case 'mysqli':
759                                 $id = self::$db->insert_id;
760                                 break;
761                 }
762                 return $id;
763         }
764
765         /**
766          * @brief Locks a table for exclusive write access
767          *
768          * This function can be extended in the future to accept a table array as well.
769          *
770          * @param string $table Table name
771          *
772          * @return boolean was the lock successful?
773          */
774         public static function lock($table) {
775                 // See here: https://dev.mysql.com/doc/refman/5.7/en/lock-tables-and-transactions.html
776                 self::e("SET autocommit=0");
777                 $success = self::e("LOCK TABLES `".self::escape($table)."` WRITE");
778                 if (!$success) {
779                         self::e("SET autocommit=1");
780                 } else {
781                         self::$in_transaction = true;
782                 }
783                 return $success;
784         }
785
786         /**
787          * @brief Unlocks all locked tables
788          *
789          * @return boolean was the unlock successful?
790          */
791         public static function unlock() {
792                 // See here: https://dev.mysql.com/doc/refman/5.7/en/lock-tables-and-transactions.html
793                 self::e("COMMIT");
794                 $success = self::e("UNLOCK TABLES");
795                 self::e("SET autocommit=1");
796                 self::$in_transaction = false;
797                 return $success;
798         }
799
800         /**
801          * @brief Starts a transaction
802          *
803          * @return boolean Was the command executed successfully?
804          */
805         public static function transaction() {
806                 if (!self::e('COMMIT')) {
807                         return false;
808                 }
809                 if (!self::e('START TRANSACTION')) {
810                         return false;
811                 }
812                 self::$in_transaction = true;
813                 return true;
814         }
815
816         /**
817          * @brief Does a commit
818          *
819          * @return boolean Was the command executed successfully?
820          */
821         public static function commit() {
822                 if (!self::e('COMMIT')) {
823                         return false;
824                 }
825                 self::$in_transaction = false;
826                 return true;
827         }
828
829         /**
830          * @brief Does a rollback
831          *
832          * @return boolean Was the command executed successfully?
833          */
834         public static function rollback() {
835                 if (!self::e('ROLLBACK')) {
836                         return false;
837                 }
838                 self::$in_transaction = false;
839                 return true;
840         }
841
842         /**
843          * @brief Build the array with the table relations
844          *
845          * The array is build from the database definitions in DBStructure.php
846          *
847          * This process must only be started once, since the value is cached.
848          */
849         private static function buildRelationData() {
850                 $definition = DBStructure::definition();
851
852                 foreach ($definition AS $table => $structure) {
853                         foreach ($structure['fields'] AS $field => $field_struct) {
854                                 if (isset($field_struct['relation'])) {
855                                         foreach ($field_struct['relation'] AS $rel_table => $rel_field) {
856                                                 self::$relation[$rel_table][$rel_field][$table][] = $field;
857                                         }
858                                 }
859                         }
860                 }
861         }
862
863         /**
864          * @brief Delete a row from a table
865          *
866          * @param string  $table       Table name
867          * @param array   $conditions  Field condition(s)
868          * @param boolean $in_process  Internal use: Only do a commit after the last delete
869          * @param array   $callstack   Internal use: prevent endless loops
870          *
871          * @return boolean|array was the delete successful? When $in_process is set: deletion data
872          */
873         public static function delete($table, array $conditions, $in_process = false, array &$callstack = [])
874         {
875                 if (empty($table) || empty($conditions)) {
876                         logger('Table and conditions have to be set');
877                         return false;
878                 }
879
880                 $commands = [];
881
882                 // Create a key for the loop prevention
883                 $key = $table . ':' . implode(':', array_keys($conditions)) . ':' . implode(':', $conditions);
884
885                 // We quit when this key already exists in the callstack.
886                 if (isset($callstack[$key])) {
887                         return $commands;
888                 }
889
890                 $callstack[$key] = true;
891
892                 $table = self::escape($table);
893
894                 $commands[$key] = ['table' => $table, 'conditions' => $conditions];
895
896                 // To speed up the whole process we cache the table relations
897                 if (count(self::$relation) == 0) {
898                         self::buildRelationData();
899                 }
900
901                 // Is there a relation entry for the table?
902                 if (isset(self::$relation[$table])) {
903                         // We only allow a simple "one field" relation.
904                         $field = array_keys(self::$relation[$table])[0];
905                         $rel_def = array_values(self::$relation[$table])[0];
906
907                         // Create a key for preventing double queries
908                         $qkey = $field . '-' . $table . ':' . implode(':', array_keys($conditions)) . ':' . implode(':', $conditions);
909
910                         // When the search field is the relation field, we don't need to fetch the rows
911                         // This is useful when the leading record is already deleted in the frontend but the rest is done in the backend
912                         if ((count($conditions) == 1) && ($field == array_keys($conditions)[0])) {
913                                 foreach ($rel_def AS $rel_table => $rel_fields) {
914                                         foreach ($rel_fields AS $rel_field) {
915                                                 $retval = self::delete($rel_table, [$rel_field => array_values($conditions)[0]], true, $callstack);
916                                                 $commands = array_merge($commands, $retval);
917                                         }
918                                 }
919                                 // We quit when this key already exists in the callstack.
920                         } elseif (!isset($callstack[$qkey])) {
921
922                                 $callstack[$qkey] = true;
923
924                                 // Fetch all rows that are to be deleted
925                                 $data = self::select($table, [$field], $conditions);
926
927                                 while ($row = self::fetch($data)) {
928                                         // Now we accumulate the delete commands
929                                         $retval = self::delete($table, [$field => $row[$field]], true, $callstack);
930                                         $commands = array_merge($commands, $retval);
931                                 }
932
933                                 self::close($data);
934
935                                 // Since we had split the delete command we don't need the original command anymore
936                                 unset($commands[$key]);
937                         }
938                 }
939
940                 if (!$in_process) {
941                         // Now we finalize the process
942                         $do_transaction = !self::$in_transaction;
943
944                         if ($do_transaction) {
945                                 self::transaction();
946                         }
947
948                         $compacted = [];
949                         $counter = [];
950
951                         foreach ($commands AS $command) {
952                                 $conditions = $command['conditions'];
953                                 reset($conditions);
954                                 $first_key = key($conditions);
955
956                                 $condition_string = self::buildCondition($conditions);
957
958                                 if ((count($command['conditions']) > 1) || is_int($first_key)) {
959                                         $sql = "DELETE FROM `" . $command['table'] . "`" . $condition_string;
960                                         logger(self::replaceParameters($sql, $conditions), LOGGER_DATA);
961
962                                         if (!self::e($sql, $conditions)) {
963                                                 if ($do_transaction) {
964                                                         self::rollback();
965                                                 }
966                                                 return false;
967                                         }
968                                 } else {
969                                         $key_table = $command['table'];
970                                         $key_condition = array_keys($command['conditions'])[0];
971                                         $value = array_values($command['conditions'])[0];
972
973                                         // Split the SQL queries in chunks of 100 values
974                                         // We do the $i stuff here to make the code better readable
975                                         $i = $counter[$key_table][$key_condition];
976                                         if (count($compacted[$key_table][$key_condition][$i]) > 100) {
977                                                 ++$i;
978                                         }
979
980                                         $compacted[$key_table][$key_condition][$i][$value] = $value;
981                                         $counter[$key_table][$key_condition] = $i;
982                                 }
983                         }
984                         foreach ($compacted AS $table => $values) {
985                                 foreach ($values AS $field => $field_value_list) {
986                                         foreach ($field_value_list AS $field_values) {
987                                                 $sql = "DELETE FROM `" . $table . "` WHERE `" . $field . "` IN (" .
988                                                         substr(str_repeat("?, ", count($field_values)), 0, -2) . ");";
989
990                                                 logger(self::replaceParameters($sql, $field_values), LOGGER_DATA);
991
992                                                 if (!self::e($sql, $field_values)) {
993                                                         if ($do_transaction) {
994                                                                 self::rollback();
995                                                         }
996                                                         return false;
997                                                 }
998                                         }
999                                 }
1000                         }
1001                         if ($do_transaction) {
1002                                 self::commit();
1003                         }
1004                         return true;
1005                 }
1006
1007                 return $commands;
1008         }
1009
1010         /**
1011          * @brief Updates rows
1012          *
1013          * Updates rows in the database. When $old_fields is set to an array,
1014          * the system will only do an update if the fields in that array changed.
1015          *
1016          * Attention:
1017          * Only the values in $old_fields are compared.
1018          * This is an intentional behaviour.
1019          *
1020          * Example:
1021          * We include the timestamp field in $fields but not in $old_fields.
1022          * Then the row will only get the new timestamp when the other fields had changed.
1023          *
1024          * When $old_fields is set to a boolean value the system will do this compare itself.
1025          * When $old_fields is set to "true" the system will do an insert if the row doesn't exists.
1026          *
1027          * Attention:
1028          * Only set $old_fields to a boolean value when you are sure that you will update a single row.
1029          * When you set $old_fields to "true" then $fields must contain all relevant fields!
1030          *
1031          * @param string $table Table name
1032          * @param array $fields contains the fields that are updated
1033          * @param array $condition condition array with the key values
1034          * @param array|boolean $old_fields array with the old field values that are about to be replaced (true = update on duplicate)
1035          *
1036          * @return boolean was the update successfull?
1037          */
1038         public static function update($table, $fields, $condition, $old_fields = []) {
1039
1040                 if (empty($table) || empty($fields) || empty($condition)) {
1041                         logger('Table, fields and condition have to be set');
1042                         return false;
1043                 }
1044
1045                 $table = self::escape($table);
1046
1047                 $condition_string = self::buildCondition($condition);
1048
1049                 if (is_bool($old_fields)) {
1050                         $do_insert = $old_fields;
1051
1052                         $old_fields = self::selectFirst($table, [], $condition);
1053
1054                         if (is_bool($old_fields)) {
1055                                 if ($do_insert) {
1056                                         $values = array_merge($condition, $fields);
1057                                         return self::insert($table, $values, $do_insert);
1058                                 }
1059                                 $old_fields = [];
1060                         }
1061                 }
1062
1063                 $do_update = (count($old_fields) == 0);
1064
1065                 foreach ($old_fields AS $fieldname => $content) {
1066                         if (isset($fields[$fieldname])) {
1067                                 if ($fields[$fieldname] == $content) {
1068                                         unset($fields[$fieldname]);
1069                                 } else {
1070                                         $do_update = true;
1071                                 }
1072                         }
1073                 }
1074
1075                 if (!$do_update || (count($fields) == 0)) {
1076                         return true;
1077                 }
1078
1079                 $sql = "UPDATE `".$table."` SET `".
1080                         implode("` = ?, `", array_keys($fields))."` = ?".$condition_string;
1081
1082                 $params1 = array_values($fields);
1083                 $params2 = array_values($condition);
1084                 $params = array_merge_recursive($params1, $params2);
1085
1086                 return self::e($sql, $params);
1087         }
1088
1089         /**
1090          * Retrieve a single record from a table and returns it in an associative array
1091          *
1092          * @brief Retrieve a single record from a table
1093          * @param string $table
1094          * @param array  $fields
1095          * @param array  $condition
1096          * @param array  $params
1097          * @return bool|array
1098          * @see dba::select
1099          */
1100         public static function selectFirst($table, array $fields = [], array $condition = [], $params = [])
1101         {
1102                 $params['limit'] = 1;
1103                 $result = self::select($table, $fields, $condition, $params);
1104
1105                 if (is_bool($result)) {
1106                         return $result;
1107                 } else {
1108                         $row = self::fetch($result);
1109                         self::close($result);
1110                         return $row;
1111                 }
1112         }
1113
1114         /**
1115          * @brief Select rows from a table
1116          *
1117          * @param string $table     Table name
1118          * @param array  $fields    Array of selected fields, empty for all
1119          * @param array  $condition Array of fields for condition
1120          * @param array  $params    Array of several parameters
1121          *
1122          * @return boolean|object
1123          *
1124          * Example:
1125          * $table = "item";
1126          * $fields = array("id", "uri", "uid", "network");
1127          *
1128          * $condition = array("uid" => 1, "network" => 'dspr');
1129          * or:
1130          * $condition = array("`uid` = ? AND `network` IN (?, ?)", 1, 'dfrn', 'dspr');
1131          *
1132          * $params = array("order" => array("id", "received" => true), "limit" => 10);
1133          *
1134          * $data = dba::select($table, $fields, $condition, $params);
1135          */
1136         public static function select($table, array $fields = [], array $condition = [], array $params = [])
1137         {
1138                 if ($table == '') {
1139                         return false;
1140                 }
1141
1142                 $table = self::escape($table);
1143
1144                 if (count($fields) > 0) {
1145                         $select_fields = "`" . implode("`, `", array_values($fields)) . "`";
1146                 } else {
1147                         $select_fields = "*";
1148                 }
1149
1150                 $condition_string = self::buildCondition($condition);
1151
1152                 $order_string = '';
1153                 if (isset($params['order'])) {
1154                         $order_string = " ORDER BY ";
1155                         foreach ($params['order'] AS $fields => $order) {
1156                                 if (!is_int($fields)) {
1157                                         $order_string .= "`" . $fields . "` " . ($order ? "DESC" : "ASC") . ", ";
1158                                 } else {
1159                                         $order_string .= "`" . $order . "`, ";
1160                                 }
1161                         }
1162                         $order_string = substr($order_string, 0, -2);
1163                 }
1164
1165                 $limit_string = '';
1166                 if (isset($params['limit']) && is_int($params['limit'])) {
1167                         $limit_string = " LIMIT " . $params['limit'];
1168                 }
1169
1170                 if (isset($params['limit']) && is_array($params['limit'])) {
1171                         $limit_string = " LIMIT " . intval($params['limit'][0]) . ", " . intval($params['limit'][1]);
1172                 }
1173
1174                 $sql = "SELECT " . $select_fields . " FROM `" . $table . "`" . $condition_string . $order_string . $limit_string;
1175
1176                 $result = self::p($sql, $condition);
1177
1178                 return $result;
1179         }
1180
1181         /**
1182          * @brief Counts the rows from a table satisfying the provided condition
1183          *
1184          * @param string $table Table name
1185          * @param array $condition array of fields for condition
1186          *
1187          * @return int
1188          *
1189          * Example:
1190          * $table = "item";
1191          *
1192          * $condition = ["uid" => 1, "network" => 'dspr'];
1193          * or:
1194          * $condition = ["`uid` = ? AND `network` IN (?, ?)", 1, 'dfrn', 'dspr'];
1195          *
1196          * $count = dba::count($table, $condition);
1197          */
1198         public static function count($table, array $condition = [])
1199         {
1200                 if ($table == '') {
1201                         return false;
1202                 }
1203
1204                 $condition_string = self::buildCondition($condition);
1205
1206                 $sql = "SELECT COUNT(*) AS `count` FROM `".$table."`".$condition_string;
1207
1208                 $row = self::fetch_first($sql, $condition);
1209
1210                 return $row['count'];
1211         }
1212
1213         /**
1214          * @brief Returns the SQL condition string built from the provided condition array
1215          *
1216          * This function operates with two modes.
1217          * - Supplied with a filed/value associative array, it builds simple strict
1218          *   equality conditions linked by AND.
1219          * - Supplied with a flat list, the first element is the condition string and
1220          *   the following arguments are the values to be interpolated
1221          *
1222          * $condition = ["uid" => 1, "network" => 'dspr'];
1223          * or:
1224          * $condition = ["`uid` = ? AND `network` IN (?, ?)", 1, 'dfrn', 'dspr'];
1225          *
1226          * In either case, the provided array is left with the parameters only
1227          *
1228          * @param array $condition
1229          * @return string
1230          */
1231         private static function buildCondition(array &$condition = [])
1232         {
1233                 $condition_string = '';
1234                 if (count($condition) > 0) {
1235                         reset($condition);
1236                         $first_key = key($condition);
1237                         if (is_int($first_key)) {
1238                                 $condition_string = " WHERE ".array_shift($condition);
1239                         } else {
1240                                 $new_values = [];
1241                                 $condition_string = "";
1242                                 foreach ($condition as $field => $value) {
1243                                         if ($condition_string != "") {
1244                                                 $condition_string .= " AND ";
1245                                         }
1246                                         if (is_array($value)) {
1247                                                 $new_values = array_merge($new_values, array_values($value));
1248                                                 $placeholders = substr(str_repeat("?, ", count($value)), 0, -2);
1249                                                 $condition_string .= "`" . $field . "` IN (" . $placeholders . ")";
1250                                         } else {
1251                                                 $new_values[$field] = $value;
1252                                                 $condition_string .= "`" . $field . "` = ?";
1253                                         }
1254                                 }
1255                                 $condition_string = " WHERE " . $condition_string;
1256                                 $condition = $new_values;
1257                         }
1258                 }
1259
1260                 return $condition_string;
1261         }
1262
1263         /**
1264          * @brief Fills an array with data from a query
1265          *
1266          * @param object $stmt statement object
1267          * @return array Data array
1268          */
1269         public static function inArray($stmt, $do_close = true) {
1270                 if (is_bool($stmt)) {
1271                         return $stmt;
1272                 }
1273
1274                 $data = [];
1275                 while ($row = self::fetch($stmt)) {
1276                         $data[] = $row;
1277                 }
1278                 if ($do_close) {
1279                         self::close($stmt);
1280                 }
1281                 return $data;
1282         }
1283
1284         /**
1285          * @brief Returns the error number of the last query
1286          *
1287          * @return string Error number (0 if no error)
1288          */
1289         public static function errorNo() {
1290                 return self::$errorno;
1291         }
1292
1293         /**
1294          * @brief Returns the error message of the last query
1295          *
1296          * @return string Error message ('' if no error)
1297          */
1298         public static function errorMessage() {
1299                 return self::$error;
1300         }
1301
1302         /**
1303          * @brief Closes the current statement
1304          *
1305          * @param object $stmt statement object
1306          * @return boolean was the close successful?
1307          */
1308         public static function close($stmt) {
1309                 $a = get_app();
1310
1311                 $stamp1 = microtime(true);
1312
1313                 if (!is_object($stmt)) {
1314                         return false;
1315                 }
1316
1317                 switch (self::$driver) {
1318                         case 'pdo':
1319                                 $ret = $stmt->closeCursor();
1320                                 break;
1321                         case 'mysqli':
1322                                 $stmt->free_result();
1323                                 $ret = $stmt->close();
1324                                 break;
1325                 }
1326
1327                 $a->save_timestamp($stamp1, 'database');
1328
1329                 return $ret;
1330         }
1331 }
1332
1333 function dbesc($str) {
1334         if (dba::$connected) {
1335                 return(dba::escape($str));
1336         } else {
1337                 return(str_replace("'","\\'",$str));
1338         }
1339 }
1340
1341 /**
1342  * @brief execute SQL query with printf style args - deprecated
1343  *
1344  * Please use the dba:: functions instead:
1345  * dba::select, dba::exists, dba::insert
1346  * dba::delete, dba::update, dba::p, dba::e
1347  *
1348  * @param $args Query parameters (1 to N parameters of different types)
1349  * @return array|bool Query array
1350  */
1351 function q($sql) {
1352         $args = func_get_args();
1353         unset($args[0]);
1354
1355         if (!dba::$connected) {
1356                 return false;
1357         }
1358
1359         $sql = dba::clean_query($sql);
1360         $sql = dba::any_value_fallback($sql);
1361
1362         $stmt = @vsprintf($sql, $args);
1363
1364         $ret = dba::p($stmt);
1365
1366         if (is_bool($ret)) {
1367                 return $ret;
1368         }
1369
1370         $columns = dba::columnCount($ret);
1371
1372         $data = dba::inArray($ret);
1373
1374         if ((count($data) == 0) && ($columns == 0)) {
1375                 return true;
1376         }
1377
1378         return $data;
1379 }
1380
1381 function dba_timer() {
1382         return microtime(true);
1383 }