Subversion Repositories phpLibraryV2

Rev

Rev 17 | Rev 34 | Go to most recent revision | Details | Compare with Previous | Last modification | View Log | RSS feed

Rev Author Line No. Line
1 rodolico 1
<?php
2
 
13 rodolico 3
   /*
4
    * Class DBQuery
5
    * 
16 rodolico 6
    * PHP Class as a wrapper around the mysqli class. Allows you to make
13 rodolico 7
    * the connection and run queries and/or DDL's if needed with the
16 rodolico 8
    * most common parameters (ie, not as flexible as mysqli itself).
13 rodolico 9
    * Enhancements include:
10
    *
11
    * Logs all queries with an optional username except select statements
12
    * ie, anything that will change the system ( insert, delete, update,
13
    * create, drop, alter, etc... ). Statement are logged with a date/time
14
    * stamp, the user who performed the function, and the query executed
15
    * 
16
    * Errors are simply trapped and the message is stored in the public
17
    * member $error. Functions which find an error return boolean false
18
    *
19
    * Public Functions are:
20
    *    __construct   -- creates connection
21
    *    doSQL         -- executes an SQL query or DDL
22
    *    errors        -- returns all errors not yet cleared
23
    *                     can also directly access via public member errors
24
    *
25
    *    public static function makeSafeSQLConstant ( $value, $type='S', $default='null', $falsetrue='10' ) {
1 rodolico 26
 
4 rodolico 27
 
13 rodolico 28
    * Author: R. W. Rodolico (rodo@dailydata.net)
29
    * Date: 2018-04-30
30
    * 
31
    */
32
 
