Note:

If you want to create a new page for developers, you should create it on the Moodle Developer Resource site.

Data manipulation API: Difference between revisions

From MoodleDocs
(Remove sql_empty. Deprecated since Moodle 2.5. See MDL-37742.)
(12 intermediate revisions by 9 users not shown)
Line 166: Line 166:
///The 'select' parameter is (if not empty) is dropped directly into the WHERE clause without alteration.
///The 'select' parameter is (if not empty) is dropped directly into the WHERE clause without alteration.
$table = 'foo';
$table = 'foo';
$select = 'jon = "doe" AND bob != "tom" '; //is put into the where clause
$select = 'jon = ? AND bob <> ? '; //is put into the where clause
$result = $DB->get_records_select_menu($table,$select);
$result = $DB->get_records_select_menu($table, $select, array('doe', 'tom'));


$table = 'foo';
$table = 'foo';
$select = 'jon = "doe" AND bob != "tom" '; //is put into the where clause
$select = 'jon = ? AND bob <> ? '; //is put into the where clause
$params = null;
$params = array('doe', 'tom');
$fields = 'id, tacos';//return these fields
$fields = 'id, tacos';//return these fields
$sort = 'id'; //field or fields you want to sort the result by
$sort = 'id'; //field or fields you want to sort the result by
Line 247: Line 247:


===Inserting Records===
===Inserting Records===
The method to insert records is called aptly enough, insert_record(). The method accepts 4 parameters, but the fourth, "bulk", in most implementations is unused.
The method to insert records is called aptly enough, insert_record(). The method accepts 4 parameters, but the fourth, "bulk", in most implementations is unused. Note, you cannot specify the record id using this method. If you need to specify an id use $DB->insert_record_raw() with $customsequence set to true or use $DB->execute().
<code php>
<code php>
o $DB->insert_record($table, $dataobject, $returnid=true, $bulk=false)  
  $DB->insert_record($table, $dataobject, $returnid=true, $bulk=false)  
   /// Insert a record into a table and return the "id" field if required.
   /// Insert a record into a table and return the "id" field if required.
</code>
</code>
Starting with Moodle 2.7, you can do bulk record inserts using the following method call: {{Moodle_2.7}}
<code php>
/**
* Insert multiple records into database as fast as possible.
*
* Order of inserts is maintained, but the operation is not atomic, use transactions if necessary.
*
* This method is intended for inserting of large number of small objects, do not use for huge objects with text or binary fields.
*
* @param string $table  The database table to be inserted into
* @param array|Traversable $dataobjects list of objects to be inserted, must be compatible with foreach
* @return void does not return new record ids
*/
  $DB->insert_records($table, $dataobjects)
</code>
====Example(s)====
====Example(s)====
<code php>
<code php>
Line 257: Line 274:
$record->name        = 'overview';
$record->name        = 'overview';
$record->displayorder = '10000';
$record->displayorder = '10000';
$DB->insert_record('quiz_report', $record, false);
$lastinsertid = $DB->insert_record('quiz_report', $record, false);
</code>
</code>


<code php>
<code php>
$record = new stdClass();
$record1 = new stdClass();
$record->name        = 'overview';
$record1->name        = 'overview';
$record->displayorder = '10000';
$record1->displayorder = '10000';
$lastinsertid = $DB->insert_record('quiz_report', $record);
$record2 = new stdClass();
$record2->name        = 'overview';
$record2->displayorder = '10000';
$records = array($record1, $record2);
$lastinsertid = $DB->insert_records('quiz_report', $records);
</code>
</code>


Line 283: Line 304:
   /// @throws dml_exception if an error occurs.
   /// @throws dml_exception if an error occurs.
</code>
</code>
If you need to perform a more complex update using arbitrary SQL, you can use the 'execute' method. Only use this when nothing more specific will work
<code php>
o $DB->execute($sql, array $parms=null)
  /// Executes a general sql query. Should be used only when no other method suitable.
  /// Do NOT use this to make changes in db structure, use database_manager methods instead!
  /// @param string $sql query
  /// @param array $params query parameters
  /// @return bool true
  /// @throws dml_exception A DML specific exception is thrown for any errors.
</code>


