MediaWiki  1.28.0
DatabaseSqlite.php
Go to the documentation of this file.
1 <?php
28 class DatabaseSqlite extends Database {
30  private static $fulltextEnabled = null;
31 
33  protected $dbDir;
34 
36  protected $dbPath;
37 
39  protected $trxMode;
40 
42  protected $mAffectedRows;
43 
45  protected $mLastResult;
46 
50  protected $lockMgr;
51 
60  function __construct( array $p ) {
61  if ( isset( $p['dbFilePath'] ) ) {
62  parent::__construct( $p );
63  // Standalone .sqlite file mode.
64  // Super doesn't open when $user is false, but we can work with $dbName,
65  // which is derived from the file path in this case.
66  $this->openFile( $p['dbFilePath'] );
67  $lockDomain = md5( $p['dbFilePath'] );
68  } elseif ( !isset( $p['dbDirectory'] ) ) {
69  throw new InvalidArgumentException( "Need 'dbDirectory' or 'dbFilePath' parameter." );
70  } else {
71  $this->dbDir = $p['dbDirectory'];
72  $this->mDBname = $p['dbname'];
73  $lockDomain = $this->mDBname;
74  // Stock wiki mode using standard file names per DB.
75  parent::__construct( $p );
76  // Super doesn't open when $user is false, but we can work with $dbName
77  if ( $p['dbname'] && !$this->isOpen() ) {
78  if ( $this->open( $p['host'], $p['user'], $p['password'], $p['dbname'] ) ) {
79  $done = [];
80  foreach ( $this->tableAliases as $params ) {
81  if ( isset( $done[$params['dbname']] ) ) {
82  continue;
83  }
84  $this->attachDatabase( $params['dbname'] );
85  $done[$params['dbname']] = 1;
86  }
87  }
88  }
89  }
90 
91  $this->trxMode = isset( $p['trxMode'] ) ? strtoupper( $p['trxMode'] ) : null;
92  if ( $this->trxMode &&
93  !in_array( $this->trxMode, [ 'DEFERRED', 'IMMEDIATE', 'EXCLUSIVE' ] )
94  ) {
95  $this->trxMode = null;
96  $this->queryLogger->warning( "Invalid SQLite transaction mode provided." );
97  }
98 
99  $this->lockMgr = new FSLockManager( [
100  'domain' => $lockDomain,
101  'lockDirectory' => "{$this->dbDir}/locks"
102  ] );
103  }
104 
114  public static function newStandaloneInstance( $filename, array $p = [] ) {
115  $p['dbFilePath'] = $filename;
116  $p['schema'] = false;
117  $p['tablePrefix'] = '';
118 
119  return Database::factory( 'sqlite', $p );
120  }
121 
125  function getType() {
126  return 'sqlite';
127  }
128 
134  function implicitGroupby() {
135  return false;
136  }
137 
149  function open( $server, $user, $pass, $dbName ) {
150  $this->close();
151  $fileName = self::generateFileName( $this->dbDir, $dbName );
152  if ( !is_readable( $fileName ) ) {
153  $this->mConn = false;
154  throw new DBConnectionError( $this, "SQLite database not accessible" );
155  }
156  $this->openFile( $fileName );
157 
158  return $this->mConn;
159  }
160 
168  protected function openFile( $fileName ) {
169  $err = false;
170 
171  $this->dbPath = $fileName;
172  try {
173  if ( $this->mFlags & self::DBO_PERSISTENT ) {
174  $this->mConn = new PDO( "sqlite:$fileName", '', '',
175  [ PDO::ATTR_PERSISTENT => true ] );
176  } else {
177  $this->mConn = new PDO( "sqlite:$fileName", '', '' );
178  }
179  } catch ( PDOException $e ) {
180  $err = $e->getMessage();
181  }
182 
183  if ( !$this->mConn ) {
184  $this->queryLogger->debug( "DB connection error: $err\n" );
185  throw new DBConnectionError( $this, $err );
186  }
187 
188  $this->mOpened = !!$this->mConn;
189  if ( $this->mOpened ) {
190  # Set error codes only, don't raise exceptions
191  $this->mConn->setAttribute( PDO::ATTR_ERRMODE, PDO::ERRMODE_SILENT );
192  # Enforce LIKE to be case sensitive, just like MySQL
193  $this->query( 'PRAGMA case_sensitive_like = 1' );
194 
195  return $this->mConn;
196  }
197 
198  return false;
199  }
200 
205  public function getDbFilePath() {
206  return $this->dbPath;
207  }
208 
213  protected function closeConnection() {
214  $this->mConn = null;
215 
216  return true;
217  }
218 
225  public static function generateFileName( $dir, $dbName ) {
226  return "$dir/$dbName.sqlite";
227  }
228 
233  function checkForEnabledSearch() {
234  if ( self::$fulltextEnabled === null ) {
235  self::$fulltextEnabled = false;
236  $table = $this->tableName( 'searchindex' );
237  $res = $this->query( "SELECT sql FROM sqlite_master WHERE tbl_name = '$table'", __METHOD__ );
238  if ( $res ) {
239  $row = $res->fetchRow();
240  self::$fulltextEnabled = stristr( $row['sql'], 'fts' ) !== false;
241  }
242  }
243 
244  return self::$fulltextEnabled;
245  }
246 
251  static function getFulltextSearchModule() {
252  static $cachedResult = null;
253  if ( $cachedResult !== null ) {
254  return $cachedResult;
255  }
256  $cachedResult = false;
257  $table = 'dummy_search_test';
258 
259  $db = self::newStandaloneInstance( ':memory:' );
260  if ( $db->query( "CREATE VIRTUAL TABLE $table USING FTS3(dummy_field)", __METHOD__, true ) ) {
261  $cachedResult = 'FTS3';
262  }
263  $db->close();
264 
265  return $cachedResult;
266  }
267 
279  function attachDatabase( $name, $file = false, $fname = __METHOD__ ) {
280  if ( !$file ) {
281  $file = self::generateFileName( $this->dbDir, $name );
282  }
283  $file = $this->addQuotes( $file );
284 
285  return $this->query( "ATTACH DATABASE $file AS $name", $fname );
286  }
287 
288  function isWriteQuery( $sql ) {
289  return parent::isWriteQuery( $sql ) && !preg_match( '/^(ATTACH|PRAGMA)\b/i', $sql );
290  }
291 
298  protected function doQuery( $sql ) {
299  $res = $this->mConn->query( $sql );
300  if ( $res === false ) {
301  return false;
302  }
303 
304  $r = $res instanceof ResultWrapper ? $res->result : $res;
305  $this->mAffectedRows = $r->rowCount();
306  $res = new ResultWrapper( $this, $r->fetchAll() );
307 
308  return $res;
309  }
310 
314  function freeResult( $res ) {
315  if ( $res instanceof ResultWrapper ) {
316  $res->result = null;
317  } else {
318  $res = null;
319  }
320  }
321 
326  function fetchObject( $res ) {
327  if ( $res instanceof ResultWrapper ) {
328  $r =& $res->result;
329  } else {
330  $r =& $res;
331  }
332 
333  $cur = current( $r );
334  if ( is_array( $cur ) ) {
335  next( $r );
336  $obj = new stdClass;
337  foreach ( $cur as $k => $v ) {
338  if ( !is_numeric( $k ) ) {
339  $obj->$k = $v;
340  }
341  }
342 
343  return $obj;
344  }
345 
346  return false;
347  }
348 
353  function fetchRow( $res ) {
354  if ( $res instanceof ResultWrapper ) {
355  $r =& $res->result;
356  } else {
357  $r =& $res;
358  }
359  $cur = current( $r );
360  if ( is_array( $cur ) ) {
361  next( $r );
362 
363  return $cur;
364  }
365 
366  return false;
367  }
368 
375  function numRows( $res ) {
376  $r = $res instanceof ResultWrapper ? $res->result : $res;
377 
378  return count( $r );
379  }
380 
385  function numFields( $res ) {
386  $r = $res instanceof ResultWrapper ? $res->result : $res;
387  if ( is_array( $r ) && count( $r ) > 0 ) {
388  // The size of the result array is twice the number of fields. (Bug: 65578)
389  return count( $r[0] ) / 2;
390  } else {
391  // If the result is empty return 0
392  return 0;
393  }
394  }
395 
401  function fieldName( $res, $n ) {
402  $r = $res instanceof ResultWrapper ? $res->result : $res;
403  if ( is_array( $r ) ) {
404  $keys = array_keys( $r[0] );
405 
406  return $keys[$n];
407  }
408 
409  return false;
410  }
411 
419  function tableName( $name, $format = 'quoted' ) {
420  // table names starting with sqlite_ are reserved
421  if ( strpos( $name, 'sqlite_' ) === 0 ) {
422  return $name;
423  }
424 
425  return str_replace( '"', '', parent::tableName( $name, $format ) );
426  }
427 
433  function insertId() {
434  // PDO::lastInsertId yields a string :(
435  return intval( $this->mConn->lastInsertId() );
436  }
437 
442  function dataSeek( $res, $row ) {
443  if ( $res instanceof ResultWrapper ) {
444  $r =& $res->result;
445  } else {
446  $r =& $res;
447  }
448  reset( $r );
449  if ( $row > 0 ) {
450  for ( $i = 0; $i < $row; $i++ ) {
451  next( $r );
452  }
453  }
454  }
455 
459  function lastError() {
460  if ( !is_object( $this->mConn ) ) {
461  return "Cannot return last error, no db connection";
462  }
463  $e = $this->mConn->errorInfo();
464 
465  return isset( $e[2] ) ? $e[2] : '';
466  }
467 
471  function lastErrno() {
472  if ( !is_object( $this->mConn ) ) {
473  return "Cannot return last error, no db connection";
474  } else {
475  $info = $this->mConn->errorInfo();
476 
477  return $info[1];
478  }
479  }
480 
484  function affectedRows() {
485  return $this->mAffectedRows;
486  }
487 
498  function indexInfo( $table, $index, $fname = __METHOD__ ) {
499  $sql = 'PRAGMA index_info(' . $this->addQuotes( $this->indexName( $index ) ) . ')';
500  $res = $this->query( $sql, $fname );
501  if ( !$res ) {
502  return null;
503  }
504  if ( $res->numRows() == 0 ) {
505  return false;
506  }
507  $info = [];
508  foreach ( $res as $row ) {
509  $info[] = $row->name;
510  }
511 
512  return $info;
513  }
514 
521  function indexUnique( $table, $index, $fname = __METHOD__ ) {
522  $row = $this->selectRow( 'sqlite_master', '*',
523  [
524  'type' => 'index',
525  'name' => $this->indexName( $index ),
526  ], $fname );
527  if ( !$row || !isset( $row->sql ) ) {
528  return null;
529  }
530 
531  // $row->sql will be of the form CREATE [UNIQUE] INDEX ...
532  $indexPos = strpos( $row->sql, 'INDEX' );
533  if ( $indexPos === false ) {
534  return null;
535  }
536  $firstPart = substr( $row->sql, 0, $indexPos );
537  $options = explode( ' ', $firstPart );
538 
539  return in_array( 'UNIQUE', $options );
540  }
541 
548  function makeSelectOptions( $options ) {
549  foreach ( $options as $k => $v ) {
550  if ( is_numeric( $k ) && ( $v == 'FOR UPDATE' || $v == 'LOCK IN SHARE MODE' ) ) {
551  $options[$k] = '';
552  }
553  }
554 
555  return parent::makeSelectOptions( $options );
556  }
557 
562  protected function makeUpdateOptionsArray( $options ) {
563  $options = parent::makeUpdateOptionsArray( $options );
564  $options = self::fixIgnore( $options );
565 
566  return $options;
567  }
568 
573  static function fixIgnore( $options ) {
574  # SQLite uses OR IGNORE not just IGNORE
575  foreach ( $options as $k => $v ) {
576  if ( $v == 'IGNORE' ) {
577  $options[$k] = 'OR IGNORE';
578  }
579  }
580 
581  return $options;
582  }
583 
588  function makeInsertOptions( $options ) {
589  $options = self::fixIgnore( $options );
590 
591  return parent::makeInsertOptions( $options );
592  }
593 
602  function insert( $table, $a, $fname = __METHOD__, $options = [] ) {
603  if ( !count( $a ) ) {
604  return true;
605  }
606 
607  # SQLite can't handle multi-row inserts, so divide up into multiple single-row inserts
608  if ( isset( $a[0] ) && is_array( $a[0] ) ) {
609  $ret = true;
610  foreach ( $a as $v ) {
611  if ( !parent::insert( $table, $v, "$fname/multi-row", $options ) ) {
612  $ret = false;
613  }
614  }
615  } else {
616  $ret = parent::insert( $table, $a, "$fname/single-row", $options );
617  }
618 
619  return $ret;
620  }
621 
629  function replace( $table, $uniqueIndexes, $rows, $fname = __METHOD__ ) {
630  if ( !count( $rows ) ) {
631  return true;
632  }
633 
634  # SQLite can't handle multi-row replaces, so divide up into multiple single-row queries
635  if ( isset( $rows[0] ) && is_array( $rows[0] ) ) {
636  $ret = true;
637  foreach ( $rows as $v ) {
638  if ( !$this->nativeReplace( $table, $v, "$fname/multi-row" ) ) {
639  $ret = false;
640  }
641  }
642  } else {
643  $ret = $this->nativeReplace( $table, $rows, "$fname/single-row" );
644  }
645 
646  return $ret;
647  }
648 
657  function textFieldSize( $table, $field ) {
658  return -1;
659  }
660 
664  function unionSupportsOrderAndLimit() {
665  return false;
666  }
667 
673  function unionQueries( $sqls, $all ) {
674  $glue = $all ? ' UNION ALL ' : ' UNION ';
675 
676  return implode( $glue, $sqls );
677  }
678 
682  function wasDeadlock() {
683  return $this->lastErrno() == 5; // SQLITE_BUSY
684  }
685 
689  function wasErrorReissuable() {
690  return $this->lastErrno() == 17; // SQLITE_SCHEMA;
691  }
692 
696  function wasReadOnlyError() {
697  return $this->lastErrno() == 8; // SQLITE_READONLY;
698  }
699 
703  public function getSoftwareLink() {
704  return "[{{int:version-db-sqlite-url}} SQLite]";
705  }
706 
710  function getServerVersion() {
711  $ver = $this->mConn->getAttribute( PDO::ATTR_SERVER_VERSION );
712 
713  return $ver;
714  }
715 
724  function fieldInfo( $table, $field ) {
725  $tableName = $this->tableName( $table );
726  $sql = 'PRAGMA table_info(' . $this->addQuotes( $tableName ) . ')';
727  $res = $this->query( $sql, __METHOD__ );
728  foreach ( $res as $row ) {
729  if ( $row->name == $field ) {
730  return new SQLiteField( $row, $tableName );
731  }
732  }
733 
734  return false;
735  }
736 
737  protected function doBegin( $fname = '' ) {
738  if ( $this->trxMode ) {
739  $this->query( "BEGIN {$this->trxMode}", $fname );
740  } else {
741  $this->query( 'BEGIN', $fname );
742  }
743  $this->mTrxLevel = 1;
744  }
745 
750  function strencode( $s ) {
751  return substr( $this->addQuotes( $s ), 1, -1 );
752  }
753 
758  function encodeBlob( $b ) {
759  return new Blob( $b );
760  }
761 
766  function decodeBlob( $b ) {
767  if ( $b instanceof Blob ) {
768  $b = $b->fetch();
769  }
770 
771  return $b;
772  }
773 
778  function addQuotes( $s ) {
779  if ( $s instanceof Blob ) {
780  return "x'" . bin2hex( $s->fetch() ) . "'";
781  } elseif ( is_bool( $s ) ) {
782  return (int)$s;
783  } elseif ( strpos( $s, "\0" ) !== false ) {
784  // SQLite doesn't support \0 in strings, so use the hex representation as a workaround.
785  // This is a known limitation of SQLite's mprintf function which PDO
786  // should work around, but doesn't. I have reported this to php.net as bug #63419:
787  // https://bugs.php.net/bug.php?id=63419
788  // There was already a similar report for SQLite3::escapeString, bug #62361:
789  // https://bugs.php.net/bug.php?id=62361
790  // There is an additional bug regarding sorting this data after insert
791  // on older versions of sqlite shipped with ubuntu 12.04
792  // https://phabricator.wikimedia.org/T74367
793  $this->queryLogger->debug(
794  __FUNCTION__ .
795  ': Quoting value containing null byte. ' .
796  'For consistency all binary data should have been ' .
797  'first processed with self::encodeBlob()'
798  );
799  return "x'" . bin2hex( $s ) . "'";
800  } else {
801  return $this->mConn->quote( $s );
802  }
803  }
804 
808  function buildLike() {
809  $params = func_get_args();
810  if ( count( $params ) > 0 && is_array( $params[0] ) ) {
811  $params = $params[0];
812  }
813 
814  return parent::buildLike( $params ) . "ESCAPE '\' ";
815  }
816 
822  public function buildStringCast( $field ) {
823  return 'CAST ( ' . $field . ' AS TEXT )';
824  }
825 
831  public function deadlockLoop( /*...*/ ) {
832  $args = func_get_args();
833  $function = array_shift( $args );
834 
835  return call_user_func_array( $function, $args );
836  }
837 
842  protected function replaceVars( $s ) {
843  $s = parent::replaceVars( $s );
844  if ( preg_match( '/^\s*(CREATE|ALTER) TABLE/i', $s ) ) {
845  // CREATE TABLE hacks to allow schema file sharing with MySQL
846 
847  // binary/varbinary column type -> blob
848  $s = preg_replace( '/\b(var)?binary(\(\d+\))/i', 'BLOB', $s );
849  // no such thing as unsigned
850  $s = preg_replace( '/\b(un)?signed\b/i', '', $s );
851  // INT -> INTEGER
852  $s = preg_replace( '/\b(tiny|small|medium|big|)int(\s*\(\s*\d+\s*\)|\b)/i', 'INTEGER', $s );
853  // floating point types -> REAL
854  $s = preg_replace(
855  '/\b(float|double(\s+precision)?)(\s*\(\s*\d+\s*(,\s*\d+\s*)?\)|\b)/i',
856  'REAL',
857  $s
858  );
859  // varchar -> TEXT
860  $s = preg_replace( '/\b(var)?char\s*\(.*?\)/i', 'TEXT', $s );
861  // TEXT normalization
862  $s = preg_replace( '/\b(tiny|medium|long)text\b/i', 'TEXT', $s );
863  // BLOB normalization
864  $s = preg_replace( '/\b(tiny|small|medium|long|)blob\b/i', 'BLOB', $s );
865  // BOOL -> INTEGER
866  $s = preg_replace( '/\bbool(ean)?\b/i', 'INTEGER', $s );
867  // DATETIME -> TEXT
868  $s = preg_replace( '/\b(datetime|timestamp)\b/i', 'TEXT', $s );
869  // No ENUM type
870  $s = preg_replace( '/\benum\s*\([^)]*\)/i', 'TEXT', $s );
871  // binary collation type -> nothing
872  $s = preg_replace( '/\bbinary\b/i', '', $s );
873  // auto_increment -> autoincrement
874  $s = preg_replace( '/\bauto_increment\b/i', 'AUTOINCREMENT', $s );
875  // No explicit options
876  $s = preg_replace( '/\)[^);]*(;?)\s*$/', ')\1', $s );
877  // AUTOINCREMENT should immedidately follow PRIMARY KEY
878  $s = preg_replace( '/primary key (.*?) autoincrement/i', 'PRIMARY KEY AUTOINCREMENT $1', $s );
879  } elseif ( preg_match( '/^\s*CREATE (\s*(?:UNIQUE|FULLTEXT)\s+)?INDEX/i', $s ) ) {
880  // No truncated indexes
881  $s = preg_replace( '/\(\d+\)/', '', $s );
882  // No FULLTEXT
883  $s = preg_replace( '/\bfulltext\b/i', '', $s );
884  } elseif ( preg_match( '/^\s*DROP INDEX/i', $s ) ) {
885  // DROP INDEX is database-wide, not table-specific, so no ON <table> clause.
886  $s = preg_replace( '/\sON\s+[^\s]*/i', '', $s );
887  } elseif ( preg_match( '/^\s*INSERT IGNORE\b/i', $s ) ) {
888  // INSERT IGNORE --> INSERT OR IGNORE
889  $s = preg_replace( '/^\s*INSERT IGNORE\b/i', 'INSERT OR IGNORE', $s );
890  }
891 
892  return $s;
893  }
894 
895  public function lock( $lockName, $method, $timeout = 5 ) {
896  if ( !is_dir( "{$this->dbDir}/locks" ) ) { // create dir as needed
897  if ( !is_writable( $this->dbDir ) || !mkdir( "{$this->dbDir}/locks" ) ) {
898  throw new DBError( $this, "Cannot create directory \"{$this->dbDir}/locks\"." );
899  }
900  }
901 
902  return $this->lockMgr->lock( [ $lockName ], LockManager::LOCK_EX, $timeout )->isOK();
903  }
904 
905  public function unlock( $lockName, $method ) {
906  return $this->lockMgr->unlock( [ $lockName ], LockManager::LOCK_EX )->isOK();
907  }
908 
915  function buildConcat( $stringList ) {
916  return '(' . implode( ') || (', $stringList ) . ')';
917  }
918 
919  public function buildGroupConcatField(
920  $delim, $table, $field, $conds = '', $join_conds = []
921  ) {
922  $fld = "group_concat($field," . $this->addQuotes( $delim ) . ')';
923 
924  return '(' . $this->selectSQLText( $table, $fld, $conds, null, [], $join_conds ) . ')';
925  }
926 
935  function duplicateTableStructure( $oldName, $newName, $temporary = false, $fname = __METHOD__ ) {
936  $res = $this->query( "SELECT sql FROM sqlite_master WHERE tbl_name=" .
937  $this->addQuotes( $oldName ) . " AND type='table'", $fname );
938  $obj = $this->fetchObject( $res );
939  if ( !$obj ) {
940  throw new RuntimeException( "Couldn't retrieve structure for table $oldName" );
941  }
942  $sql = $obj->sql;
943  $sql = preg_replace(
944  '/(?<=\W)"?' . preg_quote( trim( $this->addIdentifierQuotes( $oldName ), '"' ) ) . '"?(?=\W)/',
945  $this->addIdentifierQuotes( $newName ),
946  $sql,
947  1
948  );
949  if ( $temporary ) {
950  if ( preg_match( '/^\\s*CREATE\\s+VIRTUAL\\s+TABLE\b/i', $sql ) ) {
951  $this->queryLogger->debug(
952  "Table $oldName is virtual, can't create a temporary duplicate.\n" );
953  } else {
954  $sql = str_replace( 'CREATE TABLE', 'CREATE TEMPORARY TABLE', $sql );
955  }
956  }
957 
958  $res = $this->query( $sql, $fname );
959 
960  // Take over indexes
961  $indexList = $this->query( 'PRAGMA INDEX_LIST(' . $this->addQuotes( $oldName ) . ')' );
962  foreach ( $indexList as $index ) {
963  if ( strpos( $index->name, 'sqlite_autoindex' ) === 0 ) {
964  continue;
965  }
966 
967  if ( $index->unique ) {
968  $sql = 'CREATE UNIQUE INDEX';
969  } else {
970  $sql = 'CREATE INDEX';
971  }
972  // Try to come up with a new index name, given indexes have database scope in SQLite
973  $indexName = $newName . '_' . $index->name;
974  $sql .= ' ' . $indexName . ' ON ' . $newName;
975 
976  $indexInfo = $this->query( 'PRAGMA INDEX_INFO(' . $this->addQuotes( $index->name ) . ')' );
977  $fields = [];
978  foreach ( $indexInfo as $indexInfoRow ) {
979  $fields[$indexInfoRow->seqno] = $indexInfoRow->name;
980  }
981 
982  $sql .= '(' . implode( ',', $fields ) . ')';
983 
984  $this->query( $sql );
985  }
986 
987  return $res;
988  }
989 
998  function listTables( $prefix = null, $fname = __METHOD__ ) {
999  $result = $this->select(
1000  'sqlite_master',
1001  'name',
1002  "type='table'"
1003  );
1004 
1005  $endArray = [];
1006 
1007  foreach ( $result as $table ) {
1008  $vars = get_object_vars( $table );
1009  $table = array_pop( $vars );
1010 
1011  if ( !$prefix || strpos( $table, $prefix ) === 0 ) {
1012  if ( strpos( $table, 'sqlite_' ) !== 0 ) {
1013  $endArray[] = $table;
1014  }
1015  }
1016  }
1017 
1018  return $endArray;
1019  }
1020 
1029  public function dropTable( $tableName, $fName = __METHOD__ ) {
1030  if ( !$this->tableExists( $tableName, $fName ) ) {
1031  return false;
1032  }
1033  $sql = "DROP TABLE " . $this->tableName( $tableName );
1034 
1035  return $this->query( $sql, $fName );
1036  }
1037 
1038  protected function requiresDatabaseUser() {
1039  return false; // just a file
1040  }
1041 
1045  public function __toString() {
1046  return 'SQLite ' . (string)$this->mConn->getAttribute( PDO::ATTR_SERVER_VERSION );
1047  }
1048 }
tableExists($table, $fname=__METHOD__)
Query whether a given table exists.
Definition: Database.php:1415
Database error base class.
Definition: DBError.php:26
the array() calling protocol came about after MediaWiki 1.4rc1.
select($table, $vars, $conds= '', $fname=__METHOD__, $options=[], $join_conds=[])
Execute a SELECT query constructed using the various parameters provided.
Definition: Database.php:1250
Utility classThis allows us to distinguish a blob from a normal string and an array of strings...
Definition: Blob.php:8
addIdentifierQuotes($s)
Quotes an identifier using backticks or "double quotes" depending on the database type...
Definition: Database.php:1984
string $mDBname
Definition: Database.php:65
static factory($dbType, $p=[])
Construct a Database subclass instance given a database type and parameters.
Definition: Database.php:325
if(count($args)==0) $dir
attachDatabase($name, $file=false, $fname=__METHOD__)
Attaches external database to our connection, see http://sqlite.org/lang_attach.html for details...
null means default in associative array with keys and values unescaped Should be merged with default with a value of false meaning to suppress the attribute in associative array with keys and values unescaped noclasses & $ret
Definition: hooks.txt:1936
div flags Integer display flags(NO_ACTION_LINK, NO_EXTRA_USER_LINKS) 'LogException'returning false will NOT prevent logging $e
Definition: hooks.txt:2102
buildGroupConcatField($delim, $table, $field, $conds= '', $join_conds=[])
Build a GROUP_CONCAT or equivalent statement for a query.
static generateFileName($dir, $dbName)
Generates a database file name.
This code would result in ircNotify being run twice when an article is and once for brion Hooks can return three possible true was required This is the default since MediaWiki *some string
Definition: hooks.txt:177
static getFulltextSearchModule()
Returns version of currently supported SQLite fulltext search module or false if none present...
FSLockManager $lockMgr
(hopefully on the same server as the DB)
tableName($name, $format= 'quoted')
Use MySQL's naming (accounts for prefix etc) but remove surrounding backticks.
buildStringCast($field)
string $dbDir
Directory.
insert($table, $a, $fname=__METHOD__, $options=[])
Based on generic method (parent) with some prior SQLite-sepcific adjustments.
doBegin($fname= '')
insertId()
This must be called after nextSequenceVal.
open($server, $user, $pass, $dbName)
Open an SQLite database and return a resource handle to it NOTE: only $dbName is used, the other parameters are irrelevant for SQLite databases.
We use the convention $dbr for read and $dbw for write to help you keep track of whether the database object is a the world will explode Or to be a subsequent write query which succeeded on the master may fail when replicated to the slave due to a unique key collision Replication on the slave will stop and it may take hours to repair the database and get it back online Setting read_only in my cnf on the slave will avoid this but given the dire we prefer to have as many checks as possible We provide a but the wrapper functions like please read the documentation for tableName() and addQuotes().You will need both of them.------------------------------------------------------------------------Basic query optimisation------------------------------------------------------------------------MediaWiki developers who need to write DB queries should have some understanding of databases and the performance issues associated with them.Patches containing unacceptably slow features will not be accepted.Unindexed queries are generally not welcome in MediaWiki
selectRow($table, $vars, $conds, $fname=__METHOD__, $options=[], $join_conds=[])
Single row SELECT wrapper.
Definition: Database.php:1317
listTables($prefix=null, $fname=__METHOD__)
List all tables on the database.
The index of the header message $result[1]=The index of the body text message $result[2 through n]=Parameters passed to body text message.Please note the header message cannot receive/use parameters. 'ImportHandleLogItemXMLTag':When parsing a XML tag in a log item.Return false to stop further processing of the tag $reader:XMLReader object $logInfo:Array of information 'ImportHandlePageXMLTag':When parsing a XML tag in a page.Return false to stop further processing of the tag $reader:XMLReader object &$pageInfo:Array of information 'ImportHandleRevisionXMLTag':When parsing a XML tag in a page revision.Return false to stop further processing of the tag $reader:XMLReader object $pageInfo:Array of page information $revisionInfo:Array of revision information 'ImportHandleToplevelXMLTag':When parsing a top level XML tag.Return false to stop further processing of the tag $reader:XMLReader object 'ImportHandleUploadXMLTag':When parsing a XML tag in a file upload.Return false to stop further processing of the tag $reader:XMLReader object $revisionInfo:Array of information 'ImportLogInterwikiLink':Hook to change the interwiki link used in log entries and edit summaries for transwiki imports.&$fullInterwikiPrefix:Interwiki prefix, may contain colons.&$pageTitle:String that contains page title. 'ImportSources':Called when reading from the $wgImportSources configuration variable.Can be used to lazy-load the import sources list.&$importSources:The value of $wgImportSources.Modify as necessary.See the comment in DefaultSettings.php for the detail of how to structure this array. 'InfoAction':When building information to display on the action=info page.$context:IContextSource object &$pageInfo:Array of information 'InitializeArticleMaybeRedirect':MediaWiki check to see if title is a redirect.&$title:Title object for the current page &$request:WebRequest &$ignoreRedirect:boolean to skip redirect check &$target:Title/string of redirect target &$article:Article object 'InternalParseBeforeLinks':during Parser's internalParse method before links but after nowiki/noinclude/includeonly/onlyinclude and other processings.&$parser:Parser object &$text:string containing partially parsed text &$stripState:Parser's internal StripState object 'InternalParseBeforeSanitize':during Parser's internalParse method just before the parser removes unwanted/dangerous HTML tags and after nowiki/noinclude/includeonly/onlyinclude and other processings.Ideal for syntax-extensions after template/parser function execution which respect nowiki and HTML-comments.&$parser:Parser object &$text:string containing partially parsed text &$stripState:Parser's internal StripState object 'InterwikiLoadPrefix':When resolving if a given prefix is an interwiki or not.Return true without providing an interwiki to continue interwiki search.$prefix:interwiki prefix we are looking for.&$iwData:output array describing the interwiki with keys iw_url, iw_local, iw_trans and optionally iw_api and iw_wikiid. 'InvalidateEmailComplete':Called after a user's email has been invalidated successfully.$user:user(object) whose email is being invalidated 'IRCLineURL':When constructing the URL to use in an IRC notification.Callee may modify $url and $query, URL will be constructed as $url.$query &$url:URL to index.php &$query:Query string $rc:RecentChange object that triggered url generation 'IsFileCacheable':Override the result of Article::isFileCacheable()(if true) &$article:article(object) being checked 'IsTrustedProxy':Override the result of IP::isTrustedProxy() &$ip:IP being check &$result:Change this value to override the result of IP::isTrustedProxy() 'IsUploadAllowedFromUrl':Override the result of UploadFromUrl::isAllowedUrl() $url:URL used to upload from &$allowed:Boolean indicating if uploading is allowed for given URL 'isValidEmailAddr':Override the result of Sanitizer::validateEmail(), for instance to return false if the domain name doesn't match your organization.$addr:The e-mail address entered by the user &$result:Set this and return false to override the internal checks 'isValidPassword':Override the result of User::isValidPassword() $password:The password entered by the user &$result:Set this and return false to override the internal checks $user:User the password is being validated for 'Language::getMessagesFileName':$code:The language code or the language we're looking for a messages file for &$file:The messages file path, you can override this to change the location. 'LanguageGetMagic':DEPRECATED!Use $magicWords in a file listed in $wgExtensionMessagesFiles instead.Use this to define synonyms of magic words depending of the language &$magicExtensions:associative array of magic words synonyms $lang:language code(string) 'LanguageGetNamespaces':Provide custom ordering for namespaces or remove namespaces.Do not use this hook to add namespaces.Use CanonicalNamespaces for that.&$namespaces:Array of namespaces indexed by their numbers 'LanguageGetSpecialPageAliases':DEPRECATED!Use $specialPageAliases in a file listed in $wgExtensionMessagesFiles instead.Use to define aliases of special pages names depending of the language &$specialPageAliases:associative array of magic words synonyms $lang:language code(string) 'LanguageGetTranslatedLanguageNames':Provide translated language names.&$names:array of language code=> language name $code:language of the preferred translations 'LanguageLinks':Manipulate a page's language links.This is called in various places to allow extensions to define the effective language links for a page.$title:The page's Title.&$links:Associative array mapping language codes to prefixed links of the form"language:title".&$linkFlags:Associative array mapping prefixed links to arrays of flags.Currently unused, but planned to provide support for marking individual language links in the UI, e.g.for featured articles. 'LanguageSelector':Hook to change the language selector available on a page.$out:The output page.$cssClassName:CSS class name of the language selector. 'LinkBegin':DEPRECATED!Use HtmlPageLinkRendererBegin instead.Used when generating internal and interwiki links in Linker::link(), before processing starts.Return false to skip default processing and return $ret.See documentation for Linker::link() for details on the expected meanings of parameters.$skin:the Skin object $target:the Title that the link is pointing to &$html:the contents that the< a > tag should have(raw HTML) $result
Definition: hooks.txt:1934
static newStandaloneInstance($filename, array $p=[])
const DBO_PERSISTENT
Definition: defines.php:11
if($line===false) $args
Definition: cdb.php:64
nativeReplace($table, $rows, $fname)
REPLACE query wrapper for MySQL and SQLite, which have a native REPLACE statement.
Definition: Database.php:2127
indexName($index)
Get the name of an index in a given table.
Definition: Database.php:1954
openFile($fileName)
Opens a database file.
unlock($lockName, $method)
Release a lock.
makeSelectOptions($options)
Filter the options used in SELECT statements.
string $trxMode
Transaction mode.
close()
Closes a database connection.
Definition: Database.php:705
fieldInfo($table, $field)
Get information about a given field Returns false if the field does not exist.
this hook is for auditing only RecentChangesLinked and Watchlist RecentChangesLinked and Watchlist e g Watchlist removed from all revisions and log entries to which it was applied This gives extensions a chance to take it off their books as the deletion has already been partly carried out by this point or something similar the user will be unable to create the tag set and then return false from the hook function Ensure you consume the ChangeTagAfterDelete hook to carry out custom deletion actions as context called by AbstractContent::getParserOutput May be used to override the normal model specific rendering of page content as context as context $options
Definition: hooks.txt:1046
static bool $fulltextEnabled
Whether full text is enabled.
const LOCK_EX
Definition: LockManager.php:70
$res
Definition: database.txt:21
$params
isOpen()
Is a connection to the database open?
Definition: Database.php:577
makeInsertOptions($options)
selectSQLText($table, $vars, $conds= '', $fname=__METHOD__, $options=[], $join_conds=[])
The equivalent of IDatabase::select() except that the constructed SQL is returned, instead of being immediately executed.
Definition: Database.php:1257
checkForEnabledSearch()
Check if the searchindext table is FTS enabled.
duplicateTableStructure($oldName, $newName, $temporary=false, $fname=__METHOD__)
This document is intended to provide useful advice for parties seeking to redistribute MediaWiki to end users It s targeted particularly at maintainers for Linux since it s been observed that distribution packages of MediaWiki often break We ve consistently had to recommend that users seeking support use official tarballs instead of their distribution s and this often solves whatever problem the user is having It would be nice if this could such as
Definition: distributors.txt:9
string $dbPath
File name for SQLite database file.
please add to it if you re going to add events to the MediaWiki code where normally authentication against an external auth plugin would be creating a local account $user
Definition: hooks.txt:242
doQuery($sql)
SQLite doesn't allow buffered results or data seeking etc, so we'll use fetchAll as the result...
deadlockLoop()
No-op version of deadlockLoop.
injection txt This is an overview of how MediaWiki makes use of dependency injection The design described here grew from the discussion of RFC T384 The term dependency this means that anything an object needs to operate should be injected from the the object itself should only know narrow no concrete implementation of the logic it relies on The requirement to inject everything typically results in an architecture that based on two main types of and essentially stateless service objects that use other service objects to operate on the value objects As of the beginning MediaWiki is only starting to use the DI approach Much of the code still relies on global state or direct resulting in a highly cyclical dependency which acts as the top level factory for services in MediaWiki which can be used to gain access to default instances of various services MediaWikiServices however also allows new services to be defined and default services to be redefined Services are defined or redefined by providing a callback the instantiator that will return a new instance of the service When it will create an instance of MediaWikiServices and populate it with the services defined in the files listed by thereby bootstrapping the DI framework Per $wgServiceWiringFiles lists includes ServiceWiring php
Definition: injection.txt:35
indexInfo($table, $index, $fname=__METHOD__)
Returns information about an index Returns false if the index does not exist.
makeUpdateOptionsArray($options)
dataSeek($res, $row)
closeConnection()
Does not actually close the connection, just destroys the reference for GC to do its work...
__construct(array $p)
Additional params include:
if(!defined( 'MEDIAWIKI')) $fname
This file is not a valid entry point, perform no further processing unless MEDIAWIKI is defined...
Definition: Setup.php:36
lock($lockName, $method, $timeout=5)
Acquire a named lock.
dropTable($tableName, $fName=__METHOD__)
Override due to no CASCADE support.
either a unescaped string or a HtmlArmor object after in associative array form externallinks including delete and insert
Definition: hooks.txt:2005
resource null $mConn
Database connection.
Definition: Database.php:83
replace($table, $uniqueIndexes, $rows, $fname=__METHOD__)
indexUnique($table, $index, $fname=__METHOD__)
numRows($res)
The PDO::Statement class implements the array interface so count() will work.
Result wrapper for grabbing data queried from an IDatabase object.
fieldName($res, $n)
textFieldSize($table, $field)
Returns the size of a text field, or -1 for "unlimited" In SQLite this is SQLITE_MAX_LENGTH, by default 1GB.
static fixIgnore($options)
resource $mLastResult
int $mAffectedRows
The number of rows affected as an integer.
static configuration should be added through ResourceLoaderGetConfigVars instead & $vars
Definition: hooks.txt:2159
unionQueries($sqls, $all)
Simple version of LockManager based on using FS lock files.
query($sql, $fname=__METHOD__, $tempIgnore=false)
Run an SQL query and return the result.
Definition: Database.php:829
buildConcat($stringList)
Build a concatenation list to feed into a SQL query.
Allows to change the fields on the form that will be generated $name
Definition: hooks.txt:300