33
   class DBQuery extends mysqli {
34
 
35
      /* everything is in the one $parameters array, which can then
36
       * be set/saved/loaded as needed
37
       */
6 rodolico 38
      protected $parameters = array(
13 rodolico 39
             // query(s) to be run
40
             'query' => '',
41
             // additional clause to be added to where on a statement
42
             'whereClause' => '',
43
             // additional order by clause to be added
44
             'orderBy' => '',
45
             // the number of rows 1) affectd by an insert, update or delete or 2) returned by a select
46
             'rowsAffected' => '',
47
             // the value of the last row inserted
48
             'lastInsertKey' => '',
49
             // an array that contains the data retrieved by a query (select only)
29 rodolico 50
             'returnData' => array(),
13 rodolico 51
             // an array that contains the meta data from the query for each column
29 rodolico 52
             'columnMetaData' => array(),
13 rodolico 53
             // number of columns (fields) returned by query (select only)
54
             'numfields' => 0,
55
             // type of data returned, array of array, array of hash, or both
56
             'fetchType' => MYSQLI_ASSOC,
57
             // human readable form of fetchType
58
             'returntype' => 'associative',
59
             // array of any errors which occurred
60
             'error' => array(),
61
             // if set to a table name, all modifying queries are written to it
62
             // must contain, at a minimum, columns whenrun timestamp, whoran varchar and query text
63
             // can be created with $this->buildAuditTable
64
             'auditTable' => '_activity_log'
65
           );
66
 
6 rodolico 67
 
4 rodolico 68
 
13 rodolico 69
      /*
70
       * static function which simply parses out an error and returns
71
       * a string suitable for printing. NOTE: it includes line returns
72
      */
73
      public static function error2String( $error ) {
74
         $return = array();
75
         for ( $i = 0; $i < count( $error ); $i++ ) {
76
            $return[] = implode( "\n", array( 'Error ' . $error[$i]['id'] . ' - ' . $error[$i]['message'], 'while executing query', $error[$i]['query'] ) );
6 rodolico 77
         }
13 rodolico 78
         return implode( "\n\n", $return ) . "\n";
79
      } // error2String
6 rodolico 80
 
13 rodolico 81
      // simply returns parameters for saving and reloading later
6 rodolico 82
      public function save() {
83
         return $this->parameters;
84
      } // function save
13 rodolico 85
 
86
      // loads parameters from $this->save(), or hand built
6 rodolico 87
      public function load( $parameters = array() ) {
88
         $this->parameters = $parameters;
89
      } // function load
90
 
13 rodolico 91
      // sets a key/value pair in $this->parameters
92
      // returns $value
1 rodolico 93
      public function __set( $name, $value ) {
6 rodolico 94
         $this->parameters[$name] = $value;
4 rodolico 95
         return $value;
1 rodolico 96
      }
13 rodolico 97
 
98
      // gets the current value of $this->parameters[$name]
1 rodolico 99
      public function __get( $name ) {
6 rodolico 100
         return isset( $this->parameters[$name] ) ? $this->parameters[$name] : null;
1 rodolico 101
      }
13 rodolico 102
 
103
      // returns true if $parameters[$name] is set
1 rodolico 104
      public function __isset( $name ) {
6 rodolico 105
         return isset( $this->parameters[$name] );
1 rodolico 106
      }
13 rodolico 107
 
108
 
109
      /*
110
       * function: buildAuditTable
111
       * parameters:
112
       *       $tablename - name of table to be built
113
       *       $createStatement - SQL DDL to build the table
114
       *
115
       * If $tablename is set, will use that, otherwise will use
116
       * $parameters[auditTable]. In either case, $parameters[auditTable]
117
       * is set to the value of the table used
118
       * 
119
       * if $createStatement is set, will be run WITHOUT MODIFICATION, and
120
       * $parameters[auditTable] is not set to anything (unless $tablename
121
       * is set)
122
       *
123
       * If $createStatement is not set, will use a default to build
124
       * a table from $parameters[auditTable].
125
       *
126
       * Can definitely blow up if the table name is not set both places
127
       * or if $createStatement is fubar
128
       */
129
 
130
      public function buildAuditTable( $tablename = '', $createStatement = '' ) {
131
         if ( $tablename ) // they sent us one, so set it
132
            $this->parameters[ 'auditTable' ] = $tablename;
133
         if ( ! $createStatement ) { // they did not set createStatement, so use our default
15 rodolico 134
            $auditTable = $this->parameters['auditTable'];
13 rodolico 135
            $createStatement = "
29 rodolico 136
               create table if not exists $auditTable (
13 rodolico 137
                  _activity_log_id int unsigned not null auto_increment,
138
                  timestamp  timestamp,
139
                  user       varchar(64),
140
                  query      text,
141
                  primary key(_activity_log_id)
142
               ) comment 'tracks queries which modify data'";
143
         } // if
144
         if ( parent::query( $createStatement ) === false ) {
145
            // on error, die
146
            print "Can not create audit table with query<br />\n$createStatement<br />\n";
147
            die ( printf("Errormessage: %d - %s\n", $this->errno, $this->error ) );
148
         } // if error, die
149
      } // buildAuditTable
150
 
151
      /*
152
       * log queries to a table, file, or nothing
153
       * log contains date/time, username and query
154
       * to turn off logginging:
155
       * unset( $parameters['auditTable'] )
156
       */
157
      private function logIt( $username, $query, $recursion = false ) {
158
         if ( ! isset( $this->parameters['auditTable'] ) )
159
            return; 
160
         $username = $this->real_escape_string( $username );
161
         $query = $this->real_escape_string( $query );
15 rodolico 162
         $logEntry = "insert into " . $this->parameters['auditTable'] . " (user, query) values ( '$username', '$query')";
13 rodolico 163
         //print "Loggging\n$logEntry\n";
164
         if ( parent::query( $logEntry ) !== false ) { // good
165
            return;
166
         } else { // we had an error
167
            if ( ! $recursion && $this->errno == 1146 ) { // table doesn't exist, so let's create it
15 rodolico 168
               $result = parent::query( "show tables like '" . $this->parameters['auditTable'] . "'" );
13 rodolico 169
               if ( $result->num_rows == 0 ) {
170
                  $this->buildAuditTable( );
171
                  return $this->logIt( $username, $query, true );
172
               }
6 rodolico 173
            } else {
13 rodolico 174
               print "Trying to log transaction with query<br />\n$logEntry<br />\n";
175
               die ( printf("Errormessage: %d - %s\n", $this->errno, $this->error ) );
176
            } // if..else
1 rodolico 177
         } // if
13 rodolico 178
      } // function logIt
179
 
180
 
181
      /*
182
       * doSQL
183
       * Parameters: $query - string or array of strings to be executed
184
       *             $parameters - hash used to pass additional parameters, to include
185
       *                           $parameters['username'] = 'fred'; // username for logging
186
       *                           $parameters['returntype'] = 'hash'; or array or both
187
       * 
188
       * executes one or more queries
189
       *
190
       * If the query is one of select, show, describe or explain, it must
191
       * be a single string. It will return the data results in a hash
192
       * containing
193
       *    'data'  - an array of array/hash/both depending on what you asked for
194
       *    'count' - number of results (ie, count(data)
195
       *    'meta'  - metadata for each column returned
196
       *    'numfields' - number of columns in result (ie, count(meta))
197
       *    'errors' - normally empty array of errors
198
       * 
199
       * if the query modifies data (ie, NOT above), query may be an array
200
       * which will be surrounded by a transaction and rolled back if
201
       * anything causes an error.
202
       *
203
       * These will return a hash containing
204
       *    'count' l- number of rows affected by last statement
205
       *    'last_insert_id' - last insert id created by BLOCK of queries
206
       *    'errors' - normally empty array of errors which occurred (caused a rollback)
207
       * 
208
       */
15 rodolico 209
      public function doSQL( $query = null, $parameters = array() ) {
13 rodolico 210
         $errors = array();
15 rodolico 211
         if ( isset( $query ) ) {
212
            $this->parameters['query'] = $query;
213
         }
13 rodolico 214
         // if it is a "selectstatement" it doesn't modify data
215
         // if query is an array, assume it modifies something
216
         // if it is a single statement, look for the regex
15 rodolico 217
         $selectStatement = is_array( $this->parameters['query'] ) ?
13 rodolico 218
            false :
29 rodolico 219
            ( preg_match( '/^\s*(select)|(show)|(describe)|(explain)/xsi', $this->parameters['query'] ) === 1 );
13 rodolico 220
 
221
         // different actions based on whether it modifies data or not
222
         if ( $selectStatement ) { // if a select, simply return the rows
223
            // dataset is small enough, we just read it into memory all at one time.
224
            // NOTE: fetch_all is nice, but tied to mysqlnd, which has reports of problems, so we do it the old way
15 rodolico 225
            if ( $sth = parent::query( $this->parameters['query'], MYSQLI_USE_RESULT  ) ) {
13 rodolico 226
               if ( $sth === false ) {
227
                  $errors[] = array( 'id' => $this->errno, 'message' => $this->error );
228
               } else {
229
                  $this->parameters['columnMetaData'] = $sth->fetch_fields(); // get metadata
230
                  $this->parameters['returnData'] = array(); // we'll put all the results in an array
231
                  // $fetchtype returns either an array of array, array of hash, or both. Default is array of hash
15 rodolico 232
                  if ( isset( $this->parameters['returntype'] ) ) {
13 rodolico 233
                     $this->parameters[ 'fetchType' ] = $this->parameters['returntype'] == 'array' ? MYSQLI_NUM : (
15 rodolico 234
                           ( $this->parameters['returntype'] == 'both' ) ? MYSQLI_BOTH : MYSQLI_ASSOC
13 rodolico 235
                           );
236
                  } else { // default is associative array (hash)
237
                     $this->parameters[ 'fetchType' ] =  MYSQLI_ASSOC;
238
                     $this->parameters['returntype'] = 'associative';
239
                  }
240
                  // slurp all the stuff in
241
                  while ( $values =  $sth->fetch_array( $this->parameters[ 'fetchType' ] ) ) {
242
                     $this->parameters[ 'returnData' ][] = $values;
243
                  }
244
                  $sth->free(); // cleanup memory, don't need two copies
245
               } // if we had no errors
1 rodolico 246
            }
13 rodolico 247
            $this->parameters[ 'rowsAffected' ] = count( $this->parameters[ 'returnData' ] );
248
            $this->parameters[ 'numfields' ] = count( $this->parameters['columnMetaData'] );
249
            $this->parameters[ 'lastInsertKey' ] = 0;
250
            $this->parameters[ 'error' ] = $errors;
251
         } else {
252
            if ( ! is_array( $this->parameters['query'] ) ) { // not an array, so make it one
253
               $temp = $this->parameters['query'];
254
               $this->parameters['query'] = array( $temp );
1 rodolico 255
            }
13 rodolico 256
            // do it in a transaction so we can back out on failure
257
            $this->autocommit(false);
258
            $allOk = true;
259
            for ( $i = 0; $i < count( $this->parameters['query'] ); $i++ ) {
15 rodolico 260
               // debugging
261
               //print "$i\t" . $this->parameters['query'][$i] ."\n"; continue;
262
               // debugging
13 rodolico 263
               $this->logIt( isset( $parameters['username'] ) ? $parameters['username'] : 'unknown', $this->parameters['query'][$i] );
264
               if ( parent::query( $this->parameters['query'][$i] ) === false ) { // we had an erorr
265
                  // record it
266
                  $errors[] = array( 'id' => $this->errno, 'message' => $this->error, 'query' => $this->parameters['query'][$i] );
267
                  $allOk = false;
268
                  // and bail
269
                  break;
270
               }
271
            }
272
            // if we made it through ok, commit, otherwise rollback
273
            $allOk ? $this->commit() : $this->rollback();
274
            // reset autocommit to true
275
            $this->autocommit(true);
276
            $this->parameters['query'] = $query;
277
            $this->parameters[ 'rowsAffected' ] = $this->affected_rows;
278
            $this->parameters[ 'lastInsertKey' ] = $this->insert_id;
279
            $this->parameters[ 'error' ] = $errors;
280
         } // if select .. else
281
         return $this->parameters;
282
      }  // function doSQL
17 rodolico 283
 
284
      public function run () {
285
         return $this->doSQL( );
286
      }
1 rodolico 287
 
288
      /*
289
       * function will return one and only one row, NOT as an array of array
290
       * but as a single row array
291
       * if more than one row is returned by query, error is set and function
292
       * returns false.
293
       * Otherwise, function returns true
294
       */
295
      public function getOneRow( $sql = null ) {
296
         if ( isset( $sql ) )
6 rodolico 297
            $this->parameters[ 'query' ] = $sql;
298
         $save = $this->parameters[ 'useAssociativeArray' ];
1 rodolico 299
         $useAssociativeArray = true;
300
         $this->run();
301
         $useAssociativeArray = $save;
6 rodolico 302
         if ( $this->parameters[ 'rowsAffected' ] == 1 ) {
303
            $this->parameters[ 'returnData' ] = $this->parameters[ 'returnData' ][0];
1 rodolico 304
            return true;
305
         } else
6 rodolico 306
            $this->parameters['error'] = "$this->parameters[query] did not return a unique row in getOneRow";
1 rodolico 307
         return false;
308
      } // getOneRow
309
 
310
 
311
      // function returns the first column of the first row of data returned from query
312
      // or null no value returned
6 rodolico 313
      public function getOneDBValue( $sql = null ) {
1 rodolico 314
         if ( isset( $sql ) )
6 rodolico 315
            $this->parameters[ 'query' ] = $sql;
17 rodolico 316
         $save = $this->parameters['returntype'];
317
         $this->parameters['returntype'] = 'array';
1 rodolico 318
         $this->run();
17 rodolico 319
         $this->parameters['returntype'] = $save;
320
//         print "<pre>" . print_r($this->parameters,true ) . "</pre>";
6 rodolico 321
         return $this->parameters[ 'rowsAffected' ] ? $this->parameters[ 'returnData' ][0][0] : null;
1 rodolico 322
      }
6 rodolico 323
 
4 rodolico 324
      /*
325
       * function will attempt to make a constant ($value) safe for SQL depending on the type.
326
       * 
327
       * if $value is empty, $default is returned, as will happen if any of the
328
       * conversions (date, datetime, etc...) fail.
329
       * 
330
       * First, it will pass it through get_magic_quotes_gpc, 
331
       * then will run through mysql_real_escape_string
332
       * 
333
       * For strings, will encapsulate in quotes
334
       * Dates will attempt a conversion, then change to YYYY-MM-DD and encapsulate in quotes
335
       * DateTime will perform the same, but change to YYYY-MM-DD HH:MM:SS
336
       * Integer and Floats are passed through builtins intval and floatval
337
       * Boolean only checks the first character, a '0', 'f' and 'n' denoting false
338
       *    all else denoting true. The result is converted based on the variable
339
       *    $falsetrue, with the first char denoting false and the second denoting true
340
       */
341
      public static function makeSafeSQLConstant ( $value, $type='S', $default='null', $falsetrue='10' ) {
342
         if (strlen($value) == 0) // simply set any empty values to null
343
            return $default;
344
         // print "Processing $value as $type with default $default<br>\n";
345
         switch ( strtolower( $type ) ) {
346
            case 'string' :
347
            case 's' : 
348
                     if ( get_magic_quotes_gpc() ) 
349
                        $value = stripslashes($value);
13 rodolico 350
                     $value = $this->real_escape_string( $value );
4 rodolico 351
                     $value = strlen( $value ) > 0 ? "'$value'" : $default;
352
                     break;
353
            case 'date' :
354
            case 'd' :
355
                     if ( $value != 'null' ) {
356
                        $result = strtotime( $value );
357
                        $value = ( $result === false ) ? $default : "'" . Date( 'Y-m-d', $result) . "'";
358
                     }
359
                     break;
360
            case 'datetime':
361
            case 'timestamp':
362
            case 'dt': 
363
                     if ( $value != 'null' ) {
364
                        $result = strtotime( $value );
365
                        $value = ( $result === false ) ? $default : "'" . Date( 'Y-m-d H:i:s', $result) . "'";
366
                     }
367
                     break;
368
            case 'integer':
369
            case 'i' :  
370
                     $value = intval( $value );
371
                     break;
372
            case 'float':
373
            case 'f' :  
374
                     $value = floatval( $value );
375
                     break;
376
            case 'bool':
377
            case 'boolean':
378
            case 'b' :  // note, because of the way strpos works, you can not
379
                        // simply set $value based on the output; you MUST do
380
                        // as below; specifically check for false, then set the result
381
                        $value =  strpos( '0fn', strtolower(substr( $value, 0, 1 )) ) === false ? 0 : 1;
382
                        $value = substr( $falsetrue, $value, 0, 1 );
383
                        break;
384
         } // switch
385
         return $value;
386
      }
1 rodolico 387
 
29 rodolico 388
      /*
389
         '[^']*(?!\\)'(*SKIP)(*F)       # Make sure we're not matching inside of quotes
390
         |(?m-s:\s*(?:\-{2}|\#)[^\n]*$) # Single line comment
391
         |(?:
392
           \/\*.*?\*\/                  # Multi-line comment
393
           (?(?=(?m-s:\h+$))         # Get trailing whitespace if any exists and only if it's the rest of the line
394
             \h+
395
           )
396
         )
397
      */
398
      /**
399
       * Functions strips SQL queries from a file. Above is a commented copy of the regex used
400
       * 
401
       * @param string $query An arbitrary sized SQL script
402
       * @returns string $query, with all SQL comments removed
403
       */
4 rodolico 404
 
29 rodolico 405
      public function strip_sqlcomment ($query = '') {
406
         $regex = '\'[^\']*(?!\\\)\'(*SKIP)(*F)|(?m-s:\\s*(?:\\-{2}|\\#)[^\\n]*$)|(?:\\/\\*.*?\\*\\/(?(?=(?m-s:\h+$))\\h+))';
407
         //print "<pre>$regex</pre>" ; die;
408
          return (($query == '') ?  '' : preg_replace( "/$regex/xs", '', $query ));
409
      }
410
 
411
      /**
412
       * runs an SQL script with multiple statements in it
413
       * 
414
       * NOTE: it does this by breaking it based on the semicolon, so
415
       * in some weird situations, it will break at the wrong place.
416
       * 
417
       */
418
      public function runSQLScript( $sql ) {
419
         $sql = $this->strip_sqlcomment( $sql );
420
         $queries = explode( ";", $sql );
421
         //print "<pre>" . print_r( $queries, true ) . '</pre>'; die;
422
         foreach ( $queries as $query ) {
423
            $this->doSQL( trim( implode( ' ', explode("\n",$query ) ) ) );
424
         }
425
      }      
426
 
1 rodolico 427
   } // class DBQuery