===Using Recordsets===
===Using Recordsets===
Line 351: Line 383:
     $transaction = $DB->start_delegated_transaction();
     $transaction = $DB->start_delegated_transaction();
     // Insert a record
     // Insert a record
     $DB->insert('foo', $object);
     $DB->insert_record('foo', $object);
     $DB->insert('bar', $otherobject);
     $DB->insert_record('bar', $otherobject);


     // Assuming the both inserts work, we get to the following line.
     // Assuming the both inserts work, we get to the following line.
Line 383: Line 415:
o $DB->sql_ceil($fieldname)
o $DB->sql_ceil($fieldname)
   /// Returns the correct CEIL expression applied to fieldname.
   /// Returns the correct CEIL expression applied to fieldname.
o $DB->sql_equal($fieldname, $param, $casesensitive = true, $accentsensitive = true, $notequal = false) (available since Moodle 3.2)
  /// Returns the proper SQL to perform cross-db varchar comparisons when case-sensitiveness is mission-critical.
o $DB->sql_like($fieldname, $param, $casesensitive = true, $accentsensitive = true, $notlike = false, $escapechar = ' \\ ')
o $DB->sql_like($fieldname, $param, $casesensitive = true, $accentsensitive = true, $notlike = false, $escapechar = ' \\ ')
   /// Returns the proper SQL to do LIKE. For example:
   /// Returns the proper SQL to do LIKE. For example:
   $DB->get_records_sql('SELECT ...  WHERE '.$DB->sql_like('idnumber', ':idnum').' ... ', array( 'idnum' => 'foo'));
   $DB->get_records_sql('SELECT ...  WHERE '.$DB->sql_like('idnumber', ':idnum').' ... ', array( 'idnum' => '%foo%'));
   /// Use $DB->sql_like_escape(...) when its user input from a form.
   /// Note: Apply $DB->sql_like_escape(...) to the param values when its user input from a form. Don't forget to add the % character(s) to the param value


o $DB->sql_length($fieldname)
o $DB->sql_length($fieldname)
Line 422: Line 456:
o $DB->sql_isnotempty($tablename, $fieldname, $nullablefield, $textfield)
o $DB->sql_isnotempty($tablename, $fieldname, $nullablefield, $textfield)
   /// Returns the proper SQL to know if one field is not empty.
   /// Returns the proper SQL to know if one field is not empty.
o $DB->sql_empty()
 
   /// Returns the empty string char used by every supported DB.
o $DB->get_in_or_equal($items, $type=SQL_PARAMS_QM, $prefix='param', $equal=true, $onemptyitems=false)
   /// Constructs 'IN()' or '=' sql fragment
</code>
</code>


Line 433: Line 468:
</code>
</code>
then $DB will outout the SQL of every query executed, along with timing information. This can be useful when debugging your code. Obviously, all such calls should be removed before code is submitted for integration.
then $DB will outout the SQL of every query executed, along with timing information. This can be useful when debugging your code. Obviously, all such calls should be removed before code is submitted for integration.
==Special cases==
===get_course===
From Moodle 2.5.1 onwards, you should use the get_course function instead of using get_record('course', ...) if you want to get a course record based on its ID, especially if there is a significant possibility that the course being retrieved is either the current course for the page, or the site course. Those two course records have probably already been loaded, and using this function will save a database query.
As another advantage, the code is shorter and easier to read.
Replace:
    $course = $DB->get_record('course', array('id' => $courseid), '*', MUST_EXIST);
With:
    $course = get_course($courseid);
===get_courses===
If you want to get all the current courses in your Moodle, use get_courses() without parameter:
    $courses = get_courses();


==See also==
==See also==

Revision as of 11:25, 2 March 2018

Moodle 2.0

This page describes the functions available to access data in the Moodle database. You should exclusively use these functions in order to retrieve or modify database content because these functions provide a high level of abstraction and guarantee that your database manipulation will work against different RDBMSes.

Where possible, tricks and examples will be documented here in order to make developers' lives a bit easier. Of course, feel free to clarify, complete and add more information to this documentation. It will be welcome, absolutely!

Main info

Important note: All the functions shown on this page are for use in Moodle 2.0 upwards, where we changed the DB layer to support some new features. If you need information for previous Moodle version, take a look to the DML functions - pre 2.0 page. For a detailed reference of changes, see the migration docs.

  • All the function calls on this page are public methods of the $DB global object, so you'll need to "import" it within your functions (not needed in global scripts) with one simple:

