]> CyberLeo.Net >> Repos - Github/sugarcrm.git/blob - include/database/MssqlManager.php
Release 6.5.1
[Github/sugarcrm.git] / include / database / MssqlManager.php
1 <?php
2 if(!defined('sugarEntry') || !sugarEntry) die('Not A Valid Entry Point');
3 /*********************************************************************************
4  * SugarCRM Community Edition is a customer relationship management program developed by
5  * SugarCRM, Inc. Copyright (C) 2004-2012 SugarCRM Inc.
6  * 
7  * This program is free software; you can redistribute it and/or modify it under
8  * the terms of the GNU Affero General Public License version 3 as published by the
9  * Free Software Foundation with the addition of the following permission added
10  * to Section 15 as permitted in Section 7(a): FOR ANY PART OF THE COVERED WORK
11  * IN WHICH THE COPYRIGHT IS OWNED BY SUGARCRM, SUGARCRM DISCLAIMS THE WARRANTY
12  * OF NON INFRINGEMENT OF THIRD PARTY RIGHTS.
13  * 
14  * This program is distributed in the hope that it will be useful, but WITHOUT
15  * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
16  * FOR A PARTICULAR PURPOSE.  See the GNU Affero General Public License for more
17  * details.
18  * 
19  * You should have received a copy of the GNU Affero General Public License along with
20  * this program; if not, see http://www.gnu.org/licenses or write to the Free
21  * Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA
22  * 02110-1301 USA.
23  * 
24  * You can contact SugarCRM, Inc. headquarters at 10050 North Wolfe Road,
25  * SW2-130, Cupertino, CA 95014, USA. or at email address contact@sugarcrm.com.
26  * 
27  * The interactive user interfaces in modified source and object code versions
28  * of this program must display Appropriate Legal Notices, as required under
29  * Section 5 of the GNU Affero General Public License version 3.
30  * 
31  * In accordance with Section 7(b) of the GNU Affero General Public License version 3,
32  * these Appropriate Legal Notices must retain the display of the "Powered by
33  * SugarCRM" logo. If the display of the logo is not reasonably feasible for
34  * technical reasons, the Appropriate Legal Notices must display the words
35  * "Powered by SugarCRM".
36  ********************************************************************************/
37
38 /*********************************************************************************
39
40 * Description: This file handles the Data base functionality for the application.
41 * It acts as the DB abstraction layer for the application. It depends on helper classes
42 * which generate the necessary SQL. This sql is then passed to PEAR DB classes.
43 * The helper class is chosen in DBManagerFactory, which is driven by 'db_type' in 'dbconfig' under config.php.
44 *
45 * All the functions in this class will work with any bean which implements the meta interface.
46 * The passed bean is passed to helper class which uses these functions to generate correct sql.
47 *
48 * The meta interface has the following functions:
49 * getTableName()                        Returns table name of the object.
50 * getFieldDefinitions()         Returns a collection of field definitions in order.
51 * getFieldDefintion(name)               Return field definition for the field.
52 * getFieldValue(name)           Returns the value of the field identified by name.
53 *                               If the field is not set, the function will return boolean FALSE.
54 * getPrimaryFieldDefinition()   Returns the field definition for primary key
55 *
56 * The field definition is an array with the following keys:
57 *
58 * name          This represents name of the field. This is a required field.
59 * type          This represents type of the field. This is a required field and valid values are:
60 *               int
61 *               long
62 *               varchar
63 *               text
64 *               date
65 *               datetime
66 *               double
67 *               float
68 *               uint
69 *               ulong
70 *               time
71 *               short
72 *               enum
73 * length        This is used only when the type is varchar and denotes the length of the string.
74 *                       The max value is 255.
75 * enumvals  This is a list of valid values for an enum separated by "|".
76 *                       It is used only if the type is ?enum?;
77 * required      This field dictates whether it is a required value.
78 *                       The default value is ?FALSE?.
79 * isPrimary     This field identifies the primary key of the table.
80 *                       If none of the fields have this flag set to ?TRUE?,
81 *                       the first field definition is assume to be the primary key.
82 *                       Default value for this field is ?FALSE?.
83 * default       This field sets the default value for the field definition.
84 *
85 *
86 * Portions created by SugarCRM are Copyright (C) SugarCRM, Inc.
87 * All Rights Reserved.
88 * Contributor(s): ______________________________________..
89 ********************************************************************************/
90
91 /**
92  * SQL Server (mssql) manager
93  */
94 class MssqlManager extends DBManager
95 {
96     /**
97      * @see DBManager::$dbType
98      */
99     public $dbType = 'mssql';
100     public $dbName = 'MsSQL';
101     public $variant = 'mssql';
102     public $label = 'LBL_MSSQL';
103
104     protected $capabilities = array(
105         "affected_rows" => true,
106         "select_rows" => true,
107         'fulltext' => true,
108         'limit_subquery' => true,
109         "fix:expandDatabase" => true, // Support expandDatabase fix
110         "create_user" => true,
111         "create_db" => true,
112     );
113
114     /**
115      * Maximum length of identifiers
116      */
117     protected $maxNameLengths = array(
118         'table' => 128,
119         'column' => 128,
120         'index' => 128,
121         'alias' => 128
122     );
123
124     protected $type_map = array(
125             'int'      => 'int',
126             'double'   => 'float',
127             'float'    => 'float',
128             'uint'     => 'int',
129             'ulong'    => 'int',
130             'long'     => 'bigint',
131             'short'    => 'smallint',
132             'varchar'  => 'varchar',
133             'text'     => 'text',
134             'longtext' => 'text',
135             'date'     => 'datetime',
136             'enum'     => 'varchar',
137             'relate'   => 'varchar',
138             'multienum'=> 'text',
139             'html'     => 'text',
140                         'longhtml' => 'text',
141                 'datetime' => 'datetime',
142             'datetimecombo' => 'datetime',
143             'time'     => 'datetime',
144             'bool'     => 'bit',
145             'tinyint'  => 'tinyint',
146             'char'     => 'char',
147             'blob'     => 'image',
148             'longblob' => 'image',
149             'currency' => 'decimal(26,6)',
150             'decimal'  => 'decimal',
151             'decimal2' => 'decimal',
152             'id'       => 'varchar(36)',
153             'url'      => 'varchar',
154             'encrypt'  => 'varchar',
155             'file'     => 'varchar',
156                 'decimal_tpl' => 'decimal(%d, %d)',
157             );
158
159     protected $connectOptions = null;
160
161     /**
162      * @see DBManager::connect()
163      */
164     public function connect(array $configOptions = null, $dieOnError = false)
165     {
166         global $sugar_config;
167
168         if (is_null($configOptions))
169             $configOptions = $sugar_config['dbconfig'];
170
171         //SET DATEFORMAT to 'YYYY-MM-DD''
172         ini_set('mssql.datetimeconvert', '0');
173
174         //set the text size and textlimit to max number so that blob columns are not truncated
175         ini_set('mssql.textlimit','2147483647');
176         ini_set('mssql.textsize','2147483647');
177         ini_set('mssql.charset','UTF-8');
178
179         if(!empty($configOptions['db_host_instance'])) {
180             $configOptions['db_host_instance'] = trim($configOptions['db_host_instance']);
181         }
182         //set the connections parameters
183         if (empty($configOptions['db_host_instance'])) {
184             $connect_param = $configOptions['db_host_name'];
185         } else {
186             $connect_param = $configOptions['db_host_name']."\\".$configOptions['db_host_instance'];
187         }
188
189         //create persistent connection
190         if ($this->getOption('persistent')) {
191             $this->database =@mssql_pconnect(
192                 $connect_param ,
193                 $configOptions['db_user_name'],
194                 $configOptions['db_password']
195                 );
196         }
197         //if no persistent connection created, then create regular connection
198         if(!$this->database){
199             $this->database = mssql_connect(
200                     $connect_param ,
201                     $configOptions['db_user_name'],
202                     $configOptions['db_password']
203                     );
204             if(!$this->database){
205                 $GLOBALS['log']->fatal("Could not connect to server ".$configOptions['db_host_name'].
206                     " as ".$configOptions['db_user_name'].".");
207                 if($dieOnError) {
208                     sugar_die($GLOBALS['app_strings']['ERR_NO_DB']);
209                 } else {
210                     return false;
211                 }
212             }
213             if($this->database && $this->getOption('persistent')){
214                 $_SESSION['administrator_error'] = "<B>Severe Performance Degradation: Persistent Database Connections "
215                     . "not working.  Please set \$sugar_config['dbconfigoption']['persistent'] to false in your "
216                     . "config.php file</B>";
217             }
218         }
219         //make sure connection exists
220         if(!$this->database) {
221                 if($dieOnError) {
222                     sugar_die($GLOBALS['app_strings']['ERR_NO_DB']);
223                 } else {
224                     return false;
225                 }
226         }
227
228         //select database
229
230         //Adding sleep and retry for mssql connection. We have come across scenarios when
231         //an error is thrown.' Unable to select database'. Following will try to connect to
232         //mssql db maximum number of 5 times at the interval of .2 second. If can not connect
233         //it will throw an Unable to select database message.
234
235         if(!empty($configOptions['db_name']) && !@mssql_select_db($configOptions['db_name'], $this->database)){
236                         $connected = false;
237                         for($i=0;$i<5;$i++){
238                                 usleep(200000);
239                                 if(@mssql_select_db($configOptions['db_name'], $this->database)){
240                                         $connected = true;
241                                         break;
242                                 }
243                         }
244                         if(!$connected){
245                             $GLOBALS['log']->fatal( "Unable to select database {$configOptions['db_name']}");
246                 if($dieOnError) {
247                     if(isset($GLOBALS['app_strings']['ERR_NO_DB'])) {
248                         sugar_die($GLOBALS['app_strings']['ERR_NO_DB']);
249                     } else {
250                         sugar_die("Could not connect to the database. Please refer to sugarcrm.log for details.");
251                     }
252                 } else {
253                     return false;
254                 }
255                         }
256          }
257
258         if(!$this->checkError('Could Not Connect', $dieOnError))
259             $GLOBALS['log']->info("connected to db");
260
261         $this->connectOptions = $configOptions;
262
263         $GLOBALS['log']->info("Connect:".$this->database);
264         return true;
265     }
266
267         /**
268      * @see DBManager::version()
269      */
270     public function version()
271     {
272         return $this->getOne("SELECT @@VERSION as version");
273         }
274
275         /**
276      * @see DBManager::query()
277          */
278         public function query($sql, $dieOnError = false, $msg = '', $suppress = false, $keepResult = false)
279     {
280         if(is_array($sql)) {
281             return $this->queryArray($sql, $dieOnError, $msg, $suppress);
282         }
283         // Flag if there are odd number of single quotes
284         if ((substr_count($sql, "'") & 1))
285             $GLOBALS['log']->error("SQL statement[" . $sql . "] has odd number of single quotes.");
286
287                 $sql = $this->_appendN($sql);
288
289         $GLOBALS['log']->info('Query:' . $sql);
290         $this->checkConnection();
291         $this->countQuery($sql);
292         $this->query_time = microtime(true);
293
294         // Bug 34892 - Clear out previous error message by checking the @@ERROR global variable
295                 @mssql_query("SELECT @@ERROR", $this->database);
296
297         $result = $suppress?@mssql_query($sql, $this->database):mssql_query($sql, $this->database);
298
299         if (!$result) {
300             // awu Bug 10657: ignoring mssql error message 'Changed database context to' - an intermittent
301             //                            and difficult to reproduce error. The message is only a warning, and does
302             //                            not affect the functionality of the query
303             $sqlmsg = mssql_get_last_message();
304             $sqlpos = strpos($sqlmsg, 'Changed database context to');
305                         $sqlpos2 = strpos($sqlmsg, 'Warning:');
306                         $sqlpos3 = strpos($sqlmsg, 'Checking identity information:');
307
308                         if ($sqlpos !== false || $sqlpos2 !== false || $sqlpos3 !== false)              // if sqlmsg has 'Changed database context to', just log it
309                                 $GLOBALS['log']->debug($sqlmsg . ": " . $sql );
310                         else {
311                                 $GLOBALS['log']->fatal($sqlmsg . ": " . $sql );
312                                 if($dieOnError)
313                                         sugar_die('SQL Error : ' . $sqlmsg);
314                                 else
315                                         echo 'SQL Error : ' . $sqlmsg;
316                         }
317         }
318
319         $this->query_time = microtime(true) - $this->query_time;
320         $GLOBALS['log']->info('Query Execution Time:'.$this->query_time);
321
322
323         $this->checkError($msg.' Query Failed: ' . $sql, $dieOnError);
324
325         return $result;
326     }
327
328     /**
329      * This function take in the sql for a union query, the start and offset,
330      * and wraps it around an "mssql friendly" limit query
331      *
332      * @param  string $sql
333      * @param  int    $start record to start at
334      * @param  int    $count number of records to retrieve
335      * @return string SQL statement
336      */
337     private function handleUnionLimitQuery($sql, $start, $count)
338     {
339         //set the start to 0, no negs
340         if ($start < 0)
341             $start=0;
342
343         $GLOBALS['log']->debug(print_r(func_get_args(),true));
344
345         $this->lastsql = $sql;
346
347         //change the casing to lower for easier string comparison, and trim whitespaces
348         $sql = strtolower(trim($sql)) ;
349
350         //set default sql
351         $limitUnionSQL = $sql;
352         $order_by_str = 'order by';
353
354         //make array of order by's.  substring approach was proving too inconsistent
355         $orderByArray = explode($order_by_str, $sql);
356         $unionOrderBy = '';
357         $rowNumOrderBy = '';
358
359         //count the number of array elements
360         $unionOrderByCount = count($orderByArray);
361         $arr_count = 0;
362
363         //process if there are elements
364         if ($unionOrderByCount){
365             //we really want the last order by, so reconstruct string
366             //adding a 1 to count, as we dont wish to process the last element
367             $unionsql = '';
368             while ($unionOrderByCount>$arr_count+1) {
369                 $unionsql .= $orderByArray[$arr_count];
370                 $arr_count = $arr_count+1;
371                 //add an "order by" string back if we are coming into loop again
372                 //remember they were taken out when array was created
373                 if ($unionOrderByCount>$arr_count+1) {
374                     $unionsql .= "order by";
375                 }
376             }
377             //grab the last order by element, set both order by's'
378             $unionOrderBy = $orderByArray[$arr_count];
379             $rowNumOrderBy = $unionOrderBy;
380
381             //if last element contains a "select", then this is part of the union query,
382             //and there is no order by to use
383             if (strpos($unionOrderBy, "select")) {
384                 $unionsql = $sql;
385                 //with no guidance on what to use for required order by in rownumber function,
386                 //resort to using name column.
387                 $rowNumOrderBy = 'id';
388                 $unionOrderBy = "";
389             }
390         }
391         else {
392             //there are no order by elements, so just pass back string
393             $unionsql = $sql;
394             //with no guidance on what to use for required order by in rownumber function,
395             //resort to using name column.
396             $rowNumOrderBy = 'id';
397             $unionOrderBy = '';
398         }
399         //Unions need the column name being sorted on to match across all queries in Union statement
400         //so we do not want to strip the alias like in other queries.  Just add the "order by" string and
401         //pass column name as is
402         if ($unionOrderBy != '') {
403             $unionOrderBy = ' order by ' . $unionOrderBy;
404         }
405
406         //if start is 0, then just use a top query
407         if($start == 0) {
408             $limitUnionSQL = "SELECT TOP $count * FROM (" .$unionsql .") as top_count ".$unionOrderBy;
409         } else {
410             //if start is more than 0, then use top query in conjunction
411             //with rownumber() function to create limit query.
412             $limitUnionSQL = "SELECT TOP $count * FROM( select ROW_NUMBER() OVER ( order by "
413             .$rowNumOrderBy.") AS row_number, * FROM ("
414             .$unionsql .") As numbered) "
415             . "As top_count_limit WHERE row_number > $start "
416             .$unionOrderBy;
417         }
418
419         return $limitUnionSQL;
420     }
421
422         /**
423          * FIXME: verify and thoroughly test this code, these regexps look fishy
424      * @see DBManager::limitQuery()
425      */
426     public function limitQuery($sql, $start, $count, $dieOnError = false, $msg = '', $execute = true)
427     {
428         $start = (int)$start;
429         $count = (int)$count;
430         $newSQL = $sql;
431         $distinctSQLARRAY = array();
432         if (strpos($sql, "UNION") && !preg_match("/(')(UNION).?(')/i", $sql))
433             $newSQL = $this->handleUnionLimitQuery($sql,$start,$count);
434         else {
435             if ($start < 0)
436                 $start = 0;
437             $GLOBALS['log']->debug(print_r(func_get_args(),true));
438             $this->lastsql = $sql;
439             $matches = array();
440             preg_match('/^(.*SELECT )(.*?FROM.*WHERE)(.*)$/isU',$sql, $matches);
441             if (!empty($matches[3])) {
442                 if ($start == 0) {
443                     $match_two = strtolower($matches[2]);
444                     if (!strpos($match_two, "distinct")> 0 && strpos($match_two, "distinct") !==0) {
445                         if ($count > 20) {
446                             $orderByMatch = array();
447                             preg_match('/^(.*)(ORDER BY)(.*)$/is',$matches[3], $orderByMatch);
448                             if (!empty($orderByMatch[3])) {
449                                 $newSQL = "SELECT TOP $count * FROM
450                                     (
451                                         " . $matches[1] . " ROW_NUMBER()
452                                         OVER (ORDER BY " . $this->returnOrderBy($sql, $orderByMatch[3]) . ") AS row_number,
453                                         " . $matches[2] . $orderByMatch[1]. "
454                                     ) AS a
455                                     WHERE row_number > $start";
456                             }
457                             else {
458                                 $newSQL = $matches[1] . " TOP $count " . $matches[2] . $matches[3];
459                             }
460                         }
461                         else {
462                           //proceed as normal
463                           $newSQL = $matches[1] . " TOP $count " . $matches[2] . $matches[3];
464                         }
465                     }
466                     else {
467                         $distinct_o = strpos($match_two, "distinct");
468                         $up_to_distinct_str = substr($match_two, 0, $distinct_o);
469                         //check to see if the distinct is within a function, if so, then proceed as normal
470                         if (strpos($up_to_distinct_str,"(")) {
471                             //proceed as normal
472                             $newSQL = $matches[1] . " TOP $count " . $matches[2] . $matches[3];
473                         }
474                         else {
475                             //if distinct is not within a function, then parse
476                             //string contains distinct clause, "TOP needs to come after Distinct"
477                             //get position of distinct
478                             $match_zero = strtolower($matches[0]);
479                             $distinct_pos = strpos($match_zero , "distinct");
480                             //get position of where
481                             $where_pos = strpos($match_zero, "where");
482                             //parse through string
483                             $beg = substr($matches[0], 0, $distinct_pos+9 );
484                             $mid = substr($matches[0], strlen($beg), ($where_pos+5) - (strlen($beg)));
485                             $end = substr($matches[0], strlen($beg) + strlen($mid) );
486                             //repopulate matches array
487                             $matches[1] = $beg; $matches[2] = $mid; $matches[3] = $end;
488
489                             $newSQL = $matches[1] . " TOP $count " . $matches[2] . $matches[3];
490                         }
491                     }
492                 } else {
493                     $orderByMatch = array();
494                     preg_match('/^(.*)(ORDER BY)(.*)$/is',$matches[3], $orderByMatch);
495
496                     //if there is a distinct clause, parse sql string as we will have to insert the rownumber
497                     //for paging, AFTER the distinct clause
498                     $grpByStr = '';
499                     $hasDistinct = strpos(strtolower($matches[0]), "distinct");
500                     if ($hasDistinct) {
501                         $matches_sql = strtolower($matches[0]);
502                         //remove reference to distinct and select keywords, as we will use a group by instead
503                         //we need to use group by because we are introducing rownumber column which would make every row unique
504
505                         //take out the select and distinct from string so we can reuse in group by
506                         $dist_str = ' distinct ';
507                         $distinct_pos = strpos($matches_sql, $dist_str);
508                         $matches_sql = substr($matches_sql,$distinct_pos+ strlen($dist_str));
509                         //get the position of where and from for further processing
510                         $from_pos = strpos($matches_sql , " from ");
511                         $where_pos = strpos($matches_sql, "where");
512                         //split the sql into a string before and after the from clause
513                         //we will use the columns being selected to construct the group by clause
514                         if ($from_pos>0 ) {
515                             $distinctSQLARRAY[0] = substr($matches_sql,0, $from_pos+1);
516                             $distinctSQLARRAY[1] = substr($matches_sql,$from_pos+1);
517                             //get position of order by (if it exists) so we can strip it from the string
518                             $ob_pos = strpos($distinctSQLARRAY[1], "order by");
519                             if ($ob_pos) {
520                                 $distinctSQLARRAY[1] = substr($distinctSQLARRAY[1],0,$ob_pos);
521                             }
522
523                             // strip off last closing parentheses from the where clause
524                             $distinctSQLARRAY[1] = preg_replace('/\)\s$/',' ',$distinctSQLARRAY[1]);
525                         }
526
527                         //place group by string into array
528                         $grpByArr = explode(',', $distinctSQLARRAY[0]);
529                         $first = true;
530                         //remove the aliases for each group by element, sql server doesnt like these in group by.
531                         foreach ($grpByArr as $gb) {
532                             $gb = trim($gb);
533
534                             //clean out the extra stuff added if we are concatenating first_name and last_name together
535                             //this way both fields are added in correctly to the group by
536                             $gb = str_replace("isnull(","",$gb);
537                             $gb = str_replace("'') + ' ' + ","",$gb);
538
539                             //remove outer reference if they exist
540                             if (strpos($gb,"'")!==false){
541                                 continue;
542                             }
543                             //if there is a space, then an alias exists, remove alias
544                             if (strpos($gb,' ')){
545                                 $gb = substr( $gb, 0,strpos($gb,' '));
546                             }
547
548                             //if resulting string is not empty then add to new group by string
549                             if (!empty($gb)) {
550                                 if ($first) {
551                                     $grpByStr .= " $gb";
552                                     $first = false;
553                                 } else {
554                                     $grpByStr .= ", $gb";
555                                 }
556                             }
557                         }
558                     }
559
560                     if (!empty($orderByMatch[3])) {
561                         //if there is a distinct clause, form query with rownumber after distinct
562                         if ($hasDistinct) {
563                             $newSQL = "SELECT TOP $count * FROM
564                                         (
565                                             SELECT ROW_NUMBER()
566                                                 OVER (ORDER BY ".$this->returnOrderBy($sql, $orderByMatch[3]).") AS row_number,
567                                                 count(*) counter, " . $distinctSQLARRAY[0] . "
568                                                 " . $distinctSQLARRAY[1] . "
569                                                 group by " . $grpByStr . "
570                                         ) AS a
571                                         WHERE row_number > $start";
572                         }
573                         else {
574                         $newSQL = "SELECT TOP $count * FROM
575                                     (
576                                         " . $matches[1] . " ROW_NUMBER()
577                                         OVER (ORDER BY " . $this->returnOrderBy($sql, $orderByMatch[3]) . ") AS row_number,
578                                         " . $matches[2] . $orderByMatch[1]. "
579                                     ) AS a
580                                     WHERE row_number > $start";
581                         }
582                     }else{
583                         //bug: 22231 Records in campaigns' subpanel may not come from
584                         //table of $_REQUEST['module']. Get it directly from query
585                         $upperQuery = strtoupper($matches[2]);
586                         if (!strpos($upperQuery,"JOIN")){
587                             $from_pos = strpos($upperQuery , "FROM") + 4;
588                             $where_pos = strpos($upperQuery, "WHERE");
589                             $tablename = trim(substr($upperQuery,$from_pos, $where_pos - $from_pos));
590                         }else{
591                             // FIXME: this looks really bad. Probably source for tons of bug
592                             // needs to be removed
593                             $tablename = $this->getTableNameFromModuleName($_REQUEST['module'],$sql);
594                         }
595                         //if there is a distinct clause, form query with rownumber after distinct
596                         if ($hasDistinct) {
597                              $newSQL = "SELECT TOP $count * FROM
598                                             (
599                             SELECT ROW_NUMBER() OVER (ORDER BY ".$tablename.".id) AS row_number, count(*) counter, " . $distinctSQLARRAY[0] . "
600                                                         " . $distinctSQLARRAY[1] . "
601                                                     group by " . $grpByStr . "
602                                             )
603                                             AS a
604                                             WHERE row_number > $start";
605                         }
606                         else {
607                              $newSQL = "SELECT TOP $count * FROM
608                                            (
609                                   " . $matches[1] . " ROW_NUMBER() OVER (ORDER BY ".$tablename.".id) AS row_number, " . $matches[2] . $matches[3]. "
610                                            )
611                                            AS a
612                                            WHERE row_number > $start";
613                         }
614                     }
615                 }
616             }
617         }
618
619         $GLOBALS['log']->debug('Limit Query: ' . $newSQL);
620         if($execute) {
621             $result =  $this->query($newSQL, $dieOnError, $msg);
622             $this->dump_slow_queries($newSQL);
623             return $result;
624         } else {
625             return $newSQL;
626         }
627     }
628
629
630     /**
631      * Searches for begginning and ending characters.  It places contents into
632      * an array and replaces contents in original string.  This is used to account for use of
633      * nested functions while aliasing column names
634      *
635      * @param  string $p_sql     SQL statement
636      * @param  string $strip_beg Beginning character
637      * @param  string $strip_end Ending character
638      * @param  string $patt      Optional, pattern to
639      */
640     private function removePatternFromSQL($p_sql, $strip_beg, $strip_end, $patt = 'patt')
641     {
642         //strip all single quotes out
643         $count = substr_count ( $p_sql, $strip_beg);
644         $increment = 1;
645         if ($strip_beg != $strip_end)
646             $increment = 2;
647
648         $i=0;
649         $offset = 0;
650         $strip_array = array();
651         while ($i<$count && $offset<strlen($p_sql)) {
652             if ($offset > strlen($p_sql))
653             {
654                                 break;
655             }
656
657             $beg_sin = strpos($p_sql, $strip_beg, $offset);
658             if (!$beg_sin)
659             {
660                 break;
661             }
662             $sec_sin = strpos($p_sql, $strip_end, $beg_sin+1);
663             $strip_array[$patt.$i] = substr($p_sql, $beg_sin, $sec_sin - $beg_sin +1);
664             if ($increment > 1) {
665                 //we are in here because beginning and end patterns are not identical, so search for nesting
666                 $exists = strpos($strip_array[$patt.$i], $strip_beg );
667                 if ($exists>=0) {
668                     $nested_pos = (strrpos($strip_array[$patt.$i], $strip_beg ));
669                     $strip_array[$patt.$i] = substr($p_sql,$nested_pos+$beg_sin,$sec_sin - ($nested_pos+$beg_sin)+1);
670                     $p_sql = substr($p_sql, 0, $nested_pos+$beg_sin) . " ##". $patt.$i."## " . substr($p_sql, $sec_sin+1);
671                     $i = $i + 1;
672                     continue;
673                 }
674             }
675             $p_sql = substr($p_sql, 0, $beg_sin) . " ##". $patt.$i."## " . substr($p_sql, $sec_sin+1);
676             //move the marker up
677             $offset = $sec_sin+1;
678
679             $i = $i + 1;
680         }
681         $strip_array['sql_string'] = $p_sql;
682
683         return $strip_array;
684     }
685
686     /**
687      * adds a pattern
688      *
689      * @param  string $token
690      * @param  array  $pattern_array
691      * @return string
692      */
693         private function addPatternToSQL($token, array $pattern_array)
694     {
695         //strip all single quotes out
696         $pattern_array = array_reverse($pattern_array);
697
698         foreach ($pattern_array as $key => $replace) {
699             $token = str_replace( "##".$key."##", $replace,$token);
700         }
701
702         return $token;
703     }
704
705     /**
706      * gets an alias from the sql statement
707      *
708      * @param  string $sql
709      * @param  string $alias
710      * @return string
711      */
712         private function getAliasFromSQL($sql, $alias)
713     {
714         $matches = array();
715         preg_match('/^(.*SELECT)(.*?FROM.*WHERE)(.*)$/isU',$sql, $matches);
716         //parse all single and double  quotes out of array
717         $sin_array = $this->removePatternFromSQL($matches[2], "'", "'","sin_");
718         $new_sql = array_pop($sin_array);
719         $dub_array = $this->removePatternFromSQL($new_sql, "\"", "\"","dub_");
720         $new_sql = array_pop($dub_array);
721
722         //search for parenthesis
723         $paren_array = $this->removePatternFromSQL($new_sql, "(", ")", "par_");
724         $new_sql = array_pop($paren_array);
725
726         //all functions should be removed now, so split the array on commas
727         $mstr_sql_array = explode(",", $new_sql);
728         foreach($mstr_sql_array as $token ) {
729             if (strpos($token, $alias)) {
730                 //found token, add back comments
731                 $token = $this->addPatternToSQL($token, $paren_array);
732                 $token = $this->addPatternToSQL($token, $dub_array);
733                 $token = $this->addPatternToSQL($token, $sin_array);
734
735                 //log and break out of this function
736                 return $token;
737             }
738         }
739         return null;
740     }
741
742
743     /**
744      * Finds the alias of the order by column, and then return the preceding column name
745      *
746      * @param  string $sql
747      * @param  string $orderMatch
748      * @return string
749      */
750     private function findColumnByAlias($sql, $orderMatch)
751     {
752         //change case to lowercase
753         $sql = strtolower($sql);
754         $patt = '/\s+'.trim($orderMatch).'\s*,/';
755
756         //check for the alias, it should contain comma, may contain space, \n, or \t
757         $matches = array();
758         preg_match($patt, $sql, $matches, PREG_OFFSET_CAPTURE);
759         $found_in_sql = isset($matches[0][1]) ? $matches[0][1] : false;
760
761
762         //set default for found variable
763         $found = $found_in_sql;
764
765         //if still no match found, then we need to parse through the string
766         if (!$found_in_sql){
767             //get count of how many times the match exists in string
768             $found_count = substr_count($sql, $orderMatch);
769             $i = 0;
770             $first_ = 0;
771             $len = strlen($orderMatch);
772             //loop through string as many times as there is a match
773             while ($found_count > $i) {
774                 //get the first match
775                 $found_in_sql = strpos($sql, $orderMatch,$first_);
776                 //make sure there was a match
777                 if($found_in_sql){
778                     //grab the next 2 individual characters
779                     $str_plusone = substr($sql,$found_in_sql + $len,1);
780                     $str_plustwo = substr($sql,$found_in_sql + $len+1,1);
781                     //if one of those characters is a comma, then we have our alias
782                     if ($str_plusone === "," || $str_plustwo === ","){
783                         //keep track of this position
784                         $found = $found_in_sql;
785                     }
786                 }
787                 //set the offset and increase the iteration counter
788                 $first_ = $found_in_sql+$len;
789                 $i = $i+1;
790             }
791         }
792         //return $found, defaults have been set, so if no match was found it will be a negative number
793         return $found;
794     }
795
796
797     /**
798      * Return the order by string to use in case the column has been aliased
799      *
800      * @param  string $sql
801      * @param  string $orig_order_match
802      * @return string
803      */
804     private function returnOrderBy($sql, $orig_order_match)
805     {
806         $sql = strtolower($sql);
807         $orig_order_match = trim($orig_order_match);
808         if (strpos($orig_order_match, ".") != 0)
809             //this has a tablename defined, pass in the order match
810             return $orig_order_match;
811
812         // If there is no ordering direction (ASC/DESC), use ASC by default
813         if (strpos($orig_order_match, " ") === false) {
814                 $orig_order_match .= " ASC";
815         }
816             
817         //grab first space in order by
818         $firstSpace = strpos($orig_order_match, " ");
819
820         //split order by into column name and ascending/descending
821         $orderMatch = " " . strtolower(substr($orig_order_match, 0, $firstSpace));
822         $asc_desc =  substr($orig_order_match,$firstSpace);
823
824         //look for column name as an alias in sql string
825         $found_in_sql = $this->findColumnByAlias($sql, $orderMatch);
826
827         if (!$found_in_sql) {
828             //check if this column needs the tablename prefixed to it
829             $orderMatch = ".".trim($orderMatch);
830             $colMatchPos = strpos($sql, $orderMatch);
831             if ($colMatchPos !== false) {
832                 //grab sub string up to column name
833                 $containsColStr = substr($sql,0, $colMatchPos);
834                 //get position of first space, so we can grab table name
835                 $lastSpacePos = strrpos($containsColStr, " ");
836                 //use positions of column name, space before name, and length of column to find the correct column name
837                 $col_name = substr($sql, $lastSpacePos, $colMatchPos-$lastSpacePos+strlen($orderMatch));
838                                 //bug 25485. When sorting by a custom field in Account List and then pressing NEXT >, system gives an error
839                                 $containsCommaPos = strpos($col_name, ",");
840                                 if($containsCommaPos !== false) {
841                                         $col_name = substr($col_name, $containsCommaPos+1);
842                                 }
843                 //return column name
844                 return $col_name;
845             }
846             //break out of here, log this
847             $GLOBALS['log']->debug("No match was found for order by, pass string back untouched as: $orig_order_match");
848             return $orig_order_match;
849         }
850         else {
851             //if found, then parse and return
852             //grab string up to the aliased column
853             $GLOBALS['log']->debug("order by found, process sql string");
854
855             $psql = (trim($this->getAliasFromSQL($sql, $orderMatch )));
856             if (empty($psql))
857                 $psql = trim(substr($sql, 0, $found_in_sql));
858
859             //grab the last comma before the alias
860             $comma_pos = strrpos($psql, " ");
861             //substring between the comma and the alias to find the joined_table alias and column name
862             $col_name = substr($psql,0, $comma_pos);
863
864             //make sure the string does not have an end parenthesis
865             //and is not part of a function (i.e. "ISNULL(leads.last_name,'') as name"  )
866             //this is especially true for unified search from home screen
867
868             $alias_beg_pos = 0;
869             if(strpos($psql, " as "))
870                 $alias_beg_pos = strpos($psql, " as ");
871
872             // Bug # 44923 - This breaks the query and does not properly filter isnull
873             // as there are other functions such as ltrim and rtrim.
874             /* else if (strncasecmp($psql, 'isnull', 6) != 0)
875                 $alias_beg_pos = strpos($psql, " "); */
876
877             if ($alias_beg_pos > 0) {
878                 $col_name = substr($psql,0, $alias_beg_pos );
879             }
880             //add the "asc/desc" order back
881             $col_name = $col_name. " ". $asc_desc;
882
883             //pass in new order by
884             $GLOBALS['log']->debug("order by being returned is " . $col_name);
885             return $col_name;
886         }
887     }
888
889     /**
890      * Take in a string of the module and retrieve the correspondent table name
891      *
892      * @param  string $module_str module name
893      * @param  string $sql        SQL statement
894      * @return string table name
895      */
896     private function getTableNameFromModuleName($module_str, $sql)
897     {
898
899         global $beanList, $beanFiles;
900         $GLOBALS['log']->debug("Module being processed is " . $module_str);
901         //get the right module files
902         //the module string exists in bean list, then process bean for correct table name
903         //note that we exempt the reports module from this, as queries from reporting module should be parsed for
904         //correct table name.
905         if (($module_str != 'Reports' && $module_str != 'SavedReport') && isset($beanList[$module_str])  &&  isset($beanFiles[$beanList[$module_str]])){
906             //if the class is not already loaded, then load files
907             if (!class_exists($beanList[$module_str]))
908                 require_once($beanFiles[$beanList[$module_str]]);
909
910             //instantiate new bean
911             $module_bean = new $beanList[$module_str]();
912             //get table name from bean
913             $tbl_name = $module_bean->table_name;
914             //make sure table name is not just a blank space, or empty
915             $tbl_name = trim($tbl_name);
916
917             if(empty($tbl_name)){
918                 $GLOBALS['log']->debug("Could not find table name for module $module_str. ");
919                 $tbl_name = $module_str;
920             }
921         }
922         else {
923             //since the module does NOT exist in beanlist, then we have to parse the string
924             //and grab the table name from the passed in sql
925             $GLOBALS['log']->debug("Could not find table name from module in request, retrieve from passed in sql");
926             $tbl_name = $module_str;
927             $sql = strtolower($sql);
928
929             // Bug #45625 : Getting Multi-part identifier (reports.id) could not be bound error when navigating to next page in reprots in mssql
930             // there is cases when sql string is multiline string and it we cannot find " from " string in it
931             $sql = str_replace(array("\n", "\r"), " ", $sql);
932
933             //look for the location of the "from" in sql string
934             $fromLoc = strpos($sql," from " );
935             if ($fromLoc>0){
936                 //found from, substring from the " FROM " string in sql to end
937                 $tableEnd = substr($sql, $fromLoc+6);
938                 //We know that tablename will be next parameter after from, so
939                 //grab the next space after table name.
940                 // MFH BUG #14009: Also check to see if there are any carriage returns before the next space so that we don't grab any arbitrary joins or other tables.
941                 $carriage_ret = strpos($tableEnd,"\n");
942                 $next_space = strpos($tableEnd," " );
943                 if ($carriage_ret < $next_space)
944                     $next_space = $carriage_ret;
945                 if ($next_space > 0) {
946                     $tbl_name= substr($tableEnd,0, $next_space);
947                     if(empty($tbl_name)){
948                         $GLOBALS['log']->debug("Could not find table name sql either, return $module_str. ");
949                         $tbl_name = $module_str;
950                     }
951                 }
952
953                 //grab the table, to see if it is aliased
954                 $aliasTableEnd = trim(substr($tableEnd, $next_space));
955                 $alias_space = strpos ($aliasTableEnd, " " );
956                 if ($alias_space > 0){
957                     $alias_tbl_name= substr($aliasTableEnd,0, $alias_space);
958                     strtolower($alias_tbl_name);
959                     if(empty($alias_tbl_name)
960                         || $alias_tbl_name == "where"
961                         || $alias_tbl_name == "inner"
962                         || $alias_tbl_name == "left"
963                         || $alias_tbl_name == "join"
964                         || $alias_tbl_name == "outer"
965                         || $alias_tbl_name == "right") {
966                         //not aliased, do nothing
967                     }
968                     elseif ($alias_tbl_name == "as") {
969                             //the next word is the table name
970                             $aliasTableEnd = trim(substr($aliasTableEnd, $alias_space));
971                             $alias_space = strpos ($aliasTableEnd, " " );
972                             if ($alias_space > 0) {
973                                 $alias_tbl_name= trim(substr($aliasTableEnd,0, $alias_space));
974                                 if (!empty($alias_tbl_name))
975                                     $tbl_name = $alias_tbl_name;
976                             }
977                     }
978                     else {
979                         //this is table alias
980                         $tbl_name = $alias_tbl_name;
981                     }
982                 }
983             }
984         }
985         //return table name
986         $GLOBALS['log']->debug("Table name for module $module_str is: ".$tbl_name);
987         return $tbl_name;
988     }
989
990
991         /**
992      * @see DBManager::getFieldsArray()
993      */
994         public function getFieldsArray($result, $make_lower_case = false)
995         {
996                 $field_array = array();
997
998                 if(! isset($result) || empty($result))
999             return 0;
1000
1001         $i = 0;
1002         while ($i < mssql_num_fields($result)) {
1003             $meta = mssql_fetch_field($result, $i);
1004             if (!$meta)
1005                 return 0;
1006             if($make_lower_case==true)
1007                 $meta->name = strtolower($meta->name);
1008
1009             $field_array[] = $meta->name;
1010
1011             $i++;
1012         }
1013
1014         return $field_array;
1015         }
1016
1017     /**
1018      * @see DBManager::getAffectedRowCount()
1019      */
1020         public function getAffectedRowCount()
1021     {
1022         return $this->getOne("SELECT @@ROWCOUNT");
1023     }
1024
1025         /**
1026          * @see DBManager::fetchRow()
1027          */
1028         public function fetchRow($result)
1029         {
1030                 if (empty($result))     return false;
1031
1032         $row = mssql_fetch_assoc($result);
1033         //MSSQL returns a space " " when a varchar column is empty ("") and not null.
1034         //We need to iterate through the returned row array and strip empty spaces
1035         if(!empty($row)){
1036             foreach($row as $key => $column) {
1037                //notice we only strip if one space is returned.  we do not want to strip
1038                //strings with intentional spaces (" foo ")
1039                if (!empty($column) && $column ==" ") {
1040                    $row[$key] = '';
1041                }
1042             }
1043         }
1044         return $row;
1045         }
1046
1047     /**
1048      * @see DBManager::quote()
1049      */
1050     public function quote($string)
1051     {
1052         if(is_array($string)) {
1053             return $this->arrayQuote($string);
1054         }
1055         return str_replace("'","''", $this->quoteInternal($string));
1056     }
1057
1058     /**
1059      * @see DBManager::tableExists()
1060      */
1061     public function tableExists($tableName)
1062     {
1063         $GLOBALS['log']->info("tableExists: $tableName");
1064
1065         $this->checkConnection();
1066         $result = $this->getOne(
1067             "SELECT * FROM INFORMATION_SCHEMA.TABLES WHERE TABLE_TYPE='BASE TABLE' AND TABLE_NAME=".$this->quoted($tableName));
1068
1069         return !empty($result);
1070     }
1071
1072     /**
1073      * Get tables like expression
1074      * @param $like string
1075      * @return array
1076      */
1077     public function tablesLike($like)
1078     {
1079         if ($this->getDatabase()) {
1080             $tables = array();
1081             $r = $this->query('SELECT TABLE_NAME tn FROM INFORMATION_SCHEMA.TABLES WHERE TABLE_TYPE=\'BASE TABLE\' AND TABLE_NAME LIKE '.$this->quoted($like));
1082             if (!empty($r)) {
1083                 while ($a = $this->fetchByAssoc($r)) {
1084                     $row = array_values($a);
1085                                         $tables[]=$row[0];
1086                 }
1087                 return $tables;
1088             }
1089         }
1090         return false;
1091     }
1092
1093     /**
1094      * @see DBManager::getTablesArray()
1095      */
1096     public function getTablesArray()
1097     {
1098         $GLOBALS['log']->debug('MSSQL fetching table list');
1099
1100         if($this->getDatabase()) {
1101             $tables = array();
1102             $r = $this->query('SELECT TABLE_NAME FROM INFORMATION_SCHEMA.TABLES');
1103             if (is_resource($r)) {
1104                 while ($a = $this->fetchByAssoc($r))
1105                     $tables[] = $a['TABLE_NAME'];
1106
1107                 return $tables;
1108             }
1109         }
1110
1111         return false; // no database available
1112     }
1113
1114
1115     /**
1116      * This call is meant to be used during install, when Full Text Search is enabled
1117      * Indexing would always occur after a fresh sql server install, so this code creates
1118      * a catalog and table with full text index.
1119      */
1120     public function full_text_indexing_setup()
1121     {
1122         $GLOBALS['log']->debug('MSSQL about to wakeup FTS');
1123
1124         if($this->getDatabase()) {
1125                 //create wakeup catalog
1126                 $FTSqry[] = "if not exists(  select * from sys.fulltext_catalogs where name ='wakeup_catalog' )
1127                 CREATE FULLTEXT CATALOG wakeup_catalog
1128                 ";
1129
1130                 //drop wakeup table if it exists
1131                 $FTSqry[] = "IF EXISTS(SELECT 'fts_wakeup' FROM sysobjects WHERE name = 'fts_wakeup' AND xtype='U')
1132                     DROP TABLE fts_wakeup
1133                 ";
1134                 //create wakeup table
1135                 $FTSqry[] = "CREATE TABLE fts_wakeup(
1136                     id varchar(36) NOT NULL CONSTRAINT pk_fts_wakeup_id PRIMARY KEY CLUSTERED (id ASC ),
1137                     body text NULL,
1138                     kb_index int IDENTITY(1,1) NOT NULL CONSTRAINT wakeup_fts_unique_idx UNIQUE NONCLUSTERED
1139                 )
1140                 ";
1141                 //create full text index
1142                  $FTSqry[] = "CREATE FULLTEXT INDEX ON fts_wakeup
1143                 (
1144                     body
1145                     Language 0X0
1146                 )
1147                 KEY INDEX wakeup_fts_unique_idx ON wakeup_catalog
1148                 WITH CHANGE_TRACKING AUTO
1149                 ";
1150
1151                 //insert dummy data
1152                 $FTSqry[] = "INSERT INTO fts_wakeup (id ,body)
1153                 VALUES ('".create_guid()."', 'SugarCRM Rocks' )";
1154
1155
1156                 //create queries to stop and restart indexing
1157                 $FTSqry[] = 'ALTER FULLTEXT INDEX ON fts_wakeup STOP POPULATION';
1158                 $FTSqry[] = 'ALTER FULLTEXT INDEX ON fts_wakeup DISABLE';
1159                 $FTSqry[] = 'ALTER FULLTEXT INDEX ON fts_wakeup ENABLE';
1160                 $FTSqry[] = 'ALTER FULLTEXT INDEX ON fts_wakeup SET CHANGE_TRACKING MANUAL';
1161                 $FTSqry[] = 'ALTER FULLTEXT INDEX ON fts_wakeup START FULL POPULATION';
1162                 $FTSqry[] = 'ALTER FULLTEXT INDEX ON fts_wakeup SET CHANGE_TRACKING AUTO';
1163
1164                 foreach($FTSqry as $q){
1165                     sleep(3);
1166                     $this->query($q);
1167                 }
1168                 $this->create_default_full_text_catalog();
1169         }
1170
1171         return false; // no database available
1172     }
1173
1174     protected $date_formats = array(
1175         '%Y-%m-%d' => 10,
1176         '%Y-%m' => 7,
1177         '%Y' => 4,
1178     );
1179
1180     /**
1181      * @see DBManager::convert()
1182      */
1183     public function convert($string, $type, array $additional_parameters = array())
1184     {
1185         // convert the parameters array into a comma delimited string
1186         if (!empty($additional_parameters)) {
1187             $additional_parameters_string = ','.implode(',',$additional_parameters);
1188         } else {
1189             $additional_parameters_string = '';
1190         }
1191         $all_parameters = $additional_parameters;
1192         if(is_array($string)) {
1193             $all_parameters = array_merge($string, $all_parameters);
1194         } elseif (!is_null($string)) {
1195             array_unshift($all_parameters, $string);
1196         }
1197
1198         switch (strtolower($type)) {
1199             case 'today':
1200                 return "GETDATE()";
1201             case 'left':
1202                 return "LEFT($string$additional_parameters_string)";
1203             case 'date_format':
1204                 if(!empty($additional_parameters[0]) && $additional_parameters[0][0] == "'") {
1205                     $additional_parameters[0] = trim($additional_parameters[0], "'");
1206                 }
1207                 if(!empty($additional_parameters) && isset($this->date_formats[$additional_parameters[0]])) {
1208                     $len = $this->date_formats[$additional_parameters[0]];
1209                     return "LEFT(CONVERT(varchar($len),". $string . ",120),$len)";
1210                 } else {
1211                    return "LEFT(CONVERT(varchar(10),". $string . ",120),10)";
1212                 }
1213             case 'ifnull':
1214                 if(empty($additional_parameters_string)) {
1215                     $additional_parameters_string = ",''";
1216                 }
1217                 return "ISNULL($string$additional_parameters_string)";
1218             case 'concat':
1219                 return implode("+",$all_parameters);
1220             case 'text2char':
1221                 return "CAST($string AS varchar(8000))";
1222             case 'quarter':
1223                 return "DATENAME(quarter, $string)";
1224             case "length":
1225                 return "LEN($string)";
1226             case 'month':
1227                 return "MONTH($string)";
1228             case 'add_date':
1229                 return "DATEADD({$additional_parameters[1]},{$additional_parameters[0]},$string)";
1230             case 'add_time':
1231                 return "DATEADD(hh, {$additional_parameters[0]}, DATEADD(mi, {$additional_parameters[1]}, $string))";
1232         }
1233
1234         return "$string";
1235     }
1236
1237     /**
1238      * @see DBManager::fromConvert()
1239      */
1240     public function fromConvert($string, $type)
1241     {
1242         switch($type) {
1243             case 'datetimecombo':
1244             case 'datetime': return substr($string, 0,19);
1245             case 'date': return substr($string, 0, 10);
1246             case 'time': return substr($string, 11);
1247                 }
1248                 return $string;
1249     }
1250
1251     /**
1252      * @see DBManager::createTableSQLParams()
1253      */
1254         public function createTableSQLParams($tablename, $fieldDefs, $indices)
1255     {
1256         if (empty($tablename) || empty($fieldDefs))
1257             return '';
1258
1259         $columns = $this->columnSQLRep($fieldDefs, false, $tablename);
1260         if (empty($columns))
1261             return '';
1262
1263         return "CREATE TABLE $tablename ($columns)";
1264     }
1265
1266     /**
1267      * Does this type represent text (i.e., non-varchar) value?
1268      * @param string $type
1269      */
1270     public function isTextType($type)
1271     {
1272         $type = strtolower($type);
1273         if(!isset($this->type_map[$type])) return false;
1274         return in_array($this->type_map[$type], array('ntext','text','image', 'nvarchar(max)'));
1275     }
1276
1277     /**
1278      * Return representation of an empty value depending on type
1279      * @param string $type
1280      */
1281     public function emptyValue($type)
1282     {
1283         $ctype = $this->getColumnType($type);
1284         if($ctype == "datetime") {
1285             return $this->convert($this->quoted("1970-01-01 00:00:00"), "datetime");
1286         }
1287         if($ctype == "date") {
1288             return $this->convert($this->quoted("1970-01-01"), "datetime");
1289         }
1290         if($ctype == "time") {
1291             return $this->convert($this->quoted("00:00:00"), "time");
1292         }
1293         return parent::emptyValue($type);
1294     }
1295
1296     public function renameColumnSQL($tablename, $column, $newname)
1297     {
1298         return "SP_RENAME '$tablename.$column', '$newname', 'COLUMN'";
1299     }
1300
1301     /**
1302      * Returns the SQL Alter table statment
1303      *
1304      * MSSQL has a quirky T-SQL alter table syntax. Pay special attention to the
1305      * modify operation
1306      * @param string $action
1307      * @param array  $def
1308      * @param bool   $ignorRequired
1309      * @param string $tablename
1310      */
1311     protected function alterSQLRep($action, array $def, $ignoreRequired, $tablename)
1312     {
1313         switch($action){
1314         case 'add':
1315              $f_def=$this->oneColumnSQLRep($def, $ignoreRequired,$tablename,false);
1316             return "ADD " . $f_def;
1317             break;
1318         case 'drop':
1319             return "DROP COLUMN " . $def['name'];
1320             break;
1321         case 'modify':
1322             //You cannot specify a default value for a column for MSSQL
1323             $f_def  = $this->oneColumnSQLRep($def, $ignoreRequired,$tablename, true);
1324             $f_stmt = "ALTER COLUMN ".$f_def['name'].' '.$f_def['colType'].' '.
1325                         $f_def['required'].' '.$f_def['auto_increment']."\n";
1326             if (!empty( $f_def['default']))
1327                 $f_stmt .= " ALTER TABLE " . $tablename .  " ADD  ". $f_def['default'] . " FOR " . $def['name'];
1328             return $f_stmt;
1329             break;
1330         default:
1331             return '';
1332         }
1333     }
1334
1335     /**
1336      * @see DBManager::changeColumnSQL()
1337      *
1338      * MSSQL uses a different syntax than MySQL for table altering that is
1339      * not quite as simplistic to implement...
1340      */
1341     protected function changeColumnSQL($tablename, $fieldDefs, $action, $ignoreRequired = false)
1342     {
1343         $sql=$sql2='';
1344         $constraints = $this->get_field_default_constraint_name($tablename);
1345         $columns = array();
1346         if ($this->isFieldArray($fieldDefs)) {
1347             foreach ($fieldDefs as $def)
1348                 {
1349                         //if the column is being modified drop the default value
1350                         //constraint if it exists. alterSQLRep will add the constraint back
1351                         if (!empty($constraints[$def['name']])) {
1352                                 $sql.=" ALTER TABLE " . $tablename . " DROP CONSTRAINT " . $constraints[$def['name']];
1353                         }
1354                         //check to see if we need to drop related indexes before the alter
1355                         $indices = $this->get_indices($tablename);
1356                 foreach ( $indices as $index ) {
1357                     if ( in_array($def['name'],$index['fields']) ) {
1358                         $sql  .= ' ' . $this->add_drop_constraint($tablename,$index,true).' ';
1359                         $sql2 .= ' ' . $this->add_drop_constraint($tablename,$index,false).' ';
1360                     }
1361                 }
1362
1363                         $columns[] = $this->alterSQLRep($action, $def, $ignoreRequired,$tablename);
1364                 }
1365         }
1366         else {
1367             //if the column is being modified drop the default value
1368                 //constraint if it exists. alterSQLRep will add the constraint back
1369                 if (!empty($constraints[$fieldDefs['name']])) {
1370                         $sql.=" ALTER TABLE " . $tablename . " DROP CONSTRAINT " . $constraints[$fieldDefs['name']];
1371                 }
1372                 //check to see if we need to drop related indexes before the alter
1373             $indices = $this->get_indices($tablename);
1374             foreach ( $indices as $index ) {
1375                 if ( in_array($fieldDefs['name'],$index['fields']) ) {
1376                     $sql  .= ' ' . $this->add_drop_constraint($tablename,$index,true).' ';
1377                     $sql2 .= ' ' . $this->add_drop_constraint($tablename,$index,false).' ';
1378                 }
1379             }
1380
1381
1382                 $columns[] = $this->alterSQLRep($action, $fieldDefs, $ignoreRequired,$tablename);
1383         }
1384
1385         $columns = implode(", ", $columns);
1386         $sql .= " ALTER TABLE $tablename $columns " . $sql2;
1387
1388         return $sql;
1389     }
1390
1391     protected function setAutoIncrement($table, $field_name)
1392     {
1393                 return "identity(1,1)";
1394         }
1395
1396     /**
1397      * @see DBManager::setAutoIncrementStart()
1398      */
1399     public function setAutoIncrementStart($table, $field_name, $start_value)
1400     {
1401         if($start_value > 1)
1402             $start_value -= 1;
1403                 $this->query("DBCC CHECKIDENT ('$table', RESEED, $start_value)");
1404         return true;
1405     }
1406
1407         /**
1408      * @see DBManager::getAutoIncrement()
1409      */
1410     public function getAutoIncrement($table, $field_name)
1411     {
1412                 $result = $this->getOne("select IDENT_CURRENT('$table') + IDENT_INCR ( '$table' ) as 'Auto_increment'");
1413         return $result;
1414     }
1415
1416     /**
1417      * @see DBManager::get_indices()
1418      */
1419     public function get_indices($tableName)
1420     {
1421         //find all unique indexes and primary keys.
1422         $query = <<<EOSQL
1423 SELECT sys.tables.object_id, sys.tables.name as table_name, sys.columns.name as column_name,
1424                 sys.indexes.name as index_name, sys.indexes.is_unique, sys.indexes.is_primary_key
1425             FROM sys.tables, sys.indexes, sys.index_columns, sys.columns
1426             WHERE (sys.tables.object_id = sys.indexes.object_id
1427                     AND sys.tables.object_id = sys.index_columns.object_id
1428                     AND sys.tables.object_id = sys.columns.object_id
1429                     AND sys.indexes.index_id = sys.index_columns.index_id
1430                     AND sys.index_columns.column_id = sys.columns.column_id)
1431                 AND sys.tables.name = '$tableName'
1432 EOSQL;
1433         $result = $this->query($query);
1434
1435         $indices = array();
1436         while (($row=$this->fetchByAssoc($result)) != null) {
1437             $index_type = 'index';
1438             if ($row['is_primary_key'] == '1')
1439                 $index_type = 'primary';
1440             elseif ($row['is_unique'] == 1 )
1441                 $index_type = 'unique';
1442             $name = strtolower($row['index_name']);
1443             $indices[$name]['name']     = $name;
1444             $indices[$name]['type']     = $index_type;
1445             $indices[$name]['fields'][] = strtolower($row['column_name']);
1446         }
1447         return $indices;
1448     }
1449
1450     /**
1451      * @see DBManager::get_columns()
1452      */
1453     public function get_columns($tablename)
1454     {
1455         //find all unique indexes and primary keys.
1456         $result = $this->query("sp_columns $tablename");
1457
1458         $columns = array();
1459         while (($row=$this->fetchByAssoc($result)) !=null) {
1460             $column_name = strtolower($row['COLUMN_NAME']);
1461             $columns[$column_name]['name']=$column_name;
1462             $columns[$column_name]['type']=strtolower($row['TYPE_NAME']);
1463             if ( $row['TYPE_NAME'] == 'decimal' ) {
1464                 $columns[$column_name]['len']=strtolower($row['PRECISION']);
1465                 $columns[$column_name]['len'].=','.strtolower($row['SCALE']);
1466             }
1467                         elseif ( in_array($row['TYPE_NAME'],array('nchar','nvarchar')) )
1468                                 $columns[$column_name]['len']=strtolower($row['PRECISION']);
1469             elseif ( !in_array($row['TYPE_NAME'],array('datetime','text')) )
1470                 $columns[$column_name]['len']=strtolower($row['LENGTH']);
1471             if ( stristr($row['TYPE_NAME'],'identity') ) {
1472                 $columns[$column_name]['auto_increment'] = '1';
1473                 $columns[$column_name]['type']=str_replace(' identity','',strtolower($row['TYPE_NAME']));
1474             }
1475
1476             if (!empty($row['IS_NULLABLE']) && $row['IS_NULLABLE'] == 'NO' && (empty($row['KEY']) || !stristr($row['KEY'],'PRI')))
1477                 $columns[strtolower($row['COLUMN_NAME'])]['required'] = 'true';
1478
1479             $column_def = 1;
1480             if ( strtolower($tablename) == 'relationships' ) {
1481                 $column_def = $this->getOne("select cdefault from syscolumns where id = object_id('relationships') and name = '$column_name'");
1482             }
1483             if ( $column_def != 0 && ($row['COLUMN_DEF'] != null)) {    // NOTE Not using !empty as an empty string may be a viable default value.
1484                 $matches = array();
1485                 $row['COLUMN_DEF'] = html_entity_decode($row['COLUMN_DEF'],ENT_QUOTES);
1486                 if ( preg_match('/\([\(|\'](.*)[\)|\']\)/i',$row['COLUMN_DEF'],$matches) )
1487                     $columns[$column_name]['default'] = $matches[1];
1488                 elseif ( preg_match('/\(N\'(.*)\'\)/i',$row['COLUMN_DEF'],$matches) )
1489                     $columns[$column_name]['default'] = $matches[1];
1490                 else
1491                     $columns[$column_name]['default'] = $row['COLUMN_DEF'];
1492             }
1493         }
1494         return $columns;
1495     }
1496
1497
1498     /**
1499      * Get FTS catalog name for current DB
1500      */
1501     protected function ftsCatalogName()
1502     {
1503         if(isset($this->connectOptions['db_name'])) {
1504             return $this->connectOptions['db_name']."_fts_catalog";
1505         }
1506         return 'sugar_fts_catalog';
1507     }
1508
1509     /**
1510      * @see DBManager::add_drop_constraint()
1511      */
1512     public function add_drop_constraint($table, $definition, $drop = false)
1513     {
1514         $type         = $definition['type'];
1515         $fields       = is_array($definition['fields'])?implode(',',$definition['fields']):$definition['fields'];
1516         $name         = $definition['name'];
1517         $sql          = '';
1518
1519         switch ($type){
1520         // generic indices
1521         case 'index':
1522         case 'alternate_key':
1523             if ($drop)
1524                 $sql = "DROP INDEX {$name} ON {$table}";
1525             else
1526                 $sql = "CREATE INDEX {$name} ON {$table} ({$fields})";
1527             break;
1528         case 'clustered':
1529             if ($drop)
1530                 $sql = "DROP INDEX {$name} ON {$table}";
1531             else
1532                 $sql = "CREATE CLUSTERED INDEX $name ON $table ($fields)";
1533             break;
1534             // constraints as indices
1535         case 'unique':
1536             if ($drop)
1537                 $sql = "ALTER TABLE {$table} DROP CONSTRAINT $name";
1538             else
1539                 $sql = "ALTER TABLE {$table} ADD CONSTRAINT {$name} UNIQUE ({$fields})";
1540             break;
1541         case 'primary':
1542             if ($drop)
1543                 $sql = "ALTER TABLE {$table} DROP PRIMARY KEY";
1544             else
1545                 $sql = "ALTER TABLE {$table} ADD CONSTRAINT {$name} PRIMARY KEY ({$fields})";
1546             break;
1547         case 'foreign':
1548             if ($drop)
1549                 $sql = "ALTER TABLE {$table} DROP FOREIGN KEY ({$fields})";
1550             else
1551                 $sql = "ALTER TABLE {$table} ADD CONSTRAINT {$name}  FOREIGN KEY ({$fields}) REFERENCES {$definition['foreignTable']}({$definition['foreignFields']})";
1552             break;
1553         case 'fulltext':
1554             if ($this->full_text_indexing_enabled() && $drop) {
1555                 $sql = "DROP FULLTEXT INDEX ON {$table}";
1556             } elseif ($this->full_text_indexing_enabled()) {
1557                 $catalog_name=$this->ftsCatalogName();
1558                 if ( isset($definition['catalog_name']) && $definition['catalog_name'] != 'default')
1559                     $catalog_name = $definition['catalog_name'];
1560
1561                 $language = "Language 1033";
1562                 if (isset($definition['language']) && !empty($definition['language']))
1563                     $language = "Language " . $definition['language'];
1564
1565                 $key_index = $definition['key_index'];
1566
1567                 $change_tracking = "auto";
1568                 if (isset($definition['change_tracking']) && !empty($definition['change_tracking']))
1569                     $change_tracking = $definition['change_tracking'];
1570
1571                 $sql = " CREATE FULLTEXT INDEX ON $table ($fields $language) KEY INDEX $key_index ON $catalog_name WITH CHANGE_TRACKING $change_tracking" ;
1572             }
1573             break;
1574         }
1575         return $sql;
1576     }
1577
1578     /**
1579      * Returns true if Full Text Search is installed
1580      *
1581      * @return bool
1582      */
1583     public function full_text_indexing_installed()
1584     {
1585         $ftsChckRes = $this->getOne("SELECT FULLTEXTSERVICEPROPERTY('IsFulltextInstalled') as fts");
1586         return !empty($ftsChckRes);
1587     }
1588
1589     /**
1590      * @see DBManager::full_text_indexing_enabled()
1591      */
1592     protected function full_text_indexing_enabled($dbname = null)
1593     {
1594         // check to see if we already have install setting in session
1595         if(!isset($_SESSION['IsFulltextInstalled']))
1596             $_SESSION['IsFulltextInstalled'] = $this->full_text_indexing_installed();
1597
1598         // check to see if FTS Indexing service is installed
1599         if(empty($_SESSION['IsFulltextInstalled']))
1600             return false;
1601
1602         // grab the dbname if it was not passed through
1603                 if (empty($dbname)) {
1604                         global $sugar_config;
1605                         $dbname = $sugar_config['dbconfig']['db_name'];
1606                 }
1607         //we already know that Indexing service is installed, now check
1608         //to see if it is enabled
1609                 $res = $this->getOne("SELECT DATABASEPROPERTY('$dbname', 'IsFulltextEnabled') ftext");
1610         return !empty($res);
1611         }
1612
1613     /**
1614      * Creates default full text catalog
1615      */
1616         protected function create_default_full_text_catalog()
1617     {
1618                 if ($this->full_text_indexing_enabled()) {
1619                     $catalog = $this->ftsCatalogName();
1620             $GLOBALS['log']->debug("Creating the default catalog for full-text indexing, $catalog");
1621
1622             //drop catalog if exists.
1623                         $ret = $this->query("
1624                 if not exists(
1625                     select *
1626                         from sys.fulltext_catalogs
1627                         where name ='$catalog'
1628                         )
1629                 CREATE FULLTEXT CATALOG $catalog");
1630
1631                         if (empty($ret)) {
1632                                 $GLOBALS['log']->error("Error creating default full-text catalog, $catalog");
1633                         }
1634                 }
1635         }
1636
1637     /**
1638      * Function returns name of the constraint automatically generated by sql-server.
1639      * We request this for default, primary key, required
1640      *
1641      * @param  string $table
1642      * @param  string $column
1643      * @return string
1644      */
1645         private function get_field_default_constraint_name($table, $column = null)
1646     {
1647         static $results = array();
1648
1649         if ( empty($column) && isset($results[$table]) )
1650             return $results[$table];
1651
1652         $query = <<<EOQ
1653 select s.name, o.name, c.name dtrt, d.name ctrt
1654     from sys.default_constraints as d
1655         join sys.objects as o
1656             on o.object_id = d.parent_object_id
1657         join sys.columns as c
1658             on c.object_id = o.object_id and c.column_id = d.parent_column_id
1659         join sys.schemas as s
1660             on s.schema_id = o.schema_id
1661     where o.name = '$table'
1662 EOQ;
1663         if ( !empty($column) )
1664             $query .= " and c.name = '$column'";
1665         $res = $this->query($query);
1666         if ( !empty($column) ) {
1667             $row = $this->fetchByAssoc($res);
1668             if (!empty($row))
1669                 return $row['ctrt'];
1670         }
1671         else {
1672             $returnResult = array();
1673             while ( $row = $this->fetchByAssoc($res) )
1674                 $returnResult[$row['dtrt']] = $row['ctrt'];
1675             $results[$table] = $returnResult;
1676             return $returnResult;
1677         }
1678
1679         return null;
1680         }
1681
1682     /**
1683      * @see DBManager::massageFieldDef()
1684      */
1685     public function massageFieldDef(&$fieldDef, $tablename)
1686     {
1687         parent::massageFieldDef($fieldDef,$tablename);
1688
1689         if ($fieldDef['type'] == 'int')
1690             $fieldDef['len'] = '4';
1691
1692         if(empty($fieldDef['len']))
1693         {
1694             switch($fieldDef['type']) {
1695                 case 'bit'      :
1696                 case 'bool'     : $fieldDef['len'] = '1'; break;
1697                 case 'smallint' : $fieldDef['len'] = '2'; break;
1698                 case 'float'    : $fieldDef['len'] = '8'; break;
1699                 case 'varchar'  :
1700                 case 'nvarchar' :
1701                                   $fieldDef['len'] = $this->isTextType($fieldDef['dbType']) ? 'max' : '255';
1702                                   break;
1703                 case 'image'    : $fieldDef['len'] = '2147483647'; break;
1704                 case 'ntext'    : $fieldDef['len'] = '2147483646'; break;   // Note: this is from legacy code, don't know if this is correct
1705             }
1706         }
1707         if($fieldDef['type'] == 'decimal'
1708            && empty($fieldDef['precision'])
1709            && !strpos($fieldDef['len'], ','))
1710         {
1711              $fieldDef['len'] .= ',0'; // Adding 0 precision if it is not specified
1712         }
1713
1714         if(empty($fieldDef['default'])
1715             && in_array($fieldDef['type'],array('bit','bool')))
1716         {
1717             $fieldDef['default'] = '0';
1718         }
1719                 if (isset($fieldDef['required']) && $fieldDef['required'] && !isset($fieldDef['default']) )
1720                         $fieldDef['default'] = '';
1721 //        if ($fieldDef['type'] == 'bit' && empty($fieldDef['len']) )
1722 //            $fieldDef['len'] = '1';
1723 //              if ($fieldDef['type'] == 'bool' && empty($fieldDef['len']) )
1724 //            $fieldDef['len'] = '1';
1725 //        if ($fieldDef['type'] == 'float' && empty($fieldDef['len']) )
1726 //            $fieldDef['len'] = '8';
1727 //        if ($fieldDef['type'] == 'varchar' && empty($fieldDef['len']) )
1728 //            $fieldDef['len'] = '255';
1729 //              if ($fieldDef['type'] == 'nvarchar' && empty($fieldDef['len']) )
1730 //            $fieldDef['len'] = '255';
1731 //        if ($fieldDef['type'] == 'image' && empty($fieldDef['len']) )
1732 //            $fieldDef['len'] = '2147483647';
1733 //        if ($fieldDef['type'] == 'ntext' && empty($fieldDef['len']) )
1734 //            $fieldDef['len'] = '2147483646';
1735 //        if ($fieldDef['type'] == 'smallint' && empty($fieldDef['len']) )
1736 //            $fieldDef['len'] = '2';
1737 //        if ($fieldDef['type'] == 'bit' && empty($fieldDef['default']) )
1738 //            $fieldDef['default'] = '0';
1739 //              if ($fieldDef['type'] == 'bool' && empty($fieldDef['default']) )
1740 //            $fieldDef['default'] = '0';
1741
1742     }
1743
1744     /**
1745      * @see DBManager::oneColumnSQLRep()
1746      */
1747     protected function oneColumnSQLRep($fieldDef, $ignoreRequired = false, $table = '', $return_as_array = false)
1748     {
1749         //Bug 25814
1750                 if(isset($fieldDef['name'])){
1751                     $colType = $this->getFieldType($fieldDef);
1752                 if(stristr($this->getFieldType($fieldDef), 'decimal') && isset($fieldDef['len'])){
1753                                 $fieldDef['len'] = min($fieldDef['len'],38);
1754                         }
1755                     //bug: 39690 float(8) is interpreted as real and this generates a diff when doing repair
1756                         if(stristr($colType, 'float') && isset($fieldDef['len']) && $fieldDef['len'] == 8){
1757                                 unset($fieldDef['len']);
1758                         }
1759                 }
1760
1761                 // always return as array for post-processing
1762                 $ref = parent::oneColumnSQLRep($fieldDef, $ignoreRequired, $table, true);
1763
1764                 // Bug 24307 - Don't add precision for float fields.
1765                 if ( stristr($ref['colType'],'float') )
1766                         $ref['colType'] = preg_replace('/(,\d+)/','',$ref['colType']);
1767
1768         if ( $return_as_array )
1769             return $ref;
1770         else
1771             return "{$ref['name']} {$ref['colType']} {$ref['default']} {$ref['required']} {$ref['auto_increment']}";
1772         }
1773
1774     /**
1775      * Saves changes to module's audit table
1776      *
1777      * @param object $bean    Sugarbean instance
1778      * @param array  $changes changes
1779      */
1780     public function save_audit_records(SugarBean $bean, $changes)
1781         {
1782                 //Bug 25078 fixed by Martin Hu: sqlserver haven't 'date' type, trim extra "00:00:00"
1783                 if($changes['data_type'] == 'date'){
1784                         $changes['before'] = str_replace(' 00:00:00','',$changes['before']);
1785                 }
1786                 parent::save_audit_records($bean,$changes);
1787         }
1788
1789     /**
1790      * Disconnects from the database
1791      *
1792      * Also handles any cleanup needed
1793      */
1794     public function disconnect()
1795     {
1796         $GLOBALS['log']->debug('Calling Mssql::disconnect()');
1797         if(!empty($this->database)){
1798             $this->freeResult();
1799             mssql_close($this->database);
1800             $this->database = null;
1801         }
1802     }
1803
1804     /**
1805      * @see DBManager::freeDbResult()
1806      */
1807     protected function freeDbResult($dbResult)
1808     {
1809         if(!empty($dbResult))
1810             mssql_free_result($dbResult);
1811     }
1812
1813         /**
1814          * (non-PHPdoc)
1815          * @see DBManager::lastDbError()
1816          */
1817     public function lastDbError()
1818     {
1819         $sqlmsg = mssql_get_last_message();
1820         if(empty($sqlmsg)) return false;
1821         global $app_strings;
1822         if (empty($app_strings)
1823                     or !isset($app_strings['ERR_MSSQL_DB_CONTEXT'])
1824                         or !isset($app_strings['ERR_MSSQL_WARNING']) ) {
1825         //ignore the message from sql-server if $app_strings array is empty. This will happen
1826         //only if connection if made before language is set.
1827                     return false;
1828         }
1829
1830         $sqlpos = strpos($sqlmsg, 'Changed database context to');
1831         $sqlpos2 = strpos($sqlmsg, 'Warning:');
1832         $sqlpos3 = strpos($sqlmsg, 'Checking identity information:');
1833         if ( $sqlpos !== false || $sqlpos2 !== false || $sqlpos3 !== false ) {
1834             return false;
1835         } else {
1836                 global $app_strings;
1837             //ERR_MSSQL_DB_CONTEXT: localized version of 'Changed database context to' message
1838             if (empty($app_strings) or !isset($app_strings['ERR_MSSQL_DB_CONTEXT'])) {
1839                 //ignore the message from sql-server if $app_strings array is empty. This will happen
1840                 //only if connection if made before languge is set.
1841                 $GLOBALS['log']->debug("Ignoring this database message: " . $sqlmsg);
1842                 return false;
1843             }
1844             else {
1845                 $sqlpos = strpos($sqlmsg, $app_strings['ERR_MSSQL_DB_CONTEXT']);
1846                 if ( $sqlpos !== false )
1847                     return false;
1848             }
1849         }
1850
1851         if ( strlen($sqlmsg) > 2 ) {
1852                 return "SQL Server error: " . $sqlmsg;
1853         }
1854
1855         return false;
1856     }
1857
1858     /**
1859      * (non-PHPdoc)
1860      * @see DBManager::getDbInfo()
1861      */
1862     public function getDbInfo()
1863     {
1864         return array("version" => $this->version());
1865     }
1866
1867     /**
1868      * (non-PHPdoc)
1869      * @see DBManager::validateQuery()
1870      */
1871     public function validateQuery($query)
1872     {
1873         if(!$this->isSelect($query)) {
1874             return false;
1875         }
1876         $this->query("SET SHOWPLAN_TEXT ON");
1877         $res = $this->getOne($query);
1878         $this->query("SET SHOWPLAN_TEXT OFF");
1879         return !empty($res);
1880     }
1881
1882     /**
1883      * This is a utility function to prepend the "N" character in front of SQL values that are
1884      * surrounded by single quotes.
1885      *
1886      * @param  $sql string SQL statement
1887      * @return string SQL statement with single quote values prepended with "N" character for nvarchar columns
1888      */
1889     protected function _appendN($sql)
1890     {
1891         // If there are no single quotes, don't bother, will just assume there is no character data
1892         if (strpos($sql, "'") === false)
1893             return $sql;
1894
1895         // Flag if there are odd number of single quotes, just continue without trying to append N
1896         if ((substr_count($sql, "'") & 1)) {
1897             $GLOBALS['log']->error("SQL statement[" . $sql . "] has odd number of single quotes.");
1898             return $sql;
1899         }
1900
1901         //The only location of three subsequent ' will be at the beginning or end of a value.
1902         $sql = preg_replace('/(?<!\')(\'{3})(?!\')/', "'<@#@#@PAIR@#@#@>", $sql);
1903
1904         // Remove any remaining '' and do not parse... replace later (hopefully we don't even have any)
1905         $pairs        = array();
1906         $regexp       = '/(\'{2})/';
1907         $pair_matches = array();
1908         preg_match_all($regexp, $sql, $pair_matches);
1909         if ($pair_matches) {
1910             foreach (array_unique($pair_matches[0]) as $key=>$value) {
1911                 $pairs['<@PAIR-'.$key.'@>'] = $value;
1912             }
1913             if (!empty($pairs)) {
1914                 $sql = str_replace($pairs, array_keys($pairs), $sql);
1915             }
1916         }
1917
1918         $regexp  = "/(N?'.+?')/is";
1919         $matches = array();
1920         preg_match_all($regexp, $sql, $matches);
1921         $replace = array();
1922         if (!empty($matches)) {
1923             foreach ($matches[0] as $value) {
1924                 // We are assuming that all nvarchar columns are no more than 200 characters in length
1925                 // One problem we face is the image column type in reports which cannot accept nvarchar data
1926                 if (!empty($value) && !is_numeric(trim(str_replace(array("'", ","), "", $value))) && !preg_match('/^\'[\,]\'$/', $value)) {
1927                     $replace[$value] = 'N' . trim($value, "N");
1928                 }
1929             }
1930         }
1931
1932         if (!empty($replace))
1933             $sql = str_replace(array_keys($replace), $replace, $sql);
1934
1935         if (!empty($pairs))
1936             $sql = str_replace(array_keys($pairs), $pairs, $sql);
1937
1938         if(strpos($sql, "<@#@#@PAIR@#@#@>"))
1939             $sql = str_replace(array('<@#@#@PAIR@#@#@>'), array("''"), $sql);
1940
1941         return $sql;
1942     }
1943
1944     /**
1945      * Quote SQL Server search term
1946      * @param string $term
1947      * @return string
1948      */
1949     protected function quoteTerm($term)
1950     {
1951         $term = str_replace("%", "*", $term); // Mssql wildcard is *
1952         return '"'.$term.'"';
1953     }
1954
1955     /**
1956      * Generate fulltext query from set of terms
1957      * @param string $fields Field to search against
1958      * @param array $terms Search terms that may be or not be in the result
1959      * @param array $must_terms Search terms that have to be in the result
1960      * @param array $exclude_terms Search terms that have to be not in the result
1961      */
1962     public function getFulltextQuery($field, $terms, $must_terms = array(), $exclude_terms = array())
1963     {
1964         $condition = $or_condition = array();
1965         foreach($must_terms as $term) {
1966             $condition[] = $this->quoteTerm($term);
1967         }
1968
1969         foreach($terms as $term) {
1970             $or_condition[] = $this->quoteTerm($term);
1971         }
1972
1973         if(!empty($or_condition)) {
1974             $condition[] = "(".join(" | ", $or_condition).")";
1975         }
1976
1977         foreach($exclude_terms as $term) {
1978             $condition[] = " NOT ".$this->quoteTerm($term);
1979         }
1980         $condition = $this->quoted(join(" AND ",$condition));
1981         return "CONTAINS($field, $condition)";
1982     }
1983
1984     /**
1985      * Check if certain database exists
1986      * @param string $dbname
1987      */
1988     public function dbExists($dbname)
1989     {
1990         $db = $this->getOne("SELECT name FROM master..sysdatabases WHERE name = N".$this->quoted($dbname));
1991         return !empty($db);
1992     }
1993
1994     /**
1995      * Select database
1996      * @param string $dbname
1997      */
1998     protected function selectDb($dbname)
1999     {
2000         return mssql_select_db($dbname);
2001     }
2002
2003     /**
2004      * Check if certain DB user exists
2005      * @param string $username
2006      */
2007     public function userExists($username)
2008     {
2009         $this->selectDb("master");
2010         $user = $this->getOne("select count(*) from sys.sql_logins where name =".$this->quoted($username));
2011         // FIXME: go back to the original DB
2012         return !empty($user);
2013     }
2014
2015     /**
2016      * Create DB user
2017      * @param string $database_name
2018      * @param string $host_name
2019      * @param string $user
2020      * @param string $password
2021      */
2022     public function createDbUser($database_name, $host_name, $user, $password)
2023     {
2024         $qpassword = $this->quote($password);
2025         $this->selectDb($database_name);
2026         $this->query("CREATE LOGIN $user WITH PASSWORD = '$qpassword'", true);
2027         $this->query("CREATE USER $user FOR LOGIN $user", true);
2028         $this->query("EXEC sp_addRoleMember 'db_ddladmin ', '$user'", true);
2029         $this->query("EXEC sp_addRoleMember 'db_datareader','$user'", true);
2030         $this->query("EXEC sp_addRoleMember 'db_datawriter','$user'", true);
2031     }
2032
2033     /**
2034      * Create a database
2035      * @param string $dbname
2036      */
2037     public function createDatabase($dbname)
2038     {
2039         return $this->query("CREATE DATABASE $dbname", true);
2040     }
2041
2042     /**
2043      * Drop a database
2044      * @param string $dbname
2045      */
2046     public function dropDatabase($dbname)
2047     {
2048         return $this->query("DROP DATABASE $dbname", true);
2049     }
2050
2051     /**
2052      * Check if this driver can be used
2053      * @return bool
2054      */
2055     public function valid()
2056     {
2057         return function_exists("mssql_connect");
2058     }
2059
2060     /**
2061      * Check if this DB name is valid
2062      *
2063      * @param string $name
2064      * @return bool
2065      */
2066     public function isDatabaseNameValid($name)
2067     {
2068         // No funny chars, does not begin with number
2069         return preg_match('/^[0-9#@]+|[\"\'\*\/\\?\:\\<\>\-\ \&\!\(\)\[\]\{\}\;\,\.\`\~\|\\\\]+/', $name)==0;
2070     }
2071
2072     public function installConfig()
2073     {
2074         return array(
2075                 'LBL_DBCONFIG_MSG3' =>  array(
2076                 "setup_db_database_name" => array("label" => 'LBL_DBCONF_DB_NAME', "required" => true),
2077             ),
2078             'LBL_DBCONFIG_MSG2' =>  array(
2079                 "setup_db_host_name" => array("label" => 'LBL_DBCONF_HOST_NAME', "required" => true),
2080                 "setup_db_host_instance" => array("label" => 'LBL_DBCONF_HOST_INSTANCE'),
2081             ),
2082             'LBL_DBCONF_TITLE_USER_INFO' => array(),
2083             'LBL_DBCONFIG_B_MSG1' => array(
2084                 "setup_db_admin_user_name" => array("label" => 'LBL_DBCONF_DB_ADMIN_USER', "required" => true),
2085                 "setup_db_admin_password" => array("label" => 'LBL_DBCONF_DB_ADMIN_PASSWORD', "type" => "password"),
2086             )
2087         );
2088     }
2089
2090     /**
2091      * Returns a DB specific FROM clause which can be used to select against functions.
2092      * Note that depending on the database that this may also be an empty string.
2093      * @return string
2094      */
2095     public function getFromDummyTable()
2096     {
2097         return '';
2098     }
2099
2100     /**
2101      * Returns a DB specific piece of SQL which will generate GUID (UUID)
2102      * This string can be used in dynamic SQL to do multiple inserts with a single query.
2103      * I.e. generate a unique Sugar id in a sub select of an insert statement.
2104      * @return string
2105      */
2106
2107         public function getGuidSQL()
2108     {
2109         return 'NEWID()';
2110     }
2111 }