428
 
17 rodolico 429
/*
430
 *    $db = new DBQuery( '127.0.0.1', 'camp', 'camp', 'camp' );
13 rodolico 431
 
432
   if ($db->connect_error) {
433
       die('Connect Error (' . $db->connect_errno . ') '  . $db->connect_error);
434
   }
435
   $result = $db->doSQL(
436
               array(
437
                     'drop table if exists temp',
438
                     'create table temp ( col1 int unsigned )',
439
                     "insert into temp values ('mike')"
440
                     )
441
         );
15 rodolico 442
   if ( $result['error'] ) {
13 rodolico 443
      print_r ( $result );
15 rodolico 444
      die ( DBQuery::error2String( $result['error'] ) );
13 rodolico 445
   } else {
446
      print "running select\n";
447
      $result = $db->doSQL( 'select * from temp' );
448
      print_r( $result );
449
   }
450
//   $return = $db->doSQL( "select device.device_id 'id',device.name 'name', device_type.name 'type' from device join device_type using (device_type_id) where device.removed_date is null and device_type.show_as_system = 'Y'" );
451
//   print_r( $return );
452
//   print_r( $db );
17 rodolico 453
*/
1 rodolico 454
?>
13 rodolico 455
 
456
 
457
 
458
 
459
 
460
 
461
 
462
 
463
 
464