global $DB;

  • The $DB global object is an instance of the moodle_database class, which is defined in moodle_database.php
  • All the $table parameters in the functions are meant to be the table name without prefixes.

$user = $DB->get_record('user', array('id'=>'1'));

  • When using the xxx_sql() functions, table names must be enclosed between curly braces.

$user = $DB->get_record_sql('SELECT * FROM {user} WHERE id = ?', array(1));

  • All the $conditions parameters in the functions are arrays of fieldname=>fieldvalue elements.

$user = $DB->get_record('user', array('firstname'=>'Martin', 'lastname'=>'Dougiamas'));

  • All the $params parameters in the functions are arrays of values used to fill placeholders in SQL statements. Both the question mark and named placeholders can be used. Note that named params must be unique even if the value passed is the same.

/// Question mark placeholders:

  $DB->get_record_sql('SELECT * FROM {user} WHERE firstname = ? AND lastname = ?', 
                      array('Martin', 'Dougiamas'));

/// Named placeholders:

  $DB->get_record_sql('SELECT * FROM {user} WHERE firstname = :firstname AND lastname = :lastname',
                      array('firstname'=>'Martin', 'lastname'=>'Dougiamas'));

The functions

Getting a single record

o $DB->get_record($table, array $conditions, $fields='*', $strictness=IGNORE_MISSING)

 /// Get a single database record as an object where all the given conditions met.
 /// @param int $strictness IGNORE_MISSING means compatible mode, false returned if record not found, debug message if more found;
 ///                        IGNORE_MULTIPLE means return first, ignore multiple records found(not recommended);
 ///                        MUST_EXIST means throw exception if no record or multiple records found

o $DB->get_record_select($table, $select, array $params=null, $fields='*', $strictness=IGNORE_MISSING)

 /// Get a single database record as an object which match a particular WHERE clause.

o $DB->get_record_sql($sql, array $params=null, $strictness=IGNORE_MISSING)

 /// Get a single database record as an object using a SQL statement.

Getting an hashed array of records

Each of the following methods return an array of objects. The array is indexed by the first column of the fields returned by the query. Thus to assure consistent data, it appears to be best practice to ensure that your query include an "id column" as the first field. (When developing custom tables, be sure to make id your first column for this reason!) o $DB->get_records($table, array $conditions=null, $sort=, $fields='*', $limitfrom=0, $limitnum=0)

 /// Get a number of records as an array of objects where all the given conditions met.

o $DB->get_records_select($table, $select, array $params=null, $sort=, $fields='*', $limitfrom=0, $limitnum=0)

 /// Get a number of records as an array of objects which match a particular WHERE clause.

o $DB->get_records_sql($sql, array $params=null, $limitfrom=0, $limitnum=0)

 /// Get a number of records as an array of objects using a SQL statement.

o $DB->get_records_list($table, $field, array $values, $sort=, $fields='*', $limitfrom=, $limitnum=)

 /// Get a number of records as an array of objects where one field match one list of values.

Getting data as key/value pairs in an associative array

o $DB->get_records_menu($table, array $conditions=null, $sort=, $fields='*', $limitfrom=0, $limitnum=0)

 /// Get the first two columns from a number of records as an associative array where all the given conditions met.

o $DB->get_records_select_menu($table, $select, array $params=null, $sort=, $fields='*', $limitfrom=0, $limitnum=0)

 /// Get the first two columns from a number of records as an associative array which match a particular WHERE clause.

o $DB->get_records_sql_menu($sql, array $params=null, $limitfrom=0, $limitnum=0)

 /// Get the first two columns from a number of records as an associative array using a SQL statement.

Seeing how many records match a given criterion

o $DB->count_records($table, array $conditions=null)

 /// Count the records in a table where all the given conditions met.

o $DB->count_records_select($table, $select, array $params=null, $countitem="COUNT('x')")

 /// Count the records in a table which match a particular WHERE clause.

o $DB->count_records_sql($sql, array $params=null)

 /// Get the result of an SQL SELECT COUNT(...) query.

Seeing if one record exists

o $DB->record_exists($table, array $conditions=null)

 /// Test whether a record exists in a table where all the given conditions met.

o $DB->record_exists_select($table, $select, array $params=null)

 /// Test whether any records exists in a table which match a particular WHERE clause.

o $DB->record_exists_sql($sql, array $params=null)

 /// Test whether a SQL SELECT statement returns any records.

Examples

moodle_database::get_records()

Get a number of records as an array of objects where all the given conditions met. ///Get all records where foo = bar $result = $DB->get_records($table,array('foo'=>'bar'));

///Get all records where foo = bar and jon = doe $result = $DB->get_records($table,array('foo' => 'bar' , 'jon' => 'doe'));

///Get all records where foo = bar, but only return the fields foo,bar,jon,doe $result = $DB->get_records($table,array('foo'=>'bar'),null,'foo,bar,jon,doe'); ///The previous example would cause data issues unless the 'foo' field happens to have unique values.

moodle_database::get_records_select()

Get a number of records as an array of objects which match a particular WHERE clause. Note that the array keys will be the id of the object so you must not rely on the first item having a key of 0. ///Get all records where jon = 'doe' and bob is not = 'tom' ///The 'select' parameter is (if not empty) is dropped directly into the WHERE clause without alteration. $table = 'foo'; $select = "jon = 'doe' AND bob <> 'tom'"; //is put into the where clause $result = $DB->get_records_select($table,$select);

moodle_database::get_records_sql()

Get a number of records as an array of objects using a SQL statement. Defined as an abstract function in moodle_database, this method is implemented per database type. ///Get all records from 'table' where foo = bar $result = $DB->get_records_sql('SELECT * FROM {table} WHERE foo = ?', array('bar'));

///Get all records from 'table' where foo = 'bar' and bob = 'tom' ///This is somewhat similar to how Drupal makes its queries $result = $DB->get_records_sql('SELECT * FROM {table} WHERE foo = ? AND bob = ?', array( 'bar' , 'tom' ));

moodle_database::get_records_list()

Get a number of records as an array of objects where one field match one list of values. ///Get all records where the values('bar', 'elephant', 'moodle') are found in the field 'foo' $result = $DB->get_records_list($table, 'foo', array( 'bar', 'elephant', 'moodle'));

///Get all records where the values('bar', 'elephant', 'moodle') are found in the field 'foo' ///Only returning the fields 'id', 'test' and 'taco' $result = $DB->get_records_list($table, 'foo', array( 'bar', 'elephant', 'moodle'), null, 'id,test,taco');

moodle_database::get_records_menu()

Get the first two columns from a number of records as an associative array where all the given conditions met. You can choose the two fields or leave the parameter blank and the method will return the first two columns of the table. Returns an associative array. ///Get all records from table 'foo' where column 'foo' is equal to the value 'bar' $table = 'foo'; ///name of table $conditions = array('foo'=>'bar'); ///the name of the field (key) and the desired value

$result = $DB->get_records_menu($table,$conditions));

///Get all records from table 'foo' where column 'foo' is equal to the value 'bar' ///Returning the values from the columns 'id' and 'tacos' $table = 'foo'; ///name of table $conditions = array('foo'=>'bar'); ///the name of the field (key) and the desired value $sort = 'id'; //field or fields you want to sort the result by $fields = 'id, tacos'; ///list of fields to return

$result = $DB->get_records_menu($table,$conditions,$sort,$fields)); //If you do not specify $fields, the first two columns of the table will be returned

The result of this last example will look something like: /// The value of the id field is 909 and the value of the 'tacos' column is 6 array(1) { [909]=6 }

moodle_database::get_records_select_menu()

Get the first two columns from a number of records as an associative array which match a particular WHERE clause. ///Get all records where jon = 'doe' and bob is not = 'tom' ///The 'select' parameter is (if not empty) is dropped directly into the WHERE clause without alteration. $table = 'foo'; $select = 'jon = ? AND bob <> ? '; //is put into the where clause $result = $DB->get_records_select_menu($table, $select, array('doe', 'tom'));

$table = 'foo'; $select = 'jon = ? AND bob <> ? '; //is put into the where clause $params = array('doe', 'tom'); $fields = 'id, tacos';//return these fields $sort = 'id'; //field or fields you want to sort the result by $result = $DB->get_records_select_menu($table,$select,$params,$sort,$fields);

The result of this last example will look something like: /// The value of the id field is 909 and the value of the 'tacos' column is 6 array(1) { [909]=6 }

moodle_database::get_records_sql_menu()

Get the first two columns from a number of records as an associative array using a SQL statement. ///Get all records from table foo where bar = 6 $sql = 'SELECT * FROM foo WHERE bar = ?'; $params = array(6);

$result = $DB->get_records_sql_menu($sql,$params);

///Get all records from table foo where bar = 6 $sql = 'SELECT id,tacos FROM foo WHERE bar = ?'; $params = array(6);

$result = $DB->get_records_sql_menu($sql,$params);


The result of this last example will look something like: /// The value of the id field is 909 and the value of the 'tacos' column is 6 array(1) { [909]=6 }

Getting a particular field value from one record

o $DB->get_field($table, $return, array $conditions, $strictness=IGNORE_MISSING)

 /// Get a single field value from a table record where all the given conditions met.
 /// @param int $strictness
 ///   IGNORE_MISSING means compatible mode, false returned if record not found, debug message if more found;
 ///   IGNORE_MULTIPLE means return first, ignore multiple records found(not recommended);
 ///   MUST_EXIST means throw exception if no record or multiple records found

o $DB->get_field_select($table, $return, $select, array $params=null, $strictness=IGNORE_MISSING)

 /// Get a single field value from a table record which match a particular WHERE clause.

o $DB->get_field_sql($sql, array $params=null, $strictness=IGNORE_MISSING)

 /// Get a single field value (first field) using a SQL statement.

Getting a particular field value from various records

o $DB->get_fieldset_select($table, $return, $select, array $params=null)

 /// Selects records and return values of chosen field as an array which match a particular WHERE clause.

o $DB->get_fieldset_sql($sql, array $params=null)

 /// Selects records and return values (first field) as an array using a SQL statement.

Setting a particular field in the database

o $DB->set_field($table, $newfield, $newvalue, array $conditions=null)

 /// Set a single field in every table record where all the given conditions met.

o $DB->set_field_select($table, $newfield, $newvalue, $select, array $params=null)

 /// Set a single field in every table record which match a particular WHERE clause.

Deleting Records

o $DB->delete_records($table, array $conditions=null)

 /// Delete the records from a table where all the given conditions met.

o $DB->delete_records_select($table, $select, array $params=null)

 /// Delete one or more records from a table which match a particular WHERE clause.

Inserting Records

The method to insert records is called aptly enough, insert_record(). The method accepts 4 parameters, but the fourth, "bulk", in most implementations is unused. Note, you cannot specify the record id using this method. If you need to specify an id use $DB->insert_record_raw() with $customsequence set to true or use $DB->execute().

 $DB->insert_record($table, $dataobject, $returnid=true, $bulk=false) 
 /// Insert a record into a table and return the "id" field if required.

Starting with Moodle 2.7, you can do bulk record inserts using the following method call: Moodle 2.7

/**

  • Insert multiple records into database as fast as possible.
  • Order of inserts is maintained, but the operation is not atomic, use transactions if necessary.
  • This method is intended for inserting of large number of small objects, do not use for huge objects with text or binary fields.
  • @param string $table The database table to be inserted into
  • @param array|Traversable $dataobjects list of objects to be inserted, must be compatible with foreach
  • @return void does not return new record ids
  • /
 $DB->insert_records($table, $dataobjects)

Example(s)

$record = new stdClass(); $record->name = 'overview'; $record->displayorder = '10000'; $lastinsertid = $DB->insert_record('quiz_report', $record, false);

$record1 = new stdClass(); $record1->name = 'overview'; $record1->displayorder = '10000'; $record2 = new stdClass(); $record2->name = 'overview'; $record2->displayorder = '10000'; $records = array($record1, $record2); $lastinsertid = $DB->insert_records('quiz_report', $records);

Updating Records

o $DB->update_record($table, $dataobject, $bulk=false)

 /// Update a record in a table.
 /// 
 /// $dataobject is an object containing needed data
 /// Relies on $dataobject having a variable "id" to
 /// specify the record to update
 /// 
 /// @param string $table The database table to be checked against.
 /// @param object $dataobject An object with contents equal to fieldname=>fieldvalue.
 ///        Must have an entry for 'id' to map to the table specified.
 /// @param bool $bulk true means repeated updates expected
 /// @return bool true
 /// @throws dml_exception if an error occurs.

If you need to perform a more complex update using arbitrary SQL, you can use the 'execute' method. Only use this when nothing more specific will work o $DB->execute($sql, array $parms=null)

 /// Executes a general sql query. Should be used only when no other method suitable.
 /// Do NOT use this to make changes in db structure, use database_manager methods instead!
 /// @param string $sql query
 /// @param array $params query parameters
 /// @return bool true
 /// @throws dml_exception A DML specific exception is thrown for any errors.

Using Recordsets

Where the number of records to be retrieved from DB is high, the get_records_xxx() functions above are far from optimal, because they load all the records in memory at the same time. Under those circumstances, it is highly recommended to use these get_recordset_xxx() functions instead, which use one nice mechanism to iterate over all the target records and save a lot of memory.

Only one thing is absolutely important: Don't forget to close the recordsets after using them! (This will free up a lot of resources in the RDBMS).

Here is the general way to iterate over records using the get_recordset_xxx() functions:

$rs = $DB->get_recordset(....) { foreach ($rs as $record) {

   // Do whatever you want with this record

} $rs->close(); // Don't forget to close the recordset!

And this is the list of available functions (100% paired with the get_records_xxx() above): o $DB->get_recordset($table, array $conditions=null, $sort=, $fields='*', $limitfrom=0, $limitnum=0)

 /// Get a number of records as a moodle_recordset where all the given conditions met.

o $DB->get_recordset_select($table, $select, array $params=null, $sort=, $fields='*', $limitfrom=0, $limitnum=0)

 /// Get a number of records as a moodle_recordset which match a particular WHERE clause.

o $DB->get_recordset_sql($sql, array $params=null, $limitfrom=0, $limitnum=0);

 /// Get a number of records as a moodle_recordset using a SQL statement.

o $DB->get_recordset_list($table, $field=, $values=, $sort=, $fields='*', $limitfrom=, $limitnum=)

 /// Get a number of records as a moodle_recordset where one field matches one list of values.

Unlike get_record functions, you cannot use $rs == true or !empty($rs) to determine if any records were found. Recordsets implement the standard PHP Iterator interface (http://uk.php.net/manual/en/class.iterator.php)

So, if ($rs->valid()) {

   // The recordset contains records.

}

Delegated transactions

  • Please note some databases do not support transactions (such as the MyISAM MySQL database engine), however all server administrators are strongly encouraged to migrate to databases that support transactions (such as the InnoDB MySQL database engine).
  • Previous versions supported only one level of transaction. Since Moodle 2.0, the DML layer emulates delegated transactions that allow nesting of transactions.
  • Transactions should not be used much in Moodle core; they are intended for various plugins such as web services, enrol and auth plugins.
  • Some subsystems (such as messaging) do not support transactions because is it is not possible to rollback in external systems.

A transaction is started by: $transaction = $DB->start_delegated_transaction();

and finished by: $transaction->allow_commit();

Usually a transaction is rolled back when an exception is thrown. $transaction->rollback($ex); must be used very carefully because it might break compatibility with databases that do not support transactions. Transactions cannot be used as part of expected code flow; they can be used only as an emergency protection of data consistency.

See more details in DB layer 2.0 delegated transactions or MDL-20625.

Example(s)

global $DB; try {

    $transaction = $DB->start_delegated_transaction();
    // Insert a record
    $DB->insert_record('foo', $object);
    $DB->insert_record('bar', $otherobject);
    // Assuming the both inserts work, we get to the following line.
    $transaction->allow_commit();

} catch(Exception $e) {

    $transaction->rollback($e);

}

SQL compatibility functions

In order have real cross-db compatibility, there are some helper functions used to build SQL fragments based on the DB Moodle is running. Using them we'll avoid conditional queries here and there and have those "incompatibilities" fixed once and for ever. o $DB->sql_bitand($int1, $int2)

 /// Returns the SQL text to be used in order to perform one bitwise AND 
 /// operation between 2 integers.

o $DB->sql_bitnot($int1)

 /// Returns the SQL text to be used in order to perform one bitwise NOT 
 /// operation with 1 integer.

o $DB->sql_bitor($int1, $int2)

 /// Returns the SQL text to be used in order to perform one bitwise OR 
 /// operation between 2 integers.

o $DB->sql_bitxor($int1, $int2)

 /// Returns the SQL text to be used in order to perform one bitwise XOR 
 /// operation between 2 integers.

o $DB->sql_null_from_clause()

 /// Returns the FROM clause required by some DBs in all SELECT statements.

o $DB->sql_ceil($fieldname)

 /// Returns the correct CEIL expression applied to fieldname.

o $DB->sql_equal($fieldname, $param, $casesensitive = true, $accentsensitive = true, $notequal = false) (available since Moodle 3.2)

 /// Returns the proper SQL to perform cross-db varchar comparisons when case-sensitiveness is mission-critical.

o $DB->sql_like($fieldname, $param, $casesensitive = true, $accentsensitive = true, $notlike = false, $escapechar = ' \\ ')

 /// Returns the proper SQL to do LIKE. For example:
 $DB->get_records_sql('SELECT ...  WHERE '.$DB->sql_like('idnumber', ':idnum').' ... ', array( 'idnum' => '%foo%'));
 /// Note: Apply $DB->sql_like_escape(...) to the param values when its user input from a form. Don't forget to add the % character(s) to the param value

o $DB->sql_length($fieldname)

 /// Returns the SQL text to be used to calculate the length in characters of one expression.

o $DB->sql_modulo($int1, $int2)

 /// Returns the SQL text to be used in order to calculate module - remainder after division

o $DB->sql_position($needle, $haystack)

 /// Returns the SQL for returning searching one string for the location of another.
 /// Note: If using placeholders BOTH in $needle and $haystack, they MUST be named placeholders.

o $DB->sql_substr($expr, $start, $length=false)

 /// Returns the proper substr() SQL text used to extract substrings from DB.
 /// Note: This fuction has changed in Moodle 2.0 and now at least 2 params are mandatory.
 /// Note: Now it returns the whole SQL text to be used instead of only the function name.

o $DB->sql_cast_char2int($fieldname, $text=false)

 /// Returns the SQL to be used in order to CAST one CHAR column to INTEGER.

o $DB->sql_cast_char2real($fieldname, $text=false)

 /// Returns the SQL to be used in order to CAST one CHAR column to REAL number.

o $DB->sql_compare_text($fieldname, $numchars=32)

 /// Returns the SQL text to be used to compare one TEXT (clob) column.
 /// with one VARCHAR column.

o $DB->sql_order_by_text($fieldname, $numchars=32)

 /// Returns the SQL text to be used to order by one TEXT (clob) column.

o $DB->sql_concat()

 /// Returns the proper SQL to do CONCAT between the elements passed.

o $DB->sql_concat_join($separator="' '", $elements=array())

 /// Returns the proper SQL to do CONCAT between the elements passed using one separator.

o $DB->sql_fullname($first='firstname', $last='lastname')

 /// Returns the proper SQL to concatenate $firstname and $lastname.

o $DB->sql_isempty($tablename, $fieldname, $nullablefield, $textfield)

 /// Returns the proper SQL to know if one field is empty.

o $DB->sql_isnotempty($tablename, $fieldname, $nullablefield, $textfield)

 /// Returns the proper SQL to know if one field is not empty.

o $DB->get_in_or_equal($items, $type=SQL_PARAMS_QM, $prefix='param', $equal=true, $onemptyitems=false)

 /// Constructs 'IN()' or '=' sql fragment

Debug fuctions

If you execute $DB->set_debug(true) then $DB will outout the SQL of every query executed, along with timing information. This can be useful when debugging your code. Obviously, all such calls should be removed before code is submitted for integration.

Special cases

get_course

From Moodle 2.5.1 onwards, you should use the get_course function instead of using get_record('course', ...) if you want to get a course record based on its ID, especially if there is a significant possibility that the course being retrieved is either the current course for the page, or the site course. Those two course records have probably already been loaded, and using this function will save a database query.

As another advantage, the code is shorter and easier to read.

Replace:

   $course = $DB->get_record('course', array('id' => $courseid), '*', MUST_EXIST);

With:

   $course = get_course($courseid);

get_courses

If you want to get all the current courses in your Moodle, use get_courses() without parameter:

   $courses = get_courses();


See also