From 2139ecdbe882dee32f60de5aec74ec2b8a509b7a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 11 Jan 2012 23:58:50 +0200 Subject: [PATCH 0001/3829] Added date_range() to the Date helper --- system/helpers/date_helper.php | 166 +++++++++++++++++- user_guide_src/source/changelog.rst | 3 +- user_guide_src/source/helpers/date_helper.rst | 24 +++ 3 files changed, 191 insertions(+), 2 deletions(-) diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index 9e58d863088..4a0791a4311 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -695,5 +695,169 @@ function timezones($tz = '') } } +// ------------------------------------------------------------------------ + +/** + * Date range + * + * Returns a list of dates within a specified period. + * + * @access public + * @param int unix_start UNIX timestamp of period start date + * @param int unix_end|days UNIX timestamp of period end date + * or interval in days. + * @param mixed is_unix Specifies wether the second @param + * is a UNIX timestamp or day interval + * - TRUE or 'unix' for a timestamp + * - FALSE or 'days' for an interval + * @param string date_format Output date format, same as in date() + * @return array + */ +if ( ! function_exists('date_range')) +{ + function date_range($unix_start = '', $mixed = '', $is_unix = TRUE, $format = 'Y-m-d') + { + if ($unix_start == '' OR $mixed == '' OR $format == '') + { + return FALSE; + } + + $is_unix = ! ( ! $is_unix OR $is_unix === 'days'); + + // Validate input and try strtotime() on invalid timestamps/intervals, just in case + if ( ( ! preg_match('/^[0-9]+$/', $unix_start) && ($unix_start = @strtotime($unix_time)) === FALSE) + OR ( ! preg_match('/^[0-9]+$/', $mixed) && ($is_unix === FALSE OR ($mixed = @strtotime($mixed)) === FALSE)) + OR ($is_unix === TRUE && $mixed < $unix_start)) + { + return FALSE; + } + + if ($is_unix && ($unix_start == $mixed OR date($format, $unix_start) === date($format, $mixed))) + { + return array($start_date); + } + + $range = array(); + + if (is_php('5.2')) + { + /* NOTE: Even though the DateTime object has many useful features, it appears that + * it doesn't always handle properly timezones, when timestamps are passed + * directly to its constructor. Neither of the following gave proper results: + * + * new DateTime('') + * new DateTime('', '') + * + * --- available in PHP 5.3: + * + * DateTime::createFromFormat('', '') + * DateTime::createFromFormat('', '', 'setTimestamp($unix_start); + if ($is_unix) + { + $arg = new DateTime(); + $arg->setTimestamp($mixed); + } + else + { + $arg = (int) $mixed; + } + $period = new DatePeriod($from, new DateInterval('P1D'), $arg); + $range = array(); + foreach ($period as $date) + { + $range[] = $date->format($format); + } + + /* If a period end date was passed to the DatePeriod constructor, it might not + * be in our results. Not sure if this is a bug or it's just possible because + * the end date might actually be less than 24 hours away from the previously + * generated DateTime object, but either way - we have to append it manually. + */ + if ( ! is_int($arg) && $range[count($range) - 1] !== $arg->format($format)) + { + $range[] = $arg->format($format); + } + + return $range; + } + + $from->setDate(date('Y', $unix_start), date('n', $unix_start), date('j', $unix_start)); + $from->setTime(date('G', $unix_start), date('i', $unix_start), date('s', $unix_start)); + if ($is_unix) + { + $arg = new DateTime(); + $arg->setDate(date('Y', $mixed), date('n', $mixed), date('j', $mixed)); + $arg->setTime(date('G', $mixed), date('i', $mixed), date('s', $mixed)); + } + else + { + $arg = (int) $mixed; + } + $range[] = $from->format($format); + + if (is_int($arg)) // Day intervals + { + do + { + $from->modify('+1 day'); + $range[] = $from->format($format); + } + while (--$arg > 0); + } + else // end date UNIX timestamp + { + for ($from->modify('+1 day'), $end_check = $arg->format('Ymd'); $from->format('Ymd') < $end_check; $from->modify('+1 day')) + { + $range[] = $from->format($format); + } + + // Our loop only appended dates prior to our end date + $range[] = $arg->format($format); + } + + return $range; + } + + /* ---------------------------------------------------------------------------------- + * PHP Version is < 5.2. We have no other option, but to calculate manually ... + * + * NOTE: If we do something like this: + * + * $unix_timestamp + 86400 + * + * ... due to DST, there's a possibility of calculation errors and/or incorrect + * hours generated (if the specified format displays such data) due to DST. + */ + + $from = $to = array(); + sscanf(date('Y-n-j G:i:s', $unix_start), '%d-%d-%d %d:%d:%d', $from['y'], $from['mo'], $from['d'], $from['h'], $from['mi'], $from['s']); + + // If we don't have the end timestamp, let mktime() calculate it + $unix_end = ($is_unix) ? (int) $mixed : mktime($from['h'], $from['mi'], $from['s'], $from['mo'], $from['d'] + $mixed, $from['y']); + + $end_check = date('Ymd', $unix_end); + while (date('Ymd', $unix_start = mktime($from['h'], $from['mi'], $from['s'], $from['mo'], $from['d'], $from['y'])) !== $end_check) + { + $range[] = date($format, $unix_start); + $from['d']++; + } + + // Our loop only appended dates prior to our end date + $range[] = date($format, $unix_end); + + return $range; + } +} + /* End of file date_helper.php */ -/* Location: ./system/helpers/date_helper.php */ \ No newline at end of file +/* Location: ./system/helpers/date_helper.php */ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 48011f208e3..613ef78817f 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -38,7 +38,8 @@ Release Date: Not Released - url_title() will now trim extra dashes from beginning and end. - Added XHTML Basic 1.1 doctype to :doc:`HTML Helper `. - - Changed humanize to include a second param for the separator. + - Changed humanize() to include a second param for the separator. + - Added date_range() to the :doc:`Date Helper `. - Database diff --git a/user_guide_src/source/helpers/date_helper.rst b/user_guide_src/source/helpers/date_helper.rst index ad06dd628f4..f965e61668d 100644 --- a/user_guide_src/source/helpers/date_helper.rst +++ b/user_guide_src/source/helpers/date_helper.rst @@ -296,6 +296,30 @@ Example If the second parameter is empty, the current year will be used. +date_range() +============ + +Returns a list of dates within a specified period. + +.. php:method:: date_range($unix_start = '', $mixed = '', $is_unix = TRUE, $format = 'Y-m-d') + + :param integer $unix_start: UNIX timestamp of the range start date + :param integer $mixed: UNIX timestamp of the range end date or interval in days + :param boolean $is_unix: set to FALSE if $mixed is not a timestamp + :param string $format: output date format, same as in date() + :returns: array + +Example + +:: + + $range = date_range('2012-01-01', '2012-01-15'); + echo "First 15 days of 2012:"; + foreach ($range as $date) + { + echo $date."\n"; + } + timezones() =========== From 4f553dfe20a3dcb2d384fe30210d85cf4f645de2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sun, 15 Jan 2012 15:03:02 +0200 Subject: [PATCH 0002/3829] Remove a space :) --- system/helpers/date_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index 4a0791a4311..7bec8079d5b 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -745,7 +745,7 @@ function date_range($unix_start = '', $mixed = '', $is_unix = TRUE, $format = 'Y * it doesn't always handle properly timezones, when timestamps are passed * directly to its constructor. Neither of the following gave proper results: * - * new DateTime('') + * new DateTime('') * new DateTime('', '') * * --- available in PHP 5.3: From 41cc0908918f48d948fe1e1fc9c74fdec58b7a60 Mon Sep 17 00:00:00 2001 From: Eric Roberts Date: Tue, 24 Jan 2012 00:59:44 -0600 Subject: [PATCH 0003/3829] Better support for using field names and rule parameters in error messages. --- .../language/english/form_validation_lang.php | 46 +++++++++---------- system/libraries/Form_validation.php | 25 +++++++++- .../source/libraries/form_validation.rst | 22 +++++---- 3 files changed, 60 insertions(+), 33 deletions(-) diff --git a/system/language/english/form_validation_lang.php b/system/language/english/form_validation_lang.php index 6afa37a291d..a1e02045fcc 100644 --- a/system/language/english/form_validation_lang.php +++ b/system/language/english/form_validation_lang.php @@ -25,29 +25,29 @@ * @filesource */ -$lang['required'] = "The %s field is required."; -$lang['isset'] = "The %s field must have a value."; -$lang['valid_email'] = "The %s field must contain a valid email address."; -$lang['valid_emails'] = "The %s field must contain all valid email addresses."; -$lang['valid_url'] = "The %s field must contain a valid URL."; -$lang['valid_ip'] = "The %s field must contain a valid IP."; -$lang['min_length'] = "The %s field must be at least %s characters in length."; -$lang['max_length'] = "The %s field cannot exceed %s characters in length."; -$lang['exact_length'] = "The %s field must be exactly %s characters in length."; -$lang['alpha'] = "The %s field may only contain alphabetical characters."; -$lang['alpha_numeric'] = "The %s field may only contain alpha-numeric characters."; -$lang['alpha_dash'] = "The %s field may only contain alpha-numeric characters, underscores, and dashes."; -$lang['numeric'] = "The %s field must contain only numbers."; -$lang['is_numeric'] = "The %s field must contain only numeric characters."; -$lang['integer'] = "The %s field must contain an integer."; -$lang['regex_match'] = "The %s field is not in the correct format."; -$lang['matches'] = "The %s field does not match the %s field."; -$lang['is_unique'] = "The %s field must contain a unique value."; -$lang['is_natural'] = "The %s field must contain only positive numbers."; -$lang['is_natural_no_zero'] = "The %s field must contain a number greater than zero."; -$lang['decimal'] = "The %s field must contain a decimal number."; -$lang['less_than'] = "The %s field must contain a number less than %s."; -$lang['greater_than'] = "The %s field must contain a number greater than %s."; +$lang['required'] = 'The {field} field is required.'; +$lang['isset'] = 'The {field} field must have a value.'; +$lang['valid_email'] = 'The {field} field must contain a valid email address.'; +$lang['valid_emails'] = 'The {field} field must contain all valid email addresses.'; +$lang['valid_url'] = 'The {field} field must contain a valid URL.'; +$lang['valid_ip'] = 'The {field} field must contain a valid IP.'; +$lang['min_length'] = 'The {field} field must be at least {param} characters in length.'; +$lang['max_length'] = 'The {field} field cannot exceed {param} characters in length.'; +$lang['exact_length'] = 'The {field} field must be exactly {param} characters in length.'; +$lang['alpha'] = 'The {field} field may only contain alphabetical characters.'; +$lang['alpha_numeric'] = 'The {field} field may only contain alpha-numeric characters.'; +$lang['alpha_dash'] = 'The {field} field may only contain alpha-numeric characters, underscores, and dashes.'; +$lang['numeric'] = 'The {field} field must contain only numbers.'; +$lang['is_numeric'] = 'The {field} field must contain only numeric characters.'; +$lang['integer'] = 'The {field} field must contain an integer.'; +$lang['regex_match'] = 'The {field} field is not in the correct format.'; +$lang['matches'] = 'The {field} field does not match the {param} field.'; +$lang['is_unique'] = 'The {field} field must contain a unique value.'; +$lang['is_natural'] = 'The {field} field must contain only positive numbers.'; +$lang['is_natural_no_zero'] = 'The {field} field must contain a number greater than zero.'; +$lang['decimal'] = 'The {field} field must contain a decimal number.'; +$lang['less_than'] = 'The {field} field must contain a number less than {param}.'; +$lang['greater_than'] = 'The {field} field must contain a number greater than {param}.'; /* End of file form_validation_lang.php */ diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 0a6a2af0d39..ebd96e40223 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -503,7 +503,7 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) } // Build the error message - $message = sprintf($line, $this->_translate_fieldname($row['label'])); + $message = $this->_build_error_msg($line, $this->_translate_fieldname($row['label'])); // Save the error message $this->_field_data[$row['field']]['error'] = $message; @@ -651,7 +651,7 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) } // Build the error message - $message = sprintf($line, $this->_translate_fieldname($row['label']), $param); + $message = $this->_build_error_msg($line, $this->_translate_fieldname($row['label']), $param); // Save the error message $this->_field_data[$row['field']]['error'] = $message; @@ -693,6 +693,27 @@ protected function _translate_fieldname($fieldname) return $fieldname; } + // -------------------------------------------------------------------- + + /** + * Build an error message using the field and param. + * + * @param string The error message line + * @param string A field's human name + * @param mixed A rule's optional parameter + * @return string + */ + protected function _build_error_msg($line, $field = '', $param = '') + { + // Check for %s in the string for legacy support. + if (strpos($line, '%s') !== false) + { + return sprintf($line, $field, $param); + } + + return str_replace(array('{field}', '{param}'), array($field, $param), $line); + } + // -------------------------------------------------------------------- /** diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index e7875bc22cf..bf06445f9a8 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -139,7 +139,6 @@ this code and save it to your applications/controllers/ folder:: } } } - ?> Try it! ======= @@ -240,7 +239,6 @@ Your controller should now look like this:: } } } - ?> Now submit the form with the fields blank and you should see the error messages. If you submit the form with all the fields populated you'll @@ -443,7 +441,6 @@ Here's how your controller should now look:: } } - ?> Reload your form and submit it with the word "test" as the username. You can see that the form field data was passed to your callback function @@ -466,7 +463,7 @@ Setting Error Messages ====================== All of the native error messages are located in the following language -file: language/english/form_validation_lang.php +file: system/language/english/form_validation_lang.php To set your own custom message you can either edit that file, or use the following function:: @@ -476,8 +473,18 @@ following function:: Where rule corresponds to the name of a particular rule, and Error Message is the text you would like displayed. -If you include %s in your error string, it will be replaced with the -"human" name you used for your field when you set your rules. +If you'd like to include a field's "human" name or the optional +parameter some rules allow for (such as max_length), you can add the +**{field}** and **{param}** tags to your message, respectively. + + $this->form_validation->set_message('min_length', '{field} must have at least {param} characters.'); + +On a field with the human name Username and a rule of min_length[5], an +error would display: "Username must have at least 5 characters." + +.. note:: The old method of using **%s** in your error messages will +still work, however it will override the tags above. You should use +one or the other. In the "callback" example above, the error message was set by passing the name of the function:: @@ -571,7 +578,7 @@ Try it! Change your form so that it looks like this:: If there are no errors, nothing will be shown. If there is an error, the message will appear. -**Important Note:** If you use an array as the name of a form field, you +.. note:: **Important Note:** If you use an array as the name of a form field, you must supply it as an array to the function. Example:: @@ -723,7 +730,6 @@ function named signup. Here's what your class might look like:: } } } - ?> In your validation config file, you will name your rule group member/signup:: From 8bbb38983b8052e32063244941315fe81199e024 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 21 Feb 2012 22:22:34 +0200 Subject: [PATCH 0004/3829] Removed a second/unnecessary variable initialization and fixed a comment --- system/helpers/date_helper.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index 7bec8079d5b..b186b2acb2a 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -771,8 +771,8 @@ function date_range($unix_start = '', $mixed = '', $is_unix = TRUE, $format = 'Y { $arg = (int) $mixed; } + $period = new DatePeriod($from, new DateInterval('P1D'), $arg); - $range = array(); foreach ($period as $date) { $range[] = $date->format($format); @@ -836,7 +836,7 @@ function date_range($unix_start = '', $mixed = '', $is_unix = TRUE, $format = 'Y * $unix_timestamp + 86400 * * ... due to DST, there's a possibility of calculation errors and/or incorrect - * hours generated (if the specified format displays such data) due to DST. + * hours generated (if the specified format displays such data). */ $from = $to = array(); From 30da39bb5d65c37203c12a42dfc50f7d231fb2d1 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 10 Mar 2012 15:49:17 +0200 Subject: [PATCH 0005/3829] Remove PHP 5.1 dependancy check --- system/helpers/date_helper.php | 152 +++++++++++++-------------------- 1 file changed, 60 insertions(+), 92 deletions(-) diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index a655c1f219b..cb15f6df6b9 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -739,121 +739,89 @@ function date_range($unix_start = '', $mixed = '', $is_unix = TRUE, $format = 'Y $range = array(); - if (is_php('5.2')) - { - /* NOTE: Even though the DateTime object has many useful features, it appears that - * it doesn't always handle properly timezones, when timestamps are passed - * directly to its constructor. Neither of the following gave proper results: - * - * new DateTime('') - * new DateTime('', '') - * - * --- available in PHP 5.3: - * - * DateTime::createFromFormat('', '') - * DateTime::createFromFormat('', '', 'setTimestamp($unix_start); - if ($is_unix) - { - $arg = new DateTime(); - $arg->setTimestamp($mixed); - } - else - { - $arg = (int) $mixed; - } - - $period = new DatePeriod($from, new DateInterval('P1D'), $arg); - foreach ($period as $date) - { - $range[] = $date->format($format); - } - - /* If a period end date was passed to the DatePeriod constructor, it might not - * be in our results. Not sure if this is a bug or it's just possible because - * the end date might actually be less than 24 hours away from the previously - * generated DateTime object, but either way - we have to append it manually. - */ - if ( ! is_int($arg) && $range[count($range) - 1] !== $arg->format($format)) - { - $range[] = $arg->format($format); - } - - return $range; - } + /* NOTE: Even though the DateTime object has many useful features, it appears that + * it doesn't always handle properly timezones, when timestamps are passed + * directly to its constructor. Neither of the following gave proper results: + * + * new DateTime('') + * new DateTime('', '') + * + * --- available in PHP 5.3: + * + * DateTime::createFromFormat('', '') + * DateTime::createFromFormat('', '', 'setDate(date('Y', $unix_start), date('n', $unix_start), date('j', $unix_start)); - $from->setTime(date('G', $unix_start), date('i', $unix_start), date('s', $unix_start)); + if (is_php('5.3')) + { + $from->setTimestamp($unix_start); if ($is_unix) { $arg = new DateTime(); - $arg->setDate(date('Y', $mixed), date('n', $mixed), date('j', $mixed)); - $arg->setTime(date('G', $mixed), date('i', $mixed), date('s', $mixed)); + $arg->setTimestamp($mixed); } else { $arg = (int) $mixed; } - $range[] = $from->format($format); - if (is_int($arg)) // Day intervals + $period = new DatePeriod($from, new DateInterval('P1D'), $arg); + foreach ($period as $date) { - do - { - $from->modify('+1 day'); - $range[] = $from->format($format); - } - while (--$arg > 0); + $range[] = $date->format($format); } - else // end date UNIX timestamp - { - for ($from->modify('+1 day'), $end_check = $arg->format('Ymd'); $from->format('Ymd') < $end_check; $from->modify('+1 day')) - { - $range[] = $from->format($format); - } - // Our loop only appended dates prior to our end date + /* If a period end date was passed to the DatePeriod constructor, it might not + * be in our results. Not sure if this is a bug or it's just possible because + * the end date might actually be less than 24 hours away from the previously + * generated DateTime object, but either way - we have to append it manually. + */ + if ( ! is_int($arg) && $range[count($range) - 1] !== $arg->format($format)) + { $range[] = $arg->format($format); } return $range; } - /* ---------------------------------------------------------------------------------- - * PHP Version is < 5.2. We have no other option, but to calculate manually ... - * - * NOTE: If we do something like this: - * - * $unix_timestamp + 86400 - * - * ... due to DST, there's a possibility of calculation errors and/or incorrect - * hours generated (if the specified format displays such data). - */ - - $from = $to = array(); - sscanf(date('Y-n-j G:i:s', $unix_start), '%d-%d-%d %d:%d:%d', $from['y'], $from['mo'], $from['d'], $from['h'], $from['mi'], $from['s']); - - // If we don't have the end timestamp, let mktime() calculate it - $unix_end = ($is_unix) ? (int) $mixed : mktime($from['h'], $from['mi'], $from['s'], $from['mo'], $from['d'] + $mixed, $from['y']); + $from->setDate(date('Y', $unix_start), date('n', $unix_start), date('j', $unix_start)); + $from->setTime(date('G', $unix_start), date('i', $unix_start), date('s', $unix_start)); + if ($is_unix) + { + $arg = new DateTime(); + $arg->setDate(date('Y', $mixed), date('n', $mixed), date('j', $mixed)); + $arg->setTime(date('G', $mixed), date('i', $mixed), date('s', $mixed)); + } + else + { + $arg = (int) $mixed; + } + $range[] = $from->format($format); - $end_check = date('Ymd', $unix_end); - while (date('Ymd', $unix_start = mktime($from['h'], $from['mi'], $from['s'], $from['mo'], $from['d'], $from['y'])) !== $end_check) + if (is_int($arg)) // Day intervals { - $range[] = date($format, $unix_start); - $from['d']++; + do + { + $from->modify('+1 day'); + $range[] = $from->format($format); + } + while (--$arg > 0); } + else // end date UNIX timestamp + { + for ($from->modify('+1 day'), $end_check = $arg->format('Ymd'); $from->format('Ymd') < $end_check; $from->modify('+1 day')) + { + $range[] = $from->format($format); + } - // Our loop only appended dates prior to our end date - $range[] = date($format, $unix_end); + // Our loop only appended dates prior to our end date + $range[] = $arg->format($format); + } return $range; } From ad97736d8249240cba802d33a24b7b11e02488cf Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 13 Mar 2012 12:51:50 +0200 Subject: [PATCH 0006/3829] Remove access description comment --- system/helpers/date_helper.php | 1 - 1 file changed, 1 deletion(-) diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index cb15f6df6b9..ead0d172395 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -702,7 +702,6 @@ function timezones($tz = '') * * Returns a list of dates within a specified period. * - * @access public * @param int unix_start UNIX timestamp of period start date * @param int unix_end|days UNIX timestamp of period end date * or interval in days. From 001a76409e4422fd56acfcbfe0315b91bb51983c Mon Sep 17 00:00:00 2001 From: Eric Roberts Date: Sat, 14 Apr 2012 16:41:13 -0500 Subject: [PATCH 0007/3829] Add mobile detection to robot user agents. --- system/libraries/User_agent.php | 1 + 1 file changed, 1 insertion(+) diff --git a/system/libraries/User_agent.php b/system/libraries/User_agent.php index b8e0d37fb33..7d91cc4d959 100644 --- a/system/libraries/User_agent.php +++ b/system/libraries/User_agent.php @@ -224,6 +224,7 @@ protected function _set_robot() { $this->is_robot = TRUE; $this->robot = $val; + $this->_set_mobile(); return TRUE; } } From b4a294d1f2d93b70059c0c40cf2d32760d3e4bc4 Mon Sep 17 00:00:00 2001 From: Eric Roberts Date: Sat, 14 Apr 2012 17:53:30 -0500 Subject: [PATCH 0008/3829] Fix a merge oopsie in the language file. --- .../language/english/form_validation_lang.php | 28 ------------------- 1 file changed, 28 deletions(-) diff --git a/system/language/english/form_validation_lang.php b/system/language/english/form_validation_lang.php index 36de4c36fcd..703f2e7bfee 100644 --- a/system/language/english/form_validation_lang.php +++ b/system/language/english/form_validation_lang.php @@ -25,7 +25,6 @@ * @filesource */ -<<<<<<< HEAD $lang['required'] = 'The {field} field is required.'; $lang['isset'] = 'The {field} field must have a value.'; $lang['valid_email'] = 'The {field} field must contain a valid email address.'; @@ -49,33 +48,6 @@ $lang['decimal'] = 'The {field} field must contain a decimal number.'; $lang['less_than'] = 'The {field} field must contain a number less than {param}.'; $lang['greater_than'] = 'The {field} field must contain a number greater than {param}.'; -======= -$lang['required'] = "The %s field is required."; -$lang['isset'] = "The %s field must have a value."; -$lang['valid_email'] = "The %s field must contain a valid email address."; -$lang['valid_emails'] = "The %s field must contain all valid email addresses."; -$lang['valid_url'] = "The %s field must contain a valid URL."; -$lang['valid_ip'] = "The %s field must contain a valid IP."; -$lang['min_length'] = "The %s field must be at least %s characters in length."; -$lang['max_length'] = "The %s field cannot exceed %s characters in length."; -$lang['exact_length'] = "The %s field must be exactly %s characters in length."; -$lang['alpha'] = "The %s field may only contain alphabetical characters."; -$lang['alpha_numeric'] = "The %s field may only contain alpha-numeric characters."; -$lang['alpha_dash'] = "The %s field may only contain alpha-numeric characters, underscores, and dashes."; -$lang['numeric'] = "The %s field must contain only numbers."; -$lang['is_numeric'] = "The %s field must contain only numeric characters."; -$lang['integer'] = "The %s field must contain an integer."; -$lang['regex_match'] = "The %s field is not in the correct format."; -$lang['matches'] = "The %s field does not match the %s field."; -$lang['is_unique'] = "The %s field must contain a unique value."; -$lang['is_natural'] = "The %s field must contain only positive numbers."; -$lang['is_natural_no_zero'] = "The %s field must contain a number greater than zero."; -$lang['decimal'] = "The %s field must contain a decimal number."; -$lang['less_than'] = "The %s field must contain a number less than %s."; -$lang['less_than_equal_to'] = "The %s field must contain a number less than or equal to %s."; -$lang['greater_than'] = "The %s field must contain a number greater than %s."; -$lang['greater_than_equal_to'] = "The %s field must contain a number greater than or equal to %s."; ->>>>>>> 0f2211711deceb74157d6811116acc0376d3157d /* End of file form_validation_lang.php */ From 0b05705c52c3bca7f9b3aee657c888e8ad1ff422 Mon Sep 17 00:00:00 2001 From: Eric Roberts Date: Sat, 14 Apr 2012 18:04:17 -0500 Subject: [PATCH 0009/3829] Combine this feature with Fix Issue #935 in another pull request. --- system/language/english/form_validation_lang.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/language/english/form_validation_lang.php b/system/language/english/form_validation_lang.php index 703f2e7bfee..3d77e5eda8b 100644 --- a/system/language/english/form_validation_lang.php +++ b/system/language/english/form_validation_lang.php @@ -43,8 +43,8 @@ $lang['regex_match'] = 'The {field} field is not in the correct format.'; $lang['matches'] = 'The {field} field does not match the {param} field.'; $lang['is_unique'] = 'The {field} field must contain a unique value.'; -$lang['is_natural'] = 'The {field} field must contain only positive numbers.'; -$lang['is_natural_no_zero'] = 'The {field} field must contain a number greater than zero.'; +$lang['is_natural'] = 'The {field} field must contain an ordinary number greater or equal to zero.'; +$lang['is_natural_no_zero'] = 'The {field} field must contain an ordinary number greater than zero.'; $lang['decimal'] = 'The {field} field must contain a decimal number.'; $lang['less_than'] = 'The {field} field must contain a number less than {param}.'; $lang['greater_than'] = 'The {field} field must contain a number greater than {param}.'; From 58dfc089bf5b0ca35c2ff244e5bfdff726f9adcd Mon Sep 17 00:00:00 2001 From: Melounek Date: Fri, 29 Jun 2012 08:43:47 +0200 Subject: [PATCH 0010/3829] added parameter for returned-path in Email::from() --- system/libraries/Email.php | 17 +++++++++++++---- user_guide_src/source/changelog.rst | 1 + user_guide_src/source/libraries/email.rst | 7 +++++++ 3 files changed, 21 insertions(+), 4 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index dd5477e05ba..9270d5fcaaa 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -188,7 +188,7 @@ public function clear($clear_attachments = FALSE) * @param string * @return object */ - public function from($from, $name = '') + public function from($from, $name = '', $return_path = '') { if (preg_match('/\<(.*)\>/', $from, $match)) { @@ -198,6 +198,10 @@ public function from($from, $name = '') if ($this->validate) { $this->validate_email($this->_str_to_array($from)); + if($return_path) + { + $this->validate_email($this->_str_to_array($return_path)); + } } // prepare the display name @@ -216,7 +220,12 @@ public function from($from, $name = '') } $this->set_header('From', $name.' <'.$from.'>'); - $this->set_header('Return-Path', '<'.$from.'>'); + + if(!$return_path) + { + $return_path = $from; + } + $this->set_header('Return-Path', '<'.$return_path.'>'); return $this; } @@ -1385,7 +1394,7 @@ protected function _send_with_mail() { // most documentation of sendmail using the "-f" flag lacks a space after it, however // we've encountered servers that seem to require it to be in place. - return mail($this->_recipients, $this->_subject, $this->_finalbody, $this->_header_str, '-f '.$this->clean_email($this->_headers['From'])); + return mail($this->_recipients, $this->_subject, $this->_finalbody, $this->_header_str, '-f '.$this->clean_email($this->_headers['Return-Path'])); } } @@ -1398,7 +1407,7 @@ protected function _send_with_mail() */ protected function _send_with_sendmail() { - $fp = @popen($this->mailpath.' -oi -f '.$this->clean_email($this->_headers['From']).' -t', 'w'); + $fp = @popen($this->mailpath.' -oi -f '.$this->clean_email($this->_headers['From']).' -t'.' -r '.$this->clean_email($this->_headers['Return-Path']), 'w'); if ($fp === FALSE OR $fp === NULL) { diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 28e2f94bb78..4f5915de859 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -138,6 +138,7 @@ Release Date: Not Released - CI_Loader::_ci_autoloader() is now a protected method. - Added custom filename to Email::attach() as $this->email->attach($filename, $disposition, $newname). - Added possibility to send attachment as buffer string in Email::attach() as $this->email->attach($buffer, $disposition, $newname, $mime). + - Added third parameter $return_path for method Email::from(). - :doc:`Cart library ` changes include: - It now auto-increments quantity's instead of just resetting it, this is the default behaviour of large e-commerce sites. - Product Name strictness can be disabled via the Cart Library by switching "$product_name_safe". diff --git a/user_guide_src/source/libraries/email.rst b/user_guide_src/source/libraries/email.rst index f99eb91df15..8d2549d1123 100644 --- a/user_guide_src/source/libraries/email.rst +++ b/user_guide_src/source/libraries/email.rst @@ -117,6 +117,13 @@ Sets the email address and name of the person sending the email:: $this->email->from('you@example.com', 'Your Name'); +:: + + $this->email->from('you@example.com', 'Your Name', 'returned_emails@example.com'); + +Third parameter is redirect for undelivered emails (may not be configured with +protocol 'smtp'). + $this->email->reply_to() ------------------------- From 6e7047576338e896a43a35eb2fa79136adc01d8d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 18 Jul 2012 00:46:33 +0300 Subject: [PATCH 0011/3829] Fix WHERE escaping/prefixing --- system/database/DB_driver.php | 17 +++- system/database/DB_query_builder.php | 121 +++++++++++++++++++-------- 2 files changed, 100 insertions(+), 38 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index d63a1d95597..b7c6b4e8e80 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1168,8 +1168,21 @@ protected function _has_operator($str) */ protected function _get_operator($str) { - return preg_match('/(=|!|<|>| IS NULL| IS NOT NULL| BETWEEN)/i', $str, $match) - ? $match[1] : FALSE; + static $_operators = array( + '\s*(?:<|>|!)?=\s*', // =, <=, >=, != + '\s*<>?\s*', // <, <> + '\s*>\s*', // > + '\s+IS NULL', // IS NULL + '\s+IS NOT NULL', // IS NOT NULL + '\s+LIKE\s+', // LIKE + '\s+NOT LIKE\s+', // NOT LIKE + '\s+BETWEEN\s+\S+\s+AND\s+\S+', // BETWEEN value AND value + '\s+IN\s*\([^\)]+\)', // IN(list) + '\s+NOT IN\s*\([^\)]+\)' // NOT IN (list) + ); + + return preg_match('/'.implode('|', $_operators).'/i', $str, $match) + ? $match[0] : FALSE; } // -------------------------------------------------------------------- diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 479b7f24a9b..92cb8c1d578 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -467,13 +467,6 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) ? $this->_group_get_type('') : $this->_group_get_type($type); - if ($escape === TRUE) - { - $k = (($op = $this->_get_operator($k)) !== FALSE) - ? $this->escape_identifiers(trim(substr($k, 0, strpos($k, $op)))).' '.strstr($k, $op) - : $this->escape_identifiers(trim($k)); - } - if (is_null($v) && ! $this->_has_operator($k)) { // value appears not to have been set, assign the test to IS NULL @@ -493,10 +486,11 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) } } - $this->qb_where[] = $prefix.$k.$v; + $this->qb_where[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); if ($this->qb_caching === TRUE) { - $this->qb_cache_where[] = $prefix.$k.$v; + // check this shit + $this->qb_cache_where[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); $this->qb_cache_exists[] = 'where'; } @@ -607,14 +601,13 @@ protected function _where_in($key = NULL, $values = NULL, $not = FALSE, $type = $this->qb_wherein[] = $this->escape($value); } - if ($escape === TRUE) - { - $key = $this->escape_identifiers(trim($key)); - } - $prefix = (count($this->qb_where) === 0) ? $this->_group_get_type('') : $this->_group_get_type($type); - $this->qb_where[] = $where_in = $prefix.$key.$not.' IN ('.implode(', ', $this->qb_wherein).') '; + $where_in = array( + 'condition' => $prefix.$key.$not.' IN('.implode(', ', $this->qb_wherein).')', + 'escape' => $escape + ); + $this->qb_where[] = $where_in; if ($this->qb_caching === TRUE) { $this->qb_cache_where[] = $where_in; @@ -769,11 +762,15 @@ public function group_start($not = '', $type = 'AND ') $this->qb_where_group_started = TRUE; $prefix = (count($this->qb_where) === 0 && count($this->qb_cache_where) === 0) ? '' : $type; - $this->qb_where[] = $value = $prefix.$not.str_repeat(' ', ++$this->qb_where_group_count).' ('; + $where = array( + 'condition' => $prefix.$not.str_repeat(' ', ++$this->qb_where_group_count).' (', + 'escape' => FALSE + ); + $this->qb_where[] = $where; if ($this->qb_caching) { - $this->qb_cache_where[] = $value; + $this->qb_cache_where[] = $where; } return $this; @@ -825,11 +822,15 @@ public function or_not_group_start() public function group_end() { $this->qb_where_group_started = FALSE; - $this->qb_where[] = $value = str_repeat(' ', $this->qb_where_group_count--) . ')'; + $where = array( + 'condition' => str_repeat(' ', $this->qb_where_group_count--).')', + 'escape' => FALSE + ); + $this->qb_where[] = $where; if ($this->qb_caching) { - $this->qb_cache_where[] = $value; + $this->qb_cache_where[] = $where; } return $this; @@ -2067,49 +2068,97 @@ protected function _compile_select($select_override = FALSE) $sql .= "\n".implode("\n", $this->qb_join); } - // Write the "WHERE" portion of the query - if (count($this->qb_where) > 0 OR count($this->qb_like) > 0) + $sql .= $this->_compile_conditions(); + + // Write the "LIMIT" portion of the query + if (is_numeric($this->qb_limit)) { - $sql .= "\nWHERE "; + return $this->_limit($sql."\n", $this->qb_limit, $this->qb_offset); } - $sql .= implode("\n", $this->qb_where); + return $sql; + } - // Write the "LIKE" portion of the query - if (count($this->qb_like) > 0) + // -------------------------------------------------------------------- + + /** + * Compile WHERE statement + * + * Escapes identifiers in WHERE, LIKE, HAVING, GROUP BY, ORDER BY + * statements at execution time. Required so that aliases are tracked + * properly, regardless of wether e.g. where() is called prior to + * join() and dbprefix is added only if needed. + * + * @return string + */ + protected function _compile_conditions() + { + // WHERE + if (count($this->qb_where) > 0) { - if (count($this->qb_where) > 0) + $sql = "\nWHERE "; + + for ($i = 0, $c = count($this->qb_where); $i < $c; $i++) { - $sql .= "\nAND "; + if ($this->qb_where[$i]['escape'] === FALSE) + { + $this->qb_where[$i] = $this->qb_where[$i]['condition']; + continue; + } + + $op = preg_quote($this->_get_operator($this->qb_where[$i]['condition'])); + if ( ! preg_match('/^(\s*(?:AND|OR)\s+)?(\(?)(.*)('.$op.')(.*(?qb_where[$i]['condition'], $matches)) + { + $this->qb_where[$i] = $this->qb_where[$i]['condition']; + continue; + } + + // $matches = array( + // 0 => 'OR (test <= foo)', /* the whole thing */ + // 1 => 'OR ', /* optional */ + // 2 => '(', /* optional */ + // 3 => 'test', /* the field name */ + // 4 => ' <= ', /* $op */ + // 5 => 'foo', /* optional, if $op is e.g. 'IS NULL' */ + // 6 => ')' /* optional */ + // ); + empty($matches[5]) OR $matches[5] = ' '.$this->protect_identifiers(trim($matches[5])); + $this->qb_where[$i] = $matches[1].$matches[2].$this->protect_identifiers(trim($matches[3])) + .' '.trim($matches[4]).$matches[5].$matches[6]; } + $sql .= implode("\n", $this->qb_where); + } + else + { + $sql = ''; + } + + // LIKE + if (count($this->qb_like) > 0) + { + $sql .= ($sql === '') ? "\nWHERE " : "\nAND "; $sql .= implode("\n", $this->qb_like); } - // Write the "GROUP BY" portion of the query + // GROUP BY if (count($this->qb_groupby) > 0) { $sql .= "\nGROUP BY ".implode(', ', $this->qb_groupby); } - // Write the "HAVING" portion of the query + // HAVING if (count($this->qb_having) > 0) { $sql .= "\nHAVING ".implode("\n", $this->qb_having); } - // Write the "ORDER BY" portion of the query + // ORDER BY if (count($this->qb_orderby) > 0) { $sql .= "\nORDER BY ".implode(', ', $this->qb_orderby); } - // Write the "LIMIT" portion of the query - if (is_numeric($this->qb_limit)) - { - return $this->_limit($sql."\n", $this->qb_limit, $this->qb_offset); - } - return $sql; } From ededc4a32a96315f18b7234153aa9cf7c87ca3ce Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 18 Jul 2012 01:16:15 +0300 Subject: [PATCH 0012/3829] Change _like() to append to the qb_where array --- system/database/DB_query_builder.php | 20 ++++++-------------- 1 file changed, 6 insertions(+), 14 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 92cb8c1d578..75da1c7926b 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -692,7 +692,7 @@ public function or_not_like($field, $match = '', $side = 'both') /** * Like * - * Called by like() or orlike() + * Called by like() or or_like() * * @param mixed * @param mixed @@ -708,8 +708,8 @@ protected function _like($field, $match = '', $type = 'AND ', $side = 'both', $n foreach ($field as $k => $v) { - $k = $this->protect_identifiers($k); - $prefix = (count($this->qb_like) === 0) ? $this->_group_get_type('') : $this->_group_get_type($type); + $prefix = (count($this->qb_where) === 0 && count($this->qb_cache_where) === 0) + ? $this->_group_get_type('') : $this->_group_get_type($type); $v = $this->escape_like_str($v); if ($side === 'none') @@ -735,13 +735,12 @@ protected function _like($field, $match = '', $type = 'AND ', $side = 'both', $n $like_statement = $like_statement.sprintf($this->_like_escape_str, $this->_like_escape_chr); } - $this->qb_like[] = $like_statement; + $this->qb_where[] = array('condition' => $like_statement, 'escape' => $this->_protect_identifiers); if ($this->qb_caching === TRUE) { - $this->qb_cache_like[] = $like_statement; - $this->qb_cache_exists[] = 'like'; + $this->qb_cache_where[] = $like_statement; + $this->qb_cache_exists[] = 'where'; } - } return $this; @@ -2134,13 +2133,6 @@ protected function _compile_conditions() $sql = ''; } - // LIKE - if (count($this->qb_like) > 0) - { - $sql .= ($sql === '') ? "\nWHERE " : "\nAND "; - $sql .= implode("\n", $this->qb_like); - } - // GROUP BY if (count($this->qb_groupby) > 0) { From b04786599e1b032078f1d3bdd8941405d47447a0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 18 Jul 2012 15:34:46 +0300 Subject: [PATCH 0013/3829] Remove dependancies on qb_like and remove unneeded parameters from _delete(), _like(), _update(), _update_batch() --- system/database/DB_driver.php | 53 ++++--- system/database/DB_query_builder.php | 147 +++++++++--------- .../database/drivers/cubrid/cubrid_driver.php | 10 +- .../database/drivers/ibase/ibase_driver.php | 36 +---- .../database/drivers/mssql/mssql_driver.php | 41 ++--- .../database/drivers/mysql/mysql_driver.php | 10 +- .../database/drivers/mysqli/mysqli_driver.php | 10 +- system/database/drivers/oci8/oci8_driver.php | 17 +- system/database/drivers/odbc/odbc_driver.php | 34 ++++ system/database/drivers/pdo/pdo_driver.php | 13 +- .../drivers/pdo/subdrivers/pdo_4d_driver.php | 37 +---- .../pdo/subdrivers/pdo_cubrid_driver.php | 10 +- .../pdo/subdrivers/pdo_dblib_driver.php | 41 ++--- .../pdo/subdrivers/pdo_firebird_driver.php | 36 +---- .../drivers/pdo/subdrivers/pdo_ibm_driver.php | 37 +---- .../pdo/subdrivers/pdo_informix_driver.php | 37 +---- .../pdo/subdrivers/pdo_mysql_driver.php | 10 +- .../drivers/pdo/subdrivers/pdo_oci_driver.php | 17 +- .../pdo/subdrivers/pdo_odbc_driver.php | 37 +---- .../pdo/subdrivers/pdo_pgsql_driver.php | 67 +++----- .../pdo/subdrivers/pdo_sqlsrv_driver.php | 41 ++--- .../drivers/postgre/postgre_driver.php | 69 +++----- .../database/drivers/sqlsrv/sqlsrv_driver.php | 41 ++--- 23 files changed, 297 insertions(+), 554 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index b7c6b4e8e80..10306d72171 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1118,31 +1118,19 @@ public function update_string($table, $data, $where) * Generates a platform-specific update string from the supplied data * * @param string the table name - * @param array the update data - * @param array the where clause - * @param array the orderby clause - * @param array the limit clause - * @param array the like clause * @return string */ - protected function _update($table, $values, $where, $orderby = array(), $limit = FALSE, $like = array()) + protected function _update($table, $values) { foreach ($values as $key => $val) { $valstr[] = $key.' = '.$val; } - $where = empty($where) ? '' : ' WHERE '.implode(' ', $where); - - if ( ! empty($like)) - { - $where .= ($where === '' ? ' WHERE ' : ' AND ').implode(' ', $like); - } - return 'UPDATE '.$table.' SET '.implode(', ', $valstr) - .$where - .(count($orderby) > 0 ? ' ORDER BY '.implode(', ', $orderby) : '') - .($limit ? ' LIMIT '.$limit : ''); + .$this->_compile_where() + .(empty($this->qb_orderby) ? '' : ' ORDER BY '.implode(', ', $this->qb_orderby)) + .($this->qb_limit ? ' LIMIT '.(int) $this->qb_limit : ''); } // -------------------------------------------------------------------- @@ -1155,7 +1143,7 @@ protected function _update($table, $values, $where, $orderby = array(), $limit = */ protected function _has_operator($str) { - return (bool) preg_match('/(\s|<|>|!|=|IS NULL|IS NOT NULL|BETWEEN)/i', trim($str)); + return (bool) preg_match('/(<|>|!|=|\sIS NULL|\sIS NOT NULL|\sBETWEEN|\sLIKE|\sIN\s*\(|\s)/i', trim($str)); } // -------------------------------------------------------------------- @@ -1169,18 +1157,29 @@ protected function _has_operator($str) protected function _get_operator($str) { static $_operators = array( - '\s*(?:<|>|!)?=\s*', // =, <=, >=, != - '\s*<>?\s*', // <, <> - '\s*>\s*', // > - '\s+IS NULL', // IS NULL - '\s+IS NOT NULL', // IS NOT NULL - '\s+LIKE\s+', // LIKE - '\s+NOT LIKE\s+', // NOT LIKE - '\s+BETWEEN\s+\S+\s+AND\s+\S+', // BETWEEN value AND value - '\s+IN\s*\([^\)]+\)', // IN(list) - '\s+NOT IN\s*\([^\)]+\)' // NOT IN (list) + '\s*(?:<|>|!)?=\s*', // =, <=, >=, != + '\s*<>?\s*', // <, <> + '\s*>\s*', // > + '\s+IS NULL', // IS NULL + '\s+IS NOT NULL', // IS NOT NULL + '\s+BETWEEN\s+\S+\s+AND\s+\S+', // BETWEEN value AND value + '\s+IN\s*\([^\)]+\)', // IN(list) + '\s+NOT IN\s*\([^\)]+\)' // NOT IN (list) + ); + + static $_like = array( + '\s+LIKE\s+\S+', // LIKE 'expr' + '\s+NOT LIKE\s+\S+', // NOT LIKE 'expr' ); + if ($this->_like_escape_str !== '') + { + $_like[0] .= preg_quote(trim(sprintf($this->_like_escape_str, $this->_like_escape_chr))); + $_like[1] .= preg_quote(trim(sprintf($this->_like_escape_str, $this->_like_escape_chr))); + } + + $_operators = array_merge($_operators, $_like); + return preg_match('/'.implode('|', $_operators).'/i', $str, $match) ? $match[0] : FALSE; } diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 75da1c7926b..29b75cd1d65 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -47,7 +47,6 @@ abstract class CI_DB_query_builder extends CI_DB_driver { protected $qb_from = array(); protected $qb_join = array(); protected $qb_where = array(); - protected $qb_like = array(); protected $qb_groupby = array(); protected $qb_having = array(); protected $qb_keys = array(); @@ -443,12 +442,12 @@ public function or_where($key, $value = NULL, $escape = NULL) /** * Where * - * Called by where() or or_where() + * Called by where(), or_where() * * @param mixed * @param mixed * @param string - * @param mixed + * @param bool * @return object */ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) @@ -477,7 +476,7 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) { if ($escape === TRUE) { - $v = ' '.$this->escape($v); + $v = ' '.(is_int($v) ? $v : $this->escape($v)); } if ( ! $this->_has_operator($k)) @@ -628,12 +627,14 @@ protected function _where_in($key = NULL, $values = NULL, $not = FALSE, $type = * multiple calls with AND * * @param mixed - * @param mixed + * @param string + * @param string + * @param bool * @return object */ - public function like($field, $match = '', $side = 'both') + public function like($field, $match = '', $side = 'both', $escape = NULL) { - return $this->_like($field, $match, 'AND ', $side); + return $this->_like($field, $match, 'AND ', $side, '', $escape); } // -------------------------------------------------------------------- @@ -645,12 +646,14 @@ public function like($field, $match = '', $side = 'both') * multiple calls with AND * * @param mixed - * @param mixed + * @param string + * @param string + * @param bool * @return object */ - public function not_like($field, $match = '', $side = 'both') + public function not_like($field, $match = '', $side = 'both', $escape = NULL) { - return $this->_like($field, $match, 'AND ', $side, 'NOT'); + return $this->_like($field, $match, 'AND ', $side, 'NOT', $escape); } // -------------------------------------------------------------------- @@ -662,12 +665,14 @@ public function not_like($field, $match = '', $side = 'both') * multiple calls with OR * * @param mixed - * @param mixed + * @param string + * @param string + * @param bool * @return object */ - public function or_like($field, $match = '', $side = 'both') + public function or_like($field, $match = '', $side = 'both', $escape = NULL) { - return $this->_like($field, $match, 'OR ', $side); + return $this->_like($field, $match, 'OR ', $side, '', $escape); } // -------------------------------------------------------------------- @@ -679,12 +684,14 @@ public function or_like($field, $match = '', $side = 'both') * multiple calls with OR * * @param mixed - * @param mixed + * @param string + * @param string + * @param bool * @return object */ - public function or_not_like($field, $match = '', $side = 'both') + public function or_not_like($field, $match = '', $side = 'both', $escape = NULL) { - return $this->_like($field, $match, 'OR ', $side, 'NOT'); + return $this->_like($field, $match, 'OR ', $side, 'NOT', $escape); } // -------------------------------------------------------------------- @@ -692,50 +699,55 @@ public function or_not_like($field, $match = '', $side = 'both') /** * Like * - * Called by like() or or_like() + * Called by like(), or_like(), not_like, or_not_like() * * @param mixed - * @param mixed * @param string + * @param string + * @param string + * @param string + * @param bool * @return object */ - protected function _like($field, $match = '', $type = 'AND ', $side = 'both', $not = '') + protected function _like($field, $match = '', $type = 'AND ', $side = 'both', $not = '', $escape = NULL) { if ( ! is_array($field)) { $field = array($field => $match); } + is_bool($escape) OR $escape = $this->_protect_identifiers; + $prefix = (count($this->qb_where) === 0 && count($this->qb_cache_where) === 0) + ? $this->_group_get_type('') : $this->_group_get_type($type); + foreach ($field as $k => $v) { - $prefix = (count($this->qb_where) === 0 && count($this->qb_cache_where) === 0) - ? $this->_group_get_type('') : $this->_group_get_type($type); $v = $this->escape_like_str($v); if ($side === 'none') { - $like_statement = "{$prefix} $k $not LIKE '{$v}'"; + $like_statement = "{$prefix} {$k} {$not} LIKE '{$v}'"; } elseif ($side === 'before') { - $like_statement = "{$prefix} $k $not LIKE '%{$v}'"; + $like_statement = "{$prefix} {$k} {$not} LIKE '%{$v}'"; } elseif ($side === 'after') { - $like_statement = "{$prefix} $k $not LIKE '{$v}%'"; + $like_statement = "{$prefix} {$k} {$not} LIKE '{$v}%'"; } else { - $like_statement = "{$prefix} $k $not LIKE '%{$v}%'"; + $like_statement = "{$prefix} {$k} {$not} LIKE '%{$v}%'"; } // some platforms require an escape sequence definition for LIKE wildcards if ($this->_like_escape_str !== '') { - $like_statement = $like_statement.sprintf($this->_like_escape_str, $this->_like_escape_chr); + $like_statement .= sprintf($this->_like_escape_str, $this->_like_escape_chr); } - $this->qb_where[] = array('condition' => $like_statement, 'escape' => $this->_protect_identifiers); + $this->qb_where[] = array('condition' => $like_statement, 'escape' => $escape); if ($this->qb_caching === TRUE) { $this->qb_cache_where[] = $like_statement; @@ -1558,7 +1570,7 @@ public function get_compiled_update($table = '', $reset = TRUE) return FALSE; } - $sql = $this->_update($this->protect_identifiers($this->qb_from[0], TRUE, NULL, FALSE), $this->qb_set, $this->qb_where, $this->qb_orderby, $this->qb_limit); + $sql = $this->_update($this->protect_identifiers($this->qb_from[0], TRUE, NULL, FALSE), $this->qb_set); if ($reset === TRUE) { @@ -1605,7 +1617,7 @@ public function update($table = '', $set = NULL, $where = NULL, $limit = NULL) $this->limit($limit); } - $sql = $this->_update($this->protect_identifiers($this->qb_from[0], TRUE, NULL, FALSE), $this->qb_set, $this->qb_where, $this->qb_orderby, $this->qb_limit, $this->qb_like); + $sql = $this->_update($this->protect_identifiers($this->qb_from[0], TRUE, NULL, FALSE), $this->qb_set); $this->_reset_write(); return $this->query($sql); @@ -1687,7 +1699,7 @@ public function update_batch($table = '', $set = NULL, $index = NULL) // Batch this baby for ($i = 0, $total = count($this->qb_set); $i < $total; $i += 100) { - $this->query($this->_update_batch($this->protect_identifiers($table, TRUE, NULL, FALSE), array_slice($this->qb_set, $i, 100), $this->protect_identifiers($index), $this->qb_where)); + $this->query($this->_update_batch($this->protect_identifiers($table, TRUE, NULL, FALSE), array_slice($this->qb_set, $i, 100), $this->protect_identifiers($index))); } $this->_reset_write(); @@ -1893,12 +1905,12 @@ public function delete($table = '', $where = '', $limit = NULL, $reset_data = TR $this->limit($limit); } - if (count($this->qb_where) === 0 && count($this->qb_wherein) === 0 && count($this->qb_like) === 0) + if (count($this->qb_where) === 0 && count($this->qb_wherein) === 0) { return ($this->db_debug) ? $this->display_error('db_del_must_use_where') : FALSE; } - $sql = $this->_delete($table, $this->qb_where, $this->qb_like, $this->qb_limit); + $sql = $this->_delete($table); if ($reset_data) { $this->_reset_write(); @@ -1915,21 +1927,12 @@ public function delete($table = '', $where = '', $limit = NULL, $reset_data = TR * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - - return 'DELETE FROM '.$table - .(count($conditions) > 0 ? ' WHERE '.implode(' AND ', $conditions) : '') - .($limit ? ' LIMIT '.(int) $limit : ''); + return 'DELETE FROM '.$table.$this->_compile_where() + .($this->qb_limit ? ' LIMIT '.(int) $this->qb_limit : ''); } // -------------------------------------------------------------------- @@ -2069,6 +2072,24 @@ protected function _compile_select($select_override = FALSE) $sql .= $this->_compile_conditions(); + // GROUP BY + if (count($this->qb_groupby) > 0) + { + $sql .= "\nGROUP BY ".implode(', ', $this->qb_groupby); + } + + // HAVING + if (count($this->qb_having) > 0) + { + $sql .= "\nHAVING ".implode("\n", $this->qb_having); + } + + // ORDER BY + if (count($this->qb_orderby) > 0) + { + $sql .= "\nORDER BY ".implode(', ', $this->qb_orderby); + } + // Write the "LIMIT" portion of the query if (is_numeric($this->qb_limit)) { @@ -2083,14 +2104,14 @@ protected function _compile_select($select_override = FALSE) /** * Compile WHERE statement * - * Escapes identifiers in WHERE, LIKE, HAVING, GROUP BY, ORDER BY - * statements at execution time. Required so that aliases are tracked - * properly, regardless of wether e.g. where() is called prior to - * join() and dbprefix is added only if needed. + * Escapes identifiers in WHERE statements at execution time. + * Required so that aliases are tracked properly, regardless of wether + * e.g. where() is called prior to join() and dbprefix is added only + * if needed. * * @return string */ - protected function _compile_conditions() + protected function _compile_where() { // WHERE if (count($this->qb_where) > 0) @@ -2126,32 +2147,10 @@ protected function _compile_conditions() .' '.trim($matches[4]).$matches[5].$matches[6]; } - $sql .= implode("\n", $this->qb_where); - } - else - { - $sql = ''; + return implode("\n", $this->qb_where); } - // GROUP BY - if (count($this->qb_groupby) > 0) - { - $sql .= "\nGROUP BY ".implode(', ', $this->qb_groupby); - } - - // HAVING - if (count($this->qb_having) > 0) - { - $sql .= "\nHAVING ".implode("\n", $this->qb_having); - } - - // ORDER BY - if (count($this->qb_orderby) > 0) - { - $sql .= "\nORDER BY ".implode(', ', $this->qb_orderby); - } - - return $sql; + return ''; } // -------------------------------------------------------------------- @@ -2363,7 +2362,6 @@ protected function _reset_select() 'qb_from' => array(), 'qb_join' => array(), 'qb_where' => array(), - 'qb_like' => array(), 'qb_groupby' => array(), 'qb_having' => array(), 'qb_orderby' => array(), @@ -2392,7 +2390,6 @@ protected function _reset_write() 'qb_set' => array(), 'qb_from' => array(), 'qb_where' => array(), - 'qb_like' => array(), 'qb_orderby' => array(), 'qb_keys' => array(), 'qb_limit' => FALSE diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php index a3d0287f5c2..e2ace332007 100644 --- a/system/database/drivers/cubrid/cubrid_driver.php +++ b/system/database/drivers/cubrid/cubrid_driver.php @@ -396,10 +396,10 @@ public function error() * * @param string the table name * @param array the update data - * @param array the where clause + * @param string the where key * @return string */ - protected function _update_batch($table, $values, $index, $where = NULL) + protected function _update_batch($table, $values, $index) { $ids = array(); foreach ($values as $key => $val) @@ -423,9 +423,9 @@ protected function _update_batch($table, $values, $index, $where = NULL) .'ELSE '.$k.' END, '; } - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2) - .' WHERE '.(($where !== '' && count($where) > 0) ? implode(' ', $where).' AND ' : '') - .$index.' IN ('.implode(',', $ids).')'; + $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); + + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php index c9027670d41..86c1fee6d73 100644 --- a/system/database/drivers/ibase/ibase_driver.php +++ b/system/database/drivers/ibase/ibase_driver.php @@ -328,29 +328,12 @@ protected function _from_tables($tables) * * @param string the table name * @param array the update data - * @param array the where clause - * @param array the orderby clause - * @param array the limit clause (ignored) - * @param array the like clause * @return string */ - protected function _update($table, $values, $where, $orderby = array(), $limit = FALSE, $like = array()) + protected function _update($table, $values) { - foreach ($values as $key => $val) - { - $valstr[] = $key.' = '.$val; - } - - $where = empty($where) ? '' : ' WHERE '.implode(' ', $where); - - if ( ! empty($like)) - { - $where .= ($where === '' ? ' WHERE ' : ' AND ').implode(' ', $like); - } - - return 'UPDATE '.$table.' SET '.implode(', ', $valstr) - .$where - .(count($orderby) > 0 ? ' ORDER BY '.implode(', ', $orderby) : ''); + $this->qb_limit = FALSE; + return parent::_update($table, $values); } // -------------------------------------------------------------------- @@ -379,19 +362,12 @@ protected function _truncate($table) * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause (ignored) * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - - return 'DELETE FROM '.$table.(count($conditions) > 0 ? ' WHERE '.implode(' AND ', $conditions) : ''); + $this->qb_limit = FALSE; + return parent::_delete($table); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index 1714704a84e..672c3161cc8 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -388,27 +388,13 @@ protected function _from_tables($tables) * * @param string the table name * @param array the update data - * @param array the where clause - * @param array the orderby clause (ignored) - * @param array the limit clause (ignored) - * @param array the like clause * @return string */ - protected function _update($table, $values, $where, $orderby = array(), $limit = FALSE, $like = array()) + protected function _update($table, $values) { - foreach($values as $key => $val) - { - $valstr[] = $key.' = '.$val; - } - - $where = empty($where) ? '' : ' WHERE '.implode(' ', $where); - - if ( ! empty($like)) - { - $where .= ($where === '' ? ' WHERE ' : ' AND ').implode(' ', $like); - } - - return 'UPDATE '.$table.' SET '.implode(', ', $valstr).' WHERE '.$where; + $this->qb_limit = FALSE; + $this->qb_orderby = array(); + return parent::_update($table, $values); } // -------------------------------------------------------------------- @@ -437,23 +423,16 @@ protected function _truncate($table) * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - - $conditions = (count($conditions) > 0) ? ' WHERE '.implode(' AND ', $conditions) : ''; + if ($this->qb_limit) + { + return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_where().') DELETE FROM ci_delete'; + } - return ($limit) - ? 'WITH ci_delete AS (SELECT TOP '.$limit.' * FROM '.$table.$conditions.') DELETE FROM ci_delete' - : 'DELETE FROM '.$table.$conditions; + return parent::_delete($table); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 29db9040894..634430665b1 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -420,10 +420,10 @@ public function error() * * @param string the table name * @param array the update data - * @param array the where clause + * @param string the where key * @return string */ - protected function _update_batch($table, $values, $index, $where = NULL) + protected function _update_batch($table, $values, $index) { $ids = array(); foreach ($values as $key => $val) @@ -447,9 +447,9 @@ protected function _update_batch($table, $values, $index, $where = NULL) .'ELSE '.$k.' END, '; } - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2) - .' WHERE '.(($where !== '' && count($where) > 0) ? implode(' ', $where).' AND ' : '') - .$index.' IN('.implode(',', $ids).')'; + $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); + + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index be61aab2090..5498aa24444 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -412,10 +412,10 @@ public function error() * * @param string the table name * @param array the update data - * @param array the where clause + * @param string the where key * @return string */ - protected function _update_batch($table, $values, $index, $where = NULL) + protected function _update_batch($table, $values, $index) { $ids = array(); foreach ($values as $key => $val) @@ -439,11 +439,9 @@ protected function _update_batch($table, $values, $index, $where = NULL) .'ELSE '.$k.' END, '; } - $where = ($where !== '' && count($where) > 0) ? implode(' ', $where).' AND ' : ''; + $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2) - .' WHERE '.(($where !== '' && count($where) > 0) ? implode(' ', $where).' AND ' : '') - .$index.' IN('.implode(',', $ids).')'; + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index 691247fee21..a0f26c257fc 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -611,20 +611,17 @@ protected function _truncate($table) * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - empty($limit) OR $conditions[] = 'rownum <= '.$limit; + if ($this->qb_limit) + { + $this->where('rownum <= ', (int) $this->qb_limit, FALSE); + $this->qb_limit = FALSE; + } - return 'DELETE FROM '.$table.(count($conditions) > 0 ? ' WHERE '.implode(' AND ', $conditions) : ''); + return parent::_delete($table); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index 8f0a474b042..f6240024513 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -306,6 +306,24 @@ protected function _from_tables($tables) // -------------------------------------------------------------------- + /** + * Update statement + * + * Generates a platform-specific update string from the supplied data + * + * @param string the table name + * @param array the update data + * @return string + */ + protected function _update($table, $values) + { + $this->qb_limit = FALSE; + $this->qb_orderby = array(); + return parent::_update($table, $values); + } + + // -------------------------------------------------------------------- + /** * Truncate statement * @@ -324,6 +342,22 @@ protected function _truncate($table) // -------------------------------------------------------------------- + /** + * Delete statement + * + * Generates a platform-specific delete string from the supplied data + * + * @param string the table name + * @return string + */ + protected function _delete($table) + { + $this->qb_limit = FALSE; + return parent::_delete($table); + } + + // -------------------------------------------------------------------- + /** * Close DB Connection * diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index b36a3d92780..a6e2a626495 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -360,14 +360,12 @@ public function error() * * @param string the table name * @param array the update data - * @param array the where clause + * @param string the where key * @return string */ - protected function _update_batch($table, $values, $index, $where = NULL) + protected function _update_batch($table, $values, $index) { $ids = array(); - $where = ($where !== '' && count($where) >=1) ? implode(" ", $where).' AND ' : ''; - foreach ($values as $key => $val) { $ids[] = $val[$index]; @@ -381,9 +379,7 @@ protected function _update_batch($table, $values, $index, $where = NULL) } } - $sql = 'UPDATE '.$table.' SET '; $cases = ''; - foreach ($final as $k => $v) { $cases .= $k.' = CASE '."\n"; @@ -396,10 +392,9 @@ protected function _update_batch($table, $values, $index, $where = NULL) $cases .= 'ELSE '.$k.' END, '; } - $sql .= substr($cases, 0, -2); - $sql .= ' WHERE '.$where.$index.' IN ('.implode(',', $ids).')'; + $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - return $sql; + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php index e287f5c6324..014112401a2 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php @@ -152,27 +152,13 @@ protected function _from_tables($tables) * * @param string the table name * @param array the update data - * @param array the where clause - * @param array the orderby clause (ignored) - * @param array the limit clause (ignored) - * @param array the like clause * @return string */ - protected function _update($table, $values, $where, $orderby = array(), $limit = FALSE, $like = array()) + protected function _update($table, $values) { - foreach ($values as $key => $val) - { - $valstr[] = $key.' = '.$val; - } - - $where = empty($where) ? '' : ' WHERE '.implode(' ', $where); - - if ( ! empty($like)) - { - $where .= ($where === '' ? ' WHERE ' : ' AND ').implode(' ', $like); - } - - return 'UPDATE '.$table.' SET '.implode(', ', $valstr).$where; + $this->qb_limit = FALSE; + $this->qb_orderby = array(); + return parent::_update($table, $values); } // -------------------------------------------------------------------- @@ -183,21 +169,12 @@ protected function _update($table, $values, $where, $orderby = array(), $limit = * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause (ignored) * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - - $conditions = (count($conditions) > 0) ? ' WHERE '.implode(' AND ', $conditions) : ''; - - return 'DELETE FROM '.$table.$conditions; + $this->qb_limit = FALSE; + return parent::_delete($table); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php index 05eeacfe6c3..be85c86449f 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php @@ -133,10 +133,10 @@ protected function _field_data($table) * * @param string the table name * @param array the update data - * @param array the where clause + * @param string the where key * @return string */ - protected function _update_batch($table, $values, $index, $where = NULL) + protected function _update_batch($table, $values, $index) { $ids = array(); foreach ($values as $key => $val) @@ -160,9 +160,9 @@ protected function _update_batch($table, $values, $index, $where = NULL) .'ELSE '.$k.' END), '; } - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2) - .' WHERE '.(($where !== '' && count($where) > 0) ? implode(' ', $where).' AND ' : '') - .$index.' IN('.implode(',', $ids).')'; + $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); + + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php index 7060c9eb9b5..6df9cc638ce 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php @@ -175,27 +175,13 @@ protected function _from_tables($tables) * * @param string the table name * @param array the update data - * @param array the where clause - * @param array the orderby clause (ignored) - * @param array the limit clause (ignored) - * @param array the like clause * @return string */ - protected function _update($table, $values, $where, $orderby = array(), $limit = FALSE, $like = array()) + protected function _update($table, $values) { - foreach ($values as $key => $val) - { - $valstr[] = $key.' = '.$val; - } - - $where = empty($where) ? '' : ' WHERE '.implode(' ', $where); - - if ( ! empty($like)) - { - $where .= ($where === '' ? ' WHERE ' : ' AND ').implode(' ', $like); - } - - return 'UPDATE '.$table.' SET '.implode(', ', $valstr).$where; + $this->qb_limit = FALSE; + $this->qb_orderby = array(); + return parent::_update($table, $values); } // -------------------------------------------------------------------- @@ -206,23 +192,16 @@ protected function _update($table, $values, $where, $orderby = array(), $limit = * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - - $conditions = (count($conditions) > 0) ? ' WHERE '.implode(' AND ', $conditions) : ''; + if ($this->qb_limit) + { + return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_where().') DELETE FROM ci_delete'; + } - return ($limit) - ? 'WITH ci_delete AS (SELECT TOP '.$limit.' * FROM '.$table.$conditions.') DELETE FROM ci_delete' - : 'DELETE FROM '.$table.$conditions; + return parent::_delete($table); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php index c074a9a78f1..ee21ed22f94 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php @@ -161,29 +161,12 @@ protected function _from_tables($tables) * * @param string the table name * @param array the update data - * @param array the where clause - * @param array the orderby clause - * @param array the limit clause (ignored) - * @param array the like clause * @return string */ - protected function _update($table, $values, $where, $orderby = array(), $limit = FALSE, $like = array()) + protected function _update($table, $values) { - foreach ($values as $key => $val) - { - $valstr[] = $key.' = '.$val; - } - - $where = empty($where) ? '' : ' WHERE '.implode(' ', $where); - - if ( ! empty($like)) - { - $where .= ($where === '' ? ' WHERE ' : ' AND ').implode(' ', $like); - } - - return 'UPDATE '.$table.' SET '.implode(', ', $valstr) - .$where - .(count($orderby) > 0 ? ' ORDER BY '.implode(', ', $orderby) : ''); + $this->qb_limit = FALSE; + return parent::_update($table, $values); } // -------------------------------------------------------------------- @@ -212,19 +195,12 @@ protected function _truncate($table) * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause (ignored) * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - - return 'DELETE FROM '.$table.(count($conditions) > 0 ? ' WHERE '.implode(' AND ', $conditions) : ''); + $this->qb_limit = FALSE; + return parent::_delete($table); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php index 832c03c96c7..7563a42d6a2 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php @@ -187,27 +187,13 @@ protected function _from_tables($tables) * * @param string the table name * @param array the update data - * @param array the where clause - * @param array the orderby clause (ignored) - * @param array the limit clause (ignored) - * @param array the like clause * @return string */ - protected function _update($table, $values, $where, $orderby = array(), $limit = FALSE, $like = array()) + protected function _update($table, $values) { - foreach ($values as $key => $val) - { - $valstr[] = $key.' = '.$val; - } - - $where = empty($where) ? '' : ' WHERE '.implode(' ', $where); - - if ( ! empty($like)) - { - $where .= ($where === '' ? ' WHERE ' : ' AND ').implode(' ', $like); - } - - return 'UPDATE '.$table.' SET '.implode(', ', $valstr).$where; + $this->qb_limit = FALSE; + $this->qb_orderby = array(); + return parent::_update($table, $values); } // -------------------------------------------------------------------- @@ -218,21 +204,12 @@ protected function _update($table, $values, $where, $orderby = array(), $limit = * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause (ignored) * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - - $conditions = (count($conditions) > 0) ? ' WHERE '.implode(' AND ', $conditions) : ''; - - return 'DELETE FROM '.$table.$conditions; + $this->qb_limit = FALSE; + return parent::_delete($table); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php index a3efc63dcfc..a6869a7d231 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php @@ -181,27 +181,13 @@ protected function _from_tables($tables) * * @param string the table name * @param array the update data - * @param array the where clause - * @param array the orderby clause (ignored) - * @param array the limit clause (ignored) - * @param array the like clause * @return string */ - protected function _update($table, $values, $where, $orderby = array(), $limit = FALSE, $like = array()) + protected function _update($table, $values) { - foreach ($values as $key => $val) - { - $valstr[] = $key.' = '.$val; - } - - $where = empty($where) ? '' : ' WHERE '.implode(' ', $where); - - if ( ! empty($like)) - { - $where .= ($where === '' ? ' WHERE ' : ' AND ').implode(' ', $like); - } - - return 'UPDATE '.$table.' SET '.implode(', ', $valstr).$where; + $this->qb_limit = FALSE; + $this->qb_orderby = array(); + return parent::_update($table, $values); } // -------------------------------------------------------------------- @@ -230,21 +216,12 @@ protected function _truncate($table) * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause (ignored) * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - - $conditions = (count($conditions) > 0) ? ' WHERE '.implode(' AND ', $conditions) : ''; - - return 'DELETE FROM '.$table.$conditions; + $this->qb_limit = FALSE; + return parent::_delete($table); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index 78afe246c2a..e10a8454573 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -161,10 +161,10 @@ protected function _field_data($table) * * @param string the table name * @param array the update data - * @param array the where clause + * @param string the where key * @return string */ - protected function _update_batch($table, $values, $index, $where = NULL) + protected function _update_batch($table, $values, $index) { $ids = array(); foreach ($values as $key => $val) @@ -188,9 +188,9 @@ protected function _update_batch($table, $values, $index, $where = NULL) .'ELSE '.$k.' END), '; } - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2) - .' WHERE '.(($where !== '' && count($where) > 0) ? implode(' ', $where).' AND ' : '') - .$index.' IN('.implode(',', $ids).')'; + $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); + + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php index 56ec1bce148..494d82c3f94 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php @@ -190,20 +190,17 @@ protected function _insert_batch($table, $keys, $values) * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - empty($limit) OR $conditions[] = 'rownum <= '.$limit; + if ($this->qb_limit) + { + $this->where('rownum <= ', (int) $this->qb_limit, FALSE); + $this->qb_limit = FALSE; + } - return 'DELETE FROM '.$table.(count($conditions) > 0 ? ' WHERE '.implode(' AND ', $conditions) : ''); + return parent::_delete($table); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php index 392754ff7a6..722acad89c7 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php @@ -179,27 +179,13 @@ protected function _from_tables($tables) * * @param string the table name * @param array the update data - * @param array the where clause - * @param array the orderby clause (ignored) - * @param array the limit clause (ignored) - * @param array the like clause * @return string */ - protected function _update($table, $values, $where, $orderby = array(), $limit = FALSE, $like = array()) + protected function _update($table, $values) { - foreach ($values as $key => $val) - { - $valstr[] = $key.' = '.$val; - } - - $where = empty($where) ? '' : ' WHERE '.implode(' ', $where); - - if ( ! empty($like)) - { - $where .= ($where === '' ? ' WHERE ' : ' AND ').implode(' ', $like); - } - - return 'UPDATE '.$table.' SET '.implode(', ', $valstr).$where; + $this->qb_limit = FALSE; + $this->qb_orderby = array(); + return parent::_update($table, $values); } // -------------------------------------------------------------------- @@ -228,21 +214,12 @@ protected function _truncate($table) * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - - $conditions = (count($conditions) > 0) ? ' WHERE '.implode(' AND ', $conditions) : ''; - - return 'DELETE FROM '.$table.$conditions; + $this->qb_limit = FALSE; + return parent::_delete($table); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php index 9a476f143df..d2afd1d71c4 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php @@ -164,27 +164,13 @@ protected function _from_tables($tables) * * @param string the table name * @param array the update data - * @param array the where clause - * @param array the orderby clause (ignored) - * @param array the limit clause (ignored) - * @param array the like clause * @return string */ - protected function _update($table, $values, $where, $orderby = array(), $limit = FALSE, $like = array()) + protected function _update($table, $values) { - foreach ($values as $key => $val) - { - $valstr[] = $key.' = '.$val; - } - - $where = empty($where) ? '' : ' WHERE '.implode(' ', $where); - - if ( ! empty($like)) - { - $where .= ($where === '' ? ' WHERE ' : ' AND ').implode(' ', $like); - } - - return 'UPDATE '.$table.' SET '.implode(', ', $valstr).$where; + $this->qb_limit = FALSE; + $this->qb_orderby = array(); + return parent::_update($table, $values); } // -------------------------------------------------------------------- @@ -196,10 +182,10 @@ protected function _update($table, $values, $where, $orderby = array(), $limit = * * @param string the table name * @param array the update data - * @param array the where clause + * @param string the where key * @return string */ - protected function _update_batch($table, $values, $index, $where = NULL) + protected function _update_batch($table, $values, $index) { $ids = array(); foreach ($values as $key => $val) @@ -218,14 +204,14 @@ protected function _update_batch($table, $values, $index, $where = NULL) $cases = ''; foreach ($final as $k => $v) { - $cases .= $k.' = (CASE '.$k."\n" + $cases .= $k.' = (CASE '.$index."\n" .implode("\n", $v)."\n" .'ELSE '.$k.' END), '; } - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2) - .' WHERE '.(($where !== '' && count($where) > 0) ? implode(' ', $where).' AND ' : '') - .$index.' IN('.implode(',', $ids).')'; + $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); + + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); } // -------------------------------------------------------------------- @@ -236,19 +222,12 @@ protected function _update_batch($table, $values, $index, $where = NULL) * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause (ignored) * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - - return 'DELETE FROM '.$table.(count($conditions) > 0 ? ' WHERE '.implode(' AND ', $conditions) : ''); + $this->qb_limit = FALSE; + return parent::_delete($table); } // -------------------------------------------------------------------- @@ -273,11 +252,12 @@ protected function _limit($sql, $limit, $offset) /** * Where * - * Called by where() or or_where() + * Called by where(), or_where() * * @param mixed * @param mixed * @param string + * @param bool * @return object */ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) @@ -296,10 +276,6 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) ? $this->_group_get_type('') : $this->_group_get_type($type); - $k = (($op = $this->_get_operator($k)) !== FALSE) - ? $this->protect_identifiers(substr($k, 0, strpos($k, $op)), FALSE, $escape).strstr($k, $op) - : $this->protect_identifiers($k, FALSE, $escape); - if (is_null($v) && ! $this->_has_operator($k)) { // value appears not to have been set, assign the test to IS NULL @@ -308,13 +284,13 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) if ( ! is_null($v)) { - if ($escape === TRUE) + if (is_bool($v)) { - $v = ' '.$this->escape($v); + $v = ' '.($v ? 'TRUE' : 'FALSE'); } - elseif (is_bool($v)) + elseif ($escape === TRUE) { - $v = ($v ? ' TRUE' : ' FALSE'); + $v = ' '.(is_int($v) ? $v : $this->escape($v)); } if ( ! $this->_has_operator($k)) @@ -323,10 +299,11 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) } } - $this->qb_where[] = $prefix.$k.$v; + $this->qb_where[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); if ($this->qb_caching === TRUE) { - $this->qb_cache_where[] = $prefix.$k.$v; + // check this shit + $this->qb_cache_where[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); $this->qb_cache_exists[] = 'where'; } diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php index f125b8f5062..1896225f00a 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php @@ -204,27 +204,13 @@ protected function _from_tables($tables) * * @param string the table name * @param array the update data - * @param array the where clause - * @param array the orderby clause (ignored) - * @param array the limit clause (ignored) - * @param array the like clause * @return string */ - protected function _update($table, $values, $where, $orderby = array(), $limit = FALSE, $like = array()) + protected function _update($table, $values) { - foreach ($values as $key => $val) - { - $valstr[] = $key.' = '.$val; - } - - $where = empty($where) ? '' : ' WHERE '.implode(' ', $where); - - if ( ! empty($like)) - { - $where .= ($where === '' ? ' WHERE ' : ' AND ').implode(' ', $like); - } - - return 'UPDATE '.$table.' SET '.implode(', ', $valstr).$where; + $this->qb_limit = FALSE; + $this->qb_orderby = array(); + return parent::_update($table, $values); } // -------------------------------------------------------------------- @@ -235,23 +221,16 @@ protected function _update($table, $values, $where, $orderby = array(), $limit = * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - - $conditions = (count($conditions) > 0) ? ' WHERE '.implode(' AND ', $conditions) : ''; + if ($this->qb_limit) + { + return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_where().') DELETE FROM ci_delete'; + } - return ($limit) - ? 'WITH ci_delete AS (SELECT TOP '.$limit.' * FROM '.$table.$conditions.') DELETE FROM ci_delete' - : 'DELETE FROM '.$table.$conditions; + return parent::_delete($table); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index 03174085117..15059f3d4ae 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -475,27 +475,13 @@ protected function _from_tables($tables) * * @param string the table name * @param array the update data - * @param array the where clause - * @param array the orderby clause (ignored) - * @param array the limit clause (ignored) - * @param array the like clause * @return string */ - protected function _update($table, $values, $where, $orderby = array(), $limit = FALSE, $like = array()) + protected function _update($table, $values) { - foreach ($values as $key => $val) - { - $valstr[] = $key.' = '.$val; - } - - $where = empty($where) ? '' : ' WHERE '.implode(' ', $where); - - if ( ! empty($like)) - { - $where .= ($where === '' ? ' WHERE ' : ' AND ').implode(' ', $like); - } - - return 'UPDATE '.$table.' SET '.implode(', ', $valstr).$where; + $this->qb_limit = FALSE; + $this->qb_orderby = array(); + return parent::_update($table, $values); } // -------------------------------------------------------------------- @@ -507,10 +493,10 @@ protected function _update($table, $values, $where, $orderby = array(), $limit = * * @param string the table name * @param array the update data - * @param array the where clause + * @param string the where key * @return string */ - protected function _update_batch($table, $values, $index, $where = NULL) + protected function _update_batch($table, $values, $index) { $ids = array(); foreach ($values as $key => $val) @@ -534,9 +520,9 @@ protected function _update_batch($table, $values, $index, $where = NULL) .'ELSE '.$k.' END), '; } - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2) - .' WHERE '.(($where !== '' && count($where) > 0) ? implode(' ', $where).' AND ' : '') - .$index.' IN('.implode(',', $ids).')'; + $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); + + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); } // -------------------------------------------------------------------- @@ -547,19 +533,12 @@ protected function _update_batch($table, $values, $index, $where = NULL) * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause (ignored) * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - - return 'DELETE FROM '.$table.(count($conditions) > 0 ? ' WHERE '.implode(' AND ', $conditions) : ''); + $this->qb_limit = FALSE; + return parent::_delete($table); } // -------------------------------------------------------------------- @@ -584,12 +563,12 @@ protected function _limit($sql, $limit, $offset) /** * Where * - * Called by where() or or_where() + * Called by where(), or_where() * * @param mixed * @param mixed * @param string - * @param mixed + * @param bool * @return object */ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) @@ -608,13 +587,6 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) ? $this->_group_get_type('') : $this->_group_get_type($type); - if ($escape === TRUE) - { - $k = (($op = $this->_get_operator($k)) !== FALSE) - ? $this->escape_identifiers(trim(substr($k, 0, strpos($k, $op)))).' '.strstr($k, $op) - : $this->escape_identifiers(trim($k)); - } - if (is_null($v) && ! $this->_has_operator($k)) { // value appears not to have been set, assign the test to IS NULL @@ -623,13 +595,13 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) if ( ! is_null($v)) { - if ($escape === TRUE) + if (is_bool($v)) { - $v = ' '.$this->escape($v); + $v = ' '.($v ? 'TRUE' : 'FALSE'); } - elseif (is_bool($v)) + elseif ($escape === TRUE) { - $v = ($v ? ' TRUE' : ' FALSE'); + $v = ' '.(is_int($v) ? $v : $this->escape($v)); } if ( ! $this->_has_operator($k)) @@ -638,10 +610,11 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) } } - $this->qb_where[] = $prefix.$k.$v; + $this->qb_where[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); if ($this->qb_caching === TRUE) { - $this->qb_cache_where[] = $prefix.$k.$v; + // check this shit + $this->qb_cache_where[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); $this->qb_cache_exists[] = 'where'; } diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index 8bd18bd76a5..6baa152e825 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -384,27 +384,13 @@ protected function _from_tables($tables) * * @param string the table name * @param array the update data - * @param array the where clause - * @param array the orderby clause (ignored) - * @param array the limit clause (ignored) - * @param array the like clause * @return string */ - protected function _update($table, $values, $where, $orderby = array(), $limit = FALSE, $like = array()) + protected function _update($table, $values) { - foreach ($values as $key => $val) - { - $valstr[] = $key.' = '.$val; - } - - $where = empty($where) ? '' : ' WHERE '.implode(' ', $where); - - if ( ! empty($like)) - { - $where .= ($where === '' ? ' WHERE ' : ' AND ').implode(' ', $like); - } - - return 'UPDATE '.$table.' SET '.implode(', ', $valstr).$where; + $this->qb_limit = FALSE; + $this->qb_orderby = array(); + return parent::_update($table, $values); } // -------------------------------------------------------------------- @@ -433,23 +419,16 @@ protected function _truncate($table) * Generates a platform-specific delete string from the supplied data * * @param string the table name - * @param array the where clause - * @param array the like clause - * @param string the limit clause * @return string */ - protected function _delete($table, $where = array(), $like = array(), $limit = FALSE) + protected function _delete($table) { - $conditions = array(); - - empty($where) OR $conditions[] = implode(' ', $where); - empty($like) OR $conditions[] = implode(' ', $like); - - $conditions = (count($conditions) > 0) ? ' WHERE '.implode(' AND ', $conditions) : ''; + if ($this->qb_limit) + { + return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_where().') DELETE FROM ci_delete'; + } - return ($limit) - ? 'WITH ci_delete AS (SELECT TOP '.$limit.' * FROM '.$table.$conditions.') DELETE FROM ci_delete' - : 'DELETE FROM '.$table.$conditions; + return parent::_delete($table); } // -------------------------------------------------------------------- From d40459d94f91219f080caabebd627fdc319b0f42 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 18 Jul 2012 16:46:39 +0300 Subject: [PATCH 0014/3829] Merge where() and having() logic - it's structurally identical and only the keyword differs --- system/database/DB_query_builder.php | 124 ++++++------------ .../database/drivers/cubrid/cubrid_driver.php | 2 +- .../database/drivers/mssql/mssql_driver.php | 2 +- .../database/drivers/mysql/mysql_driver.php | 2 +- .../database/drivers/mysqli/mysqli_driver.php | 2 +- system/database/drivers/pdo/pdo_driver.php | 2 +- .../pdo/subdrivers/pdo_cubrid_driver.php | 2 +- .../pdo/subdrivers/pdo_dblib_driver.php | 2 +- .../pdo/subdrivers/pdo_mysql_driver.php | 2 +- .../pdo/subdrivers/pdo_pgsql_driver.php | 20 +-- .../pdo/subdrivers/pdo_sqlsrv_driver.php | 2 +- .../drivers/postgre/postgre_driver.php | 20 +-- .../database/drivers/sqlsrv/sqlsrv_driver.php | 2 +- 13 files changed, 69 insertions(+), 115 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 29b75cd1d65..34a77c5519a 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -416,7 +416,7 @@ public function join($table, $cond, $type = '', $escape = NULL) */ public function where($key, $value = NULL, $escape = NULL) { - return $this->_where($key, $value, 'AND ', $escape); + return $this->_wh('qb_where', $key, $value, 'AND ', $escape); } // -------------------------------------------------------------------- @@ -434,24 +434,27 @@ public function where($key, $value = NULL, $escape = NULL) */ public function or_where($key, $value = NULL, $escape = NULL) { - return $this->_where($key, $value, 'OR ', $escape); + return $this->_wh('qb_where', $key, $value, 'OR ', $escape); } // -------------------------------------------------------------------- /** - * Where + * WHERE, HAVING * - * Called by where(), or_where() + * Called by where(), or_where(), having(), or_having() * + * @param string 'qb_where' or 'qb_having' * @param mixed * @param mixed * @param string * @param bool * @return object */ - protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) + protected function _wh($qb_key, $key, $value = NULL, $type = 'AND ', $escape = NULL) { + $qb_cache_key = ($qb_key === 'qb_having') ? 'qb_cache_having' : 'qb_cache_where'; + if ( ! is_array($key)) { $key = array($key => $value); @@ -462,7 +465,7 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) foreach ($key as $k => $v) { - $prefix = (count($this->qb_where) === 0 && count($this->qb_cache_where) === 0) + $prefix = (count($this->$qb_key) === 0 && count($this->$qb_cache_key) === 0) ? $this->_group_get_type('') : $this->_group_get_type($type); @@ -485,12 +488,11 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) } } - $this->qb_where[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); + $this->{$qb_key}[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); if ($this->qb_caching === TRUE) { - // check this shit - $this->qb_cache_where[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); - $this->qb_cache_exists[] = 'where'; + $this->{$qb_cache_key}[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); + $this->qb_cache_exists[] = substr($qb_key, 3); } } @@ -916,7 +918,7 @@ public function group_by($by) */ public function having($key, $value = '', $escape = NULL) { - return $this->_having($key, $value, 'AND ', $escape); + return $this->_wh('qb_having', $key, $value, 'AND ', $escape); } // -------------------------------------------------------------------- @@ -933,58 +935,7 @@ public function having($key, $value = '', $escape = NULL) */ public function or_having($key, $value = '', $escape = NULL) { - return $this->_having($key, $value, 'OR ', $escape); - } - - // -------------------------------------------------------------------- - - /** - * Sets the HAVING values - * - * Called by having() or or_having() - * - * @param string - * @param string - * @param string - * @param bool - * @return object - */ - protected function _having($key, $value = '', $type = 'AND ', $escape = NULL) - { - if ( ! is_array($key)) - { - $key = array($key => $value); - } - - is_bool($escape) OR $escape = $this->_protect_identifiers; - - foreach ($key as $k => $v) - { - $prefix = (count($this->qb_having) === 0) ? '' : $type; - - $k = $this->_has_operator($k) - ? $this->protect_identifiers(substr($k, 0, strpos(rtrim($k), ' ')), FALSE, $escape).strchr(rtrim($k), ' ') - : $this->protect_identifiers($k, FALSE, $escape); - - if ( ! $this->_has_operator($k)) - { - $k .= ' = '; - } - - if ($v !== '') - { - $v = ' '.$this->escape($v); - } - - $this->qb_having[] = $prefix.$k.$v; - if ($this->qb_caching === TRUE) - { - $this->qb_cache_having[] = $prefix.$k.$v; - $this->qb_cache_exists[] = 'having'; - } - } - - return $this; + return $this->_wh('qb_having', $key, $value, 'OR ', $escape); } // -------------------------------------------------------------------- @@ -1931,7 +1882,7 @@ public function delete($table = '', $where = '', $limit = NULL, $reset_data = TR */ protected function _delete($table) { - return 'DELETE FROM '.$table.$this->_compile_where() + return 'DELETE FROM '.$table.$this->_compile_wh('qb_where') .($this->qb_limit ? ' LIMIT '.(int) $this->qb_limit : ''); } @@ -2070,7 +2021,8 @@ protected function _compile_select($select_override = FALSE) $sql .= "\n".implode("\n", $this->qb_join); } - $sql .= $this->_compile_conditions(); + // WHERE + $sql .= $this->_compile_wh('qb_where'); // GROUP BY if (count($this->qb_groupby) > 0) @@ -2079,10 +2031,7 @@ protected function _compile_select($select_override = FALSE) } // HAVING - if (count($this->qb_having) > 0) - { - $sql .= "\nHAVING ".implode("\n", $this->qb_having); - } + $sql .= $this->_compile_wh('qb_having'); // ORDER BY if (count($this->qb_orderby) > 0) @@ -2090,7 +2039,7 @@ protected function _compile_select($select_override = FALSE) $sql .= "\nORDER BY ".implode(', ', $this->qb_orderby); } - // Write the "LIMIT" portion of the query + // LIMIT if (is_numeric($this->qb_limit)) { return $this->_limit($sql."\n", $this->qb_limit, $this->qb_offset); @@ -2102,34 +2051,35 @@ protected function _compile_select($select_override = FALSE) // -------------------------------------------------------------------- /** - * Compile WHERE statement + * Compile WHERE, HAVING statements + * + * Escapes identifiers in WHERE and HAVING statements at execution time. * - * Escapes identifiers in WHERE statements at execution time. * Required so that aliases are tracked properly, regardless of wether - * e.g. where() is called prior to join() and dbprefix is added only - * if needed. + * where(), or_where(), having(), or_having are called prior to from(), + * join() and dbprefix is added only if needed. * - * @return string + * @param string 'qb_where' or 'qb_having' + * @return string SQL statement */ - protected function _compile_where() + protected function _compile_wh($qb_key) { - // WHERE - if (count($this->qb_where) > 0) + if (count($this->$qb_key) > 0) { - $sql = "\nWHERE "; + $sql = ($qb_key === 'qb_having') ? "\nHAVING " : "\nWHERE "; - for ($i = 0, $c = count($this->qb_where); $i < $c; $i++) + for ($i = 0, $c = count($this->$qb_key); $i < $c; $i++) { - if ($this->qb_where[$i]['escape'] === FALSE) + if ($this->{$qb_key}[$i]['escape'] === FALSE) { - $this->qb_where[$i] = $this->qb_where[$i]['condition']; + $this->{$qb_key}[$i] = $this->{$qb_key}[$i]['condition']; continue; } - $op = preg_quote($this->_get_operator($this->qb_where[$i]['condition'])); - if ( ! preg_match('/^(\s*(?:AND|OR)\s+)?(\(?)(.*)('.$op.')(.*(?qb_where[$i]['condition'], $matches)) + $op = preg_quote($this->_get_operator($this->{$qb_key}[$i]['condition'])); + if ( ! preg_match('/^(\s*(?:AND|OR)\s+)?(\(?)(.*)('.$op.')(.*(?{$qb_key}[$i]['condition'], $matches)) { - $this->qb_where[$i] = $this->qb_where[$i]['condition']; + $this->{$qb_key}[$i] = $this->{$qb_key}[$i]['condition']; continue; } @@ -2143,11 +2093,11 @@ protected function _compile_where() // 6 => ')' /* optional */ // ); empty($matches[5]) OR $matches[5] = ' '.$this->protect_identifiers(trim($matches[5])); - $this->qb_where[$i] = $matches[1].$matches[2].$this->protect_identifiers(trim($matches[3])) + $this->{$qb_key}[$i] = $matches[1].$matches[2].$this->protect_identifiers(trim($matches[3])) .' '.trim($matches[4]).$matches[5].$matches[6]; } - return implode("\n", $this->qb_where); + return implode("\n", $this->$qb_key); } return ''; diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php index e2ace332007..e243aae9f92 100644 --- a/system/database/drivers/cubrid/cubrid_driver.php +++ b/system/database/drivers/cubrid/cubrid_driver.php @@ -425,7 +425,7 @@ protected function _update_batch($table, $values, $index) $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index 672c3161cc8..35cd8570201 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -429,7 +429,7 @@ protected function _delete($table) { if ($this->qb_limit) { - return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_where().') DELETE FROM ci_delete'; + return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_wh('qb_where').') DELETE FROM ci_delete'; } return parent::_delete($table); diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 634430665b1..0a15fe4475c 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -449,7 +449,7 @@ protected function _update_batch($table, $values, $index) $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 5498aa24444..5f5a31d345a 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -441,7 +441,7 @@ protected function _update_batch($table, $values, $index) $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index a6e2a626495..ee5af783e8d 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -394,7 +394,7 @@ protected function _update_batch($table, $values, $index) $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php index be85c86449f..7411263106c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php @@ -162,7 +162,7 @@ protected function _update_batch($table, $values, $index) $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php index 6df9cc638ce..20d510ff663 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php @@ -198,7 +198,7 @@ protected function _delete($table) { if ($this->qb_limit) { - return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_where().') DELETE FROM ci_delete'; + return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_wh('qb_where').') DELETE FROM ci_delete'; } return parent::_delete($table); diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index e10a8454573..67da156bf8b 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -190,7 +190,7 @@ protected function _update_batch($table, $values, $index) $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php index d2afd1d71c4..510a2a38f6d 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php @@ -211,7 +211,7 @@ protected function _update_batch($table, $values, $index) $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); } // -------------------------------------------------------------------- @@ -250,18 +250,21 @@ protected function _limit($sql, $limit, $offset) // -------------------------------------------------------------------- /** - * Where + * WHERE, HAVING * - * Called by where(), or_where() + * Called by where(), or_where(), having(), or_having() * + * @param string 'qb_where' or 'qb_having' * @param mixed * @param mixed * @param string * @param bool * @return object */ - protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) + protected function _wh($qb_key, $key, $value = NULL, $type = 'AND ', $escape = NULL) { + $qb_cache_key = ($qb_key === 'qb_having') ? 'qb_cache_having' : 'qb_cache_where'; + if ( ! is_array($key)) { $key = array($key => $value); @@ -272,7 +275,7 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) foreach ($key as $k => $v) { - $prefix = (count($this->qb_where) === 0 && count($this->qb_cache_where) === 0) + $prefix = (count($this->$qb_key) === 0 && count($this->$qb_cache_key) === 0) ? $this->_group_get_type('') : $this->_group_get_type($type); @@ -299,12 +302,11 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) } } - $this->qb_where[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); + $this->{$qb_key}[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); if ($this->qb_caching === TRUE) { - // check this shit - $this->qb_cache_where[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); - $this->qb_cache_exists[] = 'where'; + $this->{$qb_cache_key}[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); + $this->qb_cache_exists[] = substr($qb_key, 3); } } diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php index 1896225f00a..39cb5f9ef3f 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php @@ -227,7 +227,7 @@ protected function _delete($table) { if ($this->qb_limit) { - return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_where().') DELETE FROM ci_delete'; + return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_wh('qb_where').') DELETE FROM ci_delete'; } return parent::_delete($table); diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index 15059f3d4ae..1c03f683148 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -522,7 +522,7 @@ protected function _update_batch($table, $values, $index) $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_where(); + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); } // -------------------------------------------------------------------- @@ -561,18 +561,21 @@ protected function _limit($sql, $limit, $offset) // -------------------------------------------------------------------- /** - * Where + * WHERE, HAVING * - * Called by where(), or_where() + * Called by where(), or_where(), having(), or_having() * + * @param string 'qb_where' or 'qb_having' * @param mixed * @param mixed * @param string * @param bool * @return object */ - protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) + protected function _wh($qb_key, $key, $value = NULL, $type = 'AND ', $escape = NULL) { + $qb_cache_key = ($qb_key === 'qb_having') ? 'qb_cache_having' : 'qb_cache_where'; + if ( ! is_array($key)) { $key = array($key => $value); @@ -583,7 +586,7 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) foreach ($key as $k => $v) { - $prefix = (count($this->qb_where) === 0 && count($this->qb_cache_where) === 0) + $prefix = (count($this->$qb_key) === 0 && count($this->$qb_cache_key) === 0) ? $this->_group_get_type('') : $this->_group_get_type($type); @@ -610,12 +613,11 @@ protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL) } } - $this->qb_where[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); + $this->{$qb_key}[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); if ($this->qb_caching === TRUE) { - // check this shit - $this->qb_cache_where[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); - $this->qb_cache_exists[] = 'where'; + $this->{$qb_cache_key}[] = array('condition' => $prefix.$k.$v, 'escape' => $escape); + $this->qb_cache_exists[] = substr($qb_key, 3); } } diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index 6baa152e825..9ea6facb39e 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -425,7 +425,7 @@ protected function _delete($table) { if ($this->qb_limit) { - return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_where().') DELETE FROM ci_delete'; + return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_wh('qb_where').') DELETE FROM ci_delete'; } return parent::_delete($table); From 94611df88cf99ae530258a25e2051e901b9ffcc7 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 19 Jul 2012 12:29:54 +0300 Subject: [PATCH 0015/3829] Remove qb_wherein property --- system/database/DB_query_builder.php | 11 ++++------- 1 file changed, 4 insertions(+), 7 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 34a77c5519a..7b0565df987 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -54,7 +54,6 @@ abstract class CI_DB_query_builder extends CI_DB_driver { protected $qb_offset = FALSE; protected $qb_orderby = array(); protected $qb_set = array(); - protected $qb_wherein = array(); protected $qb_aliased_tables = array(); protected $qb_store_array = array(); protected $qb_where_group_started = FALSE; @@ -597,14 +596,15 @@ protected function _where_in($key = NULL, $values = NULL, $not = FALSE, $type = $not = ($not) ? ' NOT' : ''; + $where_in = array(); foreach ($values as $value) { - $this->qb_wherein[] = $this->escape($value); + $wherein[] = $this->escape($value); } $prefix = (count($this->qb_where) === 0) ? $this->_group_get_type('') : $this->_group_get_type($type); $where_in = array( - 'condition' => $prefix.$key.$not.' IN('.implode(', ', $this->qb_wherein).')', + 'condition' => $prefix.$key.$not.' IN('.implode(', ', $where_in).')', 'escape' => $escape ); @@ -615,8 +615,6 @@ protected function _where_in($key = NULL, $values = NULL, $not = FALSE, $type = $this->qb_cache_exists[] = 'where'; } - // reset the array for multiple calls - $this->qb_wherein = array(); return $this; } @@ -1856,7 +1854,7 @@ public function delete($table = '', $where = '', $limit = NULL, $reset_data = TR $this->limit($limit); } - if (count($this->qb_where) === 0 && count($this->qb_wherein) === 0) + if (count($this->qb_where) === 0) { return ($this->db_debug) ? $this->display_error('db_del_must_use_where') : FALSE; } @@ -2315,7 +2313,6 @@ protected function _reset_select() 'qb_groupby' => array(), 'qb_having' => array(), 'qb_orderby' => array(), - 'qb_wherein' => array(), 'qb_aliased_tables' => array(), 'qb_no_escape' => array(), 'qb_distinct' => FALSE, From c9b924c1498847d8f324d81c8994fff0b95f26dc Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 19 Jul 2012 13:06:02 +0300 Subject: [PATCH 0016/3829] Remove _limit()'s extra parameters and qb_limit, qb_offset unneeded typecasts + add _compile_group_by() method --- system/database/DB_driver.php | 2 +- system/database/DB_query_builder.php | 49 ++++++++++++++----- .../database/drivers/ibase/ibase_driver.php | 15 +++--- .../database/drivers/mssql/mssql_driver.php | 20 +++----- system/database/drivers/oci8/oci8_driver.php | 10 ++-- .../drivers/pdo/subdrivers/pdo_4d_driver.php | 6 +-- .../pdo/subdrivers/pdo_dblib_driver.php | 16 +++--- .../pdo/subdrivers/pdo_firebird_driver.php | 10 ++-- .../pdo/subdrivers/pdo_informix_driver.php | 6 +-- .../drivers/pdo/subdrivers/pdo_oci_driver.php | 10 ++-- .../pdo/subdrivers/pdo_odbc_driver.php | 6 +-- .../pdo/subdrivers/pdo_pgsql_driver.php | 6 +-- .../pdo/subdrivers/pdo_sqlsrv_driver.php | 18 +++---- .../drivers/postgre/postgre_driver.php | 6 +-- .../database/drivers/sqlsrv/sqlsrv_driver.php | 16 +++--- 15 files changed, 95 insertions(+), 101 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 10306d72171..43ea10023e4 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1130,7 +1130,7 @@ protected function _update($table, $values) return 'UPDATE '.$table.' SET '.implode(', ', $valstr) .$this->_compile_where() .(empty($this->qb_orderby) ? '' : ' ORDER BY '.implode(', ', $this->qb_orderby)) - .($this->qb_limit ? ' LIMIT '.(int) $this->qb_limit : ''); + .($this->qb_limit ? ' LIMIT '.$this->qb_limit : ''); } // -------------------------------------------------------------------- diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 7b0565df987..55b97bb3f84 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -874,15 +874,18 @@ protected function _group_get_type($type) * GROUP BY * * @param string + * @param bool * @return object */ - public function group_by($by) + public function group_by($by, $escape = NULL) { if (is_string($by)) { $by = explode(',', $by); } + is_bool($escape) OR $escape = $this->_protect_identifiers; + foreach ($by as $val) { $val = trim($val); @@ -1005,7 +1008,7 @@ public function order_by($orderby, $direction = '', $escape = NULL) * @param int the offset value * @return object */ - public function limit($value, $offset = NULL) + public function limit($value, $offset = FALSE) { is_null($value) OR $this->qb_limit = (int) $value; empty($offset) OR $this->qb_offset = (int) $offset; @@ -1035,13 +1038,11 @@ public function offset($offset) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { - return $sql.' LIMIT '.($offset ? $offset.', ' : '').$limit; + return $sql.' LIMIT '.($this->qb_offset ? $this->qb_offset.', ' : '').$this->qb_limit; } // -------------------------------------------------------------------- @@ -1881,7 +1882,7 @@ public function delete($table = '', $where = '', $limit = NULL, $reset_data = TR protected function _delete($table) { return 'DELETE FROM '.$table.$this->_compile_wh('qb_where') - .($this->qb_limit ? ' LIMIT '.(int) $this->qb_limit : ''); + .($this->qb_limit ? ' LIMIT '.$this->qb_limit : ''); } // -------------------------------------------------------------------- @@ -2023,10 +2024,7 @@ protected function _compile_select($select_override = FALSE) $sql .= $this->_compile_wh('qb_where'); // GROUP BY - if (count($this->qb_groupby) > 0) - { - $sql .= "\nGROUP BY ".implode(', ', $this->qb_groupby); - } + $sql .= $this->_compile_group_by(); // HAVING $sql .= $this->_compile_wh('qb_having'); @@ -2038,9 +2036,9 @@ protected function _compile_select($select_override = FALSE) } // LIMIT - if (is_numeric($this->qb_limit)) + if ($this->qb_limit) { - return $this->_limit($sql."\n", $this->qb_limit, $this->qb_offset); + return $this->_limit($sql."\n"); } return $sql; @@ -2103,6 +2101,31 @@ protected function _compile_wh($qb_key) // -------------------------------------------------------------------- + /** + * Compile GROUP BY + * + * Escapes identifiers in GROUP BY statements at execution time. + * + * Required so that aliases are tracked properly, regardless of wether + * group_by() is called prior to from(), join() and dbprefix is added + * only if needed. + * + * @return string SQL statement + */ + protected function _compile_group_by() + { + if (count($this->qb_groupby) > 0) + { + $sql = "\nGROUP BY "; + + $sql .= implode(', ', $this->qb_groupby); + } + + return ''; + } + + // -------------------------------------------------------------------- + /** * Object to Array * diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php index 86c1fee6d73..7b37b999940 100644 --- a/system/database/drivers/ibase/ibase_driver.php +++ b/system/database/drivers/ibase/ibase_driver.php @@ -285,7 +285,10 @@ protected function _list_columns($table = '') */ protected function _field_data($table) { - return $this->_limit('SELECT * FROM '.$this->protect_identifiers($table), 1, NULL); + $this->qb_limit = 1; + $sql = $this->_limit('SELECT * FROM '.$this->protect_identifiers($table)); + $this->qb_limit = 0; + return $sql; } // -------------------------------------------------------------------- @@ -378,22 +381,20 @@ protected function _delete($table) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { // Limit clause depends on if Interbase or Firebird if (stripos($this->version(), 'firebird') !== FALSE) { - $select = 'FIRST '. (int) $limit - .($offset ? ' SKIP '. (int) $offset : ''); + $select = 'FIRST '.$this->qb_limit + .($this->qb_offset ? ' SKIP '.$this->qb_offset : ''); } else { $select = 'ROWS ' - .($offset ? (int) $offset.' TO '.($limit + $offset) : (int) $limit); + .($this->qb_offset ? $this->qb_offset.' TO '.($this->qb_limit + $this->qb_offset) : $this->qb_limit); } return preg_replace('`SELECT`i', 'SELECT '.$select, $sql); diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index 35cd8570201..bfc82a6c259 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -429,7 +429,7 @@ protected function _delete($table) { if ($this->qb_limit) { - return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_wh('qb_where').') DELETE FROM ci_delete'; + return 'WITH ci_delete AS (SELECT TOP '.$this->qb_limit.' * FROM '.$table.$this->_compile_wh('qb_where').') DELETE FROM ci_delete'; } return parent::_delete($table); @@ -443,25 +443,17 @@ protected function _delete($table) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { - // As of SQL Server 2012 (11.0.*) OFFSET is supported - if (version_compare($this->version(), '11', '>=')) - { - return $sql.' OFFSET '.(int) $offset.' ROWS FETCH NEXT '.(int) $limit.' ROWS ONLY'; - } - - $limit = $offset + $limit; + $limit = $this->qb_offset + $this->qb_limit; // As of SQL Server 2005 (9.0.*) ROW_NUMBER() is supported, // however an ORDER BY clause is required for it to work - if (version_compare($this->version(), '9', '>=') && $offset && ! empty($this->qb_orderby)) + if (version_compare($this->version(), '9', '>=') && $this->qb_offset && ! empty($this->qb_orderby)) { - $orderby = 'ORDER BY '.implode(', ', $this->qb_orderby); + $orderby = trim($this->_compile_order_by()); // We have to strip the ORDER BY clause $sql = trim(substr($sql, 0, strrpos($sql, 'ORDER BY '.$orderby))); @@ -469,7 +461,7 @@ protected function _limit($sql, $limit, $offset) return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.$orderby.') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) ."\n) ".$this->escape_identifiers('CI_subquery') - ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.((int) $offset + 1).' AND '.$limit; + ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.($this->qb_offset + 1).' AND '.$limit; } return preg_replace('/(^\SELECT (DISTINCT)?)/i','\\1 TOP '.$limit.' ', $sql); diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index a0f26c257fc..dcc46527ca0 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -617,7 +617,7 @@ protected function _delete($table) { if ($this->qb_limit) { - $this->where('rownum <= ', (int) $this->qb_limit, FALSE); + $this->where('rownum <= ',$this->qb_limit, FALSE); $this->qb_limit = FALSE; } @@ -632,15 +632,13 @@ protected function _delete($table) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { $this->limit_used = TRUE; - return 'SELECT * FROM (SELECT inner_query.*, rownum rnum FROM ('.$sql.') inner_query WHERE rownum < '.($offset + $limit + 1).')' - .($offset ? ' WHERE rnum >= '.($offset + 1): ''); + return 'SELECT * FROM (SELECT inner_query.*, rownum rnum FROM ('.$sql.') inner_query WHERE rownum < '.($this->qb_offset + $this->qb_limit + 1).')' + .($this->qb_offset ? ' WHERE rnum >= '.($this->qb_offset + 1): ''); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php index 014112401a2..0e6877c2832 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php @@ -185,13 +185,11 @@ protected function _delete($table) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { - return $sql.' LIMIT '.$limit.($offset ? ' OFFSET '.$offset : ''); + return $sql.' LIMIT '.$this->qb_limit.($this->qb_offset ? ' OFFSET '.$this->qb_offset : ''); } } diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php index 20d510ff663..ad699ce2364 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php @@ -198,7 +198,7 @@ protected function _delete($table) { if ($this->qb_limit) { - return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_wh('qb_where').') DELETE FROM ci_delete'; + return 'WITH ci_delete AS (SELECT TOP '.$this->qb_limit.' * FROM '.$table.$this->_compile_wh('qb_where').') DELETE FROM ci_delete'; } return parent::_delete($table); @@ -212,19 +212,17 @@ protected function _delete($table) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { - $limit = $offset + $limit; + $limit = $this->qb_offset + $this->qb_limit; // As of SQL Server 2005 (9.0.*) ROW_NUMBER() is supported, // however an ORDER BY clause is required for it to work - if (version_compare($this->version(), '9', '>=') && $offset && ! empty($this->qb_orderby)) + if (version_compare($this->version(), '9', '>=') && $this->qb_offset && ! empty($this->qb_orderby)) { - $orderby = 'ORDER BY '.implode(', ', $this->qb_orderby); + $orderby = trim($this->_compile_order_by()); // We have to strip the ORDER BY clause $sql = trim(substr($sql, 0, strrpos($sql, 'ORDER BY '.$orderby))); @@ -232,7 +230,7 @@ protected function _limit($sql, $limit, $offset) return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.$orderby.') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) ."\n) ".$this->escape_identifiers('CI_subquery') - ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.((int) $offset + 1).' AND '.$limit; + ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.($this->qb_offset + 1).' AND '.$limit; } return preg_replace('/(^\SELECT (DISTINCT)?)/i','\\1 TOP '.$limit.' ', $sql); @@ -241,4 +239,4 @@ protected function _limit($sql, $limit, $offset) } /* End of file pdo_dblib_driver.php */ -/* Location: ./system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php */ +/* Location: ./system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php */ \ No newline at end of file diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php index ee21ed22f94..5b36342d221 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php @@ -211,22 +211,20 @@ protected function _delete($table) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { // Limit clause depends on if Interbase or Firebird if (stripos($this->version(), 'firebird') !== FALSE) { - $select = 'FIRST '. (int) $limit - .($offset > 0 ? ' SKIP '. (int) $offset : ''); + $select = 'FIRST '.$this->qb_limit + .($this->qb_offset > 0 ? ' SKIP '.$this->qb_offset : ''); } else { $select = 'ROWS ' - .($offset > 0 ? (int) $offset.' TO '.($limit + $offset) : (int) $limit); + .($this->qb_offset > 0 ? $this->qb_offset.' TO '.($this->qb_limit + $this->qb_offset) : $this->qb_limit); } return preg_replace('`SELECT`i', 'SELECT '.$select, $sql); diff --git a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php index a6869a7d231..82480498ae2 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php @@ -232,13 +232,11 @@ protected function _delete($table) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { - $select = 'SELECT '.($offset ? 'SKIP '.$offset : '').'FIRST '.$limit.' '; + $select = 'SELECT '.($this->qb_offset ? 'SKIP '.$this->qb_offset : '').'FIRST '.$this->qb_limit.' '; return preg_replace('/^(SELECT\s)/i', $select, $sql, 1); } diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php index 494d82c3f94..cfbb639a8dc 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php @@ -196,7 +196,7 @@ protected function _delete($table) { if ($this->qb_limit) { - $this->where('rownum <= ', (int) $this->qb_limit, FALSE); + $this->where('rownum <= ',$this->qb_limit, FALSE); $this->qb_limit = FALSE; } @@ -211,14 +211,12 @@ protected function _delete($table) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { - return 'SELECT * FROM (SELECT inner_query.*, rownum rnum FROM ('.$sql.') inner_query WHERE rownum < '.($offset + $limit + 1).')' - .($offset ? ' WHERE rnum >= '.($offset + 1): ''); + return 'SELECT * FROM (SELECT inner_query.*, rownum rnum FROM ('.$sql.') inner_query WHERE rownum < '.($this->qb_offset + $this->qb_limit + 1).')' + .($this->qb_offset ? ' WHERE rnum >= '.($this->qb_offset + 1): ''); } } diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php index 722acad89c7..0c3467484b4 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php @@ -230,13 +230,11 @@ protected function _delete($table) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { - return preg_replace('/(^\SELECT (DISTINCT)?)/i','\\1 TOP '.$limit.' ', $sql); + return preg_replace('/(^\SELECT (DISTINCT)?)/i','\\1 TOP '.$this->qb_limit.' ', $sql); } } diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php index 510a2a38f6d..07cf8f56bdf 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php @@ -238,13 +238,11 @@ protected function _delete($table) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { - return $sql.' LIMIT '.$limit.($offset ? ' OFFSET '.$offset : ''); + return $sql.' LIMIT '.$this->qb_limit.($this->qb_offset ? ' OFFSET '.$this->qb_offset : ''); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php index 39cb5f9ef3f..399d134af22 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php @@ -227,7 +227,7 @@ protected function _delete($table) { if ($this->qb_limit) { - return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_wh('qb_where').') DELETE FROM ci_delete'; + return 'WITH ci_delete AS (SELECT TOP '.$this->qb_limit.' * FROM '.$table.$this->_compile_wh('qb_where').') DELETE FROM ci_delete'; } return parent::_delete($table); @@ -241,24 +241,22 @@ protected function _delete($table) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { // As of SQL Server 2012 (11.0.*) OFFSET is supported if (version_compare($this->version(), '11', '>=')) { - return $sql.' OFFSET '.(int) $offset.' ROWS FETCH NEXT '.(int) $limit.' ROWS ONLY'; + return $sql.' OFFSET '.(int) $this->qb_offset.' ROWS FETCH NEXT '.$this->qb_limit.' ROWS ONLY'; } - $limit = $offset + $limit; + $limit = $this->qb_offset + $this->qb_limit; // An ORDER BY clause is required for ROW_NUMBER() to work - if ($offset && ! empty($this->qb_orderby)) + if ($this->qb_offset && ! empty($this->qb_orderby)) { - $orderby = 'ORDER BY '.implode(', ', $this->qb_orderby); + $orderby = trim($this->_compile_order_by()); // We have to strip the ORDER BY clause $sql = trim(substr($sql, 0, strrpos($sql, 'ORDER BY '.$orderby))); @@ -266,7 +264,7 @@ protected function _limit($sql, $limit, $offset) return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.$orderby.') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) ."\n) ".$this->escape_identifiers('CI_subquery') - ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.((int) $offset + 1).' AND '.$limit; + ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.($this->qb_offset + 1).' AND '.$limit; } return preg_replace('/(^\SELECT (DISTINCT)?)/i','\\1 TOP '.$limit.' ', $sql); @@ -275,4 +273,4 @@ protected function _limit($sql, $limit, $offset) } /* End of file pdo_sqlsrv_driver.php */ -/* Location: ./system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php */ +/* Location: ./system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php */ \ No newline at end of file diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index 1c03f683148..ddcf3f7c30d 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -549,13 +549,11 @@ protected function _delete($table) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { - return $sql.' LIMIT '.$limit.($offset ? ' OFFSET '.$offset : ''); + return $sql.' LIMIT '.$this->qb_limit.($this->qb_offset ? ' OFFSET '.$this->qb_offset : ''); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index 9ea6facb39e..4eb12f910e3 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -425,7 +425,7 @@ protected function _delete($table) { if ($this->qb_limit) { - return 'WITH ci_delete AS (SELECT TOP '.(int) $this->qb_limit.' * FROM '.$table.$this->_compile_wh('qb_where').') DELETE FROM ci_delete'; + return 'WITH ci_delete AS (SELECT TOP '.$this->qb_limit.' * FROM '.$table.$this->_compile_wh('qb_where').') DELETE FROM ci_delete'; } return parent::_delete($table); @@ -439,24 +439,22 @@ protected function _delete($table) * Generates a platform-specific LIMIT clause * * @param string the sql query string - * @param int the number of rows to limit the query to - * @param int the offset value * @return string */ - protected function _limit($sql, $limit, $offset) + protected function _limit($sql) { // As of SQL Server 2012 (11.0.*) OFFSET is supported if (version_compare($this->version(), '11', '>=')) { - return $sql.' OFFSET '.(int) $offset.' ROWS FETCH NEXT '.(int) $limit.' ROWS ONLY'; + return $sql.' OFFSET '.(int) $this->qb_offset.' ROWS FETCH NEXT '.$this->qb_limit.' ROWS ONLY'; } - $limit = $offset + $limit; + $limit = $this->qb_offset + $this->qb_limit; // An ORDER BY clause is required for ROW_NUMBER() to work - if ($offset && ! empty($this->qb_orderby)) + if ($this->qb_offset && ! empty($this->qb_orderby)) { - $orderby = 'ORDER BY '.implode(', ', $this->qb_orderby); + $orderby = trim($this->_compile_order_by()); // We have to strip the ORDER BY clause $sql = trim(substr($sql, 0, strrpos($sql, 'ORDER BY '.$orderby))); @@ -464,7 +462,7 @@ protected function _limit($sql, $limit, $offset) return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.$orderby.') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) ."\n) ".$this->escape_identifiers('CI_subquery') - ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.((int) $offset + 1).' AND '.$limit; + ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.($this->qb_offset + 1).' AND '.$limit; } return preg_replace('/(^\SELECT (DISTINCT)?)/i','\\1 TOP '.$limit.' ', $sql); From 96feb586c7fc2c232675590fe4e1032198a39535 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 19 Jul 2012 13:12:34 +0300 Subject: [PATCH 0017/3829] Implement group_by() compiler and no_escape feature --- system/database/DB_query_builder.php | 18 ++++++++++++++---- 1 file changed, 14 insertions(+), 4 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 55b97bb3f84..6c247f9570a 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -879,21 +879,24 @@ protected function _group_get_type($type) */ public function group_by($by, $escape = NULL) { + is_bool($escape) OR $escape = $this->_protect_identifiers; + if (is_string($by)) { - $by = explode(',', $by); + $by = ($escape === TRUE) + ? explode(',', $by) + : array($by); } - is_bool($escape) OR $escape = $this->_protect_identifiers; - foreach ($by as $val) { $val = trim($val); if ($val !== '') { - $this->qb_groupby[] = $val = $this->protect_identifiers($val); + $val = array('field' => $val, 'escape' => $escape); + $this->qb_groupby[] = $val; if ($this->qb_caching === TRUE) { $this->qb_cache_groupby[] = $val; @@ -2118,6 +2121,13 @@ protected function _compile_group_by() { $sql = "\nGROUP BY "; + for ($i = 0, $c = count($this->qb_groupby); $i < $c; $i++) + { + $this->qb_groupby[$i] = ($this->qb_groupby[$i]['escape'] === FALSE) + ? $this->qb_groupby[$i]['field'] + : $this->protect_identifiers($qb_groupby[$i]['field']); + } + $sql .= implode(', ', $this->qb_groupby); } From 2d486231c0fbc9a5c9ad5bf6897e7bb1aff275ba Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 19 Jul 2012 14:46:51 +0300 Subject: [PATCH 0018/3829] Implement _compile_order_by() --- system/database/DB_driver.php | 4 +- system/database/DB_query_builder.php | 107 +++++++++++------- .../database/drivers/mssql/mssql_driver.php | 6 +- .../pdo/subdrivers/pdo_dblib_driver.php | 6 +- .../pdo/subdrivers/pdo_sqlsrv_driver.php | 6 +- .../database/drivers/sqlsrv/sqlsrv_driver.php | 6 +- 6 files changed, 78 insertions(+), 57 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 43ea10023e4..a327f4ad9cd 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1128,8 +1128,8 @@ protected function _update($table, $values) } return 'UPDATE '.$table.' SET '.implode(', ', $valstr) - .$this->_compile_where() - .(empty($this->qb_orderby) ? '' : ' ORDER BY '.implode(', ', $this->qb_orderby)) + .$this->_compile_wh('qb_where') + .$this->_compile_order_by() .($this->qb_limit ? ' LIMIT '.$this->qb_limit : ''); } diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 6c247f9570a..416132e163f 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -948,54 +948,50 @@ public function or_having($key, $value = '', $escape = NULL) * Sets the ORDER BY value * * @param string - * @param string direction: asc or desc + * @param string direction: ASC or DESC * @param bool enable field name escaping * @return object */ public function order_by($orderby, $direction = '', $escape = NULL) { - if (strtolower($direction) === 'random') + $direction = trim($direction); + + if (strtolower($direction) === 'random' OR $orderby === $this->_random_keyword) + { + // Random ordered results don't need a field name + $orderby = $this->_random_keyword; + $direction = ''; + } + elseif (empty($orderby)) { - $orderby = ''; // Random results want or don't need a field name - $direction = $this->_random_keyword; + return $this; } - elseif (trim($direction) !== '') + elseif ($direction !== '') { - $direction = in_array(strtoupper(trim($direction)), array('ASC', 'DESC'), TRUE) ? ' '.$direction : ' ASC'; + $direction = in_array(strtoupper(trim($direction)), array('ASC', 'DESC'), TRUE) ? ' '.$direction : ''; } is_bool($escape) OR $escape = $this->_protect_identifiers; - if ($escape === TRUE && strpos($orderby, ',') !== FALSE) + if ($escape === FALSE) { - $temp = array(); - foreach (explode(',', $orderby) as $part) - { - $part = trim($part); - if ( ! in_array($part, $this->qb_aliased_tables)) - { - $part = preg_match('/^(.+)\s+(ASC|DESC)$/i', $part, $matches) - ? $this->protect_identifiers(rtrim($matches[1])).' '.$matches[2] - : $this->protect_identifiers($part); - } - - $temp[] = $part; - } - - $orderby = implode(', ', $temp); + $qb_orderby[] = array(array('field' => $orderby, 'direction' => $direction, $escape => FALSE)); } - elseif ($direction !== $this->_random_keyword && $escape === TRUE) + else { - $orderby = preg_match('/^(.+)\s+(ASC|DESC)$/i', $orderby, $matches) - ? $this->protect_identifiers(rtrim($matches[1])).' '.$matches[2] - : $this->protect_identifiers($orderby); + $qb_orderby = array(); + foreach (explode(',', $orderby) as $field) + { + $qb_orderby[] = ($direction === '' && preg_match('/\s+(ASC|DESC)$/i', rtrim($field), $match, PREG_OFFSET_CAPTURE)) + ? array('field' => ltrim(substr($field, 0, $match[0][1])), 'direction' => ' '.$match[1][0], 'escape' => TRUE) + : array('field' => trim($field), 'direction' => $direction, 'escape' => TRUE); + } } - $this->qb_orderby[] = $orderby_statement = $orderby.$direction; - + $this->qb_orderby = array_merge($this->qb_orderby, $qb_orderby); if ($this->qb_caching === TRUE) { - $this->qb_cache_orderby[] = $orderby_statement; + $this->qb_cache_orderby = array_merge($this->qb_cache_orderby, $qb_orderby); $this->qb_cache_exists[] = 'orderby'; } @@ -2023,20 +2019,10 @@ protected function _compile_select($select_override = FALSE) $sql .= "\n".implode("\n", $this->qb_join); } - // WHERE - $sql .= $this->_compile_wh('qb_where'); - - // GROUP BY - $sql .= $this->_compile_group_by(); - - // HAVING - $sql .= $this->_compile_wh('qb_having'); - - // ORDER BY - if (count($this->qb_orderby) > 0) - { - $sql .= "\nORDER BY ".implode(', ', $this->qb_orderby); - } + $sql .= $this->_compile_wh('qb_where') + .$this->_compile_group_by() + .$this->_compile_wh('qb_having') + .$this->_compile_order_by(); // ORDER BY // LIMIT if ($this->qb_limit) @@ -2136,6 +2122,41 @@ protected function _compile_group_by() // -------------------------------------------------------------------- + /** + * Compile ORDER BY + * + * Escapes identifiers in ORDER BY statements at execution time. + * + * Required so that aliases are tracked properly, regardless of wether + * order_by() is called prior to from(), join() and dbprefix is added + * only if needed. + * + * @return string SQL statement + */ + protected function _compile_order_by() + { + if (count($this->qb_orderby) > 0) + { + $sql = "\nORDER BY "; + + for ($i = 0, $c = count($this->qb_orderby); $i < $c; $i++) + { + if ($this->qb_orderby[$i]['escape'] !== FALSE) + { + $this->qb_orderby[$i]['field'] = $this->protect_identifiers($field); + } + + $this->qb_orderby[$i] = $this->qb_orderby[$i]['field'].$this->qb_orderby[$i]['direction']; + } + + $sql .= implode(', ', $this->qb_orderby); + } + + return ''; + } + + // -------------------------------------------------------------------- + /** * Object to Array * diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index bfc82a6c259..edc6a848051 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -453,13 +453,13 @@ protected function _limit($sql) // however an ORDER BY clause is required for it to work if (version_compare($this->version(), '9', '>=') && $this->qb_offset && ! empty($this->qb_orderby)) { - $orderby = trim($this->_compile_order_by()); + $orderby = $this->_compile_order_by(); // We have to strip the ORDER BY clause - $sql = trim(substr($sql, 0, strrpos($sql, 'ORDER BY '.$orderby))); + $sql = trim(substr($sql, 0, strrpos($sql, $orderby))); return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" - .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.$orderby.') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) + .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.trim($orderby).') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) ."\n) ".$this->escape_identifiers('CI_subquery') ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.($this->qb_offset + 1).' AND '.$limit; } diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php index ad699ce2364..d6465cda244 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php @@ -222,13 +222,13 @@ protected function _limit($sql) // however an ORDER BY clause is required for it to work if (version_compare($this->version(), '9', '>=') && $this->qb_offset && ! empty($this->qb_orderby)) { - $orderby = trim($this->_compile_order_by()); + $orderby = $this->_compile_order_by(); // We have to strip the ORDER BY clause - $sql = trim(substr($sql, 0, strrpos($sql, 'ORDER BY '.$orderby))); + $sql = trim(substr($sql, 0, strrpos($sql, $orderby))); return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" - .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.$orderby.') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) + .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.trim($orderby).') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) ."\n) ".$this->escape_identifiers('CI_subquery') ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.($this->qb_offset + 1).' AND '.$limit; } diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php index 399d134af22..4b5747d9085 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php @@ -256,13 +256,13 @@ protected function _limit($sql) // An ORDER BY clause is required for ROW_NUMBER() to work if ($this->qb_offset && ! empty($this->qb_orderby)) { - $orderby = trim($this->_compile_order_by()); + $orderby = $this->_compile_order_by(); // We have to strip the ORDER BY clause - $sql = trim(substr($sql, 0, strrpos($sql, 'ORDER BY '.$orderby))); + $sql = trim(substr($sql, 0, strrpos($sql, $orderby))); return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" - .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.$orderby.') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) + .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.trim($orderby).') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) ."\n) ".$this->escape_identifiers('CI_subquery') ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.($this->qb_offset + 1).' AND '.$limit; } diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index 4eb12f910e3..badbb8e904b 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -454,13 +454,13 @@ protected function _limit($sql) // An ORDER BY clause is required for ROW_NUMBER() to work if ($this->qb_offset && ! empty($this->qb_orderby)) { - $orderby = trim($this->_compile_order_by()); + $orderby = $this->_compile_order_by(); // We have to strip the ORDER BY clause - $sql = trim(substr($sql, 0, strrpos($sql, 'ORDER BY '.$orderby))); + $sql = trim(substr($sql, 0, strrpos($sql, $orderby))); return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" - .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.$orderby.') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) + .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.trim($orderby).') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) ."\n) ".$this->escape_identifiers('CI_subquery') ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.($this->qb_offset + 1).' AND '.$limit; } From 822317b2a8a9872819cd22de6782b44f5c267d2f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 19 Jul 2012 16:00:32 +0300 Subject: [PATCH 0019/3829] Add back a removed paramter description --- system/database/DB_driver.php | 1 + 1 file changed, 1 insertion(+) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index a327f4ad9cd..371b6db9661 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1118,6 +1118,7 @@ public function update_string($table, $data, $where) * Generates a platform-specific update string from the supplied data * * @param string the table name + * @param array the update data * @return string */ protected function _update($table, $values) From e8be24b1c4bc3dd6fb78133d15857e2b23972c5b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 19 Jul 2012 16:11:17 +0300 Subject: [PATCH 0020/3829] Fix CI_DB_driver::_get_operator() --- system/database/DB_driver.php | 39 +++++++++++++++++------------------ 1 file changed, 19 insertions(+), 20 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 371b6db9661..f848cfe4e7e 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1157,29 +1157,28 @@ protected function _has_operator($str) */ protected function _get_operator($str) { - static $_operators = array( - '\s*(?:<|>|!)?=\s*', // =, <=, >=, != - '\s*<>?\s*', // <, <> - '\s*>\s*', // > - '\s+IS NULL', // IS NULL - '\s+IS NOT NULL', // IS NOT NULL - '\s+BETWEEN\s+\S+\s+AND\s+\S+', // BETWEEN value AND value - '\s+IN\s*\([^\)]+\)', // IN(list) - '\s+NOT IN\s*\([^\)]+\)' // NOT IN (list) - ); + static $_operators; - static $_like = array( - '\s+LIKE\s+\S+', // LIKE 'expr' - '\s+NOT LIKE\s+\S+', // NOT LIKE 'expr' - ); - - if ($this->_like_escape_str !== '') + if (empty($_operators)) { - $_like[0] .= preg_quote(trim(sprintf($this->_like_escape_str, $this->_like_escape_chr))); - $_like[1] .= preg_quote(trim(sprintf($this->_like_escape_str, $this->_like_escape_chr))); - } + $_les = ($this->_like_escape_str !== '') + ? preg_quote(trim(sprintf($this->_like_escape_str, $this->_like_escape_chr))) + : ''; - $_operators = array_merge($_operators, $_like); + $_operators = array( + '\s*(?:<|>|!)?=\s*', // =, <=, >=, != + '\s*<>?\s*', // <, <> + '\s*>\s*', // > + '\s+IS NULL', // IS NULL + '\s+IS NOT NULL', // IS NOT NULL + '\s+BETWEEN\s+\S+\s+AND\s+\S+', // BETWEEN value AND value + '\s+IN\s*\([^\)]+\)', // IN(list) + '\s+NOT IN\s*\([^\)]+\)', // NOT IN (list) + '\s+LIKE\s+\S+'.$_les, // LIKE 'expr'[ ESCAPE '%s'] + '\s+NOT LIKE\s+\S+'.$_les // NOT LIKE 'expr'[ ESCAPE '%s'] + ); + + } return preg_match('/'.implode('|', $_operators).'/i', $str, $match) ? $match[0] : FALSE; From 55b82c95be57a6727d45d6ae9652ff612f96bc37 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 19 Jul 2012 16:20:11 +0300 Subject: [PATCH 0021/3829] Hope this regexp works for travis ... --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 2496def0bc8..0a76229cd82 100644 --- a/.travis.yml +++ b/.travis.yml @@ -24,4 +24,4 @@ script: phpunit --coverage-text --configuration tests/travis/$DB.phpunit.xml branches: only: - develop - - /^feature\/.+$/ \ No newline at end of file + - /^feature.+/ \ No newline at end of file From a101c93b93b43ac98370bb0a1378a82ff44e4e1a Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Fri, 20 Jul 2012 12:23:43 +0200 Subject: [PATCH 0022/3829] allow for routes that can be processed with php, ex: $route['([^/]+)/([^/]+)(/:any)?'] = 'php:"$1" . "/do" . ucfirst("$2") . "$3"'; --- system/core/Router.php | 15 ++++++++++++++- 1 file changed, 14 insertions(+), 1 deletion(-) diff --git a/system/core/Router.php b/system/core/Router.php index 5bc05304578..cb7df5320d3 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -86,6 +86,13 @@ class CI_Router { * @var string */ public $default_controller; + + /** + * Prepend used in php processed routes + * + * @var string + */ + public $route_prepend = 'php:'; /** * Constructor @@ -373,10 +380,16 @@ protected function _parse_routes() // Does the RegEx match? if (preg_match('#^'.$key.'$#', $uri)) { + // Are we using php functions to process matches? + $modifier = strpos($val, $this->route_prepend) === 0? 'e': ''; + + // If we have the 'e' modifier, remove the prepend from the route value. + $val = $modifier === 'e'? substr($val, strlen($this->route_prepend)): $val; + // Do we have a back-reference? if (strpos($val, '$') !== FALSE && strpos($key, '(') !== FALSE) { - $val = preg_replace('#^'.$key.'$#', $val, $uri); + $val = preg_replace('#^'.$key.'$#'.$modifier, $val, $uri); } return $this->_set_request(explode('/', $val)); From 80275c7ee050ed42678d68a752e0c282f0240752 Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Wed, 1 Aug 2012 19:15:48 +0200 Subject: [PATCH 0023/3829] Added possibility of using callbacks. --- system/core/Router.php | 31 +++++++++++++++++++++++++------ 1 file changed, 25 insertions(+), 6 deletions(-) diff --git a/system/core/Router.php b/system/core/Router.php index cb7df5320d3..727e85f7ee5 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -380,16 +380,35 @@ protected function _parse_routes() // Does the RegEx match? if (preg_match('#^'.$key.'$#', $uri)) { - // Are we using php functions to process matches? - $modifier = strpos($val, $this->route_prepend) === 0? 'e': ''; + // Are we using a callback? + $callable = is_callable($val); + + // Determine the appropriate preg_replace to use. + $preg_replace_type = $callable? 'preg_replace_callback': 'preg_replace'; + + // Are we using the route_prepend to change how we process the matches? + $modifier = (is_string($val) AND strpos($val, $this->route_prepend) === 0)? 'e': ''; - // If we have the 'e' modifier, remove the prepend from the route value. - $val = $modifier === 'e'? substr($val, strlen($this->route_prepend)): $val; + // Are we using callbacks to process the matches? + if($callable){ + $val = function($matches)use($val){ + // Remove the string we are matching against from the matches array. + array_shift($matches); + + // Distribute the matches to the arguments of the user's callback. + return call_user_func_array($val, $matches); + }; + } + else + { + // Remove the "php:" portion of the string if it exists. + $val = $modifier === 'e'? substr($val, strlen($this->route_prepend)): $val; + } // Do we have a back-reference? - if (strpos($val, '$') !== FALSE && strpos($key, '(') !== FALSE) + if ($callable OR (strpos($val, '$') !== FALSE && strpos($key, '(') !== FALSE)) { - $val = preg_replace('#^'.$key.'$#'.$modifier, $val, $uri); + $val = call_user_func($preg_replace_type, '#^'.$key.'$#'.$modifier, $val, $uri); } return $this->_set_request(explode('/', $val)); From 0e0c37bc3b8e46d9ecc89fd5591e6b258ebd8b74 Mon Sep 17 00:00:00 2001 From: Francesco Negri Date: Sat, 4 Aug 2012 14:16:50 +0300 Subject: [PATCH 0024/3829] Logging should obey error_reporting() setting If the php error level is not included in the current error_reporting() setting, we should not log it. Also, the log_threshold check is redundant, it's already taken care of by the write_log() method. --- system/core/Common.php | 19 +++++++++---------- 1 file changed, 9 insertions(+), 10 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 57374b07dde..cb99d05055d 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -524,21 +524,20 @@ function _exception_handler($severity, $message, $filepath, $line) { $_error =& load_class('Exceptions', 'core'); - // Should we display the error? We'll get the current error_reporting + // Should we ignore the error? We'll get the current error_reporting // level and add its bits with the severity bits to find out. - // And respect display_errors - if (($severity & error_reporting()) === $severity && (bool) ini_get('display_errors') === TRUE) + if (($severity & error_reporting()) !== $severity) + { + return; + } + + // Should we display the error? + if ((bool) ini_get('display_errors') === TRUE) { $_error->show_php_error($severity, $message, $filepath, $line); } - // Should we log the error? No? We're done... - if (config_item('log_threshold') === 0) - { - return; - } - - $_error->log_exception($severity, $message, $filepath, $line); + $_error->log_exception($severity, $message, $filepath, $line); } } From 312bdc5e2160784c7fdd0f38c6d417a9eb5babe0 Mon Sep 17 00:00:00 2001 From: Francesco Negri Date: Sat, 4 Aug 2012 07:32:19 -0400 Subject: [PATCH 0025/3829] fixed whitespace --- system/core/Common.php | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index cb99d05055d..32c8bd68d1b 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -527,17 +527,17 @@ function _exception_handler($severity, $message, $filepath, $line) // Should we ignore the error? We'll get the current error_reporting // level and add its bits with the severity bits to find out. if (($severity & error_reporting()) !== $severity) - { - return; - } - - // Should we display the error? - if ((bool) ini_get('display_errors') === TRUE) + { + return; + } + + // Should we display the error? + if ((bool) ini_get('display_errors') === TRUE) { $_error->show_php_error($severity, $message, $filepath, $line); } - $_error->log_exception($severity, $message, $filepath, $line); + $_error->log_exception($severity, $message, $filepath, $line); } } From 0af2d4ffd1735e24dd4f5ee9b17ac6a90508c1e9 Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Mon, 6 Aug 2012 13:05:15 +0200 Subject: [PATCH 0026/3829] revert changes to routing system - part 1 --- system/core/Router.php | 36 ++---------------------------------- 1 file changed, 2 insertions(+), 34 deletions(-) diff --git a/system/core/Router.php b/system/core/Router.php index 727e85f7ee5..5bc05304578 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -86,13 +86,6 @@ class CI_Router { * @var string */ public $default_controller; - - /** - * Prepend used in php processed routes - * - * @var string - */ - public $route_prepend = 'php:'; /** * Constructor @@ -380,35 +373,10 @@ protected function _parse_routes() // Does the RegEx match? if (preg_match('#^'.$key.'$#', $uri)) { - // Are we using a callback? - $callable = is_callable($val); - - // Determine the appropriate preg_replace to use. - $preg_replace_type = $callable? 'preg_replace_callback': 'preg_replace'; - - // Are we using the route_prepend to change how we process the matches? - $modifier = (is_string($val) AND strpos($val, $this->route_prepend) === 0)? 'e': ''; - - // Are we using callbacks to process the matches? - if($callable){ - $val = function($matches)use($val){ - // Remove the string we are matching against from the matches array. - array_shift($matches); - - // Distribute the matches to the arguments of the user's callback. - return call_user_func_array($val, $matches); - }; - } - else - { - // Remove the "php:" portion of the string if it exists. - $val = $modifier === 'e'? substr($val, strlen($this->route_prepend)): $val; - } - // Do we have a back-reference? - if ($callable OR (strpos($val, '$') !== FALSE && strpos($key, '(') !== FALSE)) + if (strpos($val, '$') !== FALSE && strpos($key, '(') !== FALSE) { - $val = call_user_func($preg_replace_type, '#^'.$key.'$#'.$modifier, $val, $uri); + $val = preg_replace('#^'.$key.'$#', $val, $uri); } return $this->_set_request(explode('/', $val)); From 6a656fe2671f868f15eb54548a870a2668c4285d Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Mon, 6 Aug 2012 12:37:48 +0100 Subject: [PATCH 0027/3829] Moved callback routing feature to a sustom MY_Router.php class. --- application/core/MY_Router.php | 62 ++++++++++++++++++++++++++++++++++ 1 file changed, 62 insertions(+) create mode 100644 application/core/MY_Router.php diff --git a/application/core/MY_Router.php b/application/core/MY_Router.php new file mode 100644 index 00000000000..2a20f579f4c --- /dev/null +++ b/application/core/MY_Router.php @@ -0,0 +1,62 @@ +uri->segments); + + // Is there a literal match? If so we're done + if (isset($this->routes[$uri])) + { + return $this->_set_request(explode('/', $this->routes[$uri])); + } + + // Loop through the route array looking for wild-cards + foreach ($this->routes as $key => $val) + { + // Convert wild-cards to RegEx + $key = str_replace(':any', '.+', str_replace(':num', '[0-9]+', $key)); + + // Does the RegEx match? + if (preg_match('#^'.$key.'$#', $uri)) + { + // Are we using a callback? + $callable = is_callable($val); + + // Determine the appropriate preg_replace to use. + $preg_replace_type = $callable? 'preg_replace_callback': 'preg_replace'; + + // Are we using callbacks to process the matches? + if($callable){ + $val = function($matches)use($val){ + // Remove the string we are matching against from the matches array. + array_shift($matches); + + // Distribute the matches to the arguments of the user's callback. + return call_user_func_array($val, $matches); + }; + } + + // Do we have a back-reference? + if ($callable OR (strpos($val, '$') !== FALSE AND strpos($key, '(') !== FALSE)) + { + $val = call_user_func($preg_replace_type, '#^'.$key.'$#', $val, $uri); + } + + return $this->_set_request(explode('/', $val)); + } + } + + // If we got this far it means we didn't encounter a + // matching route so we'll set the site default route + $this->_set_request($this->uri->segments); + } +} \ No newline at end of file From c0d98b296186e6206dfa88476199559e630d06d0 Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Mon, 6 Aug 2012 15:42:50 +0100 Subject: [PATCH 0028/3829] New optional routing system, v3 --- application/core/MY_Router.php | 62 ----------------------- system/core/Router.php | 90 +++++++++++++++++++++------------- 2 files changed, 57 insertions(+), 95 deletions(-) delete mode 100644 application/core/MY_Router.php diff --git a/application/core/MY_Router.php b/application/core/MY_Router.php deleted file mode 100644 index 2a20f579f4c..00000000000 --- a/application/core/MY_Router.php +++ /dev/null @@ -1,62 +0,0 @@ -uri->segments); - - // Is there a literal match? If so we're done - if (isset($this->routes[$uri])) - { - return $this->_set_request(explode('/', $this->routes[$uri])); - } - - // Loop through the route array looking for wild-cards - foreach ($this->routes as $key => $val) - { - // Convert wild-cards to RegEx - $key = str_replace(':any', '.+', str_replace(':num', '[0-9]+', $key)); - - // Does the RegEx match? - if (preg_match('#^'.$key.'$#', $uri)) - { - // Are we using a callback? - $callable = is_callable($val); - - // Determine the appropriate preg_replace to use. - $preg_replace_type = $callable? 'preg_replace_callback': 'preg_replace'; - - // Are we using callbacks to process the matches? - if($callable){ - $val = function($matches)use($val){ - // Remove the string we are matching against from the matches array. - array_shift($matches); - - // Distribute the matches to the arguments of the user's callback. - return call_user_func_array($val, $matches); - }; - } - - // Do we have a back-reference? - if ($callable OR (strpos($val, '$') !== FALSE AND strpos($key, '(') !== FALSE)) - { - $val = call_user_func($preg_replace_type, '#^'.$key.'$#', $val, $uri); - } - - return $this->_set_request(explode('/', $val)); - } - } - - // If we got this far it means we didn't encounter a - // matching route so we'll set the site default route - $this->_set_request($this->uri->segments); - } -} \ No newline at end of file diff --git a/system/core/Router.php b/system/core/Router.php index 5bc05304578..a5d01b1ee89 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -354,39 +354,63 @@ protected function _validate_request($segments) * @return void */ protected function _parse_routes() - { - // Turn the segment array into a URI string - $uri = implode('/', $this->uri->segments); - - // Is there a literal match? If so we're done - if (isset($this->routes[$uri])) - { - return $this->_set_request(explode('/', $this->routes[$uri])); - } - - // Loop through the route array looking for wild-cards - foreach ($this->routes as $key => $val) - { - // Convert wild-cards to RegEx - $key = str_replace(array(':any', ':num'), array('.+', '[0-9]+'), $key); - - // Does the RegEx match? - if (preg_match('#^'.$key.'$#', $uri)) - { - // Do we have a back-reference? - if (strpos($val, '$') !== FALSE && strpos($key, '(') !== FALSE) - { - $val = preg_replace('#^'.$key.'$#', $val, $uri); - } - - return $this->_set_request(explode('/', $val)); - } - } - - // If we got this far it means we didn't encounter a - // matching route so we'll set the site default route - $this->_set_request($this->uri->segments); - } + { + // Turn the segment array into a URI string + $uri = implode('/', $this->uri->segments); + + // Is there a literal match? If so we're done + if (isset($this->routes[$uri])) + { + return $this->_set_request(explode('/', $this->routes[$uri])); + } + + // Loop through the route array looking for wild-cards + foreach ($this->routes as $key => $val) + { + // Convert wild-cards to RegEx + $key = str_replace(':any', '.+', str_replace(':num', '[0-9]+', $key)); + + // Does the RegEx match? + if (preg_match('#^'.$key.'$#', $uri, $matches)) + { + // Are we using a callback? + $callable = is_callable($val); + + // Are we using callbacks to process back-references? + if($callable){ + // Remove the original string from the matches array. + array_shift($matches); + + // Get the match count. + $matchCount = count($matches); + + // Determine how many parameters the callback has. + $reflection = new ReflectionFunction($val); + $paramCount = count($reflection->getParameters()); + + // Are there more parameters than matches? + if($paramCount > $matchCount){ + // Set any extra params to empty string. + $matches = array_merge($matches, array_fill($matchCount, $paramCount - $matchCount, '')); + } + + // execute callback using matches as its parameters. + $val = call_user_func_array($val, $matches); + } + // Are we using the default routing method for back-references? + else if (strpos($val, '$') !== FALSE AND strpos($key, '(') !== FALSE) + { + $val = preg_replace('#^'.$key.'$#', $val, $uri); + } + + return $this->_set_request(explode('/', $val)); + } + } + + // If we got this far it means we didn't encounter a + // matching route so we'll set the site default route + $this->_set_request($this->uri->segments); + } // -------------------------------------------------------------------- From 3b45cf62bec6684f35207a1bfb2193f1adc9cd2b Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Mon, 6 Aug 2012 15:47:24 +0100 Subject: [PATCH 0029/3829] Fixed a bug when detecting if the user used a callback. --- system/core/Router.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Router.php b/system/core/Router.php index a5d01b1ee89..d6788c31456 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -374,7 +374,7 @@ protected function _parse_routes() if (preg_match('#^'.$key.'$#', $uri, $matches)) { // Are we using a callback? - $callable = is_callable($val); + $callable = ! is_string($val) && is_callable($val); // Are we using callbacks to process back-references? if($callable){ From 07264381020d730ebba9ae95688b73c25e523e54 Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Mon, 6 Aug 2012 16:37:26 +0100 Subject: [PATCH 0030/3829] Corrected code style to be inline with project conventions. --- system/core/Router.php | 16 +++++++++------- 1 file changed, 9 insertions(+), 7 deletions(-) diff --git a/system/core/Router.php b/system/core/Router.php index d6788c31456..0814689449c 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -377,24 +377,26 @@ protected function _parse_routes() $callable = ! is_string($val) && is_callable($val); // Are we using callbacks to process back-references? - if($callable){ + if($callable) + { // Remove the original string from the matches array. array_shift($matches); // Get the match count. - $matchCount = count($matches); + $match_count = count($matches); // Determine how many parameters the callback has. $reflection = new ReflectionFunction($val); - $paramCount = count($reflection->getParameters()); + $param_count = count($reflection->getParameters()); // Are there more parameters than matches? - if($paramCount > $matchCount){ - // Set any extra params to empty string. - $matches = array_merge($matches, array_fill($matchCount, $paramCount - $matchCount, '')); + if($param_count > $match_count) + { + // Any params without matches will be set to an empty string. + $matches = array_merge($matches, array_fill($match_count, $param_count - $match_count, '')); } - // execute callback using matches as its parameters. + // Execute the callback using the values in matches as its parameters. $val = call_user_func_array($val, $matches); } // Are we using the default routing method for back-references? From cf168303ead21d1c8ad89af01458806e6be197fd Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Mon, 6 Aug 2012 17:10:17 +0100 Subject: [PATCH 0031/3829] Updated documentation --- system/core/Router.php | 2 +- user_guide_src/source/general/routing.rst | 10 ++++++++++ 2 files changed, 11 insertions(+), 1 deletion(-) diff --git a/system/core/Router.php b/system/core/Router.php index 0814689449c..b11aa9ba53d 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -387,7 +387,7 @@ protected function _parse_routes() // Determine how many parameters the callback has. $reflection = new ReflectionFunction($val); - $param_count = count($reflection->getParameters()); + $param_count = $reflection->getNumberOfParameters(); // Are there more parameters than matches? if($param_count > $match_count) diff --git a/user_guide_src/source/general/routing.rst b/user_guide_src/source/general/routing.rst index 45950fc116f..6bb5bdbc5b9 100644 --- a/user_guide_src/source/general/routing.rst +++ b/user_guide_src/source/general/routing.rst @@ -106,6 +106,16 @@ call the shirts controller class and the id_123 function. You can also mix and match wildcards with regular expressions. +Callbacks +========= + +If you are using PHP >= 5.3 you can use callbacks in place of the normal routing +rules to process the back-references. Example:: + + $route['products/([a-z]+)/edit/(\d+)'] = function($product_type, $id){ + return "catalog/product_edit/" . strtolower($product_type) . "/" . $id; + }; + Reserved Routes =============== From 59dbe859ffea8159932f6d28b765de615d430cf4 Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Tue, 7 Aug 2012 12:13:32 +0100 Subject: [PATCH 0032/3829] Changed spaces to tabs where necessary. --- system/core/Router.php | 118 ++++++++++++++++++++--------------------- 1 file changed, 59 insertions(+), 59 deletions(-) diff --git a/system/core/Router.php b/system/core/Router.php index b11aa9ba53d..1d566c56f43 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -354,65 +354,65 @@ protected function _validate_request($segments) * @return void */ protected function _parse_routes() - { - // Turn the segment array into a URI string - $uri = implode('/', $this->uri->segments); - - // Is there a literal match? If so we're done - if (isset($this->routes[$uri])) - { - return $this->_set_request(explode('/', $this->routes[$uri])); - } - - // Loop through the route array looking for wild-cards - foreach ($this->routes as $key => $val) - { - // Convert wild-cards to RegEx - $key = str_replace(':any', '.+', str_replace(':num', '[0-9]+', $key)); - - // Does the RegEx match? - if (preg_match('#^'.$key.'$#', $uri, $matches)) - { - // Are we using a callback? - $callable = ! is_string($val) && is_callable($val); - - // Are we using callbacks to process back-references? - if($callable) - { - // Remove the original string from the matches array. - array_shift($matches); - - // Get the match count. - $match_count = count($matches); - - // Determine how many parameters the callback has. - $reflection = new ReflectionFunction($val); - $param_count = $reflection->getNumberOfParameters(); - - // Are there more parameters than matches? - if($param_count > $match_count) - { - // Any params without matches will be set to an empty string. - $matches = array_merge($matches, array_fill($match_count, $param_count - $match_count, '')); - } - - // Execute the callback using the values in matches as its parameters. - $val = call_user_func_array($val, $matches); - } - // Are we using the default routing method for back-references? - else if (strpos($val, '$') !== FALSE AND strpos($key, '(') !== FALSE) - { - $val = preg_replace('#^'.$key.'$#', $val, $uri); - } - - return $this->_set_request(explode('/', $val)); - } - } - - // If we got this far it means we didn't encounter a - // matching route so we'll set the site default route - $this->_set_request($this->uri->segments); - } + { + // Turn the segment array into a URI string + $uri = implode('/', $this->uri->segments); + + // Is there a literal match? If so we're done + if (isset($this->routes[$uri])) + { + return $this->_set_request(explode('/', $this->routes[$uri])); + } + + // Loop through the route array looking for wild-cards + foreach ($this->routes as $key => $val) + { + // Convert wild-cards to RegEx + $key = str_replace(':any', '.+', str_replace(':num', '[0-9]+', $key)); + + // Does the RegEx match? + if (preg_match('#^'.$key.'$#', $uri, $matches)) + { + // Are we using a callback? + $callable = ! is_string($val) && is_callable($val); + + // Are we using callbacks to process back-references? + if($callable) + { + // Remove the original string from the matches array. + array_shift($matches); + + // Get the match count. + $match_count = count($matches); + + // Determine how many parameters the callback has. + $reflection = new ReflectionFunction($val); + $param_count = $reflection->getNumberOfParameters(); + + // Are there more parameters than matches? + if($param_count > $match_count) + { + // Any params without matches will be set to an empty string. + $matches = array_merge($matches, array_fill($match_count, $param_count - $match_count, '')); + } + + // Execute the callback using the values in matches as its parameters. + $val = call_user_func_array($val, $matches); + } + // Are we using the default routing method for back-references? + else if (strpos($val, '$') !== FALSE AND strpos($key, '(') !== FALSE) + { + $val = preg_replace('#^'.$key.'$#', $val, $uri); + } + + return $this->_set_request(explode('/', $val)); + } + } + + // If we got this far it means we didn't encounter a + // matching route so we'll set the site default route + $this->_set_request($this->uri->segments); + } // -------------------------------------------------------------------- From 642e31357aacba35d73143e14daf5be528b949cf Mon Sep 17 00:00:00 2001 From: Yannick Lyn Fatt Date: Mon, 13 Aug 2012 14:41:17 -0500 Subject: [PATCH 0033/3829] Fix for oci_fetch_assoc(): ORA-01002: fetch out of sequence warning Fixes #1701 --- system/database/drivers/oci8/oci8_result.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/drivers/oci8/oci8_result.php b/system/database/drivers/oci8/oci8_result.php index a2b600e6c87..ade186be74f 100644 --- a/system/database/drivers/oci8/oci8_result.php +++ b/system/database/drivers/oci8/oci8_result.php @@ -157,7 +157,7 @@ public function free_result() protected function _fetch_assoc() { $id = ($this->curs_id) ? $this->curs_id : $this->stmt_id; - return oci_fetch_assoc($id); + return @oci_fetch_assoc($id); } // -------------------------------------------------------------------- From b453e16668c70b0eb02b5ae69cd3196d735421f8 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Bruno=20Bar=C3=A3o?= Date: Tue, 14 Aug 2012 18:40:18 +0100 Subject: [PATCH 0034/3829] Fix email headers when using long email subjects and \r\n as crlf. --- system/libraries/Email.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 8fd7a79e7cb..b922cb1c0f7 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1228,7 +1228,7 @@ protected function _prep_q_encoding($str, $from = FALSE) // wrap each line with the shebang, charset, and transfer encoding // the preceding space on successive lines is required for header "folding" - return trim(preg_replace('/^(.*)$/m', ' =?'.$this->charset.'?Q?$1?=', $output.$temp)); + return trim(preg_replace('/^(.*?)(\n|\r)*$/m', ' =?'.$this->charset.'?Q?$1?=$2', $output.$temp)); } // -------------------------------------------------------------------- From 3c0846b019ed533852a148eb68c62a02c03d27a8 Mon Sep 17 00:00:00 2001 From: bigCat Date: Tue, 21 Aug 2012 00:20:20 +0800 Subject: [PATCH 0035/3829] China's biggest ICP China Telecom will hijack user and leave a cookie contains | . such as "1345466626|7601294|43373|0|0|0" it's impossible to fix this shit... --- system/core/Input.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Input.php b/system/core/Input.php index 968a42a9a95..d7bfed3f8db 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -620,7 +620,7 @@ protected function _clean_input_data($str) */ protected function _clean_input_keys($str) { - if ( ! preg_match('/^[a-z0-9:_\/-]+$/i', $str)) + if ( ! preg_match('/^[a-z0-9:_\/|-]+$/i', $str)) { set_status_header(503); exit('Disallowed Key Characters.'); From 19ac8bc3fc55460660cca618b6cce0ef212e7bdc Mon Sep 17 00:00:00 2001 From: RecoilUK Date: Thu, 23 Aug 2012 20:43:48 +0200 Subject: [PATCH 0036/3829] Update user_guide_src/source/libraries/form_validation.rst --- user_guide_src/source/libraries/form_validation.rst | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index 3bcad7ba694..bc25d82920f 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -488,6 +488,15 @@ the name of the function:: $this->form_validation->set_message('username_check') +If you are using an error message that can accept two $s in your error string, +such as .. + + $this->form_validation->set_message('min_length', 'The $s field must contain at least $s characters.'); + +Then you can also use %1$s and %2$s: + + $this->form_validation->set_message('min_length', 'This field must contain at least %2$s characters.'); + You can also override any error message found in the language file. For example, to change the message for the "required" rule you will do this:: From 6030719346e9b0eb0e0ea99c679cadeb1fe4afde Mon Sep 17 00:00:00 2001 From: dchill42 Date: Mon, 27 Aug 2012 23:59:31 -0400 Subject: [PATCH 0037/3829] Improved VFS usage in Loader and Config units, added Loader driver test, and moved config load testing to Config unit Signed-off-by: dchill42 --- tests/codeigniter/core/Config_test.php | 52 ++++- tests/codeigniter/core/Loader_test.php | 287 +++++++++++++++++++++---- tests/mocks/core/loader.php | 32 +-- 3 files changed, 312 insertions(+), 59 deletions(-) diff --git a/tests/codeigniter/core/Config_test.php b/tests/codeigniter/core/Config_test.php index 30cb90a28e1..7782a789878 100644 --- a/tests/codeigniter/core/Config_test.php +++ b/tests/codeigniter/core/Config_test.php @@ -90,4 +90,54 @@ public function test_system_url() $this->assertEquals('http://example.com/system/', $this->config->system_url()); } -} \ No newline at end of file + // -------------------------------------------------------------------- + + public function test_load() + { + // Create VFS tree of application config files + $file1 = 'test.php'; + $file2 = 'secttest'; + $key1 = 'testconfig'; + $val1 = 'my_value'; + $cfg1 = array( + $key1 => $val1 + ); + $cfg2 = array( + 'one' => 'prime', + 'two' => 2, + 'three' => true + ); + $tree = array( + 'application' => array( + 'config' => array( + $file1 => ' 'config->_config_paths = array(vfsStream::url('https://github.com/application').'/'); + + // Test regular load + $this->assertTrue($this->config->load($file1)); + $this->assertEquals($val1, $this->config->item($key1)); + + // Test section load + $this->assertTrue($this->config->load($file2, TRUE)); + $this->assertEquals($cfg2, $this->config->item($file2)); + + // Test graceful fail + $this->assertFalse($this->config->load('not_config_file', FALSE, TRUE)); + + // Test regular fail + $file3 = 'absentia'; + $this->setExpectedException( + 'RuntimeException', + 'CI Error: The configuration file '.$file3.'.php does not exist.' + ); + $this->assertNull($this->config->load($file3)); + } + +} diff --git a/tests/codeigniter/core/Loader_test.php b/tests/codeigniter/core/Loader_test.php index fdea962b779..bb8bfd733dc 100644 --- a/tests/codeigniter/core/Loader_test.php +++ b/tests/codeigniter/core/Loader_test.php @@ -18,54 +18,123 @@ public function set_up() // -------------------------------------------------------------------- + /** + * @covers CI_Loader::library + */ public function test_library() { $this->_setup_config_mock(); + // Create libraries directory with test library + $lib = 'unit_test_lib'; + $class = 'CI_'.ucfirst($lib); + $content = '_create_content('libraries', $lib, $content, NULL, TRUE); + // Test loading as an array. - $this->assertNull($this->load->library(array('table'))); - $this->assertTrue(class_exists('CI_Table'), 'Table class exists'); - $this->assertAttributeInstanceOf('CI_Table', 'table', $this->ci_obj); + $this->assertNull($this->load->library(array($lib))); + $this->assertTrue(class_exists($class), $class.' does not exist'); + $this->assertAttributeInstanceOf($class, $lib, $this->ci_obj); // Test no lib given - $this->assertEquals(FALSE, $this->load->library()); + $this->assertFalse($this->load->library()); // Test a string given to params - $this->assertEquals(NULL, $this->load->library('table', ' ')); + $this->assertNull($this->load->library($lib, ' ')); + } + + // -------------------------------------------------------------------- + + /** + * @covers CI_Loader::library + */ + public function test_library_config() + { + $this->_setup_config_mock(); + + // Create libraries directory with test library + $lib = 'unit_test_config_lib'; + $class = 'CI_'.ucfirst($lib); + $content = 'config = $params; } } '; + $this->_create_content('libraries', $lib, $content, NULL, TRUE); + + // Create config file + $cfg = array( + 'foo' => 'bar', + 'bar' => 'baz', + 'baz' => false + ); + $this->_create_content('config', $lib, 'assertNull($this->load->library($lib, NULL, $obj)); + $this->assertTrue(class_exists($class), $class.' does not exist'); + $this->assertAttributeInstanceOf($class, $obj, $this->ci_obj); + $this->assertEquals($cfg, $this->ci_obj->$obj->config); } // -------------------------------------------------------------------- + /** + * @covers CI_Loader::library + */ public function test_load_library_in_application_dir() { $this->_setup_config_mock(); - $content = '_create_content('libraries', $lib, $content); - $model = vfsStream::newFile('Super_test_library.php')->withContent($content)->at($this->load->libs_dir); - $this->assertNull($this->load->library('super_test_library')); + // Load library + $this->assertNull($this->load->library($lib)); // Was the model class instantiated. - $this->assertTrue(class_exists('Super_test_library')); + $this->assertTrue(class_exists($class), $class.' does not exist'); + $this->assertAttributeInstanceOf($class, $lib, $this->ci_obj); } // -------------------------------------------------------------------- - private function _setup_config_mock() + /** + * @covers CI_Loader::driver + */ + public function test_driver() { - // Mock up a config object until we - // figure out how to test the library configs - $config = $this->getMock('CI_Config', NULL, array(), '', FALSE); - $config->expects($this->any()) - ->method('load') - ->will($this->returnValue(TRUE)); + $this->_setup_config_mock(); - // Add the mock to our stdClass - $this->ci_instance_var('config', $config); + // Create libraries directory with test driver + $driver = 'unit_test_driver'; + $dir = ucfirst($driver); + $class = 'CI_'.$dir; + $content = '_create_content('libraries', $driver, $content, $dir, TRUE); + + // Test loading as an array. + $this->assertNull($this->load->driver(array($driver))); + $this->assertTrue(class_exists($class), $class.' does not exist'); + $this->assertAttributeInstanceOf($class, $driver, $this->ci_obj); + + // Test loading as a library with a name + $obj = 'testdrive'; + $this->assertNull($this->load->library($driver, NULL, $obj)); + $this->assertAttributeInstanceOf($class, $obj, $this->ci_obj); + + // Test no driver given + $this->assertFalse($this->load->driver()); + + // Test a string given to params + $this->assertNull($this->load->driver($driver, ' ')); } // -------------------------------------------------------------------- + /** + * @covers CI_Loader::model + */ public function test_non_existent_model() { $this->setExpectedException( @@ -79,20 +148,23 @@ public function test_non_existent_model() // -------------------------------------------------------------------- /** - * @coverts CI_Loader::model + * @covers CI_Loader::model */ public function test_models() { $this->ci_set_core_class('model', 'CI_Model'); - $content = 'withContent($content)->at($this->load->models_dir); + // Create models directory with test model + $model = 'unit_test_model'; + $class = ucfirst($model); + $content = '_create_content('models', $model, $content); - $this->assertNull($this->load->model('unit_test_model')); + // Load model + $this->assertNull($this->load->model($model)); // Was the model class instantiated. - $this->assertTrue(class_exists('Unit_test_model')); + $this->assertTrue(class_exists($class)); // Test no model given $this->assertNull($this->load->model('')); @@ -109,26 +181,27 @@ public function test_models() // -------------------------------------------------------------------- /** - * @coverts CI_Loader::view + * @covers CI_Loader::view */ public function test_load_view() { $this->ci_set_core_class('output', 'CI_Output'); + // Create views directory with test view + $view = 'unit_test_view'; $content = 'This is my test page. '; - $view = vfsStream::newFile('unit_test_view.php')->withContent($content)->at($this->load->views_dir); + $this->_create_content('views', $view, $content); // Use the optional return parameter in this test, so the view is not // run through the output class. - $this->assertEquals('This is my test page. World!', - $this->load->view('unit_test_view', array('hello' => "World!"), TRUE)); - + $out = $this->load->view($view, array('hello' => "World!"), TRUE); + $this->assertEquals('This is my test page. World!', $out); } // -------------------------------------------------------------------- /** - * @coverts CI_Loader::view + * @covers CI_Loader::view */ public function test_non_existent_view() { @@ -142,16 +215,22 @@ public function test_non_existent_view() // -------------------------------------------------------------------- + /** + * @covers CI_Loader::file + */ public function test_file() { + // Create views directory with test file + $dir = 'views'; + $file = 'ci_test_mock_file'; $content = 'Here is a test file, which we will load now.'; - $file = vfsStream::newFile('ci_test_mock_file.php')->withContent($content)->at($this->load->views_dir); + $this->_create_content($dir, $file, $content); // Just like load->view(), take the output class out of the mix here. - $load = $this->load->file(vfsStream::url('https://github.com/application').'/views/ci_test_mock_file.php', TRUE); - - $this->assertEquals($content, $load); + $out = $this->load->file($this->load->app_path.$dir.'/'.$file.'.php', TRUE); + $this->assertEquals($content, $out); + // Test non-existent file $this->setExpectedException( 'RuntimeException', 'CI Error: Unable to load the requested file: ci_test_file_not_exists' @@ -162,6 +241,9 @@ public function test_file() // -------------------------------------------------------------------- + /** + * @covers CI_Loader::vars + */ public function test_vars() { $this->assertNull($this->load->vars(array('foo' => 'bar'))); @@ -170,10 +252,22 @@ public function test_vars() // -------------------------------------------------------------------- + /** + * @covers CI_Loader::helper + */ public function test_helper() { - $this->assertEquals(NULL, $this->load->helper('array')); + // Create helper directory in app path with test helper + $helper = 'test'; + $func = '_my_helper_test_func'; + $content = '_create_content('helpers', $helper.'_helper', $content); + + // Load helper + $this->assertEquals(NULL, $this->load->helper($helper)); + $this->assertTrue(function_exists($func), $func.' does not exist'); + // Test non-existent helper $this->setExpectedException( 'RuntimeException', 'CI Error: Unable to load the requested file: helpers/bad_helper.php' @@ -184,9 +278,31 @@ public function test_helper() // -------------------------------------------------------------------- + /** + * @covers CI_Loader::helper + */ public function test_loading_multiple_helpers() { - $this->assertEquals(NULL, $this->load->helpers(array('file', 'array', 'string'))); + // Create helper directory in base path with test helpers + $helpers = array(); + $funcs = array(); + $files = array(); + for ($i = 1; $i <= 3; ++$i) { + $helper = 'test'.$i; + $helpers[] = $helper; + $func = '_my_helper_test_func'.$i; + $funcs[] = $func; + $files[$helper.'_helper'] = '_create_content('helpers', $files, NULL, NULL, TRUE); + + // Load helpers + $this->assertEquals(NULL, $this->load->helpers($helpers)); + + // Verify helper existence + foreach ($funcs as $func) { + $this->assertTrue(function_exists($func), $func.' does not exist'); + } } // -------------------------------------------------------------------- @@ -198,6 +314,52 @@ public function test_loading_multiple_helpers() // -------------------------------------------------------------------- + /** + * @covers CI_Loader::add_package_path + * @covers CI_Loader::get_package_paths + * @covers CI_Loader::remove_package_path + */ + public function test_packages() + { + $this->_setup_config_mock(); + + // Create third-party directory in app path with model + $dir = 'third-party'; + $lib = 'unit_test_package'; + $class = 'CI_'.ucfirst($lib); + $content = '_create_content($dir, $lib, $content); + + // Test failed load without path + $this->setExpectedException( + 'RuntimeException', + 'CI Error: Unable to load the requested class: '.$lib + ); + $this->load->library($lib); + + // Clear exception and get paths + $this->setExpectedException(NULL); + $paths = $this->load->get_package_paths(TRUE); + + // Add path and verify + $path = $this->load->app_path.$dir; + $this->assertNull($this->load->add_package_path($path)); + $this->assertContains($path, $this->load->get_package_paths(TRUE)); + + // Test successful load + $this->assertNull($this->load->library($lib)); + $this->assertTrue(class_exists($class), $class.' does not exist'); + + // Remove path and verify restored paths + $this->assertNull($this->load->remove_package_path($path)); + $this->assertEquals($paths, $this->load->get_package_paths(TRUE)); + } + + // -------------------------------------------------------------------- + + /** + * @covers CI_Loader::config + */ public function test_load_config() { $this->_setup_config_mock(); @@ -206,16 +368,53 @@ public function test_load_config() // -------------------------------------------------------------------- - public function test_load_bad_config() + private function _setup_config_mock() { - $this->_setup_config_mock(); + // Mock up a config object so config() has something to call + $config = $this->getMock('CI_Config', array('load'), array(), '', FALSE); + $config->expects($this->any()) + ->method('load') + ->will($this->returnValue(TRUE)); - $this->setExpectedException( - 'RuntimeException', - 'CI Error: The configuration file foobar.php does not exist.' - ); + // Reinitialize config paths to use VFS + $config->_config_paths = array($this->load->app_path); - $this->load->config('foobar', FALSE); + // Add the mock to our stdClass + $this->ci_instance_var('config', $config); + } + + // -------------------------------------------------------------------- + + private function _create_content($dir, $file, $content, $sub = NULL, $base = FALSE) + { + // Create structure containing directory + $tree = array($dir => array()); + + // Check for subdirectory + if ($sub) { + // Add subdirectory to tree and get reference + $tree[$dir][$sub] = array(); + $leaf =& $tree[$dir][$sub]; + } + else { + // Get reference to main directory + $leaf =& $tree[$dir]; + } + + // Check for multiple files + if (is_array($file)) { + // Add multiple files to directory + foreach ($file as $name => $data) { + $leaf[$name.'.php'] = $data; + } + } + else { + // Add single file with content + $leaf[$file.'.php'] = $content; + } + + // Create structure under app or base path + vfsStream::create($tree, $base ? $this->load->base_root : $this->load->app_root); } -} \ No newline at end of file +} diff --git a/tests/mocks/core/loader.php b/tests/mocks/core/loader.php index 53d88d55bef..e28650dba72 100644 --- a/tests/mocks/core/loader.php +++ b/tests/mocks/core/loader.php @@ -5,27 +5,31 @@ class Mock_Core_Loader extends CI_Loader { /** * Since we use paths to load up models, views, etc, we need the ability to * mock up the file system so when core tests are run, we aren't mucking - * in the application directory. this will give finer grained control over - * these tests. So yeah, while this looks odd, I need to overwrite protected - * class vars in the loader. So here we go... + * in the application directory. This will give finer grained control over + * these tests. Also, by mocking the system directory, we eliminate dependency + * on any other classes so errors in libraries, helpers, etc. don't give false + * negatives for the actual loading process. So yeah, while this looks odd, + * I need to overwrite protected class vars in the loader. So here we go... * * @covers CI_Loader::__construct() */ public function __construct() { - vfsStreamWrapper::register(); - vfsStreamWrapper::setRoot(new vfsStreamDirectory('application')); + // Create VFS tree of loader locations + $this->root = vfsStream::setup(); + $this->app_root = vfsStream::newDirectory('application')->at($this->root); + $this->base_root = vfsStream::newDirectory('system')->at($this->root); - $this->models_dir = vfsStream::newDirectory('models')->at(vfsStreamWrapper::getRoot()); - $this->libs_dir = vfsStream::newDirectory('libraries')->at(vfsStreamWrapper::getRoot()); - $this->helpers_dir = vfsStream::newDirectory('helpers')->at(vfsStreamWrapper::getRoot()); - $this->views_dir = vfsStream::newDirectory('views')->at(vfsStreamWrapper::getRoot()); + // Get VFS app and base path URLs + $this->app_path = vfsStream::url('https://github.com/application').'/'; + $this->base_path = vfsStream::url('https://github.com/system').'/'; + // Set loader paths with VFS URLs $this->_ci_ob_level = ob_get_level(); - $this->_ci_library_paths = array(vfsStream::url('https://github.com/application').'/', BASEPATH); - $this->_ci_helper_paths = array(vfsStream::url('https://github.com/application').'/', BASEPATH); - $this->_ci_model_paths = array(vfsStream::url('https://github.com/application').'/'); - $this->_ci_view_paths = array(vfsStream::url('https://github.com/application').'/views/' => TRUE); + $this->_ci_library_paths = array($this->app_path, $this->base_path); + $this->_ci_helper_paths = array($this->app_path, $this->base_path); + $this->_ci_model_paths = array($this->app_path); + $this->_ci_view_paths = array($this->app_path.'views/' => TRUE); } -} \ No newline at end of file +} From 60d100f0fde3fba4fa4015f44f490b7ecac16138 Mon Sep 17 00:00:00 2001 From: dchill42 Date: Wed, 29 Aug 2012 12:58:26 -0400 Subject: [PATCH 0038/3829] Added autoloader unit test with minor supporting change in Loader Signed-off-by: dchill42 --- system/core/Loader.php | 14 ++++-- tests/codeigniter/core/Loader_test.php | 70 ++++++++++++++++++++++++++ tests/mocks/core/loader.php | 9 ++++ 3 files changed, 90 insertions(+), 3 deletions(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index 0d05649ca25..638c7932c94 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -74,6 +74,14 @@ class CI_Loader { */ protected $_ci_helper_paths = array(); + /** + * Path to autoloader config file + * This lets us override it in unit testing + * + * @var string + */ + protected $_ci_autoloader_path = APPPATH; + /** * List of loaded base classes * @@ -1140,13 +1148,13 @@ protected function _ci_init_class($class, $prefix = '', $config = FALSE, $object */ protected function _ci_autoloader() { - if (defined('ENVIRONMENT') && file_exists(APPPATH.'config/'.ENVIRONMENT.'/autoload.php')) + if (defined('ENVIRONMENT') && file_exists($this->_ci_autoloader_path.'config/'.ENVIRONMENT.'/autoload.php')) { - include(APPPATH.'config/'.ENVIRONMENT.'/autoload.php'); + include($this->_ci_autoloader_path.'config/'.ENVIRONMENT.'/autoload.php'); } else { - include(APPPATH.'config/autoload.php'); + include($this->_ci_autoloader_path.'config/autoload.php'); } if ( ! isset($autoload)) diff --git a/tests/codeigniter/core/Loader_test.php b/tests/codeigniter/core/Loader_test.php index bb8bfd733dc..db79e6a8b4b 100644 --- a/tests/codeigniter/core/Loader_test.php +++ b/tests/codeigniter/core/Loader_test.php @@ -368,6 +368,76 @@ public function test_load_config() // -------------------------------------------------------------------- + /** + * @covers CI_Loader::_ci_autoloader + */ + public function test_autoloader() + { + $this->_setup_config_mock(); + + // Create helper directory in app path with test helper + $helper = 'autohelp'; + $hlp_func = '_autohelp_test_func'; + $this->_create_content('helpers', $helper.'_helper', '_create_content('libraries', $lib, ' array($drv.'.php' => 'load->base_root->getChild('libraries')); + + // Create package directory in app path with model + $dir = 'testdir'; + $path = $this->load->app_path.$dir.'/'; + $model = 'automod'; + $mod_class = ucfirst($model); + $this->_create_content($dir, $model, ' array($path), + 'helper' => array($helper), + 'libraries' => array($lib), + 'drivers' => array($drv), + 'model' => array($model), + 'config' => array() + ); + $this->_create_content('config', 'autoload', 'load->autoload(); + + // Verify path + $this->assertContains($path, $this->load->get_package_paths()); + + // Verify helper + $this->assertTrue(function_exists($hlp_func), $hlp_func.' does not exist'); + + // Verify library + $this->assertTrue(class_exists($lib_class), $lib_class.' does not exist'); + $this->assertAttributeInstanceOf($lib_class, $lib, $this->ci_obj); + + // Verify driver + $this->assertTrue(class_exists($drv_class), $drv_class.' does not exist'); + $this->assertAttributeInstanceOf($drv_class, $drv, $this->ci_obj); + + // Verify model + $this->assertTrue(class_exists($mod_class), $mod_class.' does not exist'); + $this->assertAttributeInstanceOf($mod_class, $model, $this->ci_obj); + } + + // -------------------------------------------------------------------- + private function _setup_config_mock() { // Mock up a config object so config() has something to call diff --git a/tests/mocks/core/loader.php b/tests/mocks/core/loader.php index e28650dba72..c0e02139eb6 100644 --- a/tests/mocks/core/loader.php +++ b/tests/mocks/core/loader.php @@ -30,6 +30,15 @@ public function __construct() $this->_ci_helper_paths = array($this->app_path, $this->base_path); $this->_ci_model_paths = array($this->app_path); $this->_ci_view_paths = array($this->app_path.'views/' => TRUE); + $this->_ci_autoloader_path = $this->app_path; + } + + /** + * Give public access to _ci_autoloader for testing + */ + public function autoload() + { + $this->_ci_autoloader(); } } From f002c2a825ccf6785e3867b4ecb92fe6013d364f Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Thu, 30 Aug 2012 13:56:01 +0200 Subject: [PATCH 0039/3829] Corrected styling errors in documentation --- user_guide_src/source/general/routing.rst | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/general/routing.rst b/user_guide_src/source/general/routing.rst index 6bb5bdbc5b9..0a16e13af42 100644 --- a/user_guide_src/source/general/routing.rst +++ b/user_guide_src/source/general/routing.rst @@ -112,7 +112,8 @@ Callbacks If you are using PHP >= 5.3 you can use callbacks in place of the normal routing rules to process the back-references. Example:: - $route['products/([a-z]+)/edit/(\d+)'] = function($product_type, $id){ + $route['products/([a-z]+)/edit/(\d+)'] = function ($product_type, $id) + { return "catalog/product_edit/" . strtolower($product_type) . "/" . $id; }; From 8f1cdd1904d9f8da9e9cbd383e4385740cc6951b Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Thu, 30 Aug 2012 13:57:54 +0200 Subject: [PATCH 0040/3829] Changed spaces to tabs where appropriate. --- user_guide_src/source/general/routing.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/general/routing.rst b/user_guide_src/source/general/routing.rst index 0a16e13af42..edbc735c44f 100644 --- a/user_guide_src/source/general/routing.rst +++ b/user_guide_src/source/general/routing.rst @@ -113,7 +113,7 @@ If you are using PHP >= 5.3 you can use callbacks in place of the normal routing rules to process the back-references. Example:: $route['products/([a-z]+)/edit/(\d+)'] = function ($product_type, $id) - { + { return "catalog/product_edit/" . strtolower($product_type) . "/" . $id; }; From eeb6a480a4a25b7fe96e9ba0cf3aef273fd13c67 Mon Sep 17 00:00:00 2001 From: dchill42 Date: Thu, 30 Aug 2012 09:46:20 -0400 Subject: [PATCH 0041/3829] Better way - autoloader uses first config path Signed-off-by: dchill42 --- system/core/Loader.php | 18 ++++++------------ tests/mocks/core/loader.php | 1 - 2 files changed, 6 insertions(+), 13 deletions(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index 638c7932c94..242b1906995 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -74,14 +74,6 @@ class CI_Loader { */ protected $_ci_helper_paths = array(); - /** - * Path to autoloader config file - * This lets us override it in unit testing - * - * @var string - */ - protected $_ci_autoloader_path = APPPATH; - /** * List of loaded base classes * @@ -1148,13 +1140,16 @@ protected function _ci_init_class($class, $prefix = '', $config = FALSE, $object */ protected function _ci_autoloader() { - if (defined('ENVIRONMENT') && file_exists($this->_ci_autoloader_path.'config/'.ENVIRONMENT.'/autoload.php')) + // Get autoloader file from config path + $CI =& get_instance(); + $path = reset($CI->config->_config_paths).'config/'; + if (defined('ENVIRONMENT') && file_exists($path.ENVIRONMENT.'/autoload.php')) { - include($this->_ci_autoloader_path.'config/'.ENVIRONMENT.'/autoload.php'); + include($path.ENVIRONMENT.'/autoload.php'); } else { - include($this->_ci_autoloader_path.'config/autoload.php'); + include($path.'autoload.php'); } if ( ! isset($autoload)) @@ -1174,7 +1169,6 @@ protected function _ci_autoloader() // Load any custom config file if (count($autoload['config']) > 0) { - $CI =& get_instance(); foreach ($autoload['config'] as $key => $val) { $CI->config->load($val); diff --git a/tests/mocks/core/loader.php b/tests/mocks/core/loader.php index c0e02139eb6..9eb78253b4c 100644 --- a/tests/mocks/core/loader.php +++ b/tests/mocks/core/loader.php @@ -30,7 +30,6 @@ public function __construct() $this->_ci_helper_paths = array($this->app_path, $this->base_path); $this->_ci_model_paths = array($this->app_path); $this->_ci_view_paths = array($this->app_path.'views/' => TRUE); - $this->_ci_autoloader_path = $this->app_path; } /** From aab26a12a98ca99d956ef24e36c2262938631d73 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Tue, 11 Sep 2012 13:10:21 +0200 Subject: [PATCH 0042/3829] Better server test in redirect() of URL helper "Location" header bugs are specific to IIS; previous test was matching all HTTP servers under Windows. This test isn't perfect yet ($_SERVER['SERVER_SOFTWARE'], which corresponds to the "Server" header of HTTP response, might be missing), but there is no perfect test. "Refresh" method makes the window blank for quite a noticeable time, so let's not affect other servers because of IIS. --- system/helpers/url_helper.php | 2 +- user_guide_src/source/helpers/url_helper.rst | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php index 57208c94831..b1f5eccf167 100644 --- a/system/helpers/url_helper.php +++ b/system/helpers/url_helper.php @@ -534,7 +534,7 @@ function redirect($uri = '', $method = 'auto', $code = NULL) } // IIS environment likely? Use 'refresh' for better compatibility - if (DIRECTORY_SEPARATOR !== '/' && $method === 'auto') + if ($method === 'auto' && isset($_SERVER['SERVER_SOFTWARE']) && strpos($_SERVER['SERVER_SOFTWARE'], 'Microsoft-IIS') !== FALSE) { $method = 'refresh'; } diff --git a/user_guide_src/source/helpers/url_helper.rst b/user_guide_src/source/helpers/url_helper.rst index 30545404807..8de7817e4e4 100644 --- a/user_guide_src/source/helpers/url_helper.rst +++ b/user_guide_src/source/helpers/url_helper.rst @@ -303,7 +303,7 @@ link. The function will build the URL based on your config file values. The optional second parameter allows you to force a particular redirection method. The available methods are "location" or "refresh", with location -being faster but less reliable on Windows servers. The default is "auto", +being faster but less reliable on IIS servers. The default is "auto", which will attempt to intelligently choose the method based on the server environment. From 8280885499ca4b1cffacc9ad78a9eff07a84de25 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Thu, 13 Sep 2012 05:19:59 +0200 Subject: [PATCH 0043/3829] directory_map() was skipping files and directories named "0" Close #1757. Thanks @BennyC! --- system/helpers/directory_helper.php | 2 +- tests/codeigniter/helpers/directory_helper_test.php | 4 +++- user_guide_src/source/changelog.rst | 1 + 3 files changed, 5 insertions(+), 2 deletions(-) diff --git a/system/helpers/directory_helper.php b/system/helpers/directory_helper.php index e7d3b5e8aae..7d6b6770eda 100644 --- a/system/helpers/directory_helper.php +++ b/system/helpers/directory_helper.php @@ -62,7 +62,7 @@ function directory_map($source_dir, $directory_depth = 0, $hidden = FALSE) while (FALSE !== ($file = readdir($fp))) { // Remove '.', '..', and hidden files [optional] - if ( ! trim($file, '.') OR ($hidden === FALSE && $file[0] === '.')) + if ($file === '.' OR $file === '..' OR ($hidden === FALSE && $file[0] === '.')) { continue; } diff --git a/tests/codeigniter/helpers/directory_helper_test.php b/tests/codeigniter/helpers/directory_helper_test.php index 176ff1d789a..c39ccd8d0d9 100644 --- a/tests/codeigniter/helpers/directory_helper_test.php +++ b/tests/codeigniter/helpers/directory_helper_test.php @@ -19,6 +19,7 @@ public function test_directory_map() 'benchmark.html' => '', 'database' => array('active_record.html' => '', 'binds.html' => ''), 'email.html' => '', + '0' => '', '.hiddenfile.txt' => '' ) ); @@ -30,7 +31,8 @@ public function test_directory_map() 'libraries' => array( 'benchmark.html', 'database' => array('active_record.html', 'binds.html'), - 'email.html' + 'email.html', + '0' ) ); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 481afeee3b3..66dd0ea05ee 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -341,6 +341,7 @@ Bug fixes for 3.0 - Fixed a bug (#1605) - :doc:`Pagination Library ` produced incorrect *previous* and *next* link values. - Fixed a bug in SQLSRV's ``affected_rows()`` method where an erroneous function name was used. - Fixed a bug (#1000) - Change syntax of ``$view_file`` to ``$_ci_view_file`` to prevent being overwritten by application. +- Fixed a bug (#1757) - :doc:`Directory Helper ` function ``directory_map()`` was skipping files and directories named *0*. Version 2.1.2 ============= From 5f733c4fd1369a185804cd7b6d27debc50ab1826 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Sat, 15 Sep 2012 10:48:17 +0200 Subject: [PATCH 0044/3829] Update reserved names documentation - EXT removed in 079fbfcde095230f304e889217f897031a948f61 - VIEWPATH added in 8eef9c77512d4fad5357d3cbda83b89f844d7d16 --- user_guide_src/source/general/reserved_names.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/general/reserved_names.rst b/user_guide_src/source/general/reserved_names.rst index 5ce7fc2ff77..3354375c557 100644 --- a/user_guide_src/source/general/reserved_names.rst +++ b/user_guide_src/source/general/reserved_names.rst @@ -45,11 +45,11 @@ Constants --------- - ENVIRONMENT -- EXT - FCPATH - SELF - BASEPATH - APPPATH +- VIEWPATH - CI_VERSION - FILE_READ_MODE - FILE_WRITE_MODE From b16dd29147fa8155cb9d9dadfb7c587aef81d772 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Sun, 16 Sep 2012 19:11:39 +0200 Subject: [PATCH 0045/3829] Minor change in Output cache file check Won't change anything in practice, but robuster (and faster) if ever a cache file would be invalid --- system/core/Output.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Output.php b/system/core/Output.php index 9842f834dbe..847c61e3e56 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -552,7 +552,7 @@ public function _display_cache(&$CFG, &$URI) fclose($fp); // Strip out the embedded timestamp - if ( ! preg_match('/\d+TS--->/', $cache, $match)) + if ( ! preg_match('/^\d+TS--->/', $cache, $match)) { return FALSE; } From 239e0e598f0b9462e195db5da658095eb70cf6e3 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Sun, 16 Sep 2012 19:16:33 +0200 Subject: [PATCH 0046/3829] Better method for getting Output cache file embedded timestamp Faster, shorter code --- system/core/Output.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/core/Output.php b/system/core/Output.php index 847c61e3e56..052367ed619 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -552,13 +552,13 @@ public function _display_cache(&$CFG, &$URI) fclose($fp); // Strip out the embedded timestamp - if ( ! preg_match('/^\d+TS--->/', $cache, $match)) + if ( ! preg_match('/^(\d+)TS--->/', $cache, $match)) { return FALSE; } $last_modified = filemtime($cache_path); - $expire = str_replace('TS--->', '', $match[0]); + $expire = $match[1]; // Has the file expired? if ($_SERVER['REQUEST_TIME'] >= $expire && is_really_writable($cache_path)) From 530b946191c68886b6e156004742e785bfeef8cc Mon Sep 17 00:00:00 2001 From: vlakoff Date: Mon, 17 Sep 2012 14:18:07 +0200 Subject: [PATCH 0047/3829] redirect() documentation: add a note for IIS users --- user_guide_src/source/helpers/url_helper.rst | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/user_guide_src/source/helpers/url_helper.rst b/user_guide_src/source/helpers/url_helper.rst index 8de7817e4e4..1987dfb72b1 100644 --- a/user_guide_src/source/helpers/url_helper.rst +++ b/user_guide_src/source/helpers/url_helper.rst @@ -325,3 +325,7 @@ engine purposes. The default Response Code is 302. The third parameter is .. note:: For very fine grained control over headers, you should use the `Output Library ` set_header() function. + +.. note:: To IIS users: if you hide the `Server` HTTP header, the "auto" + method won't detect IIS, in that case it is advised you explicitly + use the "refresh" method. From 035f499a59f9a226fa1223387074ef4e28abd4bb Mon Sep 17 00:00:00 2001 From: vlakoff Date: Mon, 17 Sep 2012 14:45:21 +0200 Subject: [PATCH 0048/3829] Changelog: add entry for the change in "auto" method of redirect() --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index f7dfc84ac53..ed1b3383593 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -67,6 +67,7 @@ Release Date: Not Released - ``anchor_popup()`` will now fill the "href" attribute with the URL and its JS code will return false instead. - Added JS window name support to ``anchor_popup()`` function. - Added support (auto-detection) for HTTP/1.1 response code 303 in ``redirect()``. + - "auto" method in ``redirect()`` now chooses the "refresh" method only on IIS servers, instead of all servers on Windows. - Added XHTML Basic 1.1 doctype to :doc:`HTML Helper `. - Changed ``humanize()`` to include a second param for the separator. - Refactored ``plural()`` and ``singular()`` to avoid double pluralization and support more words. From 935d42f91a55a409ca02857ef1ef660c921ff1db Mon Sep 17 00:00:00 2001 From: Alex Bilbie Date: Wed, 19 Sep 2012 16:17:03 +0100 Subject: [PATCH 0049/3829] Ignore composer vendor directory Signed-off-by: Alex Bilbie --- .gitignore | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/.gitignore b/.gitignore index 11fb6d67c4f..a035c2b2702 100644 --- a/.gitignore +++ b/.gitignore @@ -11,4 +11,5 @@ application/logs/* user_guide_src/build/* user_guide_src/cilexer/build/* user_guide_src/cilexer/dist/* -user_guide_src/cilexer/pycilexer.egg-info/* \ No newline at end of file +user_guide_src/cilexer/pycilexer.egg-info/* +/vendor/ \ No newline at end of file From 8d6e0c568657064a23a60d286124b81ff3e37dcc Mon Sep 17 00:00:00 2001 From: Alex Bilbie Date: Wed, 19 Sep 2012 16:20:53 +0100 Subject: [PATCH 0050/3829] Added a contributing file to appear in pull requests and issues https://github.com/blog/1184-contributing-guidelines Signed-off-by: Alex Bilbie --- contributing | 159 ++++++++++++++++++++++++++++++++++++++++++++++++++ readme.rst | 160 --------------------------------------------------- 2 files changed, 159 insertions(+), 160 deletions(-) create mode 100644 contributing diff --git a/contributing b/contributing new file mode 100644 index 00000000000..0519b38cb55 --- /dev/null +++ b/contributing @@ -0,0 +1,159 @@ +########################### +Contributing to CodeIgniter +########################### + +CodeIgniter is a community driven project and accepts contributions of code +and documentation from the community. These contributions are made in the form +of Issues or `Pull Requests `_ on +the `EllisLab CodeIgniter repository +`_ on GitHub. + +Issues are a quick way to point out a bug. If you find a bug or documentation +error in CodeIgniter then please check a few things first: + +- There is not already an open Issue +- The issue has already been fixed (check the develop branch, or look for + closed Issues) +- Is it something really obvious that you fix it yourself? + +Reporting issues is helpful but an even better approach is to send a Pull +Request, which is done by "Forking" the main repository and committing to your +own copy. This will require you to use the version control system called Git. + +********** +Guidelines +********** + +Before we look into how, here are the guidelines. If your Pull Requests fail +to pass these guidelines it will be declined and you will need to re-submit +when you’ve made the changes. This might sound a bit tough, but it is required +for us to maintain quality of the code-base. + +PHP Style +========= + +All code must meet the `Style Guide +`_, which is +essentially the `Allman indent style +`_, underscores and +readable operators. This makes certain that all code is the same format as the +existing code and means it will be as readable as possible. + +Documentation +============= + +If you change anything that requires a change to documentation then you will +need to add it. New classes, methods, parameters, changing default values, etc +are all things that will require a change to documentation. The change-log +must also be updated for every change. Also PHPDoc blocks must be maintained. + +Compatibility +============= + +CodeIgniter is compatible with PHP 5.2.4 so all code supplied must stick to +this requirement. If PHP 5.3 or 5.4 functions or features are used then there +must be a fallback for PHP 5.2.4. + +Branching +========= + +CodeIgniter uses the `Git-Flow +`_ branching model +which requires all pull requests to be sent to the "develop" branch. This is +where the next planned version will be developed. The "master" branch will +always contain the latest stable version and is kept clean so a "hotfix" (e.g: +an emergency security patch) can be applied to master to create a new version, +without worrying about other features holding it up. For this reason all +commits need to be made to "develop" and any sent to "master" will be closed +automatically. If you have multiple changes to submit, please place all +changes into their own branch on your fork. + +One thing at a time: A pull request should only contain one change. That does +not mean only one commit, but one change - however many commits it took. The +reason for this is that if you change X and Y but send a pull request for both +at the same time, we might really want X but disagree with Y, meaning we +cannot merge the request. Using the Git-Flow branching model you can create +new branches for both of these features and send two requests. + +Signing +======= +You must sign your work, certifying that you either wrote the work or +otherwise have the right to pass it on to an open source project. git makes +this trivial as you merely have to use `--signoff` on your commits to your +CodeIgniter fork. + +:: + + git commit --signoff + +or simply:: + + git commit -s + +This will sign your commits with the information setup in your git config, e.g. + + Signed-off-by: John Q Public + +If you are using Tower there is a "Sign-Off" checkbox in the commit window. You +could even alias git commit to use the -s flag so you don’t have to think about +it. + +By signing your work in this manner, you certify to a "Developer's Certificate +or Origin". The current version of this certificate is in the `DCO.txt` file +in the root of this repository. + + +************ +How-to Guide +************ + +There are two ways to make changes, the easy way and the hard way. Either way +you will need to `create a GitHub account `_. + +Easy way GitHub allows in-line editing of files for making simple typo changes +and quick-fixes. This is not the best way as you are unable to test the code +works. If you do this you could be introducing syntax errors, etc, but for a +Git-phobic user this is good for a quick-fix. + +Hard way The best way to contribute is to "clone" your fork of CodeIgniter to +your development area. That sounds like some jargon, but "forking" on GitHub +means "making a copy of that repo to your account" and "cloning" means +"copying that code to your environment so you can work on it". + +#. Set up Git (Windows, Mac & Linux) +#. Go to the CodeIgniter repo +#. Fork it +#. Clone your CodeIgniter repo: git@github.com:/CodeIgniter.git +#. Checkout the "develop" branch At this point you are ready to start making + changes. +#. Fix existing bugs on the Issue tracker after taking a look to see nobody + else is working on them. +#. Commit the files +#. Push your develop branch to your fork +#. Send a pull request http://help.github.com/send-pull-requests/ + +The Reactor Engineers will now be alerted about the change and at least one of +the team will respond. If your change fails to meet the guidelines it will be +bounced, or feedback will be provided to help you improve it. + +Once the Reactor Engineer handling your pull request is happy with it they +will post it to the internal EllisLab discussion area to be double checked by +the other Engineers and EllisLab developers. If nobody has a problem with the +change then it will be merged into develop and will be part of the next +release. Keeping your fork up-to-date + +Unlike systems like Subversion, Git can have multiple remotes. A remote is the +name for a URL of a Git repository. By default your fork will have a remote +named "origin" which points to your fork, but you can add another remote named +"codeigniter" which points to git://github.com/EllisLab/CodeIgniter.git. This +is a read-only remote but you can pull from this develop branch to update your +own. + +If you are using command-line you can do the following: + +#. git remote add codeigniter git://github.com/EllisLab/CodeIgniter.git +#. git pull codeigniter develop +#. git push origin develop + +Now your fork is up to date. This should be done regularly, or before you send +a pull request at least. \ No newline at end of file diff --git a/readme.rst b/readme.rst index b211ad7cdb2..8628645c68e 100644 --- a/readme.rst +++ b/readme.rst @@ -38,166 +38,6 @@ Installation Please see the `installation section `_ of the CodeIgniter User Guide. -************ -Contributing -************ - -CodeIgniter is a community driven project and accepts contributions of code -and documentation from the community. These contributions are made in the form -of Issues or `Pull Requests `_ on -the `EllisLab CodeIgniter repository -`_ on GitHub. - -Issues are a quick way to point out a bug. If you find a bug or documentation -error in CodeIgniter then please check a few things first: - -- There is not already an open Issue -- The issue has already been fixed (check the develop branch, or look for - closed Issues) -- Is it something really obvious that you fix it yourself? - -Reporting issues is helpful but an even better approach is to send a Pull -Request, which is done by "Forking" the main repository and committing to your -own copy. This will require you to use the version control system called Git. - -********** -Guidelines -********** - -Before we look into how, here are the guidelines. If your Pull Requests fail -to pass these guidelines it will be declined and you will need to re-submit -when you’ve made the changes. This might sound a bit tough, but it is required -for us to maintain quality of the code-base. - -PHP Style -========= - -All code must meet the `Style Guide -`_, which is -essentially the `Allman indent style -`_, underscores and -readable operators. This makes certain that all code is the same format as the -existing code and means it will be as readable as possible. - -Documentation -============= - -If you change anything that requires a change to documentation then you will -need to add it. New classes, methods, parameters, changing default values, etc -are all things that will require a change to documentation. The change-log -must also be updated for every change. Also PHPDoc blocks must be maintained. - -Compatibility -============= - -CodeIgniter is compatible with PHP 5.2.4 so all code supplied must stick to -this requirement. If PHP 5.3 or 5.4 functions or features are used then there -must be a fallback for PHP 5.2.4. - -Branching -========= - -CodeIgniter uses the `Git-Flow -`_ branching model -which requires all pull requests to be sent to the "develop" branch. This is -where the next planned version will be developed. The "master" branch will -always contain the latest stable version and is kept clean so a "hotfix" (e.g: -an emergency security patch) can be applied to master to create a new version, -without worrying about other features holding it up. For this reason all -commits need to be made to "develop" and any sent to "master" will be closed -automatically. If you have multiple changes to submit, please place all -changes into their own branch on your fork. - -One thing at a time: A pull request should only contain one change. That does -not mean only one commit, but one change - however many commits it took. The -reason for this is that if you change X and Y but send a pull request for both -at the same time, we might really want X but disagree with Y, meaning we -cannot merge the request. Using the Git-Flow branching model you can create -new branches for both of these features and send two requests. - -Signing -======= -You must sign your work, certifying that you either wrote the work or -otherwise have the right to pass it on to an open source project. git makes -this trivial as you merely have to use `--signoff` on your commits to your -CodeIgniter fork. - -:: - - git commit --signoff - -or simply:: - - git commit -s - -This will sign your commits with the information setup in your git config, e.g. - - Signed-off-by: John Q Public - -If you are using Tower there is a "Sign-Off" checkbox in the commit window. You -could even alias git commit to use the -s flag so you don’t have to think about -it. - -By signing your work in this manner, you certify to a "Developer's Certificate -or Origin". The current version of this certificate is in the `DCO.txt` file -in the root of this repository. - - -************ -How-to Guide -************ - -There are two ways to make changes, the easy way and the hard way. Either way -you will need to `create a GitHub account `_. - -Easy way GitHub allows in-line editing of files for making simple typo changes -and quick-fixes. This is not the best way as you are unable to test the code -works. If you do this you could be introducing syntax errors, etc, but for a -Git-phobic user this is good for a quick-fix. - -Hard way The best way to contribute is to "clone" your fork of CodeIgniter to -your development area. That sounds like some jargon, but "forking" on GitHub -means "making a copy of that repo to your account" and "cloning" means -"copying that code to your environment so you can work on it". - -#. Set up Git (Windows, Mac & Linux) -#. Go to the CodeIgniter repo -#. Fork it -#. Clone your CodeIgniter repo: git@github.com:/CodeIgniter.git -#. Checkout the "develop" branch At this point you are ready to start making - changes. -#. Fix existing bugs on the Issue tracker after taking a look to see nobody - else is working on them. -#. Commit the files -#. Push your develop branch to your fork -#. Send a pull request http://help.github.com/send-pull-requests/ - -The Reactor Engineers will now be alerted about the change and at least one of -the team will respond. If your change fails to meet the guidelines it will be -bounced, or feedback will be provided to help you improve it. - -Once the Reactor Engineer handling your pull request is happy with it they -will post it to the internal EllisLab discussion area to be double checked by -the other Engineers and EllisLab developers. If nobody has a problem with the -change then it will be merged into develop and will be part of the next -release. Keeping your fork up-to-date - -Unlike systems like Subversion, Git can have multiple remotes. A remote is the -name for a URL of a Git repository. By default your fork will have a remote -named "origin" which points to your fork, but you can add another remote named -"codeigniter" which points to git://github.com/EllisLab/CodeIgniter.git. This -is a read-only remote but you can pull from this develop branch to update your -own. - -If you are using command-line you can do the following: - -#. git remote add codeigniter git://github.com/EllisLab/CodeIgniter.git -#. git pull codeigniter develop -#. git push origin develop - -Now your fork is up to date. This should be done regularly, or before you send -a pull request at least. - ******* License ******* From 628c77c28b62a0d564aee29cf7b12b338c0e7607 Mon Sep 17 00:00:00 2001 From: Alex Bilbie Date: Wed, 19 Sep 2012 16:29:30 +0100 Subject: [PATCH 0051/3829] Changed the contributing file to a markdown document as Github doesn't support rendering contributing file as rst Signed-off-by: Alex Bilbie --- contributing | 159 ------------------------------------------------ contributing.md | 92 ++++++++++++++++++++++++++++ 2 files changed, 92 insertions(+), 159 deletions(-) delete mode 100644 contributing create mode 100644 contributing.md diff --git a/contributing b/contributing deleted file mode 100644 index 0519b38cb55..00000000000 --- a/contributing +++ /dev/null @@ -1,159 +0,0 @@ -########################### -Contributing to CodeIgniter -########################### - -CodeIgniter is a community driven project and accepts contributions of code -and documentation from the community. These contributions are made in the form -of Issues or `Pull Requests `_ on -the `EllisLab CodeIgniter repository -`_ on GitHub. - -Issues are a quick way to point out a bug. If you find a bug or documentation -error in CodeIgniter then please check a few things first: - -- There is not already an open Issue -- The issue has already been fixed (check the develop branch, or look for - closed Issues) -- Is it something really obvious that you fix it yourself? - -Reporting issues is helpful but an even better approach is to send a Pull -Request, which is done by "Forking" the main repository and committing to your -own copy. This will require you to use the version control system called Git. - -********** -Guidelines -********** - -Before we look into how, here are the guidelines. If your Pull Requests fail -to pass these guidelines it will be declined and you will need to re-submit -when you’ve made the changes. This might sound a bit tough, but it is required -for us to maintain quality of the code-base. - -PHP Style -========= - -All code must meet the `Style Guide -`_, which is -essentially the `Allman indent style -`_, underscores and -readable operators. This makes certain that all code is the same format as the -existing code and means it will be as readable as possible. - -Documentation -============= - -If you change anything that requires a change to documentation then you will -need to add it. New classes, methods, parameters, changing default values, etc -are all things that will require a change to documentation. The change-log -must also be updated for every change. Also PHPDoc blocks must be maintained. - -Compatibility -============= - -CodeIgniter is compatible with PHP 5.2.4 so all code supplied must stick to -this requirement. If PHP 5.3 or 5.4 functions or features are used then there -must be a fallback for PHP 5.2.4. - -Branching -========= - -CodeIgniter uses the `Git-Flow -`_ branching model -which requires all pull requests to be sent to the "develop" branch. This is -where the next planned version will be developed. The "master" branch will -always contain the latest stable version and is kept clean so a "hotfix" (e.g: -an emergency security patch) can be applied to master to create a new version, -without worrying about other features holding it up. For this reason all -commits need to be made to "develop" and any sent to "master" will be closed -automatically. If you have multiple changes to submit, please place all -changes into their own branch on your fork. - -One thing at a time: A pull request should only contain one change. That does -not mean only one commit, but one change - however many commits it took. The -reason for this is that if you change X and Y but send a pull request for both -at the same time, we might really want X but disagree with Y, meaning we -cannot merge the request. Using the Git-Flow branching model you can create -new branches for both of these features and send two requests. - -Signing -======= -You must sign your work, certifying that you either wrote the work or -otherwise have the right to pass it on to an open source project. git makes -this trivial as you merely have to use `--signoff` on your commits to your -CodeIgniter fork. - -:: - - git commit --signoff - -or simply:: - - git commit -s - -This will sign your commits with the information setup in your git config, e.g. - - Signed-off-by: John Q Public - -If you are using Tower there is a "Sign-Off" checkbox in the commit window. You -could even alias git commit to use the -s flag so you don’t have to think about -it. - -By signing your work in this manner, you certify to a "Developer's Certificate -or Origin". The current version of this certificate is in the `DCO.txt` file -in the root of this repository. - - -************ -How-to Guide -************ - -There are two ways to make changes, the easy way and the hard way. Either way -you will need to `create a GitHub account `_. - -Easy way GitHub allows in-line editing of files for making simple typo changes -and quick-fixes. This is not the best way as you are unable to test the code -works. If you do this you could be introducing syntax errors, etc, but for a -Git-phobic user this is good for a quick-fix. - -Hard way The best way to contribute is to "clone" your fork of CodeIgniter to -your development area. That sounds like some jargon, but "forking" on GitHub -means "making a copy of that repo to your account" and "cloning" means -"copying that code to your environment so you can work on it". - -#. Set up Git (Windows, Mac & Linux) -#. Go to the CodeIgniter repo -#. Fork it -#. Clone your CodeIgniter repo: git@github.com:/CodeIgniter.git -#. Checkout the "develop" branch At this point you are ready to start making - changes. -#. Fix existing bugs on the Issue tracker after taking a look to see nobody - else is working on them. -#. Commit the files -#. Push your develop branch to your fork -#. Send a pull request http://help.github.com/send-pull-requests/ - -The Reactor Engineers will now be alerted about the change and at least one of -the team will respond. If your change fails to meet the guidelines it will be -bounced, or feedback will be provided to help you improve it. - -Once the Reactor Engineer handling your pull request is happy with it they -will post it to the internal EllisLab discussion area to be double checked by -the other Engineers and EllisLab developers. If nobody has a problem with the -change then it will be merged into develop and will be part of the next -release. Keeping your fork up-to-date - -Unlike systems like Subversion, Git can have multiple remotes. A remote is the -name for a URL of a Git repository. By default your fork will have a remote -named "origin" which points to your fork, but you can add another remote named -"codeigniter" which points to git://github.com/EllisLab/CodeIgniter.git. This -is a read-only remote but you can pull from this develop branch to update your -own. - -If you are using command-line you can do the following: - -#. git remote add codeigniter git://github.com/EllisLab/CodeIgniter.git -#. git pull codeigniter develop -#. git push origin develop - -Now your fork is up to date. This should be done regularly, or before you send -a pull request at least. \ No newline at end of file diff --git a/contributing.md b/contributing.md new file mode 100644 index 00000000000..f3f94fbc816 --- /dev/null +++ b/contributing.md @@ -0,0 +1,92 @@ +# Contributing to CodeIgniter + + +CodeIgniter is a community driven project and accepts contributions of code and documentation from the community. These contributions are made in the form of Issues or [Pull Requests](http://help.github.com/send-pull-requests/) on the [EllisLab CodeIgniter repository](https://github.com/EllisLab/CodeIgniter>) on GitHub. + +Issues are a quick way to point out a bug. If you find a bug or documentation error in CodeIgniter then please check a few things first: + +1. There is not already an open Issue +2. The issue has already been fixed (check the develop branch, or look for closed Issues) +3. Is it something really obvious that you fix it yourself? + +Reporting issues is helpful but an even better approach is to send a Pull Request, which is done by "Forking" the main repository and committing to your own copy. This will require you to use the version control system called Git. + +## Guidelines + +Before we look into how, here are the guidelines. If your Pull Requests fail +to pass these guidelines it will be declined and you will need to re-submit +when you’ve made the changes. This might sound a bit tough, but it is required +for us to maintain quality of the code-base. + +### PHP Style + +All code must meet the [Style Guide](http://codeigniter.com/user_guide/general/styleguide.html), which is +essentially the [Allman indent style](http://en.wikipedia.org/wiki/Indent_style#Allman_style), underscores and readable operators. This makes certain that all code is the same format as the existing code and means it will be as readable as possible. + +### Documentation + +If you change anything that requires a change to documentation then you will need to add it. New classes, methods, parameters, changing default values, etc are all things that will require a change to documentation. The change-log must also be updated for every change. Also PHPDoc blocks must be maintained. + +### Compatibility + +CodeIgniter is compatible with PHP 5.2.4 so all code supplied must stick to +this requirement. If PHP 5.3 or 5.4 functions or features are used then there +must be a fallback for PHP 5.2.4. + +### Branching + +CodeIgniter uses the [Git-Flow](http://nvie.com/posts/a-successful-git-branching-model/) branching model which requires all pull requests to be sent to the "develop" branch. This is +where the next planned version will be developed. The "master" branch will always contain the latest stable version and is kept clean so a "hotfix" (e.g: an emergency security patch) can be applied to master to create a new version, without worrying about other features holding it up. For this reason all commits need to be made to "develop" and any sent to "master" will be closed automatically. If you have multiple changes to submit, please place all changes into their own branch on your fork. + +One thing at a time: A pull request should only contain one change. That does not mean only one commit, but one change - however many commits it took. The reason for this is that if you change X and Y but send a pull request for both at the same time, we might really want X but disagree with Y, meaning we cannot merge the request. Using the Git-Flow branching model you can create new branches for both of these features and send two requests. + +### Signing + +You must sign your work, certifying that you either wrote the work or otherwise have the right to pass it on to an open source project. git makes this trivial as you merely have to use `--signoff` on your commits to your CodeIgniter fork. + +`git commit --signoff` + +or simply + +`git commit -s` + +This will sign your commits with the information setup in your git config, e.g. + +`Signed-off-by: John Q Public ` + +If you are using [Tower](http://www.git-tower.com/) there is a "Sign-Off" checkbox in the commit window. You could even alias git commit to use the `-s` flag so you don’t have to think about it. + +By signing your work in this manner, you certify to a "Developer's Certificate of Origin". The current version of this certificate is in the `DCO.txt` file in the root of this repository. + + +## How-to Guide + +There are two ways to make changes, the easy way and the hard way. Either way you will need to [create a GitHub account](https://github.com/signup/free). + +Easy way GitHub allows in-line editing of files for making simple typo changes and quick-fixes. This is not the best way as you are unable to test the code works. If you do this you could be introducing syntax errors, etc, but for a Git-phobic user this is good for a quick-fix. + +Hard way The best way to contribute is to "clone" your fork of CodeIgniter to your development area. That sounds like some jargon, but "forking" on GitHub means "making a copy of that repo to your account" and "cloning" means "copying that code to your environment so you can work on it". + +1. Set up Git (Windows, Mac & Linux) +2. Go to the CodeIgniter repo +3. Fork it +4. Clone your CodeIgniter repo: git@github.com:/CodeIgniter.git +5. Checkout the "develop" branch At this point you are ready to start making changes. +6. Fix existing bugs on the Issue tracker after taking a look to see nobody else is working on them. +7. Commit the files +8. Push your develop branch to your fork +9. Send a pull request [http://help.github.com/send-pull-requests/](http://help.github.com/send-pull-requests/) + +The Reactor Engineers will now be alerted about the change and at least one of the team will respond. If your change fails to meet the guidelines it will be bounced, or feedback will be provided to help you improve it. + +Once the Reactor Engineer handling your pull request is happy with it they will post it to the internal EllisLab discussion area to be double checked by the other Engineers and EllisLab developers. If nobody has a problem with the change then it will be merged into develop and will be part of the next release. Keeping your fork up-to-date + +Unlike systems like Subversion, Git can have multiple remotes. A remote is the name for a URL of a Git repository. By default your fork will have a remote named "origin" which points to your fork, but you can add another remote named "codeigniter" which points to `git://github.com/EllisLab/CodeIgniter.git`. This is a read-only remote but you can pull from this develop branch to update your own. + +If you are using command-line you can do the following: + +1. `git remote add codeigniter git://github.com/EllisLab/CodeIgniter.git` +2. `git pull codeigniter develop` +3. `git push origin develop` + +Now your fork is up to date. This should be done regularly, or before you send a pull request at least. \ No newline at end of file From 14c9331420c960ff3237c2d82e34f7ebf8c6f12a Mon Sep 17 00:00:00 2001 From: Adam McCann Date: Thu, 20 Sep 2012 01:16:43 +0100 Subject: [PATCH 0052/3829] Fixes issue #1815 - input::ip_address() returns incorrect IP behind proxy --- system/core/Input.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Input.php b/system/core/Input.php index 968a42a9a95..5b8e62389d6 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -383,7 +383,7 @@ public function ip_address() if (strpos($this->ip_address, ',') !== FALSE) { $x = explode(',', $this->ip_address); - $this->ip_address = trim(end($x)); + $this->ip_address = trim($x[0]); } if ( ! $this->valid_ip($this->ip_address)) From 65bdaf5e2636cb7aa8780826529020ab0bfe9252 Mon Sep 17 00:00:00 2001 From: Bo-Yi Wu Date: Fri, 21 Sep 2012 13:49:09 +0800 Subject: [PATCH 0053/3829] Fixed pagination document error. Signed-off-by: Bo-Yi Wu --- user_guide_src/source/libraries/pagination.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/pagination.rst b/user_guide_src/source/libraries/pagination.rst index 7d750bd23e7..00554c1c7af 100644 --- a/user_guide_src/source/libraries/pagination.rst +++ b/user_guide_src/source/libraries/pagination.rst @@ -80,7 +80,7 @@ The number of "digit" links you would like before and after the selected page number. For example, the number 2 will place two digits on either side, as in the example links at the very top of this page. -$config['use_page_number'] = TRUE; +$config['use_page_numbers'] = TRUE; ================================== By default, the URI segment will use the starting index for the items From 6b4e3624b9a33c144b3ab4aea7904d5919fcc306 Mon Sep 17 00:00:00 2001 From: Bo-Yi Wu Date: Fri, 21 Sep 2012 13:57:24 +0800 Subject: [PATCH 0054/3829] Fixed #1817 Pagination class error Signed-off-by: Bo-Yi Wu --- system/libraries/Pagination.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index 4fa605ca97e..e1e729bb072 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -215,7 +215,8 @@ public function create_links() // string. If post, add a trailing slash to the base URL if needed if ($CI->config->item('enable_query_strings') === TRUE OR $this->page_query_string === TRUE) { - $this->base_url = rtrim($this->base_url).'&'.$this->query_string_segment.'='; + $segment = (strpos($this->base_url, '?')) ? '&' : '?'; + $this->base_url = rtrim($this->base_url).$segment.$this->query_string_segment.'='; } else { From a5e329ff95e0308c07b8db04117f056081997796 Mon Sep 17 00:00:00 2001 From: "W. Kristianto" Date: Sun, 23 Sep 2012 22:34:18 +0700 Subject: [PATCH 0055/3829] Update user_guide_src/source/libraries/loader.rst Remove the second parameter --- user_guide_src/source/libraries/loader.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/loader.rst b/user_guide_src/source/libraries/loader.rst index 33c1bafecbe..615aba1c22c 100644 --- a/user_guide_src/source/libraries/loader.rst +++ b/user_guide_src/source/libraries/loader.rst @@ -344,6 +344,6 @@ calling add_package_path(). $this->load->remove_package_path(APPPATH.'my_app'); // Again without the second parameter: - $this->load->add_package_path(APPPATH.'my_app', TRUE); + $this->load->add_package_path(APPPATH.'my_app'); $this->load->view('my_app_index'); // Loads $this->load->view('welcome_message'); // Loads From f950e5c18d7a36408e33cb11bb67a254362607cc Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Thu, 27 Sep 2012 11:39:33 +0100 Subject: [PATCH 0056/3829] made some corrections to the code --- system/core/Router.php | 9 +++------ 1 file changed, 3 insertions(+), 6 deletions(-) diff --git a/system/core/Router.php b/system/core/Router.php index 1d566c56f43..0e915521d38 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -368,16 +368,13 @@ protected function _parse_routes() foreach ($this->routes as $key => $val) { // Convert wild-cards to RegEx - $key = str_replace(':any', '.+', str_replace(':num', '[0-9]+', $key)); + $key = str_replace(array(':any', ':num'), array('.+', '[0-9]+'), $key); // Does the RegEx match? if (preg_match('#^'.$key.'$#', $uri, $matches)) { - // Are we using a callback? - $callable = ! is_string($val) && is_callable($val); - // Are we using callbacks to process back-references? - if($callable) + if(! is_string($val) && is_callable($val)) { // Remove the original string from the matches array. array_shift($matches); @@ -400,7 +397,7 @@ protected function _parse_routes() $val = call_user_func_array($val, $matches); } // Are we using the default routing method for back-references? - else if (strpos($val, '$') !== FALSE AND strpos($key, '(') !== FALSE) + elseif (strpos($val, '$') !== FALSE && strpos($key, '(') !== FALSE) { $val = preg_replace('#^'.$key.'$#', $val, $uri); } From 24296ca1e940ac32841cc24a5fdc2f49a0f8ec8a Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Thu, 27 Sep 2012 12:10:01 +0100 Subject: [PATCH 0057/3829] corrected a few more style problems --- system/core/Router.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/core/Router.php b/system/core/Router.php index 0e915521d38..3428ff07b17 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -374,7 +374,7 @@ protected function _parse_routes() if (preg_match('#^'.$key.'$#', $uri, $matches)) { // Are we using callbacks to process back-references? - if(! is_string($val) && is_callable($val)) + if ( ! is_string($val) && is_callable($val)) { // Remove the original string from the matches array. array_shift($matches); @@ -387,7 +387,7 @@ protected function _parse_routes() $param_count = $reflection->getNumberOfParameters(); // Are there more parameters than matches? - if($param_count > $match_count) + if ($param_count > $match_count) { // Any params without matches will be set to an empty string. $matches = array_merge($matches, array_fill($match_count, $param_count - $match_count, '')); From 50f7834a747242cbaa08b19bf8bb57dff02a4b23 Mon Sep 17 00:00:00 2001 From: Alex Bilbie Date: Tue, 2 Oct 2012 08:56:43 +0100 Subject: [PATCH 0058/3829] Added 'binary/octet-stream' as PDF mime. Fixes #1840 and #1828 Signed-off-by: Alex Bilbie --- application/config/mimes.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/application/config/mimes.php b/application/config/mimes.php index 48771dc15ce..af1c95ffd82 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -49,7 +49,7 @@ 'sea' => 'application/octet-stream', 'dll' => 'application/octet-stream', 'oda' => 'application/oda', - 'pdf' => array('application/pdf', 'application/x-download'), + 'pdf' => array('application/pdf', 'application/x-download', 'binary/octet-stream'), 'ai' => 'application/postscript', 'eps' => 'application/postscript', 'ps' => 'application/postscript', From 7bd1690b8b1c74ee6d6ff3868525d8cdc0ec0803 Mon Sep 17 00:00:00 2001 From: Alex Bilbie Date: Tue, 2 Oct 2012 09:19:02 +0100 Subject: [PATCH 0059/3829] Added .dot and .dotx mimes. Fixes #1803 Signed-off-by: Alex Bilbie --- application/config/mimes.php | 2 ++ 1 file changed, 2 insertions(+) diff --git a/application/config/mimes.php b/application/config/mimes.php index af1c95ffd82..90ffe61ff09 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -124,6 +124,8 @@ 'movie' => 'video/x-sgi-movie', 'doc' => array('application/msword', 'application/vnd.ms-office'), 'docx' => array('application/vnd.openxmlformats-officedocument.wordprocessingml.document', 'application/zip', 'application/msword'), + 'dot' => array('application/msword', 'application/vnd.ms-office'), + 'dotx' => array('application/vnd.openxmlformats-officedocument.wordprocessingml.document', 'application/zip', 'application/msword'), 'xlsx' => array('application/vnd.openxmlformats-officedocument.spreadsheetml.sheet', 'application/zip', 'application/vnd.ms-excel', 'application/msword'), 'word' => array('application/msword', 'application/octet-stream'), 'xl' => 'application/excel', From a9923f5dc131f5a18175b1df3cf3f80a93ffb464 Mon Sep 17 00:00:00 2001 From: Daniel Morris Date: Wed, 3 Oct 2012 19:37:09 +0100 Subject: [PATCH 0060/3829] Support for hashing algorithms other than SHA1 and MD5 Signed-off-by: Daniel Morris --- system/libraries/Encrypt.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Encrypt.php b/system/libraries/Encrypt.php index 8ffd93aea66..3b04f7b0600 100644 --- a/system/libraries/Encrypt.php +++ b/system/libraries/Encrypt.php @@ -484,7 +484,7 @@ protected function _get_mode() */ public function set_hash($type = 'sha1') { - $this->_hash_type = ($type !== 'sha1' && $type !== 'md5') ? 'sha1' : $type; + $this->_hash_type = (in_array($type, hash_algos())) ? $type : 'sha1'; } // -------------------------------------------------------------------- @@ -497,7 +497,7 @@ public function set_hash($type = 'sha1') */ public function hash($str) { - return ($this->_hash_type === 'sha1') ? sha1($str) : md5($str); + return hash($this->_hash_type, $str); } } From c4a3c3cb01dcc5fbcd079313a8576c701f3f54ff Mon Sep 17 00:00:00 2001 From: Kyle Johnson Date: Wed, 3 Oct 2012 14:34:37 -0700 Subject: [PATCH 0061/3829] Updated result function to check for visible items as defined in issue #395 --- system/libraries/Unit_test.php | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/system/libraries/Unit_test.php b/system/libraries/Unit_test.php index 70ad8dc41a4..435c3269388 100644 --- a/system/libraries/Unit_test.php +++ b/system/libraries/Unit_test.php @@ -240,6 +240,11 @@ public function result($results = array()) { foreach ($val as $k => $v) { + if ( ! in_array($k, $this->_test_items_visible)) + { + continue; + } + if (FALSE !== ($line = $CI->lang->line(strtolower('ut_'.$v)))) { $v = $line; From ada7775a47f32034ba589768612894c3cb6186ca Mon Sep 17 00:00:00 2001 From: Daniel Morris Date: Thu, 4 Oct 2012 10:24:16 +0100 Subject: [PATCH 0062/3829] Removed redundant parenthesis around `in_array()` --- system/libraries/Encrypt.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Encrypt.php b/system/libraries/Encrypt.php index 3b04f7b0600..67960925160 100644 --- a/system/libraries/Encrypt.php +++ b/system/libraries/Encrypt.php @@ -484,7 +484,7 @@ protected function _get_mode() */ public function set_hash($type = 'sha1') { - $this->_hash_type = (in_array($type, hash_algos())) ? $type : 'sha1'; + $this->_hash_type = in_array($type, hash_algos()) ? $type : 'sha1'; } // -------------------------------------------------------------------- From 824b4f220ca3dadc8f0945c665a7d7f8105a5dc4 Mon Sep 17 00:00:00 2001 From: Daniel Morris Date: Thu, 4 Oct 2012 10:25:03 +0100 Subject: [PATCH 0063/3829] Updated changelog to include changes to the Encryption library --- user_guide_src/source/changelog.rst | 2 ++ 1 file changed, 2 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 73d9fb0ec9f..847b1be3ed3 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -204,6 +204,8 @@ Release Date: Not Released - Added $config['reuse_query_string'] to allow automatic repopulation of query string arguments, combined with normal URI segments. - Removed the default `` `` from a number of the configuration variables. - Added the ability to use a proxy with the :doc:`XML-RPC Library `. + - :doc:`Encryption Library ` changes include: + - Added support for hashing algorithms other than SHA1 and MD5. - Core From 2ea33c37e9bfa3ff0e029c18a0d2c9ef05016bf0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 4 Oct 2012 12:37:51 +0300 Subject: [PATCH 0064/3829] Fix issue #1789 Signed-off-by: Andrey Andreev --- system/database/DB_driver.php | 4 ++++ system/database/drivers/cubrid/cubrid_driver.php | 6 ++---- system/database/drivers/ibase/ibase_driver.php | 4 ---- system/database/drivers/mssql/mssql_driver.php | 4 ---- system/database/drivers/mysql/mysql_driver.php | 4 ---- system/database/drivers/mysqli/mysqli_driver.php | 4 ---- system/database/drivers/oci8/oci8_driver.php | 4 ---- system/database/drivers/odbc/odbc_driver.php | 2 -- system/database/drivers/pdo/pdo_driver.php | 4 ---- .../drivers/pdo/subdrivers/pdo_cubrid_driver.php | 4 ---- .../drivers/pdo/subdrivers/pdo_mysql_driver.php | 4 ---- .../drivers/pdo/subdrivers/pdo_odbc_driver.php | 1 - system/database/drivers/postgre/postgre_driver.php | 4 ---- system/database/drivers/sqlite/sqlite_driver.php | 4 ---- system/database/drivers/sqlite3/sqlite3_driver.php | 4 ---- system/database/drivers/sqlsrv/sqlsrv_driver.php | 4 ---- user_guide_src/source/changelog.rst | 11 ++++++----- 17 files changed, 12 insertions(+), 60 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index e61af91b76b..b64b977cbd8 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -79,6 +79,10 @@ abstract class CI_DB_driver { protected $_protect_identifiers = TRUE; protected $_reserved_identifiers = array('*'); // Identifiers that should NOT be escaped + // clause and character used for LIKE escape sequences + protected $_like_escape_str = " ESCAPE '%s' "; + protected $_like_escape_chr = '!'; + /** * The syntax to count rows is slightly different across different * database engines, so this string appears in each driver and is diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php index a3d0287f5c2..28724e0e861 100644 --- a/system/database/drivers/cubrid/cubrid_driver.php +++ b/system/database/drivers/cubrid/cubrid_driver.php @@ -45,10 +45,6 @@ class CI_DB_cubrid_driver extends CI_DB { // The character used for escaping - no need in CUBRID protected $_escape_char = '`'; - // clause and character used for LIKE escape sequences - not used in CUBRID - protected $_like_escape_str = ''; - protected $_like_escape_chr = ''; - protected $_random_keyword = ' RAND()'; // database specific random keyword // CUBRID-specific properties @@ -72,6 +68,8 @@ public function __construct($params) } } + // -------------------------------------------------------------------- + /** * Non-persistent database connection * diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php index c9027670d41..f7811bf4608 100644 --- a/system/database/drivers/ibase/ibase_driver.php +++ b/system/database/drivers/ibase/ibase_driver.php @@ -45,10 +45,6 @@ class CI_DB_ibase_driver extends CI_DB { // The character used to escape with protected $_escape_char = '"'; - // clause and character used for LIKE escape sequences - protected $_like_escape_str = " ESCAPE '%s' "; - protected $_like_escape_chr = '!'; - protected $_random_keyword = ' Random()'; // database specific random keyword // Keeps track of the resource for the current transaction diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index 1714704a84e..b4a1af7ba6e 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -45,10 +45,6 @@ class CI_DB_mssql_driver extends CI_DB { // The character used for escaping protected $_escape_char = '"'; - // clause and character used for LIKE escape sequences - protected $_like_escape_str = " ESCAPE '%s' "; - protected $_like_escape_chr = '!'; - protected $_random_keyword = ' NEWID()'; // MSSQL-specific properties diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 35473016ff4..6b4d84dfba0 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -45,10 +45,6 @@ class CI_DB_mysql_driver extends CI_DB { // The character used for escaping protected $_escape_char = '`'; - // clause and character used for LIKE escape sequences - not used in MySQL - protected $_like_escape_str = ''; - protected $_like_escape_chr = '\\'; - protected $_random_keyword = ' RAND()'; // database specific random keyword /** diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 9558dfd86f6..453ddcc3f74 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -45,10 +45,6 @@ class CI_DB_mysqli_driver extends CI_DB { // The character used for escaping protected $_escape_char = '`'; - // clause and character used for LIKE escape sequences - not used in MySQL - protected $_like_escape_str = ''; - protected $_like_escape_chr = '\\'; - protected $_random_keyword = ' RAND()'; // database specific random keyword /** diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index 691247fee21..7bf18949b0c 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -54,10 +54,6 @@ class CI_DB_oci8_driver extends CI_DB { // The character used for excaping protected $_escape_char = '"'; - // clause and character used for LIKE escape sequences - protected $_like_escape_str = " ESCAPE '%s' "; - protected $_like_escape_chr = '!'; - /** * The syntax to count rows is slightly different across different * database engines, so this string appears in each driver and is diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index 8f0a474b042..fbf6a4cb194 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -45,9 +45,7 @@ class CI_DB_odbc_driver extends CI_DB { // the character used to excape - not necessary for ODBC protected $_escape_char = ''; - // clause and character used for LIKE escape sequences protected $_like_escape_str = " {escape '%s'} "; - protected $_like_escape_chr = '!'; protected $_random_keyword; diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index 705b16560df..0ffe3bc13a1 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -45,10 +45,6 @@ class CI_DB_pdo_driver extends CI_DB { // The character used to escaping protected $_escape_char = '"'; - // clause and character used for LIKE escape sequences - protected $_like_escape_str = " ESCAPE '%s' "; - protected $_like_escape_chr = '!'; - protected $_random_keyword; public $trans_enabled = FALSE; diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php index 05eeacfe6c3..eb37147831c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php @@ -44,10 +44,6 @@ class CI_DB_pdo_cubrid_driver extends CI_DB_pdo_driver { protected $_escape_char = '`'; - // clause and character used for LIKE escape sequences - not used in CUBRID - protected $_like_escape_str = ''; - protected $_like_escape_chr = '\\'; - protected $_random_keyword = ' RAND()'; /** diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index 78afe246c2a..b6807026d07 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -44,10 +44,6 @@ class CI_DB_pdo_mysql_driver extends CI_DB_pdo_driver { protected $_escape_char = '`'; - // clause and character used for LIKE escape sequences - not used in MySQL - protected $_like_escape_str = ''; - protected $_like_escape_chr = '\\'; - protected $_random_keyword = ' RAND()'; /** diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php index 392754ff7a6..dd7a1af52bb 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php @@ -46,7 +46,6 @@ class CI_DB_pdo_odbc_driver extends CI_DB_pdo_driver { protected $_escape_char = ''; // clause and character used for LIKE escape sequences - protected $_like_escape_chr = '!'; protected $_like_escape_str = " {escape '%s'} "; protected $_random_keyword = ' RAND()'; diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index 8c11c477b21..1d6e9567a84 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -44,10 +44,6 @@ class CI_DB_postgre_driver extends CI_DB { protected $_escape_char = '"'; - // clause and character used for LIKE escape sequences - protected $_like_escape_str = " ESCAPE '%s' "; - protected $_like_escape_chr = '!'; - protected $_random_keyword = ' RANDOM()'; // database specific random keyword /** diff --git a/system/database/drivers/sqlite/sqlite_driver.php b/system/database/drivers/sqlite/sqlite_driver.php index 19824dbbfa3..2744a63cf20 100644 --- a/system/database/drivers/sqlite/sqlite_driver.php +++ b/system/database/drivers/sqlite/sqlite_driver.php @@ -45,10 +45,6 @@ class CI_DB_sqlite_driver extends CI_DB { // The character used to escape with - not needed for SQLite protected $_escape_char = '"'; - // clause and character used for LIKE escape sequences - protected $_like_escape_str = " ESCAPE '%s' "; - protected $_like_escape_chr = '!'; - protected $_random_keyword = ' Random()'; // database specific random keyword /** diff --git a/system/database/drivers/sqlite3/sqlite3_driver.php b/system/database/drivers/sqlite3/sqlite3_driver.php index cc35d319f9c..23145e7f9e6 100644 --- a/system/database/drivers/sqlite3/sqlite3_driver.php +++ b/system/database/drivers/sqlite3/sqlite3_driver.php @@ -46,10 +46,6 @@ class CI_DB_sqlite3_driver extends CI_DB { // The character used for escaping protected $_escape_char = '"'; - // clause and character used for LIKE escape sequences - protected $_like_escape_str = ' ESCAPE \'%s\' '; - protected $_like_escape_chr = '!'; - protected $_random_keyword = ' RANDOM()'; /** diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index bda450e88c5..abcaf4577a3 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -45,10 +45,6 @@ class CI_DB_sqlsrv_driver extends CI_DB { // The character used for escaping protected $_escape_char = '"'; - // clause and character used for LIKE escape sequences - protected $_like_escape_str = " ESCAPE '%s' "; - protected $_like_escape_chr = '!'; - protected $_random_keyword = ' NEWID()'; // SQLSRV-specific properties diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 73d9fb0ec9f..dd0cb9e35df 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -312,12 +312,12 @@ Bug fixes for 3.0 - Fixed a bug (#666) - :doc:`Output library `'s set_content_type() method didn't set the document charset. - Fixed a bug (#784, #861) - :doc:`Database Forge ` method ``create_table()`` used to accept constraints for MSSQL/SQLSRV integer-type columns. - Fixed a bug (#706) - SQLSRV/MSSSQL didn't escape field names. -- Fixed a bug (#1452) - protect_identifiers() didn't properly detect identifiers with spaces in their names. -- Fixed a bug where protect_identifiers() ignored it's extra arguments when the value passed to it is an array. -- Fixed a bug where _has_operator() didn't detect BETWEEN. -- Fixed a bug in :doc:`Query Builder `'s join() method where it failed with identifiers containing dashes. +- Fixed a bug (#1452) - ``protect_identifiers()`` didn't properly detect identifiers with spaces in their names. +- Fixed a bug where ``protect_identifiers()`` ignored it's extra arguments when the value passed to it is an array. +- Fixed a bug where ``_has_operator()`` didn't detect BETWEEN. +- Fixed a bug in :doc:`Query Builder `'s ``join()`` method where it failed with identifiers containing dashes. - Fixed a bug (#1264) - :doc:`Database Forge ` and :doc:`Database Utilities ` didn't update/reset the databases and tables list cache when a table or a database is created, dropped or renamed. -- Fixed a bug (#7) - :doc:`Query Builder `'s join() method only escaped one set of conditions. +- Fixed a bug (#7) - :doc:`Query Builder `'s ``join()`` method only escaped one set of conditions. - Fixed a bug (#1321) - Core Exceptions class couldn't find the errors/ folder in some cases. - Fixed a bug in the File-based :doc:`Cache Library ` driver's get_metadata() method where a non-existent array key was accessed for the TTL value. - Fixed a bug (#1202) - :doc:`Encryption Library ` encode_from_legacy() didn't set back the encrypt mode on failure. @@ -343,6 +343,7 @@ Bug fixes for 3.0 - Fixed a bug in SQLSRV's ``affected_rows()`` method where an erroneous function name was used. - Fixed a bug (#1000) - Change syntax of ``$view_file`` to ``$_ci_view_file`` to prevent being overwritten by application. - Fixed a bug (#1757) - :doc:`Directory Helper ` function ``directory_map()`` was skipping files and directories named *0*. +- Fixed a bug (#1789) - :doc:`Database Library ` method ``escape_str()`` escaped quote characters in LIKE conditions twice under MySQL. Version 2.1.2 ============= From 13be5578e7ea440f4f33bc4c5c22096686224d66 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 4 Oct 2012 12:43:03 +0300 Subject: [PATCH 0065/3829] Fix escape_like_str() tests --- tests/codeigniter/database/query_builder/escape_test.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/tests/codeigniter/database/query_builder/escape_test.php b/tests/codeigniter/database/query_builder/escape_test.php index c6380ddf1c8..27e678f2276 100644 --- a/tests/codeigniter/database/query_builder/escape_test.php +++ b/tests/codeigniter/database/query_builder/escape_test.php @@ -27,7 +27,7 @@ public function test_escape_like_percent_sign() if (strpos(DB_DRIVER, 'mysql') !== FALSE) { - $sql = "SELECT `value` FROM `misc` WHERE `key` LIKE '$string%' ESCAPE '';"; + $sql = "SELECT `value` FROM `misc` WHERE `key` LIKE '$string%' ESCAPE '!';"; } else { @@ -52,7 +52,7 @@ public function test_escape_like_backslash_sign() if (strpos(DB_DRIVER, 'mysql') !== FALSE) { - $sql = "SELECT `value` FROM `misc` WHERE `key` LIKE '$string%' ESCAPE '';"; + $sql = "SELECT `value` FROM `misc` WHERE `key` LIKE '$string%' ESCAPE '!';"; } else { From 5b92ae1dfb6ac99630693d193b0d3f60f9df525f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 4 Oct 2012 13:05:03 +0300 Subject: [PATCH 0066/3829] Misc. style fixes [ci skip] --- system/core/Input.php | 20 +++++++----- user_guide_src/source/changelog.rst | 49 +++++++++++++++-------------- 2 files changed, 38 insertions(+), 31 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index 5b8e62389d6..657fce62597 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -330,10 +330,10 @@ public function ip_address() if (config_item('proxy_ips') != '' && $this->server('HTTP_X_FORWARDED_FOR') && $this->server('REMOTE_ADDR')) { - $has_ranges = strpos($proxies, '/') !== false; + $has_ranges = strpos($proxies, '/') !== FALSE; $proxies = preg_split('/[\s,]/', config_item('proxy_ips'), -1, PREG_SPLIT_NO_EMPTY); $proxies = is_array($proxies) ? $proxies : array($proxies); - + if ($has_ranges) { $long_ip = ip2long($_SERVER['REMOTE_ADDR']); @@ -341,21 +341,25 @@ public function ip_address() // Go through each of the IP Addresses to check for and // test against range notation - foreach($proxies as $ip) + foreach ($proxies as $ip) { - list($address, $mask_length) = explode('/', $ip); + list($address, $mask_length) = explode('/', $ip, 2); // Generate the bitmask for a 32 bit IP Address - $bitmask = $bit_32 - (1 << (32 - (int)$mask_length)); - if (($long_ip & $bitmask) == $address) + $bitmask = $bit_32 - (1 << (32 - (int) $mask_length)); + if (($long_ip & $bitmask) === $address) { $this->ip_address = $_SERVER['HTTP_X_FORWARDED_FOR']; break; } } - } else { - $this->ip_address = in_array($_SERVER['REMOTE_ADDR'], $proxies) ? $_SERVER['HTTP_X_FORWARDED_FOR'] : $_SERVER['REMOTE_ADDR']; + } + else + { + $this->ip_address = in_array($_SERVER['REMOTE_ADDR'], $proxies) + ? $_SERVER['HTTP_X_FORWARDED_FOR'] + : $_SERVER['REMOTE_ADDR']; } } elseif ( ! $this->server('HTTP_CLIENT_IP') && $this->server('REMOTE_ADDR')) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4d7758659e3..912f8f8e99f 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -145,7 +145,7 @@ Release Date: Not Released - Added capability for packages to hold database.php config files - Added subdrivers support (currently only used by PDO). - Added client compression support for MySQL and MySQLi. - - Removed :doc:`Loader Class ` from Database error to better find the likely culprit. + - Removed :doc:`Loader Class ` from Database error tracing to better find the likely culprit. - Libraries @@ -160,10 +160,12 @@ Release Date: Not Released - Changed the Cookie driver to select only one row when using database sessions. - Cookie driver now only writes to database at end of request when using database. - Cookie driver now uses PHP functions for faster array manipulation when using database. - - Added all_flashdata() method to session class. Returns an associative array of only flashdata. - - Added has_userdata() method to verify existence of userdata item. - - Added tempdata(), set_tempdata(), and unset_tempdata() methods for manipulating tempdata. - - Added max_filename_increment config setting for Upload library. + - Added ``all_flashdata()`` method to session class. Returns an associative array of only flashdata. + - Added ``has_userdata()`` method to verify existence of userdata item. + - Added ``tempdata()``, ``set_tempdata()``, and ``unset_tempdata()`` methods for manipulating tempdata. + - :doc:`File Uploading Library ` changes include: + - Added *max_filename_increment* config setting. + - Added an "index" parameter to the ``data()`` method. - :doc:`Cart library ` changes include: - It now auto-increments quantity's instead of just resetting it, this is the default behaviour of large e-commerce sites. - Product Name strictness can be disabled via the Cart Library by switching "$product_name_safe". @@ -174,9 +176,6 @@ Release Date: Not Released - Class properties wm_font_color, wm_shadow_color and wm_use_drop_shadow are now protected, to avoid breaking the text_watermark() method if they are set manually after initialization. - If property maintain_ratio is set to TRUE, image_reproportion() now doesn't need both width and height to be specified. - Property maintain_ratio is now taken into account when resizing images using ImageMagick library - - Removed SHA1 function in the :doc:`Encryption Library `. - - Added $config['csrf_regeneration'] to the CSRF protection in the :doc:`Security library `, which makes token regeneration optional. - - Added $config['csrf_exclude_uris'] to the CSRF protection in the :doc:`Security library `, which allows you list URIs which will not have the CSRF validation functions run. - :doc:`Form Validation library ` changes include: - Added method error_array() to return all error messages as an array. - Added method set_data() to set an alternative data array to be validated instead of the default $_POST. @@ -187,7 +186,7 @@ Release Date: Not Released - Native PHP functions used as rules can now accept an additional parameter, other than the data itself. - Updated set_rules() to accept an array of rules as well as a string. - Fields that have empty rules set no longer run through validation (and therefore are not considered erroneous). - - Allowed for setting table class defaults in a config file. + - Added support for setting :doc:`Table ` class defaults in a config file. - Added a Wincache driver to the :doc:`Caching Library `. - Added a Redis driver to the :doc:`Caching Library `. - :doc:`Email library ` changes include: @@ -196,7 +195,6 @@ Release Date: Not Released - Added dsn (delivery status notification) option. - Renamed method _set_header() to set_header() and made it public to enable adding custom headers in the :doc:`Email Library `. - Successfully sent emails will automatically clear the parameters. - - Added an "index" parameter to the data() method in the :doc:`Upload Library `. - :doc:`Pagination Library ` changes include: - Added support for the anchor "rel" attribute. - Added support for setting custom attributes. @@ -205,32 +203,37 @@ Release Date: Not Released - Removed the default `` `` from a number of the configuration variables. - Added the ability to use a proxy with the :doc:`XML-RPC Library `. - :doc:`Encryption Library ` changes include: - - Added support for hashing algorithms other than SHA1 and MD5. + - Added support for hashing algorithms other than SHA1 and MD5. + - Removed previously deprecated ``sha1()`` method. - Core - Changed private methods in the :doc:`URI Library ` to protected so MY_URI can override them. - - Removed CI_CORE boolean constant from CodeIgniter.php (no longer Reactor and Core versions). + - Removed ``CI_CORE`` boolean constant from CodeIgniter.php (no longer Reactor and Core versions). - :doc:`Loader Library ` changes include: - Added method get_vars() to the Loader to retrieve all variables loaded with $this->load->vars(). - CI_Loader::_ci_autoloader() is now a protected method. - Added autoloading of drivers with $autoload['drivers']. - CI_Loader::library() will now load drivers as well, for backward compatibility of converted libraries (like Session). - - is_loaded() function from system/core/Commons.php now returns a reference. + - ``is_loaded()`` function from *system/core/Commons.php* now returns a reference. - $config['rewrite_short_tags'] now has no effect when using PHP 5.4 as *` to retrieve $_SERVER['REQUEST_METHOD']. + - Added ``method()`` to the :doc:`Input Library ` to retrieve ``$_SERVER['REQUEST_METHOD']``. - Modified valid_ip() to use PHP's filter_var() in the :doc:`Input Library `. - - Added support for HTTP-Only cookies with new config option ``cookie_httponly`` (default FALSE). + - Added support for HTTP-Only cookies with new config option *cookie_httponly* (default FALSE). - Renamed method _call_hook() to call_hook() in the :doc:`Hooks Library `. - - Added get_content_type() method to the :doc:`Output Library `. - - Added get_mimes() function to system/core/Commons.php to return the config/mimes.php array. - - Added a second argument to set_content_type() in the :doc:`Output Library ` that allows setting the document charset as well. - - $config['time_reference'] now supports all timezone strings supported by PHP. - - Added support for HTTP code 303 ("See Other") in set_status_header(). - - Changed :doc:`Config Library ` method site_url() to accept an array as well. - - Added method ``strip_image_tags()`` to the :doc:`Security Library `. + - :doc:`Output Library ` changes include: + - Added method ``get_content_type()``. + - Added a second argument to method ``set_content_type()`` that allows setting the document charset as well. + - Added ``get_mimes()`` function to *system/core/Commons.php* to return the *config/mimes.php* array. + - ``$config['time_reference']`` now supports all timezone strings supported by PHP. + - Added support for HTTP code 303 ("See Other") in ``set_status_header()``. + - Changed :doc:`Config Library ` method ``site_url()`` to accept an array as well. + - :doc:`Security Library ` changes include: + - Added method ``strip_image_tags()``. + - Added ``$config['csrf_regeneration']``, which makes token regeneration optional. + - Added ``$config['csrf_exclude_uris']``, which allows you list URIs which will not have the CSRF validation methods run. - Changed ``_exception_handler()`` to respect php.ini 'display_errors' setting. - - Added support for IPv4 range masks (e.g. 192.168.1.1/24) to specify ranges of IP addresses for use with the proxy_ips setting. + - Added support for IPv4 range masks (e.g. 192.168.1.1/24) to specify ranges of IP addresses for use with the *proxy_ips* setting. Bug fixes for 3.0 ------------------ From ddb32da0e86510d7e68c5432a1657732a01b5d34 Mon Sep 17 00:00:00 2001 From: Kyle Johnson Date: Thu, 4 Oct 2012 10:19:57 -0700 Subject: [PATCH 0067/3829] Updated changelog with bugfix (#395) Signed-off-by: Kyle Johnson --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 73d9fb0ec9f..98ab4aec1f9 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -343,6 +343,7 @@ Bug fixes for 3.0 - Fixed a bug in SQLSRV's ``affected_rows()`` method where an erroneous function name was used. - Fixed a bug (#1000) - Change syntax of ``$view_file`` to ``$_ci_view_file`` to prevent being overwritten by application. - Fixed a bug (#1757) - :doc:`Directory Helper ` function ``directory_map()`` was skipping files and directories named *0*. +- Fixed a bug (#395) - :doc:`Unit Testing Library ` method ``result()`` didn't properly check array result columns against _test_items_visible when called from ``report()`` method. Version 2.1.2 ============= From 6602cd7b7433b1d514b0f944cc9de563133174cf Mon Sep 17 00:00:00 2001 From: Daniel Morris Date: Thu, 4 Oct 2012 21:06:21 +0100 Subject: [PATCH 0068/3829] DRY determining server protocol Signed-off-by: Daniel Morris --- system/core/Common.php | 6 +----- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 5 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 57374b07dde..09b73ef2e98 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -488,13 +488,9 @@ function set_status_header($code = 200, $text = '') { header('Status: '.$code.' '.$text, TRUE); } - elseif ($server_protocol === 'HTTP/1.0') - { - header('HTTP/1.0 '.$code.' '.$text, TRUE, $code); - } else { - header('HTTP/1.1 '.$code.' '.$text, TRUE, $code); + header($server_protocol.' '.$code.' '.$text, TRUE, $code); } } } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 847b1be3ed3..378eec061dd 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -231,6 +231,7 @@ Release Date: Not Released - Added method ``strip_image_tags()`` to the :doc:`Security Library `. - Changed ``_exception_handler()`` to respect php.ini 'display_errors' setting. - Added support for IPv4 range masks (e.g. 192.168.1.1/24) to specify ranges of IP addresses for use with the proxy_ips setting. + - Removed redundant conditional to determine HTTP server protocol in ``set_status_header()`` Bug fixes for 3.0 ------------------ From e5f9e4a6069db57ec6c166bc8f198b1c229cf399 Mon Sep 17 00:00:00 2001 From: Daniel Morris Date: Thu, 4 Oct 2012 21:33:46 +0100 Subject: [PATCH 0069/3829] Default to HTTP/1.1 if $server_protocol is not set Signed-off-by: Daniel Morris --- system/core/Common.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Common.php b/system/core/Common.php index 09b73ef2e98..2a804877dd2 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -490,7 +490,7 @@ function set_status_header($code = 200, $text = '') } else { - header($server_protocol.' '.$code.' '.$text, TRUE, $code); + header($server_protocol ?: 'HTTP/1.1'.' '.$code.' '.$text, TRUE, $code); } } } From 7885c5cac9932e0598719682522b1c4902c15876 Mon Sep 17 00:00:00 2001 From: Daniel Morris Date: Thu, 4 Oct 2012 21:44:09 +0100 Subject: [PATCH 0070/3829] Compatibility with PHP 5.2.4 and enclosed ternary operation Signed-off-by: Daniel Morris --- system/core/Common.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Common.php b/system/core/Common.php index 2a804877dd2..e449dd2e0f3 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -490,7 +490,7 @@ function set_status_header($code = 200, $text = '') } else { - header($server_protocol ?: 'HTTP/1.1'.' '.$code.' '.$text, TRUE, $code); + header(($server_protocol ? $server_protocol : 'HTTP/1.1').' '.$code.' '.$text, TRUE, $code); } } } From 9438e26671ee1f0b49c8da7a56a0a195788fd5da Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 13:16:27 +0300 Subject: [PATCH 0071/3829] Fix issue #116 + other space/style fixes [ci skip --- system/core/Config.php | 2 +- system/core/Loader.php | 2 +- system/libraries/Unit_test.php | 2 +- user_guide_src/source/changelog.rst | 4 ++-- user_guide_src/source/libraries/image_lib.rst | 23 +++++++++---------- 5 files changed, 16 insertions(+), 17 deletions(-) diff --git a/system/core/Config.php b/system/core/Config.php index 2f6a9e0856e..8e4f998efe0 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -102,7 +102,7 @@ public function load($file = '', $use_sections = FALSE, $fail_gracefully = FALSE { $file = ($file === '') ? 'config' : str_replace('.php', '', $file); $found = $loaded = FALSE; - + $check_locations = defined('ENVIRONMENT') ? array(ENVIRONMENT.'/'.$file, $file) : array($file); diff --git a/system/core/Loader.php b/system/core/Loader.php index 89b2028bfaf..75e93608a42 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -1275,4 +1275,4 @@ protected function _ci_prep_filename($filename, $extension) } /* End of file Loader.php */ -/* Location: ./system/core/Loader.php */ +/* Location: ./system/core/Loader.php */ \ No newline at end of file diff --git a/system/libraries/Unit_test.php b/system/libraries/Unit_test.php index 435c3269388..c2c01758e3e 100644 --- a/system/libraries/Unit_test.php +++ b/system/libraries/Unit_test.php @@ -244,7 +244,7 @@ public function result($results = array()) { continue; } - + if (FALSE !== ($line = $CI->lang->line(strtolower('ut_'.$v)))) { $v = $line; diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index cafdf1083aa..e2f780c65f2 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -233,7 +233,7 @@ Release Date: Not Released - Added ``$config['csrf_regeneration']``, which makes token regeneration optional. - Added ``$config['csrf_exclude_uris']``, which allows you list URIs which will not have the CSRF validation methods run. - Changed ``_exception_handler()`` to respect php.ini 'display_errors' setting. - - Removed redundant conditional to determine HTTP server protocol in ``set_status_header()`` + - Removed redundant conditional to determine HTTP server protocol in ``set_status_header()``. - Added support for IPv4 range masks (e.g. 192.168.1.1/24) to specify ranges of IP addresses for use with the *proxy_ips* setting. Bug fixes for 3.0 @@ -349,8 +349,8 @@ Bug fixes for 3.0 - Fixed a bug in SQLSRV's ``affected_rows()`` method where an erroneous function name was used. - Fixed a bug (#1000) - Change syntax of ``$view_file`` to ``$_ci_view_file`` to prevent being overwritten by application. - Fixed a bug (#1757) - :doc:`Directory Helper ` function ``directory_map()`` was skipping files and directories named *0*. -- Fixed a bug (#395) - :doc:`Unit Testing Library ` method ``result()`` didn't properly check array result columns against _test_items_visible when called from ``report()`` method. - Fixed a bug (#1789) - :doc:`Database Library ` method ``escape_str()`` escaped quote characters in LIKE conditions twice under MySQL. +- Fixed a bug (#395) - :doc:`Unit Testing Library ` method ``result()`` didn't properly check array result columns when called from ``report()``. Version 2.1.2 ============= diff --git a/user_guide_src/source/libraries/image_lib.rst b/user_guide_src/source/libraries/image_lib.rst index ed6575c62da..dcdccbd9200 100644 --- a/user_guide_src/source/libraries/image_lib.rst +++ b/user_guide_src/source/libraries/image_lib.rst @@ -91,9 +91,9 @@ error upon failure, like this:: echo $this->image_lib->display_errors(); } -Note: You can optionally specify the HTML formatting to be applied to -the errors, by submitting the opening/closing tags in the function, like -this:: +.. note:: You can optionally specify the HTML formatting to be applied to + the errors, by submitting the opening/closing tags in the function, + like this:: $this->image_lib->display_errors('

', '

'); @@ -225,8 +225,7 @@ pixels) specifying where to crop, like this:: $config['y_axis'] = '40'; All preferences listed in the table above are available for this -function except these: rotation_angle, width, height, create_thumb, -new_image. +function except these: rotation_angle, create_thumb, new_image. Here's an example showing how you might crop an image:: @@ -243,11 +242,11 @@ Here's an example showing how you might crop an image:: echo $this->image_lib->display_errors(); } -Note: Without a visual interface it is difficult to crop images, so this -function is not very useful unless you intend to build such an -interface. That's exactly what we did using for the photo gallery module -in ExpressionEngine, the CMS we develop. We added a JavaScript UI that -lets the cropping area be selected. +.. note:: Without a visual interface it is difficult to crop images, so this + function is not very useful unless you intend to build such an + interface. That's exactly what we did using for the photo gallery module + in ExpressionEngine, the CMS we develop. We added a JavaScript UI that + lets the cropping area be selected. $this->image_lib->rotate() =========================== @@ -338,8 +337,8 @@ The above example will use a 16 pixel True Type font to create the text bottom/center of the image, 20 pixels from the bottom of the image. .. note:: In order for the image class to be allowed to do any - processing, the image file must have "write" file permissions. For - example, 777. + processing, the image file must have "write" file permissions + For example, 777. Watermarking Preferences ======================== From 740480a7513e29e201f56c6481067108a2031509 Mon Sep 17 00:00:00 2001 From: Dimitar Date: Fri, 5 Oct 2012 13:24:59 +0300 Subject: [PATCH 0072/3829] Bug-fix in XML-RPC library $type and $typeof are passed as strings in this function, therefore I took the easy way and simplified the validation. I tested with different requests (strings, numbers ..), no other issues found. --- system/libraries/Xmlrpc.php | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) mode change 100644 => 100755 system/libraries/Xmlrpc.php diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php old mode 100644 new mode 100755 index a8aaa208895..dc5d27f8c8b --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -1317,15 +1317,15 @@ public function __construct($val = -1, $type = '') { $type = $type === '' ? 'string' : $type; - if ($this->xmlrpcTypes[$type] === 1) + if ($this->xmlrpcTypes[$type] == 1) { $this->addScalar($val,$type); } - elseif ($this->xmlrpcTypes[$type] === 2) + elseif ($this->xmlrpcTypes[$type] == 2) { $this->addArray($val); } - elseif ($this->xmlrpcTypes[$type] === 3) + elseif ($this->xmlrpcTypes[$type] == 3) { $this->addStruct($val); } @@ -1351,7 +1351,7 @@ public function addScalar($val, $type = 'string') return 0; } - if ($typeof !== 1) + if ($typeof != 1) { echo 'XML_RPC_Values: not a scalar type (${typeof})
'; return 0; From 0af025841ac1acb05a79bf8758d7bf05d21ebd52 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 13:34:32 +0300 Subject: [PATCH 0073/3829] Manually apply pull #300 (fixes #295) [ci skip] --- application/views/errors/error_404.php | 8 +++++--- application/views/errors/error_db.php | 8 +++++--- application/views/errors/error_general.php | 8 +++++--- application/views/welcome_message.php | 13 +++++++------ 4 files changed, 22 insertions(+), 15 deletions(-) diff --git a/application/views/errors/error_404.php b/application/views/errors/error_404.php index c19bedfcd29..fe48fd524ca 100644 --- a/application/views/errors/error_404.php +++ b/application/views/errors/error_404.php @@ -31,9 +31,9 @@ 404 Page Not Found From 27482544315a4dd7a7bec18fef04b0c20436de15 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 14:51:12 +0300 Subject: [PATCH 0074/3829] Fix issue #935 [ci skip] --- system/language/english/form_validation_lang.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/language/english/form_validation_lang.php b/system/language/english/form_validation_lang.php index 0217761613c..cf1b3b50383 100644 --- a/system/language/english/form_validation_lang.php +++ b/system/language/english/form_validation_lang.php @@ -43,8 +43,8 @@ $lang['regex_match'] = 'The %s field is not in the correct format.'; $lang['matches'] = 'The %s field does not match the %s field.'; $lang['is_unique'] = 'The %s field must contain a unique value.'; -$lang['is_natural'] = 'The %s field must contain only positive numbers.'; -$lang['is_natural_no_zero'] = 'The %s field must contain a number greater than zero.'; +$lang['is_natural'] = 'The %s field must only contain digits.'; +$lang['is_natural_no_zero'] = 'The %s field must only contain digits and must be greater than zero.'; $lang['decimal'] = 'The %s field must contain a decimal number.'; $lang['less_than'] = 'The %s field must contain a number less than %s.'; $lang['less_than_equal_to'] = 'The %s field must contain a number less than or equal to %s.'; From 241a69be96de350b18d875304eb1e361b710e148 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 14:58:36 +0300 Subject: [PATCH 0075/3829] [ci skip] Add a note to the user guide regarding issue #1010 --- user_guide_src/source/libraries/form_validation.rst | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index 39f7874026a..faf22198187 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -861,8 +861,9 @@ Rule Parameter Description ========================= ========== ============================================================================================= ======================= **required** No Returns FALSE if the form element is empty. **matches** Yes Returns FALSE if the form element does not match the one in the parameter. matches[form_item] -**is_unique** Yes Returns FALSE if the form element is not unique to the is_unique[table.field] - table and field name in the parameter. is_unique[table.field] +**is_unique** Yes Returns FALSE if the form element is not unique to the table and field name in the is_unique[table.field] + parameter. Note: This rule requires :doc:`Query Builder ` to be + enabled in order to work. **max_length** Yes Returns FALSE if the form element is longer then the parameter value. max_length[12] **exact_length** Yes Returns FALSE if the form element is not exactly the parameter value. exact_length[8] **greater_than** Yes Returns FALSE if the form element is less than or equal to the parameter value or not greater_than[8] From 99ae226607fff411bae3b69475bd1b0e3981d563 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 15:14:30 +0300 Subject: [PATCH 0076/3829] Add PNG transparency support in CI_Image_lib::text_watermark() (originally from pull #1317, partially fixes #1139) --- system/libraries/Image_lib.php | 7 +++++++ user_guide_src/source/changelog.rst | 9 +++++---- 2 files changed, 12 insertions(+), 4 deletions(-) diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index 899b995d4e6..ef418784728 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -1320,6 +1320,13 @@ public function text_watermark() imagestring($src_img, $this->wm_font_size, $x_shad, $y_shad, $this->wm_text, $drp_color); imagestring($src_img, $this->wm_font_size, $x_axis, $y_axis, $this->wm_text, $txt_color); } + + // We can preserve transparency for PNG images + if ($this->image_type === 3) + { + imagealphablending($src_img, FALSE); + imagesavealpha($src_img, TRUE); + } } // Output the final image diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index e2f780c65f2..b3fbe718bc3 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -172,10 +172,11 @@ Release Date: Not Released - Added function remove() to remove a cart item, updating with quantity of 0 seemed like a hack but has remained to retain compatibility. - :doc:`Image Manipulation library ` changes include: - The initialize() method now only sets existing class properties. - - Added support for 3-length hex color values for wm_font_color and wm_shadow_color properties, as well as validation for them. - - Class properties wm_font_color, wm_shadow_color and wm_use_drop_shadow are now protected, to avoid breaking the text_watermark() method if they are set manually after initialization. - - If property maintain_ratio is set to TRUE, image_reproportion() now doesn't need both width and height to be specified. - - Property maintain_ratio is now taken into account when resizing images using ImageMagick library + - Added support for 3-length hex color values for *wm_font_color* and *wm_shadow_color* properties, as well as validation for them. + - Class properties *wm_font_color*, *wm_shadow_color* and *wm_use_drop_shadow* are now protected, to avoid breaking the ``text_watermark()`` method if they are set manually after initialization. + - If property *maintain_ratio* is set to TRUE, ``image_reproportion()`` now doesn't need both width and height to be specified. + - Property *maintain_ratio* is now taken into account when resizing images using ImageMagick library. + - Added support for maintaining transparency for PNG images in method ``text_watermark()``. - :doc:`Form Validation library ` changes include: - Added method error_array() to return all error messages as an array. - Added method set_data() to set an alternative data array to be validated instead of the default $_POST. From 327e4f7376749f4fe7f0fadb56bd925dc721463a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 15:44:43 +0300 Subject: [PATCH 0077/3829] [ci skip] Fix up the cheatsheets page (original pull #1244) --- .../codeigniter_1.7.1_library_reference.png | Bin 111744 -> 111747 bytes .../source/overview/cheatsheets.rst | 15 +++++++++++---- 2 files changed, 11 insertions(+), 4 deletions(-) diff --git a/user_guide_src/source/images/codeigniter_1.7.1_library_reference.png b/user_guide_src/source/images/codeigniter_1.7.1_library_reference.png index 554ae2eed918d3787bac804825f92dfb3276bee7..7f054f95f64b76e6157996aa0663b62c8cdb23cb 100644 GIT binary patch delta 2908 zcmX9=d0dZK7k7Rw$XroGMWIAxDMU3zlNOUoWKBYph%Aj}vb7Si(W}kYqJ{i; zA7pu7>j+sQS;JUo&{(EMqiMdU_n+_ie9w08J?Gx@Jn?UIliuillM>+XE%Z$EI&|nD z)LpVjsP{CHkh19>2~D)By9#2Hb}m6!=w@g`9MelvnTREl$v<1&?u^arCpyOB29k^;-!Xe<{)j|<}jIKkOR_U@DK|~cYFQ{a@I)2 z$g1E>FDz6vf17Nb0_D;4MWNMwtcs7(WbeEGvoZ;3yssr z8ZLAv$2}Zc>Vz6-8l22QG;PjKtaEb70M@wJ0Kd4*gCWRum6l3C=f+iNbz2JElJDlT z^Hq0tYj&Rn)#UNnT*Tiz1As1G-vWQ~dIJpg-U{&PV;&S=ZkZ zXzTB2Aii1A7JKPyeq_Gsy!34!*HsH?wZ9Cbm~;VHJ81}s!vUkXzz%^skwH^4Z8hif zm~o8v(>ik+FmM(($|UF%tLkUh0?UHuK&3Y)nw>XtVfz=VB*)*H%Ydq90A*I`PN$9UPA};l*yRkJ2&{ z$ESL=^-n4;E%998UR9a<`p@1be_$gC`h1FrL|b4+;$+~<#777^pQPe#U)ng5*ZwPc z1NK|}@KCJK#H9@6ko{W=dx@%uHqX1S2UJ#Bos}PKi+5YQ_S=|UXi4fFcsQnA0cxig zYl{eNAstHRHtKDA&3Qj?9Nsst{|iHG5J&P~pLA}^KrQh68brC`mk1$+w0Y@aDi z&impyv}*rnkVA!CnVc#50z6)fDrjC5|H7)v2V#J3rRRYQ`TAtnw!^P9&dcs=@I?vZW z<$N|&78lG_J%t!#ZJkhBVKy-=tfw;RWVY$@V?vs7X*%30F4@7Y;Zg*zGvPANI4S5# zFo<%cgtN`R<_5Co+BqiS*WoS6*L}6bYN2^~{V7NNd~+$=9BTQ-|5dvOn0I?O(CrT9 zn)K+-XCq&G>1SPKq?#btd0YaF>Uyf+WUg)bGlPn~QCkNqF`^1*(*7i$pV6W%npqlYKk>l>a z;1k-v%+(TT+|8Fiz~uExi%aSAmLHGw=>0m7phgY5cm2TAH2FgUlg^)ZgOq-%<9#GH zA6KFG8rK##*fbmd8q2|_THgUn{|;x9VOt-VGVREo#L-Yn0g>Mlxj7$Uii$}n zAzEY$qq0?-^w=p=hc&>QL}oRhY0Zt=46 z%kde%z@gWwkG-8%y?x=)Ja^~m$a#ykh5Xr)VzG&+frO8W@@62Jqnb)*YwE{)v$3Hm z5bJFSZIW->P=6SkY^a1+C>Tn*ykgNXYG&trJMsX1ZbvapXOEzeULtwn!Pb0hov>v~ z;*H9EgLm}VlDNf0$Tvp7Nyy$KX)!`7N0Mv%863!$LtVxY-l=TwNM~UE;7I2Dt`!4k zO5xq*xRN`&HH<|;h2lJp_=B(1yAkG>kb}q5e9+V5X)deHJZU?tE4-0L$Ti+%0rAnB z8?OwXKzrG#_Iu(FpBz1rK0z$inu;H>IxJPRRR$$hnhP=S6C(5}~{d!fim* zkYM7MByX5QmK;= zaEKuvi1-*Xf>Dm4MwOvxDF1VFP40uhDO0O22Np%#tq^i{Ea4L^--#vsjwps}D2dmQ z*V2D=bcAX3X7nZjr$jFj2qRXGP9*#+C`F0w?@g{vq9f35*+{dXeYTM@RoWs+SIBFV zal_!gg)sBwfhmL!h0rW&yvkvPd=90!kWR4Ef?`UC_)ttkAP0jh_O(ppM~+4oR6-O?4N pE$^C8#R|Fx)AWOMhC69=n4s#eZZtHLYBZ`?x?}@{|85uzfu4I delta 2911 zcmX9=X+VzY8g_prJcSWOMOi9@lq`j4N<}IqTWPVC?0ZfaS`ZTF^Hy(JDzdbje0U`p zWUWI(BztC1onws&4Vvrj{JF00y0`avp8Hw8*m|9)dL7;EKHl!aShQ-@N~racNvJa$ zNl1I?0SV1&RVNi_tM&l`nd>BKgNnpXm9bbT8J`;XM`#zLs(?9P)gy0B8UHP}I65p$ zNFnY2jRNo67X$M;)F30F<7DJZH9wh=IMFGHe+TRDhvRSk$EYt=8~hid)KJCZYBy(K zJ0nlvG$T9U4x^cHzcOma?)N7Df>_YK3s>3LV+^pQ$2g$M)Ea1OdKK<3rV_h%_Dlg< z^h$!MxK|vTT>1=#Sk>o=7Ra}6JGRa2w+^DJpC1b=D~wpu9pDJlgaK;mEOcU=V^hb} z_sVNrmt3O6nCJ-U&A`68qBwP0kB2q2wG~2RHfT61_IQ z$l!irYuWcMI&V8vZ+nztKf3mYX=d*b-?UBELVc)5^Uw33jUz^2i&;GXHYQcERZbK*t#;j|dGML*Bx;G51I z_QlyBrpYd;yoRq`eSnT`qkxfa^}xCAJK%on?u!hK(}Y;2%N`#%__P-XxA8Uy4)nIy z7kbN^Bd>i+UzBb#D`8i|hB6^Vc*}5hm~;hrchW%QlFv|H;NgBLD50sCx`qq7PCvr~ z`Y~fFaEd=S$|RtKO%G;P0`midVA2g*#lf3`mvHKvS>;ScbN8`vYUmzTb@P|=0{Jig zK|12x`OH&76SVXpbrdGU^ZWF-P1}0aa_P6LLULQ)fU*uNxc?O^KJti4*GwWaVY&3| z5>qcPul){b(dP@&o@zDSd0aitb%8@i$M5#oL~D%^>bbUM1ZN|S`D6EfS*m3yil(?V z_lnKR&30YxTwHjd?n^i0zc7&Kjy#J6F#~`}F}}dsm?ucO60722U*BxU-~JZ25#ud; z{A;ApL~Xa=l%qS2b`{0p&93+BdKVU3UXmZ}igH@NepJLh^d$ZsA{=&>16wC#X^U`e zAr&TYA9Z)taotb5Ut>9>=X>S=$4Q~U90`q-h9w>VRwgz9ZzbIV9!N$PHE)x9tF**z zA$3kIg}k3?!-HtMFCTb%Um-Aje-s?``)_mo;`A za^w@liK87@Ts-y_Se%75(9~xA$)@t02%vNBWni1UU|?9D7u+ZF_&(6IDe&NulMB-! z8VWnJO-G|~W zVx}?>qHq8H(YXbt6GKA{lu74OO_rSzlK-`72>bP#4Z@yZ3+L~6+~5mN3M>zVC@Rn9 zYIAQoK^(qW$|Af1(Nb!KruMgyZ6aZ z7+rjE-%|acZ~We}g{PN2_3+wlycG*uRl%7>)sKKl4{)zZA0D`)q{G8=yhR$H@ClU0 zKjV%xKI`3H7)RX*Z%Uo#sT~oAtE}cYg6`D};B})H-6Z1|V_^t*5yM$eUh@2gzB-^K z(6qa+R>L)+R*M(X>op%7spjnlh@f{G4)64VZ_*tfqFLyDJP1+nv5H5r<#Uk=eb+cO zIl-ri{(B53U-3X-yj;yXp|Hgk0N(N+EOG(kzTq(Zg0EA(A|{cpSO3P>r~b#8;l;`x9z|cXgt+ z%(6ZOfaQkH}UZ}PTG-U%UFkzC#Q}bK{$=_ zP<#3f-cR;q#%EVC7)jfCbm@-d%wd0w!NLi}aV+tht~_!g+)+XfaiQ6e7hNcX&AnV{ zH=7IHQAWtO-Kh`gFL!RRGGshua!}O-;>S&nm`EQ%3q1+1v6AhHSjd}REi=>ireXa3 z@wgSivfmW)hCDQdlDUS%G}^#?dO9_7R=z*g>5DPX8{M8QYAQ=F4s=qg@@<5CEPzI~ z6&u`0ZJ8~U`T%qtS%U+K&x;%#L^%7hNif|2y$mKboNGg9F@N#J99jzUn@hQ{HqRxQ zQ{+(06s-)U86cl9ScOs-Mtrd;3&N?2r|-0=B`9MN4TH665$$4c=n}H#5{XOcJ>-^U zl*cn1vWhY|sd5d?1KCHAM>mll@W0eAPf{-$e2Z>1(e3JNrLy+vk2<03ji7g`&f;1A zm#w!BJo1}7rR;{^vGDr^Lf#)qc$eksNWxzb#c&~=v6dkjow7l zWl%&6;SYk66Vr0eRY32Xdj@`v^1W=c|Ni&z~YZ;Zo^L-;l-1ohiacpQ{IcrCcR zbv%{xl$v&8mk8N0f$+~su1Y{np{RC|A3LY*Cj6C`_ +|CodeIgniter Library Reference| + +- :download:`Download PDF <../images/codeigniter_1.7.1_library_reference.pdf>` + Helpers Reference ================= -`|image1| <../images/codeigniter_1.7.1_helper_reference.pdf>`_ +|CodeIgniter Helper Reference| + +- :download:`Download PDF <../images/codeigniter_1.7.1_helper_reference.pdf>` + .. |CodeIgniter Library Reference| image:: ../images/codeigniter_1.7.1_library_reference.png -.. |image1| image:: ../images/codeigniter_1.7.1_helper_reference.png + :target: ../_downloads/codeigniter_1.7.1_library_reference.pdf +.. |CodeIgniter Helper Reference| image:: ../images/codeigniter_1.7.1_helper_reference.png + :target: ../_downloads/codeigniter_1.7.1_helper_reference.pdf From 6123b61e8ec95ac91f67bfbf442e34021c922319 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 15:54:43 +0300 Subject: [PATCH 0078/3829] Fix issue #1340 [ci skip] --- user_guide_src/source/libraries/file_uploading.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/libraries/file_uploading.rst b/user_guide_src/source/libraries/file_uploading.rst index 65cd5c722c5..1698dcbb973 100644 --- a/user_guide_src/source/libraries/file_uploading.rst +++ b/user_guide_src/source/libraries/file_uploading.rst @@ -197,6 +197,7 @@ Preference Default Value Options Descripti Separate multiple types with a pipe. **file_name** None Desired file name If set CodeIgniter will rename the uploaded file to this name. The extension provided in the file name must also be an allowed file type. + If no extension is provided in the original file_name will be used. **overwrite** FALSE TRUE/FALSE (boolean) If set to true, if a file with the same name as the one you are uploading exists, it will be overwritten. If set to false, a number will be appended to the filename if another with the same name exists. From 1194ad733135214e9905123258df3600b01735fd Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 17:05:46 +0300 Subject: [PATCH 0079/3829] Fix issue #1692 --- system/database/DB_driver.php | 10 ++++++++-- user_guide_src/source/changelog.rst | 5 +++-- 2 files changed, 11 insertions(+), 4 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index b64b977cbd8..acba9c1878a 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1348,7 +1348,7 @@ public function display_error($error = '', $swap = '', $native = FALSE) } else { - $message = ( ! is_array($error)) ? array(str_replace('%s', $swap, $LANG->line($error))) : $error; + $message = is_array($error) ? $error : array(str_replace('%s', $swap, $LANG->line($error))); } // Find the most likely culprit of the error by going through @@ -1357,7 +1357,13 @@ public function display_error($error = '', $swap = '', $native = FALSE) $trace = debug_backtrace(); foreach ($trace as $call) { - if (isset($call['file'], $call['class']) && strpos($call['file'], BASEPATH.'database') === FALSE && strpos($call['class'], 'Loader') !== FALSE) + // We'll need this on Windows, as APPPATH and BASEPATH will always use forward slashes + if (DIRECTORY_SEPARATOR !== '/') + { + $call['file'] = str_replace('\\', '/', $call['file']); + } + + if (isset($call['file'], $call['class']) && strpos($call['file'], $basepath.'database') === FALSE && strpos($call['class'], 'Loader') !== FALSE) { // Found it - use a relative path for safety $message[] = 'Filename: '.str_replace(array(APPPATH, BASEPATH), '', $call['file']); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index b3fbe718bc3..5cfd795b116 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -350,8 +350,9 @@ Bug fixes for 3.0 - Fixed a bug in SQLSRV's ``affected_rows()`` method where an erroneous function name was used. - Fixed a bug (#1000) - Change syntax of ``$view_file`` to ``$_ci_view_file`` to prevent being overwritten by application. - Fixed a bug (#1757) - :doc:`Directory Helper ` function ``directory_map()`` was skipping files and directories named *0*. -- Fixed a bug (#1789) - :doc:`Database Library ` method ``escape_str()`` escaped quote characters in LIKE conditions twice under MySQL. -- Fixed a bug (#395) - :doc:`Unit Testing Library ` method ``result()`` didn't properly check array result columns when called from ``report()``. +- Fixed a bug (#1789) - :doc:`Database Library ` method ``escape_str()`` escaped quote characters in LIKE conditions twice under MySQL. +- Fixed a bug (#395) - :doc:`Unit Testing Library ` method ``result()`` didn't properly check array result columns when called from ``report()``. +- Fixed a bug (#1692) - :doc:`Database Library ` method ``display_error()`` didn't properly trace the possible error source on Windows systems. Version 2.1.2 ============= From ccd01c75f5802e4e4b74bb53414a58d2aa0fd0d8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 17:12:55 +0300 Subject: [PATCH 0080/3829] Polish changes from #1586 --- system/libraries/Email.php | 4 ++-- user_guide_src/source/changelog.rst | 2 +- user_guide_src/source/libraries/email.rst | 6 +++--- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 84ea1654b82..4776df4982e 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -198,7 +198,7 @@ public function from($from, $name = '', $return_path = '') if ($this->validate) { $this->validate_email($this->_str_to_array($from)); - if($return_path) + if ($return_path) { $this->validate_email($this->_str_to_array($return_path)); } @@ -221,7 +221,7 @@ public function from($from, $name = '', $return_path = '') $this->set_header('From', $name.' <'.$from.'>'); - if(!$return_path) + if( ! $return_path) { $return_path = $from; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 5b123b929d6..ff722924332 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -196,7 +196,7 @@ Release Date: Not Released - Added dsn (delivery status notification) option. - Renamed method _set_header() to set_header() and made it public to enable adding custom headers in the :doc:`Email Library `. - Successfully sent emails will automatically clear the parameters. - - Added third parameter $return_path in method Email::from(). + - Added a *return_path* parameter to the ``from()`` method. - :doc:`Pagination Library ` changes include: - Added support for the anchor "rel" attribute. - Added support for setting custom attributes. diff --git a/user_guide_src/source/libraries/email.rst b/user_guide_src/source/libraries/email.rst index fc324ffc957..e7ed9f74ccb 100644 --- a/user_guide_src/source/libraries/email.rst +++ b/user_guide_src/source/libraries/email.rst @@ -117,12 +117,12 @@ Sets the email address and name of the person sending the email:: $this->email->from('you@example.com', 'Your Name'); -:: +You can also set a Return-Path, to help redirect undelivered mail:: $this->email->from('you@example.com', 'Your Name', 'returned_emails@example.com'); -Third parameter is redirect for undelivered emails (may not be configured with -protocol 'smtp'). +.. note:: Return-Path can't be used if you've configured + 'smtp' as your protocol. $this->email->reply_to() ------------------------- From 9e31f8f1600c6577f46a855eee6a3c7d527aebea Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 17:31:46 +0300 Subject: [PATCH 0081/3829] Fix #1745 --- system/database/DB_driver.php | 2 +- user_guide_src/source/changelog.rst | 3 ++- user_guide_src/source/libraries/form_validation.rst | 4 +++- 3 files changed, 6 insertions(+), 3 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index acba9c1878a..b12042bde27 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -674,7 +674,7 @@ public function compile_binds($sql, $binds) */ public function is_write_type($sql) { - return (bool) preg_match('/^\s*"?(SET|INSERT|UPDATE|DELETE|REPLACE|CREATE|DROP|TRUNCATE|LOAD DATA|COPY|ALTER|RENAME|GRANT|REVOKE|LOCK|UNLOCK|REINDEX)\s+/i', $sql); + return (bool) preg_match('/^\s*"?(SET|INSERT|UPDATE|DELETE|REPLACE|CREATE|DROP|TRUNCATE|LOAD|COPY|ALTER|RENAME|GRANT|REVOKE|LOCK|UNLOCK|REINDEX)\s+/i', $sql); } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index ff722924332..4c3133e92f5 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -271,7 +271,7 @@ Bug fixes for 3.0 - Fixed a bug (#129) - ODBC's num_rows() returned -1 in some cases, due to not all subdrivers supporting the odbc_num_rows() function. - Fixed a bug (#153) - E_NOTICE being generated by getimagesize() in the :doc:`File Uploading Library `. - Fixed a bug (#611) - SQLSRV's error handling methods used to issue warnings when there's no actual error. -- Fixed a bug (#1036) - is_write_type() method in the :doc:`Database Library ` didn't return TRUE for RENAME queries. +- Fixed a bug (#1036) - ``is_write_type()`` method in the :doc:`Database Library ` didn't return TRUE for RENAME queries. - Fixed a bug in PDO's _version() method where it used to return the client version as opposed to the server one. - Fixed a bug in PDO's insert_id() method where it could've failed if it's used with Postgre versions prior to 8.1. - Fixed a bug in CUBRID's affected_rows() method where a connection resource was passed to cubrid_affected_rows() instead of a result. @@ -354,6 +354,7 @@ Bug fixes for 3.0 - Fixed a bug (#1789) - :doc:`Database Library ` method ``escape_str()`` escaped quote characters in LIKE conditions twice under MySQL. - Fixed a bug (#395) - :doc:`Unit Testing Library ` method ``result()`` didn't properly check array result columns when called from ``report()``. - Fixed a bug (#1692) - :doc:`Database Library ` method ``display_error()`` didn't properly trace the possible error source on Windows systems. +- Fixed a bug (#1745) - ``is_write_type()`` method in the :doc:`Database Library ` didn't return TRUE for LOAD queries. Version 2.1.2 ============= diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index 29e1be032c5..bc922e69bde 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -489,11 +489,13 @@ the name of the function:: $this->form_validation->set_message('username_check') If you are using an error message that can accept two $s in your error string, -such as .. +such as: +:: $this->form_validation->set_message('min_length', 'The $s field must contain at least $s characters.'); Then you can also use %1$s and %2$s: +:: $this->form_validation->set_message('min_length', 'This field must contain at least %2$s characters.'); From ebbfefafb4498c2b84eb2c4608d7c97da10b1b09 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 17:46:47 +0300 Subject: [PATCH 0082/3829] Fix SQLite3 DB error handling --- .../drivers/sqlite3/sqlite3_driver.php | 21 ++++++------------- 1 file changed, 6 insertions(+), 15 deletions(-) diff --git a/system/database/drivers/sqlite3/sqlite3_driver.php b/system/database/drivers/sqlite3/sqlite3_driver.php index 23145e7f9e6..d03be15f52d 100644 --- a/system/database/drivers/sqlite3/sqlite3_driver.php +++ b/system/database/drivers/sqlite3/sqlite3_driver.php @@ -284,25 +284,16 @@ protected function _field_data($table) // -------------------------------------------------------------------- /** - * The error message string + * Error * - * @return string - */ - protected function _error_message() - { - return $this->conn_id->lastErrorMsg(); - } - - // -------------------------------------------------------------------- - - /** - * The error message number + * Returns an array containing code and message of the last + * database error that has occured. * - * @return int + * @return array */ - protected function _error_number() + public function error() { - return $this->conn_id->lastErrorCode(); + return array('code' => $this->conn_id->lastErrorCode(), 'message' => $this->conn_id->lastErrorMsg()); } // -------------------------------------------------------------------- From 73766c239318974b7e8ed02ab441794cab7f523f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 20:32:14 +0300 Subject: [PATCH 0083/3829] [ci skip] Small doc fixes, thanks dchill42 --- user_guide_src/source/changelog.rst | 2 +- user_guide_src/source/libraries/pagination.rst | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4c3133e92f5..5a803612861 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -163,7 +163,7 @@ Release Date: Not Released - Added ``all_flashdata()`` method to session class. Returns an associative array of only flashdata. - Added ``has_userdata()`` method to verify existence of userdata item. - Added ``tempdata()``, ``set_tempdata()``, and ``unset_tempdata()`` methods for manipulating tempdata. - - :doc:`File Uploading Library ` changes include: + - :doc:`File Uploading Library ` changes include: - Added *max_filename_increment* config setting. - Added an "index" parameter to the ``data()`` method. - :doc:`Cart library ` changes include: diff --git a/user_guide_src/source/libraries/pagination.rst b/user_guide_src/source/libraries/pagination.rst index 00554c1c7af..d9d3f509294 100644 --- a/user_guide_src/source/libraries/pagination.rst +++ b/user_guide_src/source/libraries/pagination.rst @@ -81,7 +81,7 @@ page number. For example, the number 2 will place two digits on either side, as in the example links at the very top of this page. $config['use_page_numbers'] = TRUE; -================================== +=================================== By default, the URI segment will use the starting index for the items you are paginating. If you prefer to show the the actual page number, From 92f00046751d44b3e938d6be1fc49017dd0e0040 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 20:43:36 +0300 Subject: [PATCH 0084/3829] [ci skip] More doc fixes --- user_guide_src/source/changelog.rst | 2 +- user_guide_src/source/libraries/form_validation.rst | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 5a803612861..1311c7fc079 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -204,7 +204,7 @@ Release Date: Not Released - Added $config['reuse_query_string'] to allow automatic repopulation of query string arguments, combined with normal URI segments. - Removed the default `` `` from a number of the configuration variables. - Added the ability to use a proxy with the :doc:`XML-RPC Library `. - - :doc:`Encryption Library ` changes include: + - :doc:`Encryption Library ` changes include: - Added support for hashing algorithms other than SHA1 and MD5. - Removed previously deprecated ``sha1()`` method. diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index bc922e69bde..14305b664c5 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -873,7 +873,7 @@ Rule Parameter Description **required** No Returns FALSE if the form element is empty. **matches** Yes Returns FALSE if the form element does not match the one in the parameter. matches[form_item] **is_unique** Yes Returns FALSE if the form element is not unique to the table and field name in the is_unique[table.field] - parameter. Note: This rule requires :doc:`Query Builder ` to be + parameter. Note: This rule requires :doc:`Query Builder <../database/query_builder>` to be enabled in order to work. **max_length** Yes Returns FALSE if the form element is longer then the parameter value. max_length[12] **exact_length** Yes Returns FALSE if the form element is not exactly the parameter value. exact_length[8] From 6775a79ffdb4501ae8a3d88968d9531607ccab14 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 20:54:12 +0300 Subject: [PATCH 0085/3829] [ci skip] Add Vietnamese characters to foreign_chars.php --- application/config/foreign_chars.php | 24 ++++++++++++------------ user_guide_src/source/changelog.rst | 2 +- 2 files changed, 13 insertions(+), 13 deletions(-) diff --git a/application/config/foreign_chars.php b/application/config/foreign_chars.php index 41de123dad0..6614caa3184 100644 --- a/application/config/foreign_chars.php +++ b/application/config/foreign_chars.php @@ -40,20 +40,20 @@ '/Ä/' => 'Ae', '/Ü/' => 'Ue', '/Ö/' => 'Oe', - '/À|Á|Â|Ã|Ä|Å|Ǻ|Ā|Ă|Ą|Ǎ|Α|Ά/' => 'A', - '/à|á|â|ã|å|ǻ|ā|ă|ą|ǎ|ª|α|ά/' => 'a', + '/À|Á|Â|Ã|Ä|Å|Ǻ|Ā|Ă|Ą|Ǎ|Α|Ά|Ả|Ạ|Ầ|Ẫ|Ẩ|Ậ|Ằ|Ắ|Ẵ|Ẳ|Ặ/' => 'A', + '/à|á|â|ã|å|ǻ|ā|ă|ą|ǎ|ª|α|ά|ả|ạ|ầ|ấ|ẫ|ẩ|ậ|ằ|ắ|ẵ|ẳ|ặ/' => 'a', '/Ç|Ć|Ĉ|Ċ|Č/' => 'C', '/ç|ć|ĉ|ċ|č/' => 'c', '/Ð|Ď|Đ|Δ/' => 'Dj', '/ð|ď|đ|δ/' => 'dj', - '/È|É|Ê|Ë|Ē|Ĕ|Ė|Ę|Ě|Ε|Έ/' => 'E', - '/è|é|ê|ë|ē|ĕ|ė|ę|ě|έ|ε/' => 'e', + '/È|É|Ê|Ë|Ē|Ĕ|Ė|Ę|Ě|Ε|Έ|Ẽ|Ẻ|Ẹ|Ề|Ế|Ễ|Ể|Ệ/' => 'E', + '/è|é|ê|ë|ē|ĕ|ė|ę|ě|έ|ε|ẽ|ẻ|ẹ|ề|ế|ễ|ể|ệ/' => 'e', '/Ĝ|Ğ|Ġ|Ģ|Γ/' => 'G', '/ĝ|ğ|ġ|ģ|γ/' => 'g', '/Ĥ|Ħ/' => 'H', '/ĥ|ħ/' => 'h', - '/Ì|Í|Î|Ï|Ĩ|Ī|Ĭ|Ǐ|Į|İ|Η|Ή|Ί|Ι|Ϊ/' => 'I', - '/ì|í|î|ï|ĩ|ī|ĭ|ǐ|į|ı|η|ή|ί|ι|ϊ/' => 'i', + '/Ì|Í|Î|Ï|Ĩ|Ī|Ĭ|Ǐ|Į|İ|Η|Ή|Ί|Ι|Ϊ|Ỉ|Ị/' => 'I', + '/ì|í|î|ï|ĩ|ī|ĭ|ǐ|į|ı|η|ή|ί|ι|ϊ|ỉ|ị/' => 'i', '/Ĵ/' => 'J', '/ĵ/' => 'j', '/Ķ|Κ/' => 'K', @@ -62,18 +62,18 @@ '/ĺ|ļ|ľ|ŀ|ł|λ/' => 'l', '/Ñ|Ń|Ņ|Ň|Ν/' => 'N', '/ñ|ń|ņ|ň|ʼn|ν/' => 'n', - '/Ò|Ó|Ô|Õ|Ō|Ŏ|Ǒ|Ő|Ơ|Ø|Ǿ|Ο|Ό|Ω|Ώ/' => 'O', - '/ò|ó|ô|õ|ō|ŏ|ǒ|ő|ơ|ø|ǿ|º|ο|ό|ω|ώ/' => 'o', + '/Ò|Ó|Ô|Õ|Ō|Ŏ|Ǒ|Ő|Ơ|Ø|Ǿ|Ο|Ό|Ω|Ώ|Ỏ|Ọ|Ồ|Ố|Ỗ|Ổ|Ộ|Ờ|Ớ|Ỡ|Ở|Ợ/' => 'O', + '/ò|ó|ô|õ|ō|ŏ|ǒ|ő|ơ|ø|ǿ|º|ο|ό|ω|ώ|ỏ|ọ|ồ|ố|ỗ|ổ|ộ|ờ|ớ|ỡ|ở|ợ/' => 'o', '/Ŕ|Ŗ|Ř|Ρ/' => 'R', '/ŕ|ŗ|ř|ρ/' => 'r', '/Ś|Ŝ|Ş|Ș|Š|Σ/' => 'S', '/ś|ŝ|ş|ș|š|ſ|σ|ς/' => 's', '/Ț|Ţ|Ť|Ŧ|τ/' => 'T', '/ț|ţ|ť|ŧ/' => 't', - '/Ù|Ú|Û|Ũ|Ū|Ŭ|Ů|Ű|Ų|Ư|Ǔ|Ǖ|Ǘ|Ǚ|Ǜ/' => 'U', - '/ù|ú|û|ũ|ū|ŭ|ů|ű|ų|ư|ǔ|ǖ|ǘ|ǚ|ǜ|υ|ύ|ϋ/' => 'u', - '/Ý|Ÿ|Ŷ|Υ|Ύ|Ϋ/' => 'Y', - '/ý|ÿ|ŷ/' => 'y', + '/Ù|Ú|Û|Ũ|Ū|Ŭ|Ů|Ű|Ų|Ư|Ǔ|Ǖ|Ǘ|Ǚ|Ǜ|Ũ|Ủ|Ụ|Ừ|Ứ|Ữ|Ử|Ự/' => 'U', + '/ù|ú|û|ũ|ū|ŭ|ů|ű|ų|ư|ǔ|ǖ|ǘ|ǚ|ǜ|υ|ύ|ϋ|ủ|ụ|ừ|ứ|ữ|ử|ự/' => 'u', + '/Ý|Ÿ|Ŷ|Υ|Ύ|Ϋ|Ỳ|Ỹ|Ỷ|Ỵ/' => 'Y', + '/ý|ÿ|ŷ|ỳ|ỹ|ỷ|ỵ/' => 'y', '/Ŵ/' => 'W', '/ŵ/' => 'w', '/Ź|Ż|Ž|Ζ/' => 'Z', diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1311c7fc079..62992d25b08 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -39,7 +39,7 @@ Release Date: Not Released - Updated support for zip files in mimes.php. - Updated support for csv files in mimes.php. - Added some more doctypes. - - Added Romanian and Greek characters in foreign_characters.php. + - Added Romanian, Greek and Vietnamese characters in *foreign_characters.php*. - Changed logger to only chmod when file is first created. - Removed previously deprecated SHA1 Library. - Removed previously deprecated use of ``$autoload['core']`` in application/config/autoload.php. From dbad54e09a39a77c7404dee9ca1a6b34299469d0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 21:53:32 +0300 Subject: [PATCH 0086/3829] Fix issue #1765 --- system/database/drivers/mysqli/mysqli_driver.php | 12 ++++++++++-- user_guide_src/source/changelog.rst | 1 + 2 files changed, 11 insertions(+), 2 deletions(-) diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 453ddcc3f74..14949ecdab1 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -66,8 +66,8 @@ public function db_connect() { $port = empty($this->port) ? NULL : $this->port; - $mysqli = mysqli_init(); - $mysqli->real_connect($this->hostname, $this->username, $this->password, $this->database, $port, NULL, MYSQLI_CLIENT_COMPRESS); + $mysqli = new mysqli(); + @$mysqli->real_connect($this->hostname, $this->username, $this->password, $this->database, $port, NULL, MYSQLI_CLIENT_COMPRESS); return $mysqli; } @@ -418,6 +418,14 @@ public function field_data($table = '') */ public function error() { + if ( ! empty($this->conn_id->connect_errno)) + { + return array( + 'code' => $this->conn_id->connect_errno, + 'message' => is_php('5.2.9') ? $this->conn_id->connect_error : mysqli_connect_error() + ); + } + return array('code' => $this->conn_id->errno, 'message' => $this->conn_id->error); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 62992d25b08..40ba218a8fb 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -355,6 +355,7 @@ Bug fixes for 3.0 - Fixed a bug (#395) - :doc:`Unit Testing Library ` method ``result()`` didn't properly check array result columns when called from ``report()``. - Fixed a bug (#1692) - :doc:`Database Library ` method ``display_error()`` didn't properly trace the possible error source on Windows systems. - Fixed a bug (#1745) - ``is_write_type()`` method in the :doc:`Database Library ` didn't return TRUE for LOAD queries. +- Fixed a bug (#1765) - :doc:`Database Library ` didn't properly detect connection errors for MySQLi. Version 2.1.2 ============= From c60c2bd1ab70903ed3c1d12692aa5dd246f1c583 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 22:46:28 +0300 Subject: [PATCH 0087/3829] Remove an empty line --- user_guide_src/source/helpers/date_helper.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/helpers/date_helper.rst b/user_guide_src/source/helpers/date_helper.rst index d0c72c3c4a1..9de925ba701 100644 --- a/user_guide_src/source/helpers/date_helper.rst +++ b/user_guide_src/source/helpers/date_helper.rst @@ -485,4 +485,4 @@ UP12 (UTC +12:00) Fiji, Gilbert Islands, Kamchatka, New Zealand UP1275 (UTC +12:45) Chatham Islands Standard Time UP1 (UTC +13:00) Phoenix Islands Time, Tonga UP14 (UTC +14:00) Line Islands -=========== ===================================================================== +=========== ===================================================================== \ No newline at end of file From 0df3585eec575d2d2e7d17c5339ed219a33dfde8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Oct 2012 23:10:23 +0300 Subject: [PATCH 0088/3829] Add unit test --- .../codeigniter/helpers/date_helper_test.php | 23 +++++++++++++++++++ 1 file changed, 23 insertions(+) diff --git a/tests/codeigniter/helpers/date_helper_test.php b/tests/codeigniter/helpers/date_helper_test.php index 1b79b94809c..9feade71c0b 100644 --- a/tests/codeigniter/helpers/date_helper_test.php +++ b/tests/codeigniter/helpers/date_helper_test.php @@ -290,6 +290,29 @@ public function test_timezones() $this->assertEquals(0, timezones('non_existant')); } + // ------------------------------------------------------------------------ + + public function test_date_range() + { + $dates = array( + '29-01-2012', '30-01-2012', '31-01-2012', + '01-02-2012', '02-02-2012', '03-02-2012', + '04-02-2012', '05-02-2012', '06-02-2012', + '07-02-2012', '08-02-2012', '09-02-2012', + '10-02-2012', '11-02-2012', '12-02-2012', + '13-02-2012', '14-02-2012', '15-02-2012', + '16-02-2012', '17-02-2012', '18-02-2012', + '19-02-2012', '20-02-2012', '21-02-2012', + '22-02-2012', '23-02-2012', '24-02-2012', + '25-02-2012', '26-02-2012', '27-02-2012', + '28-02-2012', '29-02-2012', '01-03-2012' + ); + + $this->assertEquals($dates, date_range(mktime(12, 0, 0, 1, 29, 2012), mktime(12, 0, 0, 3, 1, 2012), TRUE, 'd-m-Y')); + array_pop($dates); + $this->assertEquals($dates, date_range(mktime(12, 0, 0, 1, 29, 2012), 31, FALSE, 'd-m-Y')); + } + } /* End of file date_helper_test.php */ \ No newline at end of file From 9ac557f2473844f3c2207189f371f827dbaddb71 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 6 Oct 2012 20:27:57 +0300 Subject: [PATCH 0089/3829] Add IPv6 and array() support for *proxy_ips* configuration --- application/config/config.php | 16 ++-- system/core/Input.php | 141 +++++++++++++++++++--------- user_guide_src/source/changelog.rst | 23 ++--- 3 files changed, 121 insertions(+), 59 deletions(-) diff --git a/application/config/config.php b/application/config/config.php index eaccbf75eea..ab1508e7b99 100644 --- a/application/config/config.php +++ b/application/config/config.php @@ -406,15 +406,19 @@ | Reverse Proxy IPs |-------------------------------------------------------------------------- | -| If your server is behind a reverse proxy, you must whitelist the proxy IP -| addresses from which CodeIgniter should trust the HTTP_X_FORWARDED_FOR -| header in order to properly identify the visitor's IP address. -| Comma-delimited, e.g. '10.0.1.200,10.0.1.201' +| If your server is behind a reverse proxy, you must whitelist the proxy +| IP addresses from which CodeIgniter should trust headers such as +| HTTP_X_FORWARDED_FOR and HTTP_CLIENT_IP in order to properly identify +| the visitor's IP address. | +| You can use both an array or a comma-separated list of proxy addresses, +| as well as specifying whole subnets. Here are a few examples: +| +| Comma-separated: '10.0.1.200,192.168.5.0/24' +| Array: array('10.0.1.200', '192.168.5.0/24') */ $config['proxy_ips'] = ''; - /* End of file config.php */ -/* Location: ./application/config/config.php */ +/* Location: ./application/config/config.php */ \ No newline at end of file diff --git a/system/core/Input.php b/system/core/Input.php index 657fce62597..4a0caa5b565 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -328,60 +328,117 @@ public function ip_address() return $this->ip_address; } - if (config_item('proxy_ips') != '' && $this->server('HTTP_X_FORWARDED_FOR') && $this->server('REMOTE_ADDR')) + $proxy_ips = config_item('proxy_ips'); + if (empty($proxy_ips)) { - $has_ranges = strpos($proxies, '/') !== FALSE; - $proxies = preg_split('/[\s,]/', config_item('proxy_ips'), -1, PREG_SPLIT_NO_EMPTY); - $proxies = is_array($proxies) ? $proxies : array($proxies); + $proxy_ips = FALSE; + } + elseif ( ! is_array($proxy_ips)) + { + $proxy_ips = explode(',', str_replace(' ', '', $proxy_ips)); + } - if ($has_ranges) - { - $long_ip = ip2long($_SERVER['REMOTE_ADDR']); - $bit_32 = 1 << 32; + $this->ip_address = $this->server('REMOTE_ADDR'); - // Go through each of the IP Addresses to check for and - // test against range notation - foreach ($proxies as $ip) + if ($proxy_ips) + { + foreach (array('HTTP_X_FORWARDED_FOR', 'HTTP_CLIENT_IP', 'HTTP_X_CLIENT_IP', 'HTTP_X_CLUSTER_CLIENT_IP') as $header) + { + if (($spoof = $this->server($header)) !== NULL) { - list($address, $mask_length) = explode('/', $ip, 2); + // Some proxies typically list the whole chain of IP + // addresses through which the client has reached us. + // e.g. client_ip, proxy_ip1, proxy_ip2, etc. + if (strpos($spoof, ',') !== FALSE) + { + $spoof = explode(',', $spoof, 2); + $spoof = $spoof[0]; + } - // Generate the bitmask for a 32 bit IP Address - $bitmask = $bit_32 - (1 << (32 - (int) $mask_length)); - if (($long_ip & $bitmask) === $address) + if ( ! $this->valid_ip($spoof)) + { + $spoof = NULL; + } + else { - $this->ip_address = $_SERVER['HTTP_X_FORWARDED_FOR']; break; } } - } - else + + if ($spoof !== NULL) { - $this->ip_address = in_array($_SERVER['REMOTE_ADDR'], $proxies) - ? $_SERVER['HTTP_X_FORWARDED_FOR'] - : $_SERVER['REMOTE_ADDR']; - } - } - elseif ( ! $this->server('HTTP_CLIENT_IP') && $this->server('REMOTE_ADDR')) - { - $this->ip_address = $_SERVER['REMOTE_ADDR']; - } - elseif ($this->server('REMOTE_ADDR') && $this->server('HTTP_CLIENT_IP')) - { - $this->ip_address = $_SERVER['HTTP_CLIENT_IP']; - } - elseif ($this->server('HTTP_CLIENT_IP')) - { - $this->ip_address = $_SERVER['HTTP_CLIENT_IP']; - } - elseif ($this->server('HTTP_X_FORWARDED_FOR')) - { - $this->ip_address = $_SERVER['HTTP_X_FORWARDED_FOR']; - } + for ($i = 0, $c = count($proxy_ips), $separator = (strlen($ip) === 32 ? '.' : ':'); $i < $c; $i++) + { + // Check if we have an IP address or a subnet + if (strpos($proxy_ips[$i], '/') === FALSE) + { + // An IP address (and not a subnet) is specified. + // We can compare right away. + if ($proxy_ips[$i] === $this->ip_address) + { + $this->ip_address = $spoof; + break; + } + + continue; + } - if ($this->ip_address === FALSE) - { - return $this->ip_address = '0.0.0.0'; + // We have a subnet ... now the heavy lifting begins + isset($separator) OR $separator = $this->valid_ip($this->ip_address, 'ipv6') ? ':' : '.'; + + // If the proxy entry doesn't match the IP protocol - skip it + if (strpos($proxy_ips[$i], $separator) === FALSE) + { + continue; + } + + // Convert the REMOTE_ADDR IP address to binary, if needed + if ( ! isset($ip, $convert_func)) + { + if ($separator === ':') + { + // Make sure we're have the "full" IPv6 format + $ip = str_replace('::', str_repeat(':', 9 - substr_count($this->ip_address, ':')), $this->ip_address); + $convert_func = is_php('5.3') + ? function ($value) + { + return str_pad(base_convert($value, 16, 2), 16, '0', STR_PAD_LEFT); + } + : create_function('$value', 'return str_pad(base_convert($value, 16, 2), 16, "0", STR_PAD_LEFT);'); + } + else + { + $ip = $this->ip_address; + $convert_func = is_php('5.3') + ? function ($value) + { + return str_pad(decbin($value), 8, '0', STR_PAD_LEFT); + } + : create_function('$value', 'return str_pad(decbin($value), 8, "0", STR_PAD_LEFT);'); + } + + $ip = implode(array_map($convert_func, explode($separator, $ip))); + } + + // Split the netmask length off the network address + list($netaddr, $masklen) = explode('/', $proxy_ips[$i], 2); + + // Again, an IPv6 address is most likely in a compressed form + if ($separator === ':') + { + $netaddr = str_replace('::', str_repeat(':', 9 - substr_count($netaddr, ':')), $netaddr); + } + + // Convert to a binary form and finally compare + $netaddr = implode(array_map($convert_func, explode($separator, $netaddr))); + if (strncmp($ip, $netaddr, $masklen) === 0) + { + $this->ip_address = $spoof; + break; + } + } + } } if (strpos($this->ip_address, ',') !== FALSE) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 486a676964c..1eb8d107dcf 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -212,18 +212,20 @@ Release Date: Not Released - Core - Changed private methods in the :doc:`URI Library ` to protected so MY_URI can override them. - - Removed ``CI_CORE`` boolean constant from CodeIgniter.php (no longer Reactor and Core versions). + - Removed ``CI_CORE`` boolean constant from *CodeIgniter.php* (no longer Reactor and Core versions). - :doc:`Loader Library ` changes include: - - Added method get_vars() to the Loader to retrieve all variables loaded with $this->load->vars(). - - CI_Loader::_ci_autoloader() is now a protected method. - - Added autoloading of drivers with $autoload['drivers']. - - CI_Loader::library() will now load drivers as well, for backward compatibility of converted libraries (like Session). + - Added method ``get_vars()`` to the Loader to retrieve all variables loaded with ``$this->load->vars()``. + - ``CI_Loader::_ci_autoloader()`` is now a protected method. + - Added autoloading of drivers with ``$autoload['drivers']``. + - ``CI_Loader::library()`` will now load drivers as well, for backward compatibility of converted libraries (like Session). - ``is_loaded()`` function from *system/core/Commons.php* now returns a reference. - - $config['rewrite_short_tags'] now has no effect when using PHP 5.4 as *` to retrieve ``$_SERVER['REQUEST_METHOD']``. - - Modified valid_ip() to use PHP's filter_var() in the :doc:`Input Library `. + - ``$config['rewrite_short_tags']`` now has no effect when using PHP 5.4 as *` changes include: + - Added ``method()`` to retrieve ``$_SERVER['REQUEST_METHOD']``. + - Modified ``valid_ip()`` to use PHP's ``filter_var()``. + - Added support for arrays and network addresses (e.g. 192.168.1.1/24) for use with the *proxy_ips* setting. - Added support for HTTP-Only cookies with new config option *cookie_httponly* (default FALSE). - - Renamed method _call_hook() to call_hook() in the :doc:`Hooks Library `. + - Renamed method ``_call_hook()`` to ``call_hook()`` in the :doc:`Hooks Library `. - :doc:`Output Library ` changes include: - Added method ``get_content_type()``. - Added a second argument to method ``set_content_type()`` that allows setting the document charset as well. @@ -235,9 +237,8 @@ Release Date: Not Released - Added method ``strip_image_tags()``. - Added ``$config['csrf_regeneration']``, which makes token regeneration optional. - Added ``$config['csrf_exclude_uris']``, which allows you list URIs which will not have the CSRF validation methods run. - - Changed ``_exception_handler()`` to respect php.ini 'display_errors' setting. + - Changed ``_exception_handler()`` to respect php.ini *display_errors* setting. - Removed redundant conditional to determine HTTP server protocol in ``set_status_header()``. - - Added support for IPv4 range masks (e.g. 192.168.1.1/24) to specify ranges of IP addresses for use with the *proxy_ips* setting. Bug fixes for 3.0 ------------------ From 956631d2b8f0f1173f55134b8465b41d2018edfa Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 6 Oct 2012 20:43:47 +0300 Subject: [PATCH 0090/3829] [ci skip] Alter some changelog entries --- user_guide_src/source/changelog.rst | 11 ++++++----- user_guide_src/source/libraries/output.rst | 3 +++ 2 files changed, 9 insertions(+), 5 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 486a676964c..87b01743ebd 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -218,7 +218,12 @@ Release Date: Not Released - CI_Loader::_ci_autoloader() is now a protected method. - Added autoloading of drivers with $autoload['drivers']. - CI_Loader::library() will now load drivers as well, for backward compatibility of converted libraries (like Session). - - ``is_loaded()`` function from *system/core/Commons.php* now returns a reference. + - :doc:`Common functions ` changes include: + - ``is_loaded()`` function now returns a reference. + - Added ``get_mimes()`` function to return the *config/mimes.php* array. + - Added support for HTTP code 303 ("See Other") in ``set_status_header()``. + - Removed redundant conditional to determine HTTP server protocol in ``set_status_header()``. + - Changed ``_exception_handler()`` to respect php.ini *display_errors* setting. - $config['rewrite_short_tags'] now has no effect when using PHP 5.4 as *` to retrieve ``$_SERVER['REQUEST_METHOD']``. - Modified valid_ip() to use PHP's filter_var() in the :doc:`Input Library `. @@ -227,16 +232,12 @@ Release Date: Not Released - :doc:`Output Library ` changes include: - Added method ``get_content_type()``. - Added a second argument to method ``set_content_type()`` that allows setting the document charset as well. - - Added ``get_mimes()`` function to *system/core/Commons.php* to return the *config/mimes.php* array. - ``$config['time_reference']`` now supports all timezone strings supported by PHP. - - Added support for HTTP code 303 ("See Other") in ``set_status_header()``. - Changed :doc:`Config Library ` method ``site_url()`` to accept an array as well. - :doc:`Security Library ` changes include: - Added method ``strip_image_tags()``. - Added ``$config['csrf_regeneration']``, which makes token regeneration optional. - Added ``$config['csrf_exclude_uris']``, which allows you list URIs which will not have the CSRF validation methods run. - - Changed ``_exception_handler()`` to respect php.ini 'display_errors' setting. - - Removed redundant conditional to determine HTTP server protocol in ``set_status_header()``. - Added support for IPv4 range masks (e.g. 192.168.1.1/24) to specify ranges of IP addresses for use with the *proxy_ips* setting. Bug fixes for 3.0 diff --git a/user_guide_src/source/libraries/output.rst b/user_guide_src/source/libraries/output.rst index 0472d14cf55..3289a241f7f 100644 --- a/user_guide_src/source/libraries/output.rst +++ b/user_guide_src/source/libraries/output.rst @@ -105,6 +105,9 @@ Permits you to manually set a server status header. Example:: `See here `_ for a full list of headers. +.. note:: This method is an alias for :doc:`Common function <../general/common_funtions.rst>` + ``set_status_header()``. + $this->output->enable_profiler(); ================================== From cd50592b26a26a2e55fc193529a2463d9a465378 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 6 Oct 2012 21:27:01 +0300 Subject: [PATCH 0091/3829] Fix issue #1257 --- system/database/DB_query_builder.php | 20 +------------------ .../database/drivers/ibase/ibase_driver.php | 16 --------------- .../database/drivers/mssql/mssql_driver.php | 16 --------------- system/database/drivers/oci8/oci8_driver.php | 16 --------------- system/database/drivers/odbc/odbc_driver.php | 16 --------------- .../drivers/pdo/subdrivers/pdo_4d_driver.php | 16 --------------- .../pdo/subdrivers/pdo_dblib_driver.php | 16 --------------- .../pdo/subdrivers/pdo_firebird_driver.php | 16 --------------- .../drivers/pdo/subdrivers/pdo_ibm_driver.php | 16 --------------- .../pdo/subdrivers/pdo_informix_driver.php | 16 --------------- .../drivers/pdo/subdrivers/pdo_oci_driver.php | 16 --------------- .../pdo/subdrivers/pdo_odbc_driver.php | 16 --------------- .../pdo/subdrivers/pdo_pgsql_driver.php | 16 --------------- .../pdo/subdrivers/pdo_sqlsrv_driver.php | 16 --------------- .../drivers/postgre/postgre_driver.php | 16 --------------- .../database/drivers/sqlsrv/sqlsrv_driver.php | 16 --------------- user_guide_src/source/changelog.rst | 1 + 17 files changed, 2 insertions(+), 259 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 479b7f24a9b..8bd2ab53ca8 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1521,24 +1521,6 @@ protected function _replace($table, $keys, $values) // -------------------------------------------------------------------- - /** - * From Tables - * - * This public function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - is_array($tables) OR $tables = array($tables); - - return (count($tables) === 1) ? $tables[0] : '('.implode(', ', $tables).')'; - } - - // -------------------------------------------------------------------- - /** * Get UPDATE query string * @@ -2058,7 +2040,7 @@ protected function _compile_select($select_override = FALSE) // Write the "FROM" portion of the query if (count($this->qb_from) > 0) { - $sql .= "\nFROM ".$this->_from_tables($this->qb_from); + $sql .= "\nFROM ".implode(', ', $this->qb_from); } // Write the "JOIN" portion of the query diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php index f7811bf4608..ab1d1b88d10 100644 --- a/system/database/drivers/ibase/ibase_driver.php +++ b/system/database/drivers/ibase/ibase_driver.php @@ -301,22 +301,6 @@ public function error() // -------------------------------------------------------------------- - /** - * From Tables - * - * This public function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Update statement * diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index b4a1af7ba6e..a62ea94b3ba 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -361,22 +361,6 @@ public function error() // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Update statement * diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index 7bf18949b0c..72cbce5c193 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -542,22 +542,6 @@ public function error() // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Insert_batch statement * diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index fbf6a4cb194..c1f6ccfe20a 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -288,22 +288,6 @@ public function error() // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Truncate statement * diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php index e287f5c6324..efc0500a5d8 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php @@ -129,22 +129,6 @@ protected function _field_data($table) // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Update statement * diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php index 7060c9eb9b5..2346e683ea6 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php @@ -152,22 +152,6 @@ protected function _list_columns($table = '') // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Update statement * diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php index c074a9a78f1..6fba764a9dc 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php @@ -138,22 +138,6 @@ protected function _field_data($table) // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Update statement * diff --git a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php index 832c03c96c7..399182e121c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php @@ -164,22 +164,6 @@ protected function _field_data($table) // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Update statement * diff --git a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php index a3efc63dcfc..028121540af 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php @@ -158,22 +158,6 @@ protected function _field_data($table) // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Update statement * diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php index 56ec1bce148..d584d1f5b69 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php @@ -145,22 +145,6 @@ protected function _field_data($table) // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Insert_batch statement * diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php index dd7a1af52bb..e7ab3fd50d3 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php @@ -155,22 +155,6 @@ protected function _list_columns($table = '') // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Update statement * diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php index 9a476f143df..2a687812ac7 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php @@ -141,22 +141,6 @@ protected function _field_data($table) // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Update statement * diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php index f125b8f5062..ee7c1d15a2e 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php @@ -181,22 +181,6 @@ protected function _list_columns($table = '') // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Update statement * diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index 1d6e9567a84..2a91a89598e 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -456,22 +456,6 @@ public function error() // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Update statement * diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index abcaf4577a3..a6739d19218 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -357,22 +357,6 @@ public function error() // -------------------------------------------------------------------- - /** - * From Tables - * - * This function implicitly groups FROM tables so there is no confusion - * about operator precedence in harmony with SQL standards - * - * @param array - * @return string - */ - protected function _from_tables($tables) - { - return is_array($tables) ? implode(', ', $tables) : $tables; - } - - // -------------------------------------------------------------------- - /** * Update statement * diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 87b01743ebd..47429aed314 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -358,6 +358,7 @@ Bug fixes for 3.0 - Fixed a bug (#1692) - :doc:`Database Library ` method ``display_error()`` didn't properly trace the possible error source on Windows systems. - Fixed a bug (#1745) - ``is_write_type()`` method in the :doc:`Database Library ` didn't return TRUE for LOAD queries. - Fixed a bug (#1765) - :doc:`Database Library ` didn't properly detect connection errors for MySQLi. +- Fixed a bug (#1257) - :doc:`Query Builder ` used to (unnecessarily) group FROM clause contents, which breaks certain queries and is invalid for some databases. Version 2.1.2 ============= From 960e616d18c77f463e7c53f666d98b09f5ca9057 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sun, 7 Oct 2012 15:48:55 +0300 Subject: [PATCH 0092/3829] Fix a typo [ci skip] --- user_guide_src/source/libraries/form_validation.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index 14305b664c5..22272dc9b72 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -399,7 +399,7 @@ The validation system supports callbacks to your own validation functions. This permits you to extend the validation class to meet your needs. For example, if you need to run a database query to see if the user is choosing a unique username, you can create a callback function -that does that. Let's create a example of this. +that does that. Let's create an example of this. In your controller, change the "username" rule to this:: From 51f72cda43e4f7aa9cafbf31181e67c31936a0bd Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Bruno=20Bar=C3=A3o?= Date: Mon, 8 Oct 2012 16:31:46 +0100 Subject: [PATCH 0093/3829] Fix email headers when using long email subjects and \r\n as crlf. (Part2) - Better expression for the preg_replace. - Added a entry to the changelog. --- system/libraries/Email.php | 4 ++-- user_guide_src/source/changelog.rst | 1 + 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 507067f4221..4adf9430f02 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1237,7 +1237,7 @@ protected function _prep_q_encoding($str, $from = FALSE) // wrap each line with the shebang, charset, and transfer encoding // the preceding space on successive lines is required for header "folding" - return trim(preg_replace('/^(.*?)(\n|\r)*$/m', ' =?'.$this->charset.'?Q?$1?=$2', $output.$temp)); + return trim(preg_replace('/^(.*?)(\r*)$/m', ' =?'.$this->charset.'?Q?$1?=$2', $output.$temp)); } // -------------------------------------------------------------------- @@ -1861,4 +1861,4 @@ protected function _mime_types($ext = '') } /* End of file Email.php */ -/* Location: ./system/libraries/Email.php */ \ No newline at end of file +/* Location: ./system/libraries/Email.php */ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 47429aed314..50bf2c3049a 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -243,6 +243,7 @@ Release Date: Not Released Bug fixes for 3.0 ------------------ +- Fixed a bug (#1709) where the email headers were broken when using long email subjects and \r\n as crlf. - Fixed a bug where ``unlink()`` raised an error if cache file did not exist when you try to delete it. - Fixed a bug (#181) where a mis-spelling was in the form validation language file. - Fixed a bug (#159, #163) that mishandled Query Builder nested transactions because _trans_depth was not getting incremented. From 509885932928b34f22091b59b014ec16c52b4bbe Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 8 Oct 2012 20:46:04 +0300 Subject: [PATCH 0094/3829] [ci skip] Polish changes from pull #1709 --- system/libraries/Email.php | 2 +- user_guide_src/source/changelog.rst | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 4adf9430f02..36bdd1f22ab 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1861,4 +1861,4 @@ protected function _mime_types($ext = '') } /* End of file Email.php */ -/* Location: ./system/libraries/Email.php */ +/* Location: ./system/libraries/Email.php */ \ No newline at end of file diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 50bf2c3049a..3e1cfcac4c2 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -243,7 +243,6 @@ Release Date: Not Released Bug fixes for 3.0 ------------------ -- Fixed a bug (#1709) where the email headers were broken when using long email subjects and \r\n as crlf. - Fixed a bug where ``unlink()`` raised an error if cache file did not exist when you try to delete it. - Fixed a bug (#181) where a mis-spelling was in the form validation language file. - Fixed a bug (#159, #163) that mishandled Query Builder nested transactions because _trans_depth was not getting incremented. @@ -360,6 +359,7 @@ Bug fixes for 3.0 - Fixed a bug (#1745) - ``is_write_type()`` method in the :doc:`Database Library ` didn't return TRUE for LOAD queries. - Fixed a bug (#1765) - :doc:`Database Library ` didn't properly detect connection errors for MySQLi. - Fixed a bug (#1257) - :doc:`Query Builder ` used to (unnecessarily) group FROM clause contents, which breaks certain queries and is invalid for some databases. +- Fixed a bug (#1709) - :doc:`Email ` headers were broken when using long email subjects and \r\n as CRLF. Version 2.1.2 ============= From 70b789990813b5db6d05dc25e2a0ee46008ad00e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Oct 2012 10:36:04 +0300 Subject: [PATCH 0095/3829] Fix issue #1862 --- system/database/DB_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index b12042bde27..ea2a53eb20e 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1363,7 +1363,7 @@ public function display_error($error = '', $swap = '', $native = FALSE) $call['file'] = str_replace('\\', '/', $call['file']); } - if (isset($call['file'], $call['class']) && strpos($call['file'], $basepath.'database') === FALSE && strpos($call['class'], 'Loader') !== FALSE) + if (isset($call['file'], $call['class']) && strpos($call['file'], BASEPATH.'database') === FALSE && strpos($call['class'], 'Loader') !== FALSE) { // Found it - use a relative path for safety $message[] = 'Filename: '.str_replace(array(APPPATH, BASEPATH), '', $call['file']); From 0130acee56626951e755eda74f3e5938df69280b Mon Sep 17 00:00:00 2001 From: Erocanti Date: Tue, 9 Oct 2012 02:53:58 -0500 Subject: [PATCH 0096/3829] Changed Lunix for Linux "Lunix" while going over cli docs. --- user_guide_src/source/general/cli.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/general/cli.rst b/user_guide_src/source/general/cli.rst index 7dc1ca3197d..649d5d54879 100644 --- a/user_guide_src/source/general/cli.rst +++ b/user_guide_src/source/general/cli.rst @@ -52,7 +52,7 @@ Now normally you would visit the your site using a URL similar to this:: example.com/index.php/tools/message/to -Instead, we are going to open Terminal in Mac/Lunix or go to Run > "cmd" +Instead, we are going to open Terminal in Mac/Linux or go to Run > "cmd" in Windows and navigate to our CodeIgniter project. .. code-block:: bash From 7eaa14f144f9aeab8fc388b6bed3390e5f815508 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Oct 2012 11:34:01 +0300 Subject: [PATCH 0097/3829] Alter fix for issue #1257 --- system/database/DB_query_builder.php | 19 +++++++++++++++++- .../database/drivers/cubrid/cubrid_driver.php | 20 +++++++++++++++++++ .../database/drivers/mysql/mysql_driver.php | 20 +++++++++++++++++++ .../database/drivers/mysqli/mysqli_driver.php | 20 +++++++++++++++++++ .../pdo/subdrivers/pdo_cubrid_driver.php | 20 +++++++++++++++++++ .../pdo/subdrivers/pdo_mysql_driver.php | 20 +++++++++++++++++++ 6 files changed, 118 insertions(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 8bd2ab53ca8..c77648b381a 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1521,6 +1521,23 @@ protected function _replace($table, $keys, $values) // -------------------------------------------------------------------- + /** + * FROM tables + * + * Groups tables in FROM clauses if needed, so there is no confusion + * about operator precedence. + * + * Note: This is only used (and overriden) by MySQL and CUBRID. + * + * @return string + */ + protected function _from_tables() + { + return implode(', ', $this->qb_from); + } + + // -------------------------------------------------------------------- + /** * Get UPDATE query string * @@ -2040,7 +2057,7 @@ protected function _compile_select($select_override = FALSE) // Write the "FROM" portion of the query if (count($this->qb_from) > 0) { - $sql .= "\nFROM ".implode(', ', $this->qb_from); + $sql .= "\nFROM ".$this->from_tables(); } // Write the "JOIN" portion of the query diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php index 28724e0e861..8faa15bcff2 100644 --- a/system/database/drivers/cubrid/cubrid_driver.php +++ b/system/database/drivers/cubrid/cubrid_driver.php @@ -428,6 +428,26 @@ protected function _update_batch($table, $values, $index, $where = NULL) // -------------------------------------------------------------------- + /** + * FROM tables + * + * Groups tables in FROM clauses if needed, so there is no confusion + * about operator precedence. + * + * @return string + */ + protected function _from_tables() + { + if ( ! empty($this->qb_join) && count($this->qb_from) > 0) + { + return '('.implode(', ', $this->qb_from).')'; + } + + return implode(', ', $this->qb_from); + } + + // -------------------------------------------------------------------- + /** * Close DB Connection * diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 6b4d84dfba0..98311872b28 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -464,6 +464,26 @@ protected function _update_batch($table, $values, $index, $where = NULL) // -------------------------------------------------------------------- + /** + * FROM tables + * + * Groups tables in FROM clauses if needed, so there is no confusion + * about operator precedence. + * + * @return string + */ + protected function _from_tables() + { + if ( ! empty($this->qb_join) && count($this->qb_from) > 0) + { + return '('.implode(', ', $this->qb_from).')'; + } + + return implode(', ', $this->qb_from); + } + + // -------------------------------------------------------------------- + /** * Close DB Connection * diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 14949ecdab1..291ad16f2d6 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -474,6 +474,26 @@ protected function _update_batch($table, $values, $index, $where = NULL) // -------------------------------------------------------------------- + /** + * FROM tables + * + * Groups tables in FROM clauses if needed, so there is no confusion + * about operator precedence. + * + * @return string + */ + protected function _from_tables() + { + if ( ! empty($this->qb_join) && count($this->qb_from) > 0) + { + return '('.implode(', ', $this->qb_from).')'; + } + + return implode(', ', $this->qb_from); + } + + // -------------------------------------------------------------------- + /** * Close DB Connection * diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php index eb37147831c..788274ad7b9 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php @@ -179,6 +179,26 @@ protected function _truncate($table) return 'TRUNCATE '.$table; } + // -------------------------------------------------------------------- + + /** + * FROM tables + * + * Groups tables in FROM clauses if needed, so there is no confusion + * about operator precedence. + * + * @return string + */ + protected function _from_tables() + { + if ( ! empty($this->qb_join) && count($this->qb_from) > 0) + { + return '('.implode(', ', $this->qb_from).')'; + } + + return implode(', ', $this->qb_from); + } + } /* End of file pdo_cubrid_driver.php */ diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index b6807026d07..698826636a4 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -207,6 +207,26 @@ protected function _truncate($table) return 'TRUNCATE '.$table; } + // -------------------------------------------------------------------- + + /** + * FROM tables + * + * Groups tables in FROM clauses if needed, so there is no confusion + * about operator precedence. + * + * @return string + */ + protected function _from_tables() + { + if ( ! empty($this->qb_join) && count($this->qb_from) > 0) + { + return '('.implode(', ', $this->qb_from).')'; + } + + return implode(', ', $this->qb_from); + } + } /* End of file pdo_mysql_driver.php */ From fce9abe379cd273262d5e3dcbbb169ffd090506a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Oct 2012 11:37:00 +0300 Subject: [PATCH 0098/3829] Really fix that FROM group condition --- system/database/drivers/cubrid/cubrid_driver.php | 2 +- system/database/drivers/mysql/mysql_driver.php | 2 +- system/database/drivers/mysqli/mysqli_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php | 2 +- 5 files changed, 5 insertions(+), 5 deletions(-) diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php index 8faa15bcff2..01d0ee39ed9 100644 --- a/system/database/drivers/cubrid/cubrid_driver.php +++ b/system/database/drivers/cubrid/cubrid_driver.php @@ -438,7 +438,7 @@ protected function _update_batch($table, $values, $index, $where = NULL) */ protected function _from_tables() { - if ( ! empty($this->qb_join) && count($this->qb_from) > 0) + if ( ! empty($this->qb_join) && count($this->qb_from) > 1) { return '('.implode(', ', $this->qb_from).')'; } diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 98311872b28..7262591ee7e 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -474,7 +474,7 @@ protected function _update_batch($table, $values, $index, $where = NULL) */ protected function _from_tables() { - if ( ! empty($this->qb_join) && count($this->qb_from) > 0) + if ( ! empty($this->qb_join) && count($this->qb_from) > 1) { return '('.implode(', ', $this->qb_from).')'; } diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 291ad16f2d6..b5a1e26edab 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -484,7 +484,7 @@ protected function _update_batch($table, $values, $index, $where = NULL) */ protected function _from_tables() { - if ( ! empty($this->qb_join) && count($this->qb_from) > 0) + if ( ! empty($this->qb_join) && count($this->qb_from) > 1) { return '('.implode(', ', $this->qb_from).')'; } diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php index 788274ad7b9..cb18a5c10a7 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php @@ -191,7 +191,7 @@ protected function _truncate($table) */ protected function _from_tables() { - if ( ! empty($this->qb_join) && count($this->qb_from) > 0) + if ( ! empty($this->qb_join) && count($this->qb_from) > 1) { return '('.implode(', ', $this->qb_from).')'; } diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index 698826636a4..42446889a09 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -219,7 +219,7 @@ protected function _truncate($table) */ protected function _from_tables() { - if ( ! empty($this->qb_join) && count($this->qb_from) > 0) + if ( ! empty($this->qb_join) && count($this->qb_from) > 1) { return '('.implode(', ', $this->qb_from).')'; } From e78f81537c0859c6ee5b80a09fe63fa946122f01 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Oct 2012 11:38:38 +0300 Subject: [PATCH 0099/3829] Missed an underscore ... doh --- system/database/DB_query_builder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index c77648b381a..54510ec2e18 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -2057,7 +2057,7 @@ protected function _compile_select($select_override = FALSE) // Write the "FROM" portion of the query if (count($this->qb_from) > 0) { - $sql .= "\nFROM ".$this->from_tables(); + $sql .= "\nFROM ".$this->_from_tables(); } // Write the "JOIN" portion of the query From e45ad2b74d9534395616d661cf4656d6f259943b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Oct 2012 13:11:15 +0300 Subject: [PATCH 0100/3829] Merge changes from 2.1-stable --- system/core/Input.php | 97 ++++++++++++++--------------- user_guide_src/source/changelog.rst | 27 ++++++-- 2 files changed, 69 insertions(+), 55 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index 657fce62597..4bb08f80824 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -328,66 +328,65 @@ public function ip_address() return $this->ip_address; } - if (config_item('proxy_ips') != '' && $this->server('HTTP_X_FORWARDED_FOR') && $this->server('REMOTE_ADDR')) - { - $has_ranges = strpos($proxies, '/') !== FALSE; - $proxies = preg_split('/[\s,]/', config_item('proxy_ips'), -1, PREG_SPLIT_NO_EMPTY); - $proxies = is_array($proxies) ? $proxies : array($proxies); + $this->ip_address = $_SERVER['REMOTE_ADDR']; + $proxy_ips = config_item('proxy_ips'); - if ($has_ranges) + if ( ! empty($proxy_ips)) + { + foreach (array('HTTP_X_FORWARDED_FOR', 'HTTP_CLIENT_IP', 'HTTP_X_CLIENT_IP', 'HTTP_X_CLUSTER_CLIENT_IP') as $header) { - $long_ip = ip2long($_SERVER['REMOTE_ADDR']); - $bit_32 = 1 << 32; - - // Go through each of the IP Addresses to check for and - // test against range notation - foreach ($proxies as $ip) + if (($spoof = $this->server($header)) !== FALSE) { - list($address, $mask_length) = explode('/', $ip, 2); + // Some proxies typically list the whole chain of IP + // addresses through which the client has reached us. + // e.g. client_ip, proxy_ip1, proxy_ip2, etc. + if (strpos($spoof, ',') !== FALSE) + { + $spoof = explode(',', $spoof, 2); + $spoof = $spoof[0]; + } - // Generate the bitmask for a 32 bit IP Address - $bitmask = $bit_32 - (1 << (32 - (int) $mask_length)); - if (($long_ip & $bitmask) === $address) + if ( ! $this->valid_ip($spoof)) + { + $spoof = FALSE; + } + else { - $this->ip_address = $_SERVER['HTTP_X_FORWARDED_FOR']; break; } } - } - else + + if ($spoof) { - $this->ip_address = in_array($_SERVER['REMOTE_ADDR'], $proxies) - ? $_SERVER['HTTP_X_FORWARDED_FOR'] - : $_SERVER['REMOTE_ADDR']; - } - } - elseif ( ! $this->server('HTTP_CLIENT_IP') && $this->server('REMOTE_ADDR')) - { - $this->ip_address = $_SERVER['REMOTE_ADDR']; - } - elseif ($this->server('REMOTE_ADDR') && $this->server('HTTP_CLIENT_IP')) - { - $this->ip_address = $_SERVER['HTTP_CLIENT_IP']; - } - elseif ($this->server('HTTP_CLIENT_IP')) - { - $this->ip_address = $_SERVER['HTTP_CLIENT_IP']; - } - elseif ($this->server('HTTP_X_FORWARDED_FOR')) - { - $this->ip_address = $_SERVER['HTTP_X_FORWARDED_FOR']; - } + $has_ranges = (strpos($proxy_ips, '/') !== FALSE); + $proxy_ips = explode(',', str_replace(' ', '', $proxy_ips)); - if ($this->ip_address === FALSE) - { - return $this->ip_address = '0.0.0.0'; - } + if ($has_ranges) + { + $long_ip = ip2long($_SERVER['REMOTE_ADDR']); + $bit_32 = 1 << 32; - if (strpos($this->ip_address, ',') !== FALSE) - { - $x = explode(',', $this->ip_address); - $this->ip_address = trim($x[0]); + // Go through each of the IP Addresses to check for and + // test against range notation + foreach ($proxy_ips as $ip) + { + list($address, $mask_length) = explode('/', $ip, 2); + + // Generate the bitmask for a 32 bit IP Address + $bitmask = $bit_32 - (1 << (32 - (int) $mask_length)); + if (($long_ip & $bitmask) === $address) + { + $this->ip_address = $spoof; + break; + } + } + } + elseif (in_array($_SERVER['REMOTE_ADDR'], $proxy_ips, TRUE)) + { + $this->ip_address = $spoof; + } + } } if ( ! $this->valid_ip($this->ip_address)) @@ -545,7 +544,7 @@ protected function _sanitize_globals() $_SERVER['PHP_SELF'] = strip_tags($_SERVER['PHP_SELF']); // CSRF Protection check - if ($this->_enable_csrf === TRUE) + if ($this->_enable_csrf === TRUE && ! $this->is_cli_request()) { $this->security->csrf_verify(); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 3e1cfcac4c2..20585d9bf1a 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -219,7 +219,6 @@ Release Date: Not Released - Added autoloading of drivers with $autoload['drivers']. - CI_Loader::library() will now load drivers as well, for backward compatibility of converted libraries (like Session). - :doc:`Common functions ` changes include: - - ``is_loaded()`` function now returns a reference. - Added ``get_mimes()`` function to return the *config/mimes.php* array. - Added support for HTTP code 303 ("See Other") in ``set_status_header()``. - Removed redundant conditional to determine HTTP server protocol in ``set_status_header()``. @@ -279,17 +278,14 @@ Bug fixes for 3.0 - Fixed a bug in CUBRID's affected_rows() method where a connection resource was passed to cubrid_affected_rows() instead of a result. - Fixed a bug (#638) - db_set_charset() ignored its arguments and always used the configured charset instead. - Fixed a bug (#413) - Oracle's error handling methods used to only return connection-related errors. -- Fixed a bug (#804) - Profiler library was trying to handle objects as strings in some cases, resulting in warnings being issued by htmlspecialchars(). - Fixed a bug (#1101) - MySQL/MySQLi result method field_data() was implemented as if it was handling a DESCRIBE result instead of the actual result set. - Fixed a bug in Oracle's :doc:`Database Forge Class ` method _create_table() where it failed with AUTO_INCREMENT as it's not supported. - Fixed a bug (#1080) - When using the SMTP protocol, the :doc:`Email Library ` send() method was returning TRUE even if the connection/authentication against the server failed. -- Fixed a bug (#499) - a CSRF cookie was created even with CSRF protection being disabled. - Fixed a bug (#306) - ODBC's insert_id() method was calling non-existent function odbc_insert_id(), which resulted in a fatal error. - Fixed a bug in Oracle's DB_result class where the cursor id passed to it was always NULL. - Fixed a bug (#64) - Regular expression in DB_query_builder.php failed to handle queries containing SQL bracket delimiters in the join condition. - Fixed a bug in the :doc:`Session Library ` where a PHP E_NOTICE error was triggered by _unserialize() due to results from databases such as MSSQL and Oracle being space-padded on the right. - Fixed a bug (#501) - set_rules() to check if the request method is not 'POST' before aborting, instead of depending on count($_POST) in the :doc:`Form Validation Library `. -- Fixed a bug (#940) - csrf_verify() used to set the CSRF cookie while processing a POST request with no actual POST data, which resulted in validating a request that should be considered invalid. - Fixed a bug (#136) - PostgreSQL, MySQL and MySQLi's escape_str() method didn't properly escape LIKE wild characters. - Fixed a bug in the library loader where some PHP versions wouldn't execute the class constructor. - Fixed a bug (#88) - An unexisting property was used for configuration of the Memcache cache driver. @@ -308,7 +304,6 @@ Bug fixes for 3.0 - Fixed a bug (#1265) - Database connections were always closed, regardless of the 'pconnect' option value. - Fixed a bug (#128) - :doc:`Language Library ` did not correctly keep track of loaded language files. - Fixed a bug (#1242) - Added Windows path compatibility to function read_dir of ZIP library. -- Fixed a bug (#1314) - sess_destroy() did not destroy userdata. - Fixed a bug (#1349) - get_extension() in the :doc:`File Uploading Library ` returned the original filename when it didn't have an actual extension. - Fixed a bug (#1273) - E_NOTICE being generated by :doc:`Query Builder `'s set_update_batch() method. - Fixed a bug (#44, #110) - :doc:`Upload library `'s clean_file_name() method didn't clear '!' and '#' characters. @@ -329,7 +324,6 @@ Bug fixes for 3.0 - Fixed a bug (#1264) - :doc:`Database Forge ` and :doc:`Database Utilities ` didn't update/reset the databases and tables list cache when a table or a database is created, dropped or renamed. - Fixed a bug (#7) - :doc:`Query Builder `'s ``join()`` method only escaped one set of conditions. - Fixed a bug (#1321) - Core Exceptions class couldn't find the errors/ folder in some cases. -- Fixed a bug in the File-based :doc:`Cache Library ` driver's get_metadata() method where a non-existent array key was accessed for the TTL value. - Fixed a bug (#1202) - :doc:`Encryption Library ` encode_from_legacy() didn't set back the encrypt mode on failure. - Fixed a bug (#145) - compile_binds() failed when the bind marker was present in a literal string within the query. - Fixed a bug in protect_identifiers() where if passed along with the field names, operators got escaped as well. @@ -361,6 +355,27 @@ Bug fixes for 3.0 - Fixed a bug (#1257) - :doc:`Query Builder ` used to (unnecessarily) group FROM clause contents, which breaks certain queries and is invalid for some databases. - Fixed a bug (#1709) - :doc:`Email ` headers were broken when using long email subjects and \r\n as CRLF. +Version 2.1.3 +============= + +Release Date: October 8, 2012 + +- Core + - :doc:`Common function ` ``is_loaded()`` now returns a reference. + +Bug fixes for 2.1.3 +------------------- + +- Fixed a bug (#1543) - File-based :doc:`Caching ` method ``get_metadata()`` used a non-existent array key to look for the TTL value. +- Fixed a bug (#1314) - :doc:`Session Library ` method ``sess_destroy()`` didn't destroy the userdata array. +- Fixed a bug (#804) - Profiler library was trying to handle objects as strings in some cases, resulting in *E_WARNING* messages being issued by ``htmlspecialchars()``. +- Fixed a bug (#1699) - :doc:`Migration Library ` ignored the ``$config['migration_path']`` setting. +- Fixed a bug (#227) - :doc:`Input Library ` allowed unconditional spoofing of HTTP clients' IP addresses through the *HTTP_CLIENT_IP* header. +- Fixed a bug (#907) - :doc:`Input Library ` ignored *HTTP_X_CLUSTER_CLIENT_IP* and *HTTP_X_CLIENT_IP* headers when checking for proxies. +- Fixed a bug (#940) - ``csrf_verify()`` used to set the CSRF cookie while processing a POST request with no actual POST data, which resulted in validating a request that should be considered invalid. +- Fixed a bug (#499) - :doc:`Security Library ` where a CSRF cookie was created even if ``$config['csrf_protection']`` is set tot FALSE. +- Fixed a bug (#1715) - :doc:`Input Library ` triggered ``csrf_verify()`` on CLI requests. + Version 2.1.2 ============= From 580fe8ec482f5df7ca5b91e11b13b72a8f3ed0b8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Oct 2012 13:27:50 +0300 Subject: [PATCH 0101/3829] Set REMOTE_ADDR in tests --- tests/Bootstrap.php | 1 + 1 file changed, 1 insertion(+) diff --git a/tests/Bootstrap.php b/tests/Bootstrap.php index 5216038c600..1c666d503bf 100644 --- a/tests/Bootstrap.php +++ b/tests/Bootstrap.php @@ -11,6 +11,7 @@ defined('BASEPATH') OR define('BASEPATH', PROJECT_BASE.'system/'); defined('APPPATH') OR define('APPPATH', PROJECT_BASE.'application/'); defined('VIEWPATH') OR define('VIEWPATH', PROJECT_BASE.''); +isset($_SERVER['REMOTE_ADDR']) OR $_SERVER['REMOTE_ADDR'] = '127.0.0.1'; // Get vfsStream either via PEAR or composer foreach (explode(PATH_SEPARATOR, get_include_path()) as $path) From 9df35b4d23848e831ead765712addd0b845fd8f4 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Oct 2012 13:37:58 +0300 Subject: [PATCH 0102/3829] Remove an unnecessary variable initialization --- system/core/Input.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Input.php b/system/core/Input.php index b65509fd79c..82482f2aa7d 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -364,7 +364,7 @@ public function ip_address() if ($spoof) { - for ($i = 0, $c = count($proxy_ips), $separator = (strlen($ip) === 32 ? '.' : ':'); $i < $c; $i++) + for ($i = 0, $c = count($proxy_ips); $i < $c; $i++) { // Check if we have an IP address or a subnet if (strpos($proxy_ips[$i], '/') === FALSE) From 683b34d6dfcc10bee7703af605875df9229c2bea Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Oct 2012 15:00:00 +0300 Subject: [PATCH 0103/3829] Alter CI_Emai::_prep_quoted_printable() --- system/libraries/Email.php | 13 ++++++++++--- user_guide_src/source/changelog.rst | 2 ++ 2 files changed, 12 insertions(+), 3 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 36bdd1f22ab..36ecc347de9 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -980,7 +980,6 @@ protected function _build_message() $this->_finalbody = $body.$this->_prep_quoted_printable($this->_body).$this->newline.$this->newline; - if ($this->_get_protocol() === 'mail') { $this->_header_str .= $hdr; @@ -1100,11 +1099,19 @@ protected function _build_message() * Refer to RFC 2045 http://www.ietf.org/rfc/rfc2045.txt * * @param string - * @param int * @return string */ - protected function _prep_quoted_printable($str, $charlim = '') + protected function _prep_quoted_printable($str) { + // RFC 2045 specifies CRLF as "\r\n". + // However, many developers choose to override that and violate + // the RFC rules due to (apparently) a bug in MS Exchange, + // which only works with "\n". + if ($this->crlf === "\r\n" && is_php('5.3')) + { + return quoted_printable_encode($str); + } + // Set the character limit // Don't allow over 76, as that will make servers and MUAs barf // all over quoted-printable data diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index a90336a1d54..ba2036dd8fc 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -198,6 +198,8 @@ Release Date: Not Released - Renamed method _set_header() to set_header() and made it public to enable adding custom headers in the :doc:`Email Library `. - Successfully sent emails will automatically clear the parameters. - Added a *return_path* parameter to the ``from()`` method. + - Removed the second parameter (character limit) from internal method ``_prep_quoted_printable()`` as it is never used. + - Internal method ``_prep_quoted_printable()`` will now utilize the native ``quoted_printable_encode()`` function on PHP 5.3+ if CRLF is set to "\r\n". - :doc:`Pagination Library ` changes include: - Added support for the anchor "rel" attribute. - Added support for setting custom attributes. From 2e3e23053d9748c68fa2c0e11f43af67da8743e8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Oct 2012 15:52:34 +0300 Subject: [PATCH 0104/3829] Disable Session library under CLI and create a CI singleton to be used by its drivers --- system/libraries/Driver.php | 4 +-- system/libraries/Session/Session.php | 27 ++++++++++++++++++- .../Session/drivers/Session_cookie.php | 10 ------- .../Session/drivers/Session_native.php | 11 ++++---- 4 files changed, 33 insertions(+), 19 deletions(-) diff --git a/system/libraries/Driver.php b/system/libraries/Driver.php index 1d084c8e411..769d892dc13 100644 --- a/system/libraries/Driver.php +++ b/system/libraries/Driver.php @@ -63,7 +63,7 @@ class CI_Driver_Library { * @return object Child class */ public function __get($child) - { + { // Try to load the driver return $this->load_driver($child); } @@ -284,4 +284,4 @@ public function __set($var, $val) } /* End of file Driver.php */ -/* Location: ./system/libraries/Driver.php */ +/* Location: ./system/libraries/Driver.php */ \ No newline at end of file diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index e6f6050c0f4..978506062e9 100755 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -69,13 +69,21 @@ class CI_Session extends CI_Driver_Library { * routines in its constructor, and manages flashdata aging. * * @param array Configuration parameters + * @return void */ public function __construct(array $params = array()) { + $CI =& get_instance(); + + // No sessions under CLI + if ($CI->input->is_cli_request()) + { + return; + } + log_message('debug', 'CI_Session Class Initialized'); // Get valid drivers list - $CI =& get_instance(); $this->valid_drivers = array( 'Session_native', 'Session_cookie' @@ -587,6 +595,23 @@ protected function _tempdata_sweep() */ abstract class CI_Session_driver extends CI_Driver { + protected $CI; + + /** + * Constructor + * + * Gets the CI singleton, so that individual drivers + * don't have to do it separately. + * + * @return void + */ + public function __construct() + { + $this->CI =& get_instance(); + } + + // ------------------------------------------------------------------------ + /** * Decorate * diff --git a/system/libraries/Session/drivers/Session_cookie.php b/system/libraries/Session/drivers/Session_cookie.php index 4f415cc0d6f..fb62c7ec456 100755 --- a/system/libraries/Session/drivers/Session_cookie.php +++ b/system/libraries/Session/drivers/Session_cookie.php @@ -157,13 +157,6 @@ class CI_Session_cookie extends CI_Session_driver { */ public $userdata = array(); - /** - * Reference to CodeIgniter instance - * - * @var object - */ - public $CI; - /** * Current time * @@ -197,9 +190,6 @@ class CI_Session_cookie extends CI_Session_driver { */ protected function initialize() { - // Set the super object to a local variable for use throughout the class - $this->CI =& get_instance(); - // Set all the session preferences, which can either be set // manually via the $params array or via the config file $prefs = array( diff --git a/system/libraries/Session/drivers/Session_native.php b/system/libraries/Session/drivers/Session_native.php index c97e15356f1..8d5e5154665 100755 --- a/system/libraries/Session/drivers/Session_native.php +++ b/system/libraries/Session/drivers/Session_native.php @@ -46,7 +46,6 @@ protected function initialize() { // Get config parameters $config = array(); - $CI =& get_instance(); $prefs = array( 'sess_cookie_name', 'sess_expire_on_close', @@ -63,7 +62,7 @@ protected function initialize() { $config[$key] = isset($this->_parent->params[$key]) ? $this->_parent->params[$key] - : $CI->config->item($key); + : $this->CI->config->item($key); } // Set session name, if specified @@ -114,13 +113,13 @@ protected function initialize() $destroy = TRUE; } elseif ($config['sess_match_ip'] === TRUE && isset($_SESSION['ip_address']) - && $_SESSION['ip_address'] !== $CI->input->ip_address()) + && $_SESSION['ip_address'] !== $this->CI->input->ip_address()) { // IP doesn't match - destroy $destroy = TRUE; } elseif ($config['sess_match_useragent'] === TRUE && isset($_SESSION['user_agent']) - && $_SESSION['user_agent'] !== trim(substr($CI->input->user_agent(), 0, 50))) + && $_SESSION['user_agent'] !== trim(substr($this->CI->input->user_agent(), 0, 50))) { // Agent doesn't match - destroy $destroy = TRUE; @@ -149,13 +148,13 @@ protected function initialize() if ($config['sess_match_ip'] === TRUE && ! isset($_SESSION['ip_address'])) { // Store user IP address - $_SESSION['ip_address'] = $CI->input->ip_address(); + $_SESSION['ip_address'] = $this->CI->input->ip_address(); } if ($config['sess_match_useragent'] === TRUE && ! isset($_SESSION['user_agent'])) { // Store user agent string - $_SESSION['user_agent'] = trim(substr($CI->input->user_agent(), 0, 50)); + $_SESSION['user_agent'] = trim(substr($this->CI->input->user_agent(), 0, 50)); } // Make session ID available From 82003dac7e1da25ffb0d925ba197121b5b7b27f5 Mon Sep 17 00:00:00 2001 From: dchill42 Date: Tue, 9 Oct 2012 13:28:17 -0400 Subject: [PATCH 0105/3829] Overloaded is_cli_request in Input mock for Session test Signed-off-by: dchill42 --- tests/codeigniter/libraries/Session_test.php | 17 ++++++----------- tests/mocks/core/input.php | 10 ++++++++++ 2 files changed, 16 insertions(+), 11 deletions(-) diff --git a/tests/codeigniter/libraries/Session_test.php b/tests/codeigniter/libraries/Session_test.php index 135f7180651..60d3a5b30b0 100644 --- a/tests/codeigniter/libraries/Session_test.php +++ b/tests/codeigniter/libraries/Session_test.php @@ -30,15 +30,11 @@ public function set_up() // Establish necessary support classes $obj = new stdClass; - $classes = array( - 'config' => 'cfg', - 'load' => 'load', - 'input' => 'in' - ); - foreach ($classes as $name => $abbr) { - $class = $this->ci_core_class($abbr); - $obj->$name = new $class; - } + $cfg = $this->ci_core_class('cfg'); + $obj->config = new $cfg(); + $ldr = $this->ci_core_class('load'); + $obj->load = new $ldr(); + $obj->input = new Mock_Core_Input(NULL, NULL); $this->ci_instance($obj); // Attach session instance locally @@ -401,5 +397,4 @@ public function test_sess_destroy() $this->session->native->sess_destroy(); $this->assertNull($this->session->native->userdata($key)); } -} - +} \ No newline at end of file diff --git a/tests/mocks/core/input.php b/tests/mocks/core/input.php index 2a4aa499794..0d187384962 100644 --- a/tests/mocks/core/input.php +++ b/tests/mocks/core/input.php @@ -28,4 +28,14 @@ public function fetch_from_array($array, $index = '', $xss_clean = FALSE) return parent::_fetch_from_array($array, $index, $xss_clean); } + /** + * Lie about being a CLI request + * + * We take advantage of this in libraries/Session_test + */ + public function is_cli_request() + { + return FALSE; + } + } \ No newline at end of file From e8bc5f4450381b4f978f274f3e93604301115b64 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 10 Oct 2012 11:13:59 +0300 Subject: [PATCH 0106/3829] Replace in _prep_quoted_printable() with the constant 76 --- system/libraries/Email.php | 10 +--------- 1 file changed, 1 insertion(+), 9 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 36ecc347de9..1b457aee411 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1112,14 +1112,6 @@ protected function _prep_quoted_printable($str) return quoted_printable_encode($str); } - // Set the character limit - // Don't allow over 76, as that will make servers and MUAs barf - // all over quoted-printable data - if ($charlim === '' OR $charlim > 76) - { - $charlim = 76; - } - // Reduce multiple spaces & remove nulls $str = preg_replace(array('| +|', '/\x00+/'), array(' ', ''), $str); @@ -1162,7 +1154,7 @@ protected function _prep_quoted_printable($str) // If we're at the character limit, add the line to the output, // reset our temp variable, and keep on chuggin' - if ((strlen($temp) + strlen($char)) >= $charlim) + if ((strlen($temp) + strlen($char)) >= 76) { $output .= $temp.$escape.$this->crlf; $temp = ''; From 6c5f751b5ae66800e7ef3f70306a6bcbcdeeabf1 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 10 Oct 2012 15:56:18 +0300 Subject: [PATCH 0107/3829] mbstring related changes --- system/core/Utf8.php | 37 ++++++++++++++-------------- system/libraries/Form_validation.php | 6 ----- 2 files changed, 19 insertions(+), 24 deletions(-) diff --git a/system/core/Utf8.php b/system/core/Utf8.php index 0a7ec501ce7..9e6a4eb1bd9 100644 --- a/system/core/Utf8.php +++ b/system/core/Utf8.php @@ -49,30 +49,31 @@ public function __construct() { log_message('debug', 'Utf8 Class Initialized'); - global $CFG; + $charset = strtoupper(config_item('charset')); + + // set internal encoding for multibyte string functions if necessary + // and set a flag so we don't have to repeatedly use extension_loaded() + // or function_exists() + if (extension_loaded('mbstring')) + { + define('MB_ENABLED', TRUE); + mb_internal_encoding($charset); + } + else + { + define('MB_ENABLED', FALSE); + } + if ( - @preg_match('/./u', 'é') === 1 // PCRE must support UTF-8 - && function_exists('iconv') // iconv must be installed - && (bool) @ini_get('mbstring.func_overload') !== TRUE // Multibyte string function overloading cannot be enabled - && $CFG->item('charset') === 'UTF-8' // Application charset must be UTF-8 + @preg_match('/./u', 'é') === 1 // PCRE must support UTF-8 + && function_exists('iconv') // iconv must be installed + && MB_ENABLED === TRUE // mbstring must be enabled + && $charset === 'UTF-8' // Application charset must be UTF-8 ) { define('UTF8_ENABLED', TRUE); log_message('debug', 'UTF-8 Support Enabled'); - - // set internal encoding for multibyte string functions if necessary - // and set a flag so we don't have to repeatedly use extension_loaded() - // or function_exists() - if (extension_loaded('mbstring')) - { - define('MB_ENABLED', TRUE); - mb_internal_encoding('UTF-8'); - } - else - { - define('MB_ENABLED', FALSE); - } } else { diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index b490a34ca49..fccc12afa22 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -134,12 +134,6 @@ public function __construct($rules = array()) // Automatically load the form helper $this->CI->load->helper('form'); - // Set the character encoding in MB. - if (MB_ENABLED === TRUE) - { - mb_internal_encoding($this->CI->config->item('charset')); - } - log_message('debug', 'Form Validation Class Initialized'); } From 9f44c21a3c90e984becaea3948ebafe90d89ac56 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 10 Oct 2012 16:07:17 +0300 Subject: [PATCH 0108/3829] Changelog entry for previous commit and change default charset for the Email library to whatever the config array says --- system/core/Utf8.php | 2 +- system/libraries/Email.php | 2 ++ user_guide_src/source/changelog.rst | 2 ++ 3 files changed, 5 insertions(+), 1 deletion(-) diff --git a/system/core/Utf8.php b/system/core/Utf8.php index 9e6a4eb1bd9..1ff02981bb2 100644 --- a/system/core/Utf8.php +++ b/system/core/Utf8.php @@ -136,7 +136,7 @@ public function convert_to_utf8($str, $encoding) { return @iconv($encoding, 'UTF-8', $str); } - elseif (function_exists('mb_convert_encoding')) + elseif (MB_ENABLED === TRUE) { return @mb_convert_encoding($str, 'UTF-8', $encoding); } diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 1b457aee411..698cb767981 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -98,6 +98,8 @@ class CI_Email { */ public function __construct($config = array()) { + $this->charset = strtoupper(config_item('charset')); + if (count($config) > 0) { $this->initialize($config); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index ba2036dd8fc..8ec32c0fe03 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -200,6 +200,7 @@ Release Date: Not Released - Added a *return_path* parameter to the ``from()`` method. - Removed the second parameter (character limit) from internal method ``_prep_quoted_printable()`` as it is never used. - Internal method ``_prep_quoted_printable()`` will now utilize the native ``quoted_printable_encode()`` function on PHP 5.3+ if CRLF is set to "\r\n". + - Default charset now relies on the global ``$config['charset']`` setting. - :doc:`Pagination Library ` changes include: - Added support for the anchor "rel" attribute. - Added support for setting custom attributes. @@ -357,6 +358,7 @@ Bug fixes for 3.0 - Fixed a bug (#1765) - :doc:`Database Library ` didn't properly detect connection errors for MySQLi. - Fixed a bug (#1257) - :doc:`Query Builder ` used to (unnecessarily) group FROM clause contents, which breaks certain queries and is invalid for some databases. - Fixed a bug (#1709) - :doc:`Email ` headers were broken when using long email subjects and \r\n as CRLF. +- Fixed a bug where MB_ENABLED was only declared if UTF8_ENABLED was set to TRUE. Version 2.1.3 ============= From 6d9915a7a82ff3f7e9dc0f4969764788cf005f36 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 10 Oct 2012 16:18:33 +0300 Subject: [PATCH 0109/3829] Update Email library docs --- user_guide_src/source/libraries/email.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/email.rst b/user_guide_src/source/libraries/email.rst index e7ed9f74ccb..da3bf2616f8 100644 --- a/user_guide_src/source/libraries/email.rst +++ b/user_guide_src/source/libraries/email.rst @@ -97,7 +97,7 @@ Preference Default Value Options Descript **mailtype** text text or html Type of mail. If you send HTML email you must send it as a complete web page. Make sure you don't have any relative links or relative image paths otherwise they will not work. -**charset** utf-8 Character set (utf-8, iso-8859-1, etc.). +**charset** ``$config['charset']`` Character set (utf-8, iso-8859-1, etc.). **validate** FALSE TRUE or FALSE (boolean) Whether to validate the email address. **priority** 3 1, 2, 3, 4, 5 Email Priority. 1 = highest. 5 = lowest. 3 = normal. **crlf** \\n "\\r\\n" or "\\n" or "\\r" Newline character. (Use "\\r\\n" to comply with RFC 822). From c6f9a5da098ed9e27d88b7c271c4e1ba76fa79d6 Mon Sep 17 00:00:00 2001 From: lysenkobv Date: Wed, 10 Oct 2012 20:11:34 +0300 Subject: [PATCH 0110/3829] libraries/Encrypt.php decode improvement MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit if base64 string is NO valid the result of decoded string is something like this "23Y�����������S�� �����i��!q" (base64_encode(base64_decode($string)) !== $string) check is this base64 string valid --- system/libraries/Encrypt.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Encrypt.php b/system/libraries/Encrypt.php index 67960925160..dbe16b0963b 100644 --- a/system/libraries/Encrypt.php +++ b/system/libraries/Encrypt.php @@ -165,7 +165,7 @@ public function encode($string, $key = '') */ public function decode($string, $key = '') { - if (preg_match('/[^a-zA-Z0-9\/\+=]/', $string)) + if (preg_match('/[^a-zA-Z0-9\/\+=]/', $string) || base64_encode(base64_decode($string)) !== $string) { return FALSE; } From 9738668fd6b4078c7eb9df3372e5035791caaaf4 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 11 Oct 2012 10:24:51 +0300 Subject: [PATCH 0111/3829] Fix issue #1875 --- system/database/drivers/mssql/mssql_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php | 2 +- system/database/drivers/sqlsrv/sqlsrv_driver.php | 2 +- 4 files changed, 4 insertions(+), 4 deletions(-) diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index a62ea94b3ba..a5ace02e63f 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -465,7 +465,7 @@ protected function _limit($sql, $limit, $offset) $orderby = 'ORDER BY '.implode(', ', $this->qb_orderby); // We have to strip the ORDER BY clause - $sql = trim(substr($sql, 0, strrpos($sql, 'ORDER BY '.$orderby))); + $sql = trim(substr($sql, 0, strrpos($sql, $orderby))); return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.$orderby.') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php index 2346e683ea6..7c4b008b2a4 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php @@ -232,7 +232,7 @@ protected function _limit($sql, $limit, $offset) $orderby = 'ORDER BY '.implode(', ', $this->qb_orderby); // We have to strip the ORDER BY clause - $sql = trim(substr($sql, 0, strrpos($sql, 'ORDER BY '.$orderby))); + $sql = trim(substr($sql, 0, strrpos($sql, $orderby))); return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.$orderby.') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php index ee7c1d15a2e..fd1c4b21463 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php @@ -266,7 +266,7 @@ protected function _limit($sql, $limit, $offset) $orderby = 'ORDER BY '.implode(', ', $this->qb_orderby); // We have to strip the ORDER BY clause - $sql = trim(substr($sql, 0, strrpos($sql, 'ORDER BY '.$orderby))); + $sql = trim(substr($sql, 0, strrpos($sql, $orderby))); return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.$orderby.') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index a6739d19218..3ffbd4c1819 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -460,7 +460,7 @@ protected function _limit($sql, $limit, $offset) $orderby = 'ORDER BY '.implode(', ', $this->qb_orderby); // We have to strip the ORDER BY clause - $sql = trim(substr($sql, 0, strrpos($sql, 'ORDER BY '.$orderby))); + $sql = trim(substr($sql, 0, strrpos($sql, $orderby))); return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.$orderby.') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) From a52c775d490fede2a0cb7f54f0dcc5010d7e0465 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 11 Oct 2012 10:54:02 +0300 Subject: [PATCH 0112/3829] Replace a few require() uses with require_once() (should fix issue #1872) --- system/core/CodeIgniter.php | 2 +- system/core/Common.php | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 8159b19f563..f3592eaf9c8 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -50,7 +50,7 @@ * Load the global functions * ------------------------------------------------------ */ - require(BASEPATH.'core/Common.php'); + require_once(BASEPATH.'core/Common.php'); /* * ------------------------------------------------------ diff --git a/system/core/Common.php b/system/core/Common.php index 981af4559f5..341402c6bdd 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -150,7 +150,7 @@ function &load_class($class, $directory = 'libraries', $prefix = 'CI_') if (class_exists($name) === FALSE) { - require($path.$directory.'/'.$class.'.php'); + require_once($path.$directory.'/'.$class.'.php'); } break; @@ -164,7 +164,7 @@ function &load_class($class, $directory = 'libraries', $prefix = 'CI_') if (class_exists($name) === FALSE) { - require(APPPATH.$directory.'/'.config_item('subclass_prefix').$class.'.php'); + require_once(APPPATH.$directory.'/'.config_item('subclass_prefix').$class.'.php'); } } From c16b4f4164a4a26c48b823caf086a9777dc75beb Mon Sep 17 00:00:00 2001 From: Bogdan Lysenko Date: Thu, 11 Oct 2012 11:41:01 +0300 Subject: [PATCH 0113/3829] Update system/libraries/Encrypt.php --- system/libraries/Encrypt.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Encrypt.php b/system/libraries/Encrypt.php index dbe16b0963b..73ab8ca7de7 100644 --- a/system/libraries/Encrypt.php +++ b/system/libraries/Encrypt.php @@ -165,7 +165,7 @@ public function encode($string, $key = '') */ public function decode($string, $key = '') { - if (preg_match('/[^a-zA-Z0-9\/\+=]/', $string) || base64_encode(base64_decode($string)) !== $string) + if (preg_match('/[^a-zA-Z0-9\/\+=]/', $string) OR base64_encode(base64_decode($string)) !== $string) { return FALSE; } From 26f0cf9cf94869f9aed94f2a7f5bd4ad9180079e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 11 Oct 2012 13:52:39 +0300 Subject: [PATCH 0114/3829] Add a fallback to imap_8bit() for CI_Email::_prep_quoted_printable() --- system/libraries/Email.php | 11 +++++++++-- user_guide_src/source/changelog.rst | 2 +- 2 files changed, 10 insertions(+), 3 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 698cb767981..fa1d5e9bf6f 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1109,9 +1109,16 @@ protected function _prep_quoted_printable($str) // However, many developers choose to override that and violate // the RFC rules due to (apparently) a bug in MS Exchange, // which only works with "\n". - if ($this->crlf === "\r\n" && is_php('5.3')) + if ($this->crlf === "\r\n") { - return quoted_printable_encode($str); + if (is_php('5.3')) + { + return quoted_printable_encode($str); + } + elseif (function_exists('imap_8bit')) + { + return imap_8bit($str); + } } // Reduce multiple spaces & remove nulls diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 8ec32c0fe03..bfc2c95560d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -199,7 +199,7 @@ Release Date: Not Released - Successfully sent emails will automatically clear the parameters. - Added a *return_path* parameter to the ``from()`` method. - Removed the second parameter (character limit) from internal method ``_prep_quoted_printable()`` as it is never used. - - Internal method ``_prep_quoted_printable()`` will now utilize the native ``quoted_printable_encode()`` function on PHP 5.3+ if CRLF is set to "\r\n". + - Internal method ``_prep_quoted_printable()`` will now utilize the native ``quoted_printable_encode()``, ``imap_8bit()`` functions (if available) when CRLF is set to "\r\n". - Default charset now relies on the global ``$config['charset']`` setting. - :doc:`Pagination Library ` changes include: - Added support for the anchor "rel" attribute. From 06e9d1d7a4c979a43f9f8fa437526b6c7a547cec Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 11 Oct 2012 16:31:01 +0300 Subject: [PATCH 0115/3829] [ci skip] Remove core from the description of libraries loaded by the autoloader --- user_guide_src/source/general/autoloader.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/general/autoloader.rst b/user_guide_src/source/general/autoloader.rst index 259a4987ee8..8ecc13cb663 100644 --- a/user_guide_src/source/general/autoloader.rst +++ b/user_guide_src/source/general/autoloader.rst @@ -9,7 +9,7 @@ application you should consider auto-loading them for convenience. The following items can be loaded automatically: -- Core classes found in the "libraries" folder +- Classes found in the "libraries" folder - Helper files found in the "helpers" folder - Custom config files found in the "config" folder - Language files found in the "system/language" folder From f38564d739455f46eb38bcbfaa8e255d0a50defe Mon Sep 17 00:00:00 2001 From: Raul Baldner Junior Date: Thu, 11 Oct 2012 11:32:23 -0300 Subject: [PATCH 0116/3829] New form_validation rule: 'differs' Added new validation rule 'differs'. It checks if the value of a field differs from the value of another field. --- system/language/english/form_validation_lang.php | 1 + system/libraries/Form_validation.php | 13 +++++++++++++ user_guide_src/source/changelog.rst | 1 + user_guide_src/source/libraries/form_validation.rst | 1 + 4 files changed, 16 insertions(+) diff --git a/system/language/english/form_validation_lang.php b/system/language/english/form_validation_lang.php index cf1b3b50383..6ff0cc2f4fe 100644 --- a/system/language/english/form_validation_lang.php +++ b/system/language/english/form_validation_lang.php @@ -42,6 +42,7 @@ $lang['integer'] = 'The %s field must contain an integer.'; $lang['regex_match'] = 'The %s field is not in the correct format.'; $lang['matches'] = 'The %s field does not match the %s field.'; +$lang['differs'] = 'The %s field must differ from the %s field.'; $lang['is_unique'] = 'The %s field must contain a unique value.'; $lang['is_natural'] = 'The %s field must only contain digits.'; $lang['is_natural_no_zero'] = 'The %s field must only contain digits and must be greater than zero.'; diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index fccc12afa22..6db5bb495d8 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -970,6 +970,19 @@ public function matches($str, $field) // -------------------------------------------------------------------- + /** + * Differs from another field + * + * @param string + * @param string field + * @return bool + */ + public function differs($str, $field) + { + return ! (isset($this->_field_data[$field]) && $this->_field_data[$field]['postdata'] === $str); + } + + // -------------------------------------------------------------------- /** * Is Unique * diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index bfc2c95560d..b5f14d55172 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -188,6 +188,7 @@ Release Date: Not Released - Native PHP functions used as rules can now accept an additional parameter, other than the data itself. - Updated set_rules() to accept an array of rules as well as a string. - Fields that have empty rules set no longer run through validation (and therefore are not considered erroneous). + - Added new rule: ``differs``. It checks if the value of a field differs from the value of another field. - Added support for setting :doc:`Table ` class defaults in a config file. - Added a Wincache driver to the :doc:`Caching Library `. - Added a Redis driver to the :doc:`Caching Library `. diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index 22272dc9b72..6c6743d06cc 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -872,6 +872,7 @@ Rule Parameter Description ========================= ========== ============================================================================================= ======================= **required** No Returns FALSE if the form element is empty. **matches** Yes Returns FALSE if the form element does not match the one in the parameter. matches[form_item] +**differs** Yes Returns FALSE if the form element does not differ from the one in the parameter. differs[form_item] **is_unique** Yes Returns FALSE if the form element is not unique to the table and field name in the is_unique[table.field] parameter. Note: This rule requires :doc:`Query Builder <../database/query_builder>` to be enabled in order to work. From 9ae82faaad2f6b07a050d79129652b74483d1da0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 11 Oct 2012 20:58:45 +0300 Subject: [PATCH 0117/3829] [ci skip] Minor changes following PR #1871 --- system/libraries/Form_validation.php | 1 + user_guide_src/source/changelog.rst | 16 ++++++++-------- 2 files changed, 9 insertions(+), 8 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 6db5bb495d8..91f46b6de25 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -983,6 +983,7 @@ public function differs($str, $field) } // -------------------------------------------------------------------- + /** * Is Unique * diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index b5f14d55172..747791cd5fe 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -179,16 +179,16 @@ Release Date: Not Released - Property *maintain_ratio* is now taken into account when resizing images using ImageMagick library. - Added support for maintaining transparency for PNG images in method ``text_watermark()``. - :doc:`Form Validation library ` changes include: - - Added method error_array() to return all error messages as an array. - - Added method set_data() to set an alternative data array to be validated instead of the default $_POST. - - Added method reset_validation(), which resets internal validation variables in case of multiple validation routines. - - Added support for setting error delimiters in the config file via $config['error_prefix'] and $config['error_suffix']. - - _execute() now considers input data to be invalid if a specified rule is not found. - - Removed method is_numeric() as it exists as a native PHP function and _execute() will find and use that (the 'is_numeric' rule itself is deprecated since 1.6.1). + - Added method ``error_array()`` to return all error messages as an array. + - Added method ``set_data()`` to set an alternative data array to be validated instead of the default ``$_POST``. + - Added method ``reset_validation()`` which resets internal validation variables in case of multiple validation routines. + - Added support for setting error delimiters in the config file via ``$config['error_prefix']`` and ``$config['error_suffix']``. + - ``_execute()`` now considers input data to be invalid if a specified rule is not found. + - Removed method ``is_numeric()`` as it exists as a native PHP function and ``_execute()`` will find and use that (the *is_numeric* rule itself is deprecated since 1.6.1). - Native PHP functions used as rules can now accept an additional parameter, other than the data itself. - - Updated set_rules() to accept an array of rules as well as a string. + - Updated ``set_rules()`` to accept an array of rules as well as a string. - Fields that have empty rules set no longer run through validation (and therefore are not considered erroneous). - - Added new rule: ``differs``. It checks if the value of a field differs from the value of another field. + - Added rule *differs* to check if the value of a field differs from the value of another field. - Added support for setting :doc:`Table ` class defaults in a config file. - Added a Wincache driver to the :doc:`Caching Library `. - Added a Redis driver to the :doc:`Caching Library `. From 9d3aa1bc9f09c226ce0a55c285cb7fe808db5fa7 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 12 Oct 2012 12:14:09 +0300 Subject: [PATCH 0118/3829] Fix _get_operator() for 'LIKE expr ESCAPE' --- system/database/DB_driver.php | 3 +-- system/database/DB_query_builder.php | 5 ++--- 2 files changed, 3 insertions(+), 5 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index ea56d3819b2..02c64f9f183 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1167,9 +1167,8 @@ protected function _get_operator($str) if (empty($_operators)) { $_les = ($this->_like_escape_str !== '') - ? preg_quote(trim(sprintf($this->_like_escape_str, $this->_like_escape_chr))) + ? '\s+'.preg_quote(trim(sprintf($this->_like_escape_str, $this->_like_escape_chr))) : ''; - $_operators = array( '\s*(?:<|>|!)?=\s*', // =, <=, >=, != '\s*<>?\s*', // <, <> diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 139f467e643..9c6cb7e4517 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -2050,8 +2050,6 @@ protected function _compile_wh($qb_key) { if (count($this->$qb_key) > 0) { - $sql = ($qb_key === 'qb_having') ? "\nHAVING " : "\nWHERE "; - for ($i = 0, $c = count($this->$qb_key); $i < $c; $i++) { if ($this->{$qb_key}[$i]['escape'] === FALSE) @@ -2081,7 +2079,8 @@ protected function _compile_wh($qb_key) .' '.trim($matches[4]).$matches[5].$matches[6]; } - return implode("\n", $this->$qb_key); + return ($qb_key === 'qb_having' ? "\nHAVING " : "\nWHERE ") + .implode("\n", $this->$qb_key); } return ''; From 13f5054a478ee52a9ef262216248337ef40d6677 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 12 Oct 2012 12:31:02 +0300 Subject: [PATCH 0119/3829] Fix delete() with multiple tables and an erroneous variable --- system/database/DB_query_builder.php | 6 ++---- 1 file changed, 2 insertions(+), 4 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 9c6cb7e4517..ab04e4db2a0 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1832,10 +1832,8 @@ public function delete($table = '', $where = '', $limit = NULL, $reset_data = TR { foreach ($table as $single_table) { - $this->delete($single_table, $where, $limit, FALSE); + $this->delete($single_table, $where, $limit, $reset_data); } - - $this->_reset_write(); return; } else @@ -2109,7 +2107,7 @@ protected function _compile_group_by() { $this->qb_groupby[$i] = ($this->qb_groupby[$i]['escape'] === FALSE) ? $this->qb_groupby[$i]['field'] - : $this->protect_identifiers($qb_groupby[$i]['field']); + : $this->protect_identifiers($this->qb_groupby[$i]['field']); } $sql .= implode(', ', $this->qb_groupby); From 0bcf590db467e4aeb755e79daaccd38c83fe2439 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 12 Oct 2012 13:03:29 +0300 Subject: [PATCH 0120/3829] Fix having(), group_by() --- system/database/DB_query_builder.php | 10 ++++------ 1 file changed, 4 insertions(+), 6 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index ab04e4db2a0..ac8ff48a389 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -920,7 +920,7 @@ public function group_by($by, $escape = NULL) * @param bool * @return object */ - public function having($key, $value = '', $escape = NULL) + public function having($key, $value = NULL, $escape = NULL) { return $this->_wh('qb_having', $key, $value, 'AND ', $escape); } @@ -937,7 +937,7 @@ public function having($key, $value = '', $escape = NULL) * @param bool * @return object */ - public function or_having($key, $value = '', $escape = NULL) + public function or_having($key, $value = NULL, $escape = NULL) { return $this->_wh('qb_having', $key, $value, 'OR ', $escape); } @@ -1812,7 +1812,7 @@ public function get_compiled_delete($table = '', $reset = TRUE) * @param mixed the where clause * @param mixed the limit clause * @param bool - * @return object + * @return mixed */ public function delete($table = '', $where = '', $limit = NULL, $reset_data = TRUE) { @@ -2101,8 +2101,6 @@ protected function _compile_group_by() { if (count($this->qb_groupby) > 0) { - $sql = "\nGROUP BY "; - for ($i = 0, $c = count($this->qb_groupby); $i < $c; $i++) { $this->qb_groupby[$i] = ($this->qb_groupby[$i]['escape'] === FALSE) @@ -2110,7 +2108,7 @@ protected function _compile_group_by() : $this->protect_identifiers($this->qb_groupby[$i]['field']); } - $sql .= implode(', ', $this->qb_groupby); + return "\nGROUP BY ".implode(', ', $this->qb_groupby); } return ''; From f2ec8b870e29e0bf346e7adf1968b0f7660669b6 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 12 Oct 2012 14:01:13 +0300 Subject: [PATCH 0121/3829] Fix where() with literal multiple conditions --- system/database/DB_query_builder.php | 43 +++++++++++++++++----------- 1 file changed, 27 insertions(+), 16 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index ac8ff48a389..49592840b73 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -2056,25 +2056,36 @@ protected function _compile_wh($qb_key) continue; } - $op = preg_quote($this->_get_operator($this->{$qb_key}[$i]['condition'])); - if ( ! preg_match('/^(\s*(?:AND|OR)\s+)?(\(?)(.*)('.$op.')(.*(?{$qb_key}[$i]['condition'], $matches)) + // Split multiple conditions + $conditions = preg_split( + '/(\s*AND\s+|\s*OR\s+)/i', + $this->{$qb_key}[$i]['condition'], + -1, + PREG_SPLIT_DELIM_CAPTURE | PREG_SPLIT_NO_EMPTY + ); + + for ($ci = 0, $cc = count($conditions); $ci < $cc; $ci++) { - $this->{$qb_key}[$i] = $this->{$qb_key}[$i]['condition']; - continue; + if (($op = $this->_get_operator($conditions[$ci])) === FALSE + OR ! preg_match('/^(\(?)(.*)('.preg_quote($op).')(.*(? '(test <= foo)', /* the whole thing */ + // 1 => '(', /* optional */ + // 2 => 'test', /* the field name */ + // 3 => ' <= ', /* $op */ + // 4 => 'foo', /* optional, if $op is e.g. 'IS NULL' */ + // 5 => ')' /* optional */ + // ); + empty($matches[4]) OR $matches[4] = ' '.$this->protect_identifiers(trim($matches[4])); + $conditions[$ci] = $matches[1].$this->protect_identifiers(trim($matches[2])) + .' '.trim($matches[3]).$matches[4].$matches[5]; } - // $matches = array( - // 0 => 'OR (test <= foo)', /* the whole thing */ - // 1 => 'OR ', /* optional */ - // 2 => '(', /* optional */ - // 3 => 'test', /* the field name */ - // 4 => ' <= ', /* $op */ - // 5 => 'foo', /* optional, if $op is e.g. 'IS NULL' */ - // 6 => ')' /* optional */ - // ); - empty($matches[5]) OR $matches[5] = ' '.$this->protect_identifiers(trim($matches[5])); - $this->{$qb_key}[$i] = $matches[1].$matches[2].$this->protect_identifiers(trim($matches[3])) - .' '.trim($matches[4]).$matches[5].$matches[6]; + $this->{$qb_key}[$i] = implode('', $conditions); } return ($qb_key === 'qb_having' ? "\nHAVING " : "\nWHERE ") From cc02db959db576f256eb62887d326493e44d45af Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 12 Oct 2012 14:30:10 +0300 Subject: [PATCH 0122/3829] Fix where_in() --- system/database/DB_query_builder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 49592840b73..54fb50f6a59 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -599,7 +599,7 @@ protected function _where_in($key = NULL, $values = NULL, $not = FALSE, $type = $where_in = array(); foreach ($values as $value) { - $wherein[] = $this->escape($value); + $where_in[] = $this->escape($value); } $prefix = (count($this->qb_where) === 0) ? $this->_group_get_type('') : $this->_group_get_type($type); From fc043b3d00a94c473a03cd6927e83e3518e391c0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 12 Oct 2012 14:46:14 +0300 Subject: [PATCH 0123/3829] Fix order_by() --- system/database/DB_query_builder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 54fb50f6a59..936d114bdf3 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -2148,7 +2148,7 @@ protected function _compile_order_by() { if ($this->qb_orderby[$i]['escape'] !== FALSE) { - $this->qb_orderby[$i]['field'] = $this->protect_identifiers($field); + $this->qb_orderby[$i]['field'] = $this->protect_identifiers($this->qb_orderby[$i]['field']); } $this->qb_orderby[$i] = $this->qb_orderby[$i]['field'].$this->qb_orderby[$i]['direction']; From a23e10fd2369cc85c4b942c5de6a8cf05a5b2b67 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 12 Oct 2012 14:54:25 +0300 Subject: [PATCH 0124/3829] Really fix order_by() --- system/database/DB_query_builder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 936d114bdf3..4f89d78d072 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -2154,7 +2154,7 @@ protected function _compile_order_by() $this->qb_orderby[$i] = $this->qb_orderby[$i]['field'].$this->qb_orderby[$i]['direction']; } - $sql .= implode(', ', $this->qb_orderby); + return "\nORDER BY ".implode(', ', $this->qb_orderby); } return ''; From 2f8bf9b4c5ee9bc183e17fd36b54be12a1bf75bb Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 12 Oct 2012 20:37:52 +0300 Subject: [PATCH 0125/3829] Set MySQL client compression to FALSE by default (problems reported with it), fix some typos, add encrypted database connections support and fix SQLSRV CharacterSet setting --- application/config/database.php | 10 +-- system/database/DB_driver.php | 2 +- .../database/drivers/mysql/mysql_driver.php | 26 +++---- .../database/drivers/mysqli/mysqli_driver.php | 49 ++++--------- .../pdo/subdrivers/pdo_mysql_driver.php | 7 ++ .../pdo/subdrivers/pdo_sqlsrv_driver.php | 4 +- .../database/drivers/sqlsrv/sqlsrv_driver.php | 9 +-- system/helpers/date_helper.php | 2 +- user_guide_src/source/changelog.rst | 71 ++++++++++--------- .../source/database/configuration.rst | 15 ++-- 10 files changed, 93 insertions(+), 102 deletions(-) diff --git a/application/config/database.php b/application/config/database.php index 4c5cad03faf..32340263ba6 100644 --- a/application/config/database.php +++ b/application/config/database.php @@ -43,7 +43,7 @@ | ['password'] The password used to connect to the database | ['database'] The name of the database you want to connect to | ['dbdriver'] The database driver. e.g.: mysqli. - Currently supported: +| Currently supported: | cubrid, ibase, mssql, mysql, mysqli, oci8, | odbc, pdo, postgre, sqlite, sqlite3, sqlsrv | ['dbprefix'] You can add an optional prefix, which will be added @@ -63,7 +63,8 @@ | Sites using Latin-1 or UTF-8 database character set and collation are unaffected. | ['swap_pre'] A default table prefix that should be swapped with the dbprefix | ['autoinit'] Whether or not to automatically initialize the database. -| ['compress'] Whether or not to use client compression (only MySQL and MySQLi) +| ['encrypt'] Whether or not to use an encrypted connection. +| ['compress'] Whether or not to use client compression (MySQL only) | ['stricton'] TRUE/FALSE - forces 'Strict Mode' connections | - good for ensuring strict SQL while developing | ['failover'] array - A array with 0 or more data for connections if the main should fail. @@ -72,7 +73,7 @@ | make active. By default there is only one group (the 'default' group). | | The $query_builder variables lets you determine whether or not to load -| the query builder class +| the query builder class. */ $active_group = 'default'; @@ -94,7 +95,8 @@ 'dbcollat' => 'utf8_general_ci', 'swap_pre' => '', 'autoinit' => TRUE, - 'compress' => TRUE, + 'encrypt' => FALSE, + 'compress' => FALSE, 'stricton' => FALSE, 'failover' => array() ); diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index ea2a53eb20e..fef388bbf6d 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -51,7 +51,7 @@ abstract class CI_DB_driver { public $char_set = 'utf8'; public $dbcollat = 'utf8_general_ci'; public $autoinit = TRUE; // Whether to automatically initialize the DB - public $compress = TRUE; + public $encrypt = FALSE; public $swap_pre = ''; public $port = ''; public $pconnect = FALSE; diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 7262591ee7e..336db971d99 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -41,6 +41,7 @@ class CI_DB_mysql_driver extends CI_DB { public $dbdriver = 'mysql'; + public $compress = FALSE; // The character used for escaping protected $_escape_char = '`'; @@ -75,18 +76,20 @@ public function __construct($params) /** * Non-persistent database connection * + * @param bool * @return resource */ - public function db_connect() + public function db_connect($persistent = FALSE) { - if ($this->compress === TRUE) - { - return @mysql_connect($this->hostname, $this->username, $this->password, TRUE, MYSQL_CLIENT_COMPRESS); - } - else + $connect_func = ($persistent === TRUE) ? 'mysql_pconnect' : 'mysql_connect'; + $client_flags = ($this->compress === FALSE) ? 0 : MYSQL_CLIENT_COMPRESS; + + if ($this->encrypt === TRUE) { - return @mysql_connect($this->hostname, $this->username, $this->password, TRUE); + $client_flags = $client_flags | MYSQL_CLIENT_SSL; } + + return @$connect_func($this->hostname, $this->username, $this->password, TRUE, $client_flags); } // -------------------------------------------------------------------- @@ -98,14 +101,7 @@ public function db_connect() */ public function db_pconnect() { - if ($this->compress === TRUE) - { - return @mysql_pconnect($this->hostname, $this->username, $this->password, MYSQL_CLIENT_COMPRESS); - } - else - { - return @mysql_pconnect($this->hostname, $this->username, $this->password); - } + return $this->db_connect(TRUE); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index b5a1e26edab..f77176c162f 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -41,6 +41,7 @@ class CI_DB_mysqli_driver extends CI_DB { public $dbdriver = 'mysqli'; + public $compress = FALSE; // The character used for escaping protected $_escape_char = '`'; @@ -57,24 +58,21 @@ class CI_DB_mysqli_driver extends CI_DB { /** * Non-persistent database connection * + * @param bool * @return object + * @todo SSL support */ - public function db_connect() + public function db_connect($persistent = FALSE) { - // Use MySQL client compression? - if ($this->compress === TRUE) - { - $port = empty($this->port) ? NULL : $this->port; - - $mysqli = new mysqli(); - @$mysqli->real_connect($this->hostname, $this->username, $this->password, $this->database, $port, NULL, MYSQLI_CLIENT_COMPRESS); - - return $mysqli; - } - - return empty($this->port) - ? @new mysqli($this->hostname, $this->username, $this->password, $this->database) - : @new mysqli($this->hostname, $this->username, $this->password, $this->database, $this->port); + // Persistent connection support was added in PHP 5.3.0 + $hostname = ($persistent === TRUE && is_php('5.3')) + ? 'p:'.$this->hostname : $this->hostname; + $port = empty($this->port) ? NULL : $this->port; + $client_flags = ($this->compress === TRUE) ? MYSQLI_CLIENT_COMPRESS : 0; + $mysqli = new mysqli(); + + return @$mysqli->real_connect($hostname, $this->username, $this->password, $this->database, $port, NULL, $client_flags) + ? $mysqli : FALSE; } // -------------------------------------------------------------------- @@ -86,26 +84,7 @@ public function db_connect() */ public function db_pconnect() { - // Persistent connection support was added in PHP 5.3.0 - if ( ! is_php('5.3')) - { - return $this->db_connect(); - } - - // Use MySQL client compression? - if ($this->compress === TRUE) - { - $port = empty($this->port) ? NULL : $this->port; - - $mysqli = mysqli_init(); - $mysqli->real_connect('p:'.$this->hostname, $this->username, $this->password, $this->database, $port, NULL, MYSQLI_CLIENT_COMPRESS); - - return $mysqli; - } - - return empty($this->port) - ? @new mysqli('p:'.$this->hostname, $this->username, $this->password, $this->database) - : @new mysqli('p:'.$this->hostname, $this->username, $this->password, $this->database, $this->port); + return $this->db_connect(TRUE); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index 42446889a09..a5431171249 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -41,6 +41,7 @@ class CI_DB_pdo_mysql_driver extends CI_DB_pdo_driver { public $subdriver = 'mysql'; + public $compress = FALSE; protected $_escape_char = '`'; @@ -79,6 +80,7 @@ public function __construct($params) * * @param bool * @return object + * @todo SSL support */ public function db_connect($persistent = FALSE) { @@ -93,6 +95,11 @@ public function db_connect($persistent = FALSE) .(empty($this->dbcollat) ? '' : ' COLLATE '.$this->dbcollat); } + if ($this->compress === TRUE) + { + $this->options[PDO::MYSQL_ATTR_COMPRESS] = TRUE; + } + return parent::db_connect($persistent); } diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php index fd1c4b21463..3154fddb90d 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php @@ -78,9 +78,9 @@ public function __construct($params) $this->dsn .= ';ConnectionPooling='.$this->ConnectionPooling; } - if (isset($this->Encrypt)) + if ($this->encrypt === TRUE) { - $this->dsn .= ';Encrypt='.$this->Encrypt; + $this->dsn .= ';Encrypt=1'; } if (isset($this->TraceOn)) diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index 3ffbd4c1819..be321ff112d 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -57,15 +57,16 @@ class CI_DB_sqlsrv_driver extends CI_DB { */ public function db_connect($pooling = FALSE) { - // Check for a UTF-8 charset being passed as CI's default 'utf8'. - $character_set = (0 === strcasecmp('utf8', $this->char_set)) ? 'UTF-8' : $this->char_set; + $charset = in_array(strtolower($this->char_set), array('utf-8', 'utf8'), TRUE) + ? 'UTF-8' : SQLSRV_ENC_CHAR; $connection = array( 'UID' => empty($this->username) ? '' : $this->username, 'PWD' => empty($this->password) ? '' : $this->password, 'Database' => $this->database, - 'ConnectionPooling' => $pooling ? 1 : 0, - 'CharacterSet' => $character_set, + 'ConnectionPooling' => ($pooling === TRUE) ? 1 : 0, + 'CharacterSet' => $charset, + 'Encrypt' => ($this->encrypt === TRUE) ? 1 : 0, 'ReturnDatesAsStrings' => 1 ); diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index 955d745421f..51b2b76db3e 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -669,7 +669,7 @@ function timezones($tz = '') * @param int unix_start UNIX timestamp of period start date * @param int unix_end|days UNIX timestamp of period end date * or interval in days. - * @param mixed is_unix Specifies wether the second parameter + * @param mixed is_unix Specifies whether the second parameter * is a UNIX timestamp or a day interval * - TRUE or 'unix' for a timestamp * - FALSE or 'days' for an interval diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 747791cd5fe..145853a5299 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -87,65 +87,66 @@ Release Date: Not Released - :doc:`Query Builder ` changes include: - Renamed the Active Record class to Query Builder to remove confusion with the Active Record design pattern. - - Added the ability to insert objects with insert_batch(). - - Added new methods that return the SQL string of queries without executing them: get_compiled_select(), get_compiled_insert(), get_compiled_update(), get_compiled_delete(). - - Added an optional parameter that allows to disable escaping (useful for custom fields) for methods join(), order_by(), where_in(), or_where_in(), where_not_in(), or_where_not_in(). - - Added support for join() with multiple conditions. - - Added support for USING in join(). - - Changed limit() to ignore NULL values instead of always casting to integer. - - Changed offset() to ignore empty values instead of always casting to integer. + - Added the ability to insert objects with ``insert_batch()``. + - Added new methods that return the SQL string of queries without executing them: ``get_compiled_select()``, ``get_compiled_insert()``, ``get_compiled_update()``, ``get_compiled_delete()``. + - Added an optional parameter that allows to disable escaping (useful for custom fields) for methods ``join()``, ``order_by()``, ``where_in()``, ``or_where_in()``, ``where_not_in()``, ``or_where_not_in()``. + - Added support for ``join()`` with multiple conditions. + - Added support for *USING* in ``join()``. + - Changed ``limit()`` to ignore NULL values instead of always casting to integer. + - Changed ``offset()`` to ignore empty values instead of always casting to integer. - Improved support for the MySQLi driver, including: - OOP style of the PHP extension is now used, instead of the procedural aliases. - Server version checking is now done via ``mysqli::$server_info`` instead of running an SQL query. - Added persistent connections support for PHP >= 5.3. - - Added support for backup() in :doc:`Database Utilities `. - - Added 'dsn' configuration setting for drivers that support DSN strings (PDO, PostgreSQL, Oracle, ODBC, CUBRID). + - Added support for ``backup()`` in :doc:`Database Utilities `. + - Added *dsn* configuration setting for drivers that support DSN strings (PDO, PostgreSQL, Oracle, ODBC, CUBRID). - Improved PDO database support. - - Added Interbase/Firebird database support via the 'ibase' driver. - - Added an optional database name parameter to db_select(). - - Replaced the _error_message() and _error_number() methods with error(), that returns an array containing the last database error code and message. - - Improved version() implementation so that drivers that have a native function to get the version number don't have to be defined in the core DB_driver class. + - Added Interbase/Firebird database support via the *ibase* driver. + - Added an optional database name parameter to ``db_select()``. + - Replaced the ``_error_message()`` and ``_error_number()`` methods with ``error()``, which returns an array containing the last database error code and message. + - Improved ``version()`` implementation so that drivers that have a native function to get the version number don't have to be defined in the core ``DB_driver`` class. - Improved support of the PostgreSQL driver, including: - ``pg_version()`` is now used to get the database version number, when possible. - Added ``db_set_charset()`` support. - Added support for ``optimize_table()`` in :doc:`Database Utilities ` (rebuilds table indexes). - Added boolean data type support in ``escape()``. - Added ``update_batch()`` support. - - Removed ``limit()`` and ``order_by()`` support for UPDATE and DELETE queries as PostgreSQL does not support those features. + - Removed ``limit()`` and ``order_by()`` support for *UPDATE* and *DELETE* queries as PostgreSQL does not support those features. - Added a work-around for dead persistent connections to be re-created after a database restart. - - Added a constructor to the DB_result class and moved all driver-specific properties and logic out of the base DB_driver class to allow better abstraction. - - Removed protect_identifiers() and renamed internal method _protect_identifiers() to it instead - it was just an alias. - - Renamed internal method _escape_identifiers() to escape_identifiers(). - - Updated escape_identifiers() to accept an array of fields as well as strings. + - Added a constructor to the ``DB_result`` class and moved all driver-specific properties and logic out of the base ``DB_driver`` class to allow better abstraction. + - Removed ``protect_identifiers()`` and renamed internal method ``_protect_identifiers()`` to it instead - it was just an alias. + - Renamed internal method ``_escape_identifiers()`` to ``escape_identifiers()``. + - Updated ``escape_identifiers()`` to accept an array of fields as well as strings. - MySQL and MySQLi drivers now require at least MySQL version 5.1. - - db_set_charset() now only requires one parameter (collation was only needed due to legacy support for MySQL versions prior to 5.1). + - ``db_set_charset()`` now only requires one parameter (collation was only needed due to legacy support for MySQL versions prior to 5.1). - Added support for SQLite3 database driver. - Improved support of the CUBRID driver, including: - Added DSN string support. - Added persistent connections support. - - Improved list_databases() in :doc:`Database Utility ` (until now only the currently used database was returned). + - Improved ``list_databases()`` in :doc:`Database Utility ` (until now only the currently used database was returned). - Improved support of the MSSQL and SQLSRV drivers, including: - Added random ordering support. - - Added support for optimize_table() in :doc:`Database Utility `. - - Added escaping with QUOTE_IDENTIFIER setting detection. + - Added support for ``optimize_table()`` in :doc:`Database Utility `. + - Added escaping with *QUOTE_IDENTIFIER* setting detection. - Added port handling support for UNIX-based systems (MSSQL driver). - - Added OFFSET support for SQL Server 2005 and above. + - Added *OFFSET* support for SQL Server 2005 and above. - Improved support of the Oracle (OCI8) driver, including: - Added DSN string support (Easy Connect and TNS). - - Added support for drop_table() in :doc:`Database Forge `. - - Added support for list_databases() in :doc:`Database Utilities `. + - Added support for ``drop_table()`` in :doc:`Database Forge `. + - Added support for ``list_databases()`` in :doc:`Database Utilities `. - Generally improved for speed and cleaned up all of its components. - - num_rows() is now only called explicitly by the developer and no longer re-executes statements. + - ``num_rows()`` is now only called explicitly by the developer and no longer re-executes statements. - Improved support of the SQLite driver, including: - - Added support for replace() in :doc:`Query Builder `. - - Added support for drop_table() in :doc:`Database Forge `. - - Added ODBC support for create_database(), drop_database() and drop_table() in :doc:`Database Forge `. - - Added PDO support for create_database(), drop_database and drop_table() in :doc:`Database Forge `. - - Added unbuffered_row() method for getting a row without prefetching whole result (consume less memory). + - Added support for ``replace()`` in :doc:`Query Builder `. + - Added support for ``drop_table()`` in :doc:`Database Forge `. + - Added ODBC support for ``create_database()``, ``drop_database()`` and ``drop_table()`` in :doc:`Database Forge `. + - Added PDO support for ``create_database()``, ``drop_database()`` and ``drop_table()`` in :doc:`Database Forge `. + - Added ``unbuffered_row()`` method for getting a row without prefetching whole result (consume less memory). - Added PDO support for ``list_fields()`` in :doc:`Database Results `. - - Added capability for packages to hold database.php config files + - Added capability for packages to hold *database.php* config files - Added subdrivers support (currently only used by PDO). - - Added client compression support for MySQL and MySQLi. + - Added MySQL client compression support. + - Added encrypted connections support (for *mysql*, *sqlsrv* and PDO with *sqlsrv*). - Removed :doc:`Loader Class ` from Database error tracing to better find the likely culprit. - Libraries @@ -337,8 +338,8 @@ Bug fixes for 3.0 - Fixed a bug (#520) - :doc:`Date Helper ` function nice_date() failed when the optional second parameter is not passed. - Fixed a bug (#167) - ``$config['permitted_uri_chars']`` didn't affect URL-encoded characters. - Fixed a bug (#318) - :doc:`Profiling ` setting *query_toggle_count* was not settable as described in the manual. -- Fixed a bug (#938) - :doc:`Config Library ` method site_url() added a question mark to the URL string when query strings are enabled even if it already existed. -- Fixed a bug (#999) - :doc:`Config Library ` method site_url() always appended ``$config['url_suffix']`` to the end of the URL string, regardless of wether a query string exists in it. +- Fixed a bug (#938) - :doc:`Config Library ` method ``site_url()`` added a question mark to the URL string when query strings are enabled even if it already existed. +- Fixed a bug (#999) - :doc:`Config Library ` method ``site_url()`` always appended ``$config['url_suffix']`` to the end of the URL string, regardless of whether a query string exists in it. - Fixed a bug where :doc:`URL Helper ` function anchor_popup() ignored the attributes argument if it is not an array. - Fixed a bug (#1328) - :doc:`Form Validation Library ` didn't properly check the type of the form fields before processing them. - Fixed a bug (#79) - :doc:`Form Validation Library ` didn't properly validate array fields that use associative keys or have custom indexes. diff --git a/user_guide_src/source/database/configuration.rst b/user_guide_src/source/database/configuration.rst index 636b5b5b2cb..66849632406 100644 --- a/user_guide_src/source/database/configuration.rst +++ b/user_guide_src/source/database/configuration.rst @@ -28,7 +28,8 @@ prototype:: 'dbcollat' => 'utf8_general_ci', 'swap_pre' => '', 'autoinit' => TRUE, - 'compress' => TRUE, + 'encrypt' => FALSE, + 'compress' => FALSE, 'stricton' => FALSE, 'failover' => array() ); @@ -70,7 +71,8 @@ These failovers can be specified by setting the failover for a connection like t 'dbcollat' => 'utf8_general_ci', 'swap_pre' => '', 'autoinit' => TRUE, - 'compress' => TRUE, + 'encrypt' => FALSE, + 'compress' => FALSE, 'stricton' => FALSE ), array( @@ -88,7 +90,8 @@ These failovers can be specified by setting the failover for a connection like t 'dbcollat' => 'utf8_general_ci', 'swap_pre' => '', 'autoinit' => TRUE, - 'compress' => TRUE, + 'encrypt' => FALSE, + 'compress' => FALSE, 'stricton' => FALSE ) ); @@ -118,7 +121,8 @@ example, to set up a "test" environment you would do this:: 'dbcollat' => 'utf8_general_ci', 'swap_pre' => '', 'autoinit' => TRUE, - 'compress' => TRUE, + 'compress' => FALSE, + 'encrypt' => FALSE, 'stricton' => FALSE, 'failover' => array() ); @@ -178,7 +182,8 @@ Explanation of Values: customizable by the end user. **autoinit** Whether or not to automatically connect to the database when the library loads. If set to false, the connection will take place prior to executing the first query. -**compress** Whether or not to use client compression for MySQL or MySQLi. +**encrypt** Whether or not to use an encrypted connection. +**compress** Whether or not to use client compression (MySQL only). **stricton** TRUE/FALSE (boolean) - Whether to force "Strict Mode" connections, good for ensuring strict SQL while developing an application. **port** The database port number. To use this value you have to add a line to the database config array. From 98ebf4351f8aad58504cd7318ddd94faf0dec482 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 12 Oct 2012 20:44:03 +0300 Subject: [PATCH 0126/3829] Fix mysql's db_connect() --- system/database/drivers/mysql/mysql_driver.php | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 336db971d99..99bf55942a2 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -81,7 +81,6 @@ public function __construct($params) */ public function db_connect($persistent = FALSE) { - $connect_func = ($persistent === TRUE) ? 'mysql_pconnect' : 'mysql_connect'; $client_flags = ($this->compress === FALSE) ? 0 : MYSQL_CLIENT_COMPRESS; if ($this->encrypt === TRUE) @@ -89,7 +88,9 @@ public function db_connect($persistent = FALSE) $client_flags = $client_flags | MYSQL_CLIENT_SSL; } - return @$connect_func($this->hostname, $this->username, $this->password, TRUE, $client_flags); + return ($persistent === TRUE) + ? @mysql_pconnect($this->hostname, $this->username, $this->password, $client_flags) + : @mysql_connect($this->hostname, $this->username, $this->password, TRUE, $client_flags); } // -------------------------------------------------------------------- From 7ecc5cda6647a4b316b44dc40d5925d9ef63c908 Mon Sep 17 00:00:00 2001 From: dchill42 Date: Fri, 12 Oct 2012 16:25:51 -0400 Subject: [PATCH 0127/3829] Integrated vfsStream better and made paths constants VFS-based Signed-off-by: dchill42 --- tests/Bootstrap.php | 14 +- tests/codeigniter/core/Lang_test.php | 2 + tests/codeigniter/core/Loader_test.php | 124 +++-------- .../codeigniter/helpers/date_helper_test.php | 2 + .../codeigniter/helpers/form_helper_test.php | 8 +- .../helpers/number_helper_test.php | 17 +- .../codeigniter/helpers/text_helper_test.php | 1 + tests/codeigniter/libraries/Encrypt_test.php | 7 +- tests/codeigniter/libraries/Parser_test.php | 8 +- tests/codeigniter/libraries/Session_test.php | 12 +- tests/codeigniter/libraries/Table_test.php | 8 +- .../codeigniter/libraries/Typography_test.php | 8 +- tests/codeigniter/libraries/Upload_test.php | 57 +++--- .../codeigniter/libraries/Useragent_test.php | 7 +- tests/mocks/autoloader.php | 12 +- tests/mocks/ci_testcase.php | 192 +++++++++++++++++- tests/mocks/ci_testconfig.php | 18 ++ tests/mocks/core/common.php | 26 ++- tests/mocks/core/loader.php | 30 --- 19 files changed, 330 insertions(+), 223 deletions(-) create mode 100644 tests/mocks/ci_testconfig.php diff --git a/tests/Bootstrap.php b/tests/Bootstrap.php index 1c666d503bf..ea8d8aea8dd 100644 --- a/tests/Bootstrap.php +++ b/tests/Bootstrap.php @@ -8,10 +8,7 @@ // Path constants defined('PROJECT_BASE') OR define('PROJECT_BASE', realpath($dir.'/../').'/'); -defined('BASEPATH') OR define('BASEPATH', PROJECT_BASE.'system/'); -defined('APPPATH') OR define('APPPATH', PROJECT_BASE.'application/'); -defined('VIEWPATH') OR define('VIEWPATH', PROJECT_BASE.''); -isset($_SERVER['REMOTE_ADDR']) OR $_SERVER['REMOTE_ADDR'] = '127.0.0.1'; +defined('SYSTEM_PATH') OR define('SYSTEM_PATH', PROJECT_BASE.'system/'); // Get vfsStream either via PEAR or composer foreach (explode(PATH_SEPARATOR, get_include_path()) as $path) @@ -31,8 +28,17 @@ class_alias('org\bovigo\vfs\vfsStreamDirectory', 'vfsStreamDirectory'); class_alias('org\bovigo\vfs\vfsStreamWrapper', 'vfsStreamWrapper'); } +// Define CI path constants to VFS (filesystem setup in CI_TestCase::setUp) +defined('BASEPATH') OR define('BASEPATH', vfsStream::url('https://github.com/system/')); +defined('APPPATH') OR define('APPPATH', vfsStream::url('https://github.com/application/')); +defined('VIEWPATH') OR define('VIEWPATH', APPPATH.'views/'); + +// Set localhost "remote" IP +isset($_SERVER['REMOTE_ADDR']) OR $_SERVER['REMOTE_ADDR'] = '127.0.0.1'; + // Prep our test environment include_once $dir.'/mocks/core/common.php'; +include_once SYSTEM_PATH.'core/common.php'; include_once $dir.'/mocks/autoloader.php'; spl_autoload_register('autoload'); diff --git a/tests/codeigniter/core/Lang_test.php b/tests/codeigniter/core/Lang_test.php index a410dabfa3a..3364362e003 100644 --- a/tests/codeigniter/core/Lang_test.php +++ b/tests/codeigniter/core/Lang_test.php @@ -17,6 +17,7 @@ public function set_up() public function test_load() { + $this->ci_vfs_clone('system/language/english/profiler_lang.php'); $this->assertTrue($this->lang->load('profiler', 'english')); $this->assertEquals('URI STRING', $this->lang->line('profiler_uri_string')); } @@ -25,6 +26,7 @@ public function test_load() public function test_load_with_unspecified_language() { + $this->ci_vfs_clone('system/language/english/profiler_lang.php'); $this->assertTrue($this->lang->load('profiler')); $this->assertEquals('URI STRING', $this->lang->line('profiler_uri_string')); } diff --git a/tests/codeigniter/core/Loader_test.php b/tests/codeigniter/core/Loader_test.php index db79e6a8b4b..69b2afb6339 100644 --- a/tests/codeigniter/core/Loader_test.php +++ b/tests/codeigniter/core/Loader_test.php @@ -9,11 +9,11 @@ public function set_up() // Instantiate a new loader $this->load = new Mock_Core_Loader(); - // mock up a ci instance - $this->ci_obj = new stdClass; + // Get CI instance + $this->ci_obj = $this->ci_instance(); - // Fix get_instance() - $this->ci_instance($this->ci_obj); + // Set subclass prefix + $this->ci_set_config('subclass_prefix', 'MY_'); } // -------------------------------------------------------------------- @@ -23,13 +23,10 @@ public function set_up() */ public function test_library() { - $this->_setup_config_mock(); - // Create libraries directory with test library $lib = 'unit_test_lib'; $class = 'CI_'.ucfirst($lib); - $content = '_create_content('libraries', $lib, $content, NULL, TRUE); + $this->ci_vfs_create($lib, 'ci_base_root, 'libraries'); // Test loading as an array. $this->assertNull($this->load->library(array($lib))); @@ -50,13 +47,11 @@ public function test_library() */ public function test_library_config() { - $this->_setup_config_mock(); - // Create libraries directory with test library $lib = 'unit_test_config_lib'; $class = 'CI_'.ucfirst($lib); - $content = 'config = $params; } } '; - $this->_create_content('libraries', $lib, $content, NULL, TRUE); + $content = 'config = $params; } }'; + $this->ci_vfs_create($lib, $content, $this->ci_base_root, 'libraries'); // Create config file $cfg = array( @@ -64,7 +59,7 @@ public function test_library_config() 'bar' => 'baz', 'baz' => false ); - $this->_create_content('config', $lib, 'ci_vfs_create($lib, 'ci_app_root, 'config'); // Test object name and config $obj = 'testy'; @@ -81,13 +76,10 @@ public function test_library_config() */ public function test_load_library_in_application_dir() { - $this->_setup_config_mock(); - // Create libraries directory in app path with test library $lib = 'super_test_library'; $class = ucfirst($lib); - $content = '_create_content('libraries', $lib, $content); + $this->ci_vfs_create($lib, 'ci_app_root, 'libraries'); // Load library $this->assertNull($this->load->library($lib)); @@ -104,14 +96,12 @@ public function test_load_library_in_application_dir() */ public function test_driver() { - $this->_setup_config_mock(); - // Create libraries directory with test driver $driver = 'unit_test_driver'; $dir = ucfirst($driver); $class = 'CI_'.$dir; $content = '_create_content('libraries', $driver, $content, $dir, TRUE); + $this->ci_vfs_create($driver, $content, $this->ci_base_root, 'libraries/'.$dir); // Test loading as an array. $this->assertNull($this->load->driver(array($driver))); @@ -158,7 +148,7 @@ public function test_models() $model = 'unit_test_model'; $class = ucfirst($model); $content = '_create_content('models', $model, $content); + $this->ci_vfs_create($model, $content, $this->ci_app_root, 'models'); // Load model $this->assertNull($this->load->model($model)); @@ -190,7 +180,7 @@ public function test_load_view() // Create views directory with test view $view = 'unit_test_view'; $content = 'This is my test page. '; - $this->_create_content('views', $view, $content); + $this->ci_vfs_create($view, $content, $this->ci_app_root, 'views'); // Use the optional return parameter in this test, so the view is not // run through the output class. @@ -224,10 +214,10 @@ public function test_file() $dir = 'views'; $file = 'ci_test_mock_file'; $content = 'Here is a test file, which we will load now.'; - $this->_create_content($dir, $file, $content); + $this->ci_vfs_create($file, $content, $this->ci_app_root, $dir); // Just like load->view(), take the output class out of the mix here. - $out = $this->load->file($this->load->app_path.$dir.'/'.$file.'.php', TRUE); + $out = $this->load->file(APPPATH.$dir.'/'.$file.'.php', TRUE); $this->assertEquals($content, $out); // Test non-existent file @@ -261,7 +251,7 @@ public function test_helper() $helper = 'test'; $func = '_my_helper_test_func'; $content = '_create_content('helpers', $helper.'_helper', $content); + $this->ci_vfs_create($helper.'_helper', $content, $this->ci_app_root, 'helpers'); // Load helper $this->assertEquals(NULL, $this->load->helper($helper)); @@ -294,7 +284,7 @@ public function test_loading_multiple_helpers() $funcs[] = $func; $files[$helper.'_helper'] = '_create_content('helpers', $files, NULL, NULL, TRUE); + $this->ci_vfs_create($files, NULL, $this->ci_base_root, 'helpers'); // Load helpers $this->assertEquals(NULL, $this->load->helpers($helpers)); @@ -321,14 +311,12 @@ public function test_loading_multiple_helpers() */ public function test_packages() { - $this->_setup_config_mock(); - // Create third-party directory in app path with model $dir = 'third-party'; $lib = 'unit_test_package'; $class = 'CI_'.ucfirst($lib); $content = '_create_content($dir, $lib, $content); + $this->ci_vfs_create($lib, $content, $this->ci_app_root, $dir); // Test failed load without path $this->setExpectedException( @@ -342,7 +330,7 @@ public function test_packages() $paths = $this->load->get_package_paths(TRUE); // Add path and verify - $path = $this->load->app_path.$dir; + $path = APPPATH.$dir; $this->assertNull($this->load->add_package_path($path)); $this->assertContains($path, $this->load->get_package_paths(TRUE)); @@ -362,7 +350,6 @@ public function test_packages() */ public function test_load_config() { - $this->_setup_config_mock(); $this->assertNull($this->load->config('config', FALSE)); } @@ -373,35 +360,29 @@ public function test_load_config() */ public function test_autoloader() { - $this->_setup_config_mock(); - // Create helper directory in app path with test helper $helper = 'autohelp'; $hlp_func = '_autohelp_test_func'; - $this->_create_content('helpers', $helper.'_helper', 'ci_vfs_create($helper.'_helper', $content, $this->ci_app_root, 'helpers'); // Create libraries directory in base path with test library $lib = 'autolib'; $lib_class = 'CI_'.ucfirst($lib); - $this->_create_content('libraries', $lib, 'ci_vfs_create($lib, 'ci_base_root, 'libraries'); - // Create libraries subdirectory with test driver - // Since libraries/ now exists, we have to look it up and - // add the subdir directly instead of using _create_content + // Create test driver $drv = 'autodrv'; $subdir = ucfirst($drv); $drv_class = 'CI_'.$subdir; - $tree = array( - $subdir => array($drv.'.php' => 'load->base_root->getChild('libraries')); + $this->ci_vfs_create($drv, 'ci_base_root, 'libraries/'.$subdir); // Create package directory in app path with model $dir = 'testdir'; - $path = $this->load->app_path.$dir.'/'; + $path = APPPATH.$dir.'/'; $model = 'automod'; $mod_class = ucfirst($model); - $this->_create_content($dir, $model, 'ci_vfs_create($model, 'ci_app_root, $dir.'/models'); // Create autoloader config $cfg = array( @@ -412,7 +393,7 @@ public function test_autoloader() 'model' => array($model), 'config' => array() ); - $this->_create_content('config', 'autoload', 'ci_vfs_create('autoload', 'ci_app_root, 'config'); // Run autoloader $this->load->autoload(); @@ -436,55 +417,4 @@ public function test_autoloader() $this->assertAttributeInstanceOf($mod_class, $model, $this->ci_obj); } - // -------------------------------------------------------------------- - - private function _setup_config_mock() - { - // Mock up a config object so config() has something to call - $config = $this->getMock('CI_Config', array('load'), array(), '', FALSE); - $config->expects($this->any()) - ->method('load') - ->will($this->returnValue(TRUE)); - - // Reinitialize config paths to use VFS - $config->_config_paths = array($this->load->app_path); - - // Add the mock to our stdClass - $this->ci_instance_var('config', $config); - } - - // -------------------------------------------------------------------- - - private function _create_content($dir, $file, $content, $sub = NULL, $base = FALSE) - { - // Create structure containing directory - $tree = array($dir => array()); - - // Check for subdirectory - if ($sub) { - // Add subdirectory to tree and get reference - $tree[$dir][$sub] = array(); - $leaf =& $tree[$dir][$sub]; - } - else { - // Get reference to main directory - $leaf =& $tree[$dir]; - } - - // Check for multiple files - if (is_array($file)) { - // Add multiple files to directory - foreach ($file as $name => $data) { - $leaf[$name.'.php'] = $data; - } - } - else { - // Add single file with content - $leaf[$file.'.php'] = $content; - } - - // Create structure under app or base path - vfsStream::create($tree, $base ? $this->load->base_root : $this->load->app_root); - } - -} +} \ No newline at end of file diff --git a/tests/codeigniter/helpers/date_helper_test.php b/tests/codeigniter/helpers/date_helper_test.php index 9feade71c0b..1458acd3edc 100644 --- a/tests/codeigniter/helpers/date_helper_test.php +++ b/tests/codeigniter/helpers/date_helper_test.php @@ -168,6 +168,8 @@ public function test_standard_date_w3c() public function test_timespan() { + $this->ci_vfs_clone('system/language/english/date_lang.php'); + $loader_cls = $this->ci_core_class('load'); $this->ci_instance_var('load', new $loader_cls); diff --git a/tests/codeigniter/helpers/form_helper_test.php b/tests/codeigniter/helpers/form_helper_test.php index 1a30ed993fa..48628d2e5ce 100644 --- a/tests/codeigniter/helpers/form_helper_test.php +++ b/tests/codeigniter/helpers/form_helper_test.php @@ -1,10 +1,12 @@ helper('form'); + } + public function test_form_hidden() { $expected = <<getMock($lang_cls, array('load')); $lang->expects($this->once()) ->method('load') ->with($this->equalTo('number')); // Assign the proper language array - - $lang->language = $this->_get_lang('number'); + $lang->language = $this->lang('number'); // We don't have a controller, so just create // a cheap class to act as our super object. // Make sure it has a lang attribute. - - $obj = new stdClass; - $obj->lang = $lang; - $this->ci_instance($obj); - } - - // Quick helper to actually grab the language - // file. Consider moving this to ci_testcase? - public function _get_lang($name) - { - require BASEPATH.'language/english/'.$name.'_lang.php'; - return $lang; + $this->ci_instance_var('lang', $lang); } public function test_byte_format() diff --git a/tests/codeigniter/helpers/text_helper_test.php b/tests/codeigniter/helpers/text_helper_test.php index f131469cbc7..d75d2620890 100644 --- a/tests/codeigniter/helpers/text_helper_test.php +++ b/tests/codeigniter/helpers/text_helper_test.php @@ -64,6 +64,7 @@ public function test_entities_to_ascii() public function test_convert_accented_characters() { + $this->ci_vfs_clone('application/config/foreign_chars.php'); $this->assertEquals('AAAeEEEIIOOEUUUeY', convert_accented_characters('ÀÂÄÈÊËÎÏÔŒÙÛÜŸ')); $this->assertEquals('a e i o u n ue', convert_accented_characters('á é í ó ú ñ ü')); } diff --git a/tests/codeigniter/libraries/Encrypt_test.php b/tests/codeigniter/libraries/Encrypt_test.php index 153a25e1d67..998d806b353 100644 --- a/tests/codeigniter/libraries/Encrypt_test.php +++ b/tests/codeigniter/libraries/Encrypt_test.php @@ -4,11 +4,8 @@ class Encrypt_test extends CI_TestCase { public function set_up() { - $obj = new stdClass; - $obj->encrypt = new Mock_Libraries_Encrypt(); - - $this->ci_instance($obj); - $this->encrypt = $obj->encrypt; + $this->encrypt = new Mock_Libraries_Encrypt(); + $this->ci_instance_var('encrypt', $this->encrypt); $this->ci_set_config('encryption_key', "Encryptin'glike@boss!"); $this->msg = 'My secret message'; diff --git a/tests/codeigniter/libraries/Parser_test.php b/tests/codeigniter/libraries/Parser_test.php index b68f44a3303..394c22692f5 100644 --- a/tests/codeigniter/libraries/Parser_test.php +++ b/tests/codeigniter/libraries/Parser_test.php @@ -4,12 +4,8 @@ class Parser_test extends CI_TestCase { public function set_up() { - $obj = new stdClass; - $obj->parser = new Mock_Libraries_Parser(); - - $this->ci_instance($obj); - - $this->parser = $obj->parser; + $this->parser = new Mock_Libraries_Parser(); + $this->ci_instance_var('parser', $this->parser); } // -------------------------------------------------------------------- diff --git a/tests/codeigniter/libraries/Session_test.php b/tests/codeigniter/libraries/Session_test.php index 60d3a5b30b0..14469f7fa66 100644 --- a/tests/codeigniter/libraries/Session_test.php +++ b/tests/codeigniter/libraries/Session_test.php @@ -29,13 +29,15 @@ public function set_up() $_COOKIE = array(); // Establish necessary support classes - $obj = new stdClass; $cfg = $this->ci_core_class('cfg'); - $obj->config = new $cfg(); $ldr = $this->ci_core_class('load'); - $obj->load = new $ldr(); - $obj->input = new Mock_Core_Input(NULL, NULL); - $this->ci_instance($obj); + $ci = $this->ci_instance(); + $ci->config = new $cfg(); + $ci->load = new $ldr(); + $ci->input = new Mock_Core_Input(NULL, NULL); + + // Make sure string helper is available + $this->ci_vfs_clone('system/helpers/string_helper.php'); // Attach session instance locally $config = array( diff --git a/tests/codeigniter/libraries/Table_test.php b/tests/codeigniter/libraries/Table_test.php index edfc83dd00d..ce04b6a6d24 100644 --- a/tests/codeigniter/libraries/Table_test.php +++ b/tests/codeigniter/libraries/Table_test.php @@ -4,12 +4,8 @@ class Table_test extends CI_TestCase { public function set_up() { - $obj = new stdClass; - $obj->table = new Mock_Libraries_Table(); - - $this->ci_instance($obj); - - $this->table = $obj->table; + $this->table = new Mock_Libraries_Table(); + $this->ci_instance_var('table', $this->table); } // Setter Methods diff --git a/tests/codeigniter/libraries/Typography_test.php b/tests/codeigniter/libraries/Typography_test.php index eb6dacb7352..5dba062438e 100644 --- a/tests/codeigniter/libraries/Typography_test.php +++ b/tests/codeigniter/libraries/Typography_test.php @@ -4,12 +4,8 @@ class Typography_test extends CI_TestCase { public function set_up() { - $obj = new stdClass; - $obj->type = new Mock_Libraries_Typography(); - - $this->ci_instance($obj); - - $this->type = $obj->type; + $this->type = new Mock_Libraries_Typography(); + $this->ci_instance('type', $this->type); } // -------------------------------------------------------------------- diff --git a/tests/codeigniter/libraries/Upload_test.php b/tests/codeigniter/libraries/Upload_test.php index d79a3ffc90d..82794277399 100644 --- a/tests/codeigniter/libraries/Upload_test.php +++ b/tests/codeigniter/libraries/Upload_test.php @@ -4,18 +4,11 @@ class Upload_test extends CI_TestCase { function set_up() { - $obj = new stdClass; - $obj->upload = new Mock_Libraries_Upload(); - $obj->security = new Mock_Core_Security(); - $obj->lang = new Mock_Core_Lang(); - - $this->ci_instance($obj); - $this->upload = $obj->upload; - - vfsStreamWrapper::register(); - vfsStreamWrapper::setRoot(new vfsStreamDirectory('testDir')); - - $this->_test_dir = vfsStreamWrapper::getRoot(); + $ci = $this->ci_instance(); + $ci->upload = new Mock_Libraries_Upload(); + $ci->security = new Mock_Core_Security(); + $ci->lang = new Mock_Core_Lang(); + $this->upload = $ci->upload; } function test_do_upload() @@ -64,11 +57,15 @@ function test_set_upload_path() function test_set_filename() { - $file1 = vfsStream::newFile('hello-world.txt')->withContent('Hello world.')->at($this->_test_dir); + $dir = 'uploads'; + $isnew = 'helloworld.txt'; + $exists = 'hello-world.txt'; + $this->ci_vfs_create($exists, 'Hello world.', $this->ci_app_root, $dir); + $path = $this->ci_vfs_path($dir.'/', APPPATH); $this->upload->file_ext = '.txt'; - $this->assertEquals('helloworld.txt', $this->upload->set_filename(vfsStream::url('https://github.com/testDir').'/', 'helloworld.txt')); - $this->assertEquals('hello-world1.txt', $this->upload->set_filename(vfsStream::url('https://github.com/testDir').'/', 'hello-world.txt')); + $this->assertEquals($isnew, $this->upload->set_filename($path, $isnew)); + $this->assertEquals('hello-world1.txt', $this->upload->set_filename($path, $exists)); } function test_set_max_filesize() @@ -107,7 +104,7 @@ function test_set_allowed_types() function test_set_image_properties() { $this->upload->file_type = 'image/gif'; - $this->upload->file_temp = 'tests/mocks/uploads/ci_logo.gif'; + $this->upload->file_temp = realpath(PROJECT_BASE.'tests/mocks/uploads/ci_logo.gif'); $props = array( 'image_width' => 170, @@ -156,7 +153,7 @@ function test_is_allowed_filetype() $this->assertTrue($this->upload->is_allowed_filetype(FALSE)); $this->assertTrue($this->upload->is_allowed_filetype(TRUE)); - $this->upload->file_temp = 'tests/mocks/uploads/ci_logo.gif'; + $this->upload->file_temp = realpath(PROJECT_BASE.'tests/mocks/uploads/ci_logo.gif'); $this->upload->file_ext = '.gif'; $this->upload->file_type = 'image/gif'; $this->assertTrue($this->upload->is_allowed_filetype()); @@ -179,7 +176,7 @@ function test_is_allowed_dimensions() $this->assertTrue($this->upload->is_allowed_dimensions()); $this->upload->file_type = 'image/gif'; - $this->upload->file_temp = 'tests/mocks/uploads/ci_logo.gif'; + $this->upload->file_temp = realpath(PROJECT_BASE.'tests/mocks/uploads/ci_logo.gif'); $this->upload->max_width = 10; $this->assertFalse($this->upload->is_allowed_dimensions()); @@ -197,7 +194,9 @@ function test_validate_upload_path() $this->upload->upload_path = ''; $this->assertFalse($this->upload->validate_upload_path()); - $this->upload->upload_path = vfsStream::url('https://github.com/testDir'); + $dir = 'uploads'; + $this->ci_vfs_mkdir($dir); + $this->upload->upload_path = $this->ci_vfs_path($dir); $this->assertTrue($this->upload->validate_upload_path()); } @@ -222,20 +221,24 @@ function test_limit_filename_length() function test_do_xss_clean() { - $file1 = vfsStream::newFile('file1.txt')->withContent('The billy goat was waiting for them.')->at($this->_test_dir); - $file2 = vfsStream::newFile('file2.txt')->at($this->_test_dir); - $file3 = vfsStream::newFile('file3.txt')->withContent('')->at($this->_test_dir); - - $this->upload->file_temp = vfsStream::url('https://github.com/file1.txt'); + $dir = 'uploads'; + $file1 = 'file1.txt'; + $file2 = 'file2.txt'; + $file3 = 'file3.txt'; + $this->ci_vfs_create($file1, 'The billy goat was waiting for them.', $this->ci_vfs_root, $dir); + $this->ci_vfs_create($file2, '', $this->ci_vfs_root, $dir); + $this->ci_vfs_create($file3, '', $this->ci_vfs_root, $dir); + + $this->upload->file_temp = $this->ci_vfs_path($file1, $dir); $this->assertTrue($this->upload->do_xss_clean()); - $this->upload->file_temp = vfsStream::url('https://github.com/file2.txt'); + $this->upload->file_temp = $this->ci_vfs_path($file2, $dir); $this->assertFalse($this->upload->do_xss_clean()); - $this->upload->file_temp = vfsStream::url('https://github.com/file3.txt'); + $this->upload->file_temp = $this->ci_vfs_path($file3, $dir); $this->assertFalse($this->upload->do_xss_clean()); - $this->upload->file_temp = 'tests/mocks/uploads/ci_logo.gif'; + $this->upload->file_temp = realpath(PROJECT_BASE.'tests/mocks/uploads/ci_logo.gif'); $this->assertTrue($this->upload->do_xss_clean()); } diff --git a/tests/codeigniter/libraries/Useragent_test.php b/tests/codeigniter/libraries/Useragent_test.php index 89383f80726..e3726554eff 100644 --- a/tests/codeigniter/libraries/Useragent_test.php +++ b/tests/codeigniter/libraries/Useragent_test.php @@ -10,12 +10,11 @@ public function set_up() // set a baseline user agent $_SERVER['HTTP_USER_AGENT'] = $this->_user_agent; - $obj = new stdClass; - $obj->agent = new Mock_Libraries_UserAgent(); + $this->ci_vfs_clone('application/config/user_agents.php'); - $this->ci_instance($obj); + $this->agent = new Mock_Libraries_UserAgent(); - $this->agent = $obj->agent; + $this->ci_instance_var('agent', $this->agent); } // -------------------------------------------------------------------- diff --git a/tests/mocks/autoloader.php b/tests/mocks/autoloader.php index 88d016bba39..431c310d4e0 100644 --- a/tests/mocks/autoloader.php +++ b/tests/mocks/autoloader.php @@ -48,32 +48,32 @@ function autoload($class) if (in_array($subclass, $ci_core)) { - $dir = BASEPATH.'core'.DIRECTORY_SEPARATOR; + $dir = SYSTEM_PATH.'core'.DIRECTORY_SEPARATOR; $class = $subclass; } elseif (in_array($subclass, $ci_libraries)) { - $dir = BASEPATH.'libraries'.DIRECTORY_SEPARATOR; + $dir = SYSTEM_PATH.'libraries'.DIRECTORY_SEPARATOR; $class = ($subclass === 'Driver_Library') ? 'Driver' : $subclass; } elseif (in_array($subclass, $ci_drivers)) { - $dir = BASEPATH.'libraries'.DIRECTORY_SEPARATOR.$subclass.DIRECTORY_SEPARATOR; + $dir = SYSTEM_PATH.'libraries'.DIRECTORY_SEPARATOR.$subclass.DIRECTORY_SEPARATOR; $class = $subclass; } elseif (in_array(($parent = strtok($subclass, '_')), $ci_drivers)) { - $dir = BASEPATH.'libraries'.DIRECTORY_SEPARATOR.$parent.DIRECTORY_SEPARATOR.'drivers'.DIRECTORY_SEPARATOR; + $dir = SYSTEM_PATH.'libraries'.DIRECTORY_SEPARATOR.$parent.DIRECTORY_SEPARATOR.'drivers'.DIRECTORY_SEPARATOR; $class = $subclass; } elseif (preg_match('/^CI_DB_(.+)_(driver|forge|result|utility)$/', $class, $m) && count($m) === 3) { - $driver_path = BASEPATH.'database'.DIRECTORY_SEPARATOR.'drivers'.DIRECTORY_SEPARATOR; + $driver_path = SYSTEM_PATH.'database'.DIRECTORY_SEPARATOR.'drivers'.DIRECTORY_SEPARATOR; $dir = $driver_path.$m[1].DIRECTORY_SEPARATOR; $file = $dir.$m[1].'_'.$m[2].'.php'; } elseif (strpos($class, 'CI_DB') === 0) { - $dir = BASEPATH.'database'.DIRECTORY_SEPARATOR; + $dir = SYSTEM_PATH.'database'.DIRECTORY_SEPARATOR; $file = $dir.str_replace(array('CI_DB','active_record'), array('DB', 'active_rec'), $subclass).'.php'; } else diff --git a/tests/mocks/ci_testcase.php b/tests/mocks/ci_testcase.php index eda9e1b603e..980e912c59b 100644 --- a/tests/mocks/ci_testcase.php +++ b/tests/mocks/ci_testcase.php @@ -2,7 +2,9 @@ class CI_TestCase extends PHPUnit_Framework_TestCase { - protected $ci_config; + public $ci_vfs_root; + public $ci_app_root; + public $ci_base_root; protected $ci_instance; protected static $ci_test_instance; @@ -25,13 +27,18 @@ class CI_TestCase extends PHPUnit_Framework_TestCase { public function __construct() { parent::__construct(); - $this->ci_config = array(); + $this->ci_instance = new StdClass(); } // -------------------------------------------------------------------- public function setUp() { + // Setup VFS with base directories + $this->ci_vfs_root = vfsStream::setup(); + $this->ci_app_root = vfsStream::newDirectory('application')->at($this->ci_vfs_root); + $this->ci_base_root = vfsStream::newDirectory('system')->at($this->ci_vfs_root); + if (method_exists($this, 'set_up')) { $this->set_up(); @@ -57,15 +64,27 @@ public static function instance() // -------------------------------------------------------------------- - public function ci_set_config($key, $val = '') + public function ci_set_config($key = '', $val = '') { + // Add test config + if ( ! isset($this->ci_instance->config)) + { + $this->ci_instance->config = new CI_TestConfig(); + } + + // Empty key means just do setup above + if ($key === '') + { + return; + } + if (is_array($key)) { - $this->ci_config = $key; + $this->ci_instance->config->config = $key; } else { - $this->ci_config[$key] = $val; + $this->ci_instance->config->config[$key] = $val; } } @@ -73,7 +92,7 @@ public function ci_set_config($key, $val = '') public function ci_get_config() { - return $this->ci_config; + return isset($this->ci_instance->config) ? $this->ci_instance->config->config : array(); } // -------------------------------------------------------------------- @@ -132,7 +151,7 @@ public function &ci_core_class($name) if ( ! class_exists('CI_'.$class_name)) { - require_once BASEPATH.'core/'.$class_name.'.php'; + require_once SYSTEM_PATH.'core/'.$class_name.'.php'; } $GLOBALS[strtoupper($global_name)] = 'CI_'.$class_name; @@ -148,6 +167,155 @@ public function ci_set_core_class($name, $obj) $orig = $obj; } + /** + * Create VFS directory + * + * @param string Directory name + * @param object Optional root to create in + * @return object New directory object + */ + public function ci_vfs_mkdir($name, $root = NULL) + { + // Check for root + if ( ! $root) + { + $root = $this->ci_vfs_root; + } + + // Return new directory object + return vfsStream::newDirectory($name)->at($root); + } + + // -------------------------------------------------------------------- + + /** + * Create VFS content + * + * @param string File name + * @param string File content + * @param object VFS directory object + * @param mixed Optional subdirectory path or array of subs + * @return void + */ + public function ci_vfs_create($file, $content = '', $root = NULL, $path = NULL) + { + // Check for array + if (is_array($file)) + { + foreach ($file as $name => $content) + { + $this->ci_vfs_create($name, $content, $root, $path); + } + return; + } + + // Assert .php extension if none given + if (pathinfo($file, PATHINFO_EXTENSION) == '') + { + $file .= '.php'; + } + + // Build content + $tree = array($file => $content); + + // Check for path + $subs = array(); + if ($path) + { + // Explode if not array + $subs = is_array($path) ? $path : explode('/', trim($path, '/')); + } + + // Check for root + if ( ! $root) + { + // Use base VFS root + $root = $this->ci_vfs_root; + } + + // Handle subdirectories + while (($dir = array_shift($subs))) + { + // See if subdir exists under current root + $dir_root = $root->getChild($dir); + if ($dir_root) + { + // Yes - recurse into subdir + $root = $dir_root; + } + else + { + // No - put subdirectory back and quit + array_unshift($subs, $dir); + break; + } + } + + // Create any remaining subdirectories + if ($subs) + { + foreach (array_reverse($subs) as $dir) + { + // Wrap content in subdirectory for creation + $tree = array($dir => $tree); + } + } + + // Create tree + vfsStream::create($tree, $root); + } + + // -------------------------------------------------------------------- + + /** + * Clone a real file into VFS + * + * @param string Path from base directory + * @return bool TRUE on success, otherwise FALSE + */ + public function ci_vfs_clone($path) + { + // Get real file contents + $content = file_get_contents(PROJECT_BASE.$path); + if ($content === FALSE) + { + // Couldn't find file to clone + return FALSE; + } + + $this->ci_vfs_create(basename($path), $content, NULL, dirname($path)); + return TRUE; + } + + // -------------------------------------------------------------------- + + /** + * Helper to get a VFS URL path + * + * @param string Path + * @param string Optional base path + * @return string Path URL + */ + public function ci_vfs_path($path, $base = '') + { + // Check for base path + if ($base) + { + // Prepend to path + $path = rtrim($base, '/').'/'.ltrim($path, '/'); + + // Is it already in URL form? + if (strpos($path, '://') !== FALSE) + { + // Done - return path + return $path; + } + } + + // Trim leading slash and return URL + return vfsStream::url(https://github.com/ltrim($path,%20'/')); + } + // -------------------------------------------------------------------- // Internals // -------------------------------------------------------------------- @@ -171,7 +339,15 @@ public function runBare() public function helper($name) { - require_once(BASEPATH.'helpers/'.$name.'_helper.php'); + require_once(SYSTEM_PATH.'helpers/'.$name.'_helper.php'); + } + + // -------------------------------------------------------------------- + + public function lang($name) + { + require(SYSTEM_PATH.'language/english/'.$name.'_lang.php'); + return $lang; } // -------------------------------------------------------------------- diff --git a/tests/mocks/ci_testconfig.php b/tests/mocks/ci_testconfig.php new file mode 100644 index 00000000000..eb318ddeb80 --- /dev/null +++ b/tests/mocks/ci_testconfig.php @@ -0,0 +1,18 @@ +config[$key]) ? $this->config[$key] : FALSE; + } + + public function load($arg1, $arg2, $arg3) + { + return TRUE; + } + +} diff --git a/tests/mocks/core/common.php b/tests/mocks/core/common.php index a655ee1dbef..b001074c85c 100644 --- a/tests/mocks/core/common.php +++ b/tests/mocks/core/common.php @@ -39,6 +39,30 @@ function config_item($item) } } +if ( ! function_exists('get_mimes')) +{ + /** + * Returns the MIME types array from config/mimes.php + * + * @return array + */ + function &get_mimes() + { + static $_mimes = array(); + + if (empty($_mimes)) + { + $path = realpath(PROJECT_BASE.'application/config/mimes.php'); + if (is_file($path)) + { + $_mimes = include($path); + } + } + + return $_mimes; + } +} + // -------------------------------------------------------------------- if ( ! function_exists('load_class')) @@ -166,4 +190,4 @@ function set_status_header($code = 200, $text = '') { return TRUE; } -} \ No newline at end of file +} diff --git a/tests/mocks/core/loader.php b/tests/mocks/core/loader.php index 9eb78253b4c..7ea4da369d5 100644 --- a/tests/mocks/core/loader.php +++ b/tests/mocks/core/loader.php @@ -2,36 +2,6 @@ class Mock_Core_Loader extends CI_Loader { - /** - * Since we use paths to load up models, views, etc, we need the ability to - * mock up the file system so when core tests are run, we aren't mucking - * in the application directory. This will give finer grained control over - * these tests. Also, by mocking the system directory, we eliminate dependency - * on any other classes so errors in libraries, helpers, etc. don't give false - * negatives for the actual loading process. So yeah, while this looks odd, - * I need to overwrite protected class vars in the loader. So here we go... - * - * @covers CI_Loader::__construct() - */ - public function __construct() - { - // Create VFS tree of loader locations - $this->root = vfsStream::setup(); - $this->app_root = vfsStream::newDirectory('application')->at($this->root); - $this->base_root = vfsStream::newDirectory('system')->at($this->root); - - // Get VFS app and base path URLs - $this->app_path = vfsStream::url('https://github.com/application').'/'; - $this->base_path = vfsStream::url('https://github.com/system').'/'; - - // Set loader paths with VFS URLs - $this->_ci_ob_level = ob_get_level(); - $this->_ci_library_paths = array($this->app_path, $this->base_path); - $this->_ci_helper_paths = array($this->app_path, $this->base_path); - $this->_ci_model_paths = array($this->app_path); - $this->_ci_view_paths = array($this->app_path.'views/' => TRUE); - } - /** * Give public access to _ci_autoloader for testing */ From 82d2cf17e77d0ca5ffdcaafb72ca2d3dc82dc142 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 13 Oct 2012 12:38:42 +0300 Subject: [PATCH 0128/3829] Fix CI_Input::ip_address() subnet detection --- system/core/Input.php | 48 +++++++++++++++++++++++++------------------ 1 file changed, 28 insertions(+), 20 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index 82482f2aa7d..ec935d5310a 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -390,31 +390,32 @@ public function ip_address() } // Convert the REMOTE_ADDR IP address to binary, if needed - if ( ! isset($ip, $convert_func)) + if ( ! isset($ip, $sprintf)) { if ($separator === ':') { // Make sure we're have the "full" IPv6 format - $ip = str_replace('::', str_repeat(':', 9 - substr_count($this->ip_address, ':')), $this->ip_address); - $convert_func = is_php('5.3') - ? function ($value) - { - return str_pad(base_convert($value, 16, 2), 16, '0', STR_PAD_LEFT); - } - : create_function('$value', 'return str_pad(base_convert($value, 16, 2), 16, "0", STR_PAD_LEFT);'); + $ip = explode(':', + str_replace('::', + str_repeat(':', 9 - substr_count($this->ip_address, ':')), + $this->ip_address + ) + ); + + for ($i = 0; $i < 8; $i++) + { + $ip[$i] = intval($ip[$i], 16); + } + + $sprintf = '%016b%016b%016b%016b%016b%016b%016b%016b'; } else { - $ip = $this->ip_address; - $convert_func = is_php('5.3') - ? function ($value) - { - return str_pad(decbin($value), 8, '0', STR_PAD_LEFT); - } - : create_function('$value', 'return str_pad(decbin($value), 8, "0", STR_PAD_LEFT);'); + $ip = explode('.', $this->ip_address); + $sprintf = '%08b%08b%08b%08b'; } - $ip = implode(array_map($convert_func, explode($separator, $ip))); + $ip = vsprintf($sprintf, $ip); } // Split the netmask length off the network address @@ -423,12 +424,19 @@ public function ip_address() // Again, an IPv6 address is most likely in a compressed form if ($separator === ':') { - $netaddr = str_replace('::', str_repeat(':', 9 - substr_count($netaddr, ':')), $netaddr); + $netaddr = explode(':', str_replace('::', str_repeat(':', 9 - substr_count($netaddr, ':')), $netaddr)); + for ($i = 0; $i < 8; $i++) + { + $netaddr[$i] = intval($netaddr[$i], 16); + } + } + else + { + $netaddr = explode('.', $netaddr); } - // Convert to a binary form and finally compare - $netaddr = implode(array_map($convert_func, explode($separator, $netaddr))); - if (strncmp($ip, $netaddr, $masklen) === 0) + // Convert to binary and finally compare + if (strncmp($ip, vsprintf($sprintf, $netaddr), $masklen) === 0) { $this->ip_address = $spoof; break; From 37c85d73c4428bd19fafbba33992649fc29946d5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 13 Oct 2012 17:08:45 +0300 Subject: [PATCH 0129/3829] Apparently not all PHP builds consider mysqli::__construct() with no parameters to be the same as mysqli_init() --- system/database/drivers/mysqli/mysqli_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index f77176c162f..dc72ecc5f0f 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -69,7 +69,7 @@ public function db_connect($persistent = FALSE) ? 'p:'.$this->hostname : $this->hostname; $port = empty($this->port) ? NULL : $this->port; $client_flags = ($this->compress === TRUE) ? MYSQLI_CLIENT_COMPRESS : 0; - $mysqli = new mysqli(); + $mysqli = mysqli_init(); return @$mysqli->real_connect($hostname, $this->username, $this->password, $this->database, $port, NULL, $client_flags) ? $mysqli : FALSE; From e9435dc7e5a4a9779eb83d8adf172fabf47ab5a6 Mon Sep 17 00:00:00 2001 From: dchill42 Date: Sun, 14 Oct 2012 15:44:39 -0400 Subject: [PATCH 0130/3829] Adapted DB for VFS changes and fixed Common case in Bootstrap.php Signed-off-by: dchill42 --- tests/Bootstrap.php | 2 +- tests/mocks/autoloader.php | 8 ++++++- tests/mocks/ci_testcase.php | 10 +++++++++ tests/mocks/database/db.php | 45 +++++++++++++++++++++++++++++++++++-- 4 files changed, 61 insertions(+), 4 deletions(-) diff --git a/tests/Bootstrap.php b/tests/Bootstrap.php index ea8d8aea8dd..8ce80b3fdfb 100644 --- a/tests/Bootstrap.php +++ b/tests/Bootstrap.php @@ -38,7 +38,7 @@ class_alias('org\bovigo\vfs\vfsStreamWrapper', 'vfsStreamWrapper'); // Prep our test environment include_once $dir.'/mocks/core/common.php'; -include_once SYSTEM_PATH.'core/common.php'; +include_once SYSTEM_PATH.'core/Common.php'; include_once $dir.'/mocks/autoloader.php'; spl_autoload_register('autoload'); diff --git a/tests/mocks/autoloader.php b/tests/mocks/autoloader.php index 431c310d4e0..5b202f15936 100644 --- a/tests/mocks/autoloader.php +++ b/tests/mocks/autoloader.php @@ -65,6 +65,12 @@ function autoload($class) $dir = SYSTEM_PATH.'libraries'.DIRECTORY_SEPARATOR.$parent.DIRECTORY_SEPARATOR.'drivers'.DIRECTORY_SEPARATOR; $class = $subclass; } + elseif (preg_match('/^CI_DB_(.+)_(.+)_(driver|forge|result|utility)$/', $class, $m) && count($m) === 4) + { + $driver_path = SYSTEM_PATH.'database'.DIRECTORY_SEPARATOR.'drivers'.DIRECTORY_SEPARATOR; + $dir = $driver_path.$m[1].DIRECTORY_SEPARATOR.'subdrivers'.DIRECTORY_SEPARATOR; + $file = $dir.$m[1].'_'.$m[2].'_'.$m[3].'.php'; + } elseif (preg_match('/^CI_DB_(.+)_(driver|forge|result|utility)$/', $class, $m) && count($m) === 3) { $driver_path = SYSTEM_PATH.'database'.DIRECTORY_SEPARATOR.'drivers'.DIRECTORY_SEPARATOR; @@ -104,4 +110,4 @@ function autoload($class) } include_once($file); -} +} \ No newline at end of file diff --git a/tests/mocks/ci_testcase.php b/tests/mocks/ci_testcase.php index 980e912c59b..e581d4b024b 100644 --- a/tests/mocks/ci_testcase.php +++ b/tests/mocks/ci_testcase.php @@ -275,6 +275,16 @@ public function ci_vfs_create($file, $content = '', $root = NULL, $path = NULL) */ public function ci_vfs_clone($path) { + // Check for array + if (is_array($path)) + { + foreach ($path as $file) + { + $this->ci_vfs_clone($file); + } + return; + } + // Get real file contents $content = file_get_contents(PROJECT_BASE.$path); if ($content === FALSE) diff --git a/tests/mocks/database/db.php b/tests/mocks/database/db.php index 75658530b7e..7e0030e15ff 100644 --- a/tests/mocks/database/db.php +++ b/tests/mocks/database/db.php @@ -7,6 +7,16 @@ class Mock_Database_DB { */ private $config = array(); + /** + * @var string DB driver name + */ + private static $dbdriver = ''; + + /** + * @var string DB sub-driver name + */ + private static $subdriver = ''; + /** * Prepare database configuration skeleton * @@ -31,6 +41,12 @@ public function set_dsn($group = 'default') throw new InvalidArgumentException('Group '.$group.' not exists'); } + self::$dbdriver = $this->config[$group]['dbdriver']; + if (isset($this->config[$group]['subdriver'])) + { + self::$subdriver = $this->config[$group]['subdriver']; + } + $params = array( 'dbprefix' => '', 'pconnect' => FALSE, @@ -50,7 +66,7 @@ public function set_dsn($group = 'default') $failover = empty($config['failover']) ? FALSE : $config['failover']; $dsn = $config['dbdriver'].'://'.$config['username'].':'.$config['password'] - .'@'.$config['hostname'].'/'.$config['database']; + .'@'.$config['hostname'].'/'.$config['database']; // Build the parameter $other_params = array_slice($config, 6); @@ -83,7 +99,32 @@ public static function config($driver) */ public static function DB($group, $query_builder = FALSE) { - include_once(BASEPATH.'database/DB.php'); + // Create dummy driver and builder files to "load" - the mocks have + // already triggered autoloading of the real files + $case = CI_TestCase::instance(); + $driver = self::$dbdriver; + $subdriver = self::$subdriver; + $case->ci_vfs_create(array( + 'DB_driver.php' => '', + 'DB_forge.php' => '', + 'DB_query_builder.php' => '' + ), '', $case->ci_base_root, 'database'); + if (file_exists(SYSTEM_PATH.'database/drivers/'.$driver.'/'.$driver.'_driver.php')) + { + $case->ci_vfs_create(array( + $driver.'_driver.php' => '', + $driver.'_forge.php' => '' + ), '', $case->ci_base_root, 'database/drivers/'.$driver); + } + if ($subdriver) + { + $case->ci_vfs_create(array( + $driver.'_'.$subdriver.'_driver.php' => '', + $driver.'_'.$subdriver.'_forge.php' => '' + ), '', $case->ci_base_root, 'database/drivers/'.$driver.'/subdrivers'); + } + + include_once(SYSTEM_PATH.'database/DB.php'); try { From 92e5511d9b7667314c2a292c889f283c2f70e22a Mon Sep 17 00:00:00 2001 From: dchill42 Date: Sun, 14 Oct 2012 18:16:16 -0400 Subject: [PATCH 0131/3829] Reverted autoloader change now that APPPATH is in VFS Signed-off-by: dchill42 --- system/core/Loader.php | 12 +++++------- 1 file changed, 5 insertions(+), 7 deletions(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index ed830e2ddc0..75e93608a42 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -1140,16 +1140,13 @@ protected function _ci_init_class($class, $prefix = '', $config = FALSE, $object */ protected function _ci_autoloader() { - // Get autoloader file from config path - $CI =& get_instance(); - $path = reset($CI->config->_config_paths).'config/'; - if (defined('ENVIRONMENT') && file_exists($path.ENVIRONMENT.'/autoload.php')) + if (defined('ENVIRONMENT') && file_exists(APPPATH.'config/'.ENVIRONMENT.'/autoload.php')) { - include($path.ENVIRONMENT.'/autoload.php'); + include(APPPATH.'config/'.ENVIRONMENT.'/autoload.php'); } else { - include($path.'autoload.php'); + include(APPPATH.'config/autoload.php'); } if ( ! isset($autoload)) @@ -1169,6 +1166,7 @@ protected function _ci_autoloader() // Load any custom config file if (count($autoload['config']) > 0) { + $CI =& get_instance(); foreach ($autoload['config'] as $key => $val) { $CI->config->load($val); @@ -1277,4 +1275,4 @@ protected function _ci_prep_filename($filename, $extension) } /* End of file Loader.php */ -/* Location: ./system/core/Loader.php */ +/* Location: ./system/core/Loader.php */ \ No newline at end of file From e3621cc79fa4b4658768fea0694cc0ae52835d85 Mon Sep 17 00:00:00 2001 From: dchill42 Date: Sun, 14 Oct 2012 18:23:52 -0400 Subject: [PATCH 0132/3829] Adapted Config load test to VFS APPPATH Signed-off-by: dchill42 --- tests/codeigniter/core/Config_test.php | 20 ++++++-------------- 1 file changed, 6 insertions(+), 14 deletions(-) diff --git a/tests/codeigniter/core/Config_test.php b/tests/codeigniter/core/Config_test.php index 7782a789878..80e0862ffa9 100644 --- a/tests/codeigniter/core/Config_test.php +++ b/tests/codeigniter/core/Config_test.php @@ -94,7 +94,7 @@ public function test_system_url() public function test_load() { - // Create VFS tree of application config files + // Create config files in VFS $file1 = 'test.php'; $file2 = 'secttest'; $key1 = 'testconfig'; @@ -107,18 +107,10 @@ public function test_load() 'two' => 2, 'three' => true ); - $tree = array( - 'application' => array( - 'config' => array( - $file1 => ' 'config->_config_paths = array(vfsStream::url('https://github.com/application').'/'); + $this->ci_vfs_create(array( + $file1 => ' 'ci_app_root, 'config'); // Test regular load $this->assertTrue($this->config->load($file1)); @@ -140,4 +132,4 @@ public function test_load() $this->assertNull($this->config->load($file3)); } -} +} \ No newline at end of file From 02117680c8a3a4c7da2b10e25fc6c29fd5fa9bd2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 15 Oct 2012 11:12:37 +0300 Subject: [PATCH 0133/3829] Partially fix #1702 --- system/libraries/Session/drivers/Session_cookie.php | 2 +- system/libraries/Session/drivers/Session_native.php | 2 +- user_guide_src/source/changelog.rst | 3 ++- 3 files changed, 4 insertions(+), 3 deletions(-) diff --git a/system/libraries/Session/drivers/Session_cookie.php b/system/libraries/Session/drivers/Session_cookie.php index fb62c7ec456..5bb1f7aa615 100755 --- a/system/libraries/Session/drivers/Session_cookie.php +++ b/system/libraries/Session/drivers/Session_cookie.php @@ -405,7 +405,7 @@ protected function _sess_read() } // Is the session current? - if (($session['last_activity'] + $this->sess_expiration) < $this->now) + if (($session['last_activity'] + $this->sess_expiration) < $this->now OR $session['last_activity'] > $this->now) { $this->sess_destroy(); return FALSE; diff --git a/system/libraries/Session/drivers/Session_native.php b/system/libraries/Session/drivers/Session_native.php index 8d5e5154665..6529d4c3692 100755 --- a/system/libraries/Session/drivers/Session_native.php +++ b/system/libraries/Session/drivers/Session_native.php @@ -107,7 +107,7 @@ protected function initialize() // Check session expiration, ip, and agent $now = time(); $destroy = FALSE; - if (isset($_SESSION['last_activity']) && ($_SESSION['last_activity'] + $expire) < $now) + if (isset($_SESSION['last_activity']) && (($_SESSION['last_activity'] + $expire) < $now OR $_SESSION['last_activity'] > $now)) { // Expired - destroy $destroy = TRUE; diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 145853a5299..cc7cbacf74a 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -360,7 +360,8 @@ Bug fixes for 3.0 - Fixed a bug (#1765) - :doc:`Database Library ` didn't properly detect connection errors for MySQLi. - Fixed a bug (#1257) - :doc:`Query Builder ` used to (unnecessarily) group FROM clause contents, which breaks certain queries and is invalid for some databases. - Fixed a bug (#1709) - :doc:`Email ` headers were broken when using long email subjects and \r\n as CRLF. -- Fixed a bug where MB_ENABLED was only declared if UTF8_ENABLED was set to TRUE. +- Fixed a bug where ``MB_ENABLED`` was only declared if ``UTF8_ENABLED`` was set to TRUE. +- Fixed a bug where the :doc:`Session Library ` accepted cookies with *last_activity* values being in the future. Version 2.1.3 ============= From c7719284833f211984474623832b96707173e02d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 15 Oct 2012 14:12:22 +0300 Subject: [PATCH 0134/3829] Remove CI_Email::_get_ip() --- system/libraries/Email.php | 41 ----------------------------- user_guide_src/source/changelog.rst | 1 + 2 files changed, 1 insertion(+), 41 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index fa1d5e9bf6f..08057f2f797 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1753,47 +1753,6 @@ protected function _get_hostname() // -------------------------------------------------------------------- - /** - * Get IP - * - * @return string - */ - protected function _get_ip() - { - if ($this->_IP !== FALSE) - { - return $this->_IP; - } - - $cip = ( ! empty($_SERVER['HTTP_CLIENT_IP'])) ? $_SERVER['HTTP_CLIENT_IP'] : FALSE; - $rip = ( ! empty($_SERVER['REMOTE_ADDR'])) ? $_SERVER['REMOTE_ADDR'] : FALSE; - if ($cip) $this->_IP = $cip; - elseif ($rip) $this->_IP = $rip; - else - { - $fip = ( ! empty($_SERVER['HTTP_X_FORWARDED_FOR'])) ? $_SERVER['HTTP_X_FORWARDED_FOR'] : FALSE; - if ($fip) - { - $this->_IP = $fip; - } - } - - if (strpos($this->_IP, ',') !== FALSE) - { - $x = explode(',', $this->_IP); - $this->_IP = end($x); - } - - if ( ! preg_match('/^[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}$/', $this->_IP)) - { - $this->_IP = '0.0.0.0'; - } - - return $this->_IP; - } - - // -------------------------------------------------------------------- - /** * Get Debug Message * diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index cc7cbacf74a..f31781d5c7c 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -203,6 +203,7 @@ Release Date: Not Released - Removed the second parameter (character limit) from internal method ``_prep_quoted_printable()`` as it is never used. - Internal method ``_prep_quoted_printable()`` will now utilize the native ``quoted_printable_encode()``, ``imap_8bit()`` functions (if available) when CRLF is set to "\r\n". - Default charset now relies on the global ``$config['charset']`` setting. + - Removed unused protected method ``_get_ip()`` (:doc:`Input Library `'s ``ip_address()`` should be used anyway). - :doc:`Pagination Library ` changes include: - Added support for the anchor "rel" attribute. - Added support for setting custom attributes. From 126c09bdf89b904615017127de8192f18d54b61b Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?J=C3=A1nos=20Rusiczki?= Date: Tue, 16 Oct 2012 01:50:31 +0300 Subject: [PATCH 0135/3829] Update user_guide_src/source/libraries/javascript.rst --- user_guide_src/source/libraries/javascript.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/javascript.rst b/user_guide_src/source/libraries/javascript.rst index d5e09c314cc..393d4e32178 100644 --- a/user_guide_src/source/libraries/javascript.rst +++ b/user_guide_src/source/libraries/javascript.rst @@ -192,7 +192,7 @@ and triggered by a click using the jQuery library's click() event. 'width' => '50%', 'marginLeft' => 125 ); - $this->jquery->click('#trigger', $this->jquery->animate('#note', $params, normal)); + $this->jquery->click('#trigger', $this->jquery->animate('#note', $params, 'normal')); fadeIn() / fadeOut() -------------------- From 2220fbe70503dd6d7ff9b2a57b84685955e815ab Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 16 Oct 2012 05:43:26 +0300 Subject: [PATCH 0136/3829] Fix user guide typos [ci skip] --- user_guide_src/source/changelog.rst | 4 ++-- user_guide_src/source/libraries/output.rst | 2 +- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index f31781d5c7c..811aa8fafd9 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -362,7 +362,7 @@ Bug fixes for 3.0 - Fixed a bug (#1257) - :doc:`Query Builder ` used to (unnecessarily) group FROM clause contents, which breaks certain queries and is invalid for some databases. - Fixed a bug (#1709) - :doc:`Email ` headers were broken when using long email subjects and \r\n as CRLF. - Fixed a bug where ``MB_ENABLED`` was only declared if ``UTF8_ENABLED`` was set to TRUE. -- Fixed a bug where the :doc:`Session Library ` accepted cookies with *last_activity* values being in the future. +- Fixed a bug where the :doc:`Session Library ` accepted cookies with *last_activity* values being in the future. Version 2.1.3 ============= @@ -376,7 +376,7 @@ Bug fixes for 2.1.3 ------------------- - Fixed a bug (#1543) - File-based :doc:`Caching ` method ``get_metadata()`` used a non-existent array key to look for the TTL value. -- Fixed a bug (#1314) - :doc:`Session Library ` method ``sess_destroy()`` didn't destroy the userdata array. +- Fixed a bug (#1314) - :doc:`Session Library ` method ``sess_destroy()`` didn't destroy the userdata array. - Fixed a bug (#804) - Profiler library was trying to handle objects as strings in some cases, resulting in *E_WARNING* messages being issued by ``htmlspecialchars()``. - Fixed a bug (#1699) - :doc:`Migration Library ` ignored the ``$config['migration_path']`` setting. - Fixed a bug (#227) - :doc:`Input Library ` allowed unconditional spoofing of HTTP clients' IP addresses through the *HTTP_CLIENT_IP* header. diff --git a/user_guide_src/source/libraries/output.rst b/user_guide_src/source/libraries/output.rst index 3289a241f7f..2b72ba777fa 100644 --- a/user_guide_src/source/libraries/output.rst +++ b/user_guide_src/source/libraries/output.rst @@ -105,7 +105,7 @@ Permits you to manually set a server status header. Example:: `See here `_ for a full list of headers. -.. note:: This method is an alias for :doc:`Common function <../general/common_funtions.rst>` +.. note:: This method is an alias for :doc:`Common function <../general/common_functions.rst>` ``set_status_header()``. $this->output->enable_profiler(); From 19cd88799f27bef8d502250c86eddcd72789bdb3 Mon Sep 17 00:00:00 2001 From: GDmac Date: Tue, 16 Oct 2012 14:19:57 +0200 Subject: [PATCH 0137/3829] Session Native, respect cookie settings Respect config settings for cookie_secure and cookie_httponly Signed-off-by: GDmac --- .../Session/drivers/Session_native.php | 24 ++++++++++++++++--- 1 file changed, 21 insertions(+), 3 deletions(-) diff --git a/system/libraries/Session/drivers/Session_native.php b/system/libraries/Session/drivers/Session_native.php index 6529d4c3692..d7b9e84103f 100755 --- a/system/libraries/Session/drivers/Session_native.php +++ b/system/libraries/Session/drivers/Session_native.php @@ -55,7 +55,9 @@ protected function initialize() 'sess_time_to_update', 'cookie_prefix', 'cookie_path', - 'cookie_domain' + 'cookie_domain', + 'cookie_secure', + 'cookie_httponly' ); foreach ($prefs as $key) @@ -82,6 +84,9 @@ protected function initialize() $expire = 7200; $path = '/'; $domain = ''; + $secure = FALSE; + $http_only = FALSE; + if ($config['sess_expiration'] !== FALSE) { // Default to 2 years if expiration is "0" @@ -99,7 +104,20 @@ protected function initialize() // Use specified domain $domain = $config['cookie_domain']; } - session_set_cookie_params($config['sess_expire_on_close'] ? 0 : $expire, $path, $domain); + + if ($config['cookie_secure']) + { + // Send over SSL / HTTPS only? + $secure = $config['cookie_secure']; + } + + if ($config['cookie_httponly']) + { + // only available to HTTP(S)? + $http_only = $config['http_only']; + } + + session_set_cookie_params($config['sess_expire_on_close'] ? 0 : $expire, $path, $domain, $secure, $http_only); // Start session session_start(); @@ -189,7 +207,7 @@ public function sess_destroy() { // Clear session cookie $params = session_get_cookie_params(); - setcookie($name, '', time() - 42000, $params['path'], $params['domain']); + setcookie($name, '', time() - 42000, $params['path'], $params['domain'], $params['secure'], $params['httponly']); unset($_COOKIE[$name]); } session_destroy(); From 28616da32bcf72f37c0e61e304a1799b90ceec3f Mon Sep 17 00:00:00 2001 From: GDmac Date: Tue, 16 Oct 2012 15:01:14 +0200 Subject: [PATCH 0138/3829] Native PHP Session, don't regenerate session_id during ajax Signed-off-by: GDmac --- system/libraries/Session/drivers/Session_native.php | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/system/libraries/Session/drivers/Session_native.php b/system/libraries/Session/drivers/Session_native.php index d7b9e84103f..fb3b638a042 100755 --- a/system/libraries/Session/drivers/Session_native.php +++ b/system/libraries/Session/drivers/Session_native.php @@ -155,8 +155,12 @@ protected function initialize() if ($config['sess_time_to_update'] && isset($_SESSION['last_activity']) && ($_SESSION['last_activity'] + $config['sess_time_to_update']) < $now) { - // Regenerate ID, but don't destroy session - $this->sess_regenerate(FALSE); + // Changing the session ID amidst a series of AJAX calls causes problems + if( ! $this->CI->input->is_ajax_request()) + { + // Regenerate ID, but don't destroy session + $this->sess_regenerate(FALSE); + } } // Set activity time From f69f0e8f02815d44e218b013c8da92cebabbdcb1 Mon Sep 17 00:00:00 2001 From: Pascal Kriete Date: Tue, 16 Oct 2012 11:54:49 -0400 Subject: [PATCH 0139/3829] Updating the cookie driver to use HMAC authentication on all cookie data. Signed-off-by: Pascal Kriete --- .../Session/drivers/Session_cookie.php | 45 +++++++++++-------- user_guide_src/source/changelog.rst | 2 + 2 files changed, 28 insertions(+), 19 deletions(-) diff --git a/system/libraries/Session/drivers/Session_cookie.php b/system/libraries/Session/drivers/Session_cookie.php index 5bb1f7aa615..b44c8330e87 100755 --- a/system/libraries/Session/drivers/Session_cookie.php +++ b/system/libraries/Session/drivers/Session_cookie.php @@ -372,27 +372,31 @@ protected function _sess_read() return FALSE; } + $len = strlen($session) - 40; + + if ($len < 0) + { + log_message('debug', 'The session cookie was not signed.'); + return FALSE; + } + + // Check cookie authentication + $hmac = substr($session, $len); + $session = substr($session, 0, $len); + + if ($hmac !== hash_hmac('sha1', $session, $this->encryption_key)) + { + log_message('error', 'The session cookie data did not match what was expected. This could be a possible hacking attempt.'); + $this->sess_destroy(); + return FALSE; + } + // Check for encryption if ($this->sess_encrypt_cookie === TRUE) { // Decrypt the cookie data $session = $this->CI->encrypt->decode($session); } - else - { - // Encryption was not used, so we need to check the md5 hash in the last 32 chars - $len = strlen($session)-32; - $hash = substr($session, $len); - $session = substr($session, 0, $len); - - // Does the md5 hash match? This is to prevent manipulation of session data in userspace - if ($hash !== md5($session.$this->encryption_key)) - { - log_message('error', 'The session cookie data did not match what was expected. This could be a possible hacking attempt.'); - $this->sess_destroy(); - return FALSE; - } - } // Unserialize the session array $session = $this->_unserialize($session); @@ -658,10 +662,13 @@ protected function _set_cookie() // Serialize the userdata for the cookie $cookie_data = $this->_serialize($cookie_data); - $cookie_data = ($this->sess_encrypt_cookie === TRUE) - ? $this->CI->encrypt->encode($cookie_data) - // if encryption is not used, we provide an md5 hash to prevent userside tampering - : $cookie_data.md5($cookie_data.$this->encryption_key); + if ($this->sess_encrypt_cookie === TRUE) + { + $this->CI->encrypt->encode($cookie_data); + } + + // Require message authentication + $cookie_data .= hash_hmac('sha1', $cookie_data, $this->encryption_key); $expire = ($this->sess_expire_on_close === TRUE) ? 0 : $this->sess_expiration + time(); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 811aa8fafd9..165ff8ca067 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -159,6 +159,8 @@ Release Date: Not Released - New tempdata feature allows setting user data items with an expiration time. - Added default $config['sess_driver'] and $config['sess_valid_drivers'] items to config.php file. - Cookie driver now respects php.ini's session.gc_probability and session.gc_divisor + - The Cookie driver now uses HMAC authentication instead of the simple md5 checksum. + - The Cookie driver now also checks authentication on encrypted session data. - Changed the Cookie driver to select only one row when using database sessions. - Cookie driver now only writes to database at end of request when using database. - Cookie driver now uses PHP functions for faster array manipulation when using database. From 60108a735fa7c9af4ab0b71e74b226d4b554e32f Mon Sep 17 00:00:00 2001 From: Alex Bilbie Date: Tue, 16 Oct 2012 17:35:54 +0100 Subject: [PATCH 0140/3829] Cookie helper testsuite --- .../helpers/cookie_helper_test.php | 59 +++++++++++++++++++ 1 file changed, 59 insertions(+) create mode 100644 tests/codeigniter/helpers/cookie_helper_test.php diff --git a/tests/codeigniter/helpers/cookie_helper_test.php b/tests/codeigniter/helpers/cookie_helper_test.php new file mode 100644 index 00000000000..3c7c9fd2e57 --- /dev/null +++ b/tests/codeigniter/helpers/cookie_helper_test.php @@ -0,0 +1,59 @@ +helper('cookie'); + } + + // ------------------------------------------------------------------------ + + function test_set_cookie() + { + /*$input_cls = $this->ci_core_class('input'); + $this->ci_instance_var('input', new $input_cls); + + $this->assertTrue(set_cookie( + 'my_cookie', + 'foobar' + ));*/ + + $this->markTestIncomplete('Need to find a way to overcome a headers already set exception'); + } + + // ------------------------------------------------------------------------ + + function test_get_cookie() + { + $_COOKIE['foo'] = 'bar'; + + $security = new Mock_Core_Security(); + $utf8 = new Mock_Core_Utf8(); + $input_cls = $this->ci_core_class('input'); + $this->ci_instance_var('input', new Mock_Core_Input($security, $utf8)); + + $this->assertEquals('bar', get_cookie('foo', FALSE)); + $this->assertEquals('bar', get_cookie('foo', TRUE)); + + $_COOKIE['bar'] = "Hello, i try to your site"; + + $this->assertEquals("Hello, i try to [removed]alert('Hack');[removed] your site", get_cookie('bar', TRUE)); + $this->assertEquals("Hello, i try to your site", get_cookie('bar', FALSE)); + } + + // ------------------------------------------------------------------------ + + function test_delete_cookie() + { + /*$input_cls = $this->ci_core_class('input'); + $this->ci_instance_var('input', new $input_cls); + + $this->assertTrue(delete_cookie( + 'my_cookie' + ));*/ + + $this->markTestIncomplete('Need to find a way to overcome a headers already set exception'); + } + +} \ No newline at end of file From a0f99d8930f175b7869ccaca834b3437b1a7b4ef Mon Sep 17 00:00:00 2001 From: Alex Bilbie Date: Tue, 16 Oct 2012 18:18:54 +0100 Subject: [PATCH 0141/3829] Added captcha helper test Note, test isn't implemented Signed-off-by: Alex Bilbie --- tests/codeigniter/helpers/captcha_helper_test.php | 10 ++++++++++ 1 file changed, 10 insertions(+) create mode 100644 tests/codeigniter/helpers/captcha_helper_test.php diff --git a/tests/codeigniter/helpers/captcha_helper_test.php b/tests/codeigniter/helpers/captcha_helper_test.php new file mode 100644 index 00000000000..4fbda2a88f0 --- /dev/null +++ b/tests/codeigniter/helpers/captcha_helper_test.php @@ -0,0 +1,10 @@ +markTestIncomplete(); + } + +} \ No newline at end of file From 1624b4297c89334362f6ade5f5b766c916ffcbb1 Mon Sep 17 00:00:00 2001 From: Alex Bilbie Date: Tue, 16 Oct 2012 18:19:06 +0100 Subject: [PATCH 0142/3829] Added download helper test Note, test isn't implemented Signed-off-by: Alex Bilbie --- tests/codeigniter/helpers/download_helper_test.php | 10 ++++++++++ 1 file changed, 10 insertions(+) create mode 100644 tests/codeigniter/helpers/download_helper_test.php diff --git a/tests/codeigniter/helpers/download_helper_test.php b/tests/codeigniter/helpers/download_helper_test.php new file mode 100644 index 00000000000..b41a8532aec --- /dev/null +++ b/tests/codeigniter/helpers/download_helper_test.php @@ -0,0 +1,10 @@ +markTestIncomplete(); + } + +} \ No newline at end of file From 526d88f7d1d91bd51b3aa27ee8e170b7fa39a639 Mon Sep 17 00:00:00 2001 From: Alex Bilbie Date: Tue, 16 Oct 2012 18:19:30 +0100 Subject: [PATCH 0143/3829] Added language helper unit test Signed-off-by: Alex Bilbie --- tests/codeigniter/helpers/language_helper_test.php | 14 ++++++++++++++ 1 file changed, 14 insertions(+) create mode 100644 tests/codeigniter/helpers/language_helper_test.php diff --git a/tests/codeigniter/helpers/language_helper_test.php b/tests/codeigniter/helpers/language_helper_test.php new file mode 100644 index 00000000000..06932b9fd3d --- /dev/null +++ b/tests/codeigniter/helpers/language_helper_test.php @@ -0,0 +1,14 @@ +helper('language'); + $this->ci_instance_var('lang', new Mock_Core_Lang()); + + $this->assertFalse(lang(1)); + $this->assertEquals('', lang(1, 'foo')); + } + +} \ No newline at end of file From 0f5b3060ff04b064b1a4bee9b114357ccd5a57de Mon Sep 17 00:00:00 2001 From: Alex Bilbie Date: Tue, 16 Oct 2012 18:19:40 +0100 Subject: [PATCH 0144/3829] Added security helper unit test Signed-off-by: Alex Bilbie --- .../helpers/security_helper_test.php | 64 +++++++++++++++++++ 1 file changed, 64 insertions(+) create mode 100644 tests/codeigniter/helpers/security_helper_test.php diff --git a/tests/codeigniter/helpers/security_helper_test.php b/tests/codeigniter/helpers/security_helper_test.php new file mode 100644 index 00000000000..effd3ec0289 --- /dev/null +++ b/tests/codeigniter/helpers/security_helper_test.php @@ -0,0 +1,64 @@ +helper('security'); + $obj = new stdClass; + $obj->security = new Mock_Core_Security(); + $this->ci_instance($obj); + } + + function test_xss_clean() + { + $this->assertEquals('foo', xss_clean('foo')); + + $this->assertEquals("Hello, i try to [removed]alert('Hack');[removed] your site", xss_clean("Hello, i try to your site")); + } + + function test_sanitize_filename() + { + $this->assertEquals('hello.doc', sanitize_filename('hello.doc')); + + $filename = './'; + $this->assertEquals('foo', sanitize_filename($filename)); + } + + function test_do_hash() + { + $md5 = md5('foo'); + $sha1 = sha1('foo'); + + $algos = hash_algos(); + $algo_results = array(); + foreach ($algos as $k => $v) + { + $algo_results[$v] = hash($v, 'foo'); + } + + $this->assertEquals($sha1, do_hash('foo')); + $this->assertEquals($sha1, do_hash('foo', 'sha1')); + $this->assertEquals($md5, do_hash('foo', 'md5')); + $this->assertEquals($md5, do_hash('foo', 'foobar')); + + // Test each algorithm available to PHP + foreach ($algo_results as $algo => $result) + { + $this->assertEquals($result, do_hash('foo', $algo)); + } + } + + function test_strip_image_tags() + { + $this->assertEquals('http://example.com/spacer.gif', strip_image_tags('http://example.com/spacer.gif')); + + $this->assertEquals('http://example.com/spacer.gif', strip_image_tags('Who needs CSS when you have a spacer.gif?')); + } + + function test_encode_php_tags() + { + $this->assertEquals('<? echo $foo; ?>', encode_php_tags('')); + } + +} \ No newline at end of file From ff5ffdf7fa3b458510a95788ac3baa6fba3178cc Mon Sep 17 00:00:00 2001 From: GDmac Date: Tue, 16 Oct 2012 19:22:12 +0200 Subject: [PATCH 0145/3829] session native, fix cookie settings Signed-off-by: GDmac --- .../libraries/Session/drivers/Session_native.php | 16 ++-------------- 1 file changed, 2 insertions(+), 14 deletions(-) diff --git a/system/libraries/Session/drivers/Session_native.php b/system/libraries/Session/drivers/Session_native.php index fb3b638a042..da744f39b64 100755 --- a/system/libraries/Session/drivers/Session_native.php +++ b/system/libraries/Session/drivers/Session_native.php @@ -84,8 +84,8 @@ protected function initialize() $expire = 7200; $path = '/'; $domain = ''; - $secure = FALSE; - $http_only = FALSE; + $secure = (bool) $config['cookie_secure']; + $http_only = (bool) $config['cookie_httponly']; if ($config['sess_expiration'] !== FALSE) { @@ -105,18 +105,6 @@ protected function initialize() $domain = $config['cookie_domain']; } - if ($config['cookie_secure']) - { - // Send over SSL / HTTPS only? - $secure = $config['cookie_secure']; - } - - if ($config['cookie_httponly']) - { - // only available to HTTP(S)? - $http_only = $config['http_only']; - } - session_set_cookie_params($config['sess_expire_on_close'] ? 0 : $expire, $path, $domain, $secure, $http_only); // Start session From 390f401102cef992a682b487c906961ae4bdcafa Mon Sep 17 00:00:00 2001 From: Alex Bilbie Date: Tue, 16 Oct 2012 18:36:48 +0100 Subject: [PATCH 0146/3829] Updated composer.json to use official PHPUnit package Signed-off-by: Alex Bilbie --- composer.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/composer.json b/composer.json index dc098acc365..7d60020c3ac 100644 --- a/composer.json +++ b/composer.json @@ -3,6 +3,6 @@ "mikey179/vfsStream": "*" }, "require-dev": { - "EHER/PHPUnit": "*" + "phpunit/phpunit": "*" } } \ No newline at end of file From 8a7078b65dc387c8d74f963b80a7559bd094458a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 17 Oct 2012 10:52:49 +0300 Subject: [PATCH 0147/3829] Fix issue #1897 --- system/libraries/Email.php | 16 ++++++---------- user_guide_src/source/changelog.rst | 1 + 2 files changed, 7 insertions(+), 10 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 08057f2f797..5b17edf9bc8 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -292,16 +292,7 @@ public function to($to) $this->set_header('To', implode(', ', $to)); } - switch ($this->_get_protocol()) - { - case 'smtp': - $this->_recipients = $to; - break; - case 'sendmail': - case 'mail': - $this->_recipients = implode(', ', $to); - break; - } + $this->_recipients = $to; return $this; } @@ -1408,6 +1399,11 @@ protected function _spool_email() */ protected function _send_with_mail() { + if (is_array($this->_recipients)) + { + $this->_recipients = implode(', ', $this->_recipients); + } + if ($this->_safe_mode === TRUE) { return mail($this->_recipients, $this->_subject, $this->_finalbody, $this->_header_str); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 811aa8fafd9..cbd7c83f548 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -363,6 +363,7 @@ Bug fixes for 3.0 - Fixed a bug (#1709) - :doc:`Email ` headers were broken when using long email subjects and \r\n as CRLF. - Fixed a bug where ``MB_ENABLED`` was only declared if ``UTF8_ENABLED`` was set to TRUE. - Fixed a bug where the :doc:`Session Library ` accepted cookies with *last_activity* values being in the future. +- Fixed a bug (#1897) - :doc:`Email Library ` triggered PHP E_WARNING errors when *mail* protocol used and ``to()`` is never called. Version 2.1.3 ============= From 28dc2023d32e1d997e2b90052f1960f98a255d2c Mon Sep 17 00:00:00 2001 From: Pascal Kriete Date: Wed, 17 Oct 2012 11:27:29 -0400 Subject: [PATCH 0148/3829] Changing session error logging verbiage to be a little less unsettling. Signed-off-by: Pascal Kriete --- system/libraries/Session/drivers/Session_cookie.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Session/drivers/Session_cookie.php b/system/libraries/Session/drivers/Session_cookie.php index b44c8330e87..51d94da4e8b 100755 --- a/system/libraries/Session/drivers/Session_cookie.php +++ b/system/libraries/Session/drivers/Session_cookie.php @@ -386,7 +386,7 @@ protected function _sess_read() if ($hmac !== hash_hmac('sha1', $session, $this->encryption_key)) { - log_message('error', 'The session cookie data did not match what was expected. This could be a possible hacking attempt.'); + log_message('error', 'The session cookie data did not match what was expected.'); $this->sess_destroy(); return FALSE; } From 00ea2a9a3a6451d106ed3f083716f59e84d5f656 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 18 Oct 2012 14:59:29 +0300 Subject: [PATCH 0149/3829] Remove {unwrap}{/unwrap} markers when quoted_printable_encode() or imap_8bit() is used --- system/libraries/Email.php | 18 +++++++++--------- user_guide_src/source/changelog.rst | 16 ++++++++-------- 2 files changed, 17 insertions(+), 17 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 5b17edf9bc8..bc9d62eb487 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -754,7 +754,7 @@ protected function _get_alt_message() { if ($this->alt_message !== '') { - return $this->word_wrap($this->alt_message, '76'); + return $this->word_wrap($this->alt_message, 76); } $body = preg_match('/\(.*)\<\/body\>/si', $this->_body, $match) ? $match[1] : $this->_body; @@ -777,12 +777,12 @@ protected function _get_alt_message() * @param int * @return string */ - public function word_wrap($str, $charlim = '') + public function word_wrap($str, $charlim = NULL) { - // Se the character limit - if ($charlim === '') + // Set the character limit, if not already present + if (empty($charlim)) { - $charlim = ($this->wrapchars === '') ? 76 : $this->wrapchars; + $charlim = empty($this->wrapchars) ? 76 : $this->wrapchars; } // Reduce multiple spaces @@ -1096,6 +1096,10 @@ protected function _build_message() */ protected function _prep_quoted_printable($str) { + // We are intentionally wrapping so mail servers will encode characters + // properly and MUAs will behave, so {unwrap} must go! + $str = str_replace(array('{unwrap}', '{/unwrap}'), '', $str); + // RFC 2045 specifies CRLF as "\r\n". // However, many developers choose to override that and violate // the RFC rules due to (apparently) a bug in MS Exchange, @@ -1121,10 +1125,6 @@ protected function _prep_quoted_printable($str) $str = str_replace(array("\r\n", "\r"), "\n", $str); } - // We are intentionally wrapping so mail servers will encode characters - // properly and MUAs will behave, so {unwrap} must go! - $str = str_replace(array('{unwrap}', '{/unwrap}'), '', $str); - $escape = '='; $output = ''; diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index de6ceabbe3d..5225edd011e 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -153,14 +153,14 @@ Release Date: Not Released - :doc:`Session Library ` changes include: - Library changed to :doc:`Driver ` with classic Cookie driver as default. - - Added Native PHP Session driver to work with $_SESSION. - - Custom session drivers can be added anywhere in package paths and loaded with Session library. - - Session drivers interchangeable on the fly. - - New tempdata feature allows setting user data items with an expiration time. - - Added default $config['sess_driver'] and $config['sess_valid_drivers'] items to config.php file. - - Cookie driver now respects php.ini's session.gc_probability and session.gc_divisor - - The Cookie driver now uses HMAC authentication instead of the simple md5 checksum. - - The Cookie driver now also checks authentication on encrypted session data. + - Added Native PHP Session driver to work with ``$_SESSION``. + - Custom drivers can be added anywhere in package paths and be loaded with the library. + - Drivers interchangeable on the fly. + - New **tempdata** feature allows setting user data items with an expiration time. + - Added default ``$config['sess_driver']`` and ``$config['sess_valid_drivers']`` items to *config.php* file. + - Cookie driver now respects php.ini's *session.gc_probability* and *session.gc_divisor* settings. + - Cookie driver now uses HMAC authentication instead of the simple md5 checksum. + - The Cookie driver now also checks authentication on encrypted session data. - Changed the Cookie driver to select only one row when using database sessions. - Cookie driver now only writes to database at end of request when using database. - Cookie driver now uses PHP functions for faster array manipulation when using database. From cf264e0d165647f30efdef1b2d944849bebf4c72 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 18 Oct 2012 16:14:51 +0300 Subject: [PATCH 0150/3829] Fix Session cookies not being encrypted on creation and sess_destroy() not actually deleting cookies --- system/libraries/Session/drivers/Session_cookie.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Session/drivers/Session_cookie.php b/system/libraries/Session/drivers/Session_cookie.php index 51d94da4e8b..8617aec2dbf 100755 --- a/system/libraries/Session/drivers/Session_cookie.php +++ b/system/libraries/Session/drivers/Session_cookie.php @@ -308,7 +308,7 @@ public function sess_destroy() } // Kill the cookie - $this->_setcookie($this->sess_cookie_name, addslashes(serialize(array())), ($this->now - 31500000), + $this->_setcookie($this->sess_cookie_name, '', ($this->now - 31500000), $this->cookie_path, $this->cookie_domain, 0); // Kill session data @@ -664,7 +664,7 @@ protected function _set_cookie() if ($this->sess_encrypt_cookie === TRUE) { - $this->CI->encrypt->encode($cookie_data); + $cookie_data = $this->CI->encrypt->encode($cookie_data); } // Require message authentication From 4b3cf8d825e13d4f24654fc6b26f2ca15d73c4f8 Mon Sep 17 00:00:00 2001 From: Alex Bilbie Date: Thu, 18 Oct 2012 16:44:54 +0100 Subject: [PATCH 0151/3829] Marked tests that can't easily be tests as skipped Signed-off-by: Alex Bilbie --- tests/codeigniter/helpers/captcha_helper_test.php | 2 +- tests/codeigniter/helpers/cookie_helper_test.php | 4 ++-- tests/codeigniter/helpers/download_helper_test.php | 2 +- tests/codeigniter/libraries/Upload_test.php | 10 +++++----- 4 files changed, 9 insertions(+), 9 deletions(-) diff --git a/tests/codeigniter/helpers/captcha_helper_test.php b/tests/codeigniter/helpers/captcha_helper_test.php index 4fbda2a88f0..fc86305e303 100644 --- a/tests/codeigniter/helpers/captcha_helper_test.php +++ b/tests/codeigniter/helpers/captcha_helper_test.php @@ -4,7 +4,7 @@ class Captcha_helper_test extends CI_TestCase { public function test_create_captcha() { - $this->markTestIncomplete(); + $this->markTestSkipped('Cant easily test'); } } \ No newline at end of file diff --git a/tests/codeigniter/helpers/cookie_helper_test.php b/tests/codeigniter/helpers/cookie_helper_test.php index 3c7c9fd2e57..fba68f20fae 100644 --- a/tests/codeigniter/helpers/cookie_helper_test.php +++ b/tests/codeigniter/helpers/cookie_helper_test.php @@ -19,7 +19,7 @@ function test_set_cookie() 'foobar' ));*/ - $this->markTestIncomplete('Need to find a way to overcome a headers already set exception'); + $this->markTestSkipped('Need to find a way to overcome a headers already set exception'); } // ------------------------------------------------------------------------ @@ -53,7 +53,7 @@ function test_delete_cookie() 'my_cookie' ));*/ - $this->markTestIncomplete('Need to find a way to overcome a headers already set exception'); + $this->markTestSkipped('Need to find a way to overcome a headers already set exception'); } } \ No newline at end of file diff --git a/tests/codeigniter/helpers/download_helper_test.php b/tests/codeigniter/helpers/download_helper_test.php index b41a8532aec..d2b42e46bb9 100644 --- a/tests/codeigniter/helpers/download_helper_test.php +++ b/tests/codeigniter/helpers/download_helper_test.php @@ -4,7 +4,7 @@ class Download_helper_test extends CI_TestCase { public function test_force_download() { - $this->markTestIncomplete(); + $this->markTestSkipped('Cant easily test'); } } \ No newline at end of file diff --git a/tests/codeigniter/libraries/Upload_test.php b/tests/codeigniter/libraries/Upload_test.php index d79a3ffc90d..b4ef7bbd1b0 100644 --- a/tests/codeigniter/libraries/Upload_test.php +++ b/tests/codeigniter/libraries/Upload_test.php @@ -18,9 +18,9 @@ function set_up() $this->_test_dir = vfsStreamWrapper::getRoot(); } - function test_do_upload() + function test_do_upload() { - $this->markTestIncomplete('We can\'t really test this at the moment because of the call to `is_uploaded_file` in do_upload which isn\'t supported by vfsStream'); + $this->markTestSkipped('We can\'t really test this at the moment because of the call to `is_uploaded_file` in do_upload which isn\'t supported by vfsStream'); } function test_data() @@ -75,7 +75,7 @@ function test_set_max_filesize() { $this->upload->set_max_filesize(100); $this->assertEquals(100, $this->upload->max_size); - } + } function test_set_max_filename() { @@ -87,7 +87,7 @@ function test_set_max_width() { $this->upload->set_max_width(100); $this->assertEquals(100, $this->upload->max_width); - } + } function test_set_max_height() { @@ -181,7 +181,7 @@ function test_is_allowed_dimensions() $this->upload->file_type = 'image/gif'; $this->upload->file_temp = 'tests/mocks/uploads/ci_logo.gif'; - $this->upload->max_width = 10; + $this->upload->max_width = 10; $this->assertFalse($this->upload->is_allowed_dimensions()); $this->upload->max_width = 170; From 187632748fd2694dd735b48eee157744dd83f3b4 Mon Sep 17 00:00:00 2001 From: Alex Bilbie Date: Thu, 18 Oct 2012 16:45:20 +0100 Subject: [PATCH 0152/3829] Exclude libs installed via Composer from code coverage tests Signed-off-by: Alex Bilbie --- tests/phpunit.xml | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/tests/phpunit.xml b/tests/phpunit.xml index 56cb8841ca1..96c3af9bbff 100644 --- a/tests/phpunit.xml +++ b/tests/phpunit.xml @@ -1,6 +1,6 @@ -./codeigniter/libraries - + PEAR_INSTALL_DIR PHP_LIBDIR + ../vendor - + \ No newline at end of file From 929e1241879c94bff85203d2e00623284d72dc87 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 19 Oct 2012 10:09:28 +0300 Subject: [PATCH 0153/3829] Manually apply an improved version of PR #1797 (auto_link() URL helper) --- system/helpers/url_helper.php | 21 +++++++++++-------- tests/codeigniter/helpers/url_helper_test.php | 2 ++ user_guide_src/source/changelog.rst | 4 ++-- 3 files changed, 16 insertions(+), 11 deletions(-) diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php index b1f5eccf167..de5bdec3187 100644 --- a/system/helpers/url_helper.php +++ b/system/helpers/url_helper.php @@ -388,40 +388,43 @@ function auto_link($str, $type = 'both', $popup = FALSE) for ($i = 0, $c = count($matches[0]); $i < $c; $i++) { - if (preg_match('|\.$|', $matches[6][$i])) + if (preg_match('/(\.|\,)$/i', $matches[6][$i], $m)) { - $period = '.'; + $punct = $m[1]; $matches[6][$i] = substr($matches[6][$i], 0, -1); } else { - $period = ''; + $punct = ''; } $str = str_replace($matches[0][$i], $matches[1][$i].'http' .$matches[4][$i].'://'.$matches[5][$i] - .$matches[6][$i].''.$period, + .$matches[6][$i].''.$punct, $str); } } - if ($type !== 'url' && preg_match_all('/([a-zA-Z0-9_\.\-\+]+)@([a-zA-Z0-9\-]+)\.([a-zA-Z0-9\-\.]*)/i', $str, $matches)) + if ($type !== 'url' && preg_match_all('/([a-zA-Z0-9_\.\-\+]+)@([a-zA-Z0-9\-]+)\.([a-zA-Z0-9\-\.]+)/i', $str, $matches)) { for ($i = 0, $c = count($matches); $i < $c; $i++) { - if (preg_match('|\.$|', $matches[3][$i])) + if (preg_match('/(\.|\,)$/i', $matches[3][$i], $m)) { - $period = '.'; + $punct = $m[1]; $matches[3][$i] = substr($matches[3][$i], 0, -1); } else { - $period = ''; + $punct = ''; } - $str = str_replace($matches[0][$i], safe_mailto($matches[1][$i].'@'.$matches[2][$i].'.'.$matches[3][$i]).$period, $str); + if (filter_var(($m = $matches[1][$i].'@'.$matches[2][$i].'.'.$matches[3][$i]), FILTER_VALIDATE_EMAIL) !== FALSE) + { + $str = str_replace($matches[0][$i], safe_mailto($m).$punct, $str); + } } } diff --git a/tests/codeigniter/helpers/url_helper_test.php b/tests/codeigniter/helpers/url_helper_test.php index c81c5f1b8a9..5fc3642383e 100644 --- a/tests/codeigniter/helpers/url_helper_test.php +++ b/tests/codeigniter/helpers/url_helper_test.php @@ -51,6 +51,8 @@ public function test_auto_link_url() 'www.codeigniter.com test' => 'http://www.codeigniter.com test', 'This is my noreply@codeigniter.com test' => 'This is my noreply@codeigniter.com test', '
www.google.com' => '
http://www.google.com', + 'Download CodeIgniter at www.codeigniter.com. Period test.' => 'Download CodeIgniter at http://www.codeigniter.com. Period test.', + 'Download CodeIgniter at www.codeigniter.com, comma test' => 'Download CodeIgniter at http://www.codeigniter.com, comma test' ); foreach ($strings as $in => $out) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 5225edd011e..04854dbad6b 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -65,7 +65,7 @@ Release Date: Not Released - ``create_captcha()`` accepts additional colors parameter, allowing for color customization. - :doc:`URL Helper ` changes include: - ``url_title()`` will now trim extra dashes from beginning and end. - - ``anchor_popup()`` will now fill the "href" attribute with the URL and its JS code will return false instead. + - ``anchor_popup()`` will now fill the *href* attribute with the URL and its JS code will return FALSE instead. - Added JS window name support to ``anchor_popup()`` function. - Added support (auto-detection) for HTTP/1.1 response code 303 in ``redirect()``. - "auto" method in ``redirect()`` now chooses the "refresh" method only on IIS servers, instead of all servers on Windows. @@ -343,7 +343,7 @@ Bug fixes for 3.0 - Fixed a bug (#318) - :doc:`Profiling ` setting *query_toggle_count* was not settable as described in the manual. - Fixed a bug (#938) - :doc:`Config Library ` method ``site_url()`` added a question mark to the URL string when query strings are enabled even if it already existed. - Fixed a bug (#999) - :doc:`Config Library ` method ``site_url()`` always appended ``$config['url_suffix']`` to the end of the URL string, regardless of whether a query string exists in it. -- Fixed a bug where :doc:`URL Helper ` function anchor_popup() ignored the attributes argument if it is not an array. +- Fixed a bug where :doc:`URL Helper ` function ``anchor_popup()`` ignored the attributes argument if it is not an array. - Fixed a bug (#1328) - :doc:`Form Validation Library ` didn't properly check the type of the form fields before processing them. - Fixed a bug (#79) - :doc:`Form Validation Library ` didn't properly validate array fields that use associative keys or have custom indexes. - Fixed a bug (#427) - :doc:`Form Validation Library ` method ``strip_image_tags()`` was an alias to a non-existent method. From 925dd9030db7a5a47d8a79f94b35827b14b9b685 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 19 Oct 2012 11:06:31 +0300 Subject: [PATCH 0154/3829] Fix issue #1409 --- system/libraries/Email.php | 110 +++++++++++++++------------- user_guide_src/source/changelog.rst | 4 +- 2 files changed, 62 insertions(+), 52 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index bc9d62eb487..795db204386 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -98,7 +98,7 @@ class CI_Email { */ public function __construct($config = array()) { - $this->charset = strtoupper(config_item('charset')); + $this->charset = config_item('charset'); if (count($config) > 0) { @@ -110,6 +110,8 @@ public function __construct($config = array()) $this->_safe_mode = (bool) @ini_get('safe_mode'); } + $this->charset = strtoupper($this->charset); + log_message('debug', 'Email Class Initialized'); } @@ -186,11 +188,11 @@ public function clear($clear_attachments = FALSE) /** * Set FROM * - * @param string - * @param string + * @param string From + * @param string Return-Path * @return object */ - public function from($from, $name = '', $return_path = '') + public function from($from, $name = '', $return_path = NULL) { if (preg_match('/\<(.*)\>/', $from, $match)) { @@ -217,16 +219,13 @@ public function from($from, $name = '', $return_path = '') } else { - $name = $this->_prep_q_encoding($name, TRUE); + $name = $this->_prep_q_encoding($name); } } $this->set_header('From', $name.' <'.$from.'>'); - if( ! $return_path) - { - $return_path = $from; - } + isset($return_path) OR $return_path = $from; $this->set_header('Return-Path', '<'.$return_path.'>'); return $this; @@ -1177,66 +1176,75 @@ protected function _prep_quoted_printable($str) /** * Prep Q Encoding * - * Performs "Q Encoding" on a string for use in email headers. It's related - * but not identical to quoted-printable, so it has its own method + * Performs "Q Encoding" on a string for use in email headers. + * It's related but not identical to quoted-printable, so it has its + * own method. * * @param string - * @param bool set to TRUE for processing From: headers * @return string */ - protected function _prep_q_encoding($str, $from = FALSE) + protected function _prep_q_encoding($str) { - $str = str_replace(array("\r", "\n"), array('', ''), $str); - - // Line length must not exceed 76 characters, so we adjust for - // a space, 7 extra characters =??Q??=, and the charset that we will add to each line - $limit = 75 - 7 - strlen($this->charset); + $str = str_replace(array("\r", "\n"), '', $str); - // these special characters must be converted too - $convert = array('_', '=', '?'); - - if ($from === TRUE) + if ($this->charset === 'UTF-8') { - $convert[] = ','; - $convert[] = ';'; + if (MB_ENABLED === TRUE) + { + return mb_encode_mimeheader($str, $this->charset, 'Q', $this->crlf); + } + elseif (extension_loaded('iconv')) + { + $output = @iconv_mime_encode('', $str, + array( + 'scheme' => 'Q', + 'line-length' => 76, + 'input-charset' => $this->charset, + 'output-charset' => $this->charset, + 'line-break-chars' => $this->crlf + ) + ); + + // There are reports that iconv_mime_encode() might fail and return FALSE + if ($output !== FALSE) + { + // iconv_mime_encode() will always put a header field name. + // We've passed it an empty one, but it still prepends our + // encoded string with ': ', so we need to strip it. + return substr($output, 2); + } + + $chars = iconv_strlen($str, 'UTF-8'); + } } - $output = ''; - $temp = ''; + // We might already have this set for UTF-8 + isset($chars) OR $chars = strlen($str); - for ($i = 0, $length = strlen($str); $i < $length; $i++) + $output = '=?'.$this->charset.'?Q?'; + for ($i = 0, $length = strlen($output), $iconv = extension_loaded('iconv'); $i < $chars; $i++) { - // Grab the next character - $char = $str[$i]; - $ascii = ord($char); - - // convert ALL non-printable ASCII characters and our specials - if ($ascii < 32 OR $ascii > 126 OR in_array($char, $convert)) - { - $char = '='.dechex($ascii); - } + $chr = ($this->charset === 'UTF-8' && $iconv === TRUE) + ? '='.implode('=', str_split(strtoupper(bin2hex(iconv_substr($str, $i, 1, $this->charset))), 2)) + : '='.strtoupper(bin2hex($str[$i])); - // handle regular spaces a bit more compactly than =20 - if ($ascii === 32) + // RFC 2045 sets a limit of 76 characters per line. + // We'll append ?= to the end of each line though. + if ($length + ($l = strlen($chr)) > 74) { - $char = '_'; + $output .= '?='.$this->crlf // EOL + .' =?'.$this->charset.'?Q?'.$chr; // New line + $length = 6 + strlen($this->charset) + $l; // Reset the length for the new line } - - // If we're at the character limit, add the line to the output, - // reset our temp variable, and keep on chuggin' - if ((strlen($temp) + strlen($char)) >= $limit) + else { - $output .= $temp.$this->crlf; - $temp = ''; + $output .= $chr; + $length += $l; } - - // Add the character to our temporary line - $temp .= $char; } - // wrap each line with the shebang, charset, and transfer encoding - // the preceding space on successive lines is required for header "folding" - return trim(preg_replace('/^(.*?)(\r*)$/m', ' =?'.$this->charset.'?Q?$1?=$2', $output.$temp)); + // End the header + return $output.'?='; } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 04854dbad6b..6487c5b3f21 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -206,6 +206,7 @@ Release Date: Not Released - Internal method ``_prep_quoted_printable()`` will now utilize the native ``quoted_printable_encode()``, ``imap_8bit()`` functions (if available) when CRLF is set to "\r\n". - Default charset now relies on the global ``$config['charset']`` setting. - Removed unused protected method ``_get_ip()`` (:doc:`Input Library `'s ``ip_address()`` should be used anyway). + - Internal method ``_prep_q_encoding()`` now utilizes PHP's *mbstring* and *iconv* extensions (when available) and no longer has a second (``$from``) argument. - :doc:`Pagination Library ` changes include: - Added support for the anchor "rel" attribute. - Added support for setting custom attributes. @@ -365,7 +366,8 @@ Bug fixes for 3.0 - Fixed a bug (#1709) - :doc:`Email ` headers were broken when using long email subjects and \r\n as CRLF. - Fixed a bug where ``MB_ENABLED`` was only declared if ``UTF8_ENABLED`` was set to TRUE. - Fixed a bug where the :doc:`Session Library ` accepted cookies with *last_activity* values being in the future. -- Fixed a bug (#1897) - :doc:`Email Library ` triggered PHP E_WARNING errors when *mail* protocol used and ``to()`` is never called. +- Fixed a bug (#1897) - :doc:`Email Library ` triggered PHP E_WARNING errors when *mail* protocol used and ``to()`` is never called. +- Fixed a bug (#1409) - :doc:`Email Library ` didn't properly handle multibyte characters when applying Q-encoding to headers. Version 2.1.3 ============= From 8df1ae2d7e0fd441f7a1fc481c76c5c1edfadf23 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 19 Oct 2012 11:20:54 +0300 Subject: [PATCH 0155/3829] Fix another mailing issue (based on #1281) --- system/libraries/Email.php | 16 ++++++++++------ user_guide_src/source/changelog.rst | 1 + 2 files changed, 11 insertions(+), 6 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 795db204386..c1130e91557 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -742,8 +742,8 @@ public function clean_email($email) /** * Build alternative plain text message * - * This public function provides the raw message for use - * in plain-text headers of HTML-formatted emails. + * Provides the raw message for use in plain-text headers of + * HTML-formatted emails. * If the user hasn't specified his own alternative message * it creates one by stripping the HTML * @@ -751,9 +751,11 @@ public function clean_email($email) */ protected function _get_alt_message() { - if ($this->alt_message !== '') + if ( ! empty($this->alt_message)) { - return $this->word_wrap($this->alt_message, 76); + return ($this->wordwrap) + ? $this->word_wrap($this->alt_message, 76) + : $this->alt_message; } $body = preg_match('/\(.*)\<\/body\>/si', $this->_body, $match) ? $match[1] : $this->_body; @@ -764,7 +766,9 @@ protected function _get_alt_message() $body = str_replace(str_repeat("\n", $i), "\n\n", $body); } - return $this->word_wrap($body, 76); + return ($this->wordwrap) + ? $this->word_wrap($body, 76) + : $body; } // -------------------------------------------------------------------- @@ -773,7 +777,7 @@ protected function _get_alt_message() * Word Wrap * * @param string - * @param int + * @param int line-length limit * @return string */ public function word_wrap($str, $charlim = NULL) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 6487c5b3f21..4ee382fce05 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -368,6 +368,7 @@ Bug fixes for 3.0 - Fixed a bug where the :doc:`Session Library ` accepted cookies with *last_activity* values being in the future. - Fixed a bug (#1897) - :doc:`Email Library ` triggered PHP E_WARNING errors when *mail* protocol used and ``to()`` is never called. - Fixed a bug (#1409) - :doc:`Email Library ` didn't properly handle multibyte characters when applying Q-encoding to headers. +- Fixed a bug where :doc:`Email Library ` didn't honor it's *wordwrap* setting while handling alternative messages. Version 2.1.3 ============= From 3a43f130a02be38b7244ffe4507c6cefd874f285 Mon Sep 17 00:00:00 2001 From: dchill42 Date: Sat, 20 Oct 2012 22:44:16 -0400 Subject: [PATCH 0156/3829] Raised CI_Config test coverage to 100% Signed-off-by: dchill42 --- tests/codeigniter/core/Config_test.php | 197 ++++++++++++++++++++----- 1 file changed, 158 insertions(+), 39 deletions(-) diff --git a/tests/codeigniter/core/Config_test.php b/tests/codeigniter/core/Config_test.php index 80e0862ffa9..d652a625edf 100644 --- a/tests/codeigniter/core/Config_test.php +++ b/tests/codeigniter/core/Config_test.php @@ -7,11 +7,12 @@ public function set_up() $cls =& $this->ci_core_class('cfg'); // set predictable config values - $this->ci_set_config(array( + $this->cfg = array( 'index_page' => 'index.php', 'base_url' => 'http://example.com/', 'subclass_prefix' => 'MY_' - )); + ); + $this->ci_set_config($this->cfg); $this->config = new $cls; } @@ -20,7 +21,7 @@ public function set_up() public function test_item() { - $this->assertEquals('http://example.com/', $this->config->item('base_url')); + $this->assertEquals($this->cfg['base_url'], $this->config->item('base_url')); // Bad Config value $this->assertFalse($this->config->item('no_good_item')); @@ -48,36 +49,103 @@ public function test_slash_item() // Bad Config value $this->assertFalse($this->config->slash_item('no_good_item')); - $this->assertEquals('http://example.com/', $this->config->slash_item('base_url')); + $this->assertEquals($this->cfg['base_url'], $this->config->slash_item('base_url')); - $this->assertEquals('MY_/', $this->config->slash_item('subclass_prefix')); + $this->assertEquals($this->cfg['subclass_prefix'].'/', $this->config->slash_item('subclass_prefix')); } // -------------------------------------------------------------------- - public function test_site_url() + public function test_base_url() { - $this->assertEquals('http://example.com/index.php', $this->config->site_url()); + // Test regular base URL + $base_url = $this->cfg['base_url']; + $this->assertEquals($base_url, $this->config->base_url()); + + // Test with URI + $uri = 'test'; + $this->assertEquals($base_url.$uri, $this->config->base_url(https://github.com/$uri)); + + // Clear base_url + $this->ci_set_config('base_url', ''); + + // Rerun constructor + $cls =& $this->ci_core_class('cfg'); + $this->config = new $cls; - $base_url = $this->config->item('base_url'); + // Test default base + $this->assertEquals('http://localhost/', $this->config->base_url()); + // Capture server vars + $old_host = isset($_SERVER['HTTP_HOST']) ? $_SERVER['HTTP_HOST'] : NULL; + $old_script = isset($_SERVER['SCRIPT_NAME']) ? $_SERVER['SCRIPT_NAME'] : NULL; + $old_https = isset($_SERVER['HTTPS']) ? $_SERVER['HTTPS'] : NULL; + + // Setup server vars for detection + $host = 'test.com'; + $path = '/path/'; + $script = 'base_test.php'; + $_SERVER['HTTP_HOST'] = $host; + $_SERVER['SCRIPT_NAME'] = $path.$script; + + // Rerun constructor + $this->config = new $cls; + + // Test plain detected + $this->assertEquals('http://'.$host.$path, $this->config->base_url()); + + // Rerun constructor + $_SERVER['HTTPS'] = 'on'; + $this->config = new $cls; + + // Test secure detected + $this->assertEquals('https://'.$host.$path, $this->config->base_url()); + + // Restore server vars + if ($old_host === NULL) unset($_SERVER['HTTP_HOST']); + else $_SERVER['HTTP_HOST'] = $old_host; + if ($old_script === NULL) unset($_SERVER['SCRIPT_NAME']); + else $_SERVER['SCRIPT_NAME'] = $old_script; + if ($old_https === NULL) unset($_SERVER['HTTPS']); + else $_SERVER['HTTPS'] = $old_https; + } + + // -------------------------------------------------------------------- + + public function test_site_url() + { + $base_url = $this->cfg['base_url']; + $index_page = $this->cfg['index_page']; + $this->assertEquals($base_url.$index_page, $this->config->site_url()); + + $old_base = $this->config->item('base_url'); $this->config->set_item('base_url', ''); $q_string = $this->config->item('enable_query_strings'); - $this->config->set_item('enable_query_strings', FALSE); - $this->assertEquals('index.php/test', $this->config->site_url('https://github.com/test')); - $this->assertEquals('index.php/test/1', $this->config->site_url(https://github.com/array('test',%20'1'))); + $uri= 'test'; + $uri2 = '1'; + $this->assertEquals($index_page.'/'.$uri, $this->config->site_url(https://github.com/$uri)); + $this->assertEquals($index_page.'/'.$uri.'/'.$uri2, $this->config->site_url(https://github.com/array($uri,%20$uri2))); + + $suffix = 'ing'; + $this->config->set_item('url_suffix', $suffix); + + $arg = 'pass'; + $this->assertEquals($index_page.'/'.$uri.$suffix, $this->config->site_url(https://github.com/$uri)); + $this->assertEquals($index_page.'/'.$uri.$suffix.'?'.$arg, $this->config->site_url(https://github.com/$uri.'?%27.$arg)); + + $this->config->set_item('url_suffix', FALSE); $this->config->set_item('enable_query_strings', TRUE); - $this->assertEquals('index.php?test', $this->config->site_url('https://github.com/test')); - $this->assertEquals('index.php?0=test&1=1', $this->config->site_url(https://github.com/array('test',%20'1'))); + $this->assertEquals($index_page.'?'.$uri, $this->config->site_url(https://github.com/$uri)); + $this->assertEquals($index_page.'?0='.$uri.'&1='.$uri2, $this->config->site_url(https://github.com/array($uri,%20$uri2))); - $this->config->set_item('base_url', $base_url); + $this->config->set_item('base_url', $old_base); - $this->assertEquals('http://example.com/index.php?test', $this->config->site_url('https://github.com/test')); + $this->assertEquals($base_url.$index_page.'?'.$uri, $this->config->site_url(https://github.com/$uri)); // back to home base $this->config->set_item('enable_query_strings', $q_string); @@ -87,49 +155,100 @@ public function test_site_url() public function test_system_url() { - $this->assertEquals('http://example.com/system/', $this->config->system_url()); + $this->assertEquals($this->cfg['base_url'].'system/', $this->config->system_url()); } // -------------------------------------------------------------------- public function test_load() { - // Create config files in VFS - $file1 = 'test.php'; - $file2 = 'secttest'; - $key1 = 'testconfig'; - $val1 = 'my_value'; - $cfg1 = array( - $key1 => $val1 - ); - $cfg2 = array( + // Test regular load + $file = 'test.php'; + $key = 'testconfig'; + $val = 'my_value'; + $cfg = array($key => $val); + $this->ci_vfs_create($file, 'ci_app_root, 'config'); + $this->assertTrue($this->config->load($file)); + $this->assertEquals($val, $this->config->item($key)); + + // Test reload - value should not change + $val2 = 'new_value'; + $cfg = array($key => $val2); + $this->ci_vfs_create($file, 'ci_app_root, 'config'); + $this->assertTrue($this->config->load($file)); + $this->assertEquals($val, $this->config->item($key)); + + // Test section load + $file = 'secttest'; + $cfg = array( 'one' => 'prime', 'two' => 2, 'three' => true ); - $this->ci_vfs_create(array( - $file1 => ' 'ci_app_root, 'config'); + $this->ci_vfs_create($file.'.php', 'ci_app_root, 'config'); + $this->assertTrue($this->config->load($file, TRUE)); + $this->assertEquals($cfg, $this->config->item($file)); - // Test regular load - $this->assertTrue($this->config->load($file1)); - $this->assertEquals($val1, $this->config->item($key1)); + // Test section merge + $cfg2 = array( + 'three' => 'tres', + 'number' => 42, + 'letter' => 'Z' + ); + $pkg_dir = 'package'; + $this->ci_vfs_create($file.'.php', 'ci_app_root, + array($pkg_dir, 'config')); + array_push($this->config->_config_paths, $this->ci_vfs_path($pkg_dir.'/', APPPATH)); + $this->assertTrue($this->config->load($file, TRUE)); + $this->assertEquals(array_merge($cfg, $cfg2), $this->config->item($file)); + array_pop($this->config->_config_paths); + + // Test graceful fail of invalid file + $file = 'badfile'; + $this->ci_vfs_create($file, '', $this->ci_app_root, 'config'); + $this->assertFalse($this->config->load($file, FALSE, TRUE)); + + // Test regular fail of invalid file + $this->setExpectedException( + 'RuntimeException', + 'CI Error: Your '.$this->ci_vfs_path('config/'.$file.'.php', APPPATH). + ' file does not appear to contain a valid configuration array.' + ); + $this->assertNull($this->config->load($file)); + } - // Test section load - $this->assertTrue($this->config->load($file2, TRUE)); - $this->assertEquals($cfg2, $this->config->item($file2)); + // -------------------------------------------------------------------- - // Test graceful fail + public function test_load_nonexistent() + { + // Test graceful fail of nonexistent file $this->assertFalse($this->config->load('not_config_file', FALSE, TRUE)); // Test regular fail - $file3 = 'absentia'; + $file = 'absentia'; $this->setExpectedException( 'RuntimeException', - 'CI Error: The configuration file '.$file3.'.php does not exist.' + 'CI Error: The configuration file '.$file.'.php does not exist.' + ); + $this->assertNull($this->config->load($file)); + } + + // -------------------------------------------------------------------- + + public function test_assign_to_config() + { + $key1 = 'test'; + $key2 = '1'; + $val1 = 'foo'; + $val2 = 'bar'; + $cfg = array( + $key1 => $val1, + $key2 => $val2 ); - $this->assertNull($this->config->load($file3)); + + $this->assertNull($this->config->_assign_to_config($cfg)); + $this->assertEquals($val1, $this->config->item($key1)); + $this->assertEquals($val2, $this->config->item($key2)); } } \ No newline at end of file From 4f42be55dc5ca3141f3d93f7f59989d3e52bc5a3 Mon Sep 17 00:00:00 2001 From: dchill42 Date: Sun, 21 Oct 2012 21:31:19 -0400 Subject: [PATCH 0157/3829] Raised CI_Loader test coverage to 93% Signed-off-by: dchill42 --- tests/codeigniter/core/Loader_test.php | 343 +++++++++++++++-------- tests/mocks/ci_testcase.php | 1 + tests/mocks/ci_testconfig.php | 4 +- tests/mocks/core/common.php | 7 +- tests/mocks/core/loader.php | 13 - tests/mocks/database/schema/skeleton.php | 2 +- 6 files changed, 235 insertions(+), 135 deletions(-) delete mode 100644 tests/mocks/core/loader.php diff --git a/tests/codeigniter/core/Loader_test.php b/tests/codeigniter/core/Loader_test.php index 69b2afb6339..a8a2de78f90 100644 --- a/tests/codeigniter/core/Loader_test.php +++ b/tests/codeigniter/core/Loader_test.php @@ -7,27 +7,29 @@ class Loader_test extends CI_TestCase { public function set_up() { // Instantiate a new loader - $this->load = new Mock_Core_Loader(); + $loader = $this->ci_core_class('loader'); + $this->load = new $loader(); // Get CI instance $this->ci_obj = $this->ci_instance(); // Set subclass prefix - $this->ci_set_config('subclass_prefix', 'MY_'); + $this->prefix = 'MY_'; + $this->ci_set_config('subclass_prefix', $this->prefix); } // -------------------------------------------------------------------- - /** - * @covers CI_Loader::library - */ public function test_library() { - // Create libraries directory with test library + // Create library in VFS $lib = 'unit_test_lib'; $class = 'CI_'.ucfirst($lib); $this->ci_vfs_create($lib, 'ci_base_root, 'libraries'); + // Test is_loaded fail + $this->assertFalse($this->load->is_loaded($lib)); + // Test loading as an array. $this->assertNull($this->load->library(array($lib))); $this->assertTrue(class_exists($class), $class.' does not exist'); @@ -38,16 +40,68 @@ public function test_library() // Test a string given to params $this->assertNull($this->load->library($lib, ' ')); + + // Create library w/o class + $lib = 'bad_test_lib'; + $this->ci_vfs_create($lib, '', $this->ci_base_root, 'libraries'); + + // Test non-existent class + $this->setExpectedException( + 'RuntimeException', + 'CI Error: Non-existent class: '.$lib + ); + $this->assertNull($this->load->library($lib)); + } + + // -------------------------------------------------------------------- + + public function test_library_extension() + { + // Create library and extension in VFS + $name = 'ext_test_lib'; + $lib = ucfirst($name); + $class = 'CI_'.$lib; + $ext = $this->prefix.$lib; + $this->ci_vfs_create($lib, 'ci_base_root, 'libraries'); + $this->ci_vfs_create($ext, 'ci_app_root, 'libraries'); + + // Test loading with extension + $this->assertNull($this->load->library($lib)); + $this->assertTrue(class_exists($class), $class.' does not exist'); + $this->assertTrue(class_exists($ext), $ext.' does not exist'); + $this->assertAttributeInstanceOf($class, $name, $this->ci_obj); + $this->assertAttributeInstanceOf($ext, $name, $this->ci_obj); + + // Test reloading with object name + $obj = 'exttest'; + $this->assertNull($this->load->library($lib, NULL, $obj)); + $this->assertAttributeInstanceOf($class, $obj, $this->ci_obj); + $this->assertAttributeInstanceOf($ext, $obj, $this->ci_obj); + + // Test reloading + unset($this->ci_obj->$name); + $this->assertNull($this->load->library($lib)); + $this->assertObjectNotHasAttribute($name, $this->ci_obj); + + // Create baseless library + $name = 'ext_baseless_lib'; + $lib = ucfirst($name); + $class = $this->prefix.$lib; + $this->ci_vfs_create($class, 'ci_app_root, 'libraries'); + + // Test missing base class + $this->setExpectedException( + 'RuntimeException', + 'CI Error: Unable to load the requested class: '.$lib + ); + $this->assertNull($this->load->library($lib)); } // -------------------------------------------------------------------- - /** - * @covers CI_Loader::library - */ public function test_library_config() { - // Create libraries directory with test library + // Create library in VFS $lib = 'unit_test_config_lib'; $class = 'CI_'.ucfirst($lib); $content = 'config = $params; } }'; @@ -67,16 +121,16 @@ public function test_library_config() $this->assertTrue(class_exists($class), $class.' does not exist'); $this->assertAttributeInstanceOf($class, $obj, $this->ci_obj); $this->assertEquals($cfg, $this->ci_obj->$obj->config); + + // Test is_loaded + $this->assertEquals($obj, $this->load->is_loaded($lib)); } // -------------------------------------------------------------------- - /** - * @covers CI_Loader::library - */ public function test_load_library_in_application_dir() { - // Create libraries directory in app path with test library + // Create library in VFS $lib = 'super_test_library'; $class = ucfirst($lib); $this->ci_vfs_create($lib, 'ci_app_root, 'libraries'); @@ -91,12 +145,9 @@ public function test_load_library_in_application_dir() // -------------------------------------------------------------------- - /** - * @covers CI_Loader::driver - */ public function test_driver() { - // Create libraries directory with test driver + // Create driver in VFS $driver = 'unit_test_driver'; $dir = ucfirst($driver); $class = 'CI_'.$dir; @@ -122,29 +173,11 @@ public function test_driver() // -------------------------------------------------------------------- - /** - * @covers CI_Loader::model - */ - public function test_non_existent_model() - { - $this->setExpectedException( - 'RuntimeException', - 'CI Error: Unable to locate the model you have specified: ci_test_nonexistent_model.php' - ); - - $this->load->model('ci_test_nonexistent_model.php'); - } - - // -------------------------------------------------------------------- - - /** - * @covers CI_Loader::model - */ public function test_models() { $this->ci_set_core_class('model', 'CI_Model'); - // Create models directory with test model + // Create model in VFS $model = 'unit_test_model'; $class = ucfirst($model); $content = 'ci_core_class('model'); + + // Create modelin VFS + $model = 'test_sub_model'; + $base = 'CI_Model'; + $class = ucfirst($model); + $subdir = 'cars'; + $this->ci_vfs_create($model, 'ci_app_root, + array('models', $subdir)); + + // Load model + $name = 'testors'; + $this->assertNull($this->load->model($subdir.'/'.$model, $name)); + + // Was the model class instantiated? + $this->assertTrue(class_exists($class)); + $this->assertObjectHasAttribute($name, $this->ci_obj); + $this->assertAttributeInstanceOf($base, $name, $this->ci_obj); + $this->assertAttributeInstanceOf($class, $name, $this->ci_obj); + + // Test name conflict + $obj = 'conflict'; + $this->ci_obj->$obj = new StdClass(); + $this->setExpectedException( + 'RuntimeException', + 'CI Error: The model name you are loading is the name of a resource that is already being used: '.$obj + ); + $this->load->model('not_real', $obj); + } + + // -------------------------------------------------------------------- + + public function test_non_existent_model() + { + $this->setExpectedException( + 'RuntimeException', + 'CI Error: Unable to locate the model you have specified: ci_test_nonexistent_model.php' + ); + + $this->load->model('ci_test_nonexistent_model.php'); + } + + // -------------------------------------------------------------------- + // public function testDatabase() // { - // $this->assertEquals(NULL, $this->load->database()); - // $this->assertEquals(NULL, $this->load->dbutil()); + // $this->assertNull($this->load->database()); + // $this->assertNull($this->load->dbutil()); // } // -------------------------------------------------------------------- - /** - * @covers CI_Loader::view - */ public function test_load_view() { - $this->ci_set_core_class('output', 'CI_Output'); - - // Create views directory with test view + // Create view in VFS $view = 'unit_test_view'; - $content = 'This is my test page. '; - $this->ci_vfs_create($view, $content, $this->ci_app_root, 'views'); - - // Use the optional return parameter in this test, so the view is not - // run through the output class. - $out = $this->load->view($view, array('hello' => "World!"), TRUE); - $this->assertEquals('This is my test page. World!', $out); + $var = 'hello'; + $value = 'World!'; + $content = 'This is my test page. '; + $this->ci_vfs_create($view, $content.'ci_app_root, 'views'); + + // Test returning view + $out = $this->load->view($view, array($var => $value), TRUE); + $this->assertEquals($content.$value, $out); + + // Mock output class + $class = 'Mock_Load_Output'; + $prop = 'output'; + eval('class '.$class.' { public function append_output($out) { $this->'.$prop.' = $out; } }'); + $this->ci_instance_var('output', new $class()); + + // Test view output + $this->load->view($view, array($var => $value)); + $this->assertObjectHasAttribute($prop, $this->ci_obj->output); + $this->assertEquals($content.$value, $this->ci_obj->output->$prop); } // -------------------------------------------------------------------- - /** - * @covers CI_Loader::view - */ public function test_non_existent_view() { $this->setExpectedException( @@ -205,12 +289,9 @@ public function test_non_existent_view() // -------------------------------------------------------------------- - /** - * @covers CI_Loader::file - */ public function test_file() { - // Create views directory with test file + // Create view in VFS $dir = 'views'; $file = 'ci_test_mock_file'; $content = 'Here is a test file, which we will load now.'; @@ -231,49 +312,66 @@ public function test_file() // -------------------------------------------------------------------- - /** - * @covers CI_Loader::vars - */ public function test_vars() { - $this->assertNull($this->load->vars(array('foo' => 'bar'))); - $this->assertNull($this->load->vars('foo', 'bar')); + $key1 = 'foo'; + $val1 = 'bar'; + $key2 = 'boo'; + $val2 = 'hoo'; + $this->assertNull($this->load->vars(array($key1 => $val1))); + $this->assertNull($this->load->vars($key2, $val2)); + $this->assertEquals($val1, $this->load->get_var($key1)); + $this->assertEquals(array($key1 => $val1, $key2 => $val2), $this->load->get_vars()); } // -------------------------------------------------------------------- - /** - * @covers CI_Loader::helper - */ public function test_helper() { - // Create helper directory in app path with test helper + // Create helper in VFS $helper = 'test'; $func = '_my_helper_test_func'; $content = 'ci_vfs_create($helper.'_helper', $content, $this->ci_app_root, 'helpers'); + $this->ci_vfs_create($helper.'_helper', $content, $this->ci_base_root, 'helpers'); + + // Create helper extension + $exfunc = '_my_extension_func'; + $content = 'ci_vfs_create($this->prefix.$helper.'_helper', $content, $this->ci_app_root, 'helpers'); // Load helper - $this->assertEquals(NULL, $this->load->helper($helper)); + $this->assertNull($this->load->helper($helper)); $this->assertTrue(function_exists($func), $func.' does not exist'); + $this->assertTrue(function_exists($exfunc), $exfunc.' does not exist'); + + // Create baseless extension + $ext = 'bad_ext'; + $this->ci_vfs_create($this->prefix.$ext.'_helper', '', $this->ci_app_root, 'helpers'); - // Test non-existent helper + // Test bad extension $this->setExpectedException( 'RuntimeException', - 'CI Error: Unable to load the requested file: helpers/bad_helper.php' + 'CI Error: Unable to load the requested file: helpers/'.$ext.'_helper.php' ); + $this->load->helper($ext); + } + + // -------------------------------------------------------------------- + public function test_non_existent_helper() + { + $this->setExpectedException( + 'RuntimeException', + 'CI Error: Unable to load the requested file: helpers/bad_helper.php' + ); $this->load->helper('bad'); } // -------------------------------------------------------------------- - /** - * @covers CI_Loader::helper - */ public function test_loading_multiple_helpers() { - // Create helper directory in base path with test helpers + // Create helpers in VFS $helpers = array(); $funcs = array(); $files = array(); @@ -287,7 +385,7 @@ public function test_loading_multiple_helpers() $this->ci_vfs_create($files, NULL, $this->ci_base_root, 'helpers'); // Load helpers - $this->assertEquals(NULL, $this->load->helpers($helpers)); + $this->assertNull($this->load->helpers($helpers)); // Verify helper existence foreach ($funcs as $func) { @@ -297,40 +395,36 @@ public function test_loading_multiple_helpers() // -------------------------------------------------------------------- - // public function testLanguage() - // { - // $this->assertEquals(NULL, $this->load->language('test')); - // } + public function test_language() + { + // Create mock Lang class with load stub + $class = 'Mock_Load_Lang'; + $prop = '_file'; + eval('class '.$class.' { public function load($file, $lang) { $this->'.$prop.' = $file; } }'); + $this->ci_instance_var('lang', new $class()); + + // Does the right file get loaded? + $file = 'test'; + $this->assertNull($this->load->language($file)); + $this->assertObjectHasAttribute($prop, $this->ci_obj->lang); + $this->assertEquals($file, $this->ci_obj->lang->$prop); + } // -------------------------------------------------------------------- - /** - * @covers CI_Loader::add_package_path - * @covers CI_Loader::get_package_paths - * @covers CI_Loader::remove_package_path - */ public function test_packages() { - // Create third-party directory in app path with model + // Create model in VFS package path $dir = 'third-party'; $lib = 'unit_test_package'; $class = 'CI_'.ucfirst($lib); - $content = 'ci_vfs_create($lib, $content, $this->ci_app_root, $dir); - - // Test failed load without path - $this->setExpectedException( - 'RuntimeException', - 'CI Error: Unable to load the requested class: '.$lib - ); - $this->load->library($lib); + $this->ci_vfs_create($lib, 'ci_app_root, array($dir, 'libraries')); - // Clear exception and get paths - $this->setExpectedException(NULL); + // Get paths $paths = $this->load->get_package_paths(TRUE); // Add path and verify - $path = APPPATH.$dir; + $path = APPPATH.$dir.'/'; $this->assertNull($this->load->add_package_path($path)); $this->assertContains($path, $this->load->get_package_paths(TRUE)); @@ -338,51 +432,63 @@ public function test_packages() $this->assertNull($this->load->library($lib)); $this->assertTrue(class_exists($class), $class.' does not exist'); + // Add another path + $path2 = APPPATH.'another/'; + $this->assertNull($this->load->add_package_path($path2)); + $this->assertContains($path2, $this->load->get_package_paths(TRUE)); + + // Remove last path + $this->assertNull($this->load->remove_package_path()); + $this->assertNotContains($path2, $this->load->get_package_paths(TRUE)); + // Remove path and verify restored paths $this->assertNull($this->load->remove_package_path($path)); $this->assertEquals($paths, $this->load->get_package_paths(TRUE)); + + // Test failed load without path + $this->setExpectedException( + 'RuntimeException', + 'CI Error: Unable to load the requested class: '.$lib + ); + $this->load->library($lib); } // -------------------------------------------------------------------- - /** - * @covers CI_Loader::config - */ public function test_load_config() { - $this->assertNull($this->load->config('config', FALSE)); + $cfg = 'someconfig'; + $this->assertNull($this->load->config($cfg, FALSE)); + $this->assertContains($cfg, $this->ci_obj->config->loaded); } // -------------------------------------------------------------------- - /** - * @covers CI_Loader::_ci_autoloader - */ - public function test_autoloader() + public function test_initialize() { - // Create helper directory in app path with test helper + // Create helper in VFS $helper = 'autohelp'; $hlp_func = '_autohelp_test_func'; - $content = 'ci_vfs_create($helper.'_helper', $content, $this->ci_app_root, 'helpers'); - // Create libraries directory in base path with test library + // Create library in VFS $lib = 'autolib'; $lib_class = 'CI_'.ucfirst($lib); $this->ci_vfs_create($lib, 'ci_base_root, 'libraries'); - // Create test driver + // Create driver in VFS $drv = 'autodrv'; $subdir = ucfirst($drv); $drv_class = 'CI_'.$subdir; - $this->ci_vfs_create($drv, 'ci_base_root, 'libraries/'.$subdir); + $this->ci_vfs_create($drv, 'ci_base_root, array('libraries', $subdir)); - // Create package directory in app path with model + // Create model in VFS package path $dir = 'testdir'; $path = APPPATH.$dir.'/'; $model = 'automod'; $mod_class = ucfirst($model); - $this->ci_vfs_create($model, 'ci_app_root, $dir.'/models'); + $this->ci_vfs_create($model, 'ci_app_root, array($dir, 'models')); // Create autoloader config $cfg = array( @@ -391,12 +497,12 @@ public function test_autoloader() 'libraries' => array($lib), 'drivers' => array($drv), 'model' => array($model), - 'config' => array() + 'config' => array('config1', 'config2') ); $this->ci_vfs_create('autoload', 'ci_app_root, 'config'); - // Run autoloader - $this->load->autoload(); + // Run initialize and autoloader + $this->load->initialize(); // Verify path $this->assertContains($path, $this->load->get_package_paths()); @@ -415,6 +521,9 @@ public function test_autoloader() // Verify model $this->assertTrue(class_exists($mod_class), $mod_class.' does not exist'); $this->assertAttributeInstanceOf($mod_class, $model, $this->ci_obj); + + // Verify config calls + $this->assertEquals($cfg['config'], $this->ci_obj->config->loaded); } } \ No newline at end of file diff --git a/tests/mocks/ci_testcase.php b/tests/mocks/ci_testcase.php index e581d4b024b..f164929458a 100644 --- a/tests/mocks/ci_testcase.php +++ b/tests/mocks/ci_testcase.php @@ -38,6 +38,7 @@ public function setUp() $this->ci_vfs_root = vfsStream::setup(); $this->ci_app_root = vfsStream::newDirectory('application')->at($this->ci_vfs_root); $this->ci_base_root = vfsStream::newDirectory('system')->at($this->ci_vfs_root); + $this->ci_view_root = vfsStream::newDirectory('views')->at($this->ci_app_root); if (method_exists($this, 'set_up')) { diff --git a/tests/mocks/ci_testconfig.php b/tests/mocks/ci_testconfig.php index eb318ddeb80..0c52bb984da 100644 --- a/tests/mocks/ci_testconfig.php +++ b/tests/mocks/ci_testconfig.php @@ -4,14 +4,16 @@ class CI_TestConfig { public $config = array(); public $_config_paths = array(APPPATH); + public $loaded = array(); public function item($key) { return isset($this->config[$key]) ? $this->config[$key] : FALSE; } - public function load($arg1, $arg2, $arg3) + public function load($file, $arg2 = FALSE, $arg3 = FALSE) { + $this->loaded[] = $file; return TRUE; } diff --git a/tests/mocks/core/common.php b/tests/mocks/core/common.php index b001074c85c..9289b2716ba 100644 --- a/tests/mocks/core/common.php +++ b/tests/mocks/core/common.php @@ -170,9 +170,10 @@ function is_really_writable($file) if ( ! function_exists('is_loaded')) { - function is_loaded() + function &is_loaded() { - throw new Exception('Bad Isolation: mock up environment'); + $loaded = array(); + return $loaded; } } @@ -190,4 +191,4 @@ function set_status_header($code = 200, $text = '') { return TRUE; } -} +} \ No newline at end of file diff --git a/tests/mocks/core/loader.php b/tests/mocks/core/loader.php deleted file mode 100644 index 7ea4da369d5..00000000000 --- a/tests/mocks/core/loader.php +++ /dev/null @@ -1,13 +0,0 @@ -_ci_autoloader(); - } - -} diff --git a/tests/mocks/database/schema/skeleton.php b/tests/mocks/database/schema/skeleton.php index 18e1ddd4dd1..69e3c187eee 100644 --- a/tests/mocks/database/schema/skeleton.php +++ b/tests/mocks/database/schema/skeleton.php @@ -30,7 +30,7 @@ public static function init($driver) CI_TestCase::instance()->ci_instance_var('db', $db); - $loader = new Mock_Core_Loader(); + $loader = new CI_Loader(); $loader->dbforge(); $forge = CI_TestCase::instance()->ci_instance_var('dbforge'); From cf99aac39914d821e8864443d3aaa759f87258e9 Mon Sep 17 00:00:00 2001 From: dchill42 Date: Sun, 21 Oct 2012 21:32:20 -0400 Subject: [PATCH 0158/3829] Added documentation of new unit test tools and VFS additions Signed-off-by: dchill42 --- tests/README.md | 77 +++++++++++++++++++++++++++++++++++++++++++++---- 1 file changed, 72 insertions(+), 5 deletions(-) diff --git a/tests/README.md b/tests/README.md index d600951eed3..a5f89a2b12c 100644 --- a/tests/README.md +++ b/tests/README.md @@ -64,6 +64,30 @@ with a base for application and package tests. That gives us: 3. Application Test - bootstrapping for application/tests [not started] 4. Package Test - bootstrapping for /tests [not started] +### Test Environment: + +The test/Bootstrap.php file establishes global constants such as BASEPATH, +APPPATH, and VIEWPATH, initializing them to point to VFS locations. The +test case class employs vfsStream to make a clean virtual filesystem with +the necessary paths for every individual test. + +Within each test case, VFS directory objects are available to use as arguments +to the VFS convenience functions (see below): + +- ci_vfs_root: VFS filesystem root +- ci_app_root: Application directory +- ci_base_root: System directory +- ci_view_root: Views directory + +Classes being instantiated for testing are read from the actual filesystem +by the unit test autoloader, as are mockups created in tests/mocks. If you +need access to the real system directory, the SYSTEM_PATH constant always +points to it. + +Any other resources which need to be read from the path constants must be +created or cloned within your test. Functions for doing so are outlined +below. + ### CI_TestCase Documentation Test cases should extend CI_TestCase. This internally extends @@ -78,8 +102,14 @@ Current API is *not stable*. Names and implementations will change. $this->ci_set_config($key, $val) -Set the global config variables. If key is an array, it will -replace the entire config array. They are _not_ merged. +Set the global config variables in a mock Config object. If key is an array, +it will replace the entire config array. They are _not_ merged. If called +without any parameters, it will create the mock object but not set any values. +The mock Config object also provides rudimentary item() and load() stubs for +delivering configured values to classes being tested and handling config load +calls, respectively. The load() stub does _not_ actually load any files, it +only records the filename provided. Check the config->loaded array to verify +calls made. $this->ci_instance($obj) @@ -103,11 +133,48 @@ $GLOBALS key. For example: $cfg = new $cfg; // instantiates config and overwrites the CFG global $this->ci_set_core_class($name, $obj) - + An alternative way to set one of the core globals. + $this->ci_vfs_mkdir($name, $root) + +Creates a new directory in the test VFS. Pass a directory object to be the +parent directory or none to create a root-level directory. Returns the new +directory object. + + $this->ci_vfs_create($file, $content, $root, $path) + +Creates a new VFS file. '.php' is automatically appended to the filename if +it has no extension. Pass a directory object as the root, and an optional path +to recurse and/or create for containing the file. Path may be a string (such +as 'models/subdir') or an array (e.g. - array('models', 'subdir') ). Existing +directories in the VFS root will be recursed until a new directory is +identified - all others in the path will be created, so you can mix-and-match +old and new directories. If $file is an array (key = name, value = content), +multiple files will be created in the same path. + + $this->ci_vfs_clone($path) + +Clones an existing file from the real filesystem to exist in the same path of +the VFS. Path must be relative to the project root (i.e. - starting with +'system' or 'application'). + + $this->ci_vfs_path($path, $base) + +Creates a VFS file path string suitable for use with PHP file operations. Path +may be absolute from the VFS root, or relative to a base path. It is often +useful to use APPPATH or BASEPATH as the base. + + $this->helper($name) + +Loads a helper from the real filesystem. + + $this->lang($name) + +Loads a language file from the real filesystem and returns the $lang array. + $this->ci_get_config() __internal__ - + Returns the global config array. Internal as you shouldn't need to call this (you're setting it, after all). Used internally to make CI's get_config() work. @@ -155,4 +222,4 @@ I don't have a clue how this will work. Needs to be able to handle packages that are used multiple times within the application (i.e. EE/Pyro modules) -as well as packages that are used by multiple applications (library distributions) +as well as packages that are used by multiple applications (library distributions) \ No newline at end of file From e66d6243aaf13053631641973a0beff656a94510 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 22 Oct 2012 16:39:12 +0300 Subject: [PATCH 0159/3829] Fix issues #1476, #1909 --- system/libraries/Pagination.php | 4 ++-- user_guide_src/source/changelog.rst | 1 + 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index e1e729bb072..36b57b33256 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -157,7 +157,7 @@ public function create_links() // See if we are using a prefix or suffix on links if ($this->prefix !== '' OR $this->suffix !== '') { - $this->cur_page = (int) str_replace(array($this->prefix, $this->suffix), '', $CI->uri->segment($this->uri_segment)); + $this->cur_page = (int) str_replace(array($this->prefix, $this->suffix), '', $CI->uri->rsegment($this->uri_segment)); } if ($CI->config->item('enable_query_strings') === TRUE OR $this->page_query_string === TRUE) @@ -169,7 +169,7 @@ public function create_links() } elseif ( ! $this->cur_page && $CI->uri->segment($this->uri_segment) !== $base_page) { - $this->cur_page = (int) $CI->uri->segment($this->uri_segment); + $this->cur_page = (int) $CI->uri->rsegment($this->uri_segment); } // Set current page to 1 if it's not valid or if using page numbers instead of offset diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4ee382fce05..6d2b0d161a6 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -369,6 +369,7 @@ Bug fixes for 3.0 - Fixed a bug (#1897) - :doc:`Email Library ` triggered PHP E_WARNING errors when *mail* protocol used and ``to()`` is never called. - Fixed a bug (#1409) - :doc:`Email Library ` didn't properly handle multibyte characters when applying Q-encoding to headers. - Fixed a bug where :doc:`Email Library ` didn't honor it's *wordwrap* setting while handling alternative messages. +- Fixed a bug (#1476, #1909) - :doc:`Pagination Library ` didn't take into account actual routing when determining the current page. Version 2.1.3 ============= From 3fb026713013b60845c4cfe633a8a59a30b9c7dd Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 22 Oct 2012 16:48:01 +0300 Subject: [PATCH 0160/3829] Add is_https() as a common function --- system/core/Common.php | 18 +++++++++++++ system/core/Config.php | 2 +- system/core/Security.php | 2 +- user_guide_src/source/changelog.rst | 3 ++- .../source/general/common_functions.rst | 26 ++++++++++++------- 5 files changed, 38 insertions(+), 13 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 341402c6bdd..2dd31d3e985 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -330,6 +330,24 @@ function &get_mimes() // ------------------------------------------------------------------------ +if ( ! function_exists('is_https')) +{ + /** + * Is HTTPS? + * + * Determines if the application is accessed via an encrypted + * (HTTPS) connection. + * + * @return bool + */ + function is_https() + { + return ( ! empty($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) !== 'off'); + } +} + +// ------------------------------------------------------------------------ + if ( ! function_exists('show_error')) { /** diff --git a/system/core/Config.php b/system/core/Config.php index 8e4f998efe0..e78128c76c6 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -75,7 +75,7 @@ public function __construct() { if (isset($_SERVER['HTTP_HOST'])) { - $base_url = ( ! empty($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) !== 'off') ? 'https' : 'http'; + $base_url = is_https() ? 'https' : 'http'; $base_url .= '://'.$_SERVER['HTTP_HOST'] .str_replace(basename($_SERVER['SCRIPT_NAME']), '', $_SERVER['SCRIPT_NAME']); } diff --git a/system/core/Security.php b/system/core/Security.php index b22d2cf19f5..2fbc5b34c0f 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -198,7 +198,7 @@ public function csrf_set_cookie() $expire = time() + $this->_csrf_expire; $secure_cookie = (bool) config_item('cookie_secure'); - if ($secure_cookie && (empty($_SERVER['HTTPS']) OR strtolower($_SERVER['HTTPS']) === 'off')) + if ($secure_cookie && ! is_https()) { return FALSE; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 6d2b0d161a6..d3f91de0185 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -233,10 +233,11 @@ Release Date: Not Released - Modified ``valid_ip()`` to use PHP's ``filter_var()``. - Added support for arrays and network addresses (e.g. 192.168.1.1/24) for use with the *proxy_ips* setting. - :doc:`Common functions ` changes include: - - Added ``get_mimes()`` function to return the *config/mimes.php* array. + - Added function ``get_mimes()`` to return the *config/mimes.php* array. - Added support for HTTP code 303 ("See Other") in ``set_status_header()``. - Removed redundant conditional to determine HTTP server protocol in ``set_status_header()``. - Changed ``_exception_handler()`` to respect php.ini *display_errors* setting. + - Added function ``is_https()`` to check if a secure connection is used. - Added support for HTTP-Only cookies with new config option *cookie_httponly* (default FALSE). - Renamed method ``_call_hook()`` to ``call_hook()`` in the :doc:`Hooks Library `. - :doc:`Output Library ` changes include: diff --git a/user_guide_src/source/general/common_functions.rst b/user_guide_src/source/general/common_functions.rst index 99126f9008b..f3d48ac9111 100644 --- a/user_guide_src/source/general/common_functions.rst +++ b/user_guide_src/source/general/common_functions.rst @@ -7,7 +7,7 @@ defined, and are available to you at any point. These do not require loading any libraries or helpers. is_php('version_number') -========================== +======================== is_php() determines of the PHP version being used is greater than the supplied version_number. @@ -24,7 +24,7 @@ greater than the supplied version number. Returns FALSE if the installed version of PHP is lower than the supplied version number. is_really_writable('path/to/file') -==================================== +================================== is_writable() returns TRUE on Windows servers when you really can't write to the file as the OS reports to PHP as FALSE only if the @@ -44,7 +44,7 @@ recommended on platforms where this information may be unreliable. } config_item('item_key') -========================= +======================= The :doc:`Config library <../libraries/config>` is the preferred way of accessing configuration information, however config_item() can be used @@ -56,8 +56,8 @@ show_error('message'), show_404('page'), log_message('level', 'message') These are each outlined on the :doc:`Error Handling ` page. -set_status_header(code, 'text'); -================================ +set_status_header(code, 'text') +=============================== Permits you to manually set a server status header. Example:: @@ -68,19 +68,25 @@ Permits you to manually set a server status header. Example:: a full list of headers. remove_invisible_characters($str) -=================================== +================================= This function prevents inserting null characters between ascii characters, like Java\\0script. html_escape($mixed) -==================== +=================== -This function provides short cut for htmlspecialchars() function. It +This function provides short cut for ``htmlspecialchars()`` function. It accepts string and array. To prevent Cross Site Scripting (XSS), it is very useful. get_mimes() -============= +=========== -This function returns the MIMEs array from config/mimes.php. \ No newline at end of file +This function returns the MIMEs array *from config/mimes.php*. + +is_https() +========== + +Returns TRUE if a secure (HTTPS) connection is used and FALSE +in any other case (including non-HTTP requests). \ No newline at end of file From 811b45a69e873e9bf6b9c6adf210ab9b6ccfb056 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 22 Oct 2012 16:58:33 +0300 Subject: [PATCH 0161/3829] Sync .travis.yml with develop --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 1c7e87667c0..62acf05e53a 100644 --- a/.travis.yml +++ b/.travis.yml @@ -29,4 +29,4 @@ script: phpunit --coverage-text --configuration tests/travis/$DB.phpunit.xml branches: only: - develop - - /^feature.+/ + - /^feature\/.+$/ \ No newline at end of file From e0874d247de8106c1a4e05ac3fd1645ae6be2045 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 22 Oct 2012 17:03:42 +0300 Subject: [PATCH 0162/3829] Add a changelog entry --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d3f91de0185..cd503785c7a 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -371,6 +371,7 @@ Bug fixes for 3.0 - Fixed a bug (#1409) - :doc:`Email Library ` didn't properly handle multibyte characters when applying Q-encoding to headers. - Fixed a bug where :doc:`Email Library ` didn't honor it's *wordwrap* setting while handling alternative messages. - Fixed a bug (#1476, #1909) - :doc:`Pagination Library ` didn't take into account actual routing when determining the current page. +- Fixed a bug (#1766) - :doc:`Query Builder ` didn't always take into account the *dbprefix* setting. Version 2.1.3 ============= From 082aa4025ff5764cf10d429903bf48f66a65ce9e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 22 Oct 2012 19:41:55 +0300 Subject: [PATCH 0163/3829] Fix where() & having() escaping/prefixing literal values containing a period --- system/database/DB_query_builder.php | 44 +++++++++++++++++++++++++--- 1 file changed, 40 insertions(+), 4 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 4f89d78d072..1ab1658353a 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -2067,7 +2067,7 @@ protected function _compile_wh($qb_key) for ($ci = 0, $cc = count($conditions); $ci < $cc; $ci++) { if (($op = $this->_get_operator($conditions[$ci])) === FALSE - OR ! preg_match('/^(\(?)(.*)('.preg_quote($op).')(.*(? 'foo', /* optional, if $op is e.g. 'IS NULL' */ // 5 => ')' /* optional */ // ); - empty($matches[4]) OR $matches[4] = ' '.$this->protect_identifiers(trim($matches[4])); + + if ( ! empty($matches[4])) + { + $this->_is_literal($matches[4]) OR $matches[4] = $this->protect_identifiers(trim($matches[4])); + $matches[4] = ' '.$matches[4]; + } + $conditions[$ci] = $matches[1].$this->protect_identifiers(trim($matches[2])) .' '.trim($matches[3]).$matches[4].$matches[5]; } @@ -2114,7 +2120,7 @@ protected function _compile_group_by() { for ($i = 0, $c = count($this->qb_groupby); $i < $c; $i++) { - $this->qb_groupby[$i] = ($this->qb_groupby[$i]['escape'] === FALSE) + $this->qb_groupby[$i] = ($this->qb_groupby[$i]['escape'] === FALSE OR $this->_is_literal($this->qb_groupby[$i]['field'])) ? $this->qb_groupby[$i]['field'] : $this->protect_identifiers($this->qb_groupby[$i]['field']); } @@ -2146,7 +2152,7 @@ protected function _compile_order_by() for ($i = 0, $c = count($this->qb_orderby); $i < $c; $i++) { - if ($this->qb_orderby[$i]['escape'] !== FALSE) + if ($this->qb_orderby[$i]['escape'] !== FALSE && ! $this->_is_literal($this->qb_orderby[$i]['field'])) { $this->qb_orderby[$i]['field'] = $this->protect_identifiers($this->qb_orderby[$i]['field']); } @@ -2323,6 +2329,36 @@ protected function _merge_cache() // -------------------------------------------------------------------- + /** + * Is literal + * + * Determines if a string represents a literal value or a field name + * + * @param string + * @return bool + */ + protected function _is_literal($str) + { + $str = trim($str); + + if (empty($str)) + { + return TRUE; + } + + static $_str; + + if (empty($_str)) + { + $_str = ($this->_escape_char !== '"') + ? array('"', "'") : array("'"); + } + + return (ctype_digit($str) OR in_array($str[0], $_str, TRUE)); + } + + // -------------------------------------------------------------------- + /** * Reset Query Builder values. * From 9f6bdc0b1b9f56997527652a0e1d09a9b233d32e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 22 Oct 2012 23:31:10 +0300 Subject: [PATCH 0164/3829] Fix #1913 --- system/database/DB_result.php | 19 ++++++++----------- 1 file changed, 8 insertions(+), 11 deletions(-) diff --git a/system/database/DB_result.php b/system/database/DB_result.php index d44df6c02c5..e747044d85a 100644 --- a/system/database/DB_result.php +++ b/system/database/DB_result.php @@ -251,27 +251,24 @@ public function result_array() /** * Query result. Acts as a wrapper function for the following functions. * - * @param string + * @param mixed * @param string can be "object" or "array" - * @return mixed either a result object or array + * @return mixed */ public function row($n = 0, $type = 'object') { if ( ! is_numeric($n)) { // We cache the row data for subsequent uses - if ( ! is_array($this->row_data)) - { - $this->row_data = $this->row_array(0); - } + is_array($this->row_data) OR $this->row_data = $this->row_array(0); - // array_key_exists() instead of isset() to allow for MySQL NULL values - if (array_key_exists($n, $this->row_data)) + // array_key_exists() instead of isset() to allow for NULL values + if (empty($this->row_data) OR ! array_key_exists($n, $this->row_data)) { - return $this->row_data[$n]; + return NULL; } - // reset the $n variable if the result was not achieved - $n = 0; + + return $this->row_data[$n]; } if ($type === 'object') return $this->row_object($n); From 96a4ca6605d6a8a94eea96ed00ab1cf31a8cdd35 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 23 Oct 2012 01:11:48 +0300 Subject: [PATCH 0165/3829] Add a test for issue #273 --- .../database/query_builder/like_test.php | 16 ++++++++++++++++ tests/mocks/database/schema/skeleton.php | 3 ++- 2 files changed, 18 insertions(+), 1 deletion(-) diff --git a/tests/codeigniter/database/query_builder/like_test.php b/tests/codeigniter/database/query_builder/like_test.php index 5f3e5222878..20ce5d99cb3 100644 --- a/tests/codeigniter/database/query_builder/like_test.php +++ b/tests/codeigniter/database/query_builder/like_test.php @@ -87,4 +87,20 @@ public function test_or_not_like() $this->assertEquals('Musician', $jobs[2]['name']); } + // ------------------------------------------------------------------------ + + /** + * GitHub issue #273 + * + * @see ./mocks/schema/skeleton.php + */ + public function test_like_spaces_and_tabs() + { + $spaces = $this->db->like('key', ' ')->get('misc')->result_array(); + $tabs = $this->db->like('key', "\t")->get('misc')->result_array(); + + $this->assertEquals(1, count($spaces)); + $this->assertEquals(1, count($tabs)); + } + } \ No newline at end of file diff --git a/tests/mocks/database/schema/skeleton.php b/tests/mocks/database/schema/skeleton.php index 18e1ddd4dd1..fb9aaefeeb0 100644 --- a/tests/mocks/database/schema/skeleton.php +++ b/tests/mocks/database/schema/skeleton.php @@ -129,7 +129,8 @@ public static function create_data() ), 'misc' => array( array('id' => 1, 'key' => '\\xxxfoo456', 'value' => 'Entry with \\xxx'), - array('id' => 2, 'key' => '\\%foo456', 'value' => 'Entry with \\%') + array('id' => 2, 'key' => '\\%foo456', 'value' => 'Entry with \\%'), + array('id' => 3, 'key' => ' One two three tab') ) ); From 348bd1e2623ae13ef0dc576464d98eb3673ef15a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 23 Oct 2012 01:24:11 +0300 Subject: [PATCH 0166/3829] Fix a mock db entry --- tests/codeigniter/database/query_builder/like_test.php | 4 ++-- tests/mocks/database/schema/skeleton.php | 2 +- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/tests/codeigniter/database/query_builder/like_test.php b/tests/codeigniter/database/query_builder/like_test.php index 20ce5d99cb3..2736fbe0b48 100644 --- a/tests/codeigniter/database/query_builder/like_test.php +++ b/tests/codeigniter/database/query_builder/like_test.php @@ -96,8 +96,8 @@ public function test_or_not_like() */ public function test_like_spaces_and_tabs() { - $spaces = $this->db->like('key', ' ')->get('misc')->result_array(); - $tabs = $this->db->like('key', "\t")->get('misc')->result_array(); + $spaces = $this->db->like('value', ' ')->get('misc')->result_array(); + $tabs = $this->db->like('value', "\t")->get('misc')->result_array(); $this->assertEquals(1, count($spaces)); $this->assertEquals(1, count($tabs)); diff --git a/tests/mocks/database/schema/skeleton.php b/tests/mocks/database/schema/skeleton.php index fb9aaefeeb0..2226835c4a9 100644 --- a/tests/mocks/database/schema/skeleton.php +++ b/tests/mocks/database/schema/skeleton.php @@ -130,7 +130,7 @@ public static function create_data() 'misc' => array( array('id' => 1, 'key' => '\\xxxfoo456', 'value' => 'Entry with \\xxx'), array('id' => 2, 'key' => '\\%foo456', 'value' => 'Entry with \\%'), - array('id' => 3, 'key' => ' One two three tab') + array('id' => 3, 'key' => 'spaces and tabs', 'value' => ' One two three tab') ) ); From f5f898f8f30968fb36413a14de2dc6a4599b79a6 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 23 Oct 2012 02:13:29 +0300 Subject: [PATCH 0167/3829] Fix issue #779 --- system/core/URI.php | 7 ++----- tests/codeigniter/core/URI_test.php | 12 ++++++------ user_guide_src/source/changelog.rst | 1 + 3 files changed, 9 insertions(+), 11 deletions(-) diff --git a/system/core/URI.php b/system/core/URI.php index 6a8b1a5acb3..15e6a559908 100644 --- a/system/core/URI.php +++ b/system/core/URI.php @@ -165,11 +165,8 @@ public function _fetch_uri_string() */ protected function _set_uri_string($str) { - // Filter out control characters - $str = remove_invisible_characters($str, FALSE); - - // If the URI contains only a slash we'll kill it - $this->uri_string = ($str === '/') ? '' : $str; + // Filter out control characters and trim slashes + $this->uri_string = trim(remove_invisible_characters($str, FALSE), '/'); } // -------------------------------------------------------------------- diff --git a/tests/codeigniter/core/URI_test.php b/tests/codeigniter/core/URI_test.php index 60ed1a4e936..e2deabe5118 100644 --- a/tests/codeigniter/core/URI_test.php +++ b/tests/codeigniter/core/URI_test.php @@ -40,13 +40,13 @@ public function test_fetch_uri_string() '/index.php?/controller/method/?var=foo' => 'controller/method' ); - foreach($requests as $request => $expected) + foreach ($requests as $request => $expected) { $_SERVER['SCRIPT_NAME'] = '/index.php'; $_SERVER['REQUEST_URI'] = $request; $this->uri->_fetch_uri_string(); - $this->assertEquals($expected, $this->uri->uri_string ); + $this->assertEquals($expected, $this->uri->uri_string); } // Test a subfolder @@ -60,10 +60,10 @@ public function test_fetch_uri_string() unset($_SERVER['REQUEST_URI']); // life to path info - $_SERVER['PATH_INFO'] = $a = '/controller/method/'; + $_SERVER['PATH_INFO'] = '/controller/method/'; $this->uri->_fetch_uri_string(); - $this->assertEquals($a, $this->uri->uri_string); + $this->assertEquals('controller/method', $this->uri->uri_string); // death to path info // At this point your server must be seriously drunk @@ -72,7 +72,7 @@ public function test_fetch_uri_string() $_SERVER['QUERY_STRING'] = '/controller/method/'; $this->uri->_fetch_uri_string(); - $this->assertEquals($a, $this->uri->uri_string); + $this->assertEquals('controller/method', $this->uri->uri_string); // At this point your server is a labotomy victim unset($_SERVER['QUERY_STRING']); @@ -80,7 +80,7 @@ public function test_fetch_uri_string() $_GET['/controller/method/'] = ''; $this->uri->_fetch_uri_string(); - $this->assertEquals($a, $this->uri->uri_string); + $this->assertEquals('controller/method', $this->uri->uri_string); // Test coverage implies that these will work // uri_protocol: REQUEST_URI diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index cd503785c7a..f0a61d45df9 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -372,6 +372,7 @@ Bug fixes for 3.0 - Fixed a bug where :doc:`Email Library ` didn't honor it's *wordwrap* setting while handling alternative messages. - Fixed a bug (#1476, #1909) - :doc:`Pagination Library ` didn't take into account actual routing when determining the current page. - Fixed a bug (#1766) - :doc:`Query Builder ` didn't always take into account the *dbprefix* setting. +- Fixed a bug (#779) - :doc:`URI Class ` didn't always trim slashes from the *uri_string* as shown in the documentation. Version 2.1.3 ============= From 8889db7e1b1768ecfb76e9e73598541042a9edc1 Mon Sep 17 00:00:00 2001 From: dchill42 Date: Mon, 22 Oct 2012 23:16:26 -0400 Subject: [PATCH 0168/3829] Replaced evals with getMock usage in Loader tests Signed-off-by: dchill42 --- tests/codeigniter/core/Loader_test.php | 24 ++++++++---------------- 1 file changed, 8 insertions(+), 16 deletions(-) diff --git a/tests/codeigniter/core/Loader_test.php b/tests/codeigniter/core/Loader_test.php index a8a2de78f90..f7c338a209c 100644 --- a/tests/codeigniter/core/Loader_test.php +++ b/tests/codeigniter/core/Loader_test.php @@ -264,15 +264,12 @@ public function test_load_view() $this->assertEquals($content.$value, $out); // Mock output class - $class = 'Mock_Load_Output'; - $prop = 'output'; - eval('class '.$class.' { public function append_output($out) { $this->'.$prop.' = $out; } }'); - $this->ci_instance_var('output', new $class()); + $output = $this->getMock('CI_Output', array('append_output')); + $output->expects($this->once())->method('append_output')->with($content.$value); + $this->ci_instance_var('output', $output); // Test view output - $this->load->view($view, array($var => $value)); - $this->assertObjectHasAttribute($prop, $this->ci_obj->output); - $this->assertEquals($content.$value, $this->ci_obj->output->$prop); + $this->assertNull($this->load->view($view, array($var => $value))); } // -------------------------------------------------------------------- @@ -397,17 +394,12 @@ public function test_loading_multiple_helpers() public function test_language() { - // Create mock Lang class with load stub - $class = 'Mock_Load_Lang'; - $prop = '_file'; - eval('class '.$class.' { public function load($file, $lang) { $this->'.$prop.' = $file; } }'); - $this->ci_instance_var('lang', new $class()); - - // Does the right file get loaded? + // Mock lang class and test load call $file = 'test'; + $lang = $this->getMock('CI_Lang', array('load')); + $lang->expects($this->once())->method('load')->with($file); + $this->ci_instance_var('lang', $lang); $this->assertNull($this->load->language($file)); - $this->assertObjectHasAttribute($prop, $this->ci_obj->lang); - $this->assertEquals($file, $this->ci_obj->lang->$prop); } // -------------------------------------------------------------------- From a9d98ceae9ebec711af9801dce7e43e85d5dcdc1 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 23 Oct 2012 10:05:31 +0300 Subject: [PATCH 0169/3829] [ci skip] Add a note about routes.php not being a filter --- user_guide_src/source/general/routing.rst | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/general/routing.rst b/user_guide_src/source/general/routing.rst index 45950fc116f..c039370706a 100644 --- a/user_guide_src/source/general/routing.rst +++ b/user_guide_src/source/general/routing.rst @@ -47,11 +47,16 @@ segment of the URL, and a number is found in the second segment, the You can match literal values or you can use two wildcard types: **(:num)** will match a segment containing only numbers. - **(:any)** will match a segment containing any character. +**(:any)** will match a segment containing any character. .. note:: Routes will run in the order they are defined. Higher routes will always take precedence over lower ones. +.. note:: Route rules are not filters! Setting a rule of e.g. + 'foo/bar/(:num)' will not prevent controller *Foo* and method + *bar* to be called with a non-numeric value if that is a valid + route. + Examples ======== From f837ed97b98f4e05b4cc55938c1e68bf947280d5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 23 Oct 2012 11:10:59 +0300 Subject: [PATCH 0170/3829] [ci skip] Drop cheatsheets and quick_reference PDFs from the documentation (unmaintainable) --- user_guide_src/source/changelog.rst | 1 + .../source/general/quick_reference.rst | 11 --------- user_guide_src/source/images/ci_quick_ref.png | Bin 94476 -> 0 bytes .../codeigniter_1.7.1_helper_reference.pdf | Bin 499087 -> 0 bytes .../codeigniter_1.7.1_helper_reference.png | Bin 67388 -> 0 bytes .../codeigniter_1.7.1_library_reference.pdf | Bin 666910 -> 0 bytes .../codeigniter_1.7.1_library_reference.png | Bin 111747 -> 0 bytes user_guide_src/source/index.rst | 2 -- .../source/overview/cheatsheets.rst | 23 ------------------ user_guide_src/source/overview/index.rst | 1 - 10 files changed, 1 insertion(+), 37 deletions(-) delete mode 100644 user_guide_src/source/general/quick_reference.rst delete mode 100644 user_guide_src/source/images/ci_quick_ref.png delete mode 100644 user_guide_src/source/images/codeigniter_1.7.1_helper_reference.pdf delete mode 100644 user_guide_src/source/images/codeigniter_1.7.1_helper_reference.png delete mode 100644 user_guide_src/source/images/codeigniter_1.7.1_library_reference.pdf delete mode 100644 user_guide_src/source/images/codeigniter_1.7.1_library_reference.png delete mode 100644 user_guide_src/source/overview/cheatsheets.rst diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index f0a61d45df9..0aea3bb32c0 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -53,6 +53,7 @@ Release Date: Not Released - Updated email validation methods to use ``filter_var()`` instead of PCRE. - Changed environment defaults to report all errors in *development* and only fatal ones in *testing*, *production* but only display them in *development*. - Updated *ip_address* database field lengths from 16 to 45 for supporting IPv6 address on :doc:`Trackback Library ` and :doc:`Captcha Helper `. + - Removed *cheatsheets* and *quick_reference* PDFs from the documentation. - Helpers diff --git a/user_guide_src/source/general/quick_reference.rst b/user_guide_src/source/general/quick_reference.rst deleted file mode 100644 index b9108a528f8..00000000000 --- a/user_guide_src/source/general/quick_reference.rst +++ /dev/null @@ -1,11 +0,0 @@ -##################### -Quick Reference Chart -##################### - -For a PDF version of this chart, `click -here `_. - -.. figure:: ../images/ci_quick_ref.png - :align: center - :alt: - diff --git a/user_guide_src/source/images/ci_quick_ref.png b/user_guide_src/source/images/ci_quick_ref.png deleted file mode 100644 index c07d6b46970bfde2affac0e50644db91414e41c0..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 94476 zcmXt2Pe_cIrb)_ zI1MAKa-!5}oaFoR{``LaaXXyX^}6PB+@Fu@hO4tJFSiso2n6CiZfE5V0zudy5OkRn z3jF2O*X2^+7e^Sz2?KnZn{n~h0X|D!wD!K}aX$3om4Mg~5GMG1V2Hx;$bhgA_mF_# zt1&|%ra%iISH~09dwY9p8+)HxTM1cvz=JPdyx3&!ecRdl^?MJEMw^?PCnhE~J$zwo zVoo3sE?i99>g%J?Xy51Nwzjt1`co+sii?ZO>-jA#?ga=0j);iJ%*_t40K zyuAFx!~}nRP`)fA-}Z`0?Y1 zmX_8fAD`fm^D?sXC=}|;)Le5)%9%5Ma&mH>Uj8ro_ZU~Mm}qEVvDi1YwF}F8+uPga z_xBz=crZCRd9S?L*3N~Pl=HH4OF_w81LaL7lef0_hL0Zo_wOH@%@z<47%eUJvam>) zt>Hr=KYsj}cmDk9>Z+`mSXXZD{QSJSqGDS9UQ^QY&!2larF)@HP7^bGJ8PetAMcT` zU5mUjM+y#hI$4}-H4FTF`}S@9R4Wn}__@}i<*TwL5WHMMWwzU}Ml`|{-rCntYHL&N^ce*IQl zTw-Ko?CtHXq@Z~Cu-dh2*S>GDB_t%EP>!^;bO;1uZEZ6%yYTGUvp;|K5C{bO?_O)$ z3sci$kMB3}@db%GdMIMEG*1gT&k{VX1;iF^=cw7FW=kg z>ACrZq@*Myl1Ech>)0`~-Q7Jpoo-=aF)%nGB_+Ku@!cES{PE+~{f6e9>FIA16Bvxe zsZ*!v-4iRTTNn(6wek7j!Gnp3gy+wnA33bH@O{J1?zowmnZCZk#MV2kpWo4=N0XD2 z{r&wtJv|HZ3(lWEpOcew^r(44LV}r@IX)rrV{>ytLL!k!-2MG$VsfFmxtT~z;^X6^ z)4NMcOD)aOy1Keyp<$06Jt`_HLZdNtb@i7nUWz$?-q+Xn`STZpj~`oFT3KN%Y%HxT z(HIYp6K1BScsxEKKHkyZ;o6nBhs`gpT!~91q$ClEqoboV8vSl*X<6Cbz`&r&%Bt$> zY7GsI$t?>e2ppMr+zN9djuD8JfK_3GAp}q$c2NdaMfie6Rmbmt!rlV@Ll`H7{P!7B zi(hj?ac}S};{2yQ@1@A0$B??KP>#uPhCB>f#F{Oox^DyqoO*Oa_u4Rmll+ou&JEXO zHipzqjt%Q2e(&WMKv&@sMR>d!UK6!-cX9tp>JQ5+5GZwcTlL23@HHb_+YUlikY17C zneY&p*qC~&{Y{eHnz4llWcFxMv49Dmq5$ujMS+RQ8j<50&Ey+R>ULApHvxtXebA0w z;&k}pqnT+jeV|JM?bNLe-n_xU_CPG*<_h@tajcC7G`Sd5`JA4|!UhRdVm@IA#gZ1M z=`b03{uM>X2gmG`#fplX2##wT5DHe&_l>HAByPboqpPr%Vnp7bkM2Ac=3^^Ot%CC~ zlOz;#I9+gLF*2k;bikLxanq9vHc8!zgpG1@DV$`XLH6wTXcI2YMNW6#QP&vsqZTv~ z5*=knsKsLwCSgX>Pg2y;N*kM>$<_#J?^F_R5QSX+3+x=ZTPjv zX^n_BVu+!|v8L@*F2W;gl2yPTnm$pf`zqHu*YEt^l>%z|LVgSv_V>ExuX>E+B%I9;PMVPSynBjG)t1 zh8^0F2$EHm{^Nie!+%s@iHkHK`~+F%X;zj^f?{wY%`Iy- z{@sDl?_Cd-uK62E9b`g3^PP8Pgh@EDt8ns1eiNm*w^{ns#v88|;rB^;ZfGVKRV7Wd z{`_$i6WBtv$h^frSh$TYO-R?yH<4*Pv>f08K0hu`t^`{R?Bb-Y2Rz8oSvsfCTEkngFwin|VT z7p7J&;qBsaz!5;55kQQDZC9V>lzRx)?{sa1hM$7ft$PpVs@!9lbsR}4V-crX(3+Fy zt^y}Wk6A_iN#qTU+c7gi&V&zIp5HoTMJieJK}Y0Ftx&q}=1)$Up+NyLV2Wsn|AzMl z=ZIqr*J8iZ;rfopF0mTl;io)LEN*y%9&l|cLJNGNe+=T}H9*enY%(|Zj3H>%C7O}L zg6k&|`VyN8s)7Uu=`3{TOYQMn_gKv5l7Sxt`b>k#1Ja#ua~|cu>W*XY^E82O7QGz7 zhgJ^bfrGM~wBa5;AXQQ<6GT5~Mmdsy2O*X|7L=-b9If{v*W^w1fA7QHCuX+Teg`So zKpu%Dt&b2y#i3MP6t~T_Qp5~js^L}z6qT*Y+%>iPlpR9Qd-<|NCS|*wqicVYd7oMI z#-1;CCKEYRn+;ONw=` z6~QQ8o%nKp4YO)@-B5GWX0xDE`}>@XG_|3tl67gttR>_th0inGn@F?;IVv*mSU6Ri zp_V~ZY!rBMnYSKZIo=|o%6%$`R9S@n-;>^Hnpi;*5$drq6B*i7VY0vDcw07S^m`63 z#uY2sLyyx~G02L~?{;WeiIWy6?+@}#d~=4ZaY!@P($i6O|3pl}EPq8P=Dzvek=Cbu zyos!I&dA5Mzt|N!v24%Ig`KO%EgY4~D{GSoB=*Jo$xwXC`*LAt8KfEGB+;W5#nFAq z`$Hm5=LiUU)CYis`LLnk{mIgcFYSU92zKm@lvE>h^{!_{0RP3WfKRACt`^St32!cH zLGXT|tv@A?1ff3(DfIj%2e>HraZCek(Wkn2k>eaugMsOXV9PJCpLKYzD_C{BwRK=0=V^%{ zulN%5!cy{C&lMfUxE0$VsQeD| z+%88klo8fCRHMoyMOaP5-%sr^WGZRdlWOskf&Q+s{d1a}Ziq9M&@;bzJRJWsF9(>1 z(vpx52s1MvtnMKNk+)M|v5*Ryks~~Y$CCb)?YZ+ImZiiz^PsNc-Zv{WfGgNDYV(@J@JsO7MC zJ6VAJxH}ICoJx?(3rqqm4(Mknr5nXb3Xs@Cu1?+V@G43U6ih|TyUm4cy?Ajv^6~T> zjzY3KYfnws9iz)^s-J9(DR2E`eHqEwL(!znPODW&r4&ZrKAQL7aK)&3P~z}Le}b0k zyIy6;wq|bMwr#q*S9rIz)oB@jW3Q(x?ECAi-L!@4${#&HT$`zW zMoDC;HLyFBKaR`KCvwxCOE#hey0H?y;={4GIq}dOR}qKnlT}q)FIan3S5`M%O+-zM zB!sj6Sj#SF?84$s)Xg6>Cn>lm@0R(#ReOIY(E7}h*awSAeR?!`;*HOa(!b>0>T1%a z`r(gXMoX@vlDfYdNTUxnPYE>n+?0e8`3~o1TVe*xqKNhQVLMO_x`75f52{V`+MGbss(&^(6)^xUUtznT#>>N!8lRSa?7G zqV(k|qs`oKHD}WtCSZSE{?s7h=C$Y+=nWTDL_RlGVu}j$>L=e+C>RoWm0ugQBY%)d zx_Rj+U}0(>MHdF!dCh9-n;JoE83=s_q0H5FoHy(SXs8Ee!w3t!8K{j6=CV$<0jVa! zTC0;fh7>MshuVcJpzH*2=J_{PsQj&*8|b1R0@78qSD0xtyJ4OUYn5d2w9||$91rYw z;CGife75e;1jDha1j~8$@}ps*5T7H+2PDZ{(lD%%q-Z}LXygQ zhj()q z=5@Dy6lDvI7Ka{4T{zJ0xdd72Zr@(MGk&4u{GfA9*6*SALpxF8EOBtM9h>%0j?xMG z)SXgF51iqfOCIlYWTTh1iYN>6 zxDN>NMZE!g2)hny=E9o54ve&hlp6d|f!93sy4+KqkR-HK#b_|%>@M-tLGdSbzGJpc5y=clOwzjjQ?yO44*lP72gMHOV)d z(Su?hwP5WXBn}y=4|SEj5&-}!LPv+uat?K?#B(rwn)q)AxiVHU-zW=X&@r9aP+RoJPA8-8|5*tC9!= z*0LIJ(A{t{PO>0tQO3*no`9F6zzc;bGsFi9V$-S)e|_?qrV&$IJAVzMa)~%3>kZD= zQ6{!RRyfexw+O84>RO;bQrfukG}zE;|6fyY;Vz@9(yy*|>{zRe5nd*hU+T-_G`;wn zgd@8Lwp)nVG>dzRBZ9vRg`=-8nB`FSqo=rOGm5|p7%s=D+pwJu<%)?hcI95aB|U}n zPk}v^61zvV*8s-tmk^jygYj^^Rm{TZdXuUAW*y+Slo*ckw5>tc#dM>uN4fOIKk#-A zrzHce5}xRW1}G#~ppvTiZ69mKOdoc>tX}r7O#07WTGyOAqvq|LFyugR+!8W4_fGjH z0%Q$(VZ3_eXt;3Ug;y7aSRvTj^jk0Hn&m2&WuP*N2A6+xK;ma3?v5$fy5n5-dj46x z=y*HyypUyc3e|ovS@D6wx%710*p-=Zt-8>}$JV^B?;u_j|CId3@``+cpF98XLgJ|( zGGTj)pi5!(J!npjmk~)aNxcEIcWSO>=OBN3cde%P#Lu)lmEP;{^y`yKnmg{NqExtA zgxBs47qaGsbmkrL<2+l3-Vqn3wzWC9@*T$pKw~7+4KU|M*Gv`fY zKN*P|_;&^*XvdD$2*ZtbBl&_7g0NWrEUMNxO;nXp#`(`n%t`4&Lfx=A9Pifz5uvATLS&1=&~hvKkWN3oJXTslDS~Pu zTvV;7UV{1Aq>NFAZlA@6m(~&H)kcPg<=7SMj{Pu7u$a~N=pA~A^EmsjWzE|()cGq|T{Y@Cw+w6;S9Ia+a#)=F)cY{KHQT5y{)g0wo}Qpl zr8*|OT9RmH5xHe~tSW*hV(Xkb$+x+CdAYI&DJDt9Eztdw9y-jozAP~XTw7x1Z3OY^ zO7BUDlZ3uZ8Hz^12gw5;OrxGXi&`#xrfH)#c;PgeE@PwQmk=^(#2=S$^)~&ExcA0R z(!f<;->U_Zbl{XDoET|F_I-KcMPF70JT62%TZ{*N<)NJQT+(ml@InqhD>Svi-oli! zB%f_uYk5+~bqXLS3RCOta9)MTc=^1It7z7OT!Je5(IA>3y3_I(34k&@g@+L9VU1QM^B~MLR}5+vP$-De($xPEYQs8efxJ zcQwnoKn9~hZn{jQx;Cops9_1qcKY9>9S{dtjZr6tbp)d1Z{hrpXL`rLe!ryVKtUYX z$C+-RRE%l~MqIXy8%{s=^Mysl_;V*G+=jc!rA%_qUa8rygtqhCCvM{vqt)$}?p4En z#hgA8wtmA5q$|puaxBY{@Cx%L5IBS9C`Bt?Lmz~Ozio5|QeWPQO3L)O#VaAsZob4# zbC&!B;vu1_l@hskPUs(oFYN8X^8W0OZJa%8pzk9j6l)ZBrF_$)aR|Sb;8cPEcQHhT zDW06R;qNabwl08!PAEyF*z&OxDLH=0(g(vn1_k*?+Qln=k=xzy^>*wpUawn-frbV zs@HQVjUM2!pA%4ke>ZDX)2ksJemG687f8KHY31>p;4=boDm=rLBa3LAokZMTZG(`y z9urFPSfe&Tthi-hz#%nMW%j7AzofbxXCTsakm`oN$a0=QU~r{h0YafpWNGM>uwnp& z*Iml0P#o>%=5Y>iWgt|79_}o5%OAMpak7Yrkqcvl!Hxr|?)^NLOF49)_bPOy2n_jM zO1_DPA7Lt4*-V=`gZ^_5^;uk-KHw1nXq5Ic#t|g6GbE z1^LwTu@`c(cU;5D)}J*r2vLYtSXy^%HpW}dY&+h$U{w!wwLJ6|;xZR{**9=e(Wsu2 zB!T>ib!LzMI~yPWX@lEJ|Kom8n4W)KEXK3kezE<<6m7;wDLmdkwZ3C{Sx)L+O8%dJ z-Xrm17?Wzi$yVAkyg>dX4Zu?3idZRqXiJ10WW58u_*TG$Ej5|a$Jeg$k2Y2Aa`(3N z`(p6i-SuGX*F5oLF3YK|JEq7wD6}q>Oa7!USODDdzZdW@;^b71RkXr~a~b z9zL4#*!tEec7zKEk3Y(&@i?=SzLoH_xATfYNiVjkf16)+tf{~&`| zZ&j?pJBcB%O8#=bPmrzX=`Ph)l)!xKx3BYmbfX(Q4(}6LiVM3lm#t_s{cq8c{pl>0 zJO4d~!=52-B?dp>jAg8UAbE+30MjqU0^;fTV^aWrsK)sVdp{u&%uy{n_bck~$^lka z?ws9+Q^2klRTB4eh!NlZ8XQIL8AFE^5VN6#2u@fzXMa%eNA4B6vjc<~4GWA>@>8-g zcAz+mlbr`Oy~R(}?s87zc^4ZGK{jdPcFNL83=_199HGL1GL~~lM?2>63WmM4HZL+ z2kmO|fzXL#Tvagbu2bJ~cTZInk4Ym>>^J1!UPp9Zq%r&YNbE*w#a@O z19tywYFb#R=fD=!AUal%)e|oi$I^{vH5C*J4$7=1?F35~qT2vY-ZAx$1}1wiJzpYTBkv6j8Cyp!^GKMpU`)vwygT~QycRzx7QI$Rngugyt=RdxiO6WT; zdNlEE0YqP49q%nINhdZ?B!i?6QndykW_-|FtXnP|L3%c2r}(G4>$?viB80xuM({xm z<=KQhmZeYZ*yt!EcPhasLsHn3X4QUoaw(vRKYoqM+KW@FDDJOt8x zf>Yw_pIlpyfwg}j<}LSQYg^khkXkELU2)@*8vIjiA-V^xQcaZ~6)Ml@SdpB1pCcc+ z#oxs;i#sA+DcFpO!$}u_fJK#GU$Vv;x@N#)8;){VI&(np{vGFhAWFW5t}?+M7xfwh z@i*6G7{rwgPcf0-XrBJn^xJ>$r5V7tOwbTsl z=IrcY;0yryz?50U5ovqI71kB(?NP1${}0nHh|oaC>UjCt&96e0ofOf#{dYx|?(?d)2qumtd*K zyfe+2=QtTj*;zkY3)X`db-|&~4Jm_${loYk=WkQsfJ?8zpYc6uc|t^tPFVa^alP3D zNHt~*_(?b5q#GsVBORSV$kRPGm-g+$QD*tkV=J$=gv(iD5j<%L{|(iN{mqYTee9FM zNm_!Id{!tF1PS-9!%LE;n*hhaO}-nV@GukAh=Ou@KwKTc=RI$OTjq^m+M{!rh z$g0ph;C%}MbI-!G9ooSKTlY0+D#tXKrI^qM7=1|G6R9GWk~cw?7&jSvj1v4Ti?;)r z%hRNmdV=vKC-zDmeo{NDsY!=NClJn~VB!74)aa$If?HDd8_Nh`*NyGmp>*;ThVp7WI0H7XjRgL#9O&i9^zkNdNfX=iB z81uK@M801$cKKqIqv&8n858C^zMLvJ7%3P1tsSi838~$E%b9P$U+oUkzsf`EL3~|4 zScY3D-d;IUr`wX048)CD=~S%^a(kE-!>UAs|`|MJ9)feS%0 zE;9FuaL_!CHsPN$?DEZLN8DF~1SBbPjS*Uy>l@s3$>N4&FxskUDuq zs`Y`?Is4*Cx&c-Lb?wEMNe&qaoct54{KxNt7&9>pP+og{bq4d{?<5z$`?jt+e(aN_nMt$i+|!L%j3vehPLQ@PrqHM_2b z+lz~!ZS63PA;C z!TUY>+tsT?<>wM*k;LbI+j@m0lez~gP?Boh1F}hY2cpPju=EXtQ^A`t0jtFwt>si{ zQ!R9LW$^QbabvkSWG}#bFKcKBUZ!h=PF9V3FV>Y>bF|JS^Q}?OHywC5)>9ubI@qW* z5Pl!(Xh^=ewRZEwmz`5OH$UgPUc3qY@tIu6Hf2O*{-r6O??u|Dt1)69(n7hEiUGml<%FA!b=ga+CrDX+1TVi}{ouvqQnQ<-+%*c$I+ z42wy#yd9e$fV$fWg!#*qs@gtGpH?oR{xWRMG(^nwxqIuB*`U2rI71xab%e2ONo{t} zTbx$*%tZm=%r7ICc$7mNTGJuURGIk(mgH$qpGx3BsrR-OVRB4JHM?~4aj1Pnp$R#N z6!+)|=18n-Ws6nW0mLZ6beQqihM`Oqjyv=Fj1Rdu9dV4Q3vv4JICy2UfHuTyAS`3MRSKYl<5rKrj>zkOv0{7Fpw;<^hd|P{m-O7 zn>K65M8^clxiXdpX1}Yz7ELqxj=dPvzWMZ&`}z39Uu8}(|L*(rL+MnUc&m$e?@yr_ zYRD2)oAxFSGvu2)fmHnnngZAAVUjAza;>#@YT;iG0|t!tG3;xu>2ml{ADq0N9GAvj zdRm&huhsIgWRXkG=r?xpddv@wY`=e>;-%6%k2sw+(-)pQWdIa(?#^NZkfZ1srB#rUGb5eRnnDtjC&}p*`iZk4qH=554ngJcbyS5Dy`!KoHulNCf{4hX;zpRRN z^*qN`p$cF0Va}e{F6wuso4(qFA1Nh0Fg;Z9D5COP*|+US5%G(^RWX=6Azc9f+++E4 zB4QYI^EjY%_$paPS zuRqq44TfZe??z!$`)M5jKDnECxG9zc-ik-}6xN@raUw?uIf}Q9BSB`hj-deOV)Xq} zIL>a;0G!w@*;Hpn*y4!`*l4uR02d>(W_)OoCxS*QjNpd6IqFAy#h0P5(VGyKh#`}q zhbZ3>@6ez4#W?QHIl2SDpEe2<33+PDahgZ6PVnk$zJY|sG3{m6Yf@u9 zQ1h&R{<-oD^kafPMt)wNBL?f&_aNQpdiIxlVURbrEzF^W)F3k--0(lLoSi~i*q(vl z8UKYXkFQ~}!9(J+D%?j%dtG%q{;D72Tvdzb`A3A}h404?{j&tEjd`cgB{;hII%_0T z9Kn{fcRv$T&}I12KXsEW9uA4NG2hIde>7_~KltcK(Qor-ZpS-AE{90j^BWs)J|9o@ zfBvQ=(G(|b@q#mP!^(H_^q4vsGzj*e=QiP9a>Us=DFp00fX zcXT3d$C^e>{PX{Gct7jcj*1SyNwiNCbG^i!`E92GP@rivk-Pcgc_dYtmVNM$QrjX} zk!k@?eOMj+s$J=Nt*JWd?htBFH6}(o`fja#EbTUH;s)`UGXHl0)u)HGITuXFAW=J@ z9R>BjMb>rYj?Uh365k=APzeCQ77Oz%A`NHhzL)-VK!DuyINP@lW19&SCLe>- zm3SI<=mWV#L8}PYT6}ayQNc};Pp&B+52tJDy1UV#30?reQJvWW(lj~9d}Fn8B3}v1 zhllX@f-1n)@>o7A#FAu}Mm1gr)ttPa*`D1&GYoU7T2M0*Pr|aK5ilkj&(3BJITtr9 z_;DkyoK>-Erb?kdP{-er2AtDfd8S9+uxX#RYk5Y-O5xw_*pnE-iBU< zi7~Z)2+!YA9rObD9Z{bNRdSF}y{~4fH)ZzaQN&qlM-))=O`vB36M&;xBH` zRK0PIEUO$UQ61*-QkD4u(cRPpomsDRW(+(j%)*c+B&qgJ`It#$>)A1f+eCgVrB&|j zhgyRchGq!zGhHinL13zZ&Ez_C`Cfn?lb=Y{>fwd!Sn4r@{6}hQ;UY7rB@e{dVv^T` zA*2qa{_FkUJsyuAn97%{##cz!J*mB8>aDH~v_boLs4(jU>P%TAjV{yrs+HFn^`wy3 zsE4 zf7)*CKz-X$lRmeT9m(qMP8>vD7E+yFF!*YV8N!cBWV8C@mKu6IoKXh|NY0F`VY?xlZy2q=&Jo@iNd5cgw}F#?mO6&S zRY=b%A7DQLND7L1E<^W;WY2gXVe{{_TWU2PTP@v4xSa5`lW&T8zWPIVk5b*(#0QJ# z4MT$k11T@92l}i_(*^*bH&x{3{3dH4R*yNolquxY5Jd%c93W0vb(EOAYWR?$@plry zG)4Q# z@HFOr%LXsNV4Q%s$ut)l00eLszk`|&x;=e_P-a>>=Tv?(?gPLY?V1Z>Zc!IfI?)Y1 zwi5~TrTwk=>W8W?o0@3Qtr8ZdT3e5)4we1~066F+u{lryn^q{7QP!ekdcFmuPIwtx zZWbxG9aj&13_*w z8cv7}?cI`mDv(?PscKH`E+&_Cch$-0R{u}TIT`O6<5hZC+tnfV1rw;Xo|DmPWJTB= zLVud~jAX>B@$OJFz@0eD5^8ye4!U{RY)Qy!Udhx!!?oO|&E!d>XX17|dMz-YuODcY zTt^?L(MNjeNWBj=HkbFc!%KM0QlT?fB3*-}r`}B&5zh2do}Xq&Mjnv{tn}LXTT@-) zhmgU3;??7l-iwVx7h+3t%M*Z%8h`+rPaZPs1`WD#=64PT0tIz5VJCPT196gzr>vbE zYCezQ+m|7io01jy=@%W@6`hxR^qE1CJLEdNv)SMuJP?PyYaCfT=;G!gu0Tk=&IntD zM|#{bp5TqhdAnlfl64Gk|JI&Ir_QINfKVhl8bm1KZOtl>!kN=1QJ`x*+WE3)CAfRh zHm!jC>{n{gr1hYJfP{(6R9BmMsK59QV&!8E3OrB_ZH- zR~d#zV-K!nV~+ojLE)sLW6G<#?{$>|#g}pVv{}&rNW0YG-&^BWmkkSh_7I@u{yHh0 zt+=VGfD7vh3`GQT*rJHd$Fd=Zs%I9XEuSiuvj7c2Q06pPkH#f7otznSmRrZ@D2gzP z>mD#VEU^aWBnRAMxsdoi3&7>wV(*;|`_5VJ1(VN&8h_>PB>_WYmPxGQ7E%w+XzmZL zD6(H@Tm<}NMZe(Sox=rvsa&xO+SR|$i%ZGL$fK;L{}Jwuzy;7szA@gbV9|#1{ ztbaKFq7>1Ky#hTrwYxSNiE@_}q<*>Tq4)z09!;5fpiLc&zNZGEr03q}1aiSt{`wZW zVnYP@oY+HX*yY981r%0~d7BT|yB&{zreFqC0JrQs0Ws*i|8f>)Kpt-)OdQ|{;QX(( zgm_cc=ax}M@HS`!k0Ne?$NQfx7qnfNd*M{T3Uo=TtGvJ*T2 zeKlp4-w9iS)Lz#XE1c%B|EAHveL`Z*?c_-aL%qM7x7$^2E~24k7h71*xxqVtz03h{ zGk)jIAvcYsRL4PFVqE498uT|p&`mg4+sRD^fGN3^fRX}T^)r%J2pt!nI0tfnV;T-S zmXsl}psWrci+!P}6Pu*KJUaKMjhwS}{dZeEY07Xz&e$8gMH@QM+&@Gf8d~1!qjBW} z06T2yBIxY)x1U~Ngl~FI-bRu%>AA1tctF-;v`hWOXFX}6F`dvzqaZT4?zusL%!7RH z5q9SZ>Jm_#`bLH_Xo#OXQ63BJWDW$U(d|WoYacF?ce*%XbjkoD)EK5?mk z{@^i5=jL-~h+kg)_$icJix<|%oObTuNJd0_0ZF^ks1s>d=un`(0MuN_w?e2T*ugq{ zNQj7=p5~3xS4-8c zxB`|vcnD#yL=Fw$!n}`s(60~&7vh_CX@(Cra7e?t2 zAMQuqzA$I)Bm)y@mWQGW6Us~q%(ce$5Zg0)BA}6Fsd1@kVVt#is_vlMbQjtDFAZ;& zXm;A!wJO!c$xpz__*Y{i6vp9X^n1ophHPpE0Ql|V)p);O`yT1jL+_LTf%LrSpo!f3 zr^RKZo(+)*xfQMqx;$sc%HCe(dNH-w{%EMtit|^2azoXw#{n;%-3`NBzZZZ5hti)1 zn)l3T_C0t!^nqhKPG-|wvdY4e=fJHiHA1Iz-Wz0d1#M?0e(@FO#J?`f-5#6Y;EZnU zOnGcEb+W-G-tO`2H?1{O_uex-ZYqo0NEY%?@?7yPt!Cz0rR$e>Vxm-B0boW6BC3&xpu$hi zpd3KR3|SAOaIu%ETI%tc5kF4M76@J(<)%<);CFR; z?Z)XR$sSTCy-&n>zs((wSRs}>B21do(^3%EfCWjPO0B^M8QSD>W-fzkgGCdzB`p9a zGFhyh>DuGt8_-S^*--50H5QQ7l*PsUen-7Z45^VuDgmT49>rzueu~3Aow~(s zT+Ivg`NtMS`ckxA)2 zVr8(3jN2~<_Fm4o!TtkFX{4!3s?~2FTRO49xv}!@bEPo85*vPPCSFcf3E=8#Nxv`A z5JVgyx>n!*@F9Z9)L;$+pfGbocuD1jCEC#(h@$d$k=ojNDXF%(@$}`h=ug zE5Wze6gr~7?f-SFhVPvi$Ydc+;D6{U_MwwPd>LYH@W$gC>69B`kbt9>(w1`#bV7w* zKi4OTC&VZ1&z{k!=Q+N>EdD%s_K>DxPH9F4-Y#KfWns>Q%upx7dCmv#NRb|pWM&7E zpClU5*B+BCioFI3#BIQ^t64Xk*$U7sZ;33zwcd(U(pjDK$jRFWi1&!CsiBOth2}=Z zoCB%N#ahivO+yDhWj=Xjo0~!}PQkA4=R4z(7@|+TkD9}_YuTG59?phsR0Al(cAIdB zGQ+_|x}IjbxMVAr_r?_KQ4y3qsVg1OQ@g0`Jh^e`d%cZl%-{pP*u~p27=($GB>gZ2 zx^g02b^%c`0KK3!7fl%wc%yL0I!U>rNwJuv-_o|7HA8Zan_RT=Ux!O69W494ui&A| z^Uo`r^sZkD7z?!*hMQ;Kv?vzm**^89yNV|w$MXKm3-h^%U$aK~5;M;iPfHR5mYVtx z4}(OYuCt&wN6O+C zcZ>oWfBz;71JRF_WSKQAa#ljmn*)aV_DLnF@?T}{55CGImE2D4dO-z2XN{2pAnn?c z3YCmn?ycudH(QMO9))`wQ-_*6mSLJaw4B*lixIit1YMDl-(WuBt8CZ67LYUQFb}S4 z32*1gVfz%go!A0O*aI8?OGZ7#mV52s+!}HGNX2WXe}^*$xCY;&4FquIbB`iu{khL{ zp~3nu?mRO&z$Ed4?!N2iDopv5CIuG80J)YP3RjM~L8KEd0r5pKt03Rbj@|T@WX=pa z^0TD|zbzn8{T9(4&Cyc8{${t@rSN{gr~#PorJc9j*gVmI(^fa-;KI<<6_ zDnz0PEi34{S|ZXrQwsLELVI)&Y_>qBshfuzUKj95B$zCrLF3LmEGY?x<(_h7+yS4x z1z@t713hZGMbl=lSY|*8YN+Q8+b?NSbhMJTmP3{@W$G$0*i!#0E6=Lp7Lck*51s=e z&F8wFfJl=bo%&QU#`G<>pyF$3Jh)==L9=Fc+xcm$Q{f*mX_~SooG*lA^2&M2>&u^& zTakh}7477O|4p%xjpL}XFS~u^PM=-I-uGMm`S~yEeLDYSk@9`ia~0WM)TcYo`K7xq$fcPEJuowx_?SK`74O^9ef3h@hg%=e=PdVb46gPCZjWE> z7ZYgdzk6E45NxH&%m730oD@B=SSAL&kgw{<=3eZH^+pesFa5>Au^bgO_%AOF_{R-0 zg>sFwQbo)tXz0h=VX#mESdtpU-Xm|^Vr(kB+d32?KOsp_QdUjfeClJVow}TdQACngJ+P6QEz-BouQxM7FNpwC)C1;f15Xkpq_H1()%>BUmJr%;H+bpOJ({ z0qFf`+AF%O6Z_Yn;|)5#bv{IpE>o8xRTdNi9wIV+H%(F}E}bd@=#pX+{q0)CVOmV! z5g?BQP}bt@F#@k>0QTUuakTd@y&5JyAoW5W=CDlBEpJSiHQgj&od7HR3v6C!$GG|s zvMQT&*Nit}oe)R6e7L>_ij%%?!7!zfPb5|2InPbj;Umt?W5*I5`^q>91c1`CRdm^U znc4^r8yj-VoWIG+rESo|WV}ahqWd5;YO^hxn4?SjK~Lr-yn73%`P%Le_Q4!~(YiEI z(fKC=@Mm0`S$c-`^6_%LYe{-r=ONZa>mg$-e^Cl1HN^qkE%hBI|K^mz9EBf_7FAx4 zRs$mXW2I;7^Vzupj*^o`D*3!i$dN(xfVreMrm9%sYJg`zfWiYZjm9l225W;~XAHC# zW~J_z5#bodIs{q+h~I{vX~KvGs?%m`rwlO8zkYmN3@L6e`@}~EJI;O5o4lqUc6vJ> zly9pB0&ZW$CWZs@j76Vdg7M>;k6LOCH%4a#sQO^1s2hKd_PlDu4PWOf*`|9n-{J<6 zg!H#Zj--Vgg#+p4{zW8-rJtVzeWuAn2h!h?-4J&*Rrxi(-PK=NY80871?<#0ndpZ; zG=9Jlo(BY{avC`KmO}#P7~&G22HLW>^+)GkwcZ%+amh>ZZRO0nvbeHxJFVIILq6i2 zYjW5Fsf7Pwpblge_t@8AMdr9Cez|o zAe38jV#ofCE!6mHni(7QH#ReNIQH*wrh=oS!1|Tj7of6sYyI`z%^Kqqf%h|eAp7Qo zxEwWO&tBZ|q-E}_jD9{0zscS3HGul_`3mg$-{08Jv*;vrBxUwo_5Y-USG{RC|Gv3F zyVKdWX?Oew^6r#(dw_b0sb9TM>F7xLG=%S*PMS93Lz3UnuU^dj%~iLX?pwI+s$yCA zD_TtY=yuIPgH(xP(s}=m+SSKsI!W!k<4e zFtol3^KXWWa5Q5{+jcNuQz|e?)8*d!;(bo44X)hHIj#KV*lfCde5}Z?i`p_`xp^#JpYF(r2n!5O{&MDl z?~M6qG0Vc>?U>W9H(aGBe_N8N@@9ZSZC3K&MK~}w!0oaU)xRdonaj&3?Ago9v_i8g zqYQ1z1*DmQXwi0zw*ud&n2i-6x+|;))q+&Q8IPflJ~0(=<^`}5TollBqNYQGB=Wmv z)=Ps4Kp9yQ-^=X|0kmSkt=NkpO9%rG@640+`K+s%K5@hw@25mBqP3BfiO>Dr86%Jo zvB;1E(`FtD_3tb&>*0L3{}oCN{?{pk17h2* zU_gC?9{Viikzfg7NQ5O<1hn2Qu8{N~1gIt>mO;}AMh+n0Zea?>wq9B)X{zf??}o(s zq652<@1oPb>H-C9$62ARuP(_sMoQP>7kKnGp~r&o7yYhG*5aLbSDqeHu+84S3f@T~ z!8@88hw2pVfg2D4=*92C4qK(HKQ;By`inA^QwgdL3e&*(+Qi9^+_h|1A)ii0TORvY z$uo|=di8AG{*?;3&qiN;1)ePrxOS*Z++sB!;=4X+KYHfE_&+}Kn-6H~t_M=k@SCqQ z7>7j_2*7>wz$TI=^LA$pn%F3&7|n z{QDVkQv?^xi$vPnBVxIbNY8)A4GhCw!6ZgO2uYPM1Ns@up&Y)|g66 z@|_UhF}c%T>%^e>6;3_2nDTDI()oFb>cp{kk7%uSQQ=tNU<$G1jrpOr!8#l#Xo8CnXf^jz~CE2E#F0mdNJd+Hz!bFY9x^GuCVeo0N^F{BGYC!*%Jbm~MbO$` z$-?yvkA~XXX`Af4uHh~@bQ8J?-8C-xXm=u4uab zqfBQg_6K7H=zl@_8nM+*P7h?WJQd=p9zsfHK!&udu*v8kv0M)Ad!T4eS%kLI2A=Yq`ov*(=Q5;zBIKbRSo7LhGG6O2f1k5*7lyJW-6s!$z-6^?ISyS4S4onNAfLyq!|(!mlA?ZXMgO7>wO0;2FBeE zrko}kB1E8`_L<40sP>h&@q(?`-mpY|E?Q`-2u6inWjMgtFbz<5LuvGo#A zVrmgZd!$z)$Y8{PrUj)`no&>)^zOfTX$}!lTIhkyyNTC8xBMxi%*1{tS-<9~G`Y|y z1g0lbbM-2@@VUN>OvY7Ra)-W5NWKvW2_C?tw7d9TMMg#aA}f1Auhrh5cEOMI!Zd$N zk*_=;s^p~ozhwDQUJn>0w%%2w15Iw2tbL1RW(H~n{dszaHcK+&>dixHe$x>nh~{y* zYv5jr3jMY^O1Eg3jz~&UFN?l^H=(c1#(h#c=`SiF8$d}p3ko-FO=1~SAWWOfya_J>}+@KMG z;kAQ~O(n_t;OTD-lrL`?)cOF$n((I>2-6!X49~(jj&CxbEc-vZVA)!F8R582c zHa4rjK+j6pB^Dd)B)HG&|FHya%vqWCSK#&rt?At@1@g^%OwUWSRjZ9o0cP5_0hKR^@GR^h77p3rS_-g?z(aMw z$zqib)Zr6h52C-H18X<-$T~%M|5miR{=vu~qwUIRMOx=0=_(kr-2tkVc3QQnUV$mk z!NUFkB|z(JU}QX+!>3-Db(>z(npg{T)?B;r+Shr!bw$gsc?#P2qAO3+2pGnmvtHfg z(GsS}{qB488@s7&&b}D~GG#EK7qN;zTfEU8UZkwF0}>PDvrJX4SUmrWSg)V)iv&?l z+ow+->0?l=E=I&tnv5qqibiXo>lkV(4TS7f>S0+*huJ zFsT=%bC!b{+L2@wCgSi^EtG6e7ZrJ&PDTuWtM3!yZst#1jco>*)k+ddyuOGGr7yoN z`{k}(Ify~h#$R!UJYJ5zsEpJ z@on=nZ=ce`fBqIucLO7Mk1nt+eqUT)g^G^!uw_|A$gi%$ou2;wjpv^@)gs^bR37h- zmASC}af3Q0vq@%)Sb;y`n`1@lmKBC>CQ{4UWlZRlASKMq{2{8OULv|KIW6V)Jmld> z;N$|mkBzAYsD6BJ?{%%u1Jef9`ux~pdFBvhX>x$m>)OtaiG7b$dkRGf2qk^t)Zb=l zoyyso*$+6LvN6T#xBTkB8j0Db(w~B~G8S}HbkT#FgR&5#CXzrXcLr5U&y!b`{)4i} zvrl*EN|>T(=b5OQd~aM4t(W3fh}_wlM(O>Qew92^k~x5VfR9qU;{;^eg@HB2YY_ODT#Lht1i~D&?;gNNB8H^=g7m zq#wCL$F@Y@i*n+>*&0V>gwqLZ6A=GM9>sgx-$-IN~e1vyl~IE?8P(*YT2#PxHZ_cAfO2(?ucJ+wImBo zmCUOSbdatHxaxDf|#3n_f<-Nf)m!2RXn z&f{<*A7B093v+RpsZ@-#7#UM@6;`glqAOk{{p5L*QXCFuJM zJ`Tj#7%=(-(R(>;_JP)cSFP={x-Zc~9A1NTsI^~@_~tRnv_p^NW@WhQA0Uq{xsLmj$J#S7Cf(1ZN#d^cW6*pHOq)& zLII(fE`+kS0gi2>A4Z`$7Xk;@f9>^^=yk$7mVMUGpGcj09XaB4VDeD;LC2S`XC0S1 zz0rS`{@6g)9+jow(CH#Km31N*gE+G;zPjI5!{X~8!@<6=r29@}(jh&eXd`GiLFi*m z(sF0Z{uRpjWY$678A-<~_50JB_zdER^|Qcozx|2JN}*E8mUbCklt5?Qp%d&q z54cL_@^MNO4Xrbw+T%!eXSLmB&cz$9-y#?Ey#;b49&kHFq`z#Cx@dsP;UDrvnvp z)aSxmw>%)V8G<5ZOyQ`m5v*C&VH{=2tAJr^+jmhBij}r}ivfa05!766LsrDsv}x@r zRNJ!@Dg0m{R>1i@Q#9=LoO2*Mte}dfEtIqC%1{mJ9LjDgR*wDi<(!NZmvhPg>36TY zRLqm);TJ#Ng>JN2vLguGt}c+DOiR&c1L-%~7>mB*+AX0$!f074!!cSG-q9hSgist7 ziNG{5A-8wzKqFg{|MB~UfCQrRWub0PjV^1u&XFd;UrujKRb7L?JLwli%dGdp?If}#U`#t+Oaq;1Wgt#KKXNas2S6YE zEZK3JP`J7&`~#t!_HH5_KC=I{D3u^_1SDeLixO2o#m~<6EbUm{i!8>39lnj$AYOcr z5tH+mn(nVV4Y1Y(V&nEA`O!0#gkt7XGh!2e2m`lt@7LY$Ubq51tAL#}Y}4>Zml8z1 zG@7udMC$J6NQO}8V;=mDr)G4`<4!UeDKmferdlJY_Cl|(-B-Q&)x+I)x~uOb3%)-` zj+E?#@ESJx-wwjV%1EGL2`+sqZSS&b-7`_Ra8olWYsLa{%-j^1n6+)<=$(`u%v5Wi zjdBL&GC%8=XU`KWBF=$ic_4AMf_k4bomBf3*J7mlabyto;H+{yKRyX^K1%R0NtI09 z0`_Sw7anw*3y$D}$jig6C(7SrGEx7m!&`fSVh+uxOGMcnU_?x%VD2(|5p+BdhWAa> z?mDt$IKKUIaTg>;MD&4bEs<}H6Lvpk7RDMty(U%wrfdv`BV0_nzZ5j+E`H`?kdzpS zMP(yj)6s(LofC-OlZA>DyLKZKcYrSzp{Te{JUkvJcUN+h zF7r4)FMc@k>R?j@Be-_dwV)erN2j)k)1@60WQi^XleDu#@EG}laqIi{ttm0D?hr#h zLJex^jifmSmgyb@KtA;%?3-%KEcOgS^cnqxd&96?0cdV#kC8}RvXhm2COm|D2HdkI z&Zvf?F2lg`K^sXdV5MJKgXxoleU$1(vvcj83iZd;z3_7fpr<>vZ&=39D5acQ0Yd=x z3^*gzc4~Nw0NNq5fY19UHBIp z&u=;VK8SVel%_fns(nkYffY2GJLv|A`MwOKt{dP4rvEupWc6+vBV!TAvb&*cKSbL9 z2KDOK!2lg+qYQYcRwBNZ_VmTJ2zfux=4x|4S#RsdUvPLL40YAQo^eA+<{K6 zer)x7Sz-)rD~)%tc_k6TFTx!sdQCgygkE)Do-B^nx(J5eX+Yqp6nJBu~~2J z%sR9=>LHsKPD)y8;OkdOyfhJr!*}#^XGe4ctt%#3irYqv9}800tWbL)f1pR z1Kvl^J9!5M1!K+3y7$Jfe-_}l@sB5Q17-H*(|znU(Y$7(iI<6E6%P7X2=E1jW2M_} zgby!&q+7iyDuZX5CNilk8W3T7C= zE@Z&|e|wr#n%4h1ABm=yfBI-FQp8Qfd<&o1sP@)y9iA-+mE&_e9ms8>a$kI27xxCr(R#6r4BzxFETPR>Wp-fDcN z6RXCeGE#9Jboz&I9$?Z9MgS0AaAzBncFy~WgSd67Pb?lk&m&qvNJ5hULi6a`g)5tW z;2G>X^i>~U3okWbJP@w@2PgdJxl)}|viox{gxdVv8=nrl`6iMzOjY~nv10-5o4G-U z_0`ClL}=zA!hN)`$yZIV%I$jgOmqEUzZD<;Q_2S>(2#W|h<egWklloFnp+9H(Jn4fF<3#`=KO3fj|6Ce-B9us$oaz$)(F?7X_IcQ;Ju=wMQ>BA=*aoMX5zZ!<6W1 z5~bq9)n;xmQKEZkpro!vZwSGa2et|K*W20w7SK?;p@~WydCe5e*bIx@q$7JoNfe#z z@gUOKLNyf~7jv4=q0j!yq#JJPjUD@N>{ty&=JG$&COA&g=v=b!HdGgex+sla5mITK zG<48<425l=QDfW6z>xTYc3spVT%D+Sj#dDWvJhbfI_rb6D!w_M*HPW?MlU*x$# zbc6}(F>)ysVZdekT{?c*I=wl`NyMurBAUcnxQM7pY$gkPxOk|6d<))S4*2yDnHeRFRa&`D@_6IFEi4u*$4Z5@t43~`hHcR_P{hB3iJ-2X0T<8!h8 zOKQ|~MrPP8L=8zNgSluarM-<7CN%beO0}oo7gBQw$J!lWGg4lRfs7P2mJ4csux)!! zv7J^G&Ns~I%Qtd!h!f6DZSaTgBwPHaPnO->CHPvEMP_9=6jb^PrC&2o&tbbGEL@4x z2t5Tx%iqiT3*^U`;BXS#{~ahQDvNLMPpZh*7f}M1gvZb_d;<*C7PanKEBrMvxZ70Pq^mZUrU?quSL(4~wVu8QO3^tv{nR`$kxU z@P2%LUZl+WAsS6lL?9F}9D*!d4RrDfO4pRxJmCb3)3j?zi5E8@ii5e1{;lmNCmM&gGz99|>Gj#ak)@PCL6le7rJheNFc z%*aoe9n>giPl}A?ouoL>dAV@N`gr&r>0qX>o9pZJLCV8uev+9wxU-veH?gBS5&z4U zI^?&Nsu@~GyIKsL?!#Ff%+mmJXNZ4q4_iTqODP%aYMk8vOPqrFl|BcA0Ewh=KGG1u7!l6ztEIW3`y%N!c~ zeH``&lui|sQVD0WMC~&+#f1tlg(3vLiD4#@_@F!YXug{?n^p>2yI)y398&e_K_wt7 zJ$N`gaE`uepWiWyF8bJ7i^hcJT3~?Mgd;xyOo?vDpB^I|d!#&|B!B_LY=rRD0k*=` z$duccLNsUuqp3c{`M$9%IgK~cZ!+b&r8SO=$Oh#Cj9upeT9T!6F=)%qDd)zX4gY6h zVP@RJQbh-O_?|V+Osnl#G6>f`{8<$eu?|s_&x220+dz?RAzHh>_nFXsl{jGtknI0W zPX=`GIZfA^eb>{_$97+El8vb-;+7nGCpBKcZv3DQ)?*>%9ho-?7N?~cHIRs zc6$Q7wIcX$ssXbGJ$G$ zBDZX>E78fJ(umo)wvd+yVnbi#sQiHY4D&ozO`GHN#JfN~j~ASRK4HLwF}k`kZUL9x z_HNPQed6_U#Ru+n|KAR0>OR%aeDr&vhi*UC-5nD~clvT(B`q^Ezk*N>Fv5u&1Xn!M z<;$}Ao3OWiL%$h3bOKLj?$#q@H`mqQlD;%(!5(6PfQ|6pLMkrj0t5)k<0Om6ozHZ` z!!(DsTbtPwU)-w1<@)AWsUXhb<&o8A zFHJ%jAy*)P;=Gl~_GijGKtXl_vT$f#f%B0?Ac4+b!@Rbu_D3Q0Fd?3J>HJm$1I=U5;On;IK>z;_k+QU_8&Su0h2G8!r|yC6TRnMJA2o z5?6wi1jC@AN5xHYqW9^`c;uU+v~kXj`{gQGJ{Dh3PcNd_O~k(yJ&lclAG)1W+YvR;-cna zI*|GI_sT)EQutwA-A(Lj{7o0mT6t>YHIwuT7cThTo@=d?Vck0u=YRX+U%JK2MziJN zF&7zYpi9^=?5bI!O`8~Rw> z2w(BjTuirBz>!ie9vseGZ7|G?7|Q&HtSWn%dU0V9qVdrx^lNreymw}E`9cU>;5T>` zIjC(-@o2=uJY2^kt8+Tl!Hg0p=T-+W)%6qCo3p{60Y$!!@ctUV{#5qOy$ZkK@rL=m zu@#mza=|A_$bY6;S=H59?C(-sT^H`26zMv8g_9Q(M3{JuO(y?vv);rVvSs1u*$IC; z9(`e&=IQ9+Z{`GV0}{dL<@k65z_b@8_i5)+2u1?4vsU=6pjN;1l;Ll{z!IW`XmTVgK6`pq6{>jiU!nnkK&(4~Fu0*SNx z@0o6{Fk^I(8V^fo_!Dja#1^B?=xDWCdB^CNGaxz@Hj5SF zpLC?yc@d$`kd`ca1!62~!mOKizdRy}VPMsgm8^Zq9Xx@SEEj$Fn&Hgu95emuaeUYn zKs}~B1SnQjJ>mi4e;fVUoHRoGepj9k#`icAXr1aP#hP>T&IWAu2iQosGQOiQO;|mE z_UfWQ?a4n+Q4E5mK?e0qQ}_rcXkGNeq~QboF)KwT_Cg6EMC2a83pzw9%!qg$bXO^k zrSbt5r2tY%@~B@sMzufaR-`#!Vl4$SwopL{#ovtLv;-MYZ)%MntZHgqr1bl9)m^zrm)7TN8)v(a2l} z>djsg<#8_NIE3a%f8X--zXLx+oi$=XbJWgNE!;uj=iQHX_-@CW!7g;7L0KX4FwgxuEr2qBPR|Di z5;ufU1RvCjWbMnvqbqB9H*q|47Ti&(?m`Nb$*F(SUQp37M@L6CmHBJefbu6paAr+M z1;H-~)f8#V&m$Um_tKtk=_o5pjis}r$*Cs-X!2sZNR!#;gHm^CkXW5LU-n?O!RArS z^Aye1PM$|(<_C^!3r9IEqt5KQQl7-m^hHA+UD!AWNu=@S;UXP|@cu#Ztw&hqO>___ zCmY7!CuoxLc1sF4)x>;{x%?ZXY$!R2SXxlaqi_FTCiee1@x6@&@1 z@^}VEqxe)=F25-aa}szLF0_+lapD)~1KJxI=d@I(j@cO(VY;OuG5%Jvd#^Zi9#%T! z2wK-yQ|Wpi`mQ+!3H`=b%_}K|Osw29W6RkbT_=_uS+d%ifipmFMg(-N%73z`Nyg;> z)Ip2G5mx`*gGV1;Sg>Kzt5@NmSeP(eD!Qmw;IIYl-_Ch8;XYyL_rwfhvxBia7;zuQ*1D4+1usc<126eulXXB#6*e(9S zMa9MQwq2=5HNutxY_hXW(1=ZftzPZ9P|@)trlKLkKL>w*(-9S7!q5h<&ujzv*y5b3 zNZIwHV!UH(B?Ei=pmm`SY+BWo|B{KZ(a@b!T zsT_)qP+OX~s56xI%B3?udHjPfTUEC&1Z<0q&!9-i{(ix<%5B>kYE4RxnB6-4a z!_QtC>8u!e%gsD6;B2XlKzha?CQXnrv(mv0|597WBa|CX z)CB)hx_eCZ?Z_~DLZZyd=@U7%w|wt=H~NM`sD@NQeZbN!OnGy?a6J75+VYxU(-zkK z=$5HU3{E-@B030rLt{eeucMQh)Bhuq9Kd^r?Q)f8ZraTDp%~Qs?CgcDw7Q3Y%?b9Q zxB3vr2w;AymVi6hlD`3h^0{UrMG6|fJ+y_<=%>FurbtU8(uzAHsN~X*f1Hn4Xy74v zX!0#iC2qF7N3$3DFOs!~;g#F$na~FfHW%c`pJWuR^?9)_nezPD5nBl6K(i4UXsWh9 zQWe#wRTXYm65f{xMoOpC@u{2r6j;MOue)ISt_i55mq_nYy*sV#Qp zh-W5adebb24YdC>;P+Z`phT zF^Vw`mlQ!d(QT$LlL z*3AT~EiBQ^!diLqHqJ#|y&VhS*cU9wYWy->x_JLlEC z?%_Td{+&1?h=+=j0EJxSu|D4?of!{7CdGBq1d830RPfIE* zIb>QNrCNbAka>ShZ+fyOAB%iT116C$kufoyF|Hsi;jc6-lkvS1vxcyrLOQh0C%jR$ zl$R?A9S`)|A@)|aZspk8`A248s3T%THC|7$fL9PG5AzT$xDmC82W6G6v%zM7#o<0_ z*z3B*ABxvY0Vsv*z^8}w>;G?txXzs0;{njy|6pVY9bj{`J)laQy|S9WQM4!4YRs?Y zLAx$?>qg;T*JlTlt<IhX}?umb0qD4AS7k|H7LTWRu@k$9?e8RA8&>t-n9@4LIa>7uwMnG5| zXlwv03M+Q*kn4**g|L(*?fYTH#^$Eut^49>7Uhf?k?-_tAc9|Tb1-_{$V}!?h4c#g zs&?X@uK|5h+}*?{vb+UeQ_bgi4KooJL2x719_MH`iv$P7QVeYHx}sriSzk>M+OLK& z%eN^}N#G}c_@8ft?_eH7u{sF2ovqn%*B9gt?PBeZ+aYkr?O70r;8;id#h96f0()rma*JBe9MsurasckdWS&1Tas2MFyom%rpx zE1m4j5P}z9&&-Km8k#Y^SF|@il!&-k0A^sINB>gpWxLu?`!=lSWQvc6SC*)3FPrW@ z?I!&4Q+_t!QgRn_S4*#1LRb&TYd2*HIY?P@&Di2Mk~5e1+*}d2g;PR4W9^+KbT=iw zDoYpbZHgD=Om@CiwK-6nQmE>xc{&#Lo;UOoSRLUQ#Pe@L^I6c~z^`3%VNWH=GM?k$ zRL?)_amuT>nvo%8wtA||?wYe#snFry*H2D03v-*%n}iQ=C`agj$&&bS+Rx`_NF&<# zOXFN#fiOI{VG1tAB<{P#hLBldY-g@kLL{k z`#aPd&JGq^Qp9=X_Yi0UbwJ--=9Ze|};bt<3gWuTWNK={RPernA zRmm+jv!Rr9%ti1!kDIxXchB?S(;M8?cS1bXJ3=x{dU15}G@`__xwPs;O4pWq#Bn+g zhRl#!*?LwgWhr>2C4gJ&uHS4wn~>_)42lRy?$Hs-Ih?OSUUEd9_UEeu;?G18UtY1; zH8FiY|A;Jr81Lequ{}-wxv&AuCRDE1Acq*FdbY5bS#bx)IL}%%-Q$4*xsfhlvf5e9 zsL)ibAnR@J60cpbIeq!EO<15qMb}Fq!b|+F-?b8#t7 zF8RN^YIh)ATB;GY1Kx3l&m=4v89y7m0_6p9Lk(8?r+|?mZXZ9pZpIoD z=x<{QK3E_0a$7qq{D8xSL;m5l0TJvCv~|0e!~%e6k$8##2}lEk?oe|+)7i8w^z}?7 ze#V+a>Mi|Qntg+ib_XpC<}C>*h|oK>)n+dboYtpiErdF?C1>?1 zPHS_RtM+i`MzlmtVu+ul9`IGoGZ<`=XRFbK@}fRjFc0Ul=}DcuMVbZzDtNV-ON8%<7FT;7PNQp?~_IZEv>_^W_jslC;QHR&3M>uRy6U1QR5yguAq zE;QWDiQ>LW=cs548pFIS?T8b`6C1Ud7@-oX+Z)vZtOLXo|1=qOvr`Un@nsB3-X;rB^Q6K z(2+0#0LM;rQfi+!{bNCr3n{5as-Ze&W`{q~|1y-s`=(~c`KMkJ)tx^d0#+FDp|9%_ zFR$U~^>cQ+171D);*g1AgeL-lbU5hqFcCTbI~^k$67H4W(-Z zm;9q6;~TK0&LQSdUVd>ml^i{jt!xk0k!yP~cb*zM&srS6T9VP~*lU*7%w`bvijXVD|j=81{fgdOG=k%U0AjtBej|dXhV=Y^*Y;3GWxASrUxn z)_3qW2Sos=-rX(P6Xz>+a}uIxZ7U+9sS-nXn)GVO+tk=0Xn|A51}nhHj~uzrBWv#d;7Yut?=92 zE9Qe0@6JXKO{H}o7KtQPDqcMAu2vr%hfjz~N>21BzMi9xW&1S{C|fmLnEf_8O0?|! z`Y*VB|M%X)RVDeE5y#P1mC;C4vrmC+oZhq4Se?HTyGHbwwNtJbgfE_T?M^?j#@KAY z;O}2%V}l>(&ilQac-a_u!56;$I!Gfk(mp=7^2*?G9fdAFUgi%f+|dn&PB&1OTGu!E zgV)eS$GtSi8zfJis`=b<{z*;z(kWB^DajX2i}xHczh3>fvu%Yb)vU*B4R&Pb5@R3U za1tv{H}@c3vruF>v-`mB`+sfOVJZ?fg>hPX7nxE{J$+Q8Nc78QBYEiUdl53$6Ob2H z&E`%>hrfD)>>E6UeGb*Fhl+gL5Acm|m`Xx@sxAK$XG z;De~3n9cexJk%DY+u7#XJJWCQJ>d#!PI zO=qCB8e(sJc)ff@5z)1}?n<379z}QkcN!l((pB%b_+A{eJk{QM`y#%a*+5?)VZuBJ z_U0M=(^!N1igrFD6*D4qKSXDe7_hI}D|Sce%En) z$aug)y3H_1>(%^^z{wn1iD%v7rNLY-4^Pe7(Tnd~ayX1ida5q%Nv#}rB0%cxb{@Rr z+Pg8B+nj_skF^zpnw^fSZ<^M3yh=!yYLoX_GGPAV{rEFM>WMH-YTRwlvBB9{vNU@7 zMo-(f&o2$-2iY67&H6hZ`81uA?l&=5uKn?oYX1xW-Y?$IXZ{cTpadcgVBRibWO;T$ zw8Q)g^!2N)sB+RLjSUgzaC`~W>y`1(bs|gJBoO_0<|dFq0{Es+LexV@D8C#>;hu-@ zdiy(PxG3@h>(s?NA!zS1PsWg8oro0^uvT9_1+d4=$ud|qHTiF`EF&hYvT!ySLz67{ z{~Ud7Lb7MNx-1y7vy3)P1Rsx`jo{MRBrBSz3EbGL@VyEw7xzI1;B>-iR#ft7SPtkP zZAI;AqsXe=9PAPYH(#U)W3`kTf<9Z^=uHmz-u>6un#F(q&8JeyS}ner zwc*P~&zsn?jeM-{x1I>y_!6{S8y|8u?psOXWPen2iq@G=pFW$sm={g-{`LHEA!OM5 z2@_Ej6+?CEtK&D;{QK8L{XpyV%~SL^Q=~9c;uRY~*4fiyhj!uj`=g&Pb;1i>#aDUe zOea4!SDKE#IMwp!<6P}=F9K=UJZsZt$X~_Wukll(_3x~Mk3=NrlVj(ba*|7g%brIk zaI$S{on2e(2=M(@6LzOGeBRx9#?s{pn;`j~o+u@4Mfj?`M8ScxxFjL5@W3Xq>^tKR zEvQENWG5#d+5s$M!;ZOR2UA$V>g6TS2{=;BQA9h}JDuZ}(VmJ4lryh!VC9yK>`s}S zqi(+P4-4bjLXuFxwYg+9ye~)P5ME;@0RB<%dhwo)&e5;-7L5Ajl^qq#8XnJ2h!UGq zbqW&GVWzX?eTJW*NPvq}a$kVeB(i{U(vj=pT>y_05CW_Ux6(V!C%#^K4c2aY;mG$> z-syZCm(`h~7cS^D4SYZN_O58XZ?>TIqM<#}*|s`neW0(H8QzC}^6W$Y9*1j2#^m#& zJ1(zLW7mSbT?U= znNO!66(Qq{Eu7*8MU#f7#3{kE7VfXQd$b{jHFmRn^ujMHtwuq=idgvIjW342>v-f- zm8|eLIIY_eQGBV&iGLr<#l87--YRJV%K7^Md!q=gJ?esV*rdzy@0bJpV$(N)FdbIkIy^A$Vq)WC-DZ7 zQ9dd{r}J`^HIg^nmtF?eB{r$xE z#sqTek^5C&_A6xaO_Der&<&PRSUAWO7ee-4KS)QRa!&TLb ztq6R^fdl!rkDkTYMLc}|jICQST&LM}s=yWN9R0|fm}c0aav|Qr{9MHI28>^@qDEwd zW$73u!7Pz8fO@5wOR6^xQ{I;t`-01gvF(A6QBj_g=xe{N6s4Ilx66Hp-?@gzY%XyG zc@Jp*c%5N?H7|CzFoknSZ%QPa%3yHJthkvZ!{+QgD=WP-z_piJ%65A%j*iML>JfI~ zr>{@z^V4k5A{~ETkX>Yw2>2Ee6W#D%?8M-+?Z1DkUSCfbFU_wa&xzF6ac9QL z>>n4!X5LE6oqlpf^!{P@NqK>wkRXB^6V*kwohPfC0xly`soLW_MX zf3PIf$Q&Z`>w^(jJ%V^6`y1So$yk46?uU{E&!zWC)`Q18t14#PmVPm(e@PnuV*zoL z+f?w}QFyS`L7E^vV6A|OIAh_eAx6#GZ3PgXR8S4MSB5&xuaQi-)9F2XnT^IXIceQ6 z8~UXJN|2zD#J3n(3IEIZ*$dG;X~J_adgydx=@Lpc_G2tWimcP^)h7)lLTA%{p^E>D zi~o83C%<7g<^G+%PVpL)qX1{)lJJ%lwO-PtPl>3knwYmhQp$~0iecJxe1pBzHk z95v|tKyMfys0FgW(_odXl-34?xUK6cH1^WgYW2_G~ZB{NnDxPCDiaWygUzw)~|`{Wn$h#M?T zZhw!}&BpI#BJ~pHyV%pYG>@wvnXkN~OiBWmOSgZshI)a7+@>DIb~RLY@@U!Yh1KCm zG@=4?-!d;#c5+->_|X;*?T69HAa_5#lL4Q_xh=Ujnlcw&@%fn^R3-F^&L+W!8_%20 zFP$g-{FeN>-LgKTF7f6AZ%_6|mznuVPKu&yiBf?AUj-kNmoEiMS+0vGo3>q^pzvKw z(~|qp(9?B<2}{>r_lMeAZs>*qFAz6=~p`qeBXEGeCOfSXrY9^Vh)Kt1`~ zl2i&0{-7uG7Hv3NuQa%Lu`F2OZ{qYWFY(qBHxl~FB4niNI-~HDShW*5N|(MLihlSl zqw}@n8(CS{`hnRUcGINfgFdUp8+eOfX~U&&eoKT$c@!v4E_T^ylw76L_db@?cS~&5 z{p*PK3IFgBalZ;RuK&EbkUWbMru!B?(Y3yJm42OiYk4E7Wb0%9>G`ylZcB%61$@yy z0Jt=F3}YW1;ICV3y8QhwO-Nq@Y2{(0xio2OQl-fPEcR)+M%4;u`)-MCpDU2?Bx z1>B`Kjz2b=*d}~)pTvINH#GXrX44yDL!LnF$H<6qBAl$AUNB?zgGR~05zfUQ=~!HE z;B^}9{gf+>Z4O38a{98RwKw&&P2gyH5_h^q6L`;prFjfS7px9w6Z`>e=&dou&0VY_ z);gOVDsS6y4JKGQt1Rh}#oak8FIki5X`d8}K&T|yCv8R9jVEgR`Odys#@!2XMtT#*DW)r$@kEr*)D>p z>;k5~3&VD&6z&lcx6b~L zJqY9*euB^EZy;WqAf1d|fSfo8r7ejvXb_5ldncr~>M(k)sLr=wk7w&_?MVmp6u~F= z1;6eHjIbN0HgE>d3UlNKiGJ1h^$O9s`5<#X>TD&F;K#b5ZOWdpDE)YX-R2-Ck=jkU z-j&0}pHI7#h3f~)w+|56;`0{GOWT;=oqRcTpVE6@qju7;w*KWkgw=sG#ag(Zj(9+LSVb@G?D<-dGe;1vGJgfK?@g zx+&2*6&6#(EED?McVyUf&CKIus}plLdEr}&-V0p(75y65ZkrSY;~~O@JxZydU4c^t z&2I#ImCr@`f6&Bsu^X(CSdc>z61QZ3YLpcV{(f4!a0R5SIWu7;u8dnwDJt z7N+up9{{W`+d` z^&IG$Y~4m^t)@lH)<_(M`pWlkHAxB(PdZv3^qaORhB-m9Z8!%o6y4qj`10@~*8I1w zW`aKz182QIipW_0NrOyAhXJU?K`O<8Z^C=#%PG*1tJNEN{(iG<6K><79fx#72 zfH3v#52G)J{_$UQZg5<*mDty|aQ}l}La-mC>FiHT8N4w0|ys zjpDsD+^iAO@aeXY2nkoZclsF+*8)G%OeUt?H<4wMdlJbBh1wcSR0?pfl9|}_vy>Vko9i;*k zbM`w5b&t$5j;3$Vnk=ATR8YM#tYfanXIxV_CgBY79FYuJ^GOdsyl3eM? zsmDB<;TwAxCOs@#&wHaV&E8`d!j0y*EH9_zvv}D8!W?z%gu(V`!AohIzjeE*pWw}2*#fs;TMQ{ibdXd z8x!jwX@;8zo|j7^=(*ExJ$h9CH|b5_>oHoZ^xB7nuTtLu2biPPxnHGdfh7 zO0XPO+s~fH<}UF9m0FZlu>po77zyPin}{X4>h)}GIY;<2%vivAe`$gxEOIiT@(aM{ zlPtwlR7)Dvd#k9Ao}SM}uCbXkc@?C~I>bVU`D|&uBD8K!rbfuj@Z+m^#%yA-F3{KG zX8R#AUPqKtpoV|!@18xt3KU(zt+si~w#BkqS8p$@`cPS+UMA=$fB+Rm1bcj<3 zGD4>qgcpm*o{$?^2@Pv*sNE#&f-~Ai0#V|4*Zb{ZAcdA-&qiyI(S5 z(q$mPgx_4nt1&|Yneb4y&-9T04s0opj-V+e>W;Pxsn4#9X#g#31p#>i(`?7`MqMh0 zPXz}xFd|#yv97n&pe~tr563&d(2gLR$=SPCX6cJbYpo|)x=b`EH$;!csWWGvK-6r; z;lnNAQqfPaf;|o;4mk|9K@gS=N%E>h(Ptt-7c-C0*vc(E!^I#9DB}6UQPC1-mq?A+ z*XI>0z#|M)TA<-EU{1GN)j^kdwM!TQoFFl0w@7oHYr`W+D)rC9Ftt?wVh(BY~ax^-V!&#c>_^yTndo=X! zk>S^e&p#fM0QUtt?_>nTc!N-$oomLf(awD8DWmO&g(d+C;XTgem8f#a%fbHOPbXTc z!2MBGmDq81$3IX^VG~K;|Nm$@?|7=;_m7`_jALf+O%lf*3CGA5NfB{uN62cZ$Z@Pt z_9jPmk#z`3RHGkaWz=Zw|c>bBP@-$Z z7Nwjp!=hHxImt|N)itUQz2#(+#v93WvtZ6PafW=jz2?So2Dus+FUSNfMqRu}?&&NP z445LGRkY^ms1f7RGkxA8I=BeUU^@U(e7W&ztYBO;?RDUxQJ#^yg|`A^MO%UkB6?F` zwrB7*{fEu>*_B0t$F#@U(gOmGa)H;#d_9I`4a{!SP=#UhN4~-T>w+`yXu>Rg`WV z4D4;dhZZS5Oo<&TIlbzKSM8{SsJ(-@Jty7D%S2l>DKxdjDx8}BVO28)0NFUp!Nezt z39_S;8L}A(vN}1;T`92cZdi_D+aYbJ7$z~?!wQl47$SKjl_3B0oSrOTb9C9T! zY3QPa)_9>7gnUg40@&{A-}tv!vvFu)1YiWi3|U@{n__{eGY0_npcDUCP_3#+7EO|S z1)nhDme6BaSypIu+i1Vhw`mQO#&DegHJ#ddZfOfu@Z0Vth?h`ZoI6)=N6PAQ=zU4P zkegnf38IHl#~FARg(ngh0ony#2c&GnOm8%j;~H z5ZqOt=?gPppmsbu&vch<+(;?I6l? zQ&TthDj^@t^2dHh*r(t|7AV|i1Vh+CTCt!|T-S|q2U6ShWa=w6bUPI`?hI1H{y#E| zoKzFd7fPK<2sdG4GeNhh+^}Rs0{v6`<404lpp4e0xT4?n^_ZF`wa?$7wLWz^^#L~} zNa3|#_2Y$CMXTb?jZkkk(QOw`t|pAwG8TKaj_Y8Ng0R=BA}@XE>qwW(J)8jSV12#9ihCD@}_0`5$c+U;FnysT#EnJ@KjfS5){b4ZQ9V zU#6*GHj~&qdMQqLw)DlUDM%SazIdb&tQ$;xd&bV+m2LV1rk(OI8U$v5~?dblzg+rm4G=ki&|c{Lr$$4f!VUEw?6V0+yk z1#(4;_O}TsdI&)`Ca?itHG~|-_iAJV}x;YTCY}`PZiVJ(&!ICPHKqyQ5%JA`M-s(3QKG*%L;?p-v=f@mpJ5gsE2AGRh zb5EmdqH)vF5g55U6zly=#t`bO#d3G5|4Ba)kQ6n%&*k9nBw8@o7fy)f(0`ltxj=L1 zf-9OUgaYt-z-e%L@id=*P6S-b5ftI$5a!*n&#lgip!Uzj4GlwWi82Hsf5}OpksUSxAX?4pf6!a4;vYVonJp;vjl` z){;wvm6xgIRRxavU*Gus{cEZIcJ!iLV%?iSrN6C^ zl&t(6etd!@*()q4OVSs`!@3k0Kk=ho#M{vR*{N7Jx3_M$wST6$v!oZ#d7KDK z&mMUZZd^+(?BCnbrsszgFSiNjjrj(ZeorcozHp)8_h$Tz_{d{cqpO0Su$X?MlbQNi zYVU@)wbUEVl!lTic#pW?6J1ZaJzBaQ2 zx6AOKlwRk1ZNl4c&(hnJk1zrU**RL?zdOk#Y~TLDuj=AG@zOSo`DD@4mGsTB2d_L1 zy=~l2Eq)Sp^Q=IhfBk0|Nu)ovo!40*a2xI@`dC#3%XUUc6_#xX=y$%o4M;FaJZ3M5 zvH7&rYZ1?%Gpd&%qx7_YYU=#v(6D#q04xN?^{On%N66kTfrI$DWye_vR}`TK>;S2( zSozO;u7RY(=mR;`(R^W-0e|h{OuYDPw0ir>`uYVkJBB_sZH3>$NQxmSWk~{t!$Zf% zpmr#5M@+w3eYQrNec8K{h?O{)v_xqPQewA~*4I#C0~>y{`PXKo~TI&p521s|CZt@Rv;lGWg)qMEW71Ubw4= zlM~$Qk^qv+!=uNa0DCiL)VsI3=#Vs}9Jz%YCT2HvXmQLQRj#a#wzjW>+&dGi$;z6} zRoS)%3rrCJsbk&hZ0#a8_CWAP!(_M;GU&J$0+iHShiMf*&7QI?`3JD(t~kJh2=A>k zh+7Z|$YH;97?#PzQ{>37@YUFk4?Hzuy$p{!l@A=xjmzisk|hKVh<(0luook@TZp_n z@{z{srB^B?94PYqkIjSHCUujV=wsu%<@AH!sx2K%W3NH}uDz5lEKI+U%tmXV@5N=8 z8*RHY|71&8F&a*BeXsqV{qurBH2Jsvult5r4oZu>f=07g_)JWGDu4J?C-nk-0!KUk zilembx^{3qScpDH|Agv#`9Dh*SPz4@**N9=h>EqT{NckN6Qe8UyA#mBTG3Hltkd+l z%4YM8roC*_$WXe)mC*%Hmkd?%GZ%^UB(#3i;rrv;a`NaC2b1bc#wi>ZOLPo}8}M?5 znn{aMz3}nykOj%$%X%mm=o6;LMlkM0f4*9owwWH1!i3|#$@M-(gsF+mk0UB;V31zI|eMm@;0!fIB@_ z2f%zAF8XoPUxVa?G$N3oR65RBuZ@u5aR21;O#3NEIi)f377m(qX{t|)e{2|IPc^JD zy|5h?(f6RvI6dX$!ksJBq((1*{HY|(lg;VVETHQD^XQNg#V|2ri{O!X_XY{)#Qb8_ zs|I9nH~%1>dAi0taA+yQtzO&L{t{nv%d`~j-fKX0sf6niO7@*(=c$HM{fZS5N=gF~ z<18%jQz#@7g{@W!El(U_A{Ctk8z&#sW$?*iOc0#tYEa(~GTq*|&Dt{50uCN`E}#>{ z&#Bd%qMGv@yK8a3{48}HF8&x}v-Gh9Gr4<>te!7AyRmO$-U%O4#KdC-E)KK(KEh&$ z=EH4nOn^jl@q5V^3L;vm7~iBGYqsKU!C#6`ag^WcA}_qcNnHf7T%s} z1E${U9&OvPCbkK}Rn!|55A&Seh%q904XjyJMuH<%AvcEW+y~4Xg5Q<@=G2p!k((}; z;ZktSQ2s0{SD#W{FyD4QDx>PjQM?as`IsM@SkH%+NKBU#WLd;RwzABDPF z_Sjc3+8XYOpXTH$IQzGaw@RbzK7Hn&%Bq1#mC!qhf}%V%UJF#t#1WK5;tkxb=p&7z zNX0+p4ouv-6B81RM!A&h>?QL?g-#=}xZA}-!D6z?C}b4gA!<*9RfaZT_u9BJx~V}8 ze7RP;Y6}`ESM+3F5iH0+HHCG8&D5spf4EsT~1IT*}BMZObn+1boGTH-oxK z0MpVhfjT5(7V0>+0pzkp0=7bdW!kC2;C4_Yh`+NbKSniI+tjB_4BUaF9|Owzg3Z;= zNk@5_i4{JelS8X`w`YrBKT^XI0wW#h;--gt6o3?7o;aEX%PDN}jZ4U>9r}S8gFdg<1gG8fl|t-efzfxfaGPjmYS7^U6@r_wPmO zJxD1Y&N0E#?!jI^T?dgSvUqVGXT0MaDA+F(gQKE$bW;{6Di}Rq2QgimNl;Y?6@BXF zZb6Mn9E{ej-y}N7M!Vc({K)c7e(a(&CUEL~4)muDRF-BEPfXjpt9?Fh@)klj{v$!W z!un94_1^wj{QJ{yF6E95)1H=|i0W%;2Yiy_V3$KI3U~uEW4m)JFpiIqtK^!_oSYoaWqqt`-RoD#^mpVkcIMmDdgz{U zxW+;x``kq0mF&Sp1qE$r1LUL6YMiet-soT`E&+#;m6$+YV49feY1R90ZSH!w){8R< zx|C8&HzV% zLTtCybV&JMkIeXm8G>bg2-wndb3HezqGdxk?e|${u0yuPtA=Wv1HK!XbfoSJomE}I zjI|4*Ha0rJ<;#qZCA)Ius$V4<1fbBLmT-N_3|*?czntd#l>OpyFL8)bVnZ^;@MiQJ zoE_v4s+yY3qMHi7u- zkClH}2m4h_}^P0EThr7#{hvd zOA7`>iL=<;fne?<$BLh_zL{%Aw%EVcZ~Ceq_lL3{%O22qMJygCp~!4~piFe03gvT@ z_wfu^g8cehw(=;I${y%tn;WD-*o-s4+p;#b=PSm zwDFDLXtOiV$%*>i12G?meyBFRsQMA9Q9lkU3wG5V+}&-){rr@gX*gaivCg8nA_Rj_(j8g+awq~Q-L<#O_aDDmRHr_b;v%WW29g~ z{qax4cj$4F!smk-m1O0{;2MYNdw={a`J-LMN}pAEUu`wy^?0phC6(jXA?Ef0%b+B3 z83`laejggW%)!Z>uWO-fZdQJ2hdR>i>L)-~_yFjG~S63K^~D zunalP7ogLJWdlfsO$}-LBeQeJNULO#R2{>{LmglE{h@xWqP{INJ+e(&h$?n5YiqGe zIk5bwK2BBDS%i2CN4}J*HC6=LF_{h zlHr0z=+xD_j>B+Nqa-KD{x?Fxvk3eMqx!Id;C(2p$# z%u42+A0}X_Ghu%NEuI|X*kevrHC#EVM??=s?T?nrlUhHY zBL&$L6NOg^;sMpF!={z3??GM**GKLGo{?a&cz@uI8u?8=@WnZU8=)UcAqJO-Aa3pNK1P=kx> z#txSAaq4AHL+56nAv7;Z@RHyYFT0@s-mzZ2wQJ!J2q>=Kkb3ZlLvKJ}7XNB-(LwG| zZb!!kq_~s3hsODJ4NHQ7_(~Yw&ogKvvlXiw*>;s%$O?+#R8SeTpz00)s34|1eDdS>l>=Uz7yd5j zzm3TmyLO`fj;MrV)(+T94Ne=C+dO}Y+xpGg{8(vVC&la3;2-)n%PZx5a8b#H>t{?nm=FME&{nsGCk8;3M;Zjl$FK&?A?rl~ohCTsm{9B~#{F zIVeNe-knpcWkeL|oQpI6`RLcGuC9yCtl;dbF0ObEc+OcBSoL~|*~F=r@!7~Zu6E>I z)$+@^Ackep^=Tbwy+c80FC6JN_0D9uEl60NEggjSO62ixF5u97!=LHUFSPc$k~@C>O0$I?DB?yCd`VEAK%@EJl?fx990~JkH2kM`{DdOW`jh|9Hfqm zGs2S~t~68!^$83$W^|P-lt>N3GAjUO0KxedSav3(52|T{wtuqq{}8rQ{xHQ=fN2qL z*k}JdJ4#!gzty*Ias-$V*-(pO^lYhFWwdGWQ^C3kxFzFc;2x-yfV7uG>4r;)8dED% zYv@>O37ihWIIjRc+oW(PYie_C)`Q^egxuUuBF?P>tWE6pS^kUMet3thbuUjz-K3k< zzsqmaU+C%*ndkXtU-5oLU&5CY#AnNLlfGQ|A(8q9#Ju2aZ_niI{?~i^(;0!$W-}6q zOeu;}yw{|72-~0*J9&L^3B@v;QAl^1Qdg*BDbvPhK+jJgMUw|*_0Mdj4~L7l@Si@Q z-_0!6fdJ{H{{zgH*D;GNBhusJB6W{6+3OE6gZgJmK@}o;Y#{Wf{)#DA2tWjdfSi*1 z5g0Wkqr6{HK;gow!Ky&Cvt3v-XkfW}78w1Qg7-3@8VKYI1;chuAQgM?%_(735W^E| zrY=K^7$bed!pE+i0-zJCff)n%p?tt@=O316`tffRa{w(8dstRcDRjS1ApF(%Mo8RS z$B^YM!&>jgO*KGDzu&XEs07vkIH@lxAnw1cQE;%2-2wcf7sVL0-j})>H1!fK2=DWZ z3Tj8^amPG*Zbzq+Z#>(e5&CNE)RmL6Kb-dyCEh&mL5WVuA@*NLT%QYRl_^n=(CbPq zc7=}P?HAU1Ec2q@sHt%}@=lU$cuy@EsKB+#a0D<#{Z2U_=iH@Y^(hFz#?7o-r?EA?XnK1?&N7H{xU1V$h&*mqWjBWK6 z;)Z0>FEm>g7pk&JOT>4d7NywD^IiLrBN5Qfa^+YqJXM{x&y)a_QC(-a+pR#t`?M!0 zYlYWM1#GF5seU!L8H0a-(-lbgPA1zlg~RH*#y-kMgG?xEp*;p~LI-HcCqDEha)eVK zB!~6ke?8?k9ifnQ)~KVfuYTDmV8sZS0rTabRtRN{2(7?lI^ zAZ&A-oFl41lP_kg0&cs&MbiQ##5K$hYJl=?bTG0Ch51a`e)4p^ z@dLhpq~<>JamJtaYYXShUvvi)?{`iAx==C>uz$aK*eNFp=lWSd&}HTFP274KE?pCD ziAzUFw-;8>mZZ?SyQ#e{zCgNyKjH6r!`}*()i+|}*Js3%MK^H?GETDZEF1F@=;aQ1 z$}Kk8@5S`ROhJM6x(P(bH=CLPSpS^r6ZoS7%ya%>?f|VyPiJefR4=A#OzL*ATfPL;%nuo}7&oko?~TP3=i(fik=^R_uq_suqWWq-k?J zD!!{|Bps?@5MOyMuxf*Z|#5(hV;+)c}n-s6YZ zkM5?95)2ETusd(Oo1Z3|^+Mde^( z2cm>0x9Q6`1Dk{gQR6|*;Yn^Jace5SNb-M2wkQetBAjv_RCE-1NnNSM`2A%~{%>p_qe@n76jR&(e>ME~L&a-xT_2&_11Sx`JFNwH`Lg=99 zLL@o*KPqzJkSb3fk16%NGIrno{9ws(=!q;A)9bYoArwUXP{yH=bgo}MV2s)8$k?7L z)98#O=>2oP(;Q#0mCI;Q)HwU1#`MN(b3m?Jy--s0haK~W?0DI96^TT;Xqf2=&i=6J zO;Vi^*>7}32ssN3+Rgk44_DLr$X!V9>`1^dJ`&c?d@MX_F=L>=TUW%AL1oCf_pY$( zMNgC+U@8%H7FZEo(X=i3u%HdT$s9T_4=~E+4%XhL`>yzc3c+%r8gq80C%@tFcZ8x! zz#;PqYmi$T#jAB%MTK1{PTG|nbSK41Vc5^o1}Bbl_C{h!pDwqrWW;f zBqz7sk8WuBZbXykGoD!bSm~tenS5Y?Q`WEQ^=az+1LMy4crnQv(T7wzmLhM`-!tE` zcrr^jHDTfVb5Q=?0dW-UblAS_&HO0{ut3d;$C3aPR-mObG+-+@gQS?3|&mEeB>Fo4z?rl5Bc`)PT15S|tdkh}j4cb{E4_ z8O?{cT08|f#Q3+#I&PU-!D5sHBD^OBjox0~d6x0UE$3KD)-OVBI;TPG6-*eXtin4o zLHtBG+vojy$+RsBc;JYNMkv9+Idl+C5qi&o&z_A{LvZdF7R*~O~Xk8MByCbmfZ7*qfeM}9K@CO0mZjM)7Bmml`C zYV)9^q?3_j<+C#)-%9-6H;eD0mdj=D7voRX-!HyeVR%40QO~SiIV<7OGp|>NG0_*V z)SVc7+SfCGaJ;E3Jh$lQ^)jT&_fz-3Gc%@8<}pb8}- zZo66v3@@yCA=CdziQczJrKE?&RbaGh^-XUiclV@_b&WBJG_1w(Xg?@pVeCo28m8Z?rY?hC4iW}* zbj|*o4U5d`e$eQc0(BI;Jui6PO7Xt0wDcEH$bw`I5$0lE%nqAg( zp@n)$4&B11rzVK*2f=QhY|Hr7o%So_o3YJO{F6g5AhoIur9 zyAw>klb4f_iT6d;jIu)GxkVWqU zpXGi&nk2!4XKuH~@g7Vmbj=Dhi_MO7mNHj1QU=e-bfPOcO|P_%26>J0A&{NRt@X z=eS|tC;P0v{>FVjs?@}<#fOKVJD0KZK23~R6?w{Zuj^+S{(X1S;`L*iHKhk5>E0RR zM@4$Z+ds}eYUdQXY9lS2jF)+(yX*Au0nd>oYJ(Lm)S%w`a5y)E;nD7Urkxi4AaGsv z?VlHvMOlcde?3f(V@!32tQ+aIHW4*mJbPaZEeGQf{Q4`Gjcsjd<-~(*&9GM=rq7R`ZfH~gvFdHZ>(F~9Y|7K} zTh+{uN*KCZM`v2~{{E@oe6xFh`)?R9;H{-yfFL|2gt(6t0k22byrtZw)xU-#Vhvq_ zCXu1uk_n#<9Ugnz^4Q6vJ$yxABmskUN^LNFXzbL>)e~|+{RhmlI9_2Ub@SCzmKyQA zpv!YC>c?v|3;Z1X%o?-!kB-vc=${#V(xV04hJ~E{a**+?I-7?vJl-jB#h-qQw#nel zy0`eVWb_%Q&rz8M2N!#6yFH3bEf(;M$&>h+q12nRy)*>7`&LQNC6-X;QK-Su``kdmf!&C@ z4y`h_*NIzIux8k+>=>EAg$#Bw9A9S6B%%+_opO%g2s}a%t^E(VTdTz(McYd~cZhW6 zFb{?{K-CYKjz@ULzSh4lQ)sF~OC{YI%HsEF=TcE3#GYZzGh%JSajo~mPE{KluMm%~ zy+CO`k7bj~AdtC@3qicPNH|?{_#)YZ93rVs`()JJ3uk4s_`Wk>Z09Cykc@2O&7+sM zb4={7x*9YO5T#Us}8H0Xdx-7UnHBJ*V7Jb)5G3KZcZ@VY5lN z%Ww%UYd?OEa&s^#jEcT_FD}r3hdhY2+CNq5Z{^+YSKTjW8-=gkdi^u5Yt2?zX8#Oz zZ0^xV7Oxt?kZ|0$vV)<03ZBTUafo23-Hk4H$#Xyox%QKwj8qei6~tJr2k@RJN$)e) zn5-GQ>%2bBA;uK~UGqW~rShJvS!s8N?_LL-H*Bt>F0BGN5W0W-?dbI4P4wd2;LIOW&;bnkuE&4> zCZP4!&j()XeqLvibV3i12ujgmBflTewVy~Z$5xr#q@&(!HMxnNdV701;L{^QFp4?kHLe(ydqUvwg7R0w7(S8|k_L}%LRk5b|MtwCwPz-h2P<6-yA6*m`!MB?@ZuY*yzXF3<#ahA(iiJdgD}6mfIC zTyx|wZ~OHzhCt$E$EBfKE*OuYgIrJ(TSRqRVtV&qrGd?$jqmN{H%3_3K4u)LRs8#K z5pAYSb1LE=H|L7*zY#OfI1Sb42FfGt4TzEjqAA?OZVg%nL$8#f@`^C1Ua?QM7F2D> zX@)&iA2Q3m0IT{9&_Wrl*Eh21E)o-0GlYq{LXm2chnzVr%HT91kUV=Qe#DBAjMq7g z(reuk*=RZ;m~kAG61_D|lI+U5Y!rBoY)(dQ945n)D-k7Sfw~)j{g-?Aj^IJG7P}IV z6ZeY%l2};7B8YaUNhK<%qwZ{yMmE%SlxEDZ*eS`Qv;oyr==8gY9l8PQp^ojoCu~Rc zZkB|`qe(jiCt1{>V9@$XC(b|dhU6`;RoK}8$ZiLis5CWXIKCz)8u7BN?U#=Oj~cJK zi=Eg?C9-=BDScbzS~cLW0|9SN95>`8X=8`Vzg$>c{X=LOi#El^4#9mS5_Fp!5qgr` z8y77U{g(J`nOf9uGctBN4eRmqKJEeH+WwS{#9#T}VIF3|m$2DA1 z7R)QwW{ds9>*x#c9hmjlvtqJ5RZRff$=RpIX-3lBzY_qnkW3U1Nr!ty>`qBz#4zifgU-a8-)G1&>|YLIHJqo2x9%p~Lri@rMYnZ=@2{kC5W;HO zgfV>v0zAQ@(7)E64141RU&!r?e9t%Z2B~n?guOmXvNGrL6uS;Ejetl6Evo#KFP;n_ z-wyXg>^&j6wHX&cAj3a-$rF>^qL(xcm$CM6dOz3WykNpC!k7=t^I7h(g2tbv|I>8ggx05>J2Vsd`_GOo zLrH%?4}7+qw<+RKm8UdkV`3K3&(F`s&t`6>hplPT-;+2(?RBw%DviKP>1PMcEvTn2 z0#}6$pgxU*dmJu_F>+9=*6H$nCa%MxEm}I*X`iyR#Q)}Rqvo^LQdg@Z0;YqemutuN z@PAK8^7=jA%-C8UbicnWkfiUtUf_%R_7VYPi=S979EP~A9r5~fw&DEP)Li~!r&9l7 z4FPRgM~ryO`HGEtg{AxbTa=i>=y0A~-t<##$qFjmA-KEAL(3n2Z5@)e*?X|cMeL+y z-rlrkH-~oCX^|pawOgA1+SHre%MZLFAzksvYt{F|b7KYv)lsZ#gW?PDd`{0V#Worgalaah( zx9Jn9(2u;m`D*^W0^ZsIX5K$ebfTDAtLrZB=rZ8t+Gls(i3%<4bv!z_>=-{I{vgRYDDH;aa?IUc0lXjI(!Vz}vn%_>KW&HhaXIH6j+R26}uv@OJp+A5KR8ADfbe?_odg z+{FftIlNiRY>h;U&o1AYsAV&NCj(he0q0vKqSnV+NVY(QD!>Ons-_uRMvU`D{&* zZFhH%#8}eL3sKGsIi|0d)Bf#jT2#5eNZc*+ieuujK!;)DjX!V1kqCrQwXbs84nG;W zl$fI0WC0OI7~EpH_#CKCO=yrCM7sblq7M3*RGgIrOlVUmIXkUS{(iCs zMvbfbt&n#TpMtFZy#RR_n#VM&bzH6KL@dZH08zhkSi?fuHc=bqE4tPO_NaS|wng}*FwOAHnZ-*LSlU?M)EZJe^`PAY3WxITKJz9p512id zwlwX?KY|FMX7m?;c?p#@rJDpiI2TmJBJ~d^*;M32SEgqO|_6EM>~0 zXA^a~-@IZ&slhy>&mI|cX1miU%ryE4&)1|aEOJX=8FL&ZcZJMpktHiOinz(e_C_aN zb|dHHj%CV%dO;h`JpALZ18C-iG2Q(uNf1A|I3_qFPumM1*)eCsuOyJoJ>8LKDrfzdgeAy?3#Yc@42{H0P1c86l3G^coz4e=h1^XZ@~pNzGjLu#1uTjsT(6h@FI%Jr@%k9OGU<$XFoB zhD~$*`jrN{rdj7C5DKB+apnSo#I3_&zMeSRr<5X%sK94%AI6?8xdx08jm6$SWy>m; zHuQlMX-1&}-TBW^7i*%Z@}ZH`1@w@9!7`)WmM|U(J9v9{GT`5_+?qk+#$-{p{RYny zl(h9h$cc);f_^2xRD+G_eDBm)s_p~d;t3n`jJ5Q<@B68U^+1#&u7mxc|84tdj!>Kh zVo8N$qDnp!W?K2u1=t52Wj1K2p z4KJ$+ozW{iSCAXf`LWP7@l+qujP;Q0KZoDXGhreUs};G(fB3H1Xz z=WT|_r&!>gIrH;<(esb+8fmMe1yQp3C>)_3!%HT z4a*O^f8`iys=~~!@nT8gpElJM(muFxU8WZa(J{22+Kj^dyw#HgZM9%Er_FCZvhc&# zuw}eG5A3w~dtckn#(OlE9o(QkcZ!x7#(NCbOuREXPtw-%xOwLOkek7LsxY=}@5gh$J`^5v{4{^x?8v;wtv^cgG47MERQmr;{yYouniNRz6hOra zw_`8EhR6` z9P)nQPMThKekpt3z5Y>};DhVDv-4-It}{x0J5^L=>Jp@EGjc2PABotwE3JwCWWUpC z9>f)1*WCQO&ivSOC;EeWbIkc2{olr0{PWjY_nj@_mFO?=hdJQ|V~eW>Uu>{*ME@qo zfea3s(2f>IJ~xRwps{Y8po-^F#nzsXG>o(R39VL{F7)X=39+$3t(TjxCKD&M$WBy4 z4m}>uNSjGpcx?k-dl*bQGiq4U#7V{W{zf49!>BD{y|*jufoE?_TrHyXp7i(~h+Y`K z!&Yl3JOZ_`Bkmc>6t}sq1q{4y{h%nWV{=|04)EPg-UWp60v`^$Ur{>QJx57L6ZTI~ zfW-D8tKVP4}!?(WD>c?X90s?w;o^2c| zgt27APeoQp0J!o9X|fCn-M`RK&@?8$mFQ)=0Kx%CPddOg)^YYx ztTe&Gj!S04=NiE(c>=gVF%GWkJW|G5P~c7>F<2abVE9?HM!N3gXiqPf+k*UDzMfo^ z`epcPK{od$>r!mosZ-BRArnp+-3&W*D#~=fl#`MIlcmKtwaN0T=s}`CXWF%ZSFttG zo=$>J_|M3#`dDwrg53e{zTandp4G40RRH=8W&%wA6BKot$_ZJi!fts$pM|uzaqkKs z;0)Z=BZpjzK8;uBy~BO*jKlLkQSk3g+RneK^=r+T^_JL+=r}d3*-1-A7zUGoujYj} zv4@VQA{}}!+QEk7jjwVNkc)$QabF;Z;*2x$WKfAZclH$kU=C6KG?e)9IQ*0>oC0`n zJD3#E@)i0Xc6+8*OdD&-6oGr*gIUor9z{J`CEkR2;v1?VwzfNzsbC-lK6VdO?~@A6 zu;N!ne1oS1$->T=RK`Mt7qMksViJ;QIQ-hk99qiy^5(-4dH5C|(aE^ttK76)h*Kqn zV^`H)R0rWQ7<-f>WTzR-LF@X^{Bd@_6BO>)QPGYWVBWU0yh%KK-8|8G&Dh>mK~GO5 zRdP&~yrp#4k_c37&Y?VFQ}9Z8Pc zId+6K@RMy6z6N~!@NE55Xwxs>%ypFBvc}wN{JNr1WSM`T!>3X|hoc-$%(jf)_(qnX zRjIbUSOY&@G&3%5=C0Cu?@MBf80fM4^rqD2(^K&TL-v!b&Mr`wC}wgF`?+m-tdA-w z+(e`{9TNBhBKt@%3rICUuXU&hB{hf zMQiPrpAq$pcEhsCiFmR|(q!zliM9JjI$&-%wf|s(xHR4_qD=Z~Ug{dTf{{i0j^H?_n`NVf|0vl0M9z)PQXc zP6S8st4Y`V)<2&ifz9QQ-H-~E9%ebYrjGS70}D=5+qNy>Mf}sl>m5rz@SR+YbNCkD z|7|NdH67S$DaWfQWr)oea=4)lQBmSsH}jn)gNX86C&}8*1E+nQc+lgRQ>Vi4c9J%d zoTg8W_aFcU@^9qL%QwC^99kJIB)YgShw-Ayi_1JwyKH`-c>luBQ(t*5t|Ei!7nd&} z%WNQndC3iRiub#fmGqZ>Nm#n`iApn_`{zX;o#~OLB+K(c7*C^28wvl+h3{`BBt6Z_ ze>R-^)YesmV(yys)J!;!zDjv}S&2yS5L6f$9$2b|c> zsiBR>_SY5gJ%F7Sca{Dl>WPaR$U4cvVepUn-M55Y;%+U#O07pYWcq@|u>V~I%S_Bc zlOUoKfxGtVr(|_ee*5k`;PD4*s=m?!+sLo(TJsFt@vRf8?eW#o3jaMO^6iLy>nul?E zo#6_rJ+k|dzy%~o75EQu&Ql$IKGAu)1u=Y5xs}(%ScxQknS4OM47oX_hLyp+Y$4V} z_MO0B$SD#ke0nREHv0oKKoG7ioT|Whb$r}W7)Td6fi4jye}0p^2w{Re|X>=!uP-L;DgR_Prl2q`E-0qSz7V& zmA_#tnry>__hLDOZc)+H(5aB}{deDQ_#lCI_;YMuEP6jWqsO~s{8sO*_&SQ?el60z z?~%UF^12D#9REDVIJ2VSXcGY*MCD%r!s8|myc1L4oDA_qRHR0L#H^~G5T$8C7{~{V zSfh7rSO7^4AhN{#xkLB`mVl(j6`6R{*+zl(G)`KZSz`e%w(c3LH0y~^M&^EX;T(|x z6Pv3|3gGC|j$JaKLNyyeF9oDlmopC*T-@?Aj7D0$&bJM1b0Hf<5(9v2M@ zh=!}jm-6@{g%~!9Z7Rt2gp^I1Xki8GX2TsEOMN|_F-L1y`nRM3CYh6uwD2_p`a2ATk?h^QTov z5De$!;*gs)_Ud^Hmj{wV^S<{cmoFZz2RgO4q#jF;{`XMXufVzxYQ?x%*Xf|7h3CUI z$D4#;jy*bfIe-#{aWOiqV{d{^=_45O4pO{Xd`H+2@86?s7*HFNfvcc%LSjDadi0=e zz*9g)-hZ0j=PH~aapePYuX+IlH{+c6{ixccP~snWYhi4#Sl$YF`AzVXcDa4)h9R3Y zU}Q{#9yIyLq9a(qu6XZo2JOuypp)Q^+Ak?(<2hqlLQ`4ip8EKs>R~~N;l*g@-Pc-C zA(>>f#l1X!v*SlWqblur&spq-vBzcVan$?mbIDg6cQPy(pBK(OYzAg@Fo)=Uhiz(P z^^)gc+g=1cH%!sBl1ON~^9iv0vgK36@dBeh{sn>PE?I#&CaebHy?_WupbSTws@)M2 z{0TeFG{_HV3Q>VaBX6J|_JwC!{bG4y9n>!|k;^11Eut5Q#lW+q`_3MDg}p6%IaveA zl(x;$sC)n488+a1b#!YeA73$3^*^XX7-%OM_qgiyD)mmL)y{HzqVD_MIB6>_fdyVz zi^gSGnKyMCYrpBCd3Jro>pzMt0{&rwbmJK>orY|E&GgDb3zZiNJZFOJTUJz;-9MW^p|A+hL) zkzXv(44IquzP@wOf&9Ttoy>fZs6_PRlvDTwCcr7*g8Q-`bm)913w&p;HR2e#naA(} z?-%qKVik4*Is~mRV_74w=;u6<<9WHl40;_qa#I02T7G_d1E*akmb*z50Kzled-n&s!S4vfhY}0h}#ya@S^>1csBilQq&vDsz7d(8^x(tB(J=X z9_1|Xh%*D|?EJ)WS%K~cwW zZ~&W-*1}zA5uF6?UXfZYo;*66OE_^@325!g$B8zK1!*3z3-3$RB}Lwq7t^DjJ@3g> zHPok#5rB{M9Ld$7f>5Rdevfmn^%veLH_dY+2|L9^VVu^&SErG>1yC~YAwZC|k?ja{ zfpQ+j<9!3-$3bT9rIfLHtF2Nok)7Ms@FfL~&*9>SY4@69uRa2`@aXf=p@F8xv2~k! zIiSdE0-mB4RNV6zo~G+8mY)-~nuuaYnv&T%5dO>@z{+jU!T<6V0BhogjEHX+@!+HK zyjy~zb1w>_#jtU7#=s~)Y#fSMZ zkJ7$AK>R|Mtm=vy5z3C=&d#1;<#`=vbo1Kme*?jnVRnoEw%k`?n5$T}s>U(2)z97G zhr^;PrGh~(`mAO(j0hgHe0;A@{)-Xxp(eeZndsM3030VU93);y_VNDs?(k6_eb(b2 zdMW9Yd!zH#JOu|#U1E>A8Q>1!@XC<3Z^%crW&2g>b?W1T>XaD+{s*wsaZpywf(;@y z0a+~W51Y5~W^~;Wj-ZuNX1~v*e7MAsp z@EZrQScQ_cC9!_OU;S4E!CLVS9=kF_HXgkR79M0&Z~%Y`xMGlU*CIoKi3;R*2xNnq5~`CS8KOP~a!WKY4jB#Y_iM_U#9e)W2VI-=(C zvK@F0(bq@BatP7#q!KMuVhuNeQ@75>iSF zI8sKZf`kmDTLF=rw1|XG1Oyyi3L_MpsH9+^2nguZ&vVc3@42q$pXVHH+suNO_>D* z{=~-yy%Y#3Pz=Cr?K9JqJo*of zNO-|zSm%1$r0gp^HT(+L%0yOT`o`A|bDut**Juywpf*IkF@+T|SMOYjZPhu~b z{?L<`{|rtZ^<--3H;pxAYhwn=hZl3mzk^JL$*anSPsvWua2&;A9)V#V+BuV= zS1|KpQssF5uZ|Q+8`0FTcAh4;FoX3i;G(fCbmES2%nQr*D>otef5R#TGqLYoDhD7& zB%Fpiupx_S!6M-py8LgqpmaL?L3WKa75pR<2Cx+WOZT~+(U3q(d*dI=+vZDw-n+o* zZP(7#_7YYJhatxU3BS0XLFoBj=}!UD(<)4*3qOyMfcT_iaw=FyN4Uc3w@xMQ#B@MK z0LG-Eg6{TDP>~lNHSf2h{CSsUlDcQ(@(;HAJ`H)Ys!Q7%y?;R)Fg6va*6y#OO;Jak z1gMfz`uMfigO1%3r&BchRN6CW)miRRSHfdz%Efo=CHfv0>(tBtnlL6{XcVQzT(i|Y zG4@fJAuq`KvMgvz3hHM(I;AVXp!7MTlW`XZ9reWqdiS^r4+{^+^Zs>T10K-^2X7Vj zYVZ!fLB5psb^oORrkln8YXa$elAQ8x16zK;41N4Kmx#Uex-^yV%Hi!UdE4`DW4U(I z&al!CZ=DJ5F}N}!m5>jeH%I}q|gTF_t@tuAYi%?${esCmZjz&mV8y+ z@Qt1{%kaOkk=xfP)#mn${q|k;W}1B(W<-96P_5J&(jMO=#Qwbpmv79&$48%ytH>hiyN?u-sbzU)sS!v?{>blfzauA(KU7n~9%oeO6#x%cr;wo$t8XlY&KF(i?8U5F#Y}6;ft$D30Qob(;-U7W@ zGWNa6#XHn3A{Iy63(OQ|5T9X5OM1izkqF7=iuz8bu0Dhx)!&L>;|Esl@CGAlOP35F zgq%kx>sUI?Am^Cl!f9Qe#k8md5R8o#u|EZ3rcnQTJD-LGc+eZppSH69GGnR_W8I5? zMjyN9#>Pa&{B(~V1{cq5thieA%HP6=n(Yuei>(k{{9!-GvphBMoA3YLIE38D44&)X z*h_4slf^$bi#C%o-m@;HZ2`)M(}%O?yzlMqKg~!HIQlI&sTVOxJVexjz^@ys|7%dF z7_RX~uafS{RyyH;p7Vdl};h$fUi~Te~#)`jek3Bk%lc7TrRwuVs<9)PsCxz)wLfnFp>9EGs-fW z%h_WwKnRyxW2eGBXOMkn(!p&ZAR;GzjmM1tpkC-ndK zbBH4*R<()ilQ?Lcz`qYc{dL9mQB!0Ft8k$E1%F8qVLvsRS+)QylzI`FH^Iu*x-|GkuV$B^%w$brKm(1}95cKj zjw^=^G~3{Iwo@^lGuXSL0M0ZcL{T<2y9{+jq2?g^rS?nWsbsOvT5+&7P!A?vc=)HU zDMSH91C*7Ahvq1?iFYEybU4Wmv=rL*B5&G)z)gk{7{t#{Ud+Xno3$iYo+g6xW+}%n z%;cU}lt|?HljBL+lF%eN+p8iOjGVrh-A+TZyyRKJOwvvcXESJd25%nnBU_T{c%aY> zMq0<`hb#p*{9znsz&TvbYn`YA9h@-SPC1z}sZGmDn_|cfWg@!Xxl=3tkda}+4$vw1 z+pDZhSV08`h9=3iAm=-Rd>K%YFd1;QB+fkck-QG#0h2i;@3{%S1u{>60bX>Hc5W7v zvi1tpN`W+jVLG!x1h|bxKm$hHrL;fCQ#qV&emUf18mr*cHUfcad`~{eieSNs%j#aG2P_qh8bZ%{}AYyC-KuzsVR&2(FY8 zS9UVocycDC)uz%JDCXN?@GQ#F=S)qtW3bq2Q3>p0IpQN)+)z&4LK}A}Y z%I|Vl4dPf!Pjng75%L$p%`h1znlu^?qcp-OuknX752-g6&W2L+dO=;yDz`;4Yv(H? z=_@VTO4*9tFYE(U@zwXa1258oSU-qvLIKasb}wSf@{D!z8oK6+9{h54JMl zFEVnISIZ9XxQts-wy)aw)4uUyiSJ|)`yz&LnVq3+p)u=@W(LdH;=^3(bLHY(aP7UIKcd0S^O0c zO#5KD22DQOA2(=hZ_8eC$dB4dFxZ{uxvXrrHf9HUg(f2}?i^YL;;j}!^=)?Ms<%(F z8Y0MNU$-&$#0~PtFVZm>jl~}0o$@)E!F^SF*lju>OQhYHFsC@~M)8!NeL?tUlVVa2 z7OTF8A>c?+L@QJB6GKg6;Wh00S2(x`&>Y&5FO8{^FmG3^VHe=K@eM461W|gWU9OfE z3pA_fH-EYM1cA5u)UA*(GoVdM@(ycE=)|#!c8cFTg(xS^jt$acxJ0iE)A&2h0iP0H&h(xCt*i|Rb6^fT!gZ0sJ+_=k<1)bJ@;8t0 zQI>a#O%kMB;nl6E=o%}?xE_*I2e)$^`N>(4X9RlTcDlf|H$#-3SQmT2t$~U+YwH(o zIUTKOaQK9^!`>PWtOV6GOw+nZ_{V@@E&lHeD~TYjFN!Y8notl#+KK@P){ z=Kzo|+S6z3pDE*yc9T)c^9vL>*5()5_=%+3A0L zy7hS)<<-lcyK5Wk>vY0nUleSHAyr^SGo#4q$)PySnota;A|g7b;UXdhIYNB^n&gGr z20fHZx_D-APz`06#xpDeB5{R~DiOL0A#!U(c00&^%rK5Ya!i8WHz$b@nyQzF2>8u6 zc=Q%+`lpW>+nWZ$f=?UG^`||+eQozlW7@$gumZ|_e{E$63FbC7W{@`rXWCT{ zc+^BwZ%^g%dHC3#hkb~EVfMF#n6~~9+-*+ z?3enh9S?!2&bbvD@|+pfN)_PI`@7riT`IJ-1)_#s-@E)DWe9fcW64%^4U_gs@dht%o;KJSU(TmZVl9Pi;t{y3-x6j^x=seduky3WpEsnhesaU4JK<3-hf~T=d?(750 zoGRcT*aCg|E+1C%$;FI`t3d7so%7|cq8@BD?^PRcK>-YLQ};Z1%XbwR=Efk4T~OaG zW(fKI`z#MZzX4^DvL%k+1v=QsjKtuoNNB|&Gn(JvP7 zx21z}F2D_myGcMyGz0^8I)2q^JVPc%2>BdRA`%e=6q8%d_A>}jGriy`G-j zx*wEqb4T`q8y#4ViUZ+0^kBbY5HrMHswfNxWm>E6P+v6cflWDG*^!s*3vUrx>S8(W zGBY$|Y0H@T)&Tsz^i$Xi$Rtvoi{&PxEGbNCV0>kE(dkP^#iZ$uIwK?G^4{oQu+Rar zTDH(E_7bqvSpq?m{tVsQwu(F191PM*Ap!LXp?cVA_*OXQIm)iY8#7%TXkp+=I}-8( z)rT(hJq>jxWZ=zkt$eG37Amg=?rrGt+^Lp}OK6$>rHghy^{k&il`%$NM(75{==di) zw#BM41SA{N>FE4KfmN{{7+3xa~Y zZcnBuOWPJF)tifdto04vzI^x-E8hS=m)XR7>ZN9#P>#uAKD^W8BA=uU-_CRP zFAKEIjc&D1uNZN|V{|#o=5H%k3Jx2TnJSzwFylSfnl)f?kH`FsRsMAOdF^LvkWWVH zJ>q}WDTWvOSGeW;reNB0w%-c>aIVMuM`Jyhj1)>?4h6>t$x|FZYdIFzP9J`>kGbP} z+g+?A3O|3l?d7WMQ0yViC(@Pp$0!Pu)AL(xL%K_yP^??TF?{X9<< z`~i4nWgk?t#6d|7noDe(cdE7mKT1)~1v5&cZ53bW zr}vr+3Kq!Kc-epAF0rPAKD<%*%*4p& zpG)u0FrL|C&)xs+bX|n)slqkWco#-C;>@CLh34$ogZ~ah-ruJ=0o)B!dGZU{m?iJ+ z?M>mFy1%QrCQFK8h4Kc7OE;^l7mGOv40+Yn@0VEZe;Rd2DW7>(uh}&+JY*O^1|)lh zXU;y(E=h$3Y=qz0x^KDU*ITCdbI4u!qSLKlK9y`v+3#K6S<(pYBv(G6&0uX@ZgrsFk6^!O=m+ew$ITU`<0c>@hA<{a{4 zSJwbYk}OO5&YX8b3JNtXd#^V4`h?*W`%Jaz~KrpH9<6ttoPMPcOs>3$G2RZo#Hz#9n`%S`17()rZD2(O)mO|j z0~VQxS~cc&02~B-@dm*g0`siE{5eoX`cYpS9riPB&R{Cm(Q$l^y{tYV4(^5(eVC_S z1{AeelkzmYqG*b4T_3`nvghHkSH|K&oW$9XZge?Jo3qOdz4afZc1fUPFpSmX`M zzZs;Oih1_a?#z@E4s3&)t6POoY1eSyMB51Z%t4hX`X_?V9%`4i4bFU{4PsOuRJF}7 z7m~(*hYK-k2ind9-UasUT3MO&u`ok13K-z;1{#k#y) z(4e2Y1!*EQp!tQ2ySBp7TTsj;W{dXa+Ym(XBoR5D?SXqCNNfEwR{h`tfWRUyTk&4zgVN}~e$UeI{r zH=G|U`j&x$PB@|i^N1>QvuA`e@vk28EDfO{kx{hqdACim)uz-?7GrYb3s+75{Ud4l zQ*#D8hd~_0hc20C224te_XzoOi&m(ppmaxSkq=rb?4uIag;R7_GG{!4`I3BqN>EPE zSi!y4jx6K(AMdQ9kryDzw6bOapD`-wAeCTKdqpqGjQ#9zWMReO_f~5O>_;-*h9VnW zr5F0G7Z}Hb4NBW0rQ zi6Ua61$-c)64?(`5mCN^#v&)M6STU6T!de_AZ9)yK*HzZBNa}@N=PBZo1Y&J3#dzo zf5Xf5#qO|eUTx>JZ3Cc5q*-*^e00@xe7Vnp|JfGlW`-4Y>xq=mpykR~(rH&)n@U(Z ze@0}9t|Y5dNJ4hj$f*;(IdHQiXXSB7T_{wl;?PDA*(8@V`V*JOSF&~UHss39F7|q8 zQz&%r8}?_Uh7~2YgT2o&3OtBK!tS)}C?lzz3q2*QB`Y|jB{|)n?n<-GR3s#l(>z$@ z`1~2nUYgR1w@IV}CM5V+n^j91vz|h^Tr3 zLhe2DUYKM8eCfB6`?o4F>YUEjoKgf7(7@G^fJ4f+|Dur*u9-LRx+ki<-6XP0Yp_Ji zZc9#|Op)R*Ts&ph*M~SrRe1toW>$G!T>|NR-_^x_wiL)U`J%}be6|!3uOZ<5Gm#gm zI&2s1!517dg&Tp~(1Gz+=vV~_8^1&%&l&SqZ1OMYyv)!7qr)@{a$}UD;CZqW%`0K8 z**ODe3A4XKz}&rK0YRu??J*NQxns16)+>;FCcgs=1)z&q&jOhnz;36D6*Zqo^);P+ zw{%t&N1K<&?uME_#Twwj;?aqp_us7KKRy<6Mr!B;^J{>>6*JZU@7vMyep~heKyJ|X zRMNbGb8Y*l?npNh0dZ4YZbzcz7tXN}&ATfOvVHaJ=gcmqY66F(4?3)S4>^5K{uj%S z*@r`{tKo;VfJZnGXa8kDqSCyHUPC5{;jCZWr?z$D?l@ZKx%-*4^ZgBaqScBr1$S3{ z2ZtSFx?O`HGvdHmirk(kr( zMSSP40kfBsB#D>v29tT*mwBzi$X6ZL?V(vyaS%#>GCopZA(MK4P-il&zO}#&{t%u8 zd~0YQe-o-1pmr3-nD@NOQBOvQ4GAz+rQd;Xrw0NORkR!F6!!rEK6kEP|4W&8=)&nJ z=4_z>?EBN1xhANH#m*{xpSx0gVgO|B=03}15-zaE6ygxucG3Lo|NI%* zu$M{&kGv#Z>;CAC`D-(K|DK;!%_CpUnfpLJ#tFF{L|AtlN_H3%t~jIuW@-*utf1^S z^+;>QRtKpxeXRm0g)xv{ZJzStzM2vwzSXgD>L#=?!PmnwT*8B=Ag6wkSeF3hRg!`` zsW3lojSHuUR{Q0TkBAr_zIaLJ+4D~ zm6x&#OV0YCUXT+q%&y)CBKywj$3bV>cdALhS=+NwO6bneo8tdQ|4JueKyL*rYIk=AL6eVN zHc))Qz}Q|b`RmGg$de;?XSdj6mu0x*PRf>7F={KAA;n3wec8Bt5%$0!Md4RB<0JyU zjM>z3L555|dYCNT$|4&G0e;TJh@s;2u@}hr=Ve0KLPcY;U%eRb>_$_0DV~Mv;{REn z01R!P*K&OR@Y~F#L|@dcZl-26x2@GIYpD8=4&2i-Z6D4uNaSv#QINuCdjQTV*mQ@5 zYgfF7QDbP@3%bnA#&jAjpJ;hk=@A`!2xs!x(-KxqcSesKM94Rz#Vg_Wlg~aeFPoM; zwUaX4p!NYqJN}oOS47t4^%4WX_#T5a`Qhpb8(>R%&10DiS}M0}c65NnJ!ZuHg|s(d0B} z;U}xryBNPPp)DDgYMkaMJ&w-P;*A&LL?bw5M!@Q}vXfx>WhcSZX}94_{Lr z50HtDQO~Dn@bRUzgT&fGBL12{1CT z!dnd1lw(T4}ZGx`7bdl!4 z0{!FIb4cXEPo(xKexctd8TbH5=ssoIM`$~tr44Kk>#iAFQW{;HS)3<4W`(i%RIFu_)*!mwOSb+O-qyaJ~th_qZQ>)sfUh|V+!1BEbf){FJOeV95EiAW`! zxe4k})SI8?hvSx~`*4yfHr%7SK2e{Q&9jZWz_}(N1y4 zNG@K>8!VSfssMxja^Mf*t$@h?_Ms)m`svtltY~MWRQ}DUGI;DI;n{WAB{k1L`R36H zF*!uQH-HYc_bHp1U*-ddhYiK_w{cxUIG+HBor`CEhZBQUSmK<|29X=6BZpR`L3 zE)U$)8^Km{`Tk;xnxNZuWhCiy2?&(oDblEWBI6A{B>-dqy{J|q&u%nlM9$=>nY#|p zt~o^ye^DBB_S;kRS62H~zH|@O0i&0M>t(Q|N?2!H(n&W{^ACDZE&n>&8>^K%Kobx% zrKsgotLQ(Y$R7Eq!V&O67HlZbo!f+8cy}hZe$KDmXw|VMoObkwgQ*~RFrqiFdfTgN zs?C)cSyM_z@xrf3r=#(Wh~2%Eue`8Jiarxk7j``>!oG6$g z1c&o3pRO*i-`x#ps34Yv z)VRayvMdL!vlgT=8eC~mQ3QH1YK2rlS1Tp_0mKR&0jlg-F1m~`06z?||6+N^aJ z3?Ux8UQKRH@b8{Ub^UrleMh4583OM7Dtwd`T=;(}I$dnps_myj>sWOStIi6(E3ljO z^t6K)juPb{Q5$+22f;d|A8SOWfzs543!Rx=acdQFF*6(kgzEwk+kdgVKlk16ikI9Z z#CPN;9?9JsoHrm)X9mFV;MBaquU~(*#bc>WBkPk>tO^9@W%c7XAaY>Y!eV8}1$Dty zYoyD1h_6i!(9?KLT@Ng>3E#}#6A+iilitZoKe!DpsboE{Sq*y4+8J%;@xMT0x$5{eate@S$&Cre(~4*5Odb=yZK8t6 zW3Dpn&n6*Y6*VP0;jdt=$vo>ofFm!9w<2#Dw|J!#Zv|9Tl(BVIRMg-%D*`^DE*M*# zJ0{*q%D;6XB_EfcKW_{jb~@6syS$>V%Hhjyza^=17DS#Io!F_qwN(?*8xfA65N4W< z*9nN8q#E`@81WQ@PEuu9+K!NTN#yaaCPXp3{Us)>V3AI^S7Dqs=&g2=MGP-onN%!K zB!vDWA51c%?C_;2y(#!JcOM%7XpwuaUxoRlpqfv8g2?k1Crd_wrO14Ye!e%vzuLl4 zBj%ZfhH0RzX5QfAAhXZ6PJwiZq$~G!u}O=2KoKR=Ubh8R3xW+;>f#t~@}cS;D2i71 zimh7p{X4S3c95L^)3eSvNYtR7|El!dnic4B$45;Zw@u0i3j{UqY6TjqxSckusvszb zOn5Q6)-~49K8J(g?Fc*W>sRlXfV+f0 zWcP|Yztk?=+EXe-3PZlVn)Xf%TDG#z>zMqqiuAa3x4xr5s$(V4-x)VTZ!gH6#44voHJ7zNBV&h2C<}BO zGQ^g*?0u7BMSC+G&^+V5D8I>d8aznrC6ZEHqQw&F}~%O5?y?wy3huz0(U`QAAcMR^VjkpIFeFL%X~lhA3FA|_91 zyMskQMz#Z_bMI%Y+XgZkh%}sR$yYf<>40F`1Bq2E|7}$Vc%VXcQW+(H$y)o)^tyo5 zPKtGsq{=jxyT7kPhWyT(3sD9L^Q$cxdzm-OseYPGbqStOs8TG<4O|50FDD^yblixe zicMqk@V?6zkPG@WkFOLyjx_rEMp7S4D0N0x`jxVo&tyv-lg>+!YWmR~c^BYzV2PSi zVF2cc^6h=KbP9rCR0^(bJkXgR(`-e$5&v@7az~w2-tIO04P1f;Gbt=`7O(aTs*B7) zc$|jh=#k56ut(EE-*~PHKqSk`9vs3%fIUI|6 z652%b^a)ATn*Fj$5oOSA<xh<9mD@wI)f85$$-?2rM*#&#Z3z{oY zE@Co=>y{Kol}DWLH9c!ND$$GlITj!Ix~tn?(0C}w3i|2V8G_L@4$sWcc+tD>!ngma zns@_W%Nk_)`2deUGdpxD;nF10R^SB@2!@-?M)<{N1nf4XY& z!?K*(?8JAnhY$gU7x>*a4L-R#@rMXaCGFPzaVGKG;}6`Eu05l(Am@*$k#w4 zgtGTi7S)e~oXb&e%K#9~SO>I6es_h!dfQln1*J&IPa^7xhHS#cRddQa{568)>)yU}-53 zKLOkRq$vPWrl#Pyfi2$5>=d>@JG40kg$?I1Ezpy67C%xpjG~dU2M(s8$@Drr8`xWi z-r`^^QL=y&*&99T)4(xA&D?0X-S9w9^s!PI9N?Sety!@8!KGt@clQ*=Pbf<8{$jaw z0f+~$oS2A(LSy;axtiTZlPv#gK>6=4f(lh3B1Z|;!qVfGx46U^^|_?uVOJho8yjfY zDlZL8P2GR+d}?ZqR%gU)EW^%4P?olcv|6vRBOyG`;Qk7(TW$@HFO!H;6+8uIu}xj{ zQ(l+u3#EVl$^%@vHfPH;E0S6M1|&;+uq0Qo2}ma|l+l0*M+|w$dzcfVr$km* zTZy=IXT+?+>0&%_-eC1{5Ku;(d++775(pQc6laxIb8O>y{~_GLk3i?CrNhf(8t(0D z>fs%ZXYl7mD(<9&R6?8WG}GRqW$0Nh@&w!Rpu)@PKbD$qKhz9yCZ{X<)dEz7@FWY~ zm_X5UODDM45vu5;x5WL6%b+Q;GX4nyFTaw#FyO>M>#bXGXz+{;c)};~Hg`ST-W8ay zr&y-`&}+ZdB$oaVU92t}-qGHEv*TLsF|dA^@c*(l*`&AyH)x#ZiBIF(t}qqJA&E?Lu0~*x4^&@xyw`L36b}ao%)WE;E@UPw|i=cGBq0KsMc4)8oWyQ|h)#dZX8?@SCWKK*SW5sAcCd z=QFRb1ngrhDfqys5lnE^yjie_lI`aV2V6<8h^eq8A4YI2m*d@sRd5^RK6sH*b%@qQ zX7*gYeS?ti{0eSGX&(vFFsC$qKB%>0HLH2`mTR1v*cz|{go~h}^bO_>cH*`5zI2hk z(~Nmx@g=_yR`i>zCcbV!$CgY#2Va4(HSLu*ySc$zd|Es}eJF@kPmX(vue#sCv9Ww! z$6HvK7W;k4_Z?nNqWf_*S($ z=d%K3-BU?Yu3V|5q6lIj@kM8sNl^uMXPsy3?u-v#YT#>Bd1NXNN)_QqSGDMnq<9gk zcv&L$hX5mBCc`w-nL(_%7AN}iTM#jW_O8g7wQY|84wuJS`?jDwE_sYAyXHk~X74G@ zEyIfLxM?nVC7gAZsGjRrN}x{f@SYt&GYVsA_@P(e{iR98Lhtx%nGuX}S2JIqXU?GS zfBzG$BH&zk{%dGc&oP3k(p#e#ktx=p!IpNpQiB&xfJ|CNNZ` zf`%j*f8$CyN09?hPpUUj$pBaMn~rYcVw@dr0#y_XLlD>!1rlZrbg*a0vmE3R#dGav zEq`_8H3$H_k6PL!x^wc_K3TL3Cy(jsT z_xwSQ3uah_?yEb5f%xX9qV|$Ycq`q^4>{#GeQ)>+_r9*I#&T`~Ag_Q}$AEKMJj^ zPF^kh01=fBv04x`fKJ@m@QI9{`HlOtnXkqq1U zngxEj^lYZBh7_IO75x0K+O&SC*SFO&eXe5*Lg1KCX9|u=UsBAdHl?b`ixtWjo z@Tlqc8b{6bMZATdI1A2AY%+AOhd?L~3~%!aJo&|9QoGoB(Os;E@!QN@+8Y_FGu|{*>(?7@2Uw`_ljQaM$($Sd79Y%0cy1O4oly7DhI6v|ss> z9&??Rq?Z`$E%h<&){(z|o`$a`FIr=+U;Qg_dx!7bci|stpmV%x4gWpz{FAj{Xsl$(TM9{?g`k};L|$7IyBJ~&-ZsQ zxBQ{C=!y7^|B=*-uauiC8STv}F>No&QQJNz&&wlXT%Q?t4{BTAA$ZdQ$O+zUpQiVi z9T1zD6jMORlhBQPl_h-e%|x?X3{<<=_>GwqCtLww*#--KGsGAwquie%L|!#&?|46p zONKv?`ZrBa5xk2sytrIycXq@%1V}sIQKAQUKwMwsl!|N;;yo~h&*-2HWU@WKvPL_B zhBZ|jinB)f19jos&M_#PCU6tAJgy(crv?H#qjEYS3F1UG4^2oc+N`9TN`Qh8@v8z$ zgcJqem9@2GWlZve1E}JU6-|sM8aOuMS9~0#bavuWCgW@kZBVbDz-%ZcU5A8%t4DMP z{fySp)|dd8@M!3XPnbYzz(S+A@-~Y>!!02|MFvZ^QzGdduc@hJqNS;pL?v$f^B^LB z7@(nd6~&-Z4!fV=?JGJ;G0)YBbkx&!YBL0YfA28xaw>|zy+CRK|A;MI&<&uAPjNl# zZ@J9ysg+`@0UkgFTJ!$&gae$4Hjn!O7NwuZ74e=f%n?dx&z%{@p>w|!fei?p8NldmZxz|Oyh*jQeiJMRuevx$&0>iOl!dg-~L&Jus=jcFC{F#dZR;=moUm`0GM;_mOSqJ!TmPAr`>L_W zCaM^W*^aD|%Jmgk*#5Ezd}09{`gnzv_1k?L6K{#YdJ4=y)cl2YRc5EUaksx`rv!w# zDr}Ec9}YD7k5|wKk3iMYEXcGEY@}Dc<;%-VgZR%H-8@Lt<#A|74(A4e)>G>1zM3s0 zAb+1`$dsScj7YNkaQi|Dl)hZ(*+U^)Temy!t%Qa>eWF&koFMYa!G2Eg?ifEwFo*9b4&;S#Wex=)bC4}o#s0}a+??vFa1;Q9_0q2K60o&=VlL`@Z zjS1f*{g^;T3A0ysgE|PP;XS~6AH#4o6^HzER^x8}0inB5oE20HN%DsYzIdgvn*up0 z@5A_BA0je9*XEa6VLhDXyutKl0x`&hulzgMQV{D7dpM@OgLZnb;{V2Yz2`#ZFvtz| z|6%mC9MCJ2PjT&9akH!lIw6IS#xKXS9jT={*fn^%Jx>Fr2N1=8P1U<{Fu5hdL2Pj` zW-gHZ6rFK{fZ)K}!IP|HMX3j8CRt_*B8^4m3Ct64=u~r49WV5n&W6 zEHnL7Mwa|^?VAZ70=QS11AYlCOGqE6Q8=uw>18L%zHYF-Mt1Tnyx@tW&)3HN5EY9h zu?zSMEZy`2P09^)=E5$rozV6bRZYEtfdt7TQ5WEQylXXAfgOmgT8TuvCTn!SIX2FR zF%KEBSkXuqd6lpb0bA9bp`+HNH+&c?$~$gC>~_ijQjoRQIyRy?=)J-QpJ=T4a)TIK z2TzSTO}J@^V1{`*0ik<47w5o2us*xGY^4fUf~l&)*iCc3hi6vO=Q_(*z=bCyu5b~| z>@u07-c$gnEyUI>qzx=r^lOK2E}j>P`bLnaikFm?5fW`o4CpBa z()U23$|GaCqAm`zl!t0(GH9m+Ps$4h?l&j77Ri;YJowt`FDU%lOmXvjmTeW#hA4Qs zJY{z`o;@~r3%G_KTHUF3SL6j(uT&P?6-x_|TlyJMdtW!af8EFV9KK(Ou-LYhP3??Q zSu*o@?m`>B+_&~Hwk_iQsEC2{fwb4Nk%{qX-J&7nlSWZY^$%?$(Ij5TDV*(DQZ#(Z zV89wJl58i-mmI@grlFFV>gRmx$g9UA#d&@1(YWl5{+~35r}IOKioXX9o;q>GZSp9f z+DB{M+sZE#)`@ut<+{@HW-ZoEC;NN)_@}uVMQzyop}#Fl=Dv@fll>pub&N_RCZ0&s z_@i%i;ivu=QMScKTB-li{*+TWW_K@#fT8bnC7snAwDy*$TA=du+Tc)a?K$v;WNDHh z>S_vuE6l1cAvG^PCrgGtMA^tdg-x+E9)qJ|ZFC;bLx`;NiEQI*24fgtg?~@_J3Y_( znZ|*Uo2hneMP&D!k-IOD#+LNs5fEW)Fr%P!*#Dt;i=M_FPZ&Xnl4`s5YPhGPnb>gN0N3aMf^`bLEicsUDkDz`f93JyD11tPj zNPBQ^%fzKD9ywt{6zFNUU2e2H=#e5B(I089NDA6htd#hn{IQ-6@Z*>E+@OT^mcRhw zE7l|2|0;w2PD<*kyHp|xeWO>dJ+-2W#(uDW{cIYiKI~;h0R((|#Uo*VwGEJ-G~AFt4L@`30fNd1g@~w6pKFRJOLP5t zEz6fpIC5wt42?#WkK0io&@#tmml)GN5>RJCv~h(de^;x)}Zuh zM0~GN!9CGH^8XxVH9|ahK!`%zdzvLqZPqV>#5WWcuRS#)?|)Vxo!UE5#0gVAmO54} zY8fXgn>+jN$;N6pt}&rNPbI22S9~WSSPPS#VRwf<_>2U|soP@&`^=RO$S`jm9IxU| zqDF&u;_(BFCx^3gopEHOd ze`-K(v&gA%X;>kK*l7gjSCg44wm7{(CQwN0Jf7>db>vB$W`iLir4wuPoaV(Zv#k$4XzT|p*)ufn0 zfXJptW<%yR{axfgO{{MNL(czF?-d@d3kl!5K67I9Em!hhrw2=!0G?%K6Tb?J;$*HC zOHr>@Po;i@w9nT>nmtZi0K+Ms-7;aG-V^q2^TbJ37JAZoM-`asE4h{%8sf4;tR4{N zz9QNTUGy z-otJ2;e;$p5Lr|bOnh9nvt)M84z-nz58m13^6C(BFdKZ!#U_gttt-q&3@1O>aB7Ts z3E(%5cTbapgHwbO=KFVJz5GseyuEjCnCZdZSuotETQR5LB`h9_U47vxIF$pJiH8GN zl>C;fJwmkbkiX*3$pbNP1d*+Q?la|yAl4+ObU6FL9Vq{%x9{D{^ULl`l0v=$g zaf5?C!uIJ`XKJ)wJ*~g9Uci|cWXSpBYgJP2K8*`LQ1-Z@@>H*E@GgM6Rtd^qM-h1p ze5BC}zG0VHfyI=93+m#xnB!uOSr&UX^215xuOFn@2J!c`ex3vlMCED#?!nAT)k;Q+ z{4}(3{@5_g+GEL2u)Gb?9E9*fD@}-s&nIc^6`>)&X->j0i8S9n*ISd*zxXy!q-1KAD)PC{c8kgMYh++_p?psKckwY5VyqHqa zOe<@Y5q{zRveQ2-(tBg`l$zHngq~r$7jDZ$Z{q?A%-71ezkp7*1I6O>{&8~=5$6)#n7dZ5Mc9_DT;KNR*x^U(Yf@cVY7&fj8G z`(rc}i{dy(Aw7!4)4!m}jt(~6@Xf*-=?nh2O)0fiv+8VJ4<;dY5bF>d7jsx$+no7&Ry)3|!B+2>%-Aq8G z6ODNlm$$ynWZ%V@nTChyQc>~*!na@^E&G48A<$D@lNOYO+~57Q-HxwMSg3c!M3Y<+ zWE(8VGF>IC=SQHM-9&wtPSp zfx3cv4!klxiX|O_dVZ_G7tLM*IWQ_k{N!J7xVjbY1>Etq3Tp(eEh`x3d=~Pz6Lek# zA;kvj{toK52Xvb26N33-s>aMHyR?_A(*cREHnmjVxVuYA`5?@O2`FoT$;D)HgciRE z_RP#AN4&LBi-U&xt3!jl4}Vww>El5(=?o@KNR}nXUt$9k25#ZNEZ9V_N|4}y{AoAe zf1d*kVZI3YeYtA+Z@^w7K!^}t8cNB4a6$cH6`x|q2Y<{H-_dBbzm;#9w0J;3Fo}kT zA2VJd(ty6uHjjo0=V}-shK;eHpTMUfRbt#wGNj~JafWQs4OZmap5ozI*`#YCgt&U~ zbv={ajc=8<+T&EEIarfa=lmeSlNU7oW*zNby>c`KlABhdfN)g1-WohWtAMkJFjM=& zFqV8-yKyqY6?v9SZ$3Fx>uO#FBSNG7E`6JgZ0Fk9Q1~kL9F>UWrfQLNK|odGZIjjzLV+& zSkarm0jIx)E$ZL5`;w6FEqGfEk&3PEdK{GT7dMA7qeT3M79ZZD%dntqf9Boe?Bz#V z+>&*DmLGmZ=dX{Dk@3eNL}eP`qEM+tD=~mk)C7>n!rzG1@AnwD`WjWeJfnPO1yIX< z3mOut~ANMazxjNZ|H??&oL^Wg2TBCvRcbgRPT}i@>$ou zwC;jjz-=CX90aDH#~%PuL`%e?KD^4G@W_mb@l@(~PaG{sEk%WVzueA4*S6NU(ZeVS z`hPmmbRENCA|fJ*BBmlsUW!GjL6g6gny{jB_`w-vdiMsC{l`HqEld_HEz1~)V+bjW zcQ-3R>T5YjL)^VDv5b*lDB5&OS{?rO0T>Cd@C1-dLVvFn#OaAyE)wf19#*^|0ZF=l z+)K2~p(M?|kwWTKw!822fpn{)fM7Eb&1D8CR}5d=XFq7ot->0xPKm)1P7=W)2VjKQ z(~uG$D1DANS6clZ)^jfV0~OI>De|$7%;r}?mE6Z|5pAyq&bKTtIzrNJGS!yL2c-%q zx5*>?A$V229V5pkG+!T%_a`=csH7FQ$hf!7F2FAVAP9ntXcXuA&qx-gm3iKoj)+Kc z-uub$GdQGz4H#Vp?c;McY3}2e{7LSSvmHgtr_#Z9NO(~@jlT;gPg>9Z@1%k64QWH- zm`2~!l*AKB8gVr%*7g5b*44=b>{?;=n9C8n?2k)x0p7h_Am!SEf{<<~`uyelQN#vR z43=7^PVA0p4{X{;bd+f{1#xWj82QSL;_djgd z$d8Z9<7Pgs(w_I)?S<%c(@Waq67n^s*K@D=m_s(N=6He2y8XF1GNSprUDR7TPSE!D zVnweY1rIhPmy&rTUBVuwHBw!vY3eo+;EM&XzN#pAY|uTw=VlwbYn9^Ps6MN(BmeaO zA?dv1srvso?%vD2_KIuoNL({Jac?prTzl_b$P5+kb*=2ZQm&C?MBECMjO^lu;(Jr} zh?FQ>{XY8jZx83*bMEJy^ZvZwuh;XH!dJH{-<;fIU4y^PVE8sUEADi_YK7`5z3H1V zWu##D1sIr+haElEj6A!pu3&BLY9pkSo?zQYWqLT_w=Mi2TDpFB-5XH9e@N-rS$p#8}FW3VR?jQ`I!9M5C0h@=VN;?YI z?8Vd-~|4pCe;ZqSG=9T8_ATH(b_7m zsr&!+1t5x^UwQrS35O3w!wf{IzAm6avK*x^u2ucwvdb%qZ?W%S2|Nqn28%Gs{I@UANJE9y{ z+FY+u244GuaSscnWCSL~MwFfqPSD62jBB1|dbY}xv%_XIiRyg>%0T_v8EQm)+FBGD zV&zzCSfBg=*yr#Y!fOwr9feax7)o|>2ZR=?yyyFXLpynMuR}b%(U!+)9G&_zx?tPg zQMG)1io=9p;n2nuW_ZME>nUeYaahge2wdzq5P^5z?nT z^t9vaAeC`22+Y0Z1M5l{CkYIOVkV8GMs&A|w6$A1*d?Y})k$Tgn3p0_g|&o7bYdv| zzevzt)xZS+DSom!ckDYM9WjS1i7-_Yi-6QTuRaBia{2I$(CG4zju}P!jA{2^bCIs_ zZWJ#_B;}RhGWxY-)G3In7A|JM890r18mHGS|NLR)Gtk@&m3c2$aUf7>s~1CUHYWWP zY#hzRH-_!lDXrxfFH^WA{2re51~bXmu_pLuelESVMwEVzH(ci6#nmZ~wW@HV>?T(4 zi;{G&=>X@?iEyk@R2I?xHy<(90kImAn*B9W**!ooI0QjunnWY7YzkWV!Tc;kUl*_C zBHDX4@HAV84;$q>o3$&})zu42RqaVrHGzWFZztICbaK~lSDEYSaib&|wQ_lG>oI}w z<$>*4IDdFwg=44Y|OkF`*ptG z7`Q21hGx^-RT;*nA@|H34F2qO@E&|V#aLS5Jo}%l91{Y2^8-ix^m#}}(nSj_HVczi ze=eE|O1_~iLkq=(fz)Y=r0AF~1&;AL;ujQTIf+%$X&};TAl>Q5gF2sQG>+tazF)vbIr+q_N|Qx*OnTqFD3r-r=`K zzDE}u=z1pTR;qt()PBtT_WMd*MFbbgJ5Cp4dei1+d8J#oT|k}jj?lMI)XmWbe}pZf z^mEte92@_oPvkHy)J`^U20|XE_%JcmnZx|s^S#q<=ToBP4DI~0i|ftS#WR$P3~~b{ zay~latbcXgU2BvS^l10j!SBMl<$knZcpYU*``oji&g>vvi``krsn<*FS^G~Xw)VT^ z#`&{H_g|cJf$*H|3i7?Y(gfKn<7SDcBgp17F=-w*(|UQVW+z91Q%}3HRbekuOE7?Q zy6`9a{ZCLCJ2g2Lsn>YfW$!G=SWTT3z=iXL`9mV3`BvjTk3Z}>r-7;`f&NbPk~ia4 zJ%1{_n6DP!%c6JefXCehwXaKLjUT;><1^|DbPe{+8iFucyqEAPOqi9^hOIFd_M* zA~k~A)x`#1Fte}tQF3lM8>W}SCNDy;iE!sPTcUSTUOLn{P;(Bm;RVW^B-LKL!ji!Rx*d}Tu9o>Kxz4{2*JA6FQ1kubp& z202?GLJjWlq8j|=(ymzv-~C!f)CSB5f^}KpU$sTT&24so0OCOt$%Xe?=0eP8bNb2P z3NVzuQhj@?w6xS23`gh!cS1|3_D6&>U=KCbPar{T_jb}zpV7xkf&yZDQo80qAP(*c zLRt~zD#ZqPlZAMzjx>np+ujWF&iK%r;R&4LRT;P!!sv>TT`j&~X>|DBw%8zD(0|3+ zENqurzBq+)alDR5*E*eqTBY`(-t3Oa0hluIDNCgA&U=ckm)h6^LFqXYt^=g6eNvPV zOW$qKwRu0ro6J&iJ9K~s{RM**SC%Xb72%}UWE3)ApmzE2lGJ?D7$3;?axhUU5x z;r=V5r=-!h{0QFJH${`-@uG?Ge0X1SAa9mW{K?QGDkxw@Txx@X zk2`2kdKN(T9Enc650~0T@MC|}WnnP4U!++3Kl}~jTCKem1c3PfY%Cc-faNzQcRXfp zZDjZ+w4FjA!fPG1l)*!R+LJsFLS26Qpc z>K7-Mf2@5r_oTqMI4McU12vqU)X({#!vasub{P@L^lUo{7j2gag~Q1PT9l54i&F>D zTa!vb2Of-@9uOTSJ|}+u&(e+SQif_DFB{B@WKeKTv!r~1Ws#G;$?ECMCNIupq1;isxO7EIAxjKele7ijiPy#Q# zk1FMUuXmSZy7;>lRRH;i(}==C=Y z6mO<`wfLDbnAUYY8p#AwJX6>P{d~2Iss~bxoET1?Qe|jV69authG$Rh!5{jz=inXk zb+2%TrN>FZQgdo+*=fZpE(_lLF=Px_AT;D5Q?g7YocR6%kj)zTPT>NvbIMRBr8f*a z(hOmEKF`-$wpobVzxgf2UW-RwKhL18hKu|h2HL6^J%#pW?qPgHM;+rwpzE1`pGC@y zIkGSHQ2M1ZJs2ir2Q@m>n4hP-oDZQ8*Q?M* zm?+ZctPCZPWzPO#oS0wYdLVH`#l9EqKn}gkVH=OxR<9>6l=$A?v2%5UG1I$_Eh{6r zCg+l>qshfGfkYyXK@{1Am$ji5FsD_gP#2B$_F{Af(Wm=qOBgIw1nYqWf-MB;^GM8T zXMJq-=;Y@DFob2<-lyS_S#{SY&cnLQQd$|8!O_HHN8nmDl-;O`*B})HOjJ^ z_%y(9>)(`|B)98!@(q3g-O#Nw3X@9U{h<-K`RIDqML{tE>#qfB{c?d`vaRB z+ELeYX@K8pQLXjIi37}h99WvopQH!dpuUqDLDT&5Wy+cFF-}wJ@rnP`p0nozw@FhEs(*T^P5tf*rTrx4=c-m*sIgdrT{f zPW`=Me>&oUm)dDy%`Qk!UHo#PYqpa}=l{AnS#k3}#i^_Ez6T%?z!rY{<6zI zmz@)7-^pw!T0MX>_|5O4myd^<^k z-&l$(J^wf;;}iPM90}4i{m_Hr6Gj840db3}HFlA!Y&k5Ftnw(kNVbrzA(q=KM7QG3?Y=H0kqtM zO)lzb?p`ok6dw%x1|ZX16uerU<%L5EwuH!N1yCCPK4G%7UgO7&18LY2=Vv% zwdtfQ61^!8=Rcpiy~a2KXgk$ivsC`uRD60BC`MME)dw8Uc&j2=0fofyP}3F1KP=_S z#(DE$^uV24iiFb}4$V!g#OEt-!fkCGm#~>cDD0<5+0FueLw(Mc{B zQl#Qb0uTeAx+ueS>TU1+(=LYKF%8E4*^0^@SjU97C*x)1Ut?OzHc<=4huwMp!y>91 zT*4FL!X>|nG7eJ(8d*1YssA)POc;@o0ZK{rMrZ$RzqIIZoyEC+8ZGyR`&gVaU8(zk!}4XpyzpDv zZ;#rb4)S`M1? z7GaTwH^N-G0*QB{&&$heH5tYQTB$X32Hj^k4S5xoyX@zZ!8O)y_Jlg&j=0(toYsxG z@NkbVOK1+Tc_t;WW!6cvd<7oWd`?ohonE39ci68A#*<(u>=PH<)YJP3Q_u6MX5J|7 zO$LKT9-egl+k8a><7=OhshobR{v1RYs$4PiuFC2+c$215hD>A+p-=7;4ACJ{vYG{tXPd%2%tT&Ib9u}a zxMg!Kd(XMMDX1~M>4s(P7-f$TX*NdFb=t2n|0Z{Ll>+T>GPW)A_NeHp_1UR%i!{w6 z;(vx>iv`TdG#YU_%rQa&sEzf`6)h{0)8_%Z*DUSwW{EW1ql#InAFw|@K?StM8mV7J z7Upx-aNqnYu`%Akrd`SWnoX>UmFl-QDjmJMjn{z$&mbM?Y%|QJdvj<)bP6AcgG*~` zWyQD}9EgNj!{n`baU`MCi4jP^7vs1ecBCY)I1%jklPS-R7Pwu7TC3gt2Q$OgfE!4s zF|GF%a>V>@{VQqeACojPZm=>FxOyAprlJV=bcV*#jM68qDq`Oc!{-cz8SK;3QFgO7 zT)AJqydLZhVP5qj7r{5T=3jKd)mNdY0 zjneP@U2Lo)Md8_>a{%}W-paDO*W;*N5fc~XK3D0u*f{*hG?mlh8DDsKL~Oa0JsjQ2 zKK1#9W>d&aavCZ2K26?7gb&5EqEC&bAX^B7(E5h>am%c^4w&yi7gh=-E2|+1q?`Hu z27DJbr1>hJ@8aJ%s(LJv-Log~&r6Yk44NPdWYB|}ryl1TY~;)(#@VXrZ(e4T@V=LG-&0D=ImXMY ziJjAVQ;o&jOIbHi?0UbiCWUqEY@Fz`XdR8pGUtk!HAr zQ=?&}tJ&yYLP?7osHZy}cP}lkYClsj;eksE;-Wr_9zrjLJReHY{rqIz0PrQ!UYzMn zRk53(`7qHLVXStGE+j>9Gr0EJ)=!0+x;rJbia}Si?w{NjynbbfW<|DPdtHr&1^#-V zhIu6o{D&E?!eH0;y(13T@qWtw5T+G;IX*E?$7$|}F36;PHH|d&c<}aDofCCc_Qdo96h&2+hG9ukz z!%5%{kbx}}h5*j;6v*uoU#mX0rT=c#58ehs$<$5?koIfPu>WefV3BEv{#B z8whQHK^CZ~UTQEYsok-C(^ms^ekFn69kjHzhG(vw-QH@K??%=G>}q+@&J$z&sgrG~ zEyiyf{psNHlcxMY&~uEl2it^Akn*smM6Tj+XS-YaL@|@uH=3S>MNB)3q=fXbTn>J3 zjhC?nX9XT$`HKlWBlq;Q>Oq*-b>1diqez_K*8ynWg$Q2F%d#l=JT4>3lSb&!;HJxS z+F>(B^1hQk1xT!9PN=4zG|6<4tMQMsrCC^-5Uz|`L69(39^V6J8qKIWotDrd{c$Z3 zu9SNoGz}iQ{2yse59`qd^797$+q38Rta!Lb%HRz+b8J3DXxqTOEtAwL0$Gn_VgA|m z|7mFP&Ri-_WIBdxS-uvRkr{soYn{uNHz&fG=;cf%@f{RtrRl)aB z{434k|93f3_wCAnab2>mKQUO)MsT26CdPSSfLVJh?kONxQUN}L6^6SxkxvZl>VtyI zaxvOtW{ji>hs*hQ50x%mvHi_29R(<_wgu*KDAH-NC~f##4`2Kn}YjI zdT*lAPkh)3?=!?~OVh~_LPglB($rU!a_C8z#7+eCq@ zszsp038Ji&Q~vW0IieodlFqQG$!qmW^aliSAus|`=)Akb(2!H%_cW1b`#T+z@+mp2 zA&ty3L|}lf?RK06>kXa+-ZMfxC(u05JTe{DOGv1Cs@1BG2h%b>l~2VXpRTb zdh>PEoE|x2fBZ-!Ey=MCMTWn=6n#noAD=+_x+Xkj)XiGw#Vx>pg@JgxLQ`}>1ayC7 z%d;U4Y>$9aImv}bGjQ~W#K|u#$r&HblF1BX6!pimA=jdFWIXU z9}KVqms~CNJSmlF-v;oQpWi3@sY+$&{U8je^PC;LnDH5|2d+F+rDr>VRybb`3pBu3$--9>mH_kD~QtULyM4g>#*X&JVaR!B$sdjAJVT3-=(E7!dLXYp{dc2 zxC09OPL)gv`3F}I&db;I$d!Q`7a?58c%r-nmfv=@$s8{BpHfm3;=*rB+bqLCEX4*s zlSg+7>&@W*x(y44&b)tc9yBGTA>GR+Zq6Gwjw@FZdsC0#n0ZWH1=1a}yPaWCx-S)&ktL9LM zB#fLXH>2pc-ReeCCcS3QnT_LIv>>L3yr2*H@2Y~Q>eQUud_iC5e43d)&%{;Lv1NVG z5*+AP){*0)abNTp${KmvePf*8{uWRagTTn1pFlOFhZ^dmWa(+LFvzjudof)-Fq1<~ zVe#4Z@p8jXC9GpanmbZYU0q&>6z z{t0z;m@}C!Ubb@pR^S*yy!B&lvIdy$<|#vIQpuH{EQt?W)MLHQzE_H=DzBN9HemUX2YYjdt^h*k5+oq8plPrkl@sLDoUH5s zH0$wP_B@#zTXc$G@&ec!h3zaxE`j*DG${>KlgA!yt0*a3#g(?fj};N_p@7)Hh{ICZz63{mAs5`vb+9^8j8vASc1u1p=2}s9J2lZGiYVZU80gX*sfsxD?;#uUgnyNkx&4Pj zHW2=OyGL%rgBig%A1rtXF*uCdT4OGKM*fPzm`tfjK1%(6uI~!O`jeC%5JgCzWvV5O z_L$mw0>=-%zb=oG@hlJI{*E$$oq;dB=Pwm3NDd|uEfz)23=Tu;JU90bq=@73n2S>L zAz4@LY1sU@?Okipe9rPJuUM}f($i=4WirB!1cQ03-GIs2%rz?;pL|ZTNl}t^{KCdC z{+M=)7uXUzvE7iK#(kxXqtMy)RK=-yoAx;$FX=Xhr+9)<&4Q~3304UCGkE~RDc)M zCq>(X<_;vvKC&5Pbp(yh2jZ%EN~wfd*Yln~t!|IvMm--tlNHrvRWKTGYUWqvFI@b) ztW0k`QHCO-i0E=4~1gmkF!7jw)>87o?gAKEO%qD zdQOTlRnIHFc=%!uT_Y#Q%Def=wpcykp|!|jV~7K+yXC<-+bfJ0CtFDRRiC=v3-v%- zJs;@?;8D_i0+(vniMo1Ya+IU+SFzD&FuwzKsPW=Mm790+#y&i)yR`IXaA}Mw?9>7I&C;d;QZNB`X3nho8zwX;PK-@)3wm^I1~ zTRgsS*5F8GgEs>?W~I6rY^2lOA2=l%{ZY)!;;Wu=Sf)OMUYH5Ct=;eGmMAffYwY8$RUl=-~ z(9FN=&9Iaes5C?X(}Vs?k{fA+@eb%49#UqnSzBerVNDzy|Kp6=mbCnmFQlL#>*M#f zo8kNlvx*fn$|%hW9zl`2bfN5wMghLF#Cr?q)|^mXh#TpJcQnqRHVC@5O${rE#@#dj zHt>t*=w!NVuHjQ|0TSIj{3|sPkkybW<66%lzS~dbpW_*m&jD9>qxkAC*(1L)GyVTK zDYEnL`*Oe(=CdmXX1~K^d??!|)knB}dxkBT`rNma@I+0ih8cZ3a&@%`z3lFi0QwH^ zt7%nC-eJ~-^f&n@x7<|<;=@E5nXhXuKrm+Ss%hTRXpKFw7MCupXVZKVYze!(sfenl z2X;vViV#tSr8NMdm19HWa~Co74W>NZ6(DGo25gpUL{t>8UaRl1pY?ElE~4^$DgA~C zUp_cx7nB?H>W|@TINq%+(kRu{9|SvRuy4^E64W!3ivqRQ|D_5@0~fCBtgZ`6Fc zrqC$P;G4wP6gmoHmdC1b*9jv;np_b~94%-#%ysLr@I5d?!1Cwqq^Hjvdk6V;J*Q)$ zkgjKH0Dt?X*t;w^Mrh zjWFfC*VU6JmC$-O(PvuJ$7W06^gr$gxdzFL+-6|_RdKX2EYggxQ4v@wlc`ti?0S7e zhZWVg+oiH_R4XCDMq;Q?>(1|NR~J|s_}+M+RDH)|Ak7!w{63YTJJ4{vif;$kLJ``Pg-qc ztl=T-Swt!zl&_7azWBMF6^rO1YgERUQ@#HZafw|nfic`3uPVd5b+YvVu_2ENcf!;5 zp6&yTx0KLjaIRY(f;LZmMk3tLojyXf!%d-5t9q zun_O8P)J=p-_-Dv|NqCo2$1XZ&_*v0^#E5Q{aeJABb;z%W7}a3hx~>yx+RFEJYQ6X z3mEu#GV*PhzlS&MhmN~(Oj-jg&GH8`{NqDHeW1mAH#|#P*JKON*BUg5sUh0o%lj;= z`x(TT>rgP=_Ea+XTX_EwxurSl#d=NNik7C3yRlgEkYprj2yqx4waE zs0>oS%d~AmcHvA;nHkS*oLJarp|Eg1^K*0^_up|o4xoJyP4*hM-m!(_e6x36`HSdO zcnaB^5HrO#&UOCCf;L~T4PmKJVHs;?(F^KM6!1<`Yt>DlArbGEfm|p=(L`4_IXss9 zAz%Q27Vk4vgCib`CXd(-aQpfzvH8uUn)~FO#Jc$oJczaed(pS9L4bIRJYxUcByj$Z1A7b(1GB8OSOatbu%12!PL8soBUY7Ndb_7}V0YNmQg9E1 zZ}EWnj2hrlD!E=Q1&J=|Zc^wZa&7Tc2`%(P$yAPlzzJhUY6H~W54#}M^4tJd{8i_Z z=8%D3*?Vrqq~5x3SE;XUqrG1c>psa-G_!vD_XX-~l){&NrLQNV$iJ-bTbc2jUE?K> zQj#9{E0dey4osWwUZ-rk3nIK(y@1v6Sr)7q-+kND@#V?IlG-R+P?Tr&o}E`@6CThJ8{Lw@i7o)8>7dRclobfk+oFzYBbqK4lpmRyD3* zw66&jG`~XMeSR`tv1R>ge~OgBqrRbo{C*9ZpB<`o1|Wfo&l%b#@YrI`hhVPIBzEQQ zh*TD^QbXs7_lBg%oH5A?CV~SM%H-9D{4BRW3;BoNRlA*bD(d7z3_#-1A7@~t2YG;* zT`sJ&tRS-M!p0#ez+33BoII5$;iN6IA)KDBW}}3a&eGv8Q3B~K2{IOH1fT4pIN|=o|xi>nCea8 zU8AWG=&d#)1E+Ep;DEvEnP20fl*y-@)ZzFK1Kb;sf8iBbez7%=SIR>uHezl|)dbBC zCwpQrVhcN;T(<@Cb?Z@}VKqC}QF!Ke&L5-+%FpF~vgoH&7HTDB5DB(dvkaPI7eR$? z`$L~KVgcl2h$(GcYsSiL+;Vr0PYupi(jq=8pSyD5WKVaKg1G*&r`a$YSjscWq*0>Y zQ$1692JeMFx7m})1VFWbIJEwv1VrA@zTI>fFaxC9IbtRQcv^f3riCjIg>ZD;voy!3 zbX)W}MGXM8HmoH+^>H- zF0`HyG`hg-tQ&ojlP)9bIfp3NCV$ETZ&y}};@cIhdPSq=T& zPW65oC|4wc+i|u+94nl)!(+R2LDJ;-?0wWU0d+zX12u+)svK%#n;^$dZ9I&Y9f1ss zx}0TrOMNtPZHqN`r>za{`co0c#kJdnXnocr0u(LstNaE-xFf&fu7CExf}LKG=dqxD zE?uK5hN!3Cw9r#DzSno|zwa6uHI`(S4Q_=aS! zSq%d}7hS&F>S{&q)XVh9V0jCDejqe@J~Sr10h&vxc;pk%Sptfwy*U`zf7zZs_NBD&dkN4tg}Z^(DPG$JwJ)(NGaIm+;ZDAHkoeQU~47 z=lrzQ3Dz@c`hw|Sr@KprvtKM#7uduJcPc~wRe*PQ(g$CoZh*B>eT;#C-OMy;ROiEs z8zATz*lj?X3h4c~{FiLzn9vuh`Y*0-TnNk-0bFo2H7pmpb)fR|U&zZ7Di>i}1U33< z&@B)l0Hy$GA$z<0|IQ>c@7H9*_I7Um?`@dGU(81EzmD#HluUXgj}>lUpqDeu|C#t| zm8OxiksgR)clDr^WbtR=`N`e(6S|$m=Z|N>Dr3cI33;v1{LLY|dG)+l(BG>hy=E@j z?4l|so#m5xAaiD_irgMQ)I$IeEMi=neZt;bFGFNj!Yte-o-78B7kDfx-^hjC z6Tkiqx=zREu+<6`$46aqiD0>&*G~I9WfH8VT>aa;7lXOwZ27OSpCoFh%)OCMr4X!ZHU`k z*dF=v^7O+{mSR$@V1I(MYS%+AyjTA0g9}{2s=|=)kUMy#Va8li zSvknMiWME!S^is>7fel7H|B_)H+1ls?Fa<2g+ z$fEOZXf5g?e$WwfC12OMXs#NPD%F~-%|y|UX0Ex^h0}G$WB%~NR43J~V6G+BIX-jj z-d^f*jntlZFzeK=U$WfH+6TKkd%G*>l}a3}oPpElN+ie`wL3mw2K}Z+mTQrJ4z9$) zn!X8@-Z?3U0i*TAKsXD4$}bVmegVIqo=423TV+Bad)#6Lr0ZXSuaHRt&p7oZf@jN5 z$UHCf(U+HWUrfdNq^jvr+iiACo%3+w-5IMk9Q$l~a%N^fNw`RLxxLrS&NR`v0z@(_N4Q$}CT)g-J3pd|H>Fo5 z$|=o~+iu!1$|>=W8cVBoZD$4b2+fuw>zb1M2b~N$nuZ-8b;OnT^@g<%F-(y~>X0#-zh&a9>ZPp>bktT&M(25qaT`PKjhU; z?r*anw*>_~Hbri3wh%5CGjU7#36-viMBDCD%Wg8e-TbiM{8cmW(*m_2?^LJxmi{JdD z-z-uGcqx%eG-FmGTNo-=_r60>FPg4206hsMq*=SOA(xSYKv&LHv?COLBkHNp z#7@*CtMy~K^PtQD=O?rA;t{rKCjd~l0+FtSKh;gOnoRjvvHZoY z!&rlvs~D9cL+{f_KA`?eTMAPxVr*Ts>Pi^yosdz6+#wrIz$RUg0w3impzJJLdbW*Qi~ z4zbYD)&0$8<0<}$-5`H5OzN6i12st($dp0{&|~=^(=}=={*1T^^c@Gi#Jg4)x+%4+ zIrq7FYpUnmt7Og2D~IQ~6ZwdG;IR8k+Dcyp4rhM7OFA1&dYd}d&1_^kf>^nXYmb7$r& zN4eT~_$@8nxRN76!z{qtVG4HIY;n;S;R;9|cvKYJiaek$y3tZ47J~gN_-f7?HUDy0Kwqaao6H-mwzd(13)--?7IJbGtoO#7MV?n`Gtl0 zT2w4QXBruK;yh z9!}|%Zvv+@&pZeW4V(w)oF@>_sjL#Jc;dp&>EBvs=lob0ZgTiHHbHrfrTqi~MR@!w zmU$`AN+S2ME>CvIBFszu#22c{72L@$UHVUn+#Lj$0a7;Y57-83EK| zo0^pon)=;9#h|hUXhRz8Mwli36+gLn!cdseLE#~hDn(~*yc<@ygJ%*v6FGJrKlb#R zP-4D*49)09N37z%`;e)b6#JbYa93IeLSeUB;GNDJQNm|$WYC=5C_}tUgy!Q4*~sTN zY^-dbE24*^%RXAW{&$^eh=wuME&Y1X8lw96cJBhZel(~Edhk3CtfgnD zYgUxR&{N6M@I)2k4G%lkJ-t$W(Cjb&J~0*0|2`S_pZJfM`1oVB!(VUc9=+gk>n4Ci z6lyYnVb!AGogrxsARt?l(8SG<%1wyVWSI1;0#yM`Eerb9XFT@;b-~Z`tbiTZji`Ju z>nCSzu%^vocqmF7b3R>$(KevA-Gt?88?aWxiw;B@_%G~Ud{tD${puYEjps~HfLPAlDUGbIj)CuH{>BEa7WI<|oz1#GVw) zzUbaq45Q?u{yadVJ8#=5aBgG9(#l=;^5OJWmfbSm^O+2#V(F5bz`sE#l3_wCbcZX>sXd#dy%|N;$R|?g}U+XqTRg z;W)4FEt&jy1D1lino9>`+AbvI{vqC-q5%OQB|D>K)uYW^X~BZRRO#0bEJdD2)i)>{ zv>%9yVnjvJ$Sg*v8HPLB$pC65>k;(*fnf(_D_L#3(U_F8eoE4Q>WUju+A>%`) zR*|n3T{w(hIBqC=;VDJrgQ{K===iwt89e;Phw%sPzpfnqx=h9K@c54| z@&4n)(8YJML6pBg9EH@mrVnY-*N2%uTJQo?bj(bFLaMm7_G^B%4cJ|6DS{-p=L`H) zuPaIhNzOgCoV$SA$d zSi1A++?v=2Oq#Jt$x?AMLHX;yP20B4M>gCKe)IPqRlI|FKxCPfl`SN`)s%r@xa>Tl z?sEcDYwPGB)p$o!mtWwAyNs%%!F;7K7p!Nea>)+(!A5xr$fgV7@MmG@g(HgGBQP_S{h@am2O9<&*sNmG-3%YsQ zG8-C~D`&1eeV_%#MMWez3iFkfQyJ5D>dSWf-^@=DqJIBIOyb70YzW?M9W%h50CWmK zFI$Vl0GcyKKbkglaE99WD5SF5$a?d=37YEL77uq5n)283{0~>9jZ@=a>%ujk*6Vu({d zOUuxWF=Z?}60U-q71Jax9TOLsHGb+PLZ%kARl!BP531j_q_^5|`&a7u+n1wXG1C45 zNT6^BE#(QZ#!pF3m+^sda%(c29a*Q2ex|3Iuh=vE`;?P@LQol($zPBoGr2ShuAq!t zp3hud=CV z>-43ZseNzp-TxE9E z2iF)13kw;1hUU3N>=6?p43AB2&$UstNI;hEY_<3d+uUn-GZzA?vlPF-{9Lr9C$c25 zjmGV9E@o-uy3VKP9}Zoet0ZoJRjl!wQ2RSiK-7WOEETo|Zte{0JyZ6gn66epnC_#g ziupko;hf`{*WLq<2@l-|WSm(G>g(h3pfy^UK~?$utRt$yQyuyFjB9JHCr|qHfHLsnYhBIp9R0yxSHQvT=p-5D1qnL`IdKPt0!*8%`NsOiw2IlDTEaXe;$K7`$1%}i-(7JG0U|QCjV|NDdBQB2Vsk8 zwMyFc+-0F@Gcw{y=Nj+bPlr0VvwXI5mP1AfIFo2tTUWUmcl{ZVm!VkyMcv%?V`FR4 zoCK=}0t_AWDEjSMy<J8_7U-!R4ZFFd<9j}W$7IB^ z+;Ni-%MUH~57a|G{7#2{-yc79XDZ%HvH@+F3epc~@sR-N*qz@vhi0CesJCIwkJ+qU zPtN<*7rb9hm>j&%1XIBHo(js=jqKLkNUQuA@F$ zxxf4iYnm+#xINa@7W;Q_rnCN3TZDG%-#Lk+yW7iOHZ?gfYxAN+o}ro#)=elgw)I#F4!Gd9?+zaOS~ z^5hi%xw7-3$P+mRD#rLfbe}f)Y+MFtS z%CYw6?<38Y*JCHC&$Pl|5;!?vYv+ideZvzKg*lzoQwK9Tl(}ABv5+s1r-r8M%ZgC@yKgP>4!A8Y}G- z`zMVqC+E}`-MFi`#?J0fB3rkE+jJJo#KKoTHfer9Mff@_@FP`r^IMv91}5oT3*Sm2 zyqR6wSgz8XEqX2WF{}Vy9TAwGBEip5Tm_{5^asC})p{yk7 zeuUiW?j$uXS3TM%)nT}&PSaalXOTwa@1*DA{a%~vNQ}ER{}d&DH;JObf*sT#y#`NQ z=LqCqmk@v1-XW=QvZye--|B8cnHk?wEf!eEr7GNR2^Fc>_JZEcj}t>=zR&eLAn@5J zNJN#Tyvhfgli>1Dx+ku2dPOfczTOln?xsK^+9=L>&Xwlg0BwsEeo0fBD-yr1&X0I5 ziMLESOBUTYyeQ#6O!HdMfr)Phm7PJIKDMe~LO2sy`1cOA%JI3;-AVAodh%-CzUqGR({2i-2ZHk0@tEk7w9Y#JPRVG8OJqc z{x)fji&XuIxuy4$1)EXi-@P*3@mgfOeD1F-ac5b-^FZS5*LBhDr1;Szu#CI?%6gfm zYHa2p)i;GRY4m}3rXm1z!hvI7mq&pBF*+n)OW@$<=)C32LHy*|c^P?Wpme1GqG5u^ zJ1k2?&S==uNI&0<;^7%k=3qpd(}nzqZ(?8FqDLxh3OLu!UT7n}WKx27%M#Mq2L#2f zd0cZ1?(l_J(7^U?oG16nVjVCUP#;6EEm?A^XCykv3f~kyylLBJi9y(%!`(Q<$>h2% z6_lG$c7M|_)%hT`omyVfD741btJf=>v(Tg0T%6hcS}h^3>;17c7E%??JN|AVzrdb+MW5ewWe`}pZty=R&yI)ie-u@|-^D!csHjp7_8bKx+8&+bc=0>+sCkT$~-!EWu+vtnYaXJWT&i9Q~ckD&Eic zx~hu(Wag8Un^kaO*oIiHcwCEGQNlzM((YK`6De^wk?(j${wAv(g2Xg{s1DjK&^Nhj z)1QAb>(oa${C~w2nk^}^F2H|B_QLC@lQ^Ejg{l2236BTevA8$AQCOY75)9I<&Kd}J zj8!RI!aC45G(KOKJM2(YdhxMFq!C@%0YykC+Q^^G@^a~2o#jtj`9q|r<%QVZPx(**sxjw+FfBEP-cR<%=@MT}8DfX@ZK|1a)t>@dou+$` zdVd4rIT35kOA9041PVCxq%)Rwh(#~HHQz116I*JX`W*RT`a$o#H2t(sr50+^WuMAE zhL2x)%)_lke8+G6w@<6Zmh1)|q4_;!ZE|tM_|;!}*hM~3r+T+U$Q{wI9z4@kQjdxv zscx{n;S#@-#5b}K?DS2kR(Yqn$iKKlp~Q}F+-t!h*Zo>vH3YeuucCF}`^R|0+)nUG zj@s;k{oe~amoI45@38GB9faM9Cq18g3@YaHH$p{~LaZ)lhhMrZyx}$+7s@&Ol)sr1 z-|P4dzYt~JSk|~>)YJU9m#?DvIshaG2`SjFPf*LuyC7T|TbM)6ad{?ad6qMK zeuh~JmPFz^=O!i|y<$M3C==hPjK-P`#<01a5(nLr+j|G1$j&)XRw}g@q*sxy3&(C( z;~|8%#@4R$7arcswW9mN&Yp{?ezIM!>V^I~)kzhWtzk(M>1c50H-9T*0ph7@AT%`) zPUOJG(cHem7fJeGW!L`Cbo>7?Hit2Xe6PAc|G;;@Y>)l$e!REqeH~t}=jp3rwN<78D!(p} zstW!06R36i_>WjCaWLjjwun!#AP;-mW<4zI)T>Jh)tT-dU6Z?UDX@WJ*Z?jmw!Dz4 zY|SqCKz`7BK2XWV{Mzqz+1InMY=-k+ck`FoPK(te(7QcWvb}t8x;W8qPh*)AA zUNbl@+fgpovc@BY^pQRuJqy?+pbAo1Qj;WCmq7ImsJ$ofqltG?pJJC?xn&gu14qc! zEq!W7P;S`9)VxfX0JbSBFZ1jiRC?$o*TQNN&PAS_%jJ3)lH2piK{6613ZiRiwO6&oMVm8#eRWIsY{fioNRjIr!k!z;&= z3OL@?38s{un)VL7aK|aDaJh$InBCD_708MLe`tg>zU}r?+u? zwjRcE>&V@!&AxwA-sBblIxB_~?||*cw-Bb2+WNysqAH3}^`b?ao+|fvs<&dvbmQc! z;;J{fwK)~rQ32NbVsXypDVOIkj#C!{%3 z}f|+OwU??si?pQc-px9@F?FeJ5sS3n>;lO=8+Chx_8t-YHi^|-J~TrTlPrR4S* z2N&dH9)_j(-bfkK*!PbgwaC!F8o7X?$n{jSF|)6$7-X>ArFJwX?{BJTDbhzKK1IHu zcm9_-4sxCJzcQIuoJuV~p7AI@ZfwU0`g_BL*#lf7K3hRQt@_qZX_KG^1`^%CwKu4T zVI3UhY%Dk=M)FT5Wt+P3=^hF$N8K;1hcbcwXfC0&H?6hhV~@AIU>ZQ9#~1k6@=zI? zCq`2=i)A9TclX1Ml}Ra6viV(yi@@e%D`0xKZ+Q5n+dENuJZZq6|{ntPfG^tVAHg?D?@@bDLHVPAIvt%9@Kh1w)f>|VrCvIp}lKy z#zG?cg?LB^PRMSLK9Xap;UZ^)zTOO%_>Yxn3ZFT8D^1`ng2Rc*+A-ql7dX1qovnb>QN^b7eRhr;YA?BLDCnvd zAydR^M_FdUZRBj=Z%>I>&5Dw39Pt-qO!+tpLY%V*b=-4GnrCQ7Uu(~7-qoxjw&)Gb zG(6FEn4nnO)S8Ltaa3*lO8LCF5num7s^`?7`!B~x(4sJo#xT9hITrh4WafuG$q$Q2 zCQnej)%ipsAnNmzPOMNPObzg&YQGm$e1Nj`Ik&-phHL#)Jqhy+mBiM)yR=i^r*eWwq*K*=2F21qXe29t2Wf9vm9SrV%QKewc z6gj3MNAKj4Kx2-o7#)JF;H)_aJmsl;Jea{FJhIdcGU>peAI}X-NV1B`&-34TR7); zx32#}DS+@PL_Y7Ei9*5xbf__)4bkS$={xrt;`l_T3VPA29PB5a(3wWqJ!j#p-GO~9SO$U*ur&ZE$`uELdVRmy*zyTVoW5j@|q?4$;+A6NHUj) zB=$-?ZtzbF%Md7JyWFjApEFc#?6B$!1nuf}vcxvOClGVZ=pf=V8$in0fHHPbLh46{ zro?0TwGg{j37PeN5^@Ng4gqKYd@tdQJ z=oz9D+>Y%~vbDB(mH^+`z8d4cK@PnT(i~=W2+hr_qCh=6GiCz$OY2FOq#rkq6~st- z+n>MR%Y*ryeIY=$_nK&0>w7QG5b+&lrMv@B*sZJ;5E(~ zXs7otZq+s+N{EqYI{l!>`w%~i8-m934>KNT?B4KcSku|Dv1TK$qW)Q0W0gX5$v;R3FU$&icxvQ)O zSZFawdP5oyuUxi%WbF&%U8$)Ru(glb3?ntrJ;aJ2KHrEjGN6tIS~21zoj1S4P2HmA zK)e@VT}Y-DN$Bb@xXzC=RuKLllB{W=ZgSGY13Z*N=d(wki>o@ISHrq zcu!9om7O;dCZ9$$>Kz#7G3zF{!4L7y9Xst4>88nZF^C*^krZiT1K0NTv>CT!TM7sl zv*ZbmID4PEv%;A1?XB4zo*iXax>g`GJ*31a@&0(oTtdx`0P8Walkt`NBTYzle_1ks z%R%fWaAOR4{nbB5=gimFoW$OlvM-;@h98t&>hDI+4t#+Y4)73%_*^+{*}~!}##`l6 zX9(s?gMDhvaf*-NK_6Xt6y4l{CJJ8|xOJTl^m83;jf-ghV;bAU@7>hT{AtBe@qSy^ThDs{z!WQO+0|dgBO*@U(_E#igHXAXx!0UWgHWyqULp#!1 zy|Q#2TNtrp3?1im#Vgp+eN|__0f3BqB82Px8Z}fle<*S)1?=xR!lua(sqT_&X>+;MfA&;%g=Iw@&%_>!IrRbM*I<<8Gl_ zU$iM-mjR@gi9(Wxf=@{nvofOaiXq5yJAcyK`&XU&WEn&BU!Kjf*x3qxQw03mDHnzQoCg-f(%_{{3$O)OlYZ$Rckunr7pOx>z~WVPhU#xj^$ zuv>dBidjzm&^HrMy9v$B~j$VeIH!-5_gkSte@h7=h)_HW?1 zHDmF*3aVG9G;^(Aee-k-gD^GW7Pjl)ukdW*7??#LDOxa%_0qaET;h9osaITsN3?y* zF_+vUf^{m-FbJAdf?%4$J$9A+Tqk^>nUWEAK@vE9d6on9U7Lv0cRaHc;5Q#B2%F8h z3rbbKb}S9dVVA4-u1=2E-H?8Mr-t+`9O-=T_`E^CR8x{5s$TjoNDNlw!GKsHl~#{@h`Q zoj~iRg1Q~%P#xRr=d)TDHgX};?va$A%o0i(&<#P}ZV~Ywv6mO*DcdX!%sA~oZA4QR zLKhJxc_X>t%7SH7)t*$;K(*nB!Yh6mBW^o3_O>>u*pAdQq6)R`xuEoC=RgV|QK0X!~yEuSm5caZLHXYQ3`&<3PhozfgRg5AT z`;ztUcT)Kz9A8Igr%b5Tsq4KReNn?mLt1_MP&JHGO3F?+Ba<_PYV=~`WcL=q-lk6G z?tRpaxdiO?^X~oV>91gMvl%nH4Q_mt1l*z%a<##s%vSW&3vBY~+`@}sF53eP`Qicc zO5YqieamQB7vVmF&x$^(d=w&fo0m7U^@QFVew2-kHvE;$EL?i3_2LUy;J49pOLOb8Q=OL=i58H&-;7G}q z@}!ma**7Pb#l0lqtEq*pa{cX2k~!o1EET5-4gL_Xqnup#g@iJf&mB@4kFby4eCpo1 zKSxPhN2lvPR}lgUg^l)E^6z%)Wm{?o{P8S6-#owsHEa>fe@&e9B@Y92 zzMh>du1#%_cC3X}_|0b(4TVmy$$CRHwGhx#KGFgSHQXJy6RU{L=?)s?(SmYa=JMIg zp~cBlxwH11xkFH1TC9bKks|-3VgBW>CZ1xiEzc|lvu;Hb=VRX_pEb*hY@0x z|GP2>N*@dp{0HUAKo~vTA0YTbF(m*eP(KBmRz2|Zp_Mp1V{)sH z$WuJ3lI;4+gqL7s{;z?z3%>l?YtJjjIRHrpvX2!mT2Swpx&jB7vWo_)cQsCW#F3v| zHlO^~#9UO|4Ter|lJ+%gCzLK>(2Vq{#OpFcznzZ$4$A#0JZ#OBT_sxIdT&4F-74*0 zRyRAe83jx&0Fr6P=H^^PGuE@ic|Ei$l1kD}S2lkC5F7id%6wr`H)c0HO1XACA&1r7 zsi}IOpG*1Dx`tQPapLXmiMHCH7{6EB+t2EbDBYI8)W&CUMF=EuFFNIK1maEPlG(I(#{-# z$%fyeEH~A>d?@4+x^Q1MW6^T$05vi8BlJaoXN1#a$}R8FkKEV&?{N~poFe>TlKl6V zwwUs;?r!66VFx_f|7>5a@>QI(`yfS17RN0Nb|pu0D}An(qkfn>w_C7n zVp75~FfT$Bs5ef+1xhEmV*ZX90E7RKQ(}e@QG5B2MkkFW1kUIak5=q#jTLMQ1m;b$ zm7Vfe#8 zpJYnCDo)6^jiHh7YX4Z7`*NjFyr2 zeR(H6hjoP_ZgO&fI$>scPxnF5kk#`)Nke}}G&_rRBowQDv)Bx6*NGH1M2$*vPM_lZ z*s3R`|LWc2>h11mK)b{>MOzj1wWsaCM72TgEx=9f*ySL1dvl#f_T(agqAHeEWHD!e z)~^@oK<)||E;&>$d97A88a@DfgAP4lXmLW2X7Qi)3;g!T0NG54oKmJjF&SaoKVwm9 z3-kF$x!!%aZE&_cfBapcAoZARghqnwzrR*+CU?Mdj0%XAW~1-{c$1}Gp_{*Zgcy|c zB8X$-SzOB9xXawS%%jo2$ywsY{_peoY9ydtAH;x~qmy}QPYM@E*kEmug{EY%UxUCLChS(Oh>eBVR>GNXW&}kY z@e4ovtsfZ=x%o9v*sBfjGajJ#(DtD0H3?}8@F8nOO|Yl@`O0v`^2XP52J<%2;2}Tp q04wt?7OD8p-_JhfT>t-f2uGVo90{WPaW4mWojPHEyz!V%-2VZRU;f?z diff --git a/user_guide_src/source/images/codeigniter_1.7.1_helper_reference.pdf b/user_guide_src/source/images/codeigniter_1.7.1_helper_reference.pdf deleted file mode 100644 index baec6bcfbfd9d46b682e3b92fdedf93a968d92c9..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 499087 zcmeFYcQoAV_dhBpN6N@TLL|CG?@>bZh!zCVJJF)|GR$BSB05o`M2k+ejNYB-eYDZX zgwgw845Q2)&gY!Z_jlL*=dN|vU3abf^9SBjp7(xsdF|KU&wjJMl~?2y;1dF{_H4)I z00fwxF}Yeg03;>(b^P3HnE2%^yeyntZ2|mmEo^N(nFI;%YXPLC0X8nySDyo1z3{($ z;rep`emPff7cV9O0KclewI`GD^Q-Tf{?9K8{r8J+JzTB5t!zA)INsWLc-nh;GHJWM z_X1jY*f7a@x)B6q;$;E?fqZU%zsqOk>dg5+mlFQ(Qhy6=pke7?W90?l*Y>vby55Ge zGeLX+zrMY-mmQO!@QY^v{?|74wsu}jLeHPQxDwaN)kE9O!iunEc^e;lD;q7PR{;K3 z1Yrm=$+C? zIMD9COI1V$`hxW|^8I%U#Jr7RiaOe?EwKp8WL@4Q%zv z4DeaW|Ksmh3BNyVhlT$4%1*aa?#93GRdX$6|9e4X^bq~_zgJ}uz8wEveb7^or2O~l zWywEV zn*{tC zGz%qh;Ll?8KZ|m+QmW56K1|tggA?ESdv``;R|@|Sw2mH$mVH6@X$t!pa>@P6@zJCr z)s(sk<$0_*nM(#$d75weI@>>%dU@k|*Ob;LJE_@ANO;YDfBBVonP=~Irk7?%54Z4_ zFtW)&psbrI@P$E%l4|%r_HSUm(!rOe#X9G2uRk?CxuZ|KxKkCx4k=@}8-U5Jkz*{Q zzp&fsBAa5st^5`mZ`ZBC2};WR$MC)M*V6hsPmC?Qkal?2;3!_XZj#`)lY@g9i=$27 zo)yMUbdpsBR`2c&leWHSYW)lJe-e7x5j7V#0(vG~wAPN0WbSW^tTbHF0t%FR z%+-7lhtrma)E6D^tr25F+Ou-9oTUCi91)ujHS`H+kM9>G>4I@fDh3pmYCPI@kvr>0QjZtsz1 zUA((8aoi#D{@sV90oBKwN)C{VkF$^76DNP+uZwdH-1V%i!u7`n>iAg@y_omvre4D8 zT((Cb=lch4RtF=}MDhDzAPMo* zLFHua8pk2#_>kYX*KRRK26sIAv%+8ah3{n>XyyFfa?tO;LW5)^m`|eZ7xQb}IP7wK z*B>SG<5$m}sSZEo=X^_cM`5 zF>sZZgapf;oErWLwk4K1cXK;x|J}Rv`zuLM@S_R5E-5c*4Da2`K+T_P)%%|_asFeA z-=*uSXB)Q{noq+o&X{|2y0$`*XA7b-*oGgs8Y3SgS_mfi=1H!l_RzjID4%&ab#LBN zqnoDqZhN>{F)YcX-=u(&-P3)oE%4{Jo%g{!orc-Sl*PcBxi`mDXOjn0`=wt5mR>>b zM^z}fL#ZUB1O&%idUB|*E#WrMEo!zj)Z0XCgdw3I#P8kvWD4TTr8kLQ&K9YWni`iV ziQtE#_F<6cFX~^sIEKdLKJsby`1Pp^zxjJ9rXx~f!C)3G%D8=UKIrC2?s8|7LX|rz zG|>IjgBg}-^`-5+Fn;4>+Lgp+Y4F=mfUXNBx+n>*IUQnEL~nPmTO-ZJC>1{WMF}^L zXWveGb#+$;9_Re9Ojy?q7A;B@u&buUdtCN43~z`&0=5~;7Z5|$YDmys`R3odKHBA* z|Fyd2iHv!n*lj=Z!#suHrfLLa8{_1#r6(dv81AkcUoI~W*$UdP-B@I{4dLhCeQY@9 zev%WT&+o6qqSGZ8Ychdet&CwG-mPz~$m9XOxFf3jh%B1!7sV8)FLU*6;AIQJLrYrL zUd$75r0VED_4QjdEHQ|u)A!y_VBYw2fvuASHdBI8;KS3H&-@kV>{Iz z3hr`OG4lOf>!yXr2~K8An5QJ<8xwLd({sWu4_Jg=vnULUpOK%Pw@juRZW9r`wSMNM zHX`uY%m2M%PgZLMY9v0!ig8b}IS&Poy=&^OD81nAWH=?aw`YL7A9%jwTlA(yg3hP3 z3=U6NS105+#p8pmUn3OE%)2FJ>%n~=k#s_nATExybee)po>X3Tg{j^YUe;j&_tnJ7 z3EXrke%hnPW>_I&j7sNMP^GbGaG$q|wJ2w+8y6vR$ftOi=>uZGQwb}zeca57j zZ?lcj8c=4$+t+?-y>eJiwaLtM_F_{oTUAV0_5!%PR6fPG0Xn*wLCd}x>H?D3ZD^%( z*}dbMNfYRy@`CP9N5@6n?={V-c~mwIq0%kaL$_^6#>!!NIbcnvIEk7X@{9bw@Izx8 z$xmYVUVF>^HjM2@^WdpSldXMZ$@j~yF_pV!Y*UN`mO6g!W?ZkVXBIJN(5VbD;JBTd!7M%_;PXsZx?R zJBa@YRM)*~y6h~}>dF$TBG;JSX3A!+9) zXiLlCS$yJ@LaM^5yhj_Zm%m1S6kWcInOSDDimzMUqv_LoxH8ccmjAqFK?#G@B$x?0 zL-Dn?9zd0dX!JY1DB%bmFpLhG`_bl-5Gj!U)eiB$?50FbFgTB3nsG9y zk$&?=o8C&zEuxoNi@n~m^#xRBb8}GaBMJQFdHHB$Qw(3$9U$Lc9I3`Rwl^Yk^sDz$ zXa{#AS=l-jp22kVV)n-_-dhs}0lBU{M9{0UG01T7RD@(@z)wXZ#V^t4`=eN(|4Q|+ zBS=DTa`RAe=ZjsE(Yl;LL)6aRLbIWhlGlUIBv!OJe%Zb*3z%tOX0ER$yieyw6%a2a zx^R*K-qobNFC+2Z*q8KGgk>1(N-lbN9Nh`ou_fNj|9TgFblXrApf8)pX*#B zVMl0dYn!kg`~c72O%OnQ#2YROB`!krN^VWz>nF)R1yp|Z6zgqGUK-wsa?V8m?hZe1 ze}njgx&+k#N^-eNpqn+{o-i2s#Z$9<6}HWA55u(0(q$Zq3@Q^7rBLd;I2bdMV!?d{ z0xvF>GDjaGthm{pW^;oGnvWwT;odT9$y@6g00%agu66Xh zYFlGUz~bdQ0N1RCfoG+|$%etz(A=k^5F&*J((X{4VZr6Peq}d^zF0GP1n|-U+B1a2F9#Y-T}yYxS}Pfr zB&#d2YkC*+=;s0a=3`iMnTf;o_RO}H?^w95wxT|k-VDx7ZwNoz>|bEy*|<0iL15b| z)+F}!&i5EM#rM&>%-oxIy?gk|W!@i!M2a(l%-4o4F!Rl{?Z8j++WN8@m@g}Sx;Zih zpAY6M>RZ;K!@X0vU~FR+y9?QvV(T_hYNIT-phd`Z9PB+@)yKYeI5l? z)_-JDlz?N+#?JZ=7W9*`QKjpCR=U`@SRfwRHi=2ySe!MI;`%1Q@WVW;>J91hTO)xd zEqlfCmB)w3F4*z*J*#`#l!~RS72ED|p1ZtZ54$8P?^#OVn3|`*yWh}doXJfFJ<~a7 zs^ui%=N|&iOguL_=00+XXYfjjW(MC^{2FaKN6!nV7%5>EDe~b3--_%|+pp;oLUYQ#okqCwfMh>l&KFgeR zPEX|=c7T3x@{^k2hFL3ILJfykn37u(-CWiV)E@MOHADhHm%m(=)6}L2aFt+*$wNFK z)TFDU_s}CM@q_D*`Mp`%Cd1U&mfX+vH$r*(v?|w155+pAIX&swKfhU7ZViW8kcxjz zP{N~BTROX=KNQ0(8`9Z}HB^aSihT~oEssRgFD7ej`J!_O|1+21NKI#fzEAIgtfNQt z>wGpxYqTMPl9;v(B+y%g+k?G5i#K`Z+Gy z)EzU?(;sCLXGs!6Qddtot8bQjyU116pVH4YWnpCmm|fv08YKP6#Z_g zE|MfrTLE!+v$F5^0h}Zf&eLpm3tB@dYSTanLY!LwpR$4q$5j+gwy2od#swb8XPS1K z-{^ktc^(kU{Q-ZKRQ6A6yj`#GPFhJ~;NSl>ux9Ui(VDxKf@OED{EZJq1|gU+U>XX5<_&&OPU2!^S30XnJ2H73qt zSdsvtBgEd}qTPQ*hdOjU92CgtA02g=wjG{kQ(QzSO=dw_N4$;}=cC9vc*_P)$5b5$ z??<8@BZtvEV=%@uedgWl7M!Ku*M7d2W8)GS&c)Nha;r1yHr>wl%`+7qRG49y;JWit z7UK(-zU}1jC~tk@0oG8ToLshkPU+{nQ8lhaz35UAqx$p#*;X*;;{5Q!s{7NuAS(0P zT{As`A+$2K%LE!84BR9ly7yd(;AMQ>yb0iVYEFgA^c>IO^~eTKfeqHa%+hW%Q3Aim z%Q;1P%g2Ov)&xsOa5MK-1}UnfqZP&0x6>spy-^z?2WnYebV}?SA34O!D2SMHpVzoq z+4>@>5&ULjKz~GHTn$Dn8*`c&OflKVh*Jv1#gbw1?^Y&|5+&HmT{lDC$GdkRR(fmr z2D|>)spB^9nQBoHHHperd~f3=j*G&P{^6v$yuLmbz7}0xE@O2x($BEC-oH?H3!K&Z zeeKXwTm*P7>FCmUP*|Tx`yjt+qyn@VUue!jFZy94*c*jDRGD`N)TAury0JiYr2bTL zQ^P3IwNNUx9I1yvfdM4a55pz+IA`UN-e$kv0tv82wzE=mku#9a5B{u~lWfJO)m`=4 ze0u#aiKma^ZVOu#e-_MI=pIUsF{rxFAI2Sv=S)T$vts(T4G-$C0;6&Y(MGg!g5Oja zrW(YS4g*n{ZTw=p`RSe#;Itlhmd_82!&HNltVpc4@8mm1=av0QD4iPmQP~gKQkCOm z3O}U_;r>*_n)=`Xbu$TYYnWm35&2dIHQnr%>}gN`vf-<1r+?duYgu z|NRlZiY_c?T>J)+2l*#a*!sz#LW^tZ9>lq0qQkLp0+kYcp){o-(U{%lVmCV)J>E@F zajpHVOz93DcNm9k75sA;>_Q|Ya3#6qQ-@9Ke%AaM1j^TQ}&{GBOt8 z#nf+bR}VHsf+s@ORFOI{wwm)l{W>b>!OJq>YXgMS7?#2JrzY1D51kr6n|}@egX)qs z)>!b&=BX8e-qy;@e;A;7(A$PMkSdAB4m8j$*C%@n@0iTa^YT?BW-v%1sa|UmLSYfl zOK4b)NOHx7>ZMq-*rVIPB!!w0pTVqq!bkUKbYp}+NK@M% znS%KW@TOm;K5}qed3{p}xE+5IX$q;c?sufc#kv;3b|o8IA=Vewaf|lMwCtDknbMW^ zxarl69uW3gQ<3jjOtN2&>NrJrA-Ea`8y9pq0$N%=Y(5Y zCqHjkYEu+2z;kji_ZmwGtYT9F+PJook7&}^GPyr7eq6xO9C)DyEK|m@xSuta7KYos z06aRCbZ@x_So2dLP5lvBgSZ>M^^pVg#;~n!sLc$Nr9yUFqITrxj8Ls|PH=o!Zn4l< zsAm`1?q8sU#D+T{`!3}zIeN$3AmR*#@L@iJ*3b69$K!LaNm0HVXBd2Kl*Ec)UD4D~XV2c$I{X80s2T+*IIs)V5SM4!>Vtt$|c?zAuP5U1wPO&6z? zp#$$Pz2-{S^wg1J%qGSqeJpj3j+omYTsF3w{nTN5>0+2R{+%nUXq2b;ISoYR(iYOw ze-jbRme#Mn{4g3`7+0R^;fqPs=iiZl*6v}Rw_vm2em45`Pjn@PHAy>Opiwqb6`Cql>M;qsVui_Y;$xoI&&ac9^+RC)RHvz%JAUqOJV8YDt1eDpB@{WjC;!C{{ zjBDAI(-dWaXoIPged3hV*bW6U7cE6!W!riaSnwF1xL?NH%-nodR78w1|HaV&lvqoL z9qf4WcM6XE58O<2@d^>oh|&UdW`RpK*Y189I(_nb@6(*JJ8H7OQt2Yk!|BO}rC33R zvKJxqa=Fi?58Lu(9whKySkZ3zxyQPso5g-~$^2=v+H2#T+rA>CRFUF+fSX}X9=b%r zc3bk>tZaAmk)Om~siM~FsCUmWJubnGoQ`t1GkSApHW)!pPD z6<~5LjYGRf{0BF7edY=x16~lk+c6QU2B4Yd;T!znD(1bqHr7uk_Kd-gNrj`#>TA$& zj=XJhzzHjn2pzc z-0<>WEjvJ?)_jgdH2Qt_$4?|~OC30T^n&*-&?Im}B?&xK$4|1lokb}8U@b8<=#54v z&FOD0u!r5>&g~b5P2VOr?ZA~`M7>W!N& z*kGnDjCD#CX!LuE6T44D-{LX3u3Obzp6>nT91P#4Ft%-TAKGSg&BS1;3Y|7~475o^ zJ}vHd`b*VM%PdR8B3w6=i7N_lQX#SPeI)LX7X2Rd(UQ3JO=j%M2{g|Z2*tACP@ zElay9O4U#f*u4)2upI)X@qhfmGZ55yq#5G zuke&e7SZ?>7PSRAS%d$<`6EHqF|QRtsO-MK`r0E04;;`COyGd1r*iflEfh;BKRXZr z7)B(olbutF-VomuJR085Y6W7AK*r%Uk_mIZ3?V#`HX0JzUPkOhFMYtb8p)hfL;{DR zpy6WKxtP1zRf-iwJuiF8)1^T0ZD^UNx>MTWY>j7(a|Ux@;6KtuC{&Z$HoVqUa73p;sy zig#WqMW#$WfBa{MY(PX&wZK(r9%1CB%v-;cxO*G62k{#p6s;W=4_qmY8xm3yQLA7d z{z{=Rg^evw133lY2TBU1_Z<=Xn0x}&pQ@mgGr(<12Y)#ZFv01zTHJVAQA@3DPAayy zrzMq8Psetkm)|?|!)6}AqI8P7#+nv2Ns=rp?ZN^jjVPsh5$Dv%gq&*k5=tP|X_o1+ zsN%5}E7wc2XvxGL6#s?l!hVV1!G_R`Dno7f$nqt>Fg2s#VYS1J734^|?FisibREGQG$y2oQ-X=m+{8qz_ zQK1HVuS;ZJV;pE4!v)Uo}#3bl=L zN%8S7!vCJVys*WZA(9LBaja}zZ{5aZUwgy#+_|mvg20&GNRMOp=6V)a2ddBMmz;%^ z;asnCsx5D1Eq~kvowA4t6SOY(6{=Rb41Y5GEpYzeB}wKo9l1da`C$#8MEEC zH>0uVRrm>CXET2+6j+iM6N)P&i!iyOieQ8kEEIju^RIy6i2Bs+kWBcB38_lc`m(o+ z{$nyYFyrZp>wWs{?XozIzQ=?%=wXq_bsMzUg1{3ie{tYSm0N;o#KeTH&=ZXt9+Nhb zopO8rpG&t@d&*b?MJhQWS-Z?%f?AH+9*wP}sk9ixtmVP%?-CXDGhX5n^+jQleu!-= zeKqTz7SJ%%*|VoSL$ua;!FW!?&-08E(&RF!KfHa0y%_*$bKmVVRu6DKJEssG#%~N2 zGPDH#GA~bQ@N~iU8~s#|4DC0}>5%oc=dG`&+D<`WdPBxZ&85#UWmU1JVva`#;lAsu z)Jmd5kLfc5{ZZ8rBhj6?wWIvV&`tdk^m492INPQCXK56h%Jh+~{3g)ZhOWm`Qp3b_ zUfaYORq$eF$wk4_Np_D~(WgkTHXO2e=&(6)ltXpDf+uINOIg#X=Su0gvt0|w#enQr z-n06E?(6#1&_jyH(n$tYr!waEO{IfBy_c1laU^~Biov*mrlm}8F^{YN z9?s+4CKDHT-Fni?ZR-YU+b*g_rE7lIXz-qF43Bq93*f_Jv5@yZg;Aj{6HD2GELG8RE=y43y`GGB$|ZZR4<>)6E&fIV!nW+MXv~$912#LB zGc{no-xTj#%_eZ)eitz&uE)8~Bec_@7-Y2b z?Q*!yNbD>+P2(atqcEd+ry4z{f$!m7y+EHexo!gp0}udNyG}U>-yQu)!lcCP0@)iW zA4D^x)nb>BCluM=hsU_2x}R54SD1=iq<+0H7t38c*iA&gW#(=g1kl#~tbbEtNF=w{ z?9jxojGO;h{}biwFCM@w7t|UO6&rix=f8H+`B$!i)>wjOXEX#90}xjnr8oYW5H=gi zshUP9{Br~Oe5?Z*&K5sxCceaEM94p1y?Ai;6n7F|6sfoJ>9F1M?ZmQYdqw zSmSO$SMS>lhVk(Ez;4%vur?-nfvBFRqUY_JPq|YDY@Vtjx)|swcIhZQB42QC>%5jD z&bmUO{u$MnHJ@Fw%p}{2vr5bP{qI0u!P=MIo6F!^tCy6n1a`Tk^O&qmvhNL@#I;e5 zy5k_Gn>NpGEgeLJ77Q4!8IoWb({PC2AU(5-&i#hiDX0=G_lphm)$NhW!mAXpQU_ZH zV>ZQ5qFGw8p=L6BC+zCfbJF-B`ob7|w>{npk#4+-xpMLe2U>}CBnY@?ZYFuSvh}F> zcmvo{?fi=o;o|0R;ld_ixra8^Rv@L)<2zj;qbJ&cg)TY@tU6 zY?}k&gIOkGsPM=_a|ypSjJD@>?H z%e}WxpuEc-@Z#Gnx#%N2ZD7G!x3k@HuBz&wO-^#J2Y|S)Y)rlNtx)*lJxF`I!%2ZX(_B zRj*`5+-2A1VVfR&w^_GYk)9G(X%gz1?$*(+yk|3_-O8CQ#DaS4J#hMKsx(y4?rXQA z{C-K;pU-*>P(YGUJY3ZrF7D!C*L_v>CSQ=#s!=9WPTB6oh~-_gq^^tvIlsJXlMRo9 z%v(K%PYTzv>Ma(awCZA);lve4ugx^kERfwjgJEaf#G_ZLARZmf6jOtQ661Ju z!1nTRat1Xud^sL_WG+$W$nl1njJ`7S>E@xL}hYpy_9}+)R>5gSz(FEv?hzeQ8efH78waugC~=R=;sCn(JfZn#{K}{kTKl1C&>3XhcyjN=73p`GkfN!e7KMcWn|D zZ1T=Y=Trt-^!wVQm^0TFo~!TwR_~l!rRmQ|qCe zzXO(f;txf^+W|>>^AAnP%%U8b7eOXW2fKm_-cO=bp3eu_!k#Ilojh9j#ZHvnc0|7s z{&tChub9e>E~6Ko!U+G{^&jQf!`>C>1>Mv4TbYg-YPWAfS*ya~U!?RnB z;E#%-7u!g#UBRfH<b@vPoC29|+k5TZxN>I)XZbCS)Y5pA!8-)HwR?uK;#sFbux>T#xuak0YQ~>S>iT_>A4HCai7@uJpKc3R)loS2D*mf4O!07Z1e2_$3 z5ny=<-CB)Cdh|!8y~oc1fv%fBG?)-y%%iQp{qdY$>wMdL<3%wUxJ+VI)T`D^G?r?qie|2W&AsW2wFzP%rqX-nF4CB?G^+CfwZbT;v@>?b zR3Agv`bw(h$M?Fvh!A(M^S3k#i(34l`@J|1>~e=to)Qr?lyET^Imf3?{M`@GV2K)F zNP_x;#DrE$2Ykaq*`8*C7-oBwpT^x*pHSs1{gK6oOkA@B2vO#%uj!gxwPRu?CxU8Z ze|nn1fcnFMTSA4gkYg!S76dk3RtQ0L2-RVLfXN_?>)L>th40g@-5*A7JJsbfFI;gS z9o0`a3X#t*H?)!Sf&Iac)bPvOE>P?*C$!$c@q&co|E~~otH;9*#V`=J#i0)4mpg?zJ2qzs^dXy4EXY zVf)pf?_bu!lJ_5&>XJ-)e`;D7KbuNhBiuF;h2Kp!yPRl(02hx`8-r9GY8G|U=rdm@ zf!)h|?0HXcp@mr|gZ2a^VyD&iaFGwITr=jLKfV?GryR-m9yyJus7^#wHTdwoRD#@C zGvmu9<%{{hwd0|5J=Gh6vA7V++>!`J214+jQ|Y+X49u5x6z!U88oZ`b&-hWEU*{Sw z{7nOGlLTZdx!@9EbEpw`DV1B7dA!qAYHnbh?&1>fneA1)XxW*-K0z-!$6-p)-TPtO>?Ve018!K;nqZ9cyS zHHNolre~niMYfa9_4Lp?5oS@rdsjo%M}&RLzq$e0tlQ}9eZ3NLEkm`~_29RmQ%cHgLjje^ z?0tU^7Z@X7Cgu_CDt?V@XjZxkZ1;3z#+O94UiuEf{}E@7i_GF!sVqO6UI?Xi{O(Xzm5&1vI6!d zU@f-&F%44s7;jSI(Sa>vT2hIMZ)2EZF@(gUqg{V} z#liKs_$ICpZAT*6c(pn3>CXQaGx z!S^4@SFWG1n3ezEuUskQe{19af1dE&2!cCdHlIDT$?#n}9lg0^z5(5nG4y+~xKVr) z_T#2L;Yk=GJCCbG@iMKb85z8A+_FZ2-Xpe+RU3N0Z;|X~An+5%r<<|+};DjSV+SwB+cXo(4In2GS2Pi)d|MY;2 zcgeT!UG>w;G*#-(z>SJOhJ3G>E=6?GM*(#TbVN z%^c6y8N0H!gwrwVx-2%>()3_|l+m7-%;-Q(iT=vd^J^Q}DM8|9KVTeSoH;|!IyqBR!=VOd(i;oR`cT+PNbq8KAZ&9pFY&{L*)iEO>dg(~8{L23M`VFv0 zk?+pDxABS%x4F$%)s=jr;RL7`g`KE0_Wz!G!`VZ=JN8nSCg!-v{7Q*}IhDqoDnr z&7gGkbDo7!lH=bUWWBmk0mW*{9&M@@jt8x2YH4UsIlt~frQ`O2X%2Ws~g6RxK| zi>GmT^_|z|IUohWcw|JkXhCEn(BaQFHZN-zv!UACG;1G4+4{S2)U@3jI{S{F8aL*(I}+)muKJS`{I~*D>g;Fx%$-b?zaXVw(cSwN+9NcQ+vR}1Yo2wpe{fXM;Ont4VB}E7P0YE7}Z!jN~N(gs|9uDV- zG8!fQ908P{v1WL15s=C@#aA}{jjQatOJ7xRwxzNm3px&w4L=);Io9Fbs2_qAcHP?@ zWG_yenl4?i@W~QV^oe_=YQw_@v72rtBBCrD@hyrw^CF;mgA=Q?JcXS#grNTeAg!mlkA&XB8@kJKZngTi1;lnqq zNS#dx-0=VET4Y@bI6YDJORZ=sHaOD-XQH$CAmYMzCkOxiiRf;iGhynMaIdb>o ztYo{F-v<1}qW%w@2#Upx{Py(OiKai%Z{djC@P8-O2;k%KrUm@#L$*Y zNxk@H=wC5d~Z%lbU|nad*wlwf(XmBNvIZA`4Xk&v)W*NVCVCYn5x;pcHh za&X4^amb@Aq1pnCKw+OvyBko)(aRjfQ|=s%MK2wBo>fw%{+4M9tLX2Zn~EY!U6#Dm zyw?F72tR{&lM;RZN>H8PW9D19x4{DCHX1EQ*RiCgV%og?3JfTO-ls+#ruN$3s}=V5 zUH`@QPdq8N)zgZ`&SXnT6xjdCh*=1MX>ZVjv3&;?^L=bdPzlMny1L@qxjkP+1hHZ6 zdxj=Y@8|NDskqb?8jJw4acFe z-flUkXmj$@>G9qwQlc;FgbW+ZaH35Hj(3@cN_l*Eb%ihHT8fWRDkZVfeZEBkCxmG; zsr8JLsb^mnzYhEpVY}>QU}@k>b49ZIG$nIVQauY&j5l1BtfJK;5rz>~iIZl3^(Jnu z8+RjWZMUB)xc1v6}RwT*AE9X!`nuwRjYw8rN`68 zb}4Ht>K*+w#y-~FVI|4#5;>5WrP}nPuPuJGwO?Uko+CIj=?R~OtBF`NJm3d4weVoe)0jVsu+ijZ^XjPfU(y(lNbV0Af9VY+6MQ@@ zaP}yrz|1hq^RJX1nue%Rni<-el=^RcX~INIafI9;9?+OCAa?Yb+!7H~reh z4Br?LO?s}Z<2PQ-%i6!`mq=wBS9M|TZaSS+F>x30B^6?#mqHwT3=W+s54vhutSa-E zB}(oaX~{~p+;fL=^&E-@=uIVGk;gdC*Cb`H=ar7DB((Pg%FSHdjiv4Lvvd=DqCMG0 zcMrtF+y~^lrK*H0(FJzPlx@sJALI#~nsc`=`*zuzs^gQdcsscW_q$Nwshv8ji&>u4 zts-=s?Rh!%=M*~L)tQtll0>ATXmmGVICu0(6j<-Qbx(&GqP1-pik;w;@XzFDEVi(r zJH?2kfS+yr8XKps<`H4%uzPR6F67vR9J z6vRuH@X}K(tlM34z}ns#oVop1r<`hd#2+u+2|H8nK4jhL%Z?Wq{tj6txSgHJ5}~jP zT+D2W`k7%hf_itJ{s*(x24h>vzts%$?b6G*xMwVU4WHtIpSoarFXiSJqP?ZebBwoA z$vY;0R)*KoHT<*%7f71{xbsP6H&>mf^)9`uxwTA+2^9DNp<$j-?(%7He#3`(d=Mm^ zHEN)*kn699H7pp3=nSxy*&9npZ~8Wn%Nwoyy}Q%^6_;_v&!O7TMyRZ2@pVd<6?ce3 z$wo=?QPZC0J#W#WHfei9TyTR(>_;<_m0F;)>QQDDq2_Y#ek<4bkrdAwt<_-eK8J6Y z0`_6Y)kvkL|NIZ372HVnCG2QaDiZ8fzpyt}_pY=&Uj1YnVE|k!pIg#0UYAdXt^bLW z*=@G4p>UpAkLnANniImH9Sk`C!Hv>f^q`?(+_fJj*bxTrY}vGW+PmdwQMK<%OBS$( z2;0$Nc8sk+P^HDs%x(mCb)X~U#_EZ%``LVL};1p;a?Ibs%+JxwX9D$$) zPcFa3CkLvw;q8Lg;=6f|Zn`Sj!(WC<+v_l%3KU57D>=|4$mxEW2yL}w{fC{`YtL@_ z2~C)4iL|&DyJlO=0(uru9{VEJ^1K&mITkh-b#&M~P1y09fadwHG+`Rh_#-`0B?ZYX zI~K+y1m?dxh_k$6R6XsA>uP*X^52$fzwf=)c)wNE2ons^W7%a!T@Z>>n&f`nLJu0S zNCy7yJKMV=LE$7YsqyJzY1y$%CC;QrfD)B*4I17ZruR! zge0i-D6#4?7a*-lvpDdv$jiYU<UH0-3ft$}>i zQB51ulFUfvY+#7z?UCx3D3q$A;|Jy+3EFN`i*qd*DxEEoh9m*5n4!@Xk)Hi>|Dy*F zHTHwLlzE8&r$!;W3*56BSGrsECYumJ9DH|wvcn2I?NZK<^Dz5r%)#a27E!i9Ma8?3 z(qXt`xF9v{%rn8``04MXcQ$AkiO35Hn6` z{m}hz?(wO>XYHk1-~EOEyA6h*OHGq@0IFL=inIJO(E7?chY_KTS;UO`Grj8H*9es( z53a=z0E|QXHgM+y7X^>+(LWrOc|hOWd-fpOQ;|o{>z@!J6y~C%o0k@yy|xmW{v0U1qvRHiZl!&BGMowFqD*lbT>#3CC!j3FAm+Ef^-nazwgX*aW=M(xBnff(OI5IfFCL)$on%hI2VH8*KK<# zZ@l=^;I27(at>5|9x23)!SStVPeCGOg|rAEcI84fFVQ-0gk z_DJz30msL*bb@>vgFS4x?^=F&6CiZm2MaVO5Alk~L^elP$2JI1_zWQC_j~~{{{geT zHhn)DDT^k7}pj4j%+N%_l-0{^92tZk1mihRs~}O*N0(<( z@Py#=NhtR*lSQ8y@S*?#vTKdkEEn6+S^2gM76ht-|5fy^im!q&dE5LZ(E@k63o$`v z*SnpI&%^AIU4A_Qvi>aT$JCgU4ChocgZZ@Ir6{BN;zN^J*JngTmK`BEn_#7Q#m(M4 zlDOYvvabcsbpFW=+(w~o)UQW@5s*-=$x;ix_}J=9K&S!;mIO&V&>+^8gSVG!5sF}6 z`09`Gq#1ik#Ad1%utmcDqxqm~s4du|&<>c!{gJr9QMS7)O@Z?a^T+5EH&W8I$Y54P zwt7EUl(sUF1)?&a3w)kg5@ASLe01~>&OFZ`2j>y!J=;q~oUFY>r))&LLEwHKT2zlUT59u4ot;VjT< zb+7ub;XORz91d#lGNrh_pokA_LNOdY<380DSF8OePr_PTMdjPX>WEU@mjV0bAG+Om zB+FU5EhD_V2G-O7l5F#q z$R8TdbZIuoA8Chmb;ae{JtN_PLLe{lO4_5}+OLXOc1wP`4O|Bv`-ange(!hgwNUe{ z!v9_kH#Z4sZ2>`7z&M6$zk@p~>+7B;IqoPK=Y^rY0%0DH8eX`xOIZ!hB-4znxt3Tg z%Jj{J=U`*Fc8h3O5%N#Ov*hKru`26Vx&{t|;RT~o$_KvHGQ*GFT--^qi^R2-iD7y1 zOqYy0yLz6KUHXE?eLn38e(uiq3&){)hPRuox)A=1jnBo~`o%BXil!qeX!`C8+#?}9 z3i?7N20*JB=>o*W*0_&stqC9UUPonkT6%X;fgYnM4f0WnOu#%Zj=&GO1OMP~8ll6f zjz_$@iH85Oxd|(hP``VjZ~yt-cv@JT8%hCH4W0bhEl4fy+&$&aLqtIN>I;ff1XA__mhU+rn>AsRWVDy-s}hV(fIrmon->bRR7L>f#L0< zRyggWt91cn&G;u5(`5~;LrDMJ?T;Mc6p(z{<<*%X|5UNST>i`8mv}($5NWalTV+@VjaMuI>;_! ztSiHO@e`d7B@r%UF+FcPhTS#7+)r3vQ9x+OLHSaq^C8&{1w^?RRkuIIiGNai!q;d9 z(!X>LP%!OiGASj&?PIh*MCB2o3YA<-!cl5m5c}=_NV(DZ^|Ql(IEzK&2FW@9f$N{+{pG4>^b703 z5g|@$?594U_CBsD+r90i<5P!3s!RESDP{n|J%~do4((F|1oB_DkZ| z|J)Y^9&DYC@lp@0F>F6{CUG_V`@l^s&6HwD?KNk31c8YCxttCw1r-r}X&0^1@kHj! z-81>~Q3%AK^#2FVuqfkSd4=dupu7q5os;*c^o<)>l6nQqR85bBGn948Ar{X5!&doU zeH)@mjlC`I&#*Ht_je_6p6O{9HP(YKmjQ=LYWPh-hR1y%vkyd@qIw`@lviSQmMk;* z=d1mJho=9z6!6dDDE$x>=tyJRJzcMAR6`o}TM@C=g#8qUd|RZg<%y)#e%;|YN>oP^ zl2{GY95QUbLjN-WIBCVr{s(KGOslP8l-gn68)Z@%}2^?O~F|vkggD;KL{cs>4 zhCqD(dx10jP_TWHwTYvCubOYYx>c%r6A%5$UKvDn&nn}lM4O@Wnunu_aX^u%BKf*r z4EHkzQyo3!V%@+$uf_TuC=<&6W7gnVLv6nEN+_UEBX{yq~Ni;22ptaAH$Rma9tG%bWz;!9IhlYCQvo41coTiSZ1WQOlkLm-IkYK`oF$Q7aRUH7OMcc{{DqK zKLcvraBO)Dxb#CA_eKv8@xi9*9D_1TT<~emuegXlXJ9IiV;;cHE+a9NyFMC9h3PZu zz-+uhb+vf?t@sf-)J%8tEt+si>#a+h7Dl<|J>up`$Wt?^^2xApN+=;7E%~gFiH){+ zSg=;$Xhxj=4bW<%q6O#d3Q?LO$#Q!@3r~ChXS46^_IE7p(!oey8a2KHfzECRh;pxi zi{6v_=a#B7>p}%q86yca%4zrJce^QDaNz5{U8?@Tw$nG2?{`6fP~PY`exERCqv1IOVZPFb-s;$?Mh5FdxG)FiBu%P=xm+7wJ}pNG>}OHs$*oprtg^ku__ZRY_W-@1rH&uy9W~K>i?cRg8C-(ncbYq(b=?QD$^- z@^J+S zEFeB9gx=%>f};JSRs5r=%oz&T6`HX5wy1~JlGbAS!r(rUTue~M&y4oQs|+{EdwgrV zl15|}>$R(0OnUZdV}a5l+@GiK6vF~Zk0O>7udE|Ci+_kJD^nkH$4lRZn0uvXXSlTO z$4-Y2vQA0aazy^{wjKLAJ>8@TW6?gK} z2tEBQb|dhY{E}QHTZvksh~J&nw1Q5$Pud&z$3M5l#VuTVE5h9$%Z&r~^i=X0D@Y1` zd>Nd?NlmAgbB8S4fpOECtc*~lCC~qEI04mu>%K~h^Y&XGN@&H30?91}4%tPI`@<>o zXfh6wh={_pXK`b>(W>Ld_~_+_OW}AqJXsowmG$N~Yf8@ERht#$BuJ#ZPKVGl0Jm;b z(NY;di%@5=3y-*9cOrCX7Zm`jv(G=iSl*8oqr!YlGy;X^DRuFtL=*?+8Q<6RuW<;{ zgV{$eKe!6im;S`GkDT6c$5G0v^|U_Ul@uf}*za?vCZ}ifO-r%XeV%noGoZw)N)mYZ zXS)GrM_8GG^`N<7jCkGYaI@Qi-|aDG(|2WT5Pm@Y%$?ywqZ^BpKhvkifCoiD5kGi4 zW)k*5dv^y!stVk}AdwQZKcTZvj&%TLax!WGb*K}HJ`M1t$^Iv2s&%^zZKH7@Hx;u} zf5tV`<3@Rf6g6HHCdo9QA`$C)8jjiz8`nQe;CL!8&RK0e~j zigM&XjZ<3W6y_Qny!S~O!6sdplF4G%>W6Q`H=l+uX0^|d8<9ypVptI&F|s@@YRx`_ zO|V`vRuK2axiT`9Z_ znFj!OSHWGEpXFI(#YBysDyK4D|Jvk`mE^^P~7A4K-?67B1A*l6pR<&m;viaFOt@r zPrIy&=XGA05ohUxIw@4abG@>>Izl#+`L_KA-Dxl}%t-HqZpmNO?A8dC{_`zNzRTvdH(ZpD zw>6I2MJavq@t|US3`eB`^kX(e4eSCkZz=Ba>R5ylbRKQpp}}TWS@8o2=k3}ayWw6& zjkW6AYUI$0ojM1h`@cSy;gZDD%zthVHca8M8^;e^$g!Q;X3R_R56>FYU@Bs}mFxvj zPd4aFU5^wE=B!E4bKR{GINF*4j4uZH<>T=VP&O@Cc>xb~{Q63zh;j6xHX97eAQX+C zqmkhu`H;N4Dwo?8h%Euk8H|Vk*PN+iY|})8q~I2(;)iRHxFCj2J5v89vc{l_CpX@t zOm+ys64Z6A+8FQxS4g2wD&zMCYKR@IIEtP+-&CeebmDw9wUAEMCaNkn%w9e5TR6ki zN>g5J^QG{1j^orX1qadn_&kPZmMavd<`2N7wnMb;kJrZ&r1hGmCGA7e*{VduP{QFT z4j$U}^Zrks>h2$^ZQeHo(ZJTL{kt^ATvykdT@HUti7P>sTqqp*m?4nGe2axNtkQjV z53fi+#&H^ejiL2Qu#;@Bf*CTNXCozw7z3!e8DmFN5oA(U3bPvVtVz54jhmO2XnXWvHb`m`5o!M>B? zOCG)p+G=N(0@cBL43{-rrF9`fVm?S?=DR~*R3t?!^fb{eNzwQE4k-33wj(kFe`w9? z3p{0roprg=a{*J-fwGc)6<5t=61N6NVtH7&OF>^wtK0z|9+o6;Fp4hEqxI4sp{g=wI$CDAEwR z5hN-pb8X>jErFQIKM>hUI?;(X^1z^?N1Aa?2TpsH=jV6Rs zL!&R2jiebiHi6f!?VSA(rMZzi9=INY%HxS;(tR}kK2IWV5fA?^fWPY2*)qX)q((39 zg|~=ERYkhPIooSVfI)lAr-l27gZXmx^ykQl^g*KwiAh@yY}-I&t|O9|sT?vC;c6CB zY4)2W)0QKK9tct3&Zam}lPlA91>YUy=@!2WE|(0t3&lK11XrF}NjnJzeX}%b;_v0mTDh4&EP7bJ+xZvEbmBb zf;zqP<%5HgZs($i4~_&D(!x7TIf#ZSp{gA63*QqM#t^os&1!7h8<-N_yOU5Wv3sAM zPRl*`6P`;Xhxg~jmkE^f#}-^Kcl)cUD?ZMrF|g}SJyl3G-48{rw|D8P$meNpQaHB7 z47Q41Kv9=joyWwn2n~~U2To9dM=Lv!2d_K=7l!3&e;TULUj9--Rb{>NDvHkjnt-9- z7Xv(_Sde|fbzkT%zUf8>6DPB(?~95Ni+}pm+B9$0P9XPpR^=LSl_j^~)F6xdRHWpg zGQ9bLOri4dq1$Q8dPC^%`N2(~7jK))pH|>MJG68N;JCm#-^rL5;j=)Bd(ySZPv+B* z!>#vu%QGc@KSBKrVsAme<d}1>bE3wL_9OMjiunO0wLZ|AQ?~nxPlH` zC7JM6tLRpXokC(k-Z}}-@T;v}ZzT@U6&vVo;~wK`-qM@mj(@0YmhO{1A9TYDtX2BN zZl_p<{O>wz8P zpMBdzX{zFl6t`UVE9Mh)y`SgFgRo+L4HQ#Db8X+mIM+eBSCB$X?^W3%VAmqzU#TpH zwZYX*#R{K^=Of>K3<-Tr2AyE){?kLkW$qrC4GedG7B{}bOS9mu2QdEpIiFNBnWj%bx-Q* zbriMDNFhVYm8k7CaG`&7n}1Q1XU~8wZx_3MkzksV_wTCJJLq2R#a2b#@Zc$Y2{y-X zq|jl0dkN3r^Kbrq!2n3zJzQvA@(w0%!3#j0PE{?BQDO`2uwpY@L3OAmrh5Ahlf>%r)QUao(`*87Ur$Hn@t~VRE*eqSxeh44#fLb zvndFO;~{K?pw=b1zRZNG79g}aeBSdK?O$^7jrCRbZ5J8tidTYxt{M`4hOzA%tnL;@ zRs|+-8N>m6=z3#wpP|3A0o))h7e4etnqT@@GSDvg^mC~+EUzg=S8$~(YJF30Y;DqV z>L+faMy`0ORA=95%Rfl-gUPf_4mNbCT4j4zg=Fh>NdMyt?E*^|t>wGFdn9$7s{(HX_3gK)@<`N#eazQIw`3umdm3?a+`=$2VixkQ zZE&+-CkcLG?j+Si=`7* zd~4F@*A1W4+!#T@QW4x;#fcKvIw2GOFI%ImoAD_ztl9-VmD*|D26s(8=9|IE$=u_P z#U1s_-#o8U(=-E!V~MQ7@gJ@Xd40>pw7BEuMhkb%^FL{tcrI6WyT*YE$<8e(p*`^SsGprQi2}KmZIZuLL z3e~FJXn&~>Gi?M50arOS@MYX-`bv~^OCL+d*j?xdsTAlme%?*GBHdPyQ; z`-isrv!i_5KgCRhCZ1o1u+j2~dWD6ok=^vFTIA_$yGV$af9je2>MCkdp+{uhU7Gvx zkaLM*@UD8IJzii_v56U(_iS$G_)_BoIWv{ z;AZ{B7he!NTfOVS`Iwf8V9!qdGQP?i-VE&u~5YytX$rT;~l3@=l(0Xg1g9!Zd2?OjJdctcKWC}4%@Nim+6>o z^d1hb*z4ai3-#GeG&PQw<>Jx|r_xPiI&bf*S7lk#AO^j>@gvA4eC4+sSwti83A}Z< zXN85vd?YKw`6upMUkz=p3!hn)+$M$?7>++GAXaB-Z3v8Y=jT4!v}%2KaV3$Yqdn_W zY8yKqTk$bo_|HZt53j&g>fQFH>;+_T)NOU9-S&m2z{$5I%&n^!*jxP2^?sRghn=mE zFes5Fbm@{9>9fyq2I#Rb9npFJ7wj{NS0-STMFM!(m;^Jifg1 zXQd|GQc#!2yhA@xK2oJVsS2YKYR{OH1$Wnb9Q4Jv;3^s=s}`FYw0cSPxxN9NzEH1Z zzc_%-*^Yo08s_P3Z*_MDsGIlHeF??nnpo^Yp_F`#XCzTwQp`jduHS=aiL3@JW` z;^0?YN?P~%SyF{)$n&GdUn_SJ(&AH{C(WsMUY#!u{`WosWns1R*Y3}*hGc^Yl;+h) z|C9$!2rEcfY}REFD6+);Vd(9`(x$#kvZJlD(GJUagz}QT=85h!KLk=c40akk0sIM{ znX+Ji1ScmOc*5WR_5Ls%{HDwMTR;EDhp^7_?c-|wEcht)@3ZG3pbZQ}9A|d^J-E~_ z2;3S{@))dA&p#;nRA9)V=aWd8T6#^oqCR)T=`4jx_e71M^ z#F*}3-yL`7KT}Eo{|V9@9`)$q261gmVa4P@o~z5gBFn*cv)2k;pcLA3Nd7zU&tx7P z$g-ZTIxp3DNsXpMQbidkwsilm=ZMClmPdT+E1b1maxUO%EIS{)2bSBwx7`@cE*|he z_VsPu>6bqB3??iTB;!H8Z9e($HFyl&+KO!B4(=8`$X$M#N`UFFVaE(!hnP$M{m%H} z`k(Iv{Xf4GO;9Ak^0R(94I~VEPq7tdi=ORfLFMJ^!u)QNGW0xFy(1Kd7n}F9uqu0 z+-OO6oX$p=7dp(aDg29E!6xPWF`;JguHs~|zD9?=!GeP=Vqt4Snmi&l=Ulk>E%l(_ z#YE3@@7Mdf)6Fa&Z4^%xt&HJwV2sXoL<|oru58$pa3EO-qP_l(QHmY%kzO2#fyBSo zXr0}~%I)atVa&KaE|I365~@!ZE7xkFUgGxibXmgV^U%X~0(*nfC-jDKeWIC3#)OBP zjJJgqV{8kP zpJHgB$#lUUPazPRp0_Z*lZ1s~DVOr(Cb2&Y&Ghd=Ps+v0XMJQ-(Yspk*4u4b|J`6v zHAfvmSlw7-=neoD9qws0$MJk^kCnwv=Vc{PhWygGqR4y3GfVs};ptVHpT>J1*Y^=< z#l~wQFXAXX_=sj*b6=yTPStLWa-RqnJ5%?hc+vDc_jnBx^nCHWv0UJA<7pqHLv+Po ze2a-152DN!h+JK?3{f|pjw8ZJFLmaIK+637TDT3r?qM7nhPSpykX(Csb>cnBnG=zE z;n(XTN#&Uk!_*&e&~oQOSg2`QiH*L;%zF2mu>NSp@P?Yq?=iEp1AKlO`ucu&Aj%_$ z4z>ELwDmjJN%I8n2?2B0^di&8pQVRWZzc?EX{lC+Su(~4Q|n1p1)sLeD+?yl*eH0E z(5p_Ke;b&X^AYG?N#g@IlHt9)=Xc^KR&si zxC+&{1gkJjOo`(!d428s*(@q6^>5e-=y+GkJjJUl`%R#a%K>tHjUwEhe?GDl8pQdz ztpnV5nNR~SclNO?Xt(wb(yD&>e{GR^*qd9;!0NqhY&58ZPU6~#NrHM*xcTF0A9?NT z*L$;ZvuP?~a-*mm5N3)tDM^0Cj47j|R5NH3p*jzin$k2~+Af!QT$jj419NLUGeL_e zF+z;OY|tWCY-Q`<)%s=QwGOz7ppe&jL4%cz;VeYgif2rjHLK+Qte#z^US{sndPYSI zdE3&MWdXEMB{`9A@=EUp&ASDA?cWhi)OqE?Qks%k;IB8^vW}(3^+FS2E6o?w=7Z-SD&ljDle?>E0&~I zYwQ>(FNjv$w63q{l%u|f*z!pme0&C1A+z|EWrO_v+gp2Y5wR*>>G1O^cyd}^P%tt4^5hgK0$Ay?&`9szwDGiwf2qM_mK1IeGbolGjjZ0I`+_* zbrd6k7k|E={WEBhl9i_zPMX}1=>7)5s}+WV!KlWEnrq^neBQqp7#?;

N0@YDp>WU`2z%~IBemOY@M@>wr1?AWXrU#a45w}&6| zXsZ8GdO9wu%PifV)aE1LA|t3<|~m{BuZ2B>V2WwDGnv`uqDaQqV{ zVS&%AIF(AHE@A0}2(QbmJrbg>e{<^f2QN?S*)F_B{2vqJpr)hvix+CQ995AjnH!Mh ztY_qJVo+*#ne0QmB-$uMXwJe=IPzqYjS<9^;jf+vUC?vUG%nC2s-r~yc&aZB7aR)xx^=z)#+?`E58oe7ToJ?xE}W@8 z-8xgBKIv=n8VuGBg}u=zCX6n#Ke?U@+F#1jC*{;n6r-;?YX$$=-Qh0vTK%|^RI+D)-|D5Lj z9exiz*k#EK`*AnI3oMV3l;8uw<9A0y37jj%m=*4WIOw%7O9>#m;3W49H z8XWQG+zzK+#G|C+Yi{`BIP@&1(IifI!4R}#Y%#83o9ItV7=@ZoG5>T9_Xf{U*3z}` z>8E>Mj~rG#$+!loXSiA_C)LDly&QguG;h7K3Ducs)Ps>Rbtg|{hoP2d0`~gD1K+PC z7}Ngn9_av3JdRhOPqYdq@VjgQM|sZc?9%CM+=!enk32gZ)g~_05ED=|Q$2Cw3ve%u z)8rZh+=b!ho4jziIrtIQ2)~f-qKu9A z@Z_&Ha|~Y9VD6ljbzR6m9)B-^=?|B+=7m<+K1OHWhIQaL4R?uJ51IX@m*&=vRBoW> zUNL+T!Wu+|19=KIOn3Lpbg)ZQUrleqs{lS^7GCq((HKU?nyQNymArgVwQg?`0kRYu zE+|~L8>YXqfnDnPo&t=DDOKo;P*o%-(zx;~#@)bCZd)*iya?1XOsZA?d$Iixo7>@% zx=4VFAY8CC;M|82U%{Ru@8p5m?u{Ja9+n;lanEf2#=b#wiF4{Z31%|k&!BhG*~t~- z;0!JwTl9sJeAAvZOUXu{)NB!5NOS5Oy!E_T)Oy?ZF}+zUq13dQ$4yB&W?fXH8vopb z5Gh~n^?!}2q+*0p*7g>%P{O>&O^sn%$DL|`^JzRJP%$H>-cH44T{Z_WA1w-cp`n+E z3FKl7#gz;^SS7kR<|E#-UePVZzQ<&gME|5+Hivjm5O@=M zuiEno5o^k06apLUgQ+g-lHR5*{rAp1JkMAMQ)r?)AGL?I4D# z?N7dI;5xq$95RdLLl!qI0T$tbS#0qPyejkc4UC$?0^or<1TrPsa=@|V5$o*y^KRoK zgV~f@tx!XzC-HEor^`Nj)$J&&SkoXKXSS1wHrzCMZ{TLZqpKi#pG`+v;FBAaRHbqBYO zxOW^IwBjo6uGeK%t2Y4+a_#&xW-7;+ye=V8i5zmDJf860^z7R+)_1(lOib4I&!rfS z?n_i!Pr)4*Q@_7F*)nd_xhRdlkd2}`FDIv&1ix77R#b&t1(e#s+nx~&mQ-R6ED!cl zR7_q|AFKI6zj6jWtJHOlY;oGmewNWVV>=7(48;`Pd)eS}Rm2KM%LA?n5*ceHIpvRE`x4XOPLb?~@pj;Kkqo|Q&IGiJ=m1rpAa?oRhF&%F~OOiB5U zhGsW^fZi;q5X2Mn$=@G!YFx^*@p zF=bX#my&I%3y&)@EZ&Vfd;p!L-1Y+3h17j69&|6oRhq%&gldF6TH)mYf^v}&l{9&t zT6Q6GE~hCh39bI%@#TGPXki1V89#CrtPOY0V0Ksn3UEAS7n@&GDUbGI<%x7o9~9^F z6g|riGcpNe9Veqf-Q3&Odci2$Dcb?48o;WkW(=lsKfErN`y}y;6VXar)LzA*i}q{z z-ptM4$Ip?)4lQ>g+XKS8{FmhleXpqBj16Jvhisa-a&r%dY*OxBX9&6|cl0WV|8UKq z`2@}xBIfD0c7>l5NNK$?$H-T6Yrf0hEI4z^;TF*d1yrLxr)jy7mpc=#ay8bfyh>d1 z2U3Fz8FHw&cx}G%1jALl`oj~sy#^DAyS*8i`wEv&PP(#>GZ<2`3bSfGF5lS8CrY|t z%0LCL2ROUy%bx@?b!Mkl0aSyzKTWCo$&G7dQ^E#$Opg}j3UWW*_qU4m219DHjtHc@ z*k8uPP^4Q1t`PZA@m|Mo?=60~f z{>8}`-J;Bw1Pd_!U^u6wGl}JK9^QkBFAU3RG2fQItI33AN=?rI63i_hFkWmtOt*|W z&?lx}oa||&w(h_?UP6Leas32)?&{V247Ur3*ET$#@62@la2$?Yt(KV#y^FZ`rkbcB zOuTc5Z#J2lIOR5_+$oCMme<1&-kmeqvVuTNA0W-6(>q7Drzom~yF{6(qhH~L=k)ZP zfd!fpTipci+nr3gCVkU{zyO~Y^*Qq0(BU3Iar4M!6CA#Kc|w9*6}$n* z!+CEuP?V%3V(D%nlncon)b_a9&vk&`h;=f;jyKd`ZK5M3Ay5eJ{HQ z#9rl<3zi`Q))KD3p94Cj&6GiSOmWk@X@IMq$eS`k3W9!uNi?bDip13@MU{K_8`Fh< zizmgc#Wb(yCg0lqQnr4t_w0RLM{qz1iQH!Dyw$7FP#T)9$G2ki7tmvP`^cP4HB(6t zqlB?9b8z+GR7)S~Gq=zSrWpCao3#*^#b=5OSstEWOuNu`n93TKm2I841SUV;w|$d8}27yAe-6+S)+8igK!BH<}&Oesxm=V=)(_=%^%zZ5G8ixP}4 z$(O6$dUvF(YbB%Nw1@AcnTYM+C*7a@`vOD;t=?+K(;phRl>lBq@{l>1@f|kB zYCg5naeEkIJoDV(1}{Ly&xtkAqS3M~`R-cXwHKRqD^;MEne<<>n1n?G3^JTH8yXtA z*m&GZJkR^fY+ej(rxM7BR4f8aOdNTKGus6-)npXIuVC0pAyq{SmS-ex#C_*C8qWDz zj@hXv8VpeaYx-b}cc(F{4au)6?e@Mdzx*@Py1z08z1|y+nfB6G(*s(6p3}vXnT*Nj zZ0mC%-`q579*)`r1qsla@D9&+H^wwPM{UFHBMPGhGL!8rz<{vv221IJUhhW1l{6u* zXP;tjAU3Pr7S>0;fIj7mIwHwa6A1v8JE2;+;ikt0BW>;z)C1g;&&|?g@zjWiDON(!OAuwOoKuGUYm?qy)rd(D01?GuQ6}DPeQt38DZkPxWw z5CCaKSDmL2k>N~Q_U|UvkZ=}hozQz+yz8a1nb4MD2EJ?~%D-@7RI7w|0mr6QmFbgY zpdeQLkLS%6ET*+R^WVA>Mt_~KSW#skjC#8j*4qafjpF=miUQU$ z8F)U;bBhDHfSlxSVj|E2^pZn(*CbXEh~ve+29!4&KYhsb8jv%{1yBx@{X5IRxuu!j zxs?r|4UDw`$)P+c48Wgc9X>)%Bj<6|=&rH39| zyh};Jz?$2zXF1>pT#w`lXc-mw4}p)hA|essah&w5$f{&h4Y#qATNa(?wBY`X@=yPf z6aMS5Kw@^3u{0ttYy)IDf74@GBoGbc*Fpa1B?oQlR@DDR?EhVbhz-;>Y_scdCeCaQd=2PC#NWQ8(-oDM$!`%SNx)0p{d9Hl4wU+MC(+wzlU%EmJa zIXYPb+%EoqjeP~V`V_C)0x*# z-8ZNbL%3YAyLa;=kr+a&wz1{`6)ibFo?n-WQbHk`v_1pbT#bGSmAyCiCT3ax072}m z$Ax3nwzZik)e91;ulQdX<8S;E2D>|XJ=Q1HA@veSf+wSus|KRvE9TU?C5iRtelmfS zqdYuTJj_$-**9KW2NG>`-Tf2}%tzD0J}N}+Ky@)eu~*bHGNRb60;)TpWhBy9o$P7E z&LacFBn3(!MM5<01Nj!LA7rUTTBvgeC|cN=gbu>@H!(H9!j3x>O?dP_T33zz91vxk z$_`NaY#LtL`cU+w87Cb_xk*cF9k+2+8RP6j)-c!^53 z=K6MXWAC74EZTHCy2`3izfgQV+9*@Nt>8R=XCm{EU&j4BsLUY zYsuabzzzuimmPd!X(bn$WOn4<`l5NU zLVbd_+#21Iuk!|6p7y`g!~1;K9q;3{P{alwmDhK#_;+LsN7TK%tICZkq_ipQp)D&l zyWcn5D{B2d&o_|^QRT{B)HTp?(1T|Yu^g?GyQvAILTptXqN&~H*iupJc%{5v7X?jr z|1j@JcU4F^6GtqFUg&P0w}3Xdg8yaJY>xTbI14x1P1tpkP|I&6yUy%o$_scroL&*GB_Yt=SE5WFH%J2$b-Bp!g!F05iPDD z?2sa#H+o*x9;|+FJy=Gr1Orvq?cYe`l`{FNEf$DV8DGd$4L!`2kvX>3B{`YIKODF) z3NnxjlU#LoYUuD5a3bG8_zNhWX))#Uo`TRlm2s7-n2zOy43lT9#8|81VzPpP+`GGY z#{lqV8bdRal(HO_>ddrvFVCoUSM-}?7lwfL>;E^J2?w*uj24vF7%zm6o5Ur$V;xVRBgb%qlE)k zNd3BOuewgJXymAM1YE^v`*Ur}0?jltZ&Wn!`S)Z*98jSBf5S93RPq0L6_E*dB8uA; z0U({^zi_31txF!K4)}Z!!piWX-|gq526FY+ZaDKpvLu6s34G-0Z?mWCk`tYM&{V-) z{&EnMEo}>@M>?E93&28r7+n(+5O=FvyRk^O$Z&RGjR3SgY?XxBE5^v!2)QT0e}g*9 z9{o?VNz(s*^|xaG8ut?Y8D8Q?c|;fm@|>3>W)*{9G5x@u4+>qG7XPWx*Qtq`T=_Lf z=bYuEZ`KT0Fy`(%6gMk;yFhIw0hUsw{;H(u$l2_BNpbiqJaJ8!7Rec?hv;|}E(>*? z>@WIpo;5ayQFJW~zA9#LY^jz>tsvm%@k&s03c>n~)z? zKv-?g112-7R=m;C*@SU0^c}=NG{8~&@)G3go16%g97{Zwbn^b!4n=vMl!lo#@SnbX zF%?u+Z?TwGHDVK**a+eaKy6m*6N^eI2MDUmMBaN0K@1hYYMn(Uy0JYJ`HPj;w3WDB z2!Ndj!OQ!w9FV!fzgu&>0cm?VFdz~LGDJ&X0eMhzls@zGBoHIwr{_kICO(I+Ka8LQ zkU2|kV5BQWs=*Vet9!K+#>=GlLS&cIlwM(CxDrt@N8Ml7^FreR^4m+mVuNwF{W-uS zD`WP62_9|(uFND5>snh35x!#*`P*Q>Mj|Tsc_JA<;E1nLyG7AP*JeI;c>v&1#l+I6 zE8Y}H1}R!KhsX8%Oa+I4lv!320WDdS|Hfq#Q86wuP+4|>CJB(5KmH1f@zB+&G5(pd znMEVIFf0xL;62@Uxgu#4j5`b`vL9T)F?n?!kNpT_D6jg_5^xdp@{efDhYMDO>ON;yGH>}nQQM-7bGHSh8LIIT2g=>Fty(=hZjX3JGE}bm5Dyfd>gm5iBhlEqqns-0p zn2bpLF!H@|N+o~SRcg=PwjF9&F$!`JF!RP9JC1qgB?>khq_&ahKpRyf-H*6w5!dTThXSnKtD>&e5ZP0%a&*rFGsfIq#6 zD|Bxc7!cr8w7!kLf+bJ{twl;V35=#NY@n7g{Y!gh8F)hXRarhZ3Hnat>r;_K@8rSa{OkEeWdowPWETnc&=}hiLzT*t)L(IoX z!46W(#Pnaw9hu4OvBOx0;1kK;i_a)O_E=`6zg7&y-Qtt3g z&?~l-?lsgSnmI5fos12?7tG-W$*2jN7~6>$Fv1A`>}0QBK>)i({IvwggyF(-fLr)% z--O7OCnip5fE@DU0PsJ&+u**4AWnH?P6*_{h|oa`EgEUK8mdpw621j6c+B{HMRFl+ zerN^h`$D8MzWs*+oyd-2aKiZjwD5c{C}AfHh9cwiI`#q>!3pm5ud5|}8&(sb%dA9S zn{T8q&~hXFkarO{SL!l7w6GCwf{!#$TYTAU#R082v7+l1Ewt|7k`VGfQL!o69LKcZ zfV>AoUL{Yo>JfThdXQpIP#~)`9VMNjuEP#I<&HLfMU`@w^if+aABZXoJB8j+A>_k3 zL-OmElU>S;;OiQIEz9TW11iUBL>`_HffaR-GJZ6+8c^-z2@Zl*7^Ykz&a}horoCXgOZ#CXvUy~`Sx0&_2cpGt7&L+ky zQa=?$GzVJZduw5wEh*?=kAI%0%1>%?9@r)S1{W{Bzjd^|`sMHmfWtfW?7RcNc4?%-M@nWqf#!?yi@@nib)t4tsb3<==nVMs>4^*&EC`AQfo=B zFn7-WyE`Z{4MfG<1wY$^Ky*p<;fh;pYA+t!RrWa*5IfeI9UAuGJ!ELni#8AfLxN~5 zSJFlpnrN^7#&}75PL;)@*&vQfTg+;q|~2VwE>Zh zaxBSYM>aUEr|&p4?N7qivj+=4tJ0uUj+Gmh0akyF^dF)kkb@QvDaStoFSLxayo9nM!6paDFv3X3mO8|5hN!tHd^?-NB zGk8zq-5|e+j!k7YFLHHNx=(|%AwVm`LiNJX9Rb3&6m>eYz5}wtgYj>f-MRb>dJw1{ zLgBzSi!^5`Rv}nU;~wIH&7AMGM~ZtR}N*9#m3@n03r)-=zRMmm7{75wd)*F&6o`@^6WO)e>UgK{)N8{0Vtk}eXIOU>y1K*m`6Nc|3H^5^XyH72Y_&gZHXn(rog z>vtovM^j2?i_d>;Fc&Kla$-g%wgji7|GWyq0lXDYm&rJs&&Cdfr0pMqg&^|e!<^+aqL_4n_j>aPA*$6!CVpsd!(@l(+*i;rjwA$^OEE{eUp}+ zCJhuzB-rRQ*l~@L)S%TGhoYw>6R2J2cDlxK>gH@3?+9qFf z{|{ep9Tnvkwhv zRBQ-ZSGdPW)+i-+{QNvbn(i<*esb=UFGV%U8Svf&4=)v~oukTBx5L*k@*!GJuRHm70x7#U(? z!7@u0C-I5ySwF>$*4bT{hYPix-LlPEriJn-K==g3(y8D;7bbbnQ{&%{yZrR-=w5OH zb=NOd9R&|iJ~u5xcndd`NeGO70ekD=q^QrXH#S{KTJ$*YS&9K>>*N)e+mu7J{ev#saSOWntxd~6TYIHyT$TyN9(^BhhX=pd0UyK% z0z5VDH0xJ_WI^@a0JZ^O(j0aoq>?P~qmQT&H(8eNxK4#W>0M>6gip*A)K6*+;SeGI z+xg@=8Ii5-3++E8=|FIpdih3IHe&RWJW5 zFa*)FuB!inTe{?r@+w z#1efGO<=nu(x**Ge2BCRR_MMYgP~sSFHmp2T6t}+|z`8 z#y0U2!ID*G%6Pcw6L0bkF)KMASAcFUl*tYp*i8<|NS5B4$%{nlbBRv~-3{qUXb{+d z5l6d7Dp8zMiDAvU$mL7Ufn0h@2D$OIm+zn6LAHuk)oS&P5hF7_`;5YgBwoOLRLNM>=0V5jvFB}Kc!>&S3!pfjcYhJ2dX|veyH};Q1^EPE`EoQj8v@YYZ`CsF zLr`ysYUz4$DcOl%%HOhIS4&{0Z;6Pr{BNb`zLDBK@nT2lVFZ_HmQ2+zV=>|g$&|Rm z@BFYYu{Qr01Cn`SgRkQQt|gzYW^UaTZk{KA{jH48h|U<$eA$u8?zI_Rb(r|tu|yx^ z)=+nqNN))0MPz;8^Ow5EFBrP4va=k6lk%|v_2A{LvU?JZ=w40ns5oRihG`5f-e*sr zzMC@Rqr!}mf$&?9&ej5KFz7VGM30=#Wg<+vUAvNm;Aj4MGC_2DtPBA`Y^Pi>2-^Pz z2mk#qg%p#gZ1;#Sd7u=U?LIS8=9DR`xaBKHvc2!eb&vad>%)5@0*N&;%e(ik>Ke?% zM&PILxGph{yo`fJTTe@rx9l6Z{@Owt4V|(ZI;r7$1vs(T7vUhzytE^byBXEa5@-0* zR`}|UuUPA8I*7$?_mqk{t*t0kIpILU78gkg(nRL7gCXjaZQ_rHwK=XZ&9y-^!WE)a zOq0f5Rgyt9B^NQx<<%kwfD(HnMH3w@k@d14)ucRxtD8cVw(<>#P?LOUi*c6Z?zJ|) z1{-^(`?Gi_r2-oyg#I%b=%2|Pb|!jdt6-$bQ}Z80x^+e)WWxds zy0<=9j>D?25)piZdbfcyapscogYrHr1MUGLLhSx^_0E%E^gmh4s^+qh^#Rtq6~nxG zl3JN>BGg_x#vDi{*JAX^5S@JgXBx&|%2Uj^1^XWNI7s}smo7s>X>sZ9+ZB+%&oQNM za}?*eHn#4X%P9iQiTKd(vQFKHLD@^{4k(vp?S{hNLxcT?F{_^hU7g^F$ zpQDtJZEFjhn_wH%DiA~S;4I3lGifHUvo#%P#avxehoMi6{LWv}`T$9KF|?-hU_7pF zD{JRCevjoaj=f4;|43&{r-GUzhenf4q{X(p=ICRw-N{fAYL6x7@yX4R=V+bj6771g zr;=1DTBn35e!2JZJQpc2VF|Bo;E~!xMKA9)3vWzao?%(}xhVFpMI?V_!Z6#ie{FQ_ z|G|;#S)iN}MG&w6xGB#z{G2#A{hP=^m0KQebJC2`d=CP`ewgYo&E(>0Ld!?0@)Bqpb}Ic1xhF zbs?kf6T$>S8XN>ZX5Y59OgpD^OI!o>a>l3pe7j<}p^@UBP2F+LN)Xm;R_@PfeqX6E z*Owj~D5X(P&paMhO^@B(CiQ_l@b0^X`CR_1RMMr}Ar`nME1shy&Eei%GbFNFL0_2X z3a@i0p|3&tuiY3K{=%k@ha&3UjV}GCqJ7h52NDE+LXZ9jkIyw`D`ykcT{l#uO?!WV z=?g?!d&E{!DdJA7j%m{5%_H%Rccll#Y=W6adVW#Y?@&old4YJy%^I5|NT|FIqhKD~ z`@{*AR>zRu*9&J0RFj}a9v?K)ZBkkhz>aRSOZ1W`)fyJK6?87zWVkiLc3Jip&dgbc zO`WKkAx^XFR2}EL{I*78ATV?yqKkMYH?zvL>Y@aV>hQaNPU18N_z!ihH-0SNkJO>% zn;)9LQzC9$%$0OB>Hj!^ZGbD5jD?TL^x#d#35oSRD(#tu^O8Mw}%m#*SPoIrt!1u?++Y8YSl8(c5uyM=5J!{YyaM{{o6xVKE#4s6 z$QSoj3@bwHYXpB*Z3|9H!D5%9JP}@*?1@TKQhY6+3pm?4eB;!<=?Szr631Nob>E$T zm5geaMlo5IfS`}xorcntFfbP})60Gu$RW_<>b9ix2VZU zGB3InPuFZvSo(J9Zw=xFdRP&}Vm)@BiNhWC=b&h2W?MYcmztFKY_#3-)YWR^Rxamp7(~y(SeH zW8DdTte}Cp_iX&7ua@KZRe7qMsB^PLTCEyFUzkg^L?y-Y2Ylb7zt6W0`^^vDUgq=n)?Q?ty7R|Qtw;be$vH1^Q?3|3uel6|;-7Q1ySuc?^J!jaVh0pmxp7s>D^Imee~?B*!VO{{N64s9&e z6^_B2uYr~_jnQ`Ax5j}8fR1F~)Gkax)O#vm6vRIYe@iUU(NxRim7qjON&{E>_#|98 z#;ZE&@a}Po_gh&RfA6CyP`)Jlr^;xBjlI(TgAe|{h2IsgU<&Lnfvjo~-o^48i5u|8o&wTj&g zySVZ|$(A;OuekDy?;XtURWsfGr_Zs5v@ct`fK{ZJb?BEmDozy+&!?G=i>?$b)V0sn z`&Yt}ZqUuwA>|dl=1}RFfJwGhoF}4n<(9kfN##*vUg^(pgCiVSr?(Dl0}*xGw`Dt= z&W=&@K~SE;y`)^TxXT1T8FbpD*k`qUk_yb!KCrVDbIupcx96VNSv3x5Ko_h9RuBo7G*voGIFPJC-c_a|{)=P{p3p z1%lajKoWTIJVr6!Fx949SCrUC?->foiGlYki$({Mj^C{9QJ42YSOVg%Onf*7Ueafw zlF-5X&s+((+J5ej{~Gvxa<3`hle?%1NUoP?h!N@f!bO7i7;UsvoY=kOqJ+yN*|%6k?6NntN~vF`XwBRBlq5^0%+`r(4US)LxSy-n ziW~^6!TBfX05;wS;yIm}@bH5H{AYKz$ld3?_JE!eut9)mSLtXK=rB)@mIMj__h_f6 znJ;S(XqBT*@kAlgh(%0>MRkn?I-n7Tl94m?GbZXY>TuKY})_1;qWJ! zmo5(tbCo8n9QRwH0Rb~@$$)wEjgurU(DE5*lr*ReNG{YzyAl%s06J0dcf}X$W(Ep( zU1Yu-Z|41O67FV8XagYgH+qm6%#PkofqBmm%Utsz6=)G_i*@z_+39BUNpYjp4J@?0 zQQiOJCcdggBEz^;XdKtCnm^*6;k_iwQwy_-)O%oMOs`Us!WTm77%(Wffy-%+%&P%( zqeUbqL(7B1#c?e#w{GR2n81S%`O*)E*g@>w;E?__3Xfa|gK|cT%f6;hNb}c_J~bL) zWeQpXZe5TgbQI8in|UKEvixSs%g{w!pTH0GiZ$g(a(C3<56104la+jNo9vordq2`M z-%c0y`$U-m1oW+=5zQ)!V!fc1> zdh-ufZyJLR5LkGvH|U6v^{Ytl=VH+XT^)VzpP(jKh5QDt$aO0Q|EfZOLL`2OkFW)Z z5DHRN3{M7`)d>Ceif!}ZsfRIA~b%2@TX`R}>=oY|`+m|L)&Zdnqk=qvm z^oK@JPXZA0uNn_rUaGarvns%=FVqa)Pq||pq{Fm?bHpuOLwH2+_XyKR5k!rq)h4Mi zAlp6?L$1^{e-BJPY}>v{WH+nBA~CdZ`L<~!i6A~E+*$lrc38FK5c8{?H_ER~cHvFA zSNd1Z`b;cbBf;0AIy>ppo_&R+BkHjj0C70XXbym2xnm|uDG8iatGSiTj)$!P&fM26vtPaTGc@6F?T@3M@K3P6eF_c%rLgbxYq)*!PVQJ)oBUXY)061`p z(N?~tFW}eV7hnYlcaiA>JQu3@87T0@Y>Rd_>40*Q07|OT<+TkYmsXe-e=Z!sxxfQi ziI6ME{Px+G{f`t&hB~8^300Rp_%S>~T&930o`8@yDcs8dBJiefsYacbfA~Eg4ZB+)GE#>&w$;rior%Ee~rbNwh;YSv7`_&2P z+y4Hg5RuV2$*w_|uEc&$v5akSBhn`#LvgNcaRsD#`Jklgl`q=I)CSq&0m#Q$vJK|w zH?&%N0(RVG_T6BnVRMeWZU&`=U&cd1#ImZxT)`)sqlR$zmnwBFI%x+N@&Vg%NNplm zN?rb)zi|nWIkDinW2AwdeB}J6D%nm;C5Ng;0X1}(wa)mfhg5U$5=I(6Kw$VBJBZJ+ zJAqa5J=u;6OZx3QRO*UvA)wm;Dk03-&pwU#?6?6nOOE+=lRE1TsBiJ z_7q!hhghGj)H**)ym1Z=;yF*;z8qr9D=*^sb8KNa-MEoK>A?|9d6godLEIWV!ou-4 zK7t$YzOtm>AOnSo05z-H>EKCWE}cbAPZrpHPrz;tA5&y2ROlv7;A>ep-McM`KL@2> ziuqfvlTav50MUph9|YI^N~q*HaXAxJ32gsyB_;zj-w?z_IL^GjKtPguP8S3ABJ`!* z>*(X-R$B5AIjd8^9BYA=_+@?(x0y4Wqa`8$=v!1^^=bavCHxftf-C_*_sJed?I*)U z)fRDN3xW;(RGP>O;(mysEIMo-Jj6#JNE;NbQpEtwzRf7VSuFfpX@6Me2P$Yb&p#m{ zaz=IXu~5kdUeH2{9c4+G2!W2dLz~8O;oH&oWV(J(C3dYM-Kk+(nk(Lkxlo3tl-WPah05jwdd*&Z39-D&3%hIBjl|G z!2@hbMh8ERT=s`YZnraMr_-G_Ny&kg14O$)aAZN<;YM%XYvvjc&Qa$i%wvhfn|CYp zb*pG1RFiusfv`9%n=#{o`!b+e+~MM^DTARU!b7E6IkSBn@CV-_=yk#h{eq|boHlV_ z7O1Ofivp0Pi4PPMQcZ*}Kb$aL`gKXM7igt&a$(aNRq8lf+gmf>-NO2TG{}2zep7oU z&`T#gj3UR&g9B_d zY+cS*x;xp=7kHHv4L9Dv41n4@@(UmbJ}b#TXv7;29XkCDp}njL(1`&??w|ye^9pgG z(%K}txK%`GGYjw6RX3A*;{8_pK2*^x=)!2TbPCh`SjI3^(PpSQ{LbjNYf{IgJ}s70 zJCtz~ZdW#`(LMgVJU}Z~^8Zl5dZY z1+gYNH7Q9lZk;;_hyvdH0vd?r>#VPU43bSVTbf3vN>(!Xe@2b#6Af}BJ=^zMmqbcw|5-C^|A0pU_tR_aY2{!`yGV3PjO}h z`R8~W%j0hMR;lBN#s?^B#Ze;VkzgIp=VI_5|lMA z8#{?Q0M995Mh`{8WBG%u<7T7~3i`T-eWD}+wBp_`3XU*zpn7#aceMus?(@)S<`BJy zFz}GVR0+Pj*+XnrJ@`5$b!;mjEy85>!*ayXLHxL7z*rLoA`Z(wLp*6X;7ZfGiv%#> zeS_QAI9Q6Q0ZriSeSi+e$Y1ODpC9;?9skRCnFuz4ukdT;!naz$&X=^;E>OQ0R}8E) zcoWD=P@80O@59U6`jKJboE%9B5hfkBqEKr0RRV&`V1UTY3IK+IG1U21zJd}BX6~(r zyLn-ctdgS7*H14?R?`iy6?^QXlkvbh{-@F?iiP`p8Wg+-N?5+2M@;Z2Qx~4h<+FA& z4p{C@$i00SqO`S3jOr$pLcNGP&0-t_W3!C5vwXU;mPr^z2a!dS)DwU1VxZ_1Btc!2 zi-li$8grk5;5wjPftv;@5TNsj-0y9K<-zx&X@mz&EW#;FwXMoJQ5V0se)TiSlOiVb zR}-S12&2QjH1nCA&{u^h_A8wyfEq$rKpCvNfZp?PzThU{@N6#_f|Vc&EmukyUp zd241UsNKah9hgd)oXCMJ!@Y)G=mX5#ab~)ek>n8b`n2-LnH36;*I6|U3dd_E3ABDU zwW;Fk4mvP_g=6Hs z2164KLURlj7}EI*6V6Tu2CgpZbrxx_DNmIJC@ zOV?amb4keNqIz7v%XU-$2om262zs<-!nuT8Z0@pt@PRewkyX)=(V;F!T+mT*)0i;a z)6R8T^{Yl?`o)m@v7Pfv$+G*}u{i^hK{#fhFzF0GIze5RW7BX^h4i6aJBh zib(7>~qUa4WfmNRaWFAPy$}S3>abvh#vD^h}2W%l;f%361!=Y zA_up85!XSt72aldmRVh6HX{?&ZTxond=1=Tf+ADp5dy64SMbK<+j9(@3?w0KNXyr` zgWv(%X~ji)nTa|iWZE+22V)?sX=lW#w6nBH&18B?t43+yR)p7`%<+_opXsGHF z52DU{P;CX9g6#$+nP4|?l^3?IR#4+M0mm#2L@JS>^hf|CB|)NnL&f^Qse|{V*eR|} z(LZ0j>8+LVUos0lEqRX*Bmghv;}^hw3-f+5MP*v~3K_2)_nk`+SKL{I*h6o5&*hPb9x|vfW{Y=uhv%AwRN1t>x;A)mIc^ zti~5y%xFO1m;|PLrczMCs}zb}+>6Bl)+QArC2%WdfcDl&b(LWL3rPHdmI8W14CTbO zZzM1OMd}QKDbTwz?c4dC${4tmqPfk?j^I^mylZ2_yl0 z;JSEeSUxGjkb*g0wN(`L2g)9hMvwz4vE*f;liSfbv9F+MAZ#iX^CxydM}nguq*1d; zI}-yw&@xXif54TiSLn`DEI%XFWc0T8>Si}!RwLwnzCN~YR9ImL>Vr}86}kPBZ?w{u z$*jkn8fDc-bOW!bEaUU+>~X0TvPr#N(m#?ly!-vl`-w)y2Z~EihJd1m{Lv=gV<4qi z(#4+%ZpQODan`)WC+!b#a1A(Coeg_F2?@<6I!cv=Ug;X|I?=wxLavxDNEcU9Z%B-F zfr5%per1oZgrY8so$Tfj#l$OLT2zUBwG_pUHc3vj8(@ua&-PV^G27&qrVMX5Z#vBy z1bc6@d%;>jF6$H8#r54Asa#~Tur%_jrm#jyk|QUwXZq^9$z+G8FiGp7>}4j!5nz`7?LS>RJvzm1 zz&(tyk8Dypp@6u3%%blu&sG?;mM&JHTT+dJD;5?F^s~R+fS(+=;@%Jwd_R+g|7`(w zjai95POSBxs?eaDYDYafm8ZqJtFHM31>7Cau9GsgU7di)ZPv_&YzK)9=~dU#4bVY@ z?Vj8*)k&lpyC3`{{NrobSMUYap#Q6(v0ps{2jj3(H=6?ahhRa3-dYQuQ>cl-NM^azkoko%Wieb)3DV56v2jPpeYXo zFld5b#J=hVwPYXI3nK-v3XY-Xt6EmZqA!qN1IcZ_8Ymy~X)@uBuk6{q#&Sl3v-#?>u8H-$kYEzq;W>k9hxyrcq-&E$7GWkKk) z!rLOY64HR;#6MH&tmwlH!lLcrvfrt@&{$zRz`guw4G@w(Wg$H6{jy`Pfy5Tb9LcW+ z2WAgkIcaszP;&+R*)@W;Jd+$+ojroS7Lc$CGih?YwP8)V`2RdNM*L}}@!@t*Cl$E* z+`49B(2mAX)N!26KCp`A<3w(h3%xo*8;?3eOF?LnIwt-iR_!%2m&7v7@?lgdfYuZI zql+bkGVLOl0B3dV-v5>=amNeNUSs;mCl1Lr7%X$2Z`rcXa?jwLcZV&gJv=OG!2tk% zW+LR(otO%}fh-U^fTp?3Yexq&*L#j?$>{B#+izc zxkZZ8va-Zu+zwjT4YnG9TRNPzeho&M9Zj1mZQE~qcU_=6IV=_mFj{@KI)RCo1DI<+ zFIc^|a~Cyt1u^t0YiY&7yPq0v+YgF>YX!YNfDms3SYVvp94ClQRRJo9=RMw1`Wm>X zm+7($*o-gwe(RpjGZf(RKpWtttOB158x%;O`Q=P_!-F*`Y#5;1Ld&3Y96EJ{?{0A= zY<;b=@I^#elFj~eT5p}tRC7a!v7g2U6Rk1xK2!+gJbt>1J2~(OpJo7l<_!WdBg~1tn>OozVL6AAmP)E*Rm( zskB`V@5uj|J1p9lhl}wXX2s-&`C3?Ja+s4!C+fI)fW(Wp{)e)Vx5yZmQTJz7EWF5Eq9z5((-=owscQ5JaSp91#z>xhJIcXJWDrWTS^NCjhkL)q7{sh<5`)M+CmVRd{rl}KkJ zUH!i~&%ZCj`QlG8zV`vx1-|ck!rs$>fYO^A0?xG`3dEpRdz-fd#4HM;#q#j+U$63L zP3zdpN1DqYDz>!TzTuPfnEgke}5@Y(HNQGAj{SV*`X0@D#=A8L$evD%@p{M7M!clh95a zn#(lZrizRmmGgJ@xV2~C)J%IpaXf$%4D`_+-7 zO&LJu^o?^PqUab1wHQv7C5Z#sPJQp1E$M+GtqhnCP$yBU;N!rJCcs+641!2lC&U8C zcb}Psz?K0pw{h~K<%WTKpQX@1jN#v|Mhc!( zmjxuMU~zQF3g^H=fHKRTM?kRt@ewvWGEF<@e)Gs|b2;#JQGif*7izQK+8z%EQw5C` z9|9(B3<$;Xzpduavv6|NgG?(xq0cXU%WA_Jst1zO*%1ioRe%f0f{v^ZB4@d&4L4&PJ>b;Dv|A+lP@79FK91x`ao|$)KbP6uQ{2pnhaZ3<@*9T5u7d zwdBaH{aVcw*r$e@J9#w6P?88cI^^VXS*jC<&x8Hiaqb_Fm8S7<^Kx>)hE+Sm7W#mLc+qw+``+eS z55hsas#+oQS?mNF6Pg1haClVLTpI zVc8$l6dn)?@l;O#buDgA1KI~q1`*3r|GJcHxo@m(rUmH4mN-OD%xi4&Qy?uAJH~y?TytKC%Hl8UQ-++hdE4)%BU`nU>1Bt;JsT z3oZ~7yFx*;jr9Vk+5j7;LJ#o9Bf#P!KzDO~ylz!N)TXn4WaCHI$lG6`8>Hmn+ra;t z(1+hsNF@)xa;(je?z}z2$fTn_k?&6(oEQD_0F8!h;x}?k#^O%&!!MO2FO#d1f_W1)SvH@kE?7hiU zlYTyGI38=o3Ywq_!o|>1sXq#V@gaIT+;axVZOH)yH4StiYv3z&N+wem`IHrAJ+jbn zRln3dL;V4aP`x57K+GmS8Ht*(i0Ue65=)Tg@oLil@MK2UaPJBP=eUTk>Hy8U$?709 zfg76h3kM1%Z`(_`m4Tx$$K%4%Afk0jjtJ*5zNyY=WyQvl4KvN!90Vmujo-a%Y4zMx z(7Q|Hy+BfUk_c8D-%R2an;bs<13$C2F+j6;&^nz!kFCJX zv;v-t4=B~XWws&=R1vRi947lg-!YGCn%>Hzii5XoL_cJ^Dg!;<0rl3Odm(9{@V}q_ z62J)Kg+R7|yH4w;AX{NkyU0Y_1(1*dfY0AU_BzfCfT%S=E^RnH$gO5k^IpVpldxrFYuU%P*Js^uT^+? zRA#37MLgTzISGJG{>i{q%hOEz*A(QoYh@YIjuxrpAv?GldEd5B?iMGAs-YqM$!~8I z`X3E-v6(yr-X8o$3h2(&j~mxoc7QLl$qObnQh4(YZZ5hc7kprJ^DA&~WugB~;Bt^pqPF-%M7 z=r%@{Q@FwcA`T6<+CZCqWf;MCLv{>oaGwY8tCNYbpk-B4bF@xwV&9KJ$5+c%53s;c zx;$7S48=NTJ1A4xHGz-`5Q;WlH)r)@8P zTg3=N0#xG!d8dOGD-$O-gS{@a4t(wiNy-RWx0!hxvVGEHHaF$SND-3zs)`PV!JA_$ z@NFV-EDbu(qw!sF>nv_tGDjah7C0OdJHZB!2KNfz-Qq5WjmZcuhc(T;@WZO&MW5qcEc@8^up=C$zi!}YFg$|s~#vQ7fbQ8YhR_FX1Wey~q zYLNH9i{gJy|K+?qDXn_hTK4=`oV*?D?Le86?HV;cdj;l~79U-ob(1gy@UL{?7>^c1 z-)sOW?7Sf6m;0xkFUT<7e+~Qr(GBbaf=u}iCA-dZpXFEZ_b(8pAfzF+#FtXnq-ca? z4@GMBNa|KY^&LlHRx2)Ze+-ApUy#Ex#x!;Y-xf`V7S}C1@_WD0@D4xteyKlE&G|cQ z;puYc)6)TJ*DX++^4;9+pPOsr}oc3_}e8P+b-55pU zAuz4N5(jGPnwqC>{LoivIrVknhB2QL;DS%;UerW*L|Wr)-fB~IaI$-xBU08 z>w|;I;k5`}J4|7APELZZ1T9zRM6J)>_LeoT+xYoE&Iiqv0EhC^t;*kwN?p>?0(sfT zhtA$hO_OAC?6AnroTO;>&0}SWcbqjf9yfCP?+4b98i<|$TMqIw1nDl(n(N1vaq3{n z`aPAn1NtleQrPWDw8^-e!^}TYPtI4Y`wSY=y5YZDVemzX_nPZym*iT%*pXbfn=}R3DibFBs)htgdu7T?arU{%7>&Y%|FoxYfw} zw-{5@#)n&C<|FE4x{^?(P7CVNedmAoo#yPY;K!b2_<;YTc(4{(rS^R1^2(oHXJmK$ z0uIJExI4ZGPWf$E#iGD^gzIe@J)8-=J%M2SB@=pS~q^^>2CM$mHBmWTai#%h$A7h3bymCTvDQl#HRF=Ger zRNhg6FNi#r8!TJo{o4kU{{`Q&TsjzlK<=hK6fVv2MC(EmMF%V?xIz-?-{t7oay?Bb zJ9o_llYdrB%@uLyiNWvk2mDjB6SXJU4)$0EpVMCG0ipv0`JkIGi({U>*?wM--9Aep3MlqGciqa7#B_yKH?EF&82=s zDeZ3=#JkBEU({`R{)C@@cUaRDP_6Gan_gN4 zb9^fq({i}(%b%MJ0+zqWydMJ(U{QfW54S=C7f(=R5|NPCB%$WUt$G~>^?to&Z)Eue zX^!6iIiB=?k0-)}CQG&PJ&XOKdxm~BkAjh|5xb+qOpibFm+;K_Hi2gJRJ==}p4eAB z8c8r8=d_)wN`1`$;2>saV089}+CzQnO%)14B{8TCCEubu@5b1~_(%V~Agbsw!R~?> z%E1sSMm#)9;E~$J{+=Qfu!)`jj&Fs=b=!Z4sNPu{1O}k6Y)MzZDOoAXih1_z->}OI z3-wSym~!>}2>a)`k`jZRUO(6R@#BU_2MJhtqtyQ%w2$ka+@626W^@V;qS#pCuu?r$ zb<;02Y@DI|%zT>;f5_^lsC#VX6g~cmqZh(8Zjnw_1S$uoe~(4~1E{luao$p3wU^^q zv2*(C(oo9l7;fpnRc3@75wt#hX`*Cdd+TLlcLMGZDf7 z10(2hV!dW0VPM^&ba8e9DQh*g6pdMbArG|^drJn!m@tQ?9~s>u*GaC>I~kO;S}oqn zxIn;uR!llumu+|RE9|tQ?i{07Whz@5G2b+qVcF8h3ap21==$PPTzXSb35Q7E7PyE) zPe{R`y80VEL>7RFhm#r;kKdxaI~N^nOkCiapVzz6^n0jmzZPbA!GaYP*pIwY%?w&` z%O|JDJb$1`IgU+CQ*lW*WdL6W`tQJi<%8V7=**Hy)a6|G;i*4SiNkdihzG2O6vERF z#TjUHDF@*y^(s!HPEOW8+L1>OGd;`%run)z(ou}6z@m_c=xZD0pxZNG-?tJ{1m=b9 zdQ>4@m5qVV?Bs-hNNS;vx96X98YK(wYbQmtU7ZWf((y1Oqrnsf%)-Phg2tIw6-vyl zmms>Z*)o-V=V``8w`k|k59_Ub`4-z_7R)~UuY3=Ozn*w?^xNvNYdY<555ZDZXx?8Y zaKeMj1R4#K$6S!ZX|3K__>`sqJnAU+a8{D|-QwWQ1I8CEVx~bNPbQot7r~L+@nqg5 zYZ&pB_Fts90h~}HJnPO2H&`oGWt zY&vRPG}AOHPD#OIs?k%COPj8Fkw>7FZq2P$2*Era|2@ALgj`SvaJhAA#ptQ1PGD;a zU%N$BgvIm6OYD{*HNLNlx(vZ9mG2!8K08VcWXeYg;?LDo8B4yIS>MM{Rj#M8-`GZ? zmzO=@SlP$Zn%_3+#Zb}Kp`P8HI~KYECC&l$Zz2b?3JpiLxT5dtEG-Tvk9l$AHhg@o zWU#V|Y^|a^<{>8VWB6-C$rv`f`%?_bQO&c?VFhD@=D=tLWx&kTux18G`SQ{2vHG@< zSSR9D&NMkdM2>PEJvs#x-}44!Pp?g^vC%=*4Pa_*ar_S*KYrsp*q(17G6;C=NG+t9x*BYw zZ;ZOaRq1FVlqzQ%7z+{joCNGC{s@oI|J$?ym+;{!5C_%;b zgp@4KHs=ZmDUbgIFzY^=7u++F4L`pl9vsgDTisR*3AVmTIEzs-Pq*&a7IKtVP!b(b zDzEkb$pro)|l14n^w-Y$D&o< z1dn|Gdlh>R{sZi~rt#|!`VKC(yc(py3Cm}i2@hXfpbo$?sT+S!8c&RKtPjxea1*-E z&hd|B>73ammlzAK8&-WoE@Uq9AtQy^ZV$SpUA28UIcOFa&F?-F=j&$*6kSc6Q0XYrts7SC~^HH1`P9eE6H5!#Ig|G}(cA_rKc< z#_+?wMa4?#z0&qscy7DhG?tQPyV^VEl35ZzwPn2p0_|wEky<$4l6CoQk8!O|mtY%B zW6jZ4%{!AWm2Ie?fdY>J=p*dwd%(z9f)5+^ou!lbpc$V5sEi zdm#Cm5ow$x1}7n3ag%K$B`6MT#xfbgK8O{u^9toz8|RJ>oDTqe_E=w@Mu$gqZUe6K zzj5jr2jTR`{Xj#S`8O}Yga6;z(!WrE5h!=sX1{B7#S$Y1(1q`_oOSZo~pdcR1||1lOKZ%;slZ3YdbTgl=@M zVa+w43lyCT!z}G8>4SP}7k`^xAW%U=%GmRsEL_Yi8@(53I8hlU3J0ISy-RtE zRC=S2Gx_YoU1);X@oJloBbk|~$p?^kN5XiLnHn!`EgP2MbFGHf#BRnfC`m6{(95l0 zm9Z+%2!t$&nf2ofiaBJMT%7g+hi^z-npj#l!J_A;YvWb!Z8;G)8NXBsybpi zcN8Z4JB41W^RJ?#5!e4a4-dI(hQNRQcver^8fQvlne-TH822@>Gf_GTty@2H49j4=?#Zk&K9vgJ3bF8I;s!>3$c?ds@68R(a0BBku~#O|C6l#7*B72zUq7xN0< z68Qjqm)kC1b!6=}=l6N`YZ?6&*KiG;Srw{WcdhmD^SZ5&=e;nC*4?0vSeg3RU|*e*1O2srJ43 z+CRmOfYvEZ_NI4wKtr| z#T;IV7$xcA82+bz%C@|3>@%b7XE@d4c_tK+jI`tGba<)xvKrf+)<|!?CRc}T#w5)M&_0;KFqaap>1% z++OeDjK}p4z!?=hhzNfE=#5#gM{o}!s0d{PC<3Tb?kFDv9OU62uQjBk8Gje=8Ur&L zcUD8Z=Y=cDCi;`Z{0W^Pg&^memb`rMq+C46mIU&}QrSzP%5w=uXt53XU1c5wk%|0Q zc-SyEM=wJqrV4PRPP`Tk-(n$QqYnzm_-tI0uA}mGG;nZl&Zo33gK>8Qk0h8+*BXRB zcL)a96EmA_d8nu3egXF-`YPVf8^5ygZk@oc6^ntvu>K5>+L5xLLPSV;5OPQ5^E}g)V zW=ENlSf#z%lqgQ4@=4!_Zxcxav)u|dZsxIMtd*MM!Cw$SBiBTCuDxb^`BSwkGG3@KTX7^v8w> zf~cS1JeCS~p|&^q-xU6yU??rsmEh&-OO%=DZ_k~1VvHTYLKa1!{c9Cmb_NAP)}mg> znGT!hDitM5t{Q`-wq-XGV&QG61Es|`t4^jaU7x)km1XI|%B(OTDFb=;Cf7wfR}YEo zM>*n2XOmGg@q0a)N*U`v@-?MAy!{737;exZ2=(4QSy^4tMcH?cR36wUn=nIZCrSxX zYPO5h?Sr-p64fz5fjlTpugZ0b#_p(HkqQf^W zJ^}i?N`+Lkw&N&SpB0T|^H9^a!#(?ov0)cNq3tqo=>X&Vw%5l)KVI0;y0BFx*lpSijtGo3e;PXft1jS z-BpJ00pm50b`yb{F&yfFMq7l-_TB_`^K+SSux0e?y0cklNwGSv6v~=Li;U)eC%37o zcD{Ec>|i^(*LqX@v4`O_HScg=CZ?D(z;g79M>GkDn`UblhMx&v?SX!bmW!r&YaP8> zt4A0_qB#YBHu$_~W~>GfT(p>YKzG~v#{$*+9!s;x`oP__iHh($g{3}Ii0gDpp*M9T zQVQ-x6Of9FAdNoM^2Lt3wSxtpz*I|sPA~4<*69fS9f2ItVwDW?U#7f< z6>mK{q_%(7l@0D;IE&dco{nylAjawvJU$SG^3@A%S2rxZZoH&qCC@H( z^1GYgdH??r_ts%it?e5q_IB_B3s6c?0i~6O0TdJ@MM+6f>8_zcB}PP0siAS`ZWtN` z1nF)@q#Gm^5IE05zx{o`>zx13{N?4|uJx`rp17a;xnB#{HGA~tT8}R0n6h#}w1qzP zJx3)r*$8xZUzMQuNwdl62>}_J2e|1fc3l)s43i<9Sgn!e=5ZEUcAxYs^bJqpg^uUQ zI;$utqUG|c(A^6Ayf;M_I)C&Y<25g1zb|@9kUi@M#3y}T0x$pIQIOmj9fv;fE0#Yu zGlyN1^N9Xev?AxK1G4v=_1f6%=a*&G)Ox!;iA(Okx5{j)FN_Ggd|{&3@!%EeP4ICo z2z>V5@CPVFH2Z?tu!YJLV}*$tGy)ju$0zmwNJ8GLdD3nyy)rmA+}C0Gi7vm1VvJUM z=mC@l>bvhN*V^C3iWZ-7I`{0e*xv6JeHEoBgWfMD6$(#=?1TmeSmmCiYxx*yKD2e5 z?3qyyqPAFi>QLkq*?57Z9SiS7u3eo}4Stt*tbswF+EjH4Pwh5nY;T{ZRi?Il0MQ)JK1?N(sg&YE%!I|*S5S#;tt`_8I-?nT1uSe?XDh~ z<$IH(C9IZf^#Q!8qf_G{y4v(YndE3_6hjR`pvFkfPKa|=E*nw~#|E@?7jur#ma!)r zUL_s?WiU{-I31wOERPh?%s#$fxuEH=Oq9-IOC9^#NuM>EAY{mZg(g4 zSzmux6xX$?5+5^Sd1%zhBG*FV(IOj0(0AcO`Utt;sI)$d)VH&TNc=4R z>=E9Reaafi$H2sQPDb!(iz$E06mwF_BsCe_tY(R&Tb9jn$hou$VAI9OGx4K+zr38! zm7V{CwsO%_OyMmQztu8$l^ijr*9hVpyw-urD!_szrsOLfO)1d}vB)sB_|g#Z#yf7D z_vZZ7j)?iw$tfXJk4rv8ZjN=+#-!(vMuP!pZs{)v+dXhajj583gtP9dr3h<1m_JU>gjFg1 zjDMt1V>jqJw9abqdsJaUlBOdlnzxDSqG4ZwW6yK!Idzh@acpDorCGL7K{udYL zIm!K*n=-|E{cF368|7Woq*KVee*c>FB)wwZJxSJgQq8oExs*jdDx(m6!fg0`v7%Z! zFZY!^S0KO*;L!r>w$_J-Znu7y#1C2t##E@HTCB~j)#9JYqqI6B%EmX8;KmEe!JOzU zjMEI{PNde;zeWV(wWm8MBIH=iXF_Qb`wQ$FUU?M=J$|qHeY@9Ri#W`i3fBsEX5M>f zISST|BgJ^g{vX3t)O>Cg?Os}}m!wmQ&$7+CYVwBjIwLJDFDPeU+b6Bs|;R^;HY(5D#j08YS_BuEx~8kE_wOca4MmjM28QHx!zOFr-w;R;w5$ z%JU-w81p_nZWPtjiqEk67@*vfkoS<@#Bc_cjk63GC)$OXSo}&Z!g0zTBKi8bc(N!l z_VnHx-C)#_HR=5!Llz2>u!_Ca_TdX{)Epe$CzUlbz8g2$W9Kpa!Mp)OCQRMz{3G;Z zfn(yO5j4ef3g51r@{csDx2enDC_N@O{<+G(KfNQDNzmecYT4JNBfYy_WZ<(Q5*VDs zKjWrLcN@Sv@u_yH{rXwR&Qqf4Xn(2Ra9=yS=9F!r4UevEc2lI9PNiV)XCH6Y@UkLE zjHqvv;>;ezlt+u-=|s_(IGDMNp5E!C&7XD1+^h+uxs`G08h-|F`<)CrDO$LaWSEkJ zyoZc_O^k%j+d}|p<}%2xLKocgxlrr(jHxZ$?~JXVS17r|)zgcb7B+(spYhgf@TYD= z2BPgfW-4?@1mVKBuqbPO=77sIK-+#QZxegS<-_E492KD$L_-+C$;#TsJ%4ll8kKpl z2UFQUa(l-X_ZBleQ8lveWG_>9(&XKHUdsbyBx2qtM2DM0m6kgtDk^GuM6dH+v)hcQ zRm-z7ujy%u)=EyFb3ZmV^c;>R-4OlP5V@oYn-7WiFv8c7rTibS!a%C^f=F!N@Ntn!obfX4f3Rc5oOyC9=cjP2ePHS$6}0K1X#jk zCKrQCydOlglGEbS?<^k9^ntu-fnAlJ#UqnB)&Uh=adAC6wBM|Bvg?bR<+b&G^FEDB zoWTkk-+PX{2)UJyF4+47Az1$r`vED!YeS2}I=F1(yvL$w!mwf4LUV{d)iwK|$qaD|uM4^uwlKyO^42`pBsxLlTG|IdV{DZu$1qt*5A#X$o&E zeo2+nwl^0xhgkd=k!;cvxrKljbA8Fq}w23h#o&eDUE7pLyxoS-mExWnmAgU`Z%)Fe*z70Hi=C!4-B2e{H-d1SnDXfwe{tKr_ZWI2mpk{= zt-CbI3TSk|Q`_W-6s~A9H)y}T-C}=zzW9YfR}Jy#SEY=G+Q|Ob9Mq&F>Z*V_8e~7D zPlHDDmi=O%&qG-|Qu<{_s+nssC8Em$n?>*zF&}0(!U^f+>h6IF7MmVZFIqh;VNp>KEQg;ox1dM zw?4z+Zv-MqTP_{`V)8SHpt}n#d^BmQ6`F}CrA$6*+U*j76B(on3s0nF-`I|;6dooX zsa-uDU&k6?-DC}a*d#Mg9cd=A(M|xqn*)_X>Z%6 z9*>xl3*+jInj0vLl%<6e`{z4+e`ky<0Y&D{E%F`#$&s@Ft@ZmCE#sL7g!}u592Q!E z@n$L155A@f#{wGa<2`39ze(YIY}@qr*RH&&r}_IA0H*W2IE~*Xsd-9tgC*FV#6uEY zqMZ94Qvp7eR6^To>Q(Eoq9_hi;j&+}XGO3xp8w#P#YT0Mis@+4aCvsACUOMr+ta)2 zNBy%TyCMp{i!!`Dc?>Mf9|ZdX)ml3sGW2LCvlI4}^wCDIjBDiiKYP>MHtA9+({}Hj z=nh3{j!}AxBdoqdyvN2=ui55u87^-wDd-J;182QptDh$kMytNpEE2&uv?w?}-Bm3Z z)bVI3Ge_I-RA_8amzEsc;I|I|lI0j0$vUxg3y}M#4~}VgPY>Hw>Zd-6XYOSxx`M+h zu&G`8M9LhTPRC(3OqnVn@NPlzJ~Ojw;p&{XhH=?~wnAv+&RuD@_4v4!=1Kgv?#x*> z(ZeKuabWS;QQ?0303y&ZC$Bil@#mUY@WcwM#McnD%1pp0((sl;2!>|Pp}E3>a?qQZ z>apA~QP#ocRUa)<5-WE_lBHumPwJ^(C&>r~vH%jF3Irh)_9)q6Gmcc>cP$bC0lnkq zq}wn)LWOc0%Nsjns!$WTO4kgjVLhOn0cQihohN{CM$)ZX&BJorp)M3n@u^5X2;H9har#N%VI{Yjz+R zv9_Hv*}Kqog;luks3E2tPp7Bh<{F|4z)~+@lBl3cbgYLQpq; zLA)v=(M54Tl75NBEL*ZZqCiP~kb)#<9UKOd{Eqwhm7j>1nz0fTk-l|`&ahJsWjcoU zv(B{RGR}+Ppy;e2I5-5vhz03RT4iFQ8e}rXUoq`?F(gu_4193VXoSj6lu~QPXQd0? zRFeC=jS_{2Z5+e)N0>^SZ?gIoMM=911O{uD7w@I*OhkWB4kas5|d@73jaVXvL zo>oJnO<@K8BbRnQWv+n%{Fgd~aWm`~U*=qGdY_%E(Wo>@w5P^U%B8SjBF=4a*YYSy zyK=VEO#OpPfxd>H;cIbPsa?mTy$?llJeQ+iqFiqd=@d$c6gXj~hwt?5u+o=6HJ_0oCeVgRd7+79}6!KPc5>NfP*2!q}8Z|RT(Rq_Z&tE31?OeO5 zO?yE55<07NPF*;!O;W*HJfUV@>lTHLG|e^m)F9I&(`ORyYPtpV7anY6NnL&qj$cd=D><1D zW;zQC&KlsuO7rOZn^yKGLYXzBNP?kZ75g4Tb($on_&(&16|-maeq=bF5>x_T^6#4| z4HEO&Drj}}WP=uzqggjftzp|{@x`Q;4Yfz79bBlJrcmxYPUe*2UOoQ4f~z_LAO?f% zWi*c?0BW#(0bI~VU(7HocUe|I-^sFFU;hxr@LEcXg(%g}mAm&Nz*FMOC6B!%eTp&V zR3DyURO~6L1jU9%pYvb!8?+NeK}Zx_rg42}|I%Sdoce%x0895o>+P+{Or+X27it;} zZH%4;?@t?Na0CB4ARKj~GxfI; zap?7Tx(w~Y^jh18b&@awT8d953m`Y1bEf}BCcVC z>gZ|^z#iI5{e~kdL51CQ6i9BWT6saw)M${3BEGqxm%QhOToC7MTmOf*@@wrsxHK)S zO#RTxxJw~#W<#H6Moi&t`21fGS)+>bj9mIq*%#lEXQoP8xEjT)UhDc4VUrw*ElM#d zxeFyhb>|8EXE>9?T9tB1&~+Gi5j<$@ddJVgW-8tz8XwWhRbsi^4zmtMr_R8UQ_TyC zXLVs34@;fEZy!ad3{Z#Ecsi47w!Bn)?_S|Q167KQA|*`tJP*CM&*Ot-959?Wsxi6L zlXwjoBYTU}`tlucwcV3GmqHu21<_T-RLv~vD}6W2yWc#gR##fGTWhC;WfTBayZ!yn zLoX8V&{GdrIA9Sa12zJ9fVBqEry?sOd)!60N6s3phnE*MO!|XYXnZ3qI5}aB1_72! zUR}O-SdNrEkDGYJ5KYy$;aZw;iJFBLw9h8xCHm*$Dz?$ehNm#TbH7G9RP;MEMk#GG z<@m{a63V`u$a~1D6*AWpZ9zX6mo|A;a~eO23RY9}-@h6y;Cqwg$=p|oFJ(V1%`cP! z-U$HQDIKWGaA`vfWzsBqr%SMF%Id;6bdoru!2B*?cFc#qhX9>uEgmkHFBPF~uy2r9 z>@RIho4YvN-eK(?^>HXumYzDPATu>HhC3@cK*RoC?aPRYn2>u_5Ud6a3in&?-VBqW zPwUz*n(5>>@lJo_Rsu~IWy*zGPv_AEKL)xy$ZGdL%!wDUWgQ~nmY`=Tve3zg`@Cv) zJk?-Z$q~QrW>K?OCd@5CA*6c!@ez$+w6c^$?MT|J8g8ZUDx5|AFVVCu@?%=k?mZwP zM?iN6{47|j6?I${ICY-g%lDjT+7H_(tcgzV6>^kIqaZUT(dGfgpzQRfod`c_uzDkd zvvdP0Uo8^$KP+3St|sJ;_7aT#&q#MYQ@wAvE?PVi*(KcmeJM4@EBrah6N9f3V*A46 zP<>dwKnt7i5!iK=XYbK=7VPlFrj}nUt$}lKn{A+>!}S{5mkWGA^rE~H;%MIis*=BC zo%L}jf8C<>+=g@Gt#4($dA2*ER)EN+H=~gbD?Dn&8_a$GiIqIzUxNWe*4(|{S9sU$fGa9|H}+Pjd7bYthU=Q+J8KB zK(q~65W7!cz$wc}iPuDcT|w=kIO+0}2D$)PS(@OW$UF4(D{8|~ZB6np%}` zywk>Sx zm__iSUYE!U`WRw-+j<}PVaM^t zuSqW^o_OjRa~kI*>O&t_fg6_2c)$EL*7-G)Xp!aBiu1Efv+Bw&uN5ZJHI*;8855c= z+NC^6DL3;qrN5L?U`T=K4QuFCO?#ehvc~4JG4Xq})7y4%Y&eF2(AkkO>deRDY$mx{ zI>c<)y3x7OXvBZ3^43OQBOiO~MuLPX&Dk_+tTk`uebv;Y;o^$PqTuY?^RTkPv5O}J ze%^kzTF^jVwY0EzwWrfOjf`aGkESca%0N9B-*4MgwJEC{GfZ1_<|*N%G`YrIAMt8z z`NM+PJ~5uSWNfv2{8Qz`Sg~NLjZ+G(MU}Y~v-EKs%xMF|5mVjD=p1SNc#MC`+USaA z2m-bW=<&76~&7FDk1aO%zgl=l0c52_* z7%$5@^X6w{VvYrk8ZZQF&BPgAM(^;qkv?MM-~D~}xz-zL=bQ^Pxu072EoshF%3v{PSgUB)V=1`ZKS5IX@9=y_M303y897cG6q_VO zVVOuf9XKttWcZ}2u6C;SpNoOiP>O&#A&(8R4|-;cBFrYJ%2ipZ%d+1;pXDT=hr>`* z(g#n~0_lS!OvFum8A*~o6cddY@9t_)0F6YU$zI`QqMBmf^^mc4#tw-d4Nm@`L;#*+78yDg1qlc)~p@~61a|(>fG*1u>2(bG;xiME{#i^JM3{B|C0`N z8B&pfTO@4%&`n-d^9I%YV&N*C5p;~M;5Lr zndV!} z1MxRhv5Y%>v$rGaOY};pF}q2>C@M43+pY{1`u#1aJ=y!0KxX=zk-F=o_C_JFgN4~t z>C;FRCXKq1BC(Ce%u^xStL@vEzwM1A&3`23kzSEh=t_Yjq@CHB6zdm)#jxp*g$GFu z=oQ&qBqo?!?6zZ^jNHl)k`3~ky5uwyCE&b0^JCO)%l1bE1g07A5Wxf1IGucBwN2bw zELKLOuyv9`FtQijN*N?&91x{d**J;EsI;%%5}_NicUqId75!;}_$US(m8ZZ=V7*Yz z1ffzoSa<2t!v-sHLEnQ>z0YmSVW9v{&4`=0!W@;#rNw;gm<( zi#*}he}``gg+`!LMEc)(rpce}_IsUS;Wxb3+aJgZ4r~r@k|R(Ee{GxZ$-8-|SOI3i zbv0`P@Q)6V5G*a!p;*l5^=6 zmY2NnUcGNZ!M!(R)0Q1s);!hxNgo_`a{v)SesT{XM+F)I-?moO50wk~B~WSuxCONn zghfPe+5uqK((9fEt^?5SpzN`?+e3=b$j=p+Y#Xdqf*XBK0Ptmk$hB#u0NocC*Djou zGk#(Oy`lE^4Q>T@f8y6dZ7J0#I!U`U^|U)a4Cq{IdN_Kmq32$q=%_M&*h-JM6_?NRvl!zEn84`_wwa%5oPo28e-Z?YK!Pmaq#E5+>d^R>fo;!w?t0vHEoqTj z$^o#@U%KZNOXsVBL(x#=^lV{7W8o+OydigELR-It*V@YS`*A7qPZ~PF}HyNFQ{1 z@t-eqgQjt-lt?CmSwDIm3fXyU@QHdKlo+b^cH6A+;dwQ^Ev9;gf{O0Dzh))yueoG% zD6M~fqr1UV4$2r3UkWY@$|wY)OBM{~*~IFP9U{regTtGdCu*=AeM#sayX7Y%7Gfea z6g~lvP{QvC-}YAtph=vItAJ8EpO96`0TD-IIxMO&F-|XFWTN$eauX6;HIdv9pD@!F zj#g$Va@kSMyDS*e6v695mYbpFTDBke7P>7yia|W0I$$%6k8mlyCvI>25Eu0KJ)!U( zUSHFQ&!|9b>5LV?+In({zn}0A-obIOQ*gKG#CgGluxjDTFE0c@QN-{uH zx%vaI%zz(^IOtD?tL=B#9iYubL`j%4E9*n)=^*+)CzUN-bhRB5H0e%%ot#+eB+o5H zSVOY^50hXlu>K6>A-eBkMDy~;D_!CiBA zlU-BHv^7!)OCWHqKw~^&v(-F+(ci040Z@9FJPIdD-lO>ur%Zs<^3>nvyca5bpyEX4 z#m1R*G184*$U0SND2nS$mRUo~>m6W_Js;w&Ja5fmJko1$|8S(`CAVy;4XIB*LBPO_WNK>RaK>%GN+p@ZITV!=_2x zH7`vI`Jlx3F7Ja;KS;FM<|Z94v|0Vt$Sn*|MlP7zT|p6=U7KH~q!^pNfo>}UMzS&3 z|95|FK^KR+`_`1>4~;*2FQb^EO~T$}!12oiM#~<;{iZ@EBR%a7$4hFtKwk(Y{~$sP z=}UDxMDl|74-O3D`m~T~LvNByV6P3p5FCq!AnUvzq=FVL$UE=SvB2 z8tSky4n76SAv(~BL^)QK0HEeZhk1Ej%I_SPonBa^Ax2^LGDG9a?$%ZBI&8 zr#PIcI1S^E+RW>=AnFjc@E28e(AFF!X1Q9iY+XH`qBIHf^eNyx$xYOprW~~C`yJpob)fPgR?bhZ9 z5rU0vlQ!n-sfn~AZo%lr;~zt?wTO>J-s+tI)e3D*O<{uj9B=#*))HK zA9@?Su;Dq*;L?rO5zPbr|?@P1!f4$-2~YsF}L@Gb>(y1QqipaQ~1tL z)ej$e(I+~ksAh-`UxVJXk7j_|n4uk4e?g@itSU`86EA>|!1K$_%yfh9L%pWuY@G}@ zCu!E>+4TQ;GYFglj9~Bej3YSMjc0>Y(;yZ*SYnlUYlTch!nhR>nS}|$YC2KLy(e0m z-WfnQ3x{zL?F(tR>VRB%RW@4I%q|n8>q?Q&vC8x~)CtNrV-Y*=*=HEXC7`VH$oBtq zs&cV|IUfVmHUH)a%s*fR!mf_G0Ik&fyeMskzUUd)8cl7|40+u>3N@{Ir&HcvvU{G= z!oSh1x2-l@e(wN7gIrA~-Z1XdJ!i z=*HAJ!##ka3H)Q3NEX*|AXs_pYlq|;={!$`lp!g4jgN`_*3r2@4npXMMGrAE>4o5J zrBw!Z%vo1zy1S40IOf(r?R>SEtZ%17a_&c+W}YO zsRoQLw2g0<@+h65R(g4Y4is@a?uQqeb(I2C`zS42*jBL-SnehlNzc%K+_fxJ4 z^LxsWyUo1Z#3W3y&meU*U%`fBd}5QU%AhTdxutj6(mtF7{pT}#&o zbm#egslfeWXTT(-b%>B_UxxjHt;_ml|K}gx&Ne`98z(u1RJi?n8V-4QY+NZ=ht|2* zBhX|Vb_1@YMSlO&`*RjzM~H+hmzP{&(~SY|1h&7Mh|rl;&-eZjXMNc3gzc;DovMQ3 z39Z5fvNHhO*_oDhV|rb{nW|p?dis}a zUWr3aY_Y`<^6Qm0iyV!_(x3e0-R!1l^6Ae(TWwwbMeb zRoxW(%0!+eGL_lkWCkOz@6g{9!^2BJ;_FX#K!J;Jrq}q!fWy}58GT$EgFWxXzFJc| z8eaO2_FGCggrPBE_Jf~uYQ7<`0{qxOl@3yhD+oXIQ|@~Tcr_5rKUUbc&3UElc34FDq#jaB-)%wdR;|3hcy6DlvZo`uw*p*ZIjh#bDoTvNoE4Q_}` zP7goC5V%$gjJXjTkNn#C|GW}BiSa)vU7ui(#Rb+W=x*x3Qfc|-KDI*jHc&r0#-C@B?RipzK|sshvPaIVr%MipF#l=LCqeyfxyY%9 zNO}MuwlJ1n=dG!J`D;6{O{!lvEdjaJSEl5VDy^G>+(TY25rVs@a%E-sxKXW<+*M_N zqd!ysg7V)7QAoN0GEr4gwgyiC>vS3pi4b$<@c>N96m0aop^i1fRf`LE1)aB2Iegc*m)VemPw?*Ppx_;h4Zy%SWflVrk0GxIxAa{{1J^JQS|(?F(3o_H_=G# zPDC#@v6l^SkcaqtM_j||nV5vTMr(>$UhS4_>5fjUur3iw;NjPV5RZhid%i>3(Taor z!9T@55Xk@Sc>=-})G7TuTe)UB7oD8>Y;GhhPzK(WKN)oKsl^GZz{YGLicAYm*AG`L zzwiRmAu7mg;l^!$EhCDBL%Hvvyh0Bo3NMc7t36V0;*2KAVgSvZ!dFg69|8FDU0}G6 zK^Oym{6e`5#Nx+chaTI$?BGP*4^^NRix9>^G*7!!>-c;xDWh)+Kd!=7+ z5ZM@KZ$V&}uCkQSP_`l5MlnldcMhfMefJL&Ms=rHN!AJlmk3paG)joMZ|68|3>EJ0 zan6GQ_^||0F_YMQHoUO`*eleHwU05_IM3TZ$u<`^;l+A0$l+e?2CFB!v8d?u(;uR z=pTgrG`yb7E3v;|VcTENYIL5d6`!;=vT2=6xr==K>z)P)NIN;n_g$eBnO>#SkB^6E zg&#~OdKx%-cX{3(w@1WN*hHdfueyss#p0W;iv#J;^Wo`EdG@xg#0(o;;XC2NqkSL; ze&^pVb<^wMEWtfeU=#*RR(H~=wvBcXVo3RI(?V?w3$rIygXNRWqAz7lojak{ zikCbX*`H6R8qGqhpzv zM?mbO5XsN|r85SYAFr+83`Zx_X>K(-AsNqwHE;36%P!(uDtt`!W~E8qeovZ0#F<+k zj9K*74yd6V((EF4EfZ_*T4;#@~SiUcRi?o-;rkN6;3nH_;3?lv7XxNdL zEe9NGa!0QV*1%yX&0jc&2_@L=w&yV3C~-6r@Ks%agRykoU;ugv_8<~LJP$4ZZmMi{ z@1t{Zr8hLqKhA!W2~}4=)J4z1TT*HNjC~EIR3+1K?q@@fRzxZ(<2Buq@F%*Jf*j3U zQNq3SSL`v;x{f^wUKo#(yOX=5$e0)QI^PUyJ|e76wtSg9q62rOJNM`!5uT?1<><`F zJ|yUOX>3C%+e;V6WN~~5EtPII9F2hhAO8;>rAAvQBlCwr1+>>qP;hIm`jdXV81Izc zf__Z9a9qySo0HRxgkV{&MWJIWGu_oqC=$6!Evw!c5a>E8ub}R9mY{sM<>5J;*=tKx zr~TDMqdrQP*O3YX6#Od%YZyd*Uj+j4k$qZFd1_1wf&d}e$(z;K4Hdwt zwcbBxre>EL&=8DFrzyh;4_5*J*ZAx>!dyvK)827-q9#y98z!fweQx-NoQPsklfK=D zsHn^&BX%CDOE^naz3GD?J1Ee6<@h`aDTf*a^VC-x$q{^JXawjrKAK1;kDgyZCBRl8 zH2Pchu~o(_rH}!aYOg7ZwAX#$Baydg^PhaXrYNW-OE{vzyBH$2h=B;Q?QiaT{~ zhx>gN^E~5cN{rb0(Ik;Z6dlU$pJ@PIirSN$Qd)n~kneX(JBQzZjehTMTd$RwSHiO; ztzd)tu@b_9SAjPn*e`40Y^?S0#kLbP5B%mfeNPZ5TQ6~PQ779_PnWQ94hZqPEB*BK z1A!ezotFHL7L)Bf3JW4--)Uhh$CDi3l`7`0lJ_vg3f-_!xK-S|cy6j{*9@*ox?tjv z6ECAVfiGpGKbm%L=C&G4)%4$~3Y8_d-|KWd{D@9x+9thvrfR}03xcqsoqnEtrZcuj zt_AHBYh`q7)pz{U)&6GK+XnobY*8x(kt5SD{+lFc1)cWb81>Viy6a7(B)3Np&_)u0 zW*S}Q?25fbCfRYyz0W^b7Y{I!`#Uf}j`?I1Y#wqt+4wcOl7cu0odc@cSB%?K9c4@K zu6*2uSg<$|ZZ-`XEx9GssvN`NWidrFK$2X{Y3$`spOtOvN@VvoEuKNlMy0$6(kzu( z_j=X#r^up(9?wkks-nN?_}uIO>Z&I63u*xg0Lj_ay)Rl2Z@0p8YA|ITt?`=fvL(&k zl4=+ibdSlTsP~qmY3n83p!Y4(wpwR#=d+gwQf4IiWe*z7vpkWnd}Q=B4q5nZ1h?T> z63i4KQpW>h(LU|lulIn3O@&gzi`I;PxFgZ$laf0hVIjVUI-_9|VRAGltcWE)RF|S6 za_g}5tXS2hb6B5^`r{mSK}R$nDAQyax^-wMkA1?o4z!;^` zQmCE@@h`nS2bpcXtl$5f%N(Q+?Qx(>AA8gFswqk<+UY(_!EjyzMpebZ(Wb5&W|BL* zmo~DDX{o;vmsGKF&!Ob;q-i1{URD!@di?5O)xJuQV*3+ip8;}*TKfr4_vZRf^Z9#d zK7ZrV$0(2ZgbtjL-mCz1nDNLXi?eFlK|G?rp*VXk{ zPHMA9ql)up0{GKiGuJV8#WM~Sic?L0g~Dz^E#$*%pHyJQFe zkqLI(vsNbZ=wdP0nQVWdE|nmO5DIJ4vZ`Y1)ID*Ei8P*#$Pm`b#SH+X8b3EpMp;8OqyN{JrjBRhxmcY@ntXe@9+ zFrZkOBVB+`Kt1AfbX6a^yGK3%6%Zqe`g7UMi!Xo4nu-=VF&tlKw7!++g*ux9B0(H3 zTQY;rbnAWrna1bS#nikz#n0t`TG!WwT=IB4*y*3zT{C`+W1iDSzA)J_KhS#+MX-Ri z4#D-w7opXVQ+jdcDnMO6uYJ02J%5dqMy4XE^}kg(Nc|iJTngImBnGdG&3siPe3}7! z)ux-&T-fAO$CvG{slEjfVspq}H`yqkI#*mQqiewyBU@(ovI#;@n@(+EqmIPHhBL2t zcP6IB{k!_#m(6n3LCB)Lz*;qDJbovyVR#WRvn=0&bmOk1gAoe%l(KvKup$2E$#Lg@ z177h!BOGPVdmdu|n@e9Aa^<6y8{t;pkS4?tI{iHo{{SGycb|o=e1>weS^ojj^GOG1 zZ~&@vf~l2e_ookcJ?GV8iyUSq_!wJID5pl2Q}k&SVH4Ry{I1qe1hF*S1IZvccPl5| z_$2ui14dGNhcs>EEFu>4li7MO_PE7c!+-c4EJxlLM!0SCkqRd$J5<8SPzXxj+nW|x zxQv~6LnfF6ZXFhor5=Y*D-BEyj?+sKxjT2RuGHkaDKwdo*qZ*aM5l{=C2eIf$E_0> zISG=_ZQef_MTFbvO>O0b-({)fLrh1kpG=tSgF?{CuUbc${^}+&_kw#vi@U^(;)*4O zLQ_~yc}`388{7UrLyW*4U;b8=scXf(AV{8WYa$v+^I&_W>x8@ua?{O=E&e}e_Mc%Z zS^llebM-0>3k~vWrn*QYF{#|*KX-(El$i(ZnU=&PtD2hrM?Pjq6u>q1YKY94qsl4jS z?|@jIh2M*76JlZB9Wlq%ezE}sH-%i7Yq&FX=J=Dw?CoAi-&ULTzICsP7WrT8X6j(?%9_+RZtxzpt^semvrLKkZOmyYFg=U} zfCipu9;vl<$LepliyjO^Hr)K~FQ&|O&tf4b8j(s@pTG+W=`H~y7|vvW#SWmerS3CC z7l-57>`+n%Th@mprQ_LhBVZr^ zo%vU#k>+<^l&09S=#lNuh~ndC(|>@P_%Fi>S$QsXLC)H;;Mv5oTp zRbh4@Per(jAIT*q@lp>iLG7B;V=fdH@GIpC>A_fpVt-*9 zFu#6BXTGPES}h{PO)a?SkVJ@@gGmoIYX=@}A5D$+$IDX#Q2Sgq%AN zHpmtrs82v#UN8%4Q8@-tShC^^ljv?evd9eEe?WhUvMRkP^VSusIqBw|8)}Mj|!iOKvt{}5me#! zsvm{q!|I*Etdi#BblHUVz;r8de{FxeYS|~>_=Y#OQoQ3)ira!_x@ zaAQ(*58*Dhox9ggSbrlOUDKVnBD(5Xo?iAPIm9pNUeinO8zwcL7-#&%b(fnGtR@^T z@{)3WXAZ=DfYW^wN$)9vshpJn(`)bj(Kj2=yr~J+4^ZDPP=%;Yt*Dzfc^Taua@{`5 zGPry!yU759jN1kz^jw@}%1{wBgR@MiiqF1necrejRfR;-$92S3jy4}g%>+*Qmx+e~ znDZu@dB|~Ue5KT;60&0>iZ%o_)mc@;XSZ-{Fycf4JSWXcOw)I8k>v&)Wt1Al)x0}k zP$a)fAeifc33-YL)i4B&+JovM9KrX$d-WA6&*s{vM@_dR26g_Z9{;Jd0$NI%W3|6} zw0|7RhV7+pK|O@1R5ak$111b<)*2{LM+>Ds(3GdTWp0q}OEG=e+1DM7;(HYQs@kX? zC@q>VeVb4d!8M{G@Oh z>Z`YnNZYT(>27xK)*PmibnZ3)lHBHb$)TK%AQ6b-#9vrW=%<-HJ&W)q*rWkSJ=s0< zT;08|804T%rk%n3Q(`D!D3D2+EIe_Z1=y^VU!W>j&(4}U;@HnAIbry-eJ^SPze0Gx z3x+6z+h>E$Cm^!TW4>~hdh=j=Cgo~7mfZAR&62bSrA}{u>i3gL#(*76sNNzL*4jNVS0(WoAo1={0K@)8kJbhVE&dfgYHy1LsArX)ZHSZ zWM%jE_QxDarmxBw6Z_K{c80zdCN+#+&(vwLj})kZQKobQzyS`6X2dnKB)QaOxpn#t zTDjg*19F8xqSlRbM`ScrR}0SZvXFuAO9tl@>UKrD>Ry9E;R+m2*+1aN z5ZW4IU&O#cg^)*%?XJI`Aqq6M2A*DhDCp#>tdG7 zH=%ST1D~dze>KVI_)U;!?$gdgOp-yvltl?y42EjsCOh%0gEEh3I&DhIGj8VA%AuR@ zntJZ6^;Z9qA~N$d>J(_HK{Kelj=Gx;N8fJ1v&mZ(HwIgPdNwG?rmH^mo}=#)OfB4% zNq4an>V!19bv4`@?EcieKhaR>t4y~}i$aU0f&QfFBXzN0z^Y&9Lwqh<;-poUk+21U z4IDX(%g@!_q-DYd!U~9^LfV>+UxfRetnCL<;hc~ATO-VDclO>Xq zubPs0o3&Y8c&iEK0KJ)UYn7aV09Nj;Vx(#V1v{0Dd(NZ`o;$4N0?7-NBx5zaUz~^} zQHs#t&V8S3n(e4<#5ToVXCIj~E_7<{BgJ*LhbC&c3w{0>QI2{|dXxP}lS1C*e%ZnK zy|y$hVKD8|?4~DqL4j1f>z@pA@woFtkN2IAD`ce_2gI8cz?N7AL}*IFZH7?yT%lYr z8Meau^NDMH&Em_Yd4V#npq;dOdJ2zyC8b!&pqA2$J$4M4v}(>##|Y_qOBw@yXx?lNcKKes=t37! z{Fk~%M^X&d=c3@S&8f|MP-XfQHGh@dU&@+tvxA-YVZ2XRDLE2>9ZaK@uU`DkcXy%; zbcT!9LHihyJhuFDPDk#r);{+W4Izy;7mq`?z=nTR6mz#BP)dLU`#;yU#!y(lJa0z)d6BL}C{%`_TovTnTZ-sj7tRi6h5Gb&g<>Uq4G;HqL@ zu3RM&35D4Ls}r!h^qXD$NJ@Sln-;md zy(>R{ozhzvg)%>fXBhy=eC$r$#ZNcC|7s4ApwiA^WgHA|q3wIVQ=yBap3;b>4Q5bl zc3-4y`v^MvZ&W(t>`_VsFOgn~^-OzUyDN#*=35m9=*!a&I>_QKlNZw6n`JCbUQic< z!*lN@KsE|4n*GSoVx#`El)M3T2BB5QrERXBupOD0ki=uquC$4XFi+OoMIb`9Bc$*S zHKaX9-OOb_31dsA%{FnnDyk!TZH@jb2;>GCWmOA}>C<@a2!&q|fmR-IdgMxs z1C4LqfWQo2KMkP`YZIG|<^U{n?hip~roO;dk z^q@X2Ck^e(&Ale2DpyWHE_9j~AGUc^t9=Uz0qK*9`>KY=^?OM_M{SO1WDwi$XOU^V z6z^+gtoEG1pIcU*N84oz{K&Vt0JX6css9}blQlc1$wk{5KGL;_Qsaj;gqw8a?;^hk zwpXi}Y+m10O}6oE6W3>%A6ZA#A7Ln@Lv%P9Y-h4MV~Lv^`AJAZr8h0-9JN4I;=%1N zyR3`dvq8oUlU0SBXR;5a-7p!k*5sh=Mop+3Nkw+HqP2&NYUG-tk92|w{{qWk#^z2QxcNzYpxS`kniJ_i68#-sqse9x?gYr zb~@r?Hh_Jkhk$odweH8fEdNIBF!WoEtz>$CktN7e zFE&;cypg^7Tq`B|=;DQI@%+&=*Oq?GUhWddeP1`bcFaCXCe8rW_52tQSBQc^O3h`b zltu9}S%#{?aDEU3}}zJLc3H*#EGe`te+$o+hrWQ!2O z4E1&cP~JugQZ{?H$FT=-kO&|_bq~Y(XVm$J%(ot|2%KJUbnLgN60*&PXwAmZR?0iS zFs8HUeJKlnm)X{7H4*ds_0&w7+Wqvl;YqapN+A%py)`yV&NtT@F1}X5JHX*FC@2#6 z;MKsf+lwO`0gHn7$)yxH41xV}^4-LMG;@O8&hN0_85OBXYvBUkzi+A?+WIU?l0x*A#*kBl8#>wrt^@TjlkI5O5cOp@j12Db(Lup?J5^xI$9^x==dZ zBAAY)X&ZnXkQSJrMr7VT-9kFCmO`FEGYmKTPFRupG3)Za zi=zl$tG79pK>lp}JAPHMbx5CsTwXE`A_Q%l>nSl-K#^`9E5q{T9?r33$q>mHCmW920; z2DX6g+-ayjom84_jD?6T+K<}46w(Z!*CIRN9HOUC#70wv6j)ZXXlFDoGlLudme4A#L|KId=W++T8bdnD+okWHFmw*xYBml#+9^ zL|{sJVydd8K|X8fKi}>?o^xIO;N#bBZ$Hti?vF4GU5HmYrzATd7*&#!Z1>Wxa`;X} zc4FJwsa(8Ih}*Af{k~*WkecR>S;Igeav>L#gdpeYIp6tV(PQ5>!&7AAv_CbJPx~6o zo;6I00x~AE1j0c>&mX^Roi~-{wL9^@gPw|!eUL`Z6O`_OL8Eg_1-&1C9gbgyOs8J= zSFO~SM7fnnf+TBV>D&No*PlV-EFFFgW+t;h66hUYad=Nb_pb9!HMeCb6A@hjni_UM z+Xcp#HX_O<)X#mY2MvU?qNXxrsx|HQfpb?>Bc{8%A#N*&;x|{Hoq5q-obldeFwYF7 ztx7|7Qar&ldAdiYv;?5&KaKqX;#s~*C6oazA~<(vzC2dihBm#|cj{|A1q|(WvJ>l` z)k*p9G)qLr3@n*dJzPMHD-px57j1LI(*DZWfwiIx5S{9t*%E3#i4qy#U|R2}6kvf( zt_|$8G_J=>Pyr+eYyu;A)QU!l^8O9^ra*4&l?AyHI8=xR1+|ous$ggyDY<|AZElB; zk-I7m^Nzm+P_uhtn@c12-c0O||B78{z;Y&)8l|v3y;ePT?@AQ*WfQ3CFf33 zrJeAZXE4CN!CxkXzpOfYRn4=Z+vEH9ow~7a;&r7jDg zRHb*6D7`5Jq^m$Ep_f3Yx)5RkL3+n1HK9W&p(!X3dJ8=u(z|p*{qEq}>)r4BopHt) z=R4>5XAF7nI?FY$Ij4u_X8v5t+{~{ZPpq+(ID~#?o|!I8dWUH&s%;JuHt+0t(=(I8 z)o-$CFE-R$FrPPZIe4O{;k+A9s6LDfKnJcH7GysU2;YM}isK`brRMi2@>4*x>AFDO z>lb%HKMb+3(rNmzu@%skyeKVB))rcbiV7m)9N%XqeM^t$Dbt#ZH|CHJ>%-tNnZ~Yt z{$17cx5`?qVT#NNKU*t`rx0IZxdDk$h9+g25Zv;R94ChXGS5z?<)MedZ9iu3T;T3M zkzz^r*aVgGoKM5*gc~kOrABOiHGvT;?#%<*8(9@mp{DRGXNp zH`(>Sa9^?y(BAD>Yb@skF5l2GW9cG@YPMh#cxI_9NDxBDS|%V5V3}>>$dk5JGzq;u zZFe9RGL+BAR5=%AE>5sDm*3M>u(sNFu#83RvoYJ~gEyCUv|Ni9v39H&1{aa~3lPtD(zK<+7KNXnTw2>_Ud1i3x6X{4v)-T|m*mSiaeS z>IuvtT^J;i;U`j(fa1@&X0pJ#<_LkpSg{2S_B!} z3kLKj^~rcaH4!zah2=GpjOSw>PX7Kp=9o70@6TIelY#j`eg5HJxNxv7 z&UkPz%6Xgv3;y@%^<(t$0l36~G5hV^`V zF!Da{pRp-z@Y50u)uRClUWhLQmp!-_Vlvk9SM%|2y>J28Bl%#V!-sLXIbbtBf2_7i zMEC|nVA@qTUE;7bVL06 zkALjxE71DdZ+G8i;!QgE4Qb#;Z9Z7<6dP42{CbE1qb5FDV%DiHauYKlMCPjSJRHsG zbXPC$Bj)Ok8|810G5SyZ{vCVpJJs7i93^%9ulRnXE-jVyn-Y%Rn*Y&&Ne}Wyz~ez$ z+#%EP*IzXJbF#pgBR*o*I#0L_h!wQTZcGi!#kBrj8IU&u)EM>nUEr);8VlI?)!a@3 zyYv6F|ZR>bcR@}k%?4-o+>yi@*$|8bOvv{~U(~fVc zJ=}U%?lH5Q*}++-&V|alR70I4a<3ajG1SVM8mk(Pv{pPJcSrWdq`i@Fk}~f6TjDqo zg0A0$<-W+RGBee_l|P?OzG}}tDOgff()y#m4qW(Vur_3CZTD5!wsRr5(P@w1knY1q zmZhFVw~Hj0oMK^v*$RlBw#W(Eo0oiu-1nW>YQx$!ss4OjynHSG_*l7!=tm3LK2bOR zXl0?*6S1x{3JNTPM+cM*+aM_jiHC7^jp&jIZUVP@4@)iMy6(4(%D@d?#n%f;qXNj#J&%?aBDd;YQ!_ zkjo5_f=lCT#km@RQ0$uK@EPQL>muK0^+W3m>o7O34~3JmdKZ!0>%YZHW~S^$TcsT9 zzC*J7>Vi|PJ)8W;`<9@8NRSv!bgF~k?T%OHL{ia?=F%%C+njlgAwJ>;r==?BpkhCJ zXQl@32#8+w44z9ZWq53+riPMgPT25QJeKp#jL1?lkcHz)qSn285xf5#reI6(|q~(P9tyY~S2Papw@IhM#J& ziYDXI+oCn>beyZJPcHTV>cN!BHf!b$F7KMX(P=-}%qumkNu|kJ?zbkQX}M?_pwKrg2ee|j5flxzz^c!QjS*ZP6$Y9YWICWrX)TspH<=;hv3*GWLKRy! zLvcyVlxB$~`aa1w?^+~mp7^McDD{2m#i^W+@5b`#3o!V)E=1*OoH7gVc%8|>B`fa^OX?P-cXDv#+cU0!MhHAIX!r7HH> z1k+|hZak7xg{A#gXWTfD@&m0;M#M(`VSf{=J;X1}06k?2?@N)2N89z5gKGzq!-ph^ z=Rt)(_Zm$2_ACYL=Er|zL1(^%7kLBL=WGXH#6v>z7ERh7d}3L*63=nRXwRT#7i*PC z-PtYOH(+Rl*hf>X!#`R?A24DEaY)a+xpp+y5a0-^nCZ%cyq>B z3N<4ZJTG{YXD~?Ophh7aWwSQv!eR8}v~g%b<7}O@C33$P?^{1#?#S02M9X=dmgeaa zHSBow+I}%1YaAnUZRnoz+o`!nkiSvTp_=6?k)`t0t8-Ty{nH7fvA`6aADG1#$BG(5MYc}u-o8vh%@n&h@_5S z3$U!5_8vd>9B>Z68R!A?5>FjqFsI-d--*9aa#HOsI&6rv!_q+d04X;r`cO-8zKJ z8T;W#Q^xZ!ejTrzNPC?rw04aCSh|lFa%y5K&R%*mQDJr zA3!evY*N((PcjmgidE? zEo>h8$ib@etxRg}*Tbh-`#9?@xGS_AGY;>+5yF&(ZbW(fyyWz?21=TCTK;*$4FJ)L&N?m>F{oR*?x9p-B zFy#tkn5B7296?sg3o8&th@OO#YzOpG=4|NGM0Sh_1%58i*z5S!b8}5KNJVaEp}nLZ z;i&Ju3Ze5q?F9wLK0cd)lk_EUU}IPguPFNf$Va-exJ@WfUt?LiBr(@_Vz>+2K*2Ac z#VuvmzH+=^6FlNNt@+!LI+o+vRwVwG+#VibRMtD0=;Te?iw%|>yw;r%xya}!(5Mhb zx5SM|snQAVyCyOLEJgmd7jjf<$Z@3RDvwNpneDPg>KlvCe=d$@S@-Z~_gNC?WrT#^ z$D{?jV!X`TEghDWQZaSl9vTP*Vb2dN&XD{j)*viMj<(Uzjxo@rttr1=R&T-HSm*|* zDX!m1vI?C_zoXqV3Qrt98{qz^+(a%#jEyIaZf>eMljb-@_r)8)93!EkR(n;LgMk7f zs%-R+`Ku}=5#wB+5wOpu8pcmO=JV7O{^~vx)$)gH*t1Vr#?0GomDRrNih)g6OTbor zR5-O&Ue{X@$chGHy83AL*}%asa94zD05C7OL zkqm>gS530qBy;Jev37h4HgU6S-)Pa6rNO(AR7 zmk-PKPERa*-aEW z&FQzF_(UCSXkBoMOurzyTxWYE>S%sML+(M3k||uj`Bm1VLxgr#3yBuiBR=Ko{W?j_ z3_=R$+?aO^>+03L3RtvqhoKoBHNdx-iiaM zm8$vq=M(IS>@f9jBlTKeTl%+v8{j3>LO@%B0#;bsXS;SV3IT$1N>Zl>k_Txzb_cH? zz@Xp`nl%gq<*V`jLcD%6|5Mg6A5g`vIB@BP6l-rgD}=ys$rp^@#f|-lM3X z+3x;V`1=^yqiJ%A)>bc6^c{VqAns(NSME@&aH;fJQQL`MCzx{uTcPQ`pjWc>_vwXm zdQ10!$1Dxf=J;A|-0tecrN{9f0Rx;EwLaOGO~qEOIs?C>GOa@^#=cc^An8EjyI4v< zY)2aMDL(NBd`U3RC5b$Z94Q2*GGuBZ2(`&Pobky!3Rk>r zW`w^Yd@KRtic;1(0|IjXMZNTzj8oR8tl}C;QPw3@d4eDl!r-W?vsF}T^YPqTm7~Mx zJ%%pZxKi%NFTJ9Tas$~eq^g;bh70>6)|+5yL(*?ZqXsbcI(AjD5#CC0XnBCJJ!$$G z?+ojRb=uwt_ay?!i%6~rPs-gd@mR?lyq0{+e!y$UqJ@vpChe16d*QlPJT!RJOVJA4 zrpB1siCs9%R7+%8vii3snH6G$Jwpw^b^lcGJ3PnWR9l}Rs5dMb(5oSm@|s13%R}E@ zm=LYhX~%E<18|bEfUo=Hq4X;CrUV*fK&3bFe(f^lU=Wc#Ah1Dw{^9~*7wC)!ym>ZB z|AICRO#`U<#;pGV?tm!0YZb>v;JB9Ws6gN-JHE;^(jZG#YrPXo#IEhvfdzbe3rw-# zle<$N-te8627_FM2ljxw*ur^wWbhZQ0E%dJ{FVaVCTPo?cLi{UzO@|H?9K!&b9yhd zZ+=Ap8!icqvLy|N>GLxgsFC!VYE)u%b70|FLBA^CKdL`Xja3kq0^z~)Kpx{Y0&2ax_!;HgmKT3Sb6!in-c0|ka6I?-T0~aJVOf96?RufG)hhs3J8o(E zZv^KBX>DyOg>3w+O|gEn2B?sy|G+TR-MtAwm(;neJF>k7Y}K6j{1jZ{@dWbEh~6G zNkPY?p}F2Wa`aq;XIL{aAy6%~V|$;gO4nwwEOKOaPvWnv zNP~^0vjSW#2VMgb(d8nq1NSZKaK;P(5}CqzO=E#)?;vCYP_}~2d%oi8wObQ0^U>C3 zHRMRTK~Y`*7;C%SF=MZmX4q$}IZsDp=$`>OSTkQwHAh|J8@{<(?SD=!g{r4^iaGJ% zU1J$49}X-uKO8Ivu@2gQ<~2WjDI&q>7@?9jBKeD_rsU$dh8h-ujbuBo#ZAh)FJ=<$ ze#MQ7=Jf>{urm#L? zdmi1!&Q?E_N1&zXa&6>Zgr1PwMDaWYyM*v~w)ctdaeZKR4hVuD*Q=uLnZcMSqv=E& zWMP?e7aV)GZen+aG(#WBG0h_5l#AYtjQR+THjvp?muK^c^ug^S@1}*#vytfwC3SVX zR%vznqO#4kFZEqpVse$L9ycB+Gtw>0dAn?7fpruyF!7p}{J5B=4-0$bXG{-hF8|=O z24hW7pL7e|K#95wAva&Msfs1t-hX(ChF_QXyg-oZdD?RXrF9!r6uE7Jo90R@mHCcT zcj*zu{_<)OVVrW0C$iyMj{GFOS6Vf@+i1qW1T;RGw=46hM*(LRvfP*Dw7a&}Ln9_@m zid~i~=Sz_fklpbD)PN_{QZ0W0W#nJGjrKov1Wv%3atp+zYBWGd+iajF3v|UXxOJ}m zYJ`o)}164Wx^(p`YOwz(GztX}xhw!*?_ zVC6UoK!)fI-Im(jnTNO50g6R0Zw9{F*8#9Ua0i9#%}pemK2NATmOq?Ec>(Y*11h*$ z@Wy8{_D|#4&BHxxZuTT{QDU6@<-K3i)d&il{8<<^3r^YQmvb-R5a!a{ZYG<-INb03 z`;a~Gz#kx(2Or+YETLbizLpjeUJhg*k<^oy>!d}N%1nCShoNI9z1LIg+ahFp$*yFy z{|;eYPvGaH=m9tj=2wGhqr6_uu+e$Yw7L^>xYh~a3Nc#9IuuY4fhV67PW4=0m;q0; zd-EF*myjOC$PXr0TniV%g2*4!s@SZUx#+S}+fGD=i6iVPrm80A9XqmrIiSjn64)-l zO@=Hc#w%%+VGol^&%3u`vCgPrUcVZJ$Ef~M0FdiTsAd}kYHqFCucg`xO2Z`Zm*hb8K#>QtGuM4j(j68$RZ zxSVnw$FZ`aq906W%PlwIlxumufu7Eehk2@nzUn7w!pod7jDAgxy3>I$d5Fivi$6t( zUGkjy|1!qKwQLHfrohVh16o1hp?0UrAf(t2=ae+B{O%x6g8_M>Y)LJZ!x;nMLlEUi zIxA5NViPVq_ilZx4ElQmL5;)vVP0{!QVm- z^-IUtOIQ!j&=+Qbam*e zH15meMa+F8I)o@qxcR38X#b62!M+^A*pnx%n=rKuQ1-o@^CuQF_Q0-c*0J0KY`l~2 z;krq?^E9=IDb3KrZED~lFY$2BcXxjr;NFY9p!ou|_Z&c+q>Ij5JGv`L!A>Z?)iEz7x{XoZoXNuBU^nhSa)!c6B%z_$zQ@19NDQBY8`?~ zwA?Lztc{wXtwM7;@@2jLafD<(Ttr{p^JO{}h@+Hwxm~K}w(mGpp`5CPp(k;d9x${63XcP{8pF@zZ?IpIW)D^rwNL0cNEc7MkL;bqdkY%tcIJp5kzN^ zc!1RyI}CtR=(uHR#+1=R5Sb-T@H=g-TPjIdeF^R*P8n|!v9`tWah3Bm_K6Fu2Al7! z=@3K4xPlgFdPqi$qwf>-;4(3OVK$)$IoUW4vjz4L^W;z`CtaE^c7>eFyMGj1SXDdo zj1Ou0fuzNPw?^K!gH0MeY4wj_>Z|P&sI>b=4*PXx_^VKwUtlZw@@V<6q}Yf`03O(l zOMhE-r9IJa#!cd^n1`A}l5FC4WRoW`r7ZEY1^4fk#XX@sT2GzPny&9e@iIE}m2#nM zMy8FbTOsXjPZLsPi$CR?3Ff_N-*xY}nK@=h#@aGd}yQe_@_Y`6%a?AeL#9%Kv!WZ7RhOeM4^1(l_m~wOkmw}n8Dn9434Q^ zbD3-?=;j$D;kX?gchK+i_f9yjcY>fCRh{_*4F{2^7f}V_xY|EZvp^Y4h6Bx){(>4! zS~d@0kS_w-K>s_a>N)v7^<~TE&l7q3(2gF^=qhd}>NFH-lQjtDS6sLMHe+3nV<^W# zeXVn6-n+LBQ-D=#*p8OU#Jx$md6mifukS(I>6aPS{}jeM7)s^^=Q$)wi7Vu=NIWg} z3nQN|2MI}S-Q@3F7bHvys*Rd1Dsa9JQjm$2lV)phr+@(?1 z@&1ON+LRcgMaFrPVQ%JJ4~aad`@hdlr~>1`?m-I(os6f4)}Kb^na1Eo2yUjSmyjvI zzPQ&7Zb{{3_`YPhi;DHU*n6Xl7<7AEjG1gk4SV7hKn z+Xv7gzFaM6Ot0q#VGH1m^e|wWI)H66RQM-Zr^xw<>SkGh4a{!(tyRsbm9@`s<+jhS zb%)f@d+r}dJI?Gp_I;(up2ypdb44{%&pLUNzBK@t9iXAg((z>;t*ERjI+*9px|RAj+Im`hkU%r`WJ4KyP{C5x2 z0vX(ybLq9r(llFIBAzp55XK5khi4UeEeQ@s1({U!qZI<;FFXK5R^?71ymur80mtqy zY7LYcOv}fqQ@7c_V>jD=f!nfX$3N28)2E3JNnpP`qXQz!3)v&FzalZPz|uAiT7K;w z(UUPgE_C@7YRE)%On#Mtm-+gUl5l;uvo{92MITfz^91K?0y%j6wQhIeS5Bpl!5$i( zL4S%yr^#Ov*Ju4!=8msqvvP`avCxD_<2vUQ30UX#=$tJ%05{sU=#jpe<)s~ZI1R$; z{jN9S?lqmQm-w1?bVH&1N6~yqJl{NYNZIVI0i^&@wLxvj-TCIj3}!gC9nIr;v@3#2 z0oNUi1Qnuz)x79J(&QCu%Z@Icg<-e6uY&c3?4 zbnzoZKF4lJsU==U(s}i*t&=pOF^2R=jODW7rnB{X>#%vK&+V;!m?@spp*|SfJ4Rls zGkaU9*?;17F}byV3$kcy>V(m+S5u#6Caqwpy5r)F4yXhJ=NWAPpkd~X2$st~J_8@= zX)Bn`;LG!sI`hEbtbgz*wrCJvilvRM+j@;OQL)A##a=zfvCqgqt0({gc|zs84hv68 zFQiPiIX!-hb#qlKr_{N)lw{c#>W%M!;^l!nF|r=^zB7>{o!Y4iHg~18 zqj&VcAuI$o0r1dU8AD!~p2t@~b^ugRTzRj#!zD-L2&Joa`<(uiYhq-dRqP)!Zp-#( zoa=2ji5d=5r)Ah?T+?Zlt+pI`U#od`@t)PD8`fXxhm1sL+DgBHF?8MPWQg@hK@a(k z95B2x#r-ralirzz2fd<~`1Wnr(uB_wGx@0q4>1U;A~t+bQ#+`a^5BxzOif?gimkBX zz^)i2)|vpW4jpF>c5+XBbsV`0qj*IyR{kqD z*_u3aKFyvO`p@sBb%pmkQ5^G*x_Q^F7Ryb1AC~Fl?n?~ntm+$<##O4pgXik%Ry8Z; z?uhFCDMB!a0AnLsqj-Urh}r z;*sSMrSyns^=(oQlMH=YRscK<0LX6B28rBccJ2|?{9M07{-7{l^)NS0UnUaW;0D3k zJrAf{bPDp@6P4>V*D~g+$a?o@B(9!VxEy=4wOX@gE+{Bc;&Q^>L*)IqT6?FFw&`%| z5{FGDyXwGYiV6_@N%W1 zjhqj_|MEF};fQ6()zduN8_uOmTi?BH(}oPC*S*%qKe-gPd{g}$NKJ(=PU`4?2aS0T zfUqY6zKB1dF@Agrq&(rvG{EmxyOROZi9r-zC<=+s`&24UmmW;StSu-*%vG%4^P^za zK$`NI-n~&v1h0Hz3M3J5+j=5EWP(R~6S#2|Z}&ZaJpxkd4je>Q01PDq6!z&SlQTf# z&~Bk97BhuWti!hhjv-lX5Brk4{TVKGHJ@H#f;O06NZkNI=c~h}v77|5FB>>iUz^r- z0OsH!P=(rmous2iySBcSzCO+c*lfQ=9=H|&-^?$5FhM0UQgOTq!f&kBsz2=}z-c$W zoc&1#5lSE*A5x8s{+xuw)oJqRzeOhKN_Uj_etWN4p%*Z)s{M~l@@#|*935g_EhSY2 zKL2I+ltM*o%TmsQv4JNi3E=wV+C%!g>HFdQ1*m6BU4$xq)9XYsxtk$imn^aET*A<&K`q5I? zxj}oR^F$}0&IFdx7K~EEd4~j|`TkeFQ#88bUZ-x}FbMh-qlT~I%&&4~!uyc2kjL%{mnsax*u>sNF^Yh35gOCzN@S4=BC z9v+>b0Z94Z?905MCa7|r{_y;jSlP)hTL%4@=&!>k;?5{xPduep8m@3Kyh}hXygfWc z6LOr3e#~#A3*}{;3Yau5U83^soO#R{`ilW;RN701egUx9P&WqPh_h+Q-{%apz%eqg}vb_g)EbCyU z!TSkDRx~HD>=X3a1e&teK16DE-K>24QpG>g4cXPkHQn&Tpl189bAan&p zFyz{voUXl3bF0wbw0yG#8tbbp=l6d-SO{Q*)*j7{0|qRJn_ZT09P7pGfdKgT$$)i$ ztM#6WbW2`4#ZRYw0dhw3+$8#!#t;1ffgG5+t1d?E<^KNKk{O9?I}BG7m*E{N#YA}L zi0bWFkc4ffG|T)?B|7BjaIpB>D%VWm4v`hlx?SE2P6t(puYUPF@~-Oqny14!$mQA< zTK5v?K2;!YQl@j59ueSy)4$xb%{Gr5w}W+WIZq$?eW~!bSLI6X^z5$dW*~ZV%RDvW z6W|ndFcx-ep%XIgPI38e&+Z=o*FZ!i@}HT0qwf5F1vbQvRuvWruQL3oV%#hl-F)<* zQge0Vnl+AP(D~(~aaH#(Y4aE^1PNQ%zqjIXrJ2eX>>dAua(}1*+wK}{$?$kPO9PbS z_h>&HKFtdhd5AM^9xTw+ZAnoUWxeT*tQUvR|f|^y7 zuBlekJn?kjzUb3W)0qV`Is-w7FaFod@95!-a6S{C8UV}G+H9bL#Ipob z^lVRV9`&N6s}Jce{At}82@qKBnUW8PD(9CqB}sYg|NB%<-2ncWl@c7T0Lq9*4$XzX zWawoZkxUcfLWj(!Sk~BF%cteBzo#5Cd0OVhy7!Uaz^ywYpB-6l8Mx!|B0^~gOX`sK zYNfgC9VIcs3ZNRLL*r2<02S2NRd+h$7C{|?~1xrMB8PSucn|H&ivHkw|K&eLB3O& zG3}iYQ$!GX_IW{C zcW`txbhZlLJQV8`JhwPM5#-SA{m)6-|5{?VrRBYR=7^;qYng@FcU$uQV{Pu~p1;c< z5uh823{O7yo~wsYvQtMn!?K(B;6oF5e_nsbE*xFSxY3HO3knheCA)=0eRr*Q!`leX zRMGSASl94ek-2bKZR$$RUwIu1M?W~pvN8Kdo~E%H$}~T(eWvA!kA)oeNl)`uW`|Tf8FzK{t$N+BA)+BXV)o?^QahLj7LVF7DRo3A|HTve@w1VT*sM{wfci?_;Xr@j3;0bh4Jcc`}h_ zIzPDm#zt~7Go!avhF*GTS7tWuWr-qdWvWWbm<;AZZWI3KPHwW?5VGn-|2N z_idLL{?A2S{ZlC;ME-Lx)0Mi!W|lQ?TYxwI8eG|LjU*vTh@CWVsA!a<_sdPTo+= zL0m*QyWh1(W084{`Tg#YgbKQNQR9U1T^VOUyR) zxUrx}ki5l&8oXSnu$6fV6CWbh^M<#|y+%%b{#?LcQJzbEbH!!~ofE3xjGp*J;318G z+bAU3YM;A{?^@{0bndS#yRCG-j2xt9(w4w(X}-IwG#p zS@D%WM4tYGRZLaSiPUoLT|b{~4cFaVadI6mSF9oE@H$?!BRh0PIteBQk2X}O@YNf{ zQ_qycmcJE4S+0@fs<;*{u0bVMXEvmq=T|EnV|%uEw&gy%3Qu0Jf)38Iwg60 zKc5ep}}*6i@Io3R!qsTUiRd3_aHIPd^k2L=gADp zCWC9DWm9@S4kczzyx*XL3l^NH8>e`w>&OhN;2yznSf3J~S62S-u5|pXlas>SkT=D_ zL4--OZm`9qqGJrY59pG7L9wzv0yx64N$9){>uN``nJd;Ph|I~ltw@EJ#of2H0Bn!= zJ8cT^3Aa!-fr#%^GG;9B$;$>_ptANKp%d#O5-HR%d&GgN=`eN{NUG5h|OMEh&hwxN^fZ4*X}^G{A?qEQ7X%Eo3j=Q%GZWnb^`iV7`4gQ`lFl zaB3Rkfsouge@F;On)rsTmn~UNUtf~);vgudZc>Wzw@sqKZw%2z*DuMhZBbbO3+Ue# zGC(;hiyyR9J@S^2B+AO{^enzgE{o%fxw_Hg)8�SN`s>2NIG}njQS&*iPB52e*H^l;8Iw zgrSh2UU{v^alLc@P@l3bT5FZo0>ur9gj_^c2G~4PZ-`y+=Cfd-++3@c5nv;{2l(6+hRz4G3sI%`IkUd5^l|Fb`R~?B_lbCH ze&2!yR7U*MDfX!&PWG@?QAy&+zL0O#X`AAU$l>Q-feUODkG*?wZ;B$>jrGuT?L`1h z>o>9JrB~!!oYAvhY0HeKwRZoKIUl-whtZFM%%6|Ve3c@Q0{?WwV7z8SQ7{A?dVe6u~wP_%u+r@-4?K(zx(#ChAA*&ZnYPVR*Gs3olPS8Jy+UTj{V*LGCOuPrwum*9GQcMPFy@t*fspF)3INh94N~FS{crg z^i5xq18$3~BP`xAkPZ3MBm6B;!Y zXIG-9_okwA5-ciPhv0eXN9UqLxb&;vtmfzWhu%lutIyYW6?*E&>63h(@#*79PEJbr zTZIaHg=coogY~o<5thxjyXFl548O*AOL+X76M-~(5v6RsD&LGpu9jG;4 zegU72FO6q(H!ZxM4+981b5M0B7WCsGSaGOP(E}T)RyQYl`ix(#e#Lg3=c;cLKxQNX-Nk+uWi?|r zP&*CCF5?07Q?=6K&%=rg6E77Qk2iI!zE*a%%ve?hZON{xo=wMNmsVIc)_?vjCek82ZtE@$0jgjmys-af)t zJ0>DY)!>%0&S2;&k>iD0shh-f1I6`*9#_QW_bZ`BD5MAzh^3PvY)o+K-VgFugF%A#+malXEu`Uy{g;UWbwS?U#t`6({5w&!J z5aum&+UnSHeWE!T3)|UXCLVqdo0$NCS{SF>t`k17U%zZ7e5H;AivWcp()Q3~a;5*P z%bqK?+yPif=rO*IsUiI(SelK5q{c=A?*}Y`ut=goX5W5m};GRebnW4UPzQio-!~bHHL$A=k&~PR{&7IXYSj-wkt8Q zDh%zfng?)zN&npVF<>Wd+?0M`=%EFP{uw7TqP~yAT@)N~`rx=;R#*rNqE2e6m_Jn=F9PCfacIA;GB#BP&~37|hjPum1ox8sSG zWx2yFHT^GEAJ&xj3@@f=D}BKW0Aiw-mSDCByKV;{N3i*7%}= zf^f^9(wJFli`SHs;ka$HGR!np|KxbLLB-5U)Z2&7COY080%^xw)NIYFL^)orP5a%) zp!?REcyg4%)YVX%VRNGnro8Kaq*ZBxSnL-SK>IDKGiYYjNR5KJ9~3qia|L%@A(*)a@1bX!mjN$7aNaBP`DheBN49 zb;o$Sn_OyLgeU`ZCJG0oZsHFcF>OaylRlU{jfoZdW86y;6z6vYnLy}30{;>aqpOb+ z8^dnKc9TAfjsfk(o$pBZ>Nd##Or}SIiJbvdw3947Lh&Fa?>NNK*te_RZJ_u1O(fkZ zeNFaHrOA7MhCA}mRSPtsz88esd9PoDkeJr)*eT|K9V4up325$#rhtHU&P^g9XRHr? z0?p-8=>U5il|ZOl0{OoJLT&Tq0IGir7~uCTr1Og4iRXd}@nUqSVY<7kUqhit+Gd+Z z6$4x;e)iCD|Lw^y13BIt35!FaTRkEa!!Taz?v;SubI_QxiOcGktt$q+tR_w_E)izl z3PRo>Yja6ONhp<{9Y>wdQ0G!;ADojdVJHf565fPjliGIpGY{0wj5V_wfluhPdPHjJ1v$jv;I-nvdz53lX`XmAL1U z(%xMBeva}n-d_A+65}Y-9wba1eYMGd{=8o1vV{k_)H{9s%uXrgUw-?gM<5jPO^se9 zPv0SOXMy%?N&QtGYS^p7u`aFyDz@w{?|1m|4@H_GQu@F5@;IOZ;wKYC zYGkWrChq9)iT*a=hOUjZ2HA74q^i9qOZ#1~Dglw7vVYI}KY#u*HSKH$&?u;GcoHvY zhxx&nVlk~K$OxgESw7s%lodK6-2wH956g$uK?|t6{}~%nibfwIV)EL&)*Xf1uI)_% z&XIod%~9Txga2)Sz}F}2FMsNi_|WqZ(GsTCKC%xuqmp5cG((O5+v_aap^4A9 zjA>}X|L*y4yh;B=JN}i<{2*>ZqH3u%( z|1Yop|Gf0Y|Jh1_9hn8RqQA-2BMVv6-Gbm|^nLlSCV?%WWa2I;WKn#ym%6iAX70^S zG8qa2SB3=?-uORz`~SPeFxH~VFf_Gz2j_PnegPvYUIBWGT9`m`5*QmqXvFcPCZAkW z_+}96HWbTZZj`?^O*ZpV61s+NQZ0#N6D+gO&&vm)Qfm6+Ka+?FM~@QR1o326x9{$R_feFNYmt zRI%#SSflygcJbJl=gTGIs!|ozJ$K^W_qr+J;lW=(B$B`9KX(SffnEJ%>e{C@;I7_v zxH~K~P5~;4y!hyLwslYJ8o*l0#y?kK-Nb=>unn-4GcH$q@+U}1l#>ecGYbkr#&d## zXlqoR^80EO_=0}HpajH#ZQM(cKMGdVw-?NwnC`xLOY;gq2#C1hlheW1!&|rGD|Cn?kG4^rjJ9-#G{j(2v_R zr$D*@Rs9Hq$g*NHy;+BRQ|_F@vb;}(&_3X~I51Hxcs#-v{?5jx(fF#erc=f~qZm&Y zZ9+E7t5=s1e+Y3?_slbG*SHT3Q8o29fypn*N2TibJv$?LVT-l{a2|#D%f^(Q=d>!} z0)Nj@?0;%BEi)BJ`2(0X*oc_pBCt#d(;dJ*oCVn(L-lN z7*^6)wo1CIz$X2kHviz6_0AY(yGS(BCu|;20jPSxRIR?QDlqIUC~6@Fe@`I)l%2V1|7ZGj~S1_MgxbBPUmH;fVAAXOD6^Dqxp zAPw`sBf&cJQ=5qL71J()H14%V5SHR*?p<=eZk?;+Dz#lxkit$I3nf#NNjtv)oTJ-~ z;dpcTtZ$;SI_Dz6g&hRm`y}uiV5dQW4$kI9lgg3tbai_Ug-`2`PjfPXboR&KR2fo> zgP=yhPq@SbYt*!m;nY`fR0=YeeD99NY@5M4Kw6T)@vvVIMq(~fk3g?j3TU0G6~hxk zk=2{fngJ_e^yj}mnwk<`Ir1D=wu}Jhy{NhW1xWI1e)x$(Qy6Ysf{eexi|?z=tt?;O zaRMn4AK$vKryTAq11k?Ge7sHQ={()BMRO zw*WuEyML14ZhnHs#zGb~3p{uV+xi%%di$u4vw=YZ00|p1BP`0aQqKrEa42*yrBjpc zsJ>|aYlP4@Z%_&Ccu_aO!DDZ0(x&)UAB|37T)1!XRQ--(3(Cq7P>Xe24`qys_7+vI z#Jfa_E`8K=9Z}M{kZOK-OS`Yx8bPis2gQ!Yo3wLT2t7lwfDqGz3{R~${&UJ9gf*Cp znE^_25cQn969>=dWBy-sy=7R`Ths^2(W4&0M=U@=29;7mBm{&3R8*v;VJPVaX@;}_ zC8ZlgI))xPR3wJ(4(S|_q5H1!#CzZOK6gHx59g8nUwiMhSNvAt8Au^hMUOsVKgZ*e zNV3WW0p_Jv{54K5H&Ro3?WGk`xyCq$TNC^wB(&7B2o|XF&uO$7= z28LAOehn5tu5Se1K9I0!xHMK#VP`X)_K4I1Z8DY_k?h=M7uBsy+Hv2E$EDE|@4MFX z^BQqjr>a<2t+@M2L*V&sdFbWElD%X(h>n(Ax>Cj>&djc@MLIyxd^!M6C57%F4km-n z__07%4x1)1D@SYg@fHq}YqABzE0v7*C9_)WMTMKE!6^+VHZrgoU(wo0aa0)#c*lNj zbmO9zA1T>VslR3}+p%h?oobWR9%RY*l=F$e2&!_<;yKIOxFJwr5KMs94MC;2L{0EOjBIwc%&xh$6r zC7L{@BD5f}XHKvD>Kf=XqA#G`$QVWt8!b>s$Q`OEoJqle_Gw5X<(54|M+%Q68Xijq z0dnUukv$k87s#-IvAY<`-gzrI&}LrP9JHqkO5!REcqKIN1;t?@xD% zf3{3}oq1OycQMB!X5n@*XJge#k~|rhw^RXYHvTS3-CfaUb{1&-jwWR`rbf-vMa+=?E!F~Nf)_w z!VyeoC>nV(l!B*2nH>(7`z{3>j6ug$=Kr#yPFeP3>0e}zC;+)g!}q?=FGQ zSQdKEUD2&ZQsAZ~j%@oAw^`~!j=cT%%<4}<2O!A$%dj(3ZK~D5I5ETK&2nvNJF8E_ z)i;Y@Y5N&kMG5_oxmDaQIXY=UyPTAnJ60{RyA3Ko=)X>Ntgq;wlJ!U0YfB_3E%QNj zrq;kK1%p(9p}CL>>N10Gnbj_IR;N)*V>5wKt)ipzA?m87(r}kGc?Q9Jm%N-&yr>DH z-y!g^hF!V(esU;V3+a>$N|?X!FzUsaRyvD?9hvcfTf5}qwWi@`W`NKw>$KtIxlMXH%a0SHzk};Sbt)v`ti$v zd*OO{c9UB!H1?jkwqWZs%}eTOR$qSY?VjraURXW!lQ>1i^^a$*VP~iiU7-~aH51nRx%VdM3Fl}l;K%%DQQ;2P2 zQtv|KY_))eDzVzNVvclvyF(*a)Tb=K`#>&`RE#3$npyKe?k`41sZS@$$5XC6*J_k` z-corbRBGDJWc52%deTwsJTBW}a`7ciW~;ig{i+hF*?0&4eqV~AKz6W}fV(VE9ta6w zaNNWh>!&O`ZfFlk)5Jz$Yeph^jYPZ(q1Gg8sbGlX{V-YCn`oy^O_iUJ5|^2xjR`)y z3wkoki#E?xp|%CjVIK9>jZS#vdGj;YN*;L9B3*RpC}+iTTU<+yey2*m$~l9{zu0!! z*%sb>XA4>iHG9%rgeV{TR$TiD1O z+1R$sjJp_GkN(3RXGciuCt{A-X)wRKKrFM1i!c`+zOnnuqHCJc4b!w4ENSs${3lCB zJXu@t;r0GU1)2(uPE7o^jAYspypjjK6~U+M*XOeLJ0y$H&0O1BrBs;!9ii;i8Na_E z`6}_>qcV%9z2j3iUeRauu0qG(X``0ZdH^1N@pOlnEJR9O95-VRk&C@VX+?bbm1yJr ze~wKBS`Qc%Kh8rdOaz3lEZHV5&Ga2`sEz9(?A?P6xZG~K>;M!Ndm~0%JrF*BKSfqhQxP0Z)ew%7y8g-J`K*TbIWrxO3DOB{Slp^^{kTF#1L>jE!`L>o?P`Ljag3JQe=c1^ZPGd z5k2_A54n))(dK^sPb&8s&9)btGae_9p@c>iVX4JDgruZM$}j|gRM_7Lxh7#t)E z%chw1;y0u?`@1`xjHt{RF-`& zEXE32sv`KzU8#hW&Vpe6uRo{R(R!D>Cpiu7l;sbTE&9lcMzb|m5AFcDg{8eR+8tJGBw@Qz9kzeJN_JOdu(d%#O|2e&E zCmo->_Ze=_1bmcO<4`yMu%oS;?jzxJe5%RWYa=8@dTZ)mN@KRJ3dBa0v+I*{6y?mUs&3)Q4j0Bm-h~R%*+pEHsoDFl@GQEdHJ((dXyCJt&2+?C)&V zZVY1+5wA4QJ$xLER6vYT+`Uqnmxx;7(zajqw3zI>c{c7Bv2pU(#{VEKrN{^<#kSMg z*LA;)1C`E|KO1Fhgx7dlk{v}ul22aYtZFklx?>HHuRCkX^iwKJZbj^=u-?yJ#g#NY z1su4)`_-!bOB+V`W*ly2E|F2JEXButDjmy4$$u#f*MIdmoS_qmr=o$`-m8?7c6+anA*UUlP9_QEmJngwD zBjctZ3c3@nRH(xM!Ng(YqOL);O8A|HK1}PGS6#j_N=QogEcS7YT@Fmy-tcw`=$&4+ zwF2%nlc__a&0oUA+uHf>wmds+-aVdK*Mjd-cig`Xv2~w_ww?W6GAggdk!Murl~2io z?D1~wl~E)n%?YN(UA^r+U|%+6*X!8P>Mc` z?do$2{7$dUUs!4xQ<9yjHhI-~i@vW%o1rXypQ0e9XIqXak^ZM)u3z}@hUu?8Xyvs@ z=}q*QiS2nI-Pw*)IaZ)7RwgivOQ+!v$J0XhWWE`S5L!Q>%jPz3-}$K(ye>JOVcKp- zbE^C+PxpPyoYl5n$~w72qPgqI9z;+e8k~C;D*GE8p%pr z>IJxdB>O8M3F~qw)tY|IHcaw_>HG-=m#6CDn#O#0w7V=UUea0b|FC7I$zE8@i5xHL z>D6{$S!B;LrQEN)9{j-eK(OPtEEf4s7T=SxOvvz@(u7aO0U9t3R)$knN1lxd*I6Y{ ziQe{>n#uMcUsO-<71HfNshoY4T2(rdzP;k3|JDVXWK%Ro{AYMdn8>2!?y#DwJn4WJ zDdvjo`8Y8-!@?AiW$8MaN~UoMb`6ReUZ>{Z*2z8sX>Z8!(0id++X@UlBYf4!>0mA@|D#3vQ>Ys*<5(JwAXi-<@bz;YyaC-`SnpLF43%v{B1?UCYdV? zLp}R<`Y434h?tTy0k8=5ZF_bqJNx0X^Tbxs%D+dN|JS+M*#br1tT zEc(BP3127a@P>qQi>uDyj{;Eiu0NApp^^BVTEhAZ^d@qS2$z-=RDS#6qLy#*~zycjR}##kB!j6H^XLU#vE# zbI>Ja4aTfFt^$kav6v&Ap=FUh{xev-X)ei4*a zd}nMIpity`9OaUo&{_Ofl^yY-;1!MsuXjN0HJn$s%p!zU-qpMEj`V~u%xMn2=o01- zF|#oxBH;0{H)9)w$N92n3N^kfbmC1Nd;Eira6otZsKs3c2h`}^7hC#p^a+@|A+mCke8t2N~92~Z~E#0Xaa zzt_nSc@%iZ)h24j7#6i`^8jt^N^fsQq1-`11W{DPCGHw+z&NQ*kWXgz5X7XmX$Q$L zA_+PBo)Hi^q^peoo3w}K>Bx9p|Az4D@~G0 zrcaB2@c@IymJ^e!5{(Xm??$nToYR5^WW?W%VrW^c1+Xa^5=^8wV#CqKhE~$jEO>z; z$RQ%oWGJy#n3;b3b|xIaf}0?|lzZS--~U*LBB!-1aG>+`@BY0~y*YHo2A-ih?Fy+Z zd^KFl{dZ&+Q)7Xh2c(fPnkjw$J(*#xqA3z+dH;XbgIv3Rx}r})>#tue0HYEbh^?^! zG+h;Oj)a&A2V?Ec@A1-}S^9=%UMf>zR+>WCuivkIhHm6G%Rl2F{6_qJRYM_6RnS%T zbLIYI$9T)*4qyQzt|oXz5X@6o?LAOh9D9yI4I=G+J<@~dQ43Vh#~ECcuLCLG_J!D} z3-??uUMjrbB!-uw7i%%&vz7tf_s`}^^Ro z$C@%ic3dfxFMjrieE4YZu~Ii;&%R&lV6A|b4Er64*#Qw3PX3Nt$0mI?enQ;;39&SY ztgbh&%#^FT5?Y#9X09t?U9ZwN#fGpy0WM==t-*cg7nc>Z%fz;=NczFkuwY{*?=>RI z5JZxE|-e9HXc;PSJ@K8ceG73~187+XP~XM}h7`14T|UZbM& zS3Lx%P6B6`BTUn5S>hs16rQ>$+6bh@Hk`@;ZKcvWUo?^G|6;1yBs{bIhi6#Mw~EJl z+VIKwK9<=;YPTWgkejdpRr_X~D1>}JXH0_NHrLrrVtNgXS+P5NTQ* z5*tWydYlZ>#(=YNf$*4kUM0p=Fl_(X$hriDxI%nRqGMU5Zf(DwO z1qto$(h+*rQfp@xS16`{6SWZ8oVLdB+&5b8kGj(0gCQwWe_9@vneklCKuZy1@={4> z?@e<5+F@nOx*xrjb0*!%3Gq2vgHY3=`!drr{~Zg_A|M$e9)c`lmhQfg5Kv3m&jxet zccT3s?$7Ou1V^?DiquPouHDBo$WzH!d>P<0^raJVgB~_>i{G#DU9|tJmz4Tb-@abG zbUo&IiTq&NB58DT4xgnKN5CPZGO+Af*x5IV4$t|aq;35cqa1`*a-yEO-C`h(%8D~K z9*L{cWM?3jsXnCf4fF1k%nIigorO8AJcdEu0n?&2GF2`~U7~?Zw(!x8pCxtQ3^C93 zD6*xWrYgZ?s-+V!JrwqNe-5emAT?FA>(Z)eX2xTRNYlPf{;E5~{e87l+i$v0N@6qj z%}sma*K}jV0FAmaUcfB)nprUgpH&&ksBf{5cCXF9DiB}qY}@anv!ov6s&3}HC+fVZ zXX2Knh`gEK=_{0H$4Jr_lz)MYfF9LU^zH>Px2HPWs854 z(_UouOI^_NK&~)=<=*DS+R2w?4Mew;q)9w*!BzeO2y%tQSqkLK3I|a!QzAhQl{P1^NabZh+SU}!FF_N#^UrT z<1*0Vs%(-`-h2Ed57dQi;wbI_9>JPE{;dD~y0`L5El*ugdEm5c^Zq_RWsapNZNy}! z{#;o8cSs``6;HPp^{^|4kKB8#$wC{YiT~mX@Wge z&yp?VPX9yA{4&bFC>8&s0*&(Ju|!Ovg#6Mp85<<}`X5aRbMJ2-ns<9&fz$gk8zS(AsTmVDE7|k1IYhx~${&m3Yr2M) zc749u+bJlL!*{~BRdcgIkx#yJdUK6o=Nf;Zb)T^R(r~^mXAzQDxxe6iGN-10^OT-9 zeQr<=+@q>-Gt4q}cgZ`Np;|OES@qaiP^XF*4qRXMde9;dmF{neOx!GbzgU&a5A#Fj zPaK}Z;PV`BJL`&HNthkE#Jk`)l!)dX3i5Vn2`S~)nw?&#Yovj)wicequh0W|g$a-0@ReMW;K*Q_}dB8S;U||`n*;*3?L2az3bnN zp`04h-N^VBTf4p#PcTw?)G7)y5cV=vp$9_{Wx}& zrH7<-LGM;(TSs{@Kk~W6p4Oug0?ITMt#;%Vss3=;Wcqj30Tp|#0iSAvPf?mNjh@7$nb7VcnOn7$fgyPF+7mBX9E{{-L2 zJRUr2IkMG1TysCeC_tIa<4T9pp7-yDXaYoUFYgwd=p8<`RG&7wL=IuZ@qY6h^(!`} zL_wE|uo%rXCUwr-BKd`~!&J@=JB}>Xd!y3S58eYTPI3v?ZB{qIuWLLn&1L2|v!LJH zThFD;6!|2?dYCs?UqyKb$=3I~(A@9$f3rV~4QnbSHcZVu;I}xsU41)+_Me5E_1mNLr)ZAaq1l5cz;G!=6U; zkspRi%~mVZhW7~<)JLA)Hg1wt&*`f#B6Mtt`BiCPC~>t;EszsJBJdl`WBs!2&_5}^ z5_PUTE8{8if+OrDFFLeIbEG_(laJ+WT%ng*tVXrT;`{Kd-ns`5Lq1B|it}Wg))$(V zzFpty&G;Z*3z3Owvxv7+qa~`S-`=6meAOtn!%l=fz&A@>e*JnSq}RPX`{T|KzDn-O z06-n;uWZ9}wj4*f*FW>y`2}{xGQel?3 z5IzdB2p7yctm49f0FkaMSCqD)@W)8TW;cC>?JVvmLzYs}Lg`{){Y+;vBHirToq%(E z>*Dwdh_UN*+qy;97p)uD!m2O+hsJq3vF253MiDr-&x}tKaQc5Pwk^nh#*4UB7M8>q zC2@>hzui_yJV8u)KC40exuKh|RavHUN<7!dIyU}{qiAths`IT~XF4V0bsUEzryaCa zma}PY0}Slt&;R+(pY9&J8YO;Ov{i-M^hUwNYr5iHFa5prs_>9YptQvd>}nNRy2_pp zs?cKPre1TefC80VAnoCWeOWr@Q4!zHWM?(!9kZvKlW2UAQQVo7Pat~C5^0-Vyk_Sx zwusE{eD=pZ`A%Ep5Q6=U6(~Ph#S^WFhc`c`-n{MZY&f-ij6Oa_nYqUeBUj^Y!}rDw zv2EtIq>AdUX!531W3H_wbLWMNf-XrnxN;l8L^*ONAQhQ0P828i0arg6J|XXCbyCtKf03=}jK#>72}(^~(2yK2;9&*_;Mq&nFChClxOLz0t;GN0k? zTJKKaT&9{kY7COFTW5QrZTbl)Mfw zKdKM<*RdYQeCxHcEge;;wS=I2;~J{@lyW1Qu#kCWzKWoW&0NncxbfVBFe0G8NUA*Sjd?( z3~5JsZ3Z~4t}KejsJpCny(&QnjsbpbfBY?xovj=8r+*Pa-nPJ_uq#r_!?n+NW+&qJZn9-6@>pG zGFt8MU|ikJ`xt+`lY8v8ijtp=bz5|4bUaT&;+3@Rpu%xF#ycJ*GOC!Tb{+m7@yBXr zi8hY$1ocOtOWNe9$?GLZBRxhce@SZ$Qtr9)Rv)p9hpk#1PgLoe_zH$f^kwMP*#MxC zxKK6P>#H-HSX1M=B6zUUu(~d*UHRZ;BMj>z{-l~85;|JR#s_SkhHnYa1{XhxCziP+h<`O{X2{O zJ^ULOK2d#mRnY!u_lUeMZi|US)Y@C+c*$euJ2+~0l^ynn474ZeTbHWFXW?N}9P*a; z(0A$mhyx9=Y(VBVqawC?<7gB`R*_J`ApdYti7vv_;I?J(^`{vI-OcCmW+;Ci zI%7h?Nt63>ctRj5=O40)cw&(}4ky@ie#Qxe{B?h|*hJ7|v3VCf7Q&j}6(V zij;Kp1mpmG-WZ;jN0b+qxLB@N)|Bv#AMR8cc4_R#hF3e;er6o&(~Q{i9y>~SqlG=}iR zesKiYYw(AlO~6x^ZjA(b$8>3eEclS2j{HQ))?<|!qV*h$m9r25dII>IsJKyyyLa?A@Lob2Hh(0p=``HnlsV{PlP(!yb`wZiO8sN(&YV@qh#P&Bj-B0oeJ`LP=-Jg?r?pan5S9 zI_cfFONTUK7~-BWKKsJnoN@Py^<AQd8h^XYp=EZ zhJDPw7%Hs>MoFt)GP~*G!f%=5#)SjvluqN0pl&F%DEpXO?1m>0J@v9jNr0jdrG)kz zFefVgn+?8u%<31=5d=1%f90_PUC0)Ha)JbleMC0F@37Rdi;&dQoElne!t^5S5iWJB zkBL0)0C58Z^Q~Lt(&?m8NUyndu?}d@PSV3}fN-9g-Auh&q>cay7?1(G+@>2_Iy}t* zQQi!2%6is2_>1w4Yy~#Vc<@IZZtHE5`y2e~Z1)M~B3eBpeoqk5FIJ-1teS|h#+MoJ zJVw(T=M+~KSk}G!1Y=E&M*#W=W(2!@{(mhS{!yn}pm;Y7pXIKeu>;wn^;|`0Mwj2_ zp7CP@wTaEHYy4kAiH?@*uB$3w37+fwwfy{r~Y_ob3E)kAv`+6NS;n?d);tvW*N=phY=1TUcS4|B&Y2fdXj zx)iNq%M8ZfZu|4;#Gu)14tIfqn?UHjPspN-q?v@(;|@|`X`^Oj(VY>Z1TKO0wPuWK zTIuoraDSd1Kx^u{H&c{h=(u?IX!4}8-b^A0${~;av^9Gc7QJZFxq2{GA94UBVYM^a z`mJ%65ljPXc)-3v>E*VTu7^qnBA3>?^-;3>a&ZD+K~k6XlP2woyVPLe5uu3Q{U&mQ zpCQH(F~VVaX}u}=sx+T(eUs>LXrc`Z%l7ur#!Yzas&;*-!e>2j717!c+ar62C5xl6 z5k-mlbf5wn`&-l#t1(svF6kwc=CA25J3UXB|zBi3w-6(2xv)Wz$f``FR3Bo@%`YHh?+Q)!V z(?P_Y)TR@uO71Fcp`C1!GeQY)idTn{q2%`bi%tz0y;Bh^N(#C1t*@Fs8^M><)NGgF z$zzvi*mF{mJwr}mWj`_E;mKdb*Kh=dke^l5sy7p*(OGggpER5 zaUb$!dsVQ)vJ2i!CxWV!Uu}+cQyiDw06p=z{l~1Q6)5SR2jqvWQijwO+5cV^C3+qt zto`ckGRCm?iDn+-;=W1COxw}RVxBQL3u#=&HwE)}T*=y@Gx7_lUwyj4JqP|8Mv4S{Nv+y$)m3Uu_VL8G{i#iv zSMh0#MDDp^nyf~{Rv#gLp=_%ismRW1#>R+G9}wzx$eFRue2dLCGeT-qk8J6YO(|IP z@ha?dpN?Qr6&|f*7vJ*^PzoNnfQgm0uw+~~oP?wPBl;;qAQ4c6HNak^x&AOdQ=M=p zz?8j9D#o$zr^?1WVBF#|u*jw;Lu9Dy}AR z1NlV@6jmD6huTpg`N0bHS-=CROXH>>pz)1)L)oBFA#M!wa24^+TL$mbN3>eWMn@f>icOj!Cmj zVmu`&^R%0!66hk6md(D8bp;@eb>giT7UIEoo9-WXd2F3y_ybDr*W`evEbilZ^N2mr;o?%rmIj zM7$aNfifxD*d-cici7CqMArnCJ^lo)e$qpBDmNOFJSfN|w77J5p z41mGceiN?pEU6fHqNq*nPWA=wzk2|viyg7Q27vja>uUUJ~?puh8EyiuLtFZoaVkA zPLf8OR7J`;J2v0iOjUFqxaoQQ+M{BeXxuDflW82PPf*w?qh?DYMq%(fVT6cL5WT^B zL^=DtqBbN6KDvJ4#VC8bc`W-%AFtw3dW&5!vdH8zg_S;nI;6XeJIYkY;IE6V4yd!x zNb~EJ- z;#_2oNbEfTlhF@P&F5j~YFt!W9X`uxv+Vb!0y&|zRd(=h>@@Xbfocv;Wa)~uUv zHTFj&H^5um_1b#2#9XFRaz%daOPGSou*cqjZ(PgWMZMmk$61XaqeIGXSK(v5S>9ka z4tw$=y?`OE{IC7L0`$7>Pwr~-T_8t-A%s+KyX63k`wg%ftqN$sW^F(B-!I~;CcqcbK}AQ?jB>QT>gY4QST7yo$^kgy zIN>HDLL~)bw^R|?(nawbun^5 zJe9AkN#&mAi;t@USvQGKW5NO6>oT;C105bbPM=d2c`G)Lems@vpo zbp`;C3~a;Qn_7EItk9fV2ZwcG%Hs zFd<}l8bm_bH$OLpR82UtaTy z`rGqnY5ihvIF(InZDbX3{$sh?kX8HA(_J#CrFeM==tgHCTsG-M5HmbE=uAqK4!Tx2Lvu(_mxl(qbQ}tj=c_u(Qgmsd4*m?(;QE%-7vWgbRY_ z7T+jJ6AN2juFbC*=o9Bo$3I( zHokuDb@v+j z{hc$knb2nygY^lhT``ar0(1#JM>UA^DCaQVb zR>uy8Q|8vR!|33+464L5LtJd|5xl7C$mW6Kx|4%40g@MW=H3o=-p|lwv+(A!>zjCJ zv6$6Uus|W^Qn>z^Q!^xj_I3{Xy0aitbDT#Hm+1A<{KbL`6uH_^LIJ;fWd9y07&O$( zws_k=7e-HVSZWg9Z-^W>)H%PJJ-i*_+FEgeNoNx16G+z;OL!zd5p6+HSXoK0!-mOy z8FRZu>2u+hBk>%Hbqa=t#?kYo29ZrECg{)Mo4v?*X%729|HM4nq5Y`(tnk=}>}*>O ziWz%{ZL)Q$_G%w|mh#`f3H%5~KZtp*o8&}w^ztdV@Liz+;(txjH?S;b2EJQN0EEf~ zKj5tRWm(xG9Z*}`6YIS)im}KCkqeiVWYNy_xQdpkf+XK^uIdY{%)A5kxik!zvf+|Nrv?;2Ntd(=iM?n-EbdmjS2LR2TDHV3IiccRZksBA^ z?`gPDj4@}Xo>ygDlf?|6sb11;_A47N{!pZ+xPHcC^hu)3#5gy$_Qnl-o z{5h0o1lpRTT(6nWoUJJ*?gyY|!VBV~R(=Ap>Qkzl;wP8B4T8Ls=60|5WAoBRIRP4i z=rDfWceVA0mj5o3ctQh?tT;R+f3&GXy5yw4`uLtf?;wP`k{8N8l=cx}oDeNc!pQ300{21pAB)G?9SckWAav3!K{lRzq zg1Y7E;SW<0Gz0aqvJ9b@sC{4#N$V|gC4Q&<6%5gqDMf2WB@H~*-i7TR{OT^jr7dZ@ z%lXm9Y^AalMEao6fCXk|oRdbU)0*uM%}l;Aw<>Pe4I_$|tJ(0PIQ=u9d`VU%8*3+3^+@j;6u03A`kJqsK68RF^T?y_`;Ruv+M^R$ z*|$1NJ2=+n4gW7&u_Zrj7<^kJTbO01d9ZmI0BWPiKuki#Uzb zU~Lt=16FnMnN{^UmeG5|bBWfa{XuIQ3ZJ=kzNN~0@uu2;4%)9(zWFb|0oKKvHzJ3(89Vjtx)@HZDWua(Hln4ZCMH3V+ajVW+$TqMfl zT0s0+qh>me#@#@X+R!9QBlaMuQLNLw;cFHGqpEA8Ck47$1{e&kHore(sy*IhAe|~t zyDNYYA@98zU9EVO;q}I1aX@uk3Bm8+6P0t7eElKa2BFs&5r#6;F{2{wDE)-xs-27jx1c)4HUTYf?42IVsIZ zzDeiH9nP!C1egAGonjoUR6J@G6*6;OX z6sGa2{8_fy+%DbFD^NT<{ZL#*;bTxbWhT9;_4)3a$6J{jA%Ba8s!>MJ?)YWAXsL%2l4t84R*2zSx8f{0p7Nqh$;;Yy(FP2VTV#+QK~IkDos^1O!@fcrA3i;PLGn;r z*Ec2OT3)tTgWqkT?WwO`==Czyj``R~*`HE+Ol^dh8W0mNRf}EX zhLIiu;m_7AhMM}!)eHbSsQ~ZkBbf3KoU@Nz!ROsaaG zrNR8?^*8kxtC<4Rt`_X#_0*uY_-Cc;lunK4bmc9%Bvx7$G50sD6uDGZJ}`>$1OFTI zTMK3#vsR2GB$nTkpM|JxcWqDyV-EXVbW)!l(;J(jPLhPz!zf3O>SNIi z1I8r3tSZ2DY_b^0{ngdhq8ZeQw)Z_(FrIvP_LCcUECep`9;&#pK$QHi{pgkYAAear zJ4I7+F3z6+h4)^uUzz&Y5%u7=dk;$Jt#WrG?j?v6+02U*I-I)ilnF+Aus(BtvlOG^ z!xx6^$sJX7Y=7pkdWz)XPz#&(+*H>#h1izMMjh8KHvXhg%Y%dmI*0q*-Y3=6+m?C> z3r`?v3I*;Sf0D6WtX|QKvNX<6l06HG;ho{xWZlNK*)cQ7uq-|^{IC~z@E)E1jFa8c z9`LA>m_u&zINfjc?4m}r=X(;X!k=LoQDxDptBRZIDG*yD{gu*~BlZ>P)0e>vWn6Kb3MnS;v-PIP2$5moZS zW{c?rlkX`P-X175n9r_#BhXV~qZX3;sGF2-cs;koqkAIQvaZgIx*cQa+*I@4XKv_E zPwrMxdjtX5)099}?>&IUpmIj4qouXmD)-6@@T>6)r7(XHTB~08!IP!8)9)P2d5k%` zxc-+N|4rMg@}ig*UM;6y&pbn*h|lsj7b4U(j>gdmENc)BaOZmo24nUHgVX#b# zhrj^a%5XfX7(BU7vBy;Ww!vXHIeZjSX*y~)B0C{hVLb1kfHhT}+*R!*CZQ~b+0rH1R zmjoZstK6luB63+{>bk9NSivNto0F3CY5kKV1FMhr;|yy0@DTy|%>5EqB4yt3^p6b|UVNmmk@mAgJdyHW)XjoI?lUB;f(_;JteZR3y#Kbo?DO?Z zx+S->H~f7}UfM{9*wSpTmXs-aPSfx&0Wkb$g!1Wq#Zi?*X--^kGdU*s2Ldb2O6ALk zLGtW!?Uec7bV1%+bbGP)sogpV0=DuxoO`qs{+|9A1numN_RCOOav^UOT9TJ?Y)=rTeKiMPs>Mg}fXoJC zK-IBYUh0-*zh0)~%>s>t#x{rN3GuqShapInrqz-G)3ra24iv^eehJ@ctm3$nYA926 z!?*4O-?QZ^#G~zf73-`Fs%+6~0!yzx=PwEp3d+F+;}|O=diyTuA4yrU()~OlB>*vE6zr(asn=&rH!nhU&x4ja%Rs^P7$Io|SF0tj;d6KM`a)b_|(TfAif`V@sLRxO2 z%MM`SvNGmN^FoFjs1oJ}~;+Oa`% z)1#j0{5^HLM8&l)UqrQA&j@dhOGtDOFhv$4Wp0^O()`hn7|DARd;LB}CDHabUuf73 zJn1~0Bsw6bJhPKE-WM2T#uj<2ae9KsGY=QKB%z1TWW~8$c-pc>Kf!eE2@Xs+rvLPRIM(f&^mLA z=;ZAHy6}fWattrEvZeiez{tyrt5;~_uP=m~ta|=IvLV?iFZ2XvP3*A-zJE5GxW#(M z!;3lR9_}P^6Uie|HYG4)`&d|~ILp|~8@=G@y&2}6NKu}?X^5pL6&sSTJy`M20S!3OC03r9MCp^%x1UGrzuuNWpjvbS zML$J=Y9eEr1! z0% z>s4HCuKC;0y$=VWnO>(t^_l|>jYnu>E-%b&U&WudIgU3qM!EGaLCDqKUn?eWrdV|K zLgwcEA&lcGEaR?Mon90%!$KL%s3bS&1om(hcueQnBE7YemankTCzk4Yifg{I$&{{w!L-d_(PS~txC=_%kR1Q2K_pe*hXwV|OkfvYpITU5RXvFnV-(0^wgZXku zLKd&Rm3G4xh550Cd5Cwh_*M*|!?grXUgW93+32DoRR%ow@exFI!6Jqj3?21X-q~Oa zUL1E{kojfWoNXVFwU)n03dR)<)r7xvzF~hcrFr73bqWc|$H*j%+e)Ef4O_7GWw)6` z1)SGxl=o1e!^%p;M!aoIqQ%ZpOH8qJm0H{R ziv!hf@iqRNH$y23hvF?-C2D$7kwt{Vg-_n5#og1d1pLFIlzjKkkg%Qk57-1+NIn8C z2?4YF^(NZ91F2-MkPp1ehfY{V^bc_Z!gH6eqJKErhE&jjbs8O_OERr=ps zGt4sgOYN_hyrozh=2zavA!Sz$DmCaTRrGd;X#5c)sV$JR^?OS9zlm(0Z{dnVJFm>8 z#@-{h@DZF^4hebx8gi*(9Maj?=(I}~E}XRwiM5yNv%@rCrb;QYpSKlPQ&>1hE><#P zV`LGFZ;n)r9xC|CxQ~&Lyn9M45&U=Qmk`#2WSq)`AwZyfVh!?$~4D)ZB2<&+lYw z1UUNdXi4Rm2j{ilCf~e|mnx>4Q58(E7kf$aFz`Q+`V`!alfzWV1C|t@%N#6@zG?&i z8nw|UY*^6g4bQaB?JMZaqprTf#_YDxWil$;uonfpJoVwWLfxOrj^1TmS>%7>V&*~q zZ84%{z{Q_^go!abU1Q05iC_8Dum??86_ZMXM2wW=9+-AkmUJ0K0vi*!pfxLqbiSay zn}NlD^FdY0XRc;5`zD!eO!>~`7-imjpm*5&$AVe0TFxK zb2;x$mQRfqMM<4XbEht32eD^|>JzkV)^VZ~RTS;XHu+cI41Rakh)j3`;MPK~&fB&p z-B?6PfSwZYuACXmjFgWX0Nk24o-Qh%j=MZ8u9Z9$HIvwIES0~m($%XHr^CE_nUv%z z|KG3V@1&IOiiwCOs|d>QzW$xc9rm9Wsnx$ zm*WfxmmTQMUzn#S8{x^!oLBtuYpu7l;^4||RL@1Mdkf{1+;XUMM9bB=I?>^@y2`G; z@xkG^CVGo7v(f4RT9yIAa5^Fz7lmt{jo_z4tJ1IJ915}J(eVxH5G>?4Sy-21rkEdf zS|Cp<$EzOhF!s+%i{1jK^&}B5QN2ja>`34}U-Q1%bQ)8mLl8vST?7?>i5iVXq@yG6 z+hD`RT4G#_)yIz?AEW*sy1qIp3a#xITfqe?0)jAz(j5ZQ0wUcE9nuZb4yhuH(jlD# z(hWnGN;kq#GlX=5Fog8o!#Uskes|q<=Z~{kX9=_O+0TA{u@9M1C)Uh=Z9TJl`d|8F zC}5h4(X2MA&7;rOU&!8&_I(^|Y~pLdT#0p~-ZP zDR3<;?~mw1enh)>V(o0wr%cv$B~S8+3U7{4Id>A^#pC~H`tUDChgo-lPEo(S4>l;0 zP!_nnE57O3ESSWWo+H|d(-3(Ely+kz4P9XCLS-F5Ts%{~3_rwgl6@-a@jKB)Rhl)rnyZjBv$ z=OLKM_NS|#HLDgxzciMC{KBvlz@pH17!?mybQ)alO@4S#WG=PGZKsN@qJ7bKAbwj( z+Nbi(r`Rky;lntgP_{cgg}u?wU%}mrvkiabu9h_h%txyzoQXZbdvA=(O92`Km~)K` zzd^lV@ypKK#o(scb`U0N48$vl(wXN8e_vE|gA(A?rQS^wCW3w%+Z(cvc7Q_SsIqqL z8VpmJ^N&-tNP}|{0)rTga*$`RL8aZta)9psf*A^;Aox7G{hzhMn-vNOOW6m6Xdc(~XvH64V%gK&XI+s6os@-jagjyPWQzQ1bugEP8;+*83-*2;DIF2?t?;M*{C~bz>R)UfvtlFnc;v$l z;Pud|q5-d`76bT+JDHEh+Zq%qZXCVIxAhyi_ppPz(rs?(nf$o8&vY-YgA%eB<-(>R zg%cijMha(iQ)qx#6q5@#+ZRxpq|Bx!SA>3Ugmw`WT2dH5UoLGAs!(xm$jYWjcp|c*kN6#3AanGxyY-{TSu9xwN35z{HiqcAl^?U!!p)Xlfu^@4`4nSJ-%$pdvY2aIb|T+*05P*g_F&Dg`oN>3#UzTCz0KaGU$P!r>)#Do1KI5U`mDvy*HQj1)4sW!HbbN$ zYy~Ygj~<_JFEVDGd8A-#EZXhR1V0@l_63PB?ql&ucn@Gd-I7Ij8)x#tUf>yW%w!42 z%%xYts)fE3fM^1Wl7NC9>2c`NxQ82Y2XmD_iPX7|Zm>&35*1=84QPPrdVD;IZ-HjG;KRXYI891jfD=DJIdOxojB$&X$uY#@EIig&xY(1 zBZ4-Vmw-fxwtda~d=R#TaC$I=V>Y;|i%IVe9tWR;5_@{15Yd+2#bj@)oev0BBPYl*A~L#b)}-L!TKe*eEg;GGnldcBT1G#qbUB$G(B}ErIVMH_Yjb2P|7&CY^Sz?KEd+r}9b7*JEd&xJPp$Ve{UO|#9?kn2N27iCX8N8KmY zA?Vuf`Es6lufh25f%fP zxTPciQLbK$5Lx;e#3B*CwESb0(0JO&?HslO;>Z3FsdbnxBp#3#1#oS|D?5x*Xp3sA z$15!d|9ZLx<^#0A_%Ct8cea8$*)6dKFNV}iv$+C@Pk49|(8PQvwF7`SuiR~8;L(=@ zUt2)sLISckXdvCey@qlh-Wj=7V{ZxphZwjDsA+>{`OS*?6u3oo#BWM(y1$0y)>$r5 z34@J_ojAz+tDz$55##YNW#CbJoG0Trvasi`Z0VE1}kc ze!jNQ4k@{tOn~=2V+H7hUHzq|)<;D>5>TkngV)A75R1Iv-0eZrCJ+Ki=+P24pa(PV z_73as1_r&|e=$v84Z?oXRfX~?)6_#@`tC||NW>9KYAoN#HgJa+XmPsjhxJ(#jf%kn zf^(~}U37*L3sLA5hX>@C@Kh!Sp>$uwd`@|ZC3$YM^$@F~SIbn0>Z}g3l3qfzG3QpVj&g_{`g-8T z{1+H=XE5fYy*Mu0vd4oBP&(v*?YIG+0APS5UKPh^I$>}F=|^AXxvEW-FU*dS6d@Y< zVxx0L2wUmIrl0=O?BQ@S^z})6=%x#^a<=ZbOWuEDKqspd7C3HCaR#V$g*6T2JlYG0 z;f(BgfHZV4SyHL9cX!>w)94i>>WhArBW?w%LP}MM!bBrc-o69g@cntxmcbf{jX4lp z0s##_E-F*_NbubIgpQ~mj%g&*Y)zCZ>};@% zeJX$Q+-_Y|ff7_MpJ*{mRB{&l>Rbz_Ojp<+VWNUTP#=&lYNIw83};>l$BijTL1$TD zR;)2tY#Oy-YMS=O-w`?Yrsw_$kixF2>17;70ggF(+j=kXxJI&dg@A8%ocmc`V;{)j zN^8KP*OXAe7r=1GZN$Q>m@ux(Y#<2uj{qOR7nc@#t9YIit+jA(fH+LuRBqHE z>fWe(qY2^YW`45PDM07rdDUp9)nIY4j4Di@C$=xFSg{b_1`GJ|v2NQhb67;-*=v~l z^U{K1vJqoTcRgOHR6Bm&R;Sye>q5B2xXBfb?_V8{37x^OzwR{9m8Hy%94lUh)jCOH zx^wCGiy9KukI<;q9^s?mBp@2ti@_a0j9tVz@$xplLx3F{Sy)J^IX{Uj-IYGY6=fXI zd#@M?9fkbruoXa#c>;Uf15UcQhVfbu(L%n4Kf5n&A(P11_2;jXgnOemdgt^dD4^sm zMmK=8b%_2TyGGCaZJP!PKQ=`B0ftYpsJv`#THLt~H5XK378XcLWDg4zqO{U)^J$Mu zEB0QA*M2YDTN(7w(p|<$OWI|Kf~#}`x$%CJ8mN7|^i zp{#6*A8m8^QpwT<7 zu&gN96^&>1CM-y?7AnH$?7Ve}hSMEDs$?7Y@QFZH8FHEp8L#3MLBWBvUonuzv4(7^ z>Ob04I(7Jx`$FsPWc0FZ6aQFb z-4|#SeAib2+0X65^0rQ@g9zJbZbe;-K--5fz}BKVR;2K<5?sV>^z~uq{Jv*fR1Y4_VKdcuzGG4o_k#0H#fPUa(08J3%^`S7XPwL`Uq^ml?fh#z!75AdUZ zy%(YO=$QE2s_9IfKUQ5SR%y{x9@7yPMKn*@wi6ot;d3-1(CvJ4h1gIIXbnJzL;ZJ_ zzyUY6kMTdI!QC^pML|WCRHh*Y+?DG1ZwZn;+wMu%qjai0d+}+)PowWfU1bLMfMpdu z$S*@AkhGx>MA);^8I~MiVtqBTcB-w#0d41Bs{HgAwi?ETINXUeD70r_Lj_Jzb;{0x zNlIG!KcXugENcL8S+Ia`pUlqFG7Z*c(4RGJf|ik)HNlUq2U?6Ur7x^phD*DS(N<}x zS!>S*b}9$H;faRZlvjKIo{RKxoHx3K;e$}%mA*ahmgEi38BNe+KiV0-l_us24n^Sd zFs7f8`pLnlK3ReJ(trC>|NAoP))b~W+soxmlu2%n|T|5@6CJ zuF8^?C!TSt8p=``9E89)Nj}WFHbQO8Oz)$(o||O6F{m|38>kqKYV;ouv7^Yt~Wsh>wf+^?6Uo z8g$gE*Xix=hJi|-HRT)QiJtGcaV2mXTnYT85r}obP$S!#3g4jKXVbYH$`v;WRCaT| zqJUtr5Cue^N8#Y+F{GrhL9ENlhO2G#6an4z)n78|^NCxZOQOkI4t{&^%}J*)I3_YR zbD+GqbUoen`sIXrdG3HLm&qkhSm!G(N88u@8ri$lmEWdi)M3m8c`nHZGZxFRNI}p; zz8v{GDJ8?3xQJ#61ULbKFbH}V)h1K@;ESfs+L(y)r+r?lL@{LEtzxoFCL)8AWaswn z_)*jZ_B}5(SIsJIM~bpD)fGIS1ZxPzd_QCVcJ0LYB5;>EI<3h6$UTw$ z^hgxTj4OR-B)LHnr8Br%LmEYsp2`$8;FusMO#PB;@FpN?#elnvP!P8vDAg3?0g^aq z6z5h5UYF+Pa9!+<;>lNrb~U!@{D*lyQw#!KF~cz$#_q5cq%$%SmOD@i1B}SwBaKw; zgm2JUYwmO>ZmJw2sif9Cz>>c<&KLTbo12I&jBoNQoK#s=tty)rTtMFF^wALQe{c~A zL*l#_XzVX+!k+M+7x|ebjVI!Co?pZ_2S7q6=PZk%ReGFQ!9A|T+;JIZkAN5eM~ySd z-<=Ad8Oy_>cNY!MwkQ;!?l$Z zDv4)X?Yk&Txk~@`rUKC|2g88cMTB4my;P;{vMGV`8Nj!Wxz~kJei~+Zi)*P&AWMAM z(dM>xZ*8NI?GoNJTR(ZQDQ(-{IigwR4~|S3Dh;3LIj8jir?qtS$rMg$^cv_Ez@WUO z8XV2%aiphD7DGZDtt+$36v8Vwa~CybBkM+R>zw7zwnZF#RQ=}xDDVz}2mipM3-$O- z=eRq0xen!x>Q46zagWVKSVn)~X03G#xKni~WmDYnIEPu8?=6`X{yrF^006K{r{om4 z)BIT#5^3GQ5fd@~XF56^^Qta@sW*qOiHBd7)KLz|y*m5N2g{cDf>GPMNVtR1&DM`=$3M?hZzpgQf{#&ogfp?GrY~3^sf@ z_Bu|*9H#ernH=yMZUF?;;K_w9I_UsK7CNcPWU;Y-47vYvU6z=e_2ZEzF*Pb~fuuit3O%ol+Bh zP{J%!u2aA>-xluz0cCG-XC~>PyG7Ay{J3-I1(E&QXPX}BVxV=3RR(j`+xZ7xoFAtm z8H-=OSfC)U&E35|Jv=`}Z`kj(kbh=s{rn zQ@32NTU{!-T^~$#9$r!Q4b+3=@}&IvMr{?M9~~VVVv}?@hg3c*6EQtG49k%HTKf;< z##dl23zZ`q{tMrY8a!{gQ2#tr7}>IIL}i<8kaPvFqQV=N+ukz;w0)xG#W9Ll+y$)h z@Nos0%zuC~QV}Bix}$4vr2ZC}f=gt1`3M0qNUWQ+;!#!hz zGeNYol$$%yW1pZ1A_mxP%!7vmmr81=L(NP&)GR0%AfZg9OdCcZkNN3>9nGKV}N6u}00W9XTkEV$03J^oq z&th3Yg{cBC;v_lu>$fCpLYoI+xem&_p=7sMiMLgUyf`{PJd{MuFpyu|`_5eI7Z!9U z?##awh?wdTOkrQR)Fm3ZvEfk;skVL|hw`3vBt53Kq;PpR(Wkb(F&m9_W7e??AjjNn zZ6A$0%l)m;6Mdd@dDbgFCBJarbP-<85$wNK5H3urF(Ujsc-Gpk1>@T=kayK}1Vy?; zCVvvXC(l;9;-0?nINotU2ZF7^S(vvQi#%Sk;?BmA^1lGuF z-{*iL?if@UfXpEQr*C>UFdT#v$2HP2D~o;vvFuU~5cu*UGHvvgoBE9LErJyITGfcQ zWGfcR+7jluPF-4V*dQ<%UsfR$bg|pb@VPgSbMwMrcVEbL zEm>+RxQGMl7u4Le?4I7~-;-Uyvn#ejY)0)8=yJeLMHPmGYVh%| z>NmWm7!nY(jt=*_3#J8_asjsMm9@qx-s=kpNfrd8-?5or#BIRJKxB^Dl{4ar^OH82 zyR$QDc-r(Xw$y~pG>LjACr};fMtz}AsN<|EaDnkMUnjAvvyp9H0_FRX`#k!1-zEN| z5*oV~0VmA=6ce>Rd(=JME~mQOOTA&Vm+BDgOA=`DM10|8P~_lW-@6F}c#yOeO1z6&t`~i+`?n|FSZM+ z@O4Kjup_qPcOBDwsE2$zS&ttcP`jKl7;v0$oC2AM&y6-g#S*7mKW&;@vVWfR1c|_y zb+^qYW>?y*Bv)|q_J7ej_8Xr8u+@HH!s1gQHov>z@WqG1OP|@Z zqVZ^{idM9xP&y^LBYs)fFV~?$nJLZ&P%G$9rmx z^}qM}L@AL?BZ zOKarD0i^_66EmfxQNBF)WLnV=+88lKs8RS+8|SjYH{2}JsYhrBDofoXeVf>)8xYF0!5gjx0OHLD8BJEVOO2VCbufTUhs$gvY z@kLP{@*LlqqUpsEp%=OL%lU8fo9G$fzKK4UJI_Wb_vr5HjcEj*j*LNbA6hS%%N1KR zE>yu!A$G&5>lGnwPs(fHr$NXiRb~6US~R66H75nJfi~W}Z(LJ-Us9 z=`;=!&8Y1?>FFQaT=-g1M@*~;rK`p@wpdW+3M_G#t(V!)h40yl9poI^R*axnCTxt? z$CbR(E)FkFE;Nqe`N>t~_9kNJB|(!0HA5dazXSGnf(+BM{HfGZ8f^}>f}ctzHO|`V z@L{l1+Hw3YvR|ARLc_G?3*n~f| zRsedPiv8P%qA_VL@w4j?$vQe(J>3RMR{#lyGa`vgnZ6fSG)FX{>`Vu#r+R7WoThIfkqXcl+luuR1Zn=ofS7R%h}TW8?)E3I_M8 zzhBTZS18?F0YI{NbW{hyH-h__l3BA|sg=&d?@CP#BFpjzi<6}k92W2A3VX!_atzjXxv<_FcYK2)8JHiyRj(?F>m{bpmH~0ML9@2)$6zZRI3F^knkdIS}`JJ9P^U@|yw|%b^R= ziOsi>1r8EhP$v7=1Pe&4@G9&Nk1)w5GyD9UjeQI`Jve z*Ng(7%4oFPcMo6IT}|Pu2|nqylx!K~`6iW4=Qlh1gXFYN-PT`j746*sP0QsdN&eoj zwND(Qp? z(`4aHK(7tt7xUjfD3-K!OGc9m5O5?Dj)*r3hk^hr+fAej>+tNOj!-csOmWtgMdkL{c|7V`G zlJmL!+7j+j0lhhPKoYuMIY6VKwhLJ%N|Ae@<#$B35A1DdvYVs6h$rP+JVt*=6dVDp zF*lMqNYpLn#D2B1T;R}nT%dO`xG-Fn4|>`mvRnmA?%->}9r7SGF9kLp|DzKFqMF7T z4p3X@$>|^+!$E^afCuag$m=d&ihYzMqMvlJfyDHrMe}2S-sDBe05$r2Ws`wtgoJgg z!5oqwkccgNXR@5uI*~Nf;+m`Kth*7?w(SzKA3S4t5}ZzpvN2fwC=Dtk%+EuQF|M&e zQkxNQ^r9_usx^fa>^A_A0Dtc+Z7VyhjCcvbb}R8x=ZWM8Sn^_XY6(!GCQt*pQ$Ktf zm?=_{;=RurGYwt`40~A%RfV_=sR7{QU^Pzf$ZYZPpN(i+FsJabYc{c4*a1?fDR<_n zFvpCw4ik=+wTboi8p(Pt&Afw9vk*5J{ zB7T-+M?5_sO{Ps_O9lIEj59t)c+T&%d5PYYpg)N`tSGS=>;?oP1H?A1?~gLIZc?W<{-6*4Pm z&%`b_FcFQ6S%W7SjRNJ;%yG?r$-jUAMZDelV!xv{0E&7xLxEu5;v2BM09o8TfUbI$ z=ZBAZx+UiyCV<>>LK-;lkuh-E=QT;1n?YQxJVm`S8Q&HOwpl(_#PuYm?}$*O;y}(C z0eWmx6?S;H&yviZ8F7$c^a_(i==9Fn%;b9XhP|$=zCv|$$)~g2H$6(KyD6}pr6=Sy z&=fO~i82yl#e;zS;1QP8KNE`x+cd9>Jg+xu4GZaOT!IS)zh`E%Z#_;FG{Qib&*Jm~ zJz^ZD+m-<@^LZu0ucn|(EB8-jf;U(n%`)l(uMZ2%|D9at{T{47lA z(PgEt`WMM|f|gRH|<%MS6kCLb&(4JGu4(E+O1zCha|3bcD!_71d9!;URky) zYlOr^ODORZRbC}4(He5nz6GV=9WRKu9(>z*}wPJTW7@ig6xABW*2%$ExL z!3Lurc>s-XXtHlQ>Y!Pv4z~k3tm7o0OEURq>b@iYB?y6qHk}(@y$CYbhHc}9j$%b` z+0?JK$1B_n-*+vs`6XoyUc(M^%7uMtOgA;o8nz7Mzp3kOq}3mI zq^X?nXm(FyqE172W7tZ(&Urfl3~6Gn&bRE| z)6R)0+;**p{FYbp+dt#6!a;0G27>ie$N1{PE82pTQ$V4XXCgTKdYYHp*eliSB4zbs zV)pOx9?he68-^~(l6qc4cq+Tqj_yf!+pW8S-XyxILB}y`3Ns&07f{Npoh;n4B=mWX zNiNfSZKE8Q5kCFJ z3Mjczjp6jLEJAvScemM)B)iOZM)eJ#?3{IckXJ;!Zku%IOAIRgBp|rTi+o{Te~#}M zyqK+IEaX++NM_N6>R?rTm(!d*oA>KV4zdwkNcW>R8#!?;Dg6pm$IKIZAw%bTmyUZf zPy0MAv zXpfJgmM}JoT_pOZlEH~E%8MIk?k7L6nAOTe6`cKGsrEMR8{;DrmJk5Vm}&SEdUX)= zT2oALzvT=+=k5r1d!=XZ;M1POfI@VO~jKPUj74j$yhj)fO6w_b5J4Iit~7g38| z8J3>O@&kCp*;-lKK5()E9*}ESY_^+EcDydli?=EB1Is*X-Qzfl7mU~nckfRIz3=mx0+WSlZ$tEP`?KLJOi${C_580uZn>1+nk zE&S-21duux!zgb`T*Hhx@_f^`dDO3B$WealoitxY2F8}je z?ObjwdTu>*ytO&>cSzi30b;2xyk$h=IP$h$GhR3rWIWh^ok1^u1vtSS13?Ay40X%(~x)-C|%&-pwc2qB4yPd<^# z3k3_KbY^`NG4|WlA3v;X-9z!edG5K3dQ zu|M%p+-4DH;)Parf~bk@{m(-Js;;l+7XgN`0-XPjKGy)SgA<24Ne%*^VVy|0y9;27 zR5lv{l8)2RZnCI^-y*i!LnpP=23DE~c^ljzX}3`DKs*_RX3Lh$+Sn zWL!#1|A{L7h*xN-P3PR@oCcd@!&ZpId>#+?etO;AS1spW1F%W;!Xx0N_BwOq800ef z%ZM_(;ciJ5-u;ZrGO{lKI&?L`|IuR8n*imsbs^b9!Oey4gOO?5=LnqfOZ{_MEuG#3 z1MZ7s-~v43WsK_%UT(Y_WKE2@9JT9BuNcab6cW6SqCrh~>CN5AEZUYwQWudw)6$zD zJYJZ1=BBc*7}QZj)}H5|A3NUP$oUIs;3|{50Byck11QYRfis?~TlO)c%uH9sDl--(k9G5yYSTuYvk<&xr(GRoTD$V zr=&lD1#hivU>Td5-w4jJS9f42<7h+8vcYg>UrinHI z`$Mf#e3CsYt$jeLRyR^?DMKd#+{!i$WRh)D^mB=t!bKK~ds8-jchm(i727I^m@%#0 zSu-DEl7X?bZmV4T{vv$M+8RR%j-;51aW*co*aQ7q#+_tVosYuC5Z$8(Xf0IpAAhQ0 zXq@x?XTQMmj1D;k>T0kU71)fxBk|6c#`=Y}=EJABLu~u39apeV0s$HyU!)fe?0I?& zs|K}v-S(6wA`HRK@hYqW$Vd|293bMwmyT;v=<&knCT0K`4$a452+>uHhcn-?@of8) zyNb%gBhJpSU(0AA;V3@SW}O94T~}Loc$SOahE2}?rr>cg^89I_RV_$jTdD_PD^Wf~ zm(wb5eY86W&Mv@ukPvyf*+|mTws`O?1xI~g0tDWN7J#`8YO*EcxV;_Dm37F4da(WG zkty%M$yY7DK6tJ;t9{?!Ols80BVd`ga4V>hU_KFc$DWu(v_!X>u{%E^2M&t~7lR`N z>pDLA`p(@!9!9^)05`s!IdnpGN~@WGtN_-uQP4A|j@Cf5XbT;)Yr6?6oq}{oK_YUTz0iwB% z3Uh1zHyKRnF@a82i*uSzR3yD{*U{rCV9okkON_88`OmzPukS9}dc$@`cG?L;lt=_k zxl3w)tNWJO0Wpa*Ta=S7rR+I##&4x@5~ zk8b0VC!E_(P^8W@96SlZc+)1P3@XAF)c7J;AmFFCScGP=@*lE#o25q9=&)qi1fWo~ z^Qb6f&k0zs@nO!n-TEbisWeEGJHF?xYU6iQmgidtjV+EY!Ojc9HxwaeC)GWSMx#B$ z2lLIQJK1Iv1@m9*MN3^KmDSD`SdXfX-u{?s;eghfO1%z7cg zCCl~g?y2m2x@iT?P#usoWvHCP=X%grz&9+6e8j|8q@L{OQrLrH1HfWU+eZ1SHf*>ynzP~^Hm8)cLIX@=MyKb>yFj6U`&9g^0&5N}jugjq{xXSHkX~P&NZTdYWWGrmBZEx! zq+Lgr=*sW&q?_fa@!j}gYp|RSL}DqUn%xb;jm*WP$kV@RUu;6gqPvVu*HZ4n@_mD0 z+{KidrVp3bTM?Cmk7n-uT?5MHoYc{LxPqcV?R+=@U(ve_S{5OQ z9Je-X3hkL*rLb6|?6%uw18@GfoT)w_Ie)KSwm)Mm|9S*$qZF%8pX3X{-Vw>Ky6q$^g1i|e$U2B zq9QVVmBQCrYlDg@B7+CaEXE8zYMF4-;-GUUXWBhE7ITR&!!+=XLIKA(Iwi}Ct^GmK zb8)&Z176jEvkvK%ZV6X+7Ln(C?&G9%VjuCDzW#sO5sH9ISeDhRJ=JmeYP}$#@$p%L zbH!kUcA)3VBduD6ocb}z>b$?wpTAKQ+DPd!k;asl>rED%WWh7OP3`bhn=*Z5;l1K~ zx2*7&WZQCGfEA^H(4Ztii5d|duFIge+y+s*%YK;;EHE!aI~X z3>rgBYM$*6c2~J#Ut$W<(`Vm4MHB9+Sgk*jr--uSk8C(PDdDRuu`qQnGOU8=itdFn z5q{#?fBS19;G~=U)yH~&PsYpP1^-dIv#)~t(!x*H3R`KN6DOp>5#f6Uw>1OAi5lBi#tz@_bNEtFwOUSwaTH8;QYi&<@%F4G&y zaIVvC2d9#)JP5Pj6T9KrDsQ*&r=8S{5%nDXwjXU<)9Tv$UlDB{-Ff-X9MgOXx%Gdy zL8VX$JiN(!#fQtq`oXIM>l786D7~i+p--zOiXb-jJx3j*_vn6BO_{0RBbxhgT=3*v zE_%_CX5!%EU!kv%p!*r;ugWLmx7<$LpFb@e3Cm69F~A;b5EXfs&~0C}jXrFXxmQy6 z*3sjL{g5b>nlM1c9E!zGPw+9#6dnu2Da7*vn|5|#X-{204CL`2-M>>lPBd=}W zx-CiEkFn$kw|_8poDIE7^hREt;M?>^wL7rt^aQ?-H(!sGgx^{#k;q9W;gcC$GZ9d~ zg_2Y?bU?JUI51Fr_>@!qI^|aaV{MKnBScDuaO^c_D#0O}OmT5p%Nk;lKb^pHDv@zt zbXy3t>?8oQlFUu*BL&8*mwF9>TO~SohL!5thb5h8P%jxQCr{6`1cA=~wxUxIous!i)9ihU8 zfGwK9XX(7wCv&U%DK&`{yBAGY5P$rtcW(OCo#-Ae?Wr`lNDoPxa?FRx9%iKOjz0m5 z$KM;EmjIws(CcG#tnEAjuSNlE)6)KK^XidxsgNoL{RC z+q6LYJLeD(InbSm7|zXaw!$JPi?<^!H{M$J)m{7!Z$2%|tJ@F_)HFm!r6qd=Y!2!B z3^SJ{eM%L1!7wrn`dW4c5fBlf5%;4hbobWRALj)Mnh#@1zuYD(fw zhF4H9q1*gokkGVJQ3TKJF-uk=g;oU53#RHo%pz?Ae=4L7mifM*&w2W2^op1Bm#-i= zp`K9hyXQv>FC_7|uZ9Pmbx(hb(po9=LR3AlHJeu$;k99$bvE+G%^oY{|DL_-ZDvib z_dWRDJ8$)fMTLEBDy6iBpY&fqlf=Q7xp$M8R>*-50 z$j~~Gnuo+CPJZA$h;uo2Y`dX6|J9k&C((LAvh=;khX>mg9}Hv#_LsJs zU+1YxvYO6gqq z_4v9K&jrXWE%{}j6J&8UmAoi@m5w>apiSp?M~OL2@&Y9hWkTlKZqn%HO2}DBwEsyV zaa}2e_PVY}q2B_#(+xfJ=XjMPe&!9eq;>PqYN;!I6jU?!cZ~#A51gsKNoi`3VA5k9 zro%2Kg>D48ZM^_H>_DB&==yFWeN71(gu^4j?{RUJHgWWoKSjQd)C^R*?5kL81eD;` zD{tvLk-d`Uiw58M#NFTFUOOW!Ge)Po1stDRwwoGZ>p6tg?{?N|NBx$!HjfJy44q}G zg>Z-2w`Jv2x2amG3G`I{u39VlSJ$TFV(7|!zUT#lmal$f^ir#XML3YyuW+Z9~BtU z!9RPSLc0{=dDdRZ=pj*ly1p&uw7b_q-3dF=IuGOe7J4@euIp3f&nk}_Zf@MDU8A`s zq-~0T2(mnp39a^e7Bxr+VUQPb)pQ+{yg&Fnl~VaOO>l=pe-kW;!)K}H{itfR#vTHC zj;ZQ$BU@qtqi=@Ks!b%af9{pfX4vecI51i3^%xO%n@Z&GlCA!bVgMzG16Lhx>BQpB zUvpfCuWN)5=O}GGk!IWiIH7cdQ3W&oBUR1Cik^b8{{j+WLVjdIyhr_^K&+-T?r|{JrjpC=R&MQA#C3$4<5!mkPGGwjvbV%Uooj98jit1`nj-wC6#sNLIfvOR znE$>TMnqm^uaQ}zPh=vOChR=Ze^wNwI{QgObr+&s&lgdji?|zMR@TOlB_3Sm%PY|+? zLXW8Hyh?ct%uN<{UQ>beCFq59-sJiB_IG>`b|6P;JwfY@cN9A>ljP+L@p=0TVVq}J zmAF`i@VyFKuI-?^`9K69XFDX zUj7{a(T|Xub?3}x^IzA&mYG?e9{h$-&ok67%jn;i0I*mSCC#bpmHks!=@pYjl#`hShD>dX1IbgCgLo>)9S)Y^)f{~_}H~<@K37vB5HRLo+HLA zycw$yK(qg(d`L=q?uFM|LIG<1WBs_kk*TW#A&dQvGq>%P0$prYL7H3qUQ|n+xM%gF zb|d4arv_!JG?A-YrA3Gy_|wOxng$q2FXfN zXBzg0XFX06)lIMK$Ag-u;714i3tEu@m(JK)R`~q^1t?4iZCtKdTkceY~#&kk) z;#Rz6xLGhR21s!qH3Z`}=BIldE%Q0Gr&-jg=ZtaM(=j0wCWXT>Ul4f#dJA7QlQ32E zX+;DW6!*|;FYcw^jTe7ANpmNDKUp25b*R-o4IWoO1rx-;AsF{&R5_SNGo_QW`c# zJ}L3`&bT&V|#j|B%IZRitoV!Ya?jW;(y793NlMKV`*jU11Pd z?qBxfLG8ug+|uS{v5PYf2Cb1!WA>NaI_+Of0`#7zdaT(fmAek*$RW3MEoJTG=OI_R zSX=jRt!)qIek@`3di&Vq-AJi%QN|-+#jOI4v)h{7I~9h7#Zjd_)*sN5DT2dUa=GqEiIHL za^KKl^MGx6FZ!mi>#)2MB)hFs^Ns$+^MnUg=a2GL1K4v{Q|v!4YFxXCl$&(O)Wj`o zbDls*Q0Xf&uiQK%dvC_)LPwIOJTcAZ=jtq~<|@$sVQRm(*imKntfHbH(*@Xb1m`)3 zbG5eig9VTLv9eUeCRvXx+J%`}@(5Z!)y z+2U{C!2)s`>@z;X@Pn3Lzk)pFOyIWHS{uM>@3MAJH~=f#mdeK{r1du%Wnfh>jP zV*Q_+<-T@%>sU*(7Q0i3`#Z6Hk31P4)|JoQ>{GhNWBLIski2$=lBJ)IE{;zI7B=fv z5t`n}W7bmDG)|_q_{HoAExlC)J3CYywG8&mJnfuv=1hcBT!J$gg2GU+na%8;mrBTN zA*Cqmezw=(Npw;UzGXOiWrBV!QRS$i%3z_xG-#hq?m<|@N-WjV-s7??w44)zAKm`M z&rS!~Hw$d}*=6-JOTDZIUX#?NXL~&4zq|1BpVpENeDY*`%Eim%V0rJU4N0$qr=%YMEho1h~hZvwWE|(;-p}LR7uS*I{!Ncc@m!joJr`7RdUT)Z%TgjP*Y zV89S!Ya$4)N8GpmT@M` zCTUO1t{jmh*flR?o~S#<$E_G#G_bWi{o6C3y~rp=)XbR+AN6Ov+iCbOs0b$IVKBM_Ao4R_tY-p7Nu35`O91Br3x`j2XKOt`H%O53aqWDZoj`w;k7k~D@ z6ILFtxLl)DRCr}H^E#L5dMekRO2MOcMKO}3WzBO3Xfx^n({|?GU+i~HKyW*Rg zi)5}L?zv}P`J+H{6PG{e(1M)BJyerLQ{33qU+DTITN#&%bPtSi0-iMZM|FWG3n<``z!}j-1?c& z_U_VCGm#anywYhogNsXQJ9pQ+UfjyN^-D74uip4HG9>!`V-8m($Uj^A$I3ktn~nzNiP0OzAGn!q+Dl)4F1&@_#&dG>~|^-^U%Vz4R*QI z>Yg^rvt0}3A$B->ErNWoAw6mXp8)j^rijo!g({WgFXU#_t4A~;+NBOb%rpco=D||W z(?k;FX)xOD&@ItFE*y*fL>cfpIepB!NZS7V6v~GSC z(QV{+0RyS9%nbgA@)(FsreYRffmag*yv$Cwir_PMdQ~UMbB2p|1t8vyl_MZ^(od)j z&gecr{ozbW?w@cwl84KG^4Gv5N6+4S>d`mAnltk3F>3_@T9xW!C4ku8rc1f`Z`EN%2UJ z2nu3!*xllfr~F$#b?}_?)g@vOdn&eSyRYTG3K5*ZN!Q4giAWCfJNmuPzYu4d&Y9qb zQ3MR5E}x5bYc>QuERWl(v8bQWBtGV~FsAWlj^0zBWa zsM>4Ii{3R}*HAs0d~3pZmDYfJe4*MrgHYwPruGn$C1{rl~nf3$_>GRBvJdl@k1a!Wh2qS)KpKSct_1)RwI=9TSa@i z-Gw11F^x051?#m#1oGW+H5tKvZ@*%!qDJeUyr#u{B?1?t|HIZ>M@8ALeV`%&I4?cL3bo2dZjd+gLSdGkhy8{MK$L9QnApzEse=IqDWFx%d2Ml6f6Y*w${j^Ud$y>Y8{;OZClu?A>OA_mv z&H=G-%_MY%_oulNb+9sNB<5QGzbg}wFClu>Q5CB?IW42+C^`S7d|PR8>sy1xa+IY} zpEf44o1^*F3kP0VBID8yT34GU{qmdcXfLvcr9}{qfaTdzL~5fB0 zM8MUX4mHp691Gj0s?)b;-*UGQulNFj^EpDJT}$s&tOMnF%te z=;0D`W$#IBLS3Bw&q`Cz737R{Jj_0BmZ{$&wnDcwF;xgvcH~ZAIdasj@v)+aotI&? zLMN`9IFi5Pp;5(Lw4hO1k3k7e|0BK|cVZCo_A*MAv@>QT>>`eg>p>k|-N$*t?MMdn z3*}z{FoPjwq1l~vHi?{g8AfYY9#b@R`qdedSKGkv&wecV_k66j93JJV{gAqM!+U?O z{dFN!pVSe#{JL8swjgID?CDdk)Eb~12HO-YPla2g> zT=yA~PG)#gjOZbL`0;PhR-iP3qEWH(RDEqP+g`|r;_8B;JVEnx=>SAFXhG-~;m054 ze-LkV7cwz-gYtH0BcEK1mph=tuq;0f#zCHRthV|5f16a^#QYt@Y`ooU>-07)gfQQw zz9)p)rZrS8S!XZ{O-{dEL_tdw$Bd9{bA4i&w6wWlzE+%l6B(bn_Rq>+IjhRYSkF)# zGke2iLpt~_G+f0uzngbXyO`x5lFwMFAf~@bpvMRv-1ZA2ME`KF%dRjt)px%1!*0h3 z!6;|WCoEGmygwUSUzKbB%7Gb7C@0SHNOUoW_QWcYAj*3uKHZ@rRp***{j6pCs_OJu zt$cFdN@CgnQtJ9t`T7@;uLJ0q*UG!{FePPz~ zbvoC}Ajz}E=MDjS+A26)$>WEqePbJO2X*5mLN@n`(%Hx2i>CwLYZ?WlO|EqN3SE&? z*L?mPHD7|Lc|1IWY_Nzw&^dUnp74Y5&poj__@Eqq-<`N#ouZEC88yu7@pIJT#m$^I zUBQwau0#n>umd+oCC#6P=BX)wBqu7Yj0^Q;bak~n^ZZoCr0KK@Sm654tsOPv-dE>try`c7!dVw#6KH`uk8H`3I* zVdTS>49=R`l=yTvd_&DdbOV(*19Tpuel@xEii^>0YlH-MAnP-q=yFG`3XP`AEc;z_ zA~!#VCUHAOLPzYDIndAIjl1dRuBHB1o2D0hUzEYI+&hu?$c!$~F~8$mRQ=z z(kyl|9WRTwWl^WKgpD6@L`^>bnT-6K$7n`chT`H6C2U;2VNtyEK0 zF;FOapd(+Yps7NP$PH~HCnK#)AIc(uI98IcEL<8GKYvhfZE7v+i+P9X!L~|cM-}tm z^*Akx5^Jc$q}9o|i0El*?E!JxDl6pA-kVWnlpb6SCyf3`RK?H)U|g%Dr*-C|*oRIj zrh0PizF-eNK0qO{colS8DgaE_s~{p$ z4u(G@GZURoxXOI1(6(i@fN^9EbwK`TxYT}t@TgzbvS?&^e6=R8NGEv4-_Tt%w+_%H zQ8?6iftx#bj{9?7@!g|fw4J(rk$U>H_?NoJ7jNx9_I0Yi8JamOn~eL!f?}3UHHRp^ zFrU(~Uh<$*{`ZV9xR^LVncv<>Y{tMZtsj#A@QWsZHz<1VF(^a=Ck-c#Mx9t?!3-85 zM9fT0$Fm@uWRR?U@?X2>Wpl2EwKmahUbmTaRcG}_4Lw?lUKlrl*YqdCG5enCSac+O z++PI?M@8Recegb?oap~P6cy-XCA@bVy})* zGv5+Nr2`l%t#8VC#5-Uoe4#g5?c=u;ukTIej|>ED>Mhm&ra%kzR? zTU;p0DdI-~F89jnL=jy-B2A^9T=rarhjnEq;!tB;R9Iok)pWB)yNJiO}@vj=Sl5>W9B%!2@AV90Kg;3((?RgJycn$p{;R{!#sfIWcq~ zKK`c$#Bjy*XR2q=V4hciH##?boh2w&TNZFr&-K31EW<_NyC&I<RJ!XB8-7E6>a6 zbXcalx6lQ>GbjPhldEzCc~+qKlOvHvv+>HM$>Lx`--_h#*abcG{` z3Vz&=^!5Y@$88?MH0lR6kW+4(S7lED<=aXAZQdySlTPyeE{VceRK=Icq6&N6zn3T< z7T(vj9$2BDN^TPD7@><#wlGwfw%kxFxPfxcd!IA2deEhFGcdkP%>eQ)pnP7hhC*n} zzxxHNTIq2;iMU`)-EJ%O4H0eFSf1q(c^w)$jK_H_?jhX_Xnct zvwdm0cUW(z~;b~9f@xZ$I)zr1PrPBCsMyoB#@?y7Ij-qGZ7_9206l)HK_+(6N zH7`~t)d&G7ou@5g`EG^(#QvtnwoK?^TbHk4m-rZH|%hFiRr0f=L?JT@q) z`jGWX9QVC z0|+98MiTp_=6;B!nyDx|pkfOR?^&>Jx63yOx$%kJNsi7Bb)03>e_J1)xVhcZa7&zrM7$)2*aFSSuo*lxWHZPu37V z?4IscbK;&2YZUsHnCAB`V*HueUS3;!#Lm3F)I+02ceH{*XnY@b@ScC=lV3{Azx2_kn>mN$Kg@uzHTM)55{|%ZXc=d|-_E&Dy>ST28HKBx@ z_=RGS%&{UKoOI*)AVG)H?_;&whAt2FqS&8rI*KH~Hm-OV)w*u0Jg&yp?t7FSYxb6^ zXTk};8+{x6M3(HJOzXTwXyZ%SWUpZzJ=X?0;XZ*ht=D#zzbsZq-86xYc^y@I{!;S? zw!1-E#y6Kx&7)v=&U<{B9ioX;!E#wBTGgJkYG!mkYX+fPL~jtqZ2unqLk^LA{QA;) zD7qqX3L0)fDfG`p3_1$^hnUf6Svurt1-e#|1$(XiSOK=k#9z{qhCzHR-_vKUvP*(yt~h^fkMhU zR1>EWa_9!uQV+h{wkd91<>7tF((u&Q@|V%7um^a5{6$uA+QEEpnXtNyw}nvXI6pFs zj+o}K7Ae~O%bD&cC1oj>uEXoAm2Fmp>8DnRh>VY9yQTIj}ZxH zxtB(n2F5jGwN*8W$Y+$}q6gC*RCDrR+Jc_<#} zx$@Rm?hD|dk43zRLJQ_4UQ}50HZ}RZtodE?^-{$1&WDusOupBc5D9K4*S~_~U49ax zH}2~j%bijBl*<-Hgo)=6s&}2E1#N-$35R$HlTO29@SH!&R2&Hab4(r2LvZZyeV**3 z#7E2fRc)N@F)ygQ9Jbs6?fq}ZjY!PMT)_ZgrBoB0G^Nzq_g9l3n>?&zWB z3b8b8#DI*`?8W*;ls%|MK1^ev-=LoO{}HWvZq@Vt*Ow+;pkSMczQObE2;fV|1Arwa zcuob{VU>~$hLk$TY~%ZTJO51G-ip*96@JoT$%8O7{UrR{jL!XfPr7Wo5_ybz&L;E& zp9Wpq=C~0yexFPsyChaPfY;H6$Nw!=1?viHa@phHvRWh7lT(?+udfjvN5aDX67E4C zDYHvMBJ1&cZ)A zQ~kr|hmzjTjzexQGEBP6rJi{Dyu7&I!4vZa`Ru1?Il$OaHH|W<*@H3(osbs&ItUhV zyyL7R2|MgjoT?{KAn|X+l^x_@FSjf`j~V#T<+u?jNRskm=5C_G2oZ>>wD{ef(iBfj z&>N!)Qg6SBn)H|UqmZV`hd4DhEN`N`i$eR-19Vq~Z`@`OFs1TZJEj@?7z(=h*`*WA zeYOYz!1X@_-IH^0&xk$qH1FaJt*YxLb z?oXAl4XyrX=g|h~R$(2wYF5HyW#C)*Yp|P=1%2e=1glA`t?R&;w;WJEZTM)mWbS1T%%V} z8VnZvI?Fs%_e~14M;(R}t?+^)HF(qA%bYLE_;0f-8*)ES6d0w^Kz&X|V`R z%Rr%kUS4rq%d5SYH|}1{@*!#;RnIP66TMIN?A_-C-)hC}69?wj6LHkQ{oU1xt zsytHA5jIJEUCX*j+8yhtTZCp5(l{%6rIDDFVA%dzUpbr;$B4+RN7qPgXNft7f3)eV z?XpEnDx&F-W?CF;+np|4skL6=XMwzP^!S{eR=XWOFWHXX9*5)&*TrxEI)g(7dG~=9 z4!{?Gz9aO2%<{X=DGW;%g96Qsc7qrpgM^Ik9RPHT#ka4Fg_U8Q7*T`Dq{{QrgK$0< zzLGok*D4Qjh$2ha9@N9^0{P+}=OOPSRC1k1^QCDXt@W#D^gwEaN7sT)gWj2{g{Ndvb@7&s zaN8L39c%MXxNAs6@0v|rikS-%dt3^?6s~RY(zqJ(AZ6Yjb6F54UHN4IzyGIken-dF z)*Kz24DsYzL&>#%;;k$LZBqp$-0jgn@h-w*QeM~8n@-wbe-Vtqr5Mfp{BZR67Ga0& zMDmg?X8UmzFVsiF;$_(=qV7E19=n+LV(Y1BRE<;kRpJ^f##eLq$5R#&?3tzbJBuyS z*Rzf@g7Y2nUR;HHj!_$=t!k}BF*A+mS*WwqYoac96;tg8z>7R>ig^*-!>GAwV&|gHr9S8QU~lE z*_rS=-d6ehPr{`YLhBEt>S5GRGiehsaiKJP*n=9okhw6F+-lv~ioxHh&e1MH+X`PG zv`tos@ZDN*m*e(49_6A2m6OZ^TgyXZe|;o1V+s1Ao-6|4R#eQ8XH_~N<67;KkYISP zK#V$)9tS}mS94j(BH-Y}ainIgJtgme2N!(RP7VH`knXSpM3?XW#yL=`(fOTjC!6>( z09D2@h#=R1Yq$7?=RX~{k6{yv;{;BaASUP6S;JvBF-@f|Ls(hDk6^oZz2(K_ zc32}aBg7Bn`2V&NO0EA{f-Qxo#qAYz{qrnNcTvL1puEWWNF|17wR$zuOA+@Y@sH`T zn!T)f-f!w(C5FMEpe{+IERrAyK>FC2COOi}**mBdJKEtdFpCr-G&X63;$V}#P+|Xa z8iJh+jftxOSkWq`>=Ye0`(kp D1;XPh0n!Q45+&8Jr9w1`;DG5)!#u}=QT*~SO2 zwSF={d}37>Ap#eijRkc>4mW77z^h1N#A_VlB^KuwQII>o2VC}g$2cB?7z(>7yxaq* zfy&k;CWxGN!Nl|9$tS)BKjg;axn9IVSWP-G-GQ7nKtI)?bYW;)c|DvB5|y_K3)w67 zhpV(-yG$d)fRwjN3t}iQ{`qIw#u#mZwH~}Cv0m+dx_j~7_aXYn_c&`5yCOo5*UOg% zfSzT!ZywPlb?tf|9EJu2AzF_e+dVdq;*z>g5S zMYKw*{jkjb+)@IK$lz~hb9uH798-~Jk0YkPj6~QU^|!TCHcs?!L}Mxd1eFZb_h{)h z^#XXUf%&dLr!P9e!z`%8I33}{78AeY;6w>1P_-O4b>)%BfPV}Wm_M|U5}x>vzpH>8 zURV-38KaHK-&=G*BwY|1{bRmiegz}(=TE;_(rKl3=qcAe$)EK?Lb;$^zNh;7Ao)~1 ztA8N=+aNh!Etn|HO83~3TE8v)e#EfMGLoh!B|YihRjG4iQE2T(Uf+yq{M!xF;*3BT z2){9sh_CnaO8BxJ8qRUx!?N$Yrnpr?JhMZyIBd-$Gu`{%#pb-Ea2uD*e)wRz7{|Tp z=Z&4bP?ovd4SiWa0xi!EG7H$t&fg+JZ%U&8;KA-czJ{R)fC9#sq>JT;W~sjB0bmof zMrB+|(a)YgMPS(e$xZ0AIHt;v#5uafC)7_4A$B|cm`gOe4`eb8kj3?i|nqkTPqFfMKiy)*9 z`1VeqbM*#(FYg*^N@Q1(Mxx}Er@6_lER>sm148if>@j`%T9QEy=8Z5rhHp*)CndIc z^wMV`5`M=RPFGzve3E z>c!f+E8M`00IDcC-|hrJ>Q&(`;VV9+JsMBUvZ`==Z2o_W8d^X9%yR0COq!t?J4oQTDGRK z2yfcbgCUB{iU`G zSTB<)x!LZjQ2uJ^$^oang>mG{W%DJt!{h`SJo8i2o%Dn@KBal8fl>lGPO?$Xqt((W zN%IE<7Ry={RWO78zL<8s-H~cB^VhGRAttrFZ0MyP9miAGw*IEuNNcu@+g{4+ADuxr z4anFVgyL=xwc^Q%EE`L7tT5Ns6V8~x-L6%U#L_ILfM*Sl#E}=IN=v!bm8a-HgU@uV z<~@kDK9uxNoy`>o93zem_Zli=uUgzSu_w9W8Fdk!*0@7tIR?=5K=|% zI9!?*(xS}7GAwg>hDFEZr!%2~9;oe|OKtGXwt0K4t-B=)4L&nGKlxEw*Ex32M`ae4#Cot6$)bHWdJAo|I?Qff zDde)tUgPa)@xp?&b+CsN84@o(^%m5=sxHWCYnpcRWg5V0D*PT(v43~x^h*t$Hp)}2 z+StF~bTxg#9-a^(3~mQ3{YIz*!GU|pn=F<4uidITR|!W5h)?)9d>WvMku#}u&832U zDyyu27mDmsG$o;~CD%Kv$5Oj@9VHJn4~dLv%z=a2ii|%ao~6BeyEMNyd1?q+0TIyS zq!<6b@xwOJ*FjazF9A8(NxLo;m z3O6u|lt<;f-NuCG(TxwnDF|}}5ZcHK{9g@~Y-sC(m8gTLS@nh>>M8uHr{)?CXlT84 zO(&GEzizxS{-%b%%*^-m+A8^=^LJV!x(+)kLhLr2h{h--t@#gxnJ-zONPG2UE3Z%H zX7Efnq;C-m*`zW)n#uRAT(sY6X9V$HkhOa1jNsL4eEZi11cmS8!!ky&<-E8ok9K$_ z%8d|Xu{H$}t5=VOvO)`v8#+w1+xrTr5Dj{Nw?(~gg6H1T$yL$??4ntm6+ z_Ro7#SDd1%tZ3NKwyTqASvj-z)?Nj^X5T(@R>nWw>D4IAVsZJYVF%wKv2}nCe_0<+ zdF$P(?%FPGjS`cX{h3U}?+So8ljc}z4D(PN4gpHex4Qp0*esF()L*rr%TIl``9~@B zpovYyDRPq_II^TxrI3krnTfu2cXXC8fx@+fsxz1M^5H9MOOHrLI|-%=z0ej9C`$?U z{6YG);hwdTbN|R4WznsG;9sho;uO?rhUB%6u{>gjU?=hiFCFH}e3?y@?Rp#aRsrDt z)Y)Drjp*`5-FQBZ5q#iK?xI~e8Y2YxvD@CZTX=Aq0o$Pw_OnJ@SgJeQiXd^v@U1gA zYlOxfScT8SB$i~)YLz!oMUR%bDmAkM;B<|JACS^eiT3w8m}Qf&nejn?Ij^nAkefCap7hw`?#Qr|g~?H8<+ zW+tcJ9GIy@ZG`h@RCh)VE0=~m(efMU9u?60y;dQbG$eD^rsQ#QeL3#Z#vFCU9reM6 zNlDl{XM$mD`Qe?w5F%`236A#A7L_2@`XjHhH@6vL&4kx(q(q@Pnu09jpGwr({E|Lg ze7SZQ4GJ@U{}L-}GS!qsTQ?>vogKx;B%}^4C`M_5K%~5xh*Kb&_ayyk!dMKP@&+HH zWL{!=oO?lk1CF<{-RShVU7c-qhS#qgzcfXJN})?-qtHpsMxM^w*h-{e#b66U(v;m< zJ)W)+okriKpMYt8RUH~dVr#}A!k%K(+Wj(%!^Wj8pUs#X?6xmwQWFT4+g3v|UU|Ue zMxh6FqwB(~?%N6<)^nV2w@lt!iJ=6V$^l|LtoO zXde@K=~bb@N4DMn*NBvTh?}U;b$@y9lTt7Cl2DT8$LXZhr`S&*ZnYLH8Te7Ey6$nU z$W{BRlp&epiU?btjO3YaGJM_>rUT(7GK1mr?#BjPJoYat*-rbv>~tjAvmfa+U0X#} zqHd*W!Pa}5x?hiSk46dKVj=9XFcQXOl>pwZX{8=N^A%#Fdsw!M+get?xg8WINeU6; zc6jA#_M7C9cg!z3+DjV?4L5OjNBL|djQH+z2$trZ?}sUSC+h<*OF}3utdXYHUL21L zI=*LG+-mLM|LZ+b)dP?0P!3R{J#ufuG$(%;ZH@p?&_!`FEc4UnTE1)r)U%`fp>w_w z@qh8Iza^YKOI*qzkUTX{1WWs@1$h-HFB$4>RyTpHrpiykmu(Y-{-HFcwmpjT&=8*zdI)Pn(a#oQd1}Ytu>BaM#3LUzwj~f*~ zLa0q<_0Id2Uo}^@*y0;`$@nrNX~rhNUS$+)p!yl{_tP-fVRP22AYKBo%=SV^e+@Oh z{TFe?2ZJ`pl$Zo^t6>~};6Q{|N498XW;-8Y;)vD8o-%J#=!Sn~ zXWsWw^O0GA#F||fQv(B{gRAV0EVTEt!rzs{MvD1)tyHri#(QXtezF#~IOa=s#NQZ4 zA+cU*R(=bT;LT*{)OU;KgH_sCejWGyp zBT`S~M_*+$)m2Wcz4j{DNb>>$eY1jlo;B!+di6>o7TXGrzYm`9p9jx4QZvd@bX6fs zUA;zef}QdS|6YpSqXWwD@r*-Yu$$boIG<`GB-K(BGxroi|6`+-Sh-%j@8I&~)&1Wc zb%AC-yZ!NWdA5YHN(q}Zg-v-QZ!LA#S3gqK-EG<=I@Eigrvo$3nRm2&^hc>f2rfBH z#2CaC`R!QkmM)7JSYlzfVO(350l`|}^3^uzu5;Eyk=vx2{B5t;L3_1wKLsJNj?&9e zybkz~53?Ifg-BgpZmJ2a8`UoW#LdRPjFRWw&m@rxS1q{KR;9$C__W;~@OVZVI`tr* zsi1$nqH5C+rSeIw;U2BPhPw?5F@i4_cx=Vqfafm!>rEzB<j%JbzbDm=Jv=DlF8P)Fw*5(&aiOrj zOx0@=`Q_&EucWK4#H#?oyPFNUG$(%X_dV`{_wWigX)t!$YJB|r^CS=hFit)MuF+T* zS8lY>l7a4A!*>tOS910LXEm1H_dNBo;W^d452!!}m=4}^4RnxoPKDtg7tA>tIcY-; zQZ@n;o5iaRig=%D(cBlqy;#f9r3n!kx%Eb5TftR^xc-!nGRxCGy|KXS=rOrSH7p^P zMgl{}P30ucVT;s6{^MZIU09&3OER^KW*31yG3IozV9+RQUn15;figf(PF)oopKf62 zWw$D=%#&IiguG)#Fl!LL0`oyRx!{m&+ge^u1X35(-4CH5wRQg*P-y8NofFC^p7;Ix zM!z_^Hpeb3-sR2!l^6he47KDYLw>)yjFiDF%wJZAiAo!qkp#3ln7`_ifu$1P42&5} zf4!hpt0Qd)2uqd^?!@n|C{h=#AaK&ObtY^Ags26Qgo<+a$@kjG0cCj#=5py!@d*lz zax{cB{%0q}l~^3iV4SeOXi3`-|9*V>9`ir7(tq7Aku0$q_N zl^a*TaBfL4ZaE&x@+7d>cX6F#mnm)-l~QJ>#qose0;_NtnGRu_V$AFK&nA1Ta$akr zay0`?4NdPEJe&WVu{q|2)Y@opu}7+306_YlwX;U#8*z5lUp4zjYIMk=?{*N;^hj7B ze0uxse;=5N_P>NXSg(t;r)Voe5&7ZgIZ2&|p+C!}dbjzI8S_b=dhgY0^PgaK4*&6( z=Mpy&ziT6{en)Y~{ppfN)61?nOr_Q-CGcmHlt^!c1brg4uQ+C{7XJ^!33L~%|J`|@ zyEtA2kqwfNHc9{?OP?la2hv_UJ+YaBBwMc9*Nz;oUv^3-%`5mvFMSTcwkJ^Zz~Z4* z!%~fl#NnYKsPv2ZYxDnSNkqv@Lcf681kgP#ARx1fgkW|qUH}kBF)6QYegNO2s$<~^jW&p zrw0wom`6_u|Bp1@G|qa&O&}PUR1emEn^j!i2=qxEqK9Kvfs?;@4PJ4SMm;g}e8Jdw8I~LQ z72|>3O;3us^G%`-d7yebh5Wzg8jwqJgb$%}Nv2~*R%UHHv2(jEOI9T*;OOMy1AA!d zUkXiP1;B^v92bO0p%>+LVrRJmVx2qh)u1EuYGOYsIx}QCW>NGj1b3M&ct8GkAi#gg zJ0i>EFqV5SJHI_cv9M0ik!+yUTv<*D7%p#TvfZ%r$g4j7E-Qf`*+_uOJB@q0Nw_D?I742Ut2Sf3(Q3=vK6 z-%%9*qyE@Hl-=dGY_uc4|K~;`h9IgXn4L0(y`C=UJJ&K_zP&* zuP=oaGQ4<~p0rXiZH*upkMnNxb&u#cp>#McYxcnPj~9C8{UUO-{7>*f03CNWwuESY zf4a^4D~8fXu4ZlKF8p?iUMwE%wbD>-Z+?C2#R5*n9%^v~U+a~nMtRwU=v6}bhQd&f z8|UGt;@n~k5&xES@RPVLuL4Jk&u9j~yuut`vSuC{#WT6$h6m2f?}DO-(Z5ilOI$al z0R1ZxV(OSCcT2ogME!FxvUF;cs2v1M_EOF$i>sm= zCt=~7{8#z)>W`tLFEvV9J6oP*Ce*1Y5=zHZhxUZ?HHHDeEdTiY31d(s>v!UGZy?tF7ZGoVF(5Y;@HfCCZrOf==+9$- zZ;2xO2Tu}uQVK%N=pTtdhqVgsw}wjFRBPVvNuEw9oRzLo;c;=2DI^kURjj~^%bJyr zpD21SdUlNx>J5vQ_SetVkaUfyC7sN=!iqWo5(H__C6(F(rX@=D6bIe_C83Wa*GCnt zKc+Y!*|vN_m5sMMz2omB35k?9s_*2A1uc&vxvMVif?sNLL{`>#QLy(55RDV6H$>>r z?5^<);Ie4aw~NPijVBGaWyMX`#ktz@let=oh%L~y#&?{Tz??0SUIj)ru8%jhJ6#NA zXmN!}+%>YDwi3RD>SUMSxL`cRWeVzfBesSTar*5BW(fe9z3LaGzXJ&+cYZ; zK;{Z*NsReUx-C$(Ip&)_^gPuaGv!P_p&*+j0eF1|(gD)WO3 ziF)8WNUzFXlD7BgdEmgy>-KE1lUjAsc`PUCR;j+BDW~d%7))Fz*E3E&Bp0?xPxtGf zJSu%e!P&kyYH>qd1VU8eqNm?L_CWR_33g0I5-aW$o2~bFtSt@Y=5QPzgX_U|k}JCg zAH^(TR4Ccyk7B;uLzW>=8UdU585Clm8R%q}P46X6J>%k#u>6YBUgvzBK0=VlY|*C# z3^f1Z`Og*p_BlyiKv&X+)<1t0P2V!@VL`CRi9R%dfIgQB32YKRPLs#}Ki~}xnL$0F zDQhTscdN9!-5lIOqy6veg$jSJEcMwQ_orv~zw6xAse2r(kTNs; zHgA;O3kFG2-St;wA`IOM=KJa;A7ZBpBXcL-i|lTo>?(|a%EuDxi?sBM&k-|{Xv2>+ zvy&nFc4!{h1eq-M_Ls`FXS(?zoMsO@TqX=VCcO_ZDq)03N*J*e#ZM;lCQ@}*#MwNCau-m>+;Pqul$L`AduEalA}hm_z8&|ct_X@3 z4HS(J9DCUqsPOwW)MSchbvswwD6;@P{h;ChEl6NBVaJ^F4h>M0 z2%S+A+TxEUc(_WG;42eHhimh$gfqo|-B5jhlMo==Kp7sJ`1j136LWe35Bw(ZW8A++`wWhX4mK&-{ zcke*DB?W$A#BFe)2IhFRwI<86q(%R0-x{X4K*+ayAk(eLCv?`DsyAx9|1j8Pr|kN?Sm-p_fwck7F{ zdbtQH)dMyz(hlX3)oNu@{pO1rIq`D3?Fc8a>(#kuii{$Z75rjnj*&q}tc74|nqL57 z7LN43t;7EjHfe(*!*O%ex%V7x4zKwlHnf2{{t$Fz%Uo+QiJ564+{FbIaDV#v$<%$g z7WfHS?+=88)U-1&6@!$t)MW#a-icl|6r98in25o7 zFye-vR#YSIEas7 z%pCvHJAYi{`D3>?2dyC+St%spJ*}!DG@Dr0#c&2PpIs`L z`5~7pFBXVHa*loR(eTE%cV7T@H?8V$yIzCgc}sPD-%Dj z>@T~qq~Y*;&v9qLMvS!;^whHrj|vg3^r z@!vV#?|$Fs?iXP85H4uTu;P83$s{l!V~&Z|O|OvlAIuZF>sa*5E{hNZ*4-2FQ(MGR zjMLYs;GGXBShxvC(%wX>Be0<8C3}rVaz`&UjzV`OnKHXewVLa#h349@rOr(o zD2ceoc;4#A#>0|YI+r>$TQ@PC`i)8 zZ1$ghC}LX8iqO6GF54Er@nfoCdf)_M<}HxiF-f<4>OkwapIi0Qm}4s!ObGj$^t_tc z75l4SUTe1BjUJyXT|dmmY+Q{qZr}ecQTB+DBRnGBB4l_Ib1y>Y&X}r(j zb-WX7TE2IzwaowCEl}lsBmI?&!Sk0C(SOrv7)YnUev-q57LuAn;*YuDGhFTT6~?$A zs6s|IQS$b6R=#cA-K&qz>)$3E%4em7#eZ4mB?pPpjx2N^7-gl#Z3WK-`+U61|Y0uBs*Q?nbC%=cj14_HhtdTZU?S3t6@! z_2nDy56{Z~B-jXL)mr7MPesHD>-soSvIgIf&TIA6==9da^+>mwfaB-&CL21T;PGj@ zwm~niM%l*Ar3^1Fo2xK6k?!GoNz3XhjS2Qp*fZ~boXW}r$Xh49vAvep)A!+m*OJsv zpxpI>0qknMpR-ueO*5YMQBBCe>AnaSa3%8zglaZ?$vD?Dfo_@~2AGWHr5fSaTCMFl zu<&?{f+q|G(b6T;Hb+0Y-Xz{`EOIW-N&4Hrv_1g+OFm3|o{=Ca8sG4)Ef&{3!@Jdc z#T6sfzZ08NIVobhK5)&|1j49&VY)MmyZht%qVe(Xx=E?Y{0|Jfw|CuWoGh8GY_vxo zavs&k&co=&%v`n!vw7;+P$^R89%_`?r|5+yp|&zwact*jX<`CnD39QL?J6$s`(u#H zIitBwv<_)_0a;O0#r)!09`Lp(_ae4C;n0f6{daceDh5*&LfH4lo+VQ z*324tD?Mang(r1%m@LNRxH5$UTeNsA;eZ+ax$H;bw_CV}fsI>~b1gnFA=bp{2VC zs1Tjc<&Sz*9i%&!z!ZWn!oQOEEO~BmJ2!58}A`km*y)}J6*HH{Ajo5oYMzPVKqHgxt@(c*@SsI~a2C`}u z`)v$<{d&{J=kTq_$|#_C>o@JpQU6(u&(R2DdvkQ=l1jqMOI^a(I*U?-uRl}%iOM7{ zl_izL%6e|paRVSbJyaqx-{n+bz6ZKac!M%i26}xlyOL~nTN7U{iSVPl!h*7^#6Yiv zfTtX3FGgo}me=OMh1Hw$@+;Oy%^m;repyEu9%k@xC*t4bDDVd>)CgRb=T?CZn&f z@-H^C)XL}TL#`SJDA_}9s+|4^$x%uIgh&uq8i++8Z*4C)_uh31%FNn-bCrrNnck>L zPlmYCtRhzOL&+~%8pNq&0irc6HD^^s>+}7ijnc${5xnwFMZ=4CJcW~`Y4RM1S_2hop!y_ z2=SffGuo(W-ilL>$KU1^IyV%M6RjK8^b_nu7lVR}&Oqo3GV%1z5^K=bYcQbbmQ!Ow zgK#l-)x0dAG3!73EgBFegy~LzauYKqi0uWAW_si+jJ@(d#~Hw{?MC?Z^O6nZ=wB6< z;+rU8GQAzW5EwPh6nDWlVb^4@f@_fm^K92D$SvR-;K`dV83=T!crg0N1E6-%PrfdM zU2yPd2}l3hPGhDMoJ-`T5jKRoHT_(iD|2i8wkv5%gZD_8o(%VEdV4eC}q3?Fw80zX;MQU1frs8)zK zZH(B*!|)HTto*nyPd*y%@iSN?0|K3;dJK#noYAc*3GM3S*J=NujH+9RTxn_5K|Q#^ z0teoXb4G5kkJ7T1U@DQ)QGb_pD~(I>??gi`gl2>Q(X+VCH-T%YdZv^!mv*lLP3?<^ zCdPZ;3%m;I_eHAPi@(D~e*+2oRE3#EY*(Q$QY=BOL7nH?vCoUh84B&7U)xFlY5FNI zM@4o-h+5bh?&ja#{JWwT;y0Gwa--w;pTs(*XeY@G4gwM@rH9Bzbc??~tOTzouj^OP zneA6!=xQWx=mz0dJdF(PxKSdM3lmaz(H?gqbWtse5PHsE0!uX-pUZ_^?47ZD zd>@dS-07uAYfyyORQCcBwjt>Mq3f%oqU^f2Q3P~wF&MOjA|Tz(5TYoJba$t8gMu)0 zcO%{1jdXVnp>!kN_#M>eeV=#z);E7V%f&Nu-{-s|8Xw|z^c$Ku7>I}R2U;r00v_yJ&nGJk8$E(Rx)4WG=Y~+)^ zkv~3s*~Yz;!h8FQ3H9t#By>=yg)q%BSlX3brgUv8%`WoNFhs0o>3P|;{B>!}I{}9H zugc=J+-ofV?8`-l!;C-PNPVRVX6dK+k2j&cdDTd3s^4dQnRY(0I@prZZF$K{ykfe zSsnRh=X|yR`J_uc4!zaP3rSyj(%hc{5E&f`?WUQ5Zvi1%zSG59XjzGGD!5S3vEylN zL?63syrfv>B;E~`R6ahwOXM3W+$F1GH?d^(iG`^5JyuYaWWRGDCKD&fOVa6?(=nTk zf%-ED!UhpM@hPC%%DyX+4OYZTnmPD8tn&cK6pCdkCaY&Moa2`EPwu)E$}UH3!+Hr~ zfAv}?&O%d!lj^}Y-4$unMe?uDx2dA)yhOVZGEm#pd|~2Rc;U`m8XvlA=#%ZXa3@r4 zI9Iy$0rgs+2curE^-X}d555xYeHY-VUbBPYEs!e;5(z^CA30Vpkw`8HMpGWCNnm_) zE+`0>_9rHbJ1jy#>7ZH=PmaqjPlT5!m{;xOF<2pTU5jEv&_`OfZxXY>d z!7@87VC^c)ztFj(jX5_0spA&XGki(jaQXOqW#!pWgJ$A>s`KgmbKMnCT2{*-8QqQj z@^}aof&@~Sd_r{sgpefm#;xioTDbtT9MzPLZu*^66a`y38tVqIvtI7Bz|PI+_)@kd zDV{dRG9C>TD8(++e|X}?fcVk9AmK2gvaW9j82QSu%i3TMQ8pHc#G6W&0JBnxDLutqfRNoHimddxa zFzfR7segY$=<-5dEAYL@)6)sl!9TIJMsu?et?<8ZrMrh^i^<&VeJp8Hx;Wavb zq6(n35Ks zqW(3bP{7oy3rfguNf%t^E5yl!twkp|e3`*K5cZzL*6^EB&wC*}rm~?Gl^-Kj5=uf1 zORVnS1LZAK;bJJOi>x2*aYib3QsG}u=PnGAVexMFjdB9dnCl0*&CC=+e zcj}jP{$mbysp+03S!to;v8>^Y-q4fOXB!xC-m+{{5uHsO7MVgnCOehGNOHzKuUxQG zscj+X$}S{p)e%8!A8KNGc8&R1*01hsTpCw(R45-NX%qnizK}5*QAa$iNXx|h<+7=0 zWy6rG{PQsMM4wUdhki>+b6e@nx(n@+4$$_QwjZ2ic6A%>h3Q~177XwWV9k#FrHp0D1xoYAq(e%a zEDPR<(WC#kieSSeoQa(xMmb|#Z}h*m3E*!NUt|x37wmuSKRQ^668)+;a;CeSN&e`u z@rloH7^&Vft2^Fag|YSTl<$<;H=#p?Bno?th3e!Vn{*`-N8vKEe@8sIF+$i29_JiB zx9MJ9dZO&Wn=BeB#(HD9&{_bTqU|(7cH^=Ay#$8u&NT<$?ga1Ca8Q%~S>g1slH(z; zr~;1l)~9wfpT?@u7F-B5TmdBh#Y5S~c?j3+;zFEAZMiiN5xGg2I>Mwxck9y;fe@wO zb5h-%Ac(dXomvA=4Wll3#FIg~hY+5GHAJ{rt4HTAkhGjBfBjDrJ)n&(fMc`+s@|?> z?i$8h1)F~N`!TUwsft8v>Q?svVYZdw$8~_yp3>co2S@7~SLIh@bryOuudrcsH8qoF|U(hchZXTdBx*AgeKMexBE_WKNf9(%X#h09D z-65KPXWYTZ6sSOCJ>`K%d<CLKUfsDrF1q> zUjHGSjrZ#kmzWDN==djx-X;4#KLe^Tk6y7@g?74%*#hXjbsrKD@kK(dRm`qOr{OR)?Bz`{ppB`sS zCh8R0p43Z9AUQ8n7Le|Ic;CzIb=TCtW^~)83D!6k>$Yf$4EIe&zbe$L<+t4WL_(fF z@8dDt2c3FXf$CUGwx;f&__4d6^b5`7e-(WEdCGHZL9dtVOw5ylfKNl}u=vLY zMgp^Ap1p6tJ!+cW-o_})p@Et`EA?y8t?A?z{6+0`7t#L|!~9vO)jm}y%yKh5uFBI{ z%X(a{{i`vT_Is<_X5o79>$g3#vCi?BrCI-)#<#CCdw~vne&;xpmLiYbv zL6Z0A>L_V8EGfIVF8-^Uv-Tokc6q18pQOxvC=fgNqw z-Nf3c+bxbH%+j(krphkM`IaN&>+qh=sbx9thsGCQC683$vFWpF@tlbAJe?GaCtu`t zdwKeg_xdgizsp^{TJ`k!64LT7HOLFq1AVLgFW;$#y+{Ncu-eA~ce)PWFqbg`@`2a# z9;0`EvYJ89rG1R!BHl0!D$cw1BI>$M(b-nN3Fi=ZE6n{cr;XM@h}iqUJnz%7c2r{< zd7#*L3DaJIcK*J&&4w?O@>(Nu8)%HUYv>Ex>moJ9rSwBzF?a`A{UWAiU^c5y>t_r? zp1gjK_b*++Z~5A}9Cg$}x4zH5{pn~-@OhQ^Jm5m`06ZS~5SN16J}IUQ7xCVzdKucC zQ9TK^@mH@E=8X;HEkCv|151H;eiNm@Dzy)4Naa@Y-)mLKI?8?fP_Po8l3a-*%+%ZQ z@|xV;hd4hb`%XGXT2PN;g*w!112Ox=)7zZ$uJJVfY>HOSdF z`{PT9>%aLJgo+y(Ysg%i4}S*On20Jp+5(MxG9hOsMUDpDhHH&-YYE34^cebn@xJKxCpm`+;#$%&tww2GLNDZ0rwR?57qco{dd$C_B70%&-! zX`#!<2hcRyVYUrzRuxDa8b@g7R3QA-V7KV|$$a~k=1&OgJ#^O!#8R47WdGfQs*j$P zv-X8)h>Hbz6^ERUogNB|^45EVukUaCy9O#SVv_yj{`mu%rjL}~l^ONVWr<-=(an3O z#<222!&R7Q6x(+&_XU8BY$~pu2No`^R1^LCmWtoXONzV*EsWJML3=YA4Yp%Y2u3EV z9XCu7lUKkf+|*rB*>KRlX$-bmxE`#$fY`Ll;2@sxMFp+W0?xkN#)59g+$~1WVMy5aAisHD< zv@gDDxKV{PlwzUG;ajEaT$p zjVF)jsRBzL6$v+Kg<<~g>Mk58C7Nl0u7`RortQ~9_QTtvW~ZJ$FOe2we<|mC^7}^d zAgEkcw--Ji^{>rX4}e2_Tp_Co^%t<4yUi1`J}@6^?vM}O#G1+0A)3ft%P5{z_+<9p zJYS+%rG*^%>zo7sX#PN+_$dE}hS00L3!3~uGXeW@R|tk>=L}bRYvpvRwLT74?ffSU zC&QH?kw(BK4Q_bA|F`{kbVZbWJ73@-!`O)uF~u{mq7A_{6WWB4l-8hPe}Bw{TSr^! z91^tG2^j9bJt&x04*8K%_Vi2q&Ene(#y~d{m+I{A8NcVsK<-vnr#aHIisSu8LZj?g zznaO?v*(R@c${9;T%5*=F;mrzQo`lm42?|FT#=d~i)?r84|kDKyT|eaoea&x(IduG zQlgh)KDZX|L=5h7nsoX?yg_6cPN*h{1}nERY*c}xEDv+=aHf$?=oEe{#0Y#3rdkvrp znJl5WpSqP};p82rhv1SIqh0loy(>}Jb|!q{VZqsmzHgZ;pg#ZCF*g~*mApUg&YrE@6dpwwjdj{^MC!6 zzz3Q_*!gB`S8W2ZVgCv=nWTtlA;Rg z=vgJ7dylo|WRq9p*5R26JIG-gwntmhl70Cf`l}TtR#&H0=5sH@DktBj%h^^Rp}UJY zIxyL~wm8M5D4`4IS^Tui8^f!dnNf<6;$n|4w9af6Rly~qj@Q;-$Sszy@(aRORR+1W z#(d-L;3@s_E0hgwpy8>+cwCofAd$OVzm8Ozntd@NDYU81z{}~?MCS=z42bC8Qv*O1 zlrMb*2)Qyj?{n1sftgQNxSaXRlhd>)I>yT7$e_8NnB<4j+lNN7I+f#AhrN^$J68;` zCok>IwDiZ{LEE2BiZ65JeGW964J7i*Wzh-#24SEGrsA@d^p1|Agx<`i6l~NvfqMq# zHaCnw&&Zp9xt<<|WPHmz^ozJe>*{_=Wy@7feR*on|Dv4|j z@p+iSuC|84!r~}2JArxDad}FRr%B7v(IJT(vF;r6!}`pXUUME{YUVTE8CWIq{r*w! zRGAFm^^BG{Cd|@u6lHW4f^;jo7uw>A1y$Zv8Li7Fl7vxRU@L7u0=UJcE&T#X&6=0; zMyj71CAg0Q3nV1~mPw#=&^sQ8B0`jXEfr=Tva)$e$L`ge% zppcPb(nxM4Moij#Dd>3UAayPd0uH3DI^7uctZzsLC14#(h{`UT2 zeMH{|xBQyZ$-z{IGx;~9Iq84~yQ!!sg%H(e86J9pN%&IdLU!m`;#3u;2U%6H*oeCY zYr{%&ajHe|iAkf=4?S{ci1;}p_C2Ca;yYFh7+E-Z7CIcBMBOn#%Y+#p6mdl4Gdd?| z3aW?HU_HGi-T8V0@F{)~E|yrCnf9jT*S52`GG(lFr3Di~)NewMrYC&?f^n7efhx`F zOHuH0LV7S!E=P&5!QHdHpeN#QfF7}gfvXguF%;_$d&pgPX0Ki=V^L(y2_1eYB_|SJ+G~ z*lerz+j?LpES}c@ND$RjUzck1zt_iE*+$-xkBDG82pgk0eOqtVR|DrZ{!T#`%{(Pj zLC*WsveB4`hW=%|S9ti~vI*pZ+-ob{?OcVxOQln2x-#vp-PC%;!DALBn9k&iDgCMA zZOwWtCu=J2y=skslJeXQ;>`_9id zH#jE);u>nApbF` zb|YRD{;klpi(?2`6--=}>{~0kn}zZn6Gh>2EAboy1hvJ^dhr|YilWz@0_H)zoKOjxf?|L%u7g_h*slOpnJUi!vk zXyJ4Evi%6St>Rfivw=uU%JQB)Eojfqejwx3e=?J}kxI3WlO#=W579BVo*F|nX%XX3 zvHQ{N;77;BKBhBqGA{S1AiDJixbNt7ZYL4Xmk_Mi|MVoZ;zg?sQ{}6rh!r*iM~&@K zxXLlr%L9*W_@R8O|7G}zmN1ZE=d`xO83G+9i^?x?;IGjBw!Srd6IZ`hUH4eTzEgL% z8gM9ZK`i`UgL{uuRpI5+eIK`~l~H7RMOhTPeJPie&9DGZrEcgH^h#U`d$w`SX=Eqz zdk=yIgVib9C9wvUk9DaS(P%ul>@j1b(KQg>?W6-LUOP@op`GgH`f*Pyu`uHEa(074T~2k^2f$ zfP5sVbOD#36)seh^8k9I)G5#sQgK_YWGPJ-$_!AL>lFo!`=I7!3-ZcJs3_8T1Mggg zz6SIq-tu(x0&;-xv6Qt83CcA3+v+u} zd4*!5!-8c4`<{uTEO5QaO~+N4P^zf3MIR`OBj&4C+XfY?AIEd)wI^`i?(XUz3}rFs zlxXED^Y`NlLo0$c7BLCZQ5h?4J+-BQBdNMPkNC-M_mXzciczjq>!~zZbJllqI&*HP z;9j_$C~RQ@r_I#;4}e?;&kx8G@XXF!Ej4|S*=tgGMP6jgIL-pH!FGVK{wP3DL?rQK z2J}XbM$6K|Kw(j3eFDI|*f#CEM8k{Pe%B6BktbLlgB)?I=x#B(wo}I@ha#J=G888TRAu zo~z%sQd@6N*3P||Cp16MCoP`c2bB5@P;d(?I{RGuNIT+ebat2)#gJMD6zu@zGTtEP zxs{L96fD~7!q(HOj+1-a5-Qj#dJ83I5;K{d4w?QI4g2FUqB|CY99G+D1+Kb{vxbkH z$F>RAQ}-<~V5r^E=sVTcPeI!5DX#o2myu)I*{ijRWA}mA5hAVPZUhh~+ zLF~*T`WO8bZISWI4RBLX-fJp%$;QXGIrEU5n2#OfO3;ctY~bY%JXl7Hq1?=$*%c&btGe$7~P=2`DnRaW0iXCW&&d>QlMiN1SQ zv1~sYJfeH-H&)Ruv4~-+3pnrNf#=%!IrW6wIe|ZCxU;6aQpn% zv~xT*W#!(&q2ASMdouI*;{7?uj2Fk_)Sm%us}4Usy38Pt1e~O@S%SuNtc3!h-;1AG zl2fskQ_}3Vq4SDAQ{w81y+Hk=EmEIfgl9&#escJr74P zkw36Y+N?(&a~lz)rl6ZB?nr|x7o5%aGHs>Wp$SZ3In zuz2RCB*u~li5k<;PYmrqHlo=GG>2-j1z9GY9g(0!&%A3af-#OiXmCLmGZJhfmUCuk z&VryJt^3a(OQHV~%j`S8lU|#;7H?lCAfze?QPc_-5r@io)LJ^;UPi4q^){L^zJ~Af zwfJM0j8thvI+5|~U|t`S#|A4J5t-XIjo*rskEHl4y%4PXhx4Rkf;tN)dGJ*_(}u4? z74C+nG41qI*Uu79i<3=;hy$(>pGba77|IOJ?sdMAYuvXEQbgI@dw9c(!8-*8?Q{-cQQ=)g$;WO25I%M zZoQO3E&P;!S&}c=Ojwd_{#7sRnfcltuS-g)#I;6*a9{=2CFl+X)zq}6E)FTI+!;i1 z^>yRZfp$y|4s|%Nv7=L6q*9cr%{oAcSdfm3myQ!(4K-bYQPW~mX8|A8e@{IL;faLQ z`@m_vRI9gr;~TO#GyWl}{|ebx+Tu=Plv#8(y&9gulqqIEor#M(nyIl~M9S}DO}eeD z8B^~>{bHNA)hxf>csD9FQeU7xpA3L(uPt#FP#?5Og^RkBPVh%OutK1Y1V3Q3TOvF2 zx7s>?!ubRpX1DZJ2(_nV@JNbSL#Z*@TJt!Cvj7pY^Fr90%+5}SZnX-Gf9CWXyVx9h zrJPwF9F;h>(kYv~7;@k{z1ACW)G(#WvKdxG$^5ng6g}u&^kkqSAuZj5+2j;&NEAkM z4Y48jkxbJ+{)WQ(fDZF=vWi>B9;4D zbI*#YPAF1$b+Rc|_6*Ias_L>O8}iODv%sh?lAg&m{+Zb8FC&RzNdJHmPeN+c}F;*+@OXTc*QAYQE9e*i3aJ z8{M2b6|kNmw?X#gx8ge z?w72moffemVZOWf^WyXm&pkQpTepHfJ`9<=gNG|dN# z7)#=R$DR!+jmm1tXF8_keKKm7Jla!;d^51D!P+-29Nj_m#IrXRj=<-WFX%wZYNfR zNhEUasD#(fzjvfHSPV93*=}}7@&)YCimjNk>=<+WjH) z19pGa!F>&4BqSIUDeP!;4Ju%)DjG%ba`^a10=u~y>zoYbHnH-MU_YvnRBhQwMp4UN z8`#dxQV$z<57u}5<=uBHau#of5)_Wf-}aq4)lQhQjO zvJZ|gqx-3G2u^8HfEjTe{JvG__}F6Zes6#pbkba%cs9mSyQD<;`P4k2r^+^-H)UEn z*pas%5`8--!w{y)u$4x~Dib}iSyetqn(3}1r)+KRaB?{X@D)W=R1N$7C%yC2&f0W} zZ^TSgDg!B5Iany{jlDN@mA{|s#K#5+B!D;Hex?liB%l@dYCJLq)wrFyqK%%i({|a2 zz*r{aZjHb+uFD)NyXoN&avs`J0j(BiiJ5RT1x}u~JCO!o=;hP(j+9!8jqir5^Bwml z|2z?C==1bODxa!Yc6VqCM$$f8no!7Er4ZEhWN|-GMPVtR+G2huj2;Jk`*xrZna1U} zRoFDahKQxvj&sUD;^M9AKu$ZyXBmj%)ix>r&a2A-KF@gLve9#9^uMn_(a(j?B&G67 zvAoie-ni)2A$Q_+-d7|QT$+1}?v$;+9!V9iKqoROEnRK7mCO2K4Xx?P?QaDc&uUG0 z74^p=DPP>7Z7ttnytd0gwrkj9Oij4|=En+Ru4(UzG~l^+T+UyC$51kl3!;p^u#W!% zB)-+_kbYH$6TEdir051wCglL9*Kb3~O3dqqkcl*iOB5^!trSc4w{0$r{+z{)X#K9w z-@Mgu%0#a-)p2{)fsdvJlL<^#hYegsPejq{a&gs?)iDmLkID)&Y9n!!rv^+_IS2rs zfMVEuH7oeOqCODR-|+xFy^5_Mnt}9xG#Obt5`SRnt$zCziU0iyUL+9&{F#CKfB!51 zy;V3et)I5H;{WsMBR-M>|5AMX|NSZrw)?`lfu7z<^JdGW^Bx*IYDy9~5VkTd_Yw2o zJN`Z=;Ld-aGyc=Y;Bt@q*L_cw(q)&cN_)-Y?>#*|Im}tNKgK#>Ej>8=9)Iu8FZusF zDh1M_)A^z+XA<3q{;2RC%hMm8ErE9odw*1re(?c&^!9_ho(le3{1WU|E0LxO0X z%jqq&ch-?Scz=HZ=@X#D2mgxt(lV(Q2x$k>k4uva0*m2EP+x8ebN^cQ(dh8tdq;Cb zSEq=z6nbwNRz6BRu?8PwHRGQrAbEQJmY-O^}~{|*`D@1#?sR4QG608xt@mO&uaipRkVCr5p~Rdr56>Z)~)YWRI15b`Q^S``9?Vg3Gx6))LXIr$6nD$>1X?eYq?s~VTp z%0!IYZz#JaPUNK@kLy3G>-6k6rz^uZ#D^Ir{LxL#?td0CdnL-(umB^^{4;!H0F1oF z&By6BHR-h1kW*;)Oc53naX*6<@rs!Pqloaq%O)pJYoX2Ot0=kI#NS`e{QMBSv_+vU zkQI3yp3GE2)(XLBlFa60Fi*{gw@wv{ntv4a{`!#-`Omy*u>R49irG@}hbn~fbIY&i zu7{3VWDF#nZ6%kecLF;2E>MxN4wkB5CgR3wGxeqfG~{xv31PUn+wtR3l$y=1Re^kXFRAL z(d6vU%%PpA-kEx3>#23|Q>-MHfuFd4GtK1syz(So>$6;3!DNKYz9J7wxcexIN)}ZU zc}XS>w0MSu*5tKX$;xoNiTP8$%Lf(6KzIW`JUc&kN@+V zv-dyDt^b;wVm|)=n2pIJCqqmn&hwlA2S&yL>aDy^3TP3bu%CPsyizllRl788k2+`T zoJ4%ovj_R8BPMgS#ck^=&B%FF_~D3yBFk4+GWx}YZY~**2NibrdXAT~_@e>_D|ou~ z&wq@%_9#^3B3~$kDsGzUOZR%=Ts_^CjiQ|f zMDxfw)v0AzEUfiFIWE$@|FKMqwzG{#dR+?Pj>OEPd>Kmp&&ee#TJPguf-B4Z?(5>@e~CZB$xtHB)O2F`vHvv7bViC?q+W#L&0&8B9xnu4v5b)ogTYP| z?NYqCw%oCX#24^*HpK_HL8vaO73k$INv0z;(gc>aGc!ZmwX4KUMjlMmsbft@Jo{ks zSml{p-GRx4-a?L=slIi>Jq{vGGTx(++`Q?6TK}xlMkji zwCmS@o>f{`9eT0ZFooIMX(@bNthl(FlqCF{G?7TqqDv;*z-yUtX{Ljxyh2oYoaDgN3-FCzRw z(Nx02f?pQJu|`8WG=1%@N<*fF^+M#>G*E9NvT!C7fhOuv+#SVfHFF{3+*57AmYo(> zsT0RF|2w}8F&GKI61XS*IMZvw_oM}rq_fBU`dw^hXrcmQrYqU~n(@pB3F!m^f(oH* zc#n$SBH;tTvU76MOMkx4$^pM9!h4naefc5a_4ECo~?0*FyjLGR;iIADz~LcP2-ne0^P2 zw9xd>e6W$&Bd1En+^2@;zcU{er1+&Tsn)&yIYtMB=mlis$kSwol??o46ZblSk{Vow zKU3#kOq2=Aif`G?kjD`m0y)xKnSh9q6FmzK0kYo(LTL)C=JVEc%C5(qjqySPDxz5qJQyak7Z`;s z+KlGd!0f!8$a_iLv=eI+Bjb@jov^z~z-R(eWQ5y;p$Ho*GAtJ^ci7lntMI!vpRjq0 zofs--XM}~u;`ol|oB$t}!p70EZd>IX3iHTcZCJIA^*^`*=EM(IDMsYam_Ds&Jvx>G z`KMH~+a3FRfoLE_m_M-YyN6G&r)F+EJ&Fb%L%M*Bx|pJ`4pc|Rx<77rl~fFj#B685 z>E_LLu-waqpaz0B0px0l4;RsehW!D9oLE|t95y5RPW`-d(PuboROdHY`<2(;bss_= zso3IZC>)PFm!zsg6RWe=6w9LW6ePgfmE0M9C;iVk&a$2=g$gUDy**9S^nTh#FK8Wt zfB?8{Ducojp(kYxHKbO48n-oGwiUaB7+D$$^t!D34f`hGyotKGLQCQ)tHEDb9yH2#o@w@T3Q#%-r?zwTJ7^;A}z z=U{IF9Ea5skN*0{TSjgp1O0TkM8Z!64)w;l#4G%>Snm8&t1>isDC&kCXuT@fX1_!2 zm|bnuul$4K@dVrY(K}7uJ*Vu4E%sC>_nt6TgdW_>xzm^koLCPbmn%(b7)#83Go|82 zu4NXwE}w#0QG6*Sus1;_*dzIo`+FQG-wD-+H$5erW?6rQq?yb}^*b!jY(xQpPTpPB zU`uNtF?9gLOwR$prJZUVY~mG{(t65xRy`}hkUKpL;kGdRETh16cZ=Ct{AdvL<{x5b zU}MJ#KKvO)0V&p!$nm>qS-l7g_sV<4nVLw8;~b_CG!rr^m{9}*?QlY2llf#X|MbaxrGD=M-uMF{3aE^Abo8~)bccOch`8h)%9{VAIeb&SUzXEY^j?m02Q&kigOVT3* zGE1ZBA|;3IYI*G(#Z4fTnco}RziUKCQ>f*@A!c=6vG>V4lplkUFB6AS>(X-~Z@0(L z`vd%;mxFF!S+l3zjq&NdtNmM((*IGeR)?b@_C33Xp)$9FDR6*1|1}c}Cg*;X1xIyC z_MSQ4z57|X@37LSda=W+%(%=ij8zXJSUjIm@9jmt!aRPQ|A^8E3t*UGYz?v$7Pg1M zN7565;;*hQuKiEraf=3y$|#GnLf?dYj#IateicZx6Y76I!xOmT7Nx`N5?s@mUhMt+ z^2fbNm4g>K_00f`=mgQx67Z@6HwYvj_eNXT(=M0>_bbPj5g9dHvy!({>W0s?8?Vl0 z8ub(!Fit+P*FuMxQ*fp2I+fT72^Q8g`sZjojtA>R|09| za=4ocPykC9ZVkH!An(v7W1U=Tjho{j$I7(f%(&AU;`KiD8SK~!QR5bk$x8NL(7dXI(8c`?benYnn1s@Z^2mh|wo9zs{2D`?GQNUHIXj-lg2Fn-umP1l zkh%vj#cUeuaZ&7Pxb{?QRNc&PSnv*#ehXMr zMH16wajQUy!3F!995nc8D~KjRFOj6Q`JcIex`XEn(g>0|1B2)5spQVFM8=Sf)kuF% z*4*1gDe;k~(^!JPjz5k#mKw!Fe?nm)ZX~>DClj#v8SQ{;V54zlXAY>Q`7^nvYlK@-v4kW`Y`*r_#Ayv`K3yhH+hRKTujx;?BsekHQvZq=o- zwt7&Cyw$(n>+j{|^H__WtPMVZN2m68j-S9gx_1Z(&`-a@MN9ykR7eQZMZI^HNY-GO zk?JDNKGbg9^Ae7^M`9Giu~k+OBmgZ)u1@FUR(8qtHAHWn0K5qR7k}P|`=B=;K3{EH@gV_n#C={wY2sZznk!~?U*KtK$91i-It$B#`INQFR-QlVj}>BI%h@&sUaDPYwTEIr(pn_9fx;@p%@=Y zwVx2tMm+3k6AbyV6$>D;c(2z2ghZZ1n-qnZ35K-G^=fN% zO+x)|?;|1c4FMenpA-cfggILx8i0%VNQVW@qWe59(n@TvH&bhbz@YP<#u!J8s+P)c zHGCM@V)#Prx|P~ZNJYzGxwD?CdkkF180AUM)GZp|8G|h;o1?7|WM6kI=RRCnJFvCl z3@|idq(;T>TUARo6y5uC#?<`4dmj7llwc`u!c0p`4a z29S44CTYe#k%@@zmEPlT(ev%dJs@7ef5oNQsOqmKE@Y1y)rryQ1+Yi~IXFx*g0+{A+Tr}ktX9P&y8rU@8K#%JoFB&vUXuAB_ z0w5UX9ktqGx0Uv;aTuedO9nu}r0Hl1%UWM+Bt^L0ZhRzcuh4Y>+b$;>^HZS!G?l}r zV9Vr})RQhCFXlk8S{Y&LDK*&@wz-~B7LlgmEWemQz4GW~%yhp6HkJ;A(gs}pNUDgi z_t|uM%o}Q*^1CMQpuWU5+Xt&pE3qD(wV z7UTZ0xOWww-ZUNt&);`#ICcA|gQRS^vufMmWKe*QgmmQZVzR-m_=BU~ZW-*H>FMup z6*+Zb4Am+S2N}skPBprGllXbB-V`M_C!hiyec-(0sHfxqwtq1qxKNMi-w4+30G>qy z?@HR;@RjznIHnm}tNSB5z!*zp9|_Vstp{slY^IB>lN#&js#ek)vjgj5S9S$_Gj-bI zF2|a}{Gt@?8v1s-09sQfgu~}MNc=${lwzIo-1StsE7}X>?8IHZKk=gZeyGK;S9Ks1 z>3b;g0zk8Rv<;=t4jIE_j9mmaCqvysQ74iR92#`=C@$xXx_S%wG|8y;x2yOR7nF?M zOLfG?G#K`YBD7g*ou<4DV?*{8K|Xb%&y)lT#1Vy3;Nlv)j9CxNPVuevTVfQajM6@K zEB0xpB*a?AoDe|SjGw{_R;!iBbTAWL(iDe6tfuhwo5a^yqVfdm-Drzw5e42JNCM5Q`);uqN-}Gc%<8F8>{jk4zrO z^#w=)A?f#U91rPz)4qo2S>b5_HBSk-Z zv4ZA=&nL88w#sie_3B`!Ffnuz-(a)-&H3k{ckf)fzn5gEgmz2fDY$94a33fSL?pi+ zwrew$)U*?qK*sYTcF?&&0JMAZezcXkH|CeE9(U^{NSxV`VlhEJO>NtGAeAw7-ewj7 z5XXa!5765JjCO`fZJ@;F_N;3QO92jt=Jv;@3w=C}*J~Q?uWstEs#HF%zkkO1m>K-W z2!tx_*N(WHcA{*K8v9_AtNtvV3tpKadcdSa?u}vIS4>2rM~4)Uzz;2$o*5xhry`~* zckDj`aU#EbZ{)+ipB8F$j^V9laJhbGI@& zEQMKVxZPLn=dQAx#~1THi!2DtGc42hRu1dS!iP$28Pgi2KC@CZaz_(dJU727QTDp; zf2K_>dSZ9nVF8<)jyinvEC4OOCu4?c;PeSw$bYJ ztISIxYAi)q`p2K`1j~_TJRb8p+XfQB9i1ih*9Tk<3VnIcG=JtPZt` z6jAY)qwHG`Y6YM-gbpW*mQ{6ehkKS2T|Rc|W@womcs4j=A4qS(_NXY3S!f}Q@A;OC zP-E(Mj&dPcNb++BNUU4H703)F=tem!UjLj4{az{7(85W2jCtr0&*1hc{MBI$5eT~5 z{Di14xfvc0+8;`Cjxfi_aO()ZcPc6oz=fVvl=U%^tZd;SX}-L73BMq|es&=yi+MpI zdO!J#{2}r^M?KGjN>yJ`)WOvi{6_>H&x)PSjwNZ%{LJDG*fIA^?*}d*BF`;q~IjHi&7WvWp#)p|)9Bjd{NVz^2@V(F`av{0b&qEiQle{rZ8}v<;vW%=jw`?TM`37o_0swuj$gpVaI14H#-X96++v6^en~>zW*+aF@ebHCOfn^adt<57;{0V$dx1N%^ z-ch-?IzUiq6QDqX64sc@b5-O>B0}!I?x`qCJ=&wQZ#Q4EZnV`mAU`h24mPWm$A9u_ zg&W61B&Al5SK6tT#lAA{!5>BiJRl zom2Lj{bRl9ec3YIGJ#kRE_uTOp``e$3uN7O~cee*L$9Y7QS!^r|h>`sB*@Of=hw;#{npV#tfNQqd&D=3+@Eiah|s| z@nW0;8y9yxP}v{m&WcSM1cd+>CTLfQe5cEyK!$!9C2Gq~O}bZ~d5R>zqZLCTQH?4N zcX~|hFsy#!LyUs$Q;-1xEs9g$2|oN%G&W48nQ=GXcJhfIcjK;}akt}ghaw^MK?3tN zx}WW9f8%=*c3E?(*V828HDS!vW0pCsILYTETVpD!?^VE;pV%Y*-gDR3TYjlT_=rCm zpCRzCWlQ+qERa2SM#;2d9+O_y$KA5-KrO*_;M828x+eDEalGv&?deMR zqOt)xK~e1#UzB3eN732BJO`mou+W|sZCPO_Wc>};=ub>Nxz8z^j7u;IB{~d|kpiBb ziv-w5jgg)`II&o9GdJ#GiOM&68M3xrSDXJ3wPKN_UidEFhZ~hC9+vf1J|66Q%d1v< zoz9UbizN;u7vZo#xyWk}PSN~EO#kE`@j>)4`f+8q0d>mFw78&no)Ei=g06{oN8J}T}tdg_Vl&- zd3h^-5TUS zkU7nRKiPsxaVB{~20U1Fe%Lb|P00)^_J-?7ur~gM@QErNHZ%`qrmBw;F=a>{4pq~$ zEE{#$v5Lh!xccnq)J3%%`QJR$(bI}Qtm&s`f<#5c9FZzAN-~PfYLGCGy!S_5(acAUs0$=wC~K{cMu+ho>|2-K`zzODxNaY)#N&Rv~B9MDfh z-L8Emw_0J^2Isn1Ui(ZG$8DujLh*nq3LWi4W!LAs%fTrbxw@LoiDL0mE`~1tU*F5< zU&%OtNLLE}JYC@uh02>c!E7=QSsxFk0e&Rn$1!8yR{^8CiXz_}CvB(cXP5T9kl5V)%2HghTEiEA3 zodVL0G;A6~y1N7K4n8()9#_kHJFXaAv>ihJgnXXc)J)>`)(FQcMB z6{461tJ4}o&|6>&VtKOOF`eEkL7q^o+bMM-CuynL*^64AkUDhEBPS2Il348Oq}{X6 zBf(#om~^e~f`JeXuTt{B+k(`$^SFl?2#mH@vPZoo0-iT+Rz&crnB_@R0};^u;-QL4 zaVfDlqr!CTcRkbwIN$89Utj1r_ggtn(O>-yZ~QyO!lhEOI$}I?EJaxfxZ=X zecCfCG6r$A3S`J2KAc8!C)(a?1p!_fdP1?>jh+|)4sbs;{HUYrwld-#l^8vp5`5<> znL?sk8G-Fu1FEtO-_34>F;E8&7T0AH4vDz~j>{z5KWWHLUT|K^GI_#A6Bj`wz{-<$ zvB2+|>^i*amL1);le}f+en-(hsY(V|Sl&VLbAt*uv%xR%KPbnwOCnxgOOP()RV;jj zg_CK9)%aCmb7}sWE`1nxtl3=%plwrqR^Pj;Kb5GSYkR}4u`2^VS>FuCQla~~CtVdK z7*yn-T%e6Ugz2FE$tWj;cF4^b4G*rBUHis14S0N-V=)_yGyIcy>zsd0jn`3z2y#2V zn^Yr)RxEt2R(gq4S5VFtWVLhzJj<9&Q_FkDbFt@p`P+Qg=9jU843& zll81jrZ^Qs^MSO);@L>4TzUCp&82ga;dHC_0Rur-k7|OhhgMpO@RDxDA*?HN;c&rG zzLqP+q^lJ4AbcS8n4rJ#wjsUZpKYl>-JhONr^U0*Zm;@|l@5I{1+xc4rYC9*P(+a$ z!Kp8;jsK#)(k#NQ_xc56lV9PPtb7Uj<+Kt#iH)42+_<7wiW%@-{#Q~g&dp71O;+;4 zWbchtNZV2BHOu+QV8U2zuyn(41k(AW(YO4m>;7K>+o!1uNv`LPlgy)oV$hTDM@aWb zVH9$b8f9}3<+SYSn&|#7GZN6E%F=e__(EKNRRU(mI_Lh6zl#5G6tTpcFAOahI33cl zwwBDy?Q#ephzR!jWL&?tWSV<_nKKUe{oFfxg(fc~ec~$H0=VzJ3@phpzYCgG=x zj=|8arnznJabItfarM1|nic~6{VUcRDtmjk>kpMA=$_=9WSL&RgjOC)EF(g`&j8l( zIpdL|r!v6rMEV;dzV_28;jI#sTT`$BRU?M=={S6 z@<+jVg<=HJxu_`L1Zq!KU51okg$EJhA!&14M*jpT7Ce<~~dorH1AKCZ7l(+Ne62Kj@-nfFN6gHLi_^89SP=$Uf zBf*EjVA%=1<#_o1a8H_lv>KdZLYbUBByMvfJ$Bs`_}E$}%U>@UC`MCWv|0@%(O6{J zEPGcSytl~m_91Wj7Rh{wS2neoMX~JN&5F!~gP%r_AYaNuY;-p?Dc!}3&koiO01A1- z)t{)L2v%5c=*yCO=W<9jksSrzNOF6df)BM3yqHLJU^Xvx-MVq~55K(h5bJqJx7U)5 zE*W6klOz(AoJh{WUuA)dk3s-#`EGjfDQo4h?Fl74DL)O{*GfLIi3xp$f??<3)tG-$ zeC7&3{{t>Y+J4rhino^c=uQThP5_dM5V!^|Y}mQ{6_CuCt82PiOw6R5h#4E){)F*O zOG;N3&NuZ>>#JJpa2u)UUCT^YX$7&=lV6sXK54M6M;4G(Z|V}UwW2*M?HtdEs+oy< zh@d;TKJnl{B_rv1)s>>d?;nUd^5)a=pBf1)%;ZccR6&qv@%Hgt?G2lY)^F2i3^ji? zug|+)u&qs_r8c#$o#KrI4jus^f(t>O%eGbzM$Ys7+CDv=u~_b$uq^tM${QN}I35N7 zc)`!=i%V+|GVta;G3P9t)@GB#gXL=uxMDMeB)HL}UjUU+V>`^AegqFdUjBcK|42}oWvHvI#Rp?lLhAXA);RI9b8Pl`Cw>a-? z%2MA)p4>xNl})$B1|D19(Y~5|HQsP6kCgT^asBJNeJ8{pBtHn~-j=QsTJ6V;ZVg*3 zmu$>ywBIhVBwNJ>UjuyqX}3?^o2u%C;Y=pK?Xw3WthKx#FL>ld%%ylYeLLF$-;lsB z&{=%}SN^tzlFXU*ZGUJ++kL=6j9znZ7p)BaY-Du>C_n)-=(E@i&bHU5sTWxh;TW;Y zXBUBO1D}Xni1HhW=ZL`K5G_Bm&NH5=jr7zWan|CCN{I3avp^84y}a zE8X#TKrgQkj@D2+SU5o!Ul=IC*1rsqNWI3Gs(r75RZpDxVsEaY$?;gOykUIN6FsXw z$)l*=&u=wiqA)IG3or$BQ6q2DjaF$*XJs^@YI{A@BPZdF#MIT6+I0!rVj4#a`-n>F zj@Q4Kbeg-wGyyEY4kkt0)%lraNi4o$1oi30AbVL*X#jw98RF?1s_!9SbkF-k9~Kf@ zC<(IJ+j|CNctdEH@#kLN4PiLEE@T&w@QK@1e^}-pRlvyL56K*r{gDJ^BpHfqnGKId zI)FS*!Z_wT@Y4AC_E||&Ok!o05Vs|7y4|nEan5r3#<(4Gm)We+&NM)4jsK3dufjy% zhG(W;rf{+kw1-fNvCd+;#y*IeXTwISG`Q$~rt1kL@<6OgeyDnii;!XlBjwR{hki7E$6z@b z(TwTVy|(8us^dJ2GU2Js$9^FS=63;Ulg0dB3L0$Yj2Pz1IPIKC`H z{f7q`v6-hGtdf?x;%kl?F6rg*t%%KW&ZMH5OJL>?ql20Mw;Kq$Hz5MhlXLkk^xx0p z#Q&vAL1jS^iG!}x|9wSDxq1(64j7cy{~7PZlVO6IVs>i#OHF9e?^aOGpr$Djvf&;C zCIHWWH$__nj<}WZ8Rai^lhAjQ0bII4eNz+h%nuk`a^~d$K;%D@>-C)b*%DBpceem` z#xgQcQ(c|26t)i_+qO_|!zF-Wz*yK!b@L4+GHw0U0BNaa$ESz*g>Ys78pcj^+RtekhA?W>j39}_;oZVbQhr>xm-~Ow$9O2#rdt=u}1X6MMa|ESIq~8!*yWz}d zMO~*r7!bS_r}1E0#B+wKtyZ)EaJi#}?3V2T!?2L_-fZoA_S~P@uS-zi5d^LMI5SRW z`MyyPJmjR7p>kD@wjr{|y_%|6x|i5cZmIE>yovEOICE?NoiU}aX@Sjpc232~RiFw9 zwZtGsZKaFLdt<>UP@0goYXQaLCB^|mNSPa~~2$pZK-@%qAlxaxE zv)QOJ2Qx zB^a;Vn2dOKhJtImsa7RXu5L!0Bp^{|_(oCSn+p1B5(}@bs3Ach)#ZVi5bEQmGX=T_ z8iLVG`h`Pk1oUICR1iIDU-#7pv6?_KOMW^mWYH&@k3Q$>z+KcGM6{gUSn`%l<9Bu# zf3apqY*Hy5xw&!=1UIRk|9E-!@AbLfgK7*nqX9<=vPV^Pmuk?r$KgjeA`=P$NtFcA;sD~2r`66u2i~8HE*THV8`aamN7Qk@o-zHY2Rq7CEE>15{sxk zfE>?36WKK>bLNzdn^oK4Dl$-iRLIU_OZN+_Feq@qr2~JA1aQ{Nhs8005X!BL89!yr#(RcGzx?bCcsr{= z(L`BXwq7_yl~LQKq`IVC{!3#27h}v5x8*tYduhdvNe>j9)ZguN6JX6gSk<$mrDznep49P(JC&LP} z!a&NSzthh_dE4Z81k;j-1+F~EgYWwZzfR;#DW?7MsJ)xzx0&u;r-LXEW-&0Bc{ z#1o9>|1t`90hIAvnFt+;jq@h_*0J+eRp`F29^dIOhclq$Y2eAL(y^^^MB50n=1haa z!Y@Gvi3<&HG|H86!4j5UbA~|j0rYxBYcV?O*Q6ojzOq{f%drc}PJA^s+OAjDw`+B= zKQo%**NWw#mTUq(SlBPvXpcd*H^u%mct>hBK;wAWrM%@tF8UIOX_*yF&;RY5&1QnB zCpDo7_2li=?SfL7l=h_;ygaEXA;Dre>EwG1xr56ODMm6GjU$Cj29knj*u|7hNHG8K z=9o_O)x`DHapk9-(4a@>*BI6B==2T!~kl3Wt0&sJef&eS z7WKHz$;Wht6bf&aA0RNI!p4O7-ET?{b#6CWLH0VoYc|*-3ie$!t-srj)N=<~Ic%Un z88C%t?;l=-Su+Lo>=s=%qEG&{{X_p^DiVm~Gttf12HzzYq zB~SWYwQ}T|je38!FGzUgSe)^ds{Y;yO%BrRb{UW2UlZHRU@M9ZjoEA~t}=w)?ukx9 zJdPa6lY6BjrsROWh!GRyPatqKomJO2Mxtj>5@H5Hk3?7nRlR72|H zmkx=QWGGJgg zEITyuu2B%#1QhJ&(X4WfXMAH^EqiKX}OEX(1tFk#ypeQrGnh>JVL=TC{$cyAFDSt~BN?aTcElM2zHNJ2T zI8;V-@S4Cm!*&g*?BO!sJKh+Gkr0CW{zhJLrm&L7ij+|>lV_xTtf@;a$m3MG%r^A~ z8F9k?>K!6Sy-y6R#w-uGR0W$soT@fcM`rLDLkERL}GL6QxZx^zdOLLP}}guqO2EW2AYny-0Jirmy!wqcQXIUb(VEF;Em7%bMD ztz)098b=7AsXc1bg8EP$GDtNccthp1mBW4L% z&gn*32MtE~i?bZ*j6qr8x=sy{v-h@hwnzilrHLvaJw^H#0){_30=aNgy8OtdFi`xD zk6XXq0Eb$J+@IzvANm5HN?4#}jtgPUX0c7p*sAf49j0C&h&&5;AnllnSsL|_!xdP# z6yWL6#g{aeR<_PlzT({fB2&MJS!H`GciotvG(Rv1ANwkBm(T`y?|{A^?K;1Y(2w?S z5i2-*faGcOcsK=I=Gqwp%iR%3EId4z{p9d#{84aD<*SC;&ppB9(;-?=2tJ4YRnF&= z;$2Co<*|5O$MR{Af#~^-X~;#3%S2 zs85f>gmP?F7Y)NRPnBw4O*UGnIcMtLO0DLKtP${EmVDhjzJn7IWURIeCjyV!vpg~wu~jL&}TF#bZQ z;nNplYAf2U448A|;73!zFC<}71-QCD<5{gBsTlmb=FBYM!3s)=NqW|oMGA4a?^j$S zljJ(E6WXYb?0Ac}ttoZxx^Ib^Sp{N^RR0qljxCual>=#(5%CZmgDZvp`|GS(-oZZN3e;=7So6kH! zLxzo`_rU7Z6rBJQk?OKq6f&1o1WtFO<~Iz8`bl|Ci)|Ez{)1V7FNSN=kJ+~wxol^j z(K%Qj`jk;k;IYn6K&7`2mN#?UQJ?FQ4kY8*FdHzi1(A^>7hhdw1Y8F3^TEVG=^9bw zBx-b6zG)F7k>i66wuy;$@s@E}6SwB%&tTyH0D^Z~mb=Vz7$UvJ6^iz1E38t_io4H7 z!L))pTnI9dHLKNMm=HflSD8-Hd$kz=xi(8o)V9SAPI`*hhgf2&vQcNbzdzYw|kIqe!p<0OH@G%0J~}uOZlZs+7@EFD&lC;2sQa znBr0{QWBw~TN%i-GS#H9r?VxeYTeO|X*?Em6hadB5KvHg?b8l`l>_&0EA%049%7&r zMDUXTE5}7hM*(M;HdqcXvf=iX3CH`&tdgFXd~)?u;yCk9;zo3z{D|}0GJsNdkn@`} zB~&wN;k(%ZLg_C!$a=Ew!2nyFn%VFJdwlO;D8k*!&hKX-OGq5lb;7WK|Sc6oONvvEhwAl~1E`8YKSo_6vFp zF9AYakl(0K4e`8clPp}Gw^%ufb2rC0|K^yjtW#DYmf;3sO9?LLj;b|YV?x?#Ty`1< zYbz}_2zf51m6_Pd(v^@fP!*)~+Jdcx?SZK>q(9ph)KOALzw#gO!AdRksA4;JjWkILxW?X-9Le|Qu@7}fo(JgYxQ@aps{$j7kBW>m(L-pY&-gXk|y zKIZQNJ9&?NkRfO*Da}S+{q8#z_-gE*QHVg1{SR8cQ1cI3Zpob!4NwMt+1vk*CNxEo zIjfDjy|c*l^W>|tRAep@*HghNT7k{VnlS_N`#<3F&;U+c(QQWoSgizHkI3Td+`iKK% zCaqy*=~&cP=2oi?@bxG_s;&yxhObD6ecH8r<#PidKsvR~;r#=1wX0p3&{-v9 z0^J@@*D`?%VSu9j`7nxP`@`#548C~*1WCDii{^&Os%y~X%^EQB&}RXV75Z3vIuSbh zz_S(9gK*qxIFJoTk2@6h{wd*7{Y(=KHqsDpFk<(}_2R<89O;!%9}dGLb~EV z&?^E1hOtT(50Jyj?N$tT=yCyh97BBk{pLm>FThwV)Z+AQ_}d#@HPD+R9tsAxM=JnJ z1yy`(-qt{wz-%@m8Fb_JjCfQu`Qa7`n-M6{D4Xl5k$AgUm^z7~zs$y2O7$fc{uV^w zRuV%1dIzO(uy0W&q^(41ylT;UPHF(CWAY_iud{O+G80+vfpK(T7DVHD?jhF{#k;NS100!t(( z!b-bNZJ6uNl!4oKe7bm(2e2`usC7Xk?^QJB-rb68A2MT6QnInqU zWKlSb7BlhqvGqtGxL6>9Ptu6;mHHBZA7TQPEbhH3E^p}@fs5ka%{jn5FA4fH zW)Fkd&*mCh5X-V5DsC09lA__YHp_z-U;8rsPgh7>%t1r|YoV|TVN|H;I!;J!v(wDt z?tz%#4}`{?1YUiU7N1y-ii7+K?1&>Ftwh9R|SXDmP=dT;etLe3( zVI#Jbjxti7JQ@q(HF>#q{yKzy5!;-*sBK-(vSv2xjGFm$PE&6Is7(Cg>}qUsYVuco zfNlW+3R|Bm-C3HpN8m~yx_tZ`Z0kUx8vh2`1kgbl6zR>3nV9Smwyf0Jt|UG1^S&&g zccrtmhCirO7Zy>ExRyb;dXDPaW4?i(m`WGO# z!vmKafq8%lk6noKEDQW&MXNMDVGyI+{nQB3aeP}NC(-o~@!nYyxfR6*`IMs^|s;Suudc=(#S z8H24DOyo)(&G`G3UvGTS4lChQ2`->#es{SYS=DGcKR6lQxYlPjR5$<$CcGXC)Dp9@ z*j|26xeIXcB_pE$dCV(?7=K+6I}&G0<$|Kl5|0Y`*de8dJ-{qRPvBmW2}iJ0Kjatx zd5LmmZA(g{=HTEv4i;DKz8~)1g{Lx{fqVo zj_?>QNuL3rd(Z8D;Mmkd4SZttT*Koe@4B7!J z6da0rPzgTpN+hb`OD>4XPk&$R=*8Q9@EOyNqs>Q7v7*s-+xrucyeluedne7=(k1* z7m0N#m|JssqWA!z6bb@wz0D7cOziWGBYzU~T>sPZ=vCGmQ^HBm`Pf6lY+DV6QgBA^ zj|O8d5#d)QViG($L_W0EyH@!{Lh}BG9GQ$~&JDK2pze$A7|r)G^sN=MQ_F5DY!4jJ zA=SKv*Mrd`>pyy%RG1D z(eL~frz)CtP8_k9tJbK+6TvZ&9bSY=$Gq&-3o3&rWr-Czt>wWDWTL=0A}yTeJzJOZ>?*KNDju(M0tn=2rd zsUu*Ey?on=f_gf(h}MgjLSXvL-)t~6RzIzF?e>I{RXbCiLhSOqC-9CyqQRJCN5jT9@EjXBI0yKR_2Vs z95K`*Vp^>}XJcoFj%lI3JM8qPU8kA9tE=#5UNU^`Z7{3QxzARdwzPbsdWN9vC5*%-~d6v#5r^(^T6)c29C(*kBYqPa3f(SbI+RD^#` zAEruYL5z>PXGiXojM+e?gzJ%Q90gn7E(B9XP2<-WmNUO9cow1?2>h(dZmMr zUCDF2U``c6J-&^?T>#4{ld&3WhFhh5ch-C>36cN~kh#DqxFqy|eH!*%;l5NXZ?KAFDnA|c`$$aB3x5Vj_HAMAuW#~yL5MMo4 zaj9c*&M)#PCF;x;8fAAsg}Ura>W2y?*HYA)ee$a)!*G4JQ7d(usy$B-NSxG8U(t-8 z^4(cF!Ds_43Til$^~X`5o5md9+vHtrTo}j%r%kznX7fzdm4(l1hQl5kWMUbZDCU1i zy?%kLr_Xv)tQ?7>aW);?RhD4B650#jqh0`~wD>1;-lnu9{>GchBDGz{UBG8{h6@D0PX|2vcPHR@7@Va*^EU|5$+ODNar$5%oO&0!m_t1) zKZ~ca`4MpE-zA*1AckXlKFwpAws@pj^Yd5TlDKPwe*`zlBg`Ww1c=z4x0YH9g-qtV zB8`Uz+;m!;j$~-AV-3M=Z~2~zU#3p9$~2UW+>P5tA}MFZLjy+@5KU<5$~*fkla}Hs z%M{d0{54|15hALkB~Em569qkEN>GOstrcVDm|1SNO(o2nEc4?0#E$-+*gF$#VaURv zgo#^1-iULlY!k7^J5$TePx%7k1Dv!-cw#C^3h_X*=eyliXH#@V!xzNcW;@TbT7pEE z`K-W(vKY3|HvxOe@CDa$?o$KJ@GJDtWh~by@lWPHK0Ds6Z7%}uA+)l{!0B;>bSDr< zr4IuY?2vvFUO^stx_(=H3YH6+RpXfG4l?<8c+>aNi#R*(P?fNGw5WV(k63m0+BYqu zNs`60;DP;hzyph?E-)nBEtiOI*e_2j090F*wv>WxijHeO8vL=RRf@zgQKRwJzYt5F^bqlN36A?e+j1=l4h!gh~Cau>-(B$ z@+l%vx-Q8J!VbOUvGLdPfX}Hi{!xj{q`5e!V8%Iy{j##+T8y(Fu^$A=VHO!F5t9hzeruT0s=?2Ed;H$gSN_kL7l_s5)jaP)E(JL2rSW;HotNC&>;7L&B`a+lybSa*9PC!nVuz9oosrQ8DgtdJ%XM@S z_%$NTKc$~FK%T`*N`E9Jv-E1K*kyy6?0SeTrCbn|=(%mbem|yU%~n)bC&_oZ=%~=! z4qcF_Cd}<`_QO+$pMMX9sQ3$ecp)e2h5nr_H!GQQl5-Z|QXh}f*k$TVb`wW{ac2k7 zC1geEl@GK=sf|{$8C#739c__;EgjB!IPwckmsg}XrFe?`U|38a~f*-3L#LKfL@9h9PUgYnYr@viy-K0q6R(Gx8 zHbVqkQ=!426yZ_>fM^%mS&bxuZciDU2n?QVSRFJgC8bfXC0>-dn(JGaR8Ak{+i2)R zdK|cAC0x#I3J-c^)klqujtIUKU)6h#hTQGTwmxjihwH-7ahuj1jO+Q1C5z@NDx{@mi@LMR8fZo{&0(_JJ|FI` zR4EKAx^nwAvxpH03Gl_tDjge1c++$esYGFTrWZmggnl0vv8{4^s*h!aI^_Ekv+3I2 z6+~{|Sz3_#@?6akiP@w#Vxhk1k~pTldpM&jeceMlyh7BRMgGcULY5c2l{>nwc=1@k z<4S`Mn~ATowCe-E5hjV5r~4V|saa054K{vPFi!}X#L)&45 zFL&&>D)U@LBr_6bYooPY2Ie_);|;K~4dmk&h)!@sGz9$Qt?as3 zn&eFi(FIB@`@AnZmg`f~tZ+Bhf#u=|(cHc<<3_JLNa7W!Pljzr_H~Mq-9ym*^lzX= z7ZEFEF)B!=Ll<}yt97Kr4_lr}8Hhg5mnzDGrOR=@yE@RXV z+&3Qj(uMbxSVk?EvqKAs3rS|a(V-(Um8JWmBo!vk=lVcC`}dM%$mU^Lbo+_q+ciqs z9fQ9yRAl&wvYemh_tkmlpye#E83c(farga_6y$ol51?eI|Ng%;U)vO#j}SNiJw78J zrd|FvxIXeRQ{5XU&ar4PQA|n=8h;qc3?7-m;RyvP{7ACUO*Ri5FYqF+R>KcxzOLiD zGS%;p%s7^&c3~N`iiuod(Q-Uv8~z?upW#=PzeFZU`_`}{Bkv=IK<8&6+&9pwO*69* z6s8gKEnuA_kd|`)Av&4Sdvg2X@ppCo9`(H;pqGwU4q`4Tql22p6E3c>lV= zLFU8)aPEH;crsE0+hO#>=H0$aEWYi}?|*~j9bq+a<$fsKLRBgg+(aZjaqO>*p>n^c zT`3FHOj)9GU)N?ekWz?*u8^N2Cx41xrra5J@@ygQ^dF8V-pur}^B*WtW-uu~ zfK1mP@$my+RDUDCfil2_2*9G}9yfGgAH`P45tlIRLGc>Ks4ZTZM@LC+fX4rm6U4>h zE7vtlL-CiHgM9uqPXW4y8wBU6KHaKTqx~N z3vE)uPPih#!$BIT0(LUXQ67eJHZqg=eRPy;j0>A6Glr!JtjH>K;mYjlf$FDYTFFnp z_;;G}+BYsV0(&-y8~MnJMZ^(b|HK#CYJ?tLZCZN{Q-k-G-xMFIDX>s3dN3AWs8fck zR)}9>|Ej9YQ;oM&B!G4qy>Gd3zlTs-`ycbR(^vLuwL%Tfh|f>|9$uiX_j>$f?RMJ> zrSO5D8_tMdHo@DNwuz8F6gKx_=+jH;w+5?Zs!^-^OcrXo1&h5zbmM1PE9{$dt)gtj zz3P-9HTx=0qBnd=4Z&a#{>LPAM*IBWC&kfkRPXHu9sdVltcKCCr=50IPufB^a3Iz5 zp3{Pz?8SiN|A_`rK->ra(tth(ODDr%`+(jUT!!qsQuG8feIo~7fDnTHwBmGnF#IAU zr4Z!{G=m811!4S-V8iW82Vf|H@NbZW|1g4X|5Q%)CDnA^!+d7N-TO>mZBhZpQ<8Qd z22d#7{}__HpY9B?2*84WFxP+k2ex!DY?1olCfqXt znp#_cg##9)5`LV3gWAAnplc84c~1bt^$5UOb1?fBAsn!Mem_lXa@LW&h@zf{At87f z>i%`y2}%27tlg>yOe>qT*fSyUL}lptW(Kuul|nD}=TyHXAf1QPW`)dl2;6AWhOMt2+{yqR2s z9{_;vad?An5y5wWu|^|D%{n<|c3lfyCV|;Lh5Anqfi~bf%kqOaf@rwU98-a@ zBMo?liprjQm(>0Bl{bH2h?EE}%0HUblh^ z&YSq+yCfHfJG;3b0RBDAZOsF>=Z^l$S7BMUHT_avSqxzLBy-hmcs(MCFPL5|0b9SS zAW1M^z(@DlYiR1@^^DOw^VkY7!Bk&}^V(Yg3@!r9fG*FKkZ3jNcz^r4R`hqYNbuji ztOf7>r&ovG2N<|5Vh3=)x95{2L5&_qR+9_YfLTa+3{pNGX$Bi^$IkjoP+_88?y{n1 zOEH{IRP?z@>iZ~5FKeJ?cJUNxT&_4MXOQq6(Fd+_9a&TaM!H#J)ZyKXoXi~B4q?+e z)zrY+PX=yb??O5u6s;;*6Znu&Pv{Zieg2og%N9ZZuE*;c!}k<}!A%LgwM^)uh5ip~ z^-EBE!$tjx0v~ZcVYzQmE(V}N_^0%Bh{T;KOQ6*~&~kqH1f4A-Ih@hETK+#q4{0Es zhyk5E@^Bu*16cM0x`}KSBkKn~M}8h$n;tAKn)84?EZ3-U#B?NWwf?nG|3G<)>`b9% zQYXx$Jk{!HQRX95_J=NuZ;%lGP5^NndJ@N#frZkh(1 z$eo;%a+ifkPZHmajovnaE6;g902#oCwCf*(#f6&xHdyQzhI1JCCkQgrWyw%XInmR4Wxa{yo zrx@-b5hStwBwMoOo+sBR{W_BO(JzQ)`B{9sB*>Ru!_Pe)3sW@~DL1u_M;9-%{mF%H z8@b@gpQZj986u~(s|1QaZUly#Yt!$A%E2W$Ci?R@B9BX9JelGI`^P51D?hG&OA?&c zlX4}fHUM^k9bBNx*~_^JkVZB0xQVFIR9cb%K5>7^A~hU#{Z*2oT4=z@@V&C3?xi@& z7muHd>WN^G@FI8}Wbz-E`{2u7An&i|Ymx`}2ZPn}Fhmr}Rwk}}M%oM4V#|G!&;Un% z>7&E1aq-C4=PA6`yCi1s0tL*IF2=k3RqEvjG`V47olmkVPv|P~-pA| zL#SNGzezCl2Y)Hk)3o|B`zCpW&IsxJg9F;(9&1ko7>kD>T9jV}!3cHuZGdQd_WZk~ zg-W(O6f)KxE2bQC%0>zo#WlYtEeNzU3Y^B~(0-+~f`KG$s@P88zI-?%`8l+mNt_91 z&MYi8YCfmaVqY6VE*5$aHj>dHBX?gw5girrxFVubfCzUCf@H`&6x#d{IQZiJGcDQz z%kTh+6jUhbFwOpHQ3VZmr-TO_O(o%Ydugu$(h4XvR8C0>C&vFkLye753#ft&B9>ZF z-Z2as8mkkl7$>`TA>gns<~Ru|uC=9CA*b?bMhe^Ghr>RlbBEjZ$tJ=4q1Q%uPCYRI zva|)SKC##dh&cpaY36~#s)UM!VQ}^p>mwh5bB;XbbjXFpo_)cf5CR4wBmMzOOhtv+ zJ4=4bQcwtix9!*0`6FSSG?aqKJhBw~>oj&n8|}f5;#EQ>&CnPYa=u>lWc4%yWg;@` z9?Hgo?8e`YZ76%MT{t#)P3f8~Fb3MTSav&;^5PCQ-1O%;2Pw3iX~eE*icI&kuR;~? zb$#rKpffCsc`!G1Z!h#Vt*OQ|^7-sfC;rYv3ja@L-+7gSnh!|=zv(qsD^T{Lk%R$R8Tse+RdN1rt5S!;4Im-Ip^E-i@!C z4C|f4YEd)qV{{18=N+?Un1oX7zhiE*eYd2b)=+w0#X8oUs=|V$mfUB)!=U=?k)N+- zj9$L%^VHEr^KA>|+V@{751)VMJgI9yTt;kB4jap%{rw$;%4I#0u}}h$)_`@vq(|~# z@4El=yAa(6xr#b$H6P-nv2Hi-PO;7sa7o;W6)i|rwA;W{z2sFL2sHYS^U74E!}=iu zlAl+mH`u@XQK^lwfecNEW%qO6hi-MuMVv$OHuX*%7r=;`0S6La}<5kbaq>Nv!tdopPbrozA7wb zo^K%}*ZS=h|NMdQimzrgUw>@mge_AeXTdfd_X`HM5u=8W(HjBo)Vc@a%no+C$~29H z*8U%5lB+aE>Wc|w2K~#p(g>WN;Z@zfuw+y8uDYGP<;-D-n#_6|(ROvwBaQ#4M#a?l zwy)&ydE{hW%J_owUX3$XluQ1}=aKs#03j*$^y!R94HAS@6I^6Ak`O>_rWY-Hon-I; zW|FZY(Xq4j`9$t1CBxN$E08NY>Ek^mxdbi(4{LOz8nMPgn>1J|fsJ-SpiEeCvj7mW z-e0D#-=1iKK09`nACY0-%qZhCe4G?IZCE5-5LGb%)L+t`RBt5J@z6tQp`vA8y|rHA zPxvOv>G(w0@@l7#JM?l#RHCaMCt|E!N0@&zo0gh3d`ih2M=FyqhGz=ydL67GE-FTO z+3Uja`8>56?#1*r&~n62!(=iXFNZ0F9f>5u6B91Lt_fvMNX3Z#QMdh>M+Nv-zZ&%N2WRZn-rTYb&ark-7fv zINGt*{H$Ao$yKb&e0C03{=nhwyd4!m_bIOMemR-mzy-F*w@-bW6$!wBGWQ(>=yZpv zOZxmc6rm?U?;1CZ!G9pX=e5;yG89rwV{kb<{`fXYs>T`#Wq8-Ixa{ zDfNwkjjL^glp;N(T>d?@rIS4~-CtwU&vAQUjCLd$(%=cBqjIKs=(O{CWGFUMMe2UR z+(%~mMH63+7cx48W4%;brv(pkYzWI9DCd|vjS3krZuN~w{_u#m&!_ukm8elcv}=~+ zv9|L&FxVIiX2L_rz=g_JDKhqh4KdC56uQF>#^f~qi6^tknUqDcHC^}Nj^ENl$J55E zO@=2Vv&6R!3A#ifV-4Lo<%EwHPm_=krYP|z<%M*0+}O5eKXp4Lx>1!zyBb@Fe}sbY zE|-(;e{oH?g>D@~yh)I99ldq(m88YhvN)EYD2TQE`bf6fP*#?=av>|dtF<6@2P5BK zLt)YRjGSbx+5i;!1v35&>RS`FjG;0fhndi(oQKhVqwRE3GEI(b$W)#VW5_v_2z|KD zGJz60x!w{=D*zoQFcf*lSGnY`CT%q)gnlV(=53JmG4abd_g02C2Q6z!I{wxNa-ooc ze3fW(99i1hOU8D5URK6gH{7nH8L2!?GZem|^^AEV>fOHk?Y`obN5DHMx~IlhGrnkh z+vWVEQEWSkQT0-6NH@!G|2Z7fkq`mSqk**_nrS(>ZM8W>>Ok(Oizonni^Z#SSuR!G z8EcNiT`M0E#EFN=%WBozl^cZ0%BLzb^QmZ-|5j;X9-Q_?jK5*2u2>$`N@?=4P6byS zn2_r&5 zNmkM9M%8pob)4@VpMHUx_4NGYkWepxnUWcyaHF;gfR|Q-W<%9n@GCLH3Ap z)twDmg;j7lAh?8~ID$C8@pk{Tw<P)SV-i+2o(uVht?yzj8n-hho-mliauoKh)zSYKq|I&mq%#-&R-oo*=<7$zZjiqpleZqM6pDsCUuT#A)t53#FN^g40-yW*`bhxL^eS z-wS-@2;iEpjXu%7CF<^yqB#>=v-A(t!6QOV;yq#aNi^oa-emYWejF9*Xxc1GjqbY7 z#3iEz&N@brVL)ob(m5iuM!%Ohe^buFyO)BI;eXNi4csF7a4ga4(!Y8{=sGSE z)?MQ0Sv5Dg4l_A7!6M0dV=OneF+brvO*h2&w&fm~4c7(^bRlm{UZoF=brQ zS&g4a^#wyEj7jCuCb;3UW~^%u{qmy95Dio~&t!3c;9hoNT4lS@VW9oZ+9;%PSe^bi zTRkx~!;Rx?5lka6Y1^X5oU5!E^X=NBDue>euGQzhodykqR| zXvLK9eQIn$`M@40lJ|S{jn2-<-4vc`O5QOawHnVGD)p_=`0$)fjlMF!l??G0Mn{ie z>$YQ-;CP#4gY%YLY=t@8g=$o$dR)kyYg0Wt9YcfL?-EyK{yuWMr1K`~0Z76R;2v7)uXEobN~tu@Cqh>1VO zEbPZ$y(e>dOmCJGwZc|U@%xQH9hv!;}zm4+dO?M<8@rQ@OgGq*D?A_XaJ^LHD9nh~2LCCw|MYv^0A zS)rv@QuJbOw#%di@AW?~yHIo3k|LQ$y-S;`jj-kPIHmQV=^iSCE_FOeBWS|cdD%mF z1I}^i@1BF}5fktwWf*k!_EJD4G8v~0@7QyQ9aF*ykDJ>qh)8M8ZXxq}r|S)|R>vF0 zzDB;Rjn^k~)=`y&ljXbB9>Bsqu*vKuMCc77lRX+QE3TjO>&KF;axrdo2naN7wZZg? z|u1%RMhWpf_A@y;ee*l&VRj=7~=Ce5LTcF%`Y;BtyinxC(X`-fo^#QGW3* z0CzdODMxrsa{rte`%9r$VQQ2P>!~T;o6#XHt^jc3f|98r!;y7bdmY94l}1O6ikhec zV|whCPfZs3rNXH{N_OX(`=o}vM-Zx1P^!D8AW|@@&Q#wwN2EonQ18kW%<>+{mb;aK zCOfMCS(gsQ{3p-L%USmFx&?wJGqs;MpP26>c>Ms0Lj!tAPr0@ryx7TQ5sx097GNy z>sGc%=N2o;VSB}3x&n|ZU8iIDN66k9rZzozjvnYV8H-MZ6=bGxx)-W+^6XDSBgNgZ zwOcvPviUNc5&iXM_8CLIUl-OXq39=@A@z~Eg@^^_#9Uhm;ozx6!$p#wlH1$w#E|j% zr&{F1{MtW`l|?)xc!%C6_w#P2BU9KvbsX#|HZ1snJ<%tP`vhe{73ZU?BuXmO-d7E# zWPe7gu>L+`On6_oBA47WR?Ll+AJ9IUZUYOMFY2-5e~tBX$GHr5PChwv8?TA|utM9i z(P^iEib$+sw8Z8+?7lFkQT^r;DjQu%+LK3d%_eY5JPNJMAg4EAO#D*y!jgqCDJxi| z1bCC{7c!~N?+g2+<@K7mZQt>lw$juZMFPXgyBf1Koy$*9xw|UtHhuWX!vSDI%Mu^4 zLo#n3a?pQLJRL4w5|0#}D1Aaf93Qpp8f=tJqSdlEl68I>z+_%pvVivcZaD@ z&TIKkQGym6PR{f9vbYLs<WvMp5 zBjd>9K_1SgdK|LR^J6mk&lTd#V}S9Vu}TlA9!T|r#ug`!j*f3t zG$vH~EG=)YBsGHv#!xI|PTG4D851LKs(#M%rw^sP4e+B>ik5$Xs;L<3tRbfvG%)Lp zlEF17vQclrwTDV-BBY3?Ce0I~|mILR{M_p##cf+=d$IVfez$Y`&_x-^T@HyD@ z(}mv|;xkd~#$CmOS=z$_iqN0ui*?WRsD-!E1(`WL{0k-X1Kv|iWSY?k1y~t5v6vir zdnhe!ET}!j3*rl0hcXa2<}fnNd|&<1do3=4j;o7am@>a!>{7VBYYAi^eWnG6ed5a@ zh+#Ips$Zvj;j6PL)s^h#@rS2-cUMhZv%l?jO-Wf{NKjFe>aI67l0c<^yp^0o&hn5!cDAft)}jp_+(1sZ|r`sRTePwv}!t$PhEK$MM_HC z#0eGyhdP!RH=f_t48*VLy|J0b)vBj@wh^d*QLOsJTyRbdJ7kP=+F)Y}ErgI3PNy(> zrKz*Od@z_a`E$UKc+FZ0c2g>xt~$JR3~5J(fO?TKoDaG7#-m(h9S z%}g~1^=;Q>3%wuEb#n22L8mdPN_XWpA>Yr=^Iy{a7~hT`g>89oId5jq?^M}$Kz+qP zdjS1Nh&o0cM4f4QP7XPW^)rk~{DW(%V>9w}1P5CZc_pn>r7dc4wXi(mB4a{e%JKQ> zD5nt@7VTXo*Po6A>(%c*OyBnwz}#cf9@oQeoM826u8TZ(ULiAYDb#xk%kSW)BO!>2 z`;fQq>|FCK5xXeVElyk<3qdA_ac7-exR)#hy=%aJx09Qi!n2~jmTnv&Kr=3mo)HWx5yJ4<9^=afNWK}To|t4;dB z%vCy_P^LMJKE~Xgz`V1+#|~ap-`}bBBmcwqB%rLkGekl77lyI14hUN-2&o;NX`QMj zgm=-mGX1U|sa{e^yMNu>A*kx)2Mv5H1j^SfYh{#PEI#Jn_DCj#6M-r&KwL%q3c?Y4 zpfbn}O2~VTfOkU1NdFXOmTi*A{dzm{M3Nn$Q;4RSKaX~5Z^)E#kIQb|67)KF1p~wg zu>{wgq}K_Wxxw<|Hv^-le}*klPQe+GZNYFNd-Eu&kS`o`qQKfZKN(ZL_WihEDpAaM z&wC`IIMWHdh+%QqTq}PqdRVzBZT@GNVTw7_k_q0I1wMv0OC9`-X{B#K>XXlIZty5% zdSV6lyXmK`^x_|dPi!E}H5Sa$l)yCgE?tvV=!`Q`JxniC8$=g>oEo(Q1>I0EjY;$I zAC0!VtVPamdX>&>TT?=+!a3?b7tg(3jSfwSBJa&q1%V(bxMG$(9L=6t7f(Z6K%w!0 z_48@Ji3)-@z?ZYSz3>_EZ@PokYTJMhyV||LD0$ya7e@%I`T2=B@%pCQHDc&L z_DBqG{yjwEF;R(zWwP6RAvdyXG?4P@X=pnE;2)zo+z%7?R4$j*Up$1CSVjIJSQKY~ zRQZ4)r!b5|;)Cu6F$IU#L3UxRf&DniiM-}i*0-q>-=E99$a}{rpnG&f36VC4<>eS< zKwIM*QSRo$sU`Pqdu5wT$eB)ck+0`D#UeDyxc_YE?fya|q~RL^f{fv*9pULug|~m6 zw(2%g)IeOL=KW8{g)J^{i3ZcE60{Bqkhk2XC`Wd|^7PFNI--}gR$s_JLP$&LI&@R} zt>FI6=`ri&gLP#w8h-l&YGwZTt?KaU*5U`8T>T4j>BnvOHbL9Y^<93$!s~t9%0*wh zHfYa_m9_ zCaQ0uuHc1z`SYQqr^?-2O8hh#v9O^h1oPuiJ%8-|!{&rMT#*VM z4`T#Yx{#&ooG5D8%l9!KPQH~8v3vW<$h_~3liSWjo;zE4KS3$)cVn6wUU>+Uksn*h z8->SCmIpP;#y2gM>jr6lU9Y0SWnrNBN>#b+W8BSRX1U(_g33=0eUK`^p~U1mI-&Hum6t!Y%8RC~1T>}I)W%Pm6pSWj0wKE+@i5b5S6lJxHnvf*S=7c$F>xrmuh+@?RsM*u zE8PTg>BDO;H8vclDN<%j1&?0oeIaQ0LmG4!Ws!J&s?vBS%aM{!w8_pQKk|g%1vuPOGI6ZUiFgTFW=;1b&^*a9Mnpe~kdwD+M-S*javtuz6^@`U~ zpif`YLnU4b9)rI5b^iFMJdghMtbnU)_I9*=-Wqo}x#{PG9^u76)PrJ9zn^{y`~CNe7yK-6D+ zkp^Ex%eZrj4h|AVh$x(8beDR0=YLLiR~J0h3YSzaL~09*hL7dBoX>5A)nc>WafH`8 zIYkBUHEo8{00yzbN-estBvF)?3c21Tk>iiR_yXfmBSu{mo8op`otANz9(7c?kwy{d zq%M6yLa8}HgmWGN77g9@#CO`g0idGx`KyZizeBWq<5q1Ipug%6DI1xvqW0+QY7fX0 zO$zZ=biXRSTzh9>AmF9XKkdw3B+zh6<-K~|s zX&gcY8WZrBzW+OefL}&ujkf4jlY>GRUUyBN-Hzi`5R>v6Sk$uD@N7dvfk1!;`G1!F zD*}Y0i)$dsoIoj&Gr8`q)lK%adzxPjRx8-YZRu^~nPxud_RHH&V9g%>CCC+qTWN3* z5Ll76(qF~sot+-UkA(D;pKrB&+s~{V|9sHy6#d9gBJ(KufUKzN&h*5@Gog!7A28i9UZ&j6V$rjECZnC{lu33D)~DgW%wrx>R)r^BC7Id5C&XIxGNBzYZ{Z??J^0|`;BY-PaB5e#HO-vvMf z?RM$B#NY-HjN7X@mXonT^^4W>QsJF+UC%=epXXpci9r)NS+$p4`0{1$b^3YAYya%;*;H!nGso;ZJ}aX0@XkoeI3voX6K zLhvBA^YE1w8`OARO0y4fF8gwj(lSd(%b1?I%13Lf&VscVe4vlu`7AD!+;kFC%K ztj7YxrMII4;IRADG5nl5d!LTeL0Um6boSC21LN9nM-A`}R0CI!B#$doz4`5H5@gzR zMSRj^+we5Exrw~N;>ZmBb32p^V86#EbAWGExbqcj&$9q9QIqn#7&c|izn|?-zJo{- znJ8|0v^w<+Cd011+@J7%li@`J!->e8?+tDO4+W=Gyy zebPM@2RI;}rS}#Cp{(scn}M?mLcBdge>KX{OO2`3{{nObD&mIIxhEsmc^fKkAsjE+ z+;27M%*}K_wHrObWP*{Iwm~IaQ)(OfVgs}To>g#E|C!7$;Naag9mgJ>PP70G3jEmk z0y~dt9dJW`n6e1bL$+LOmN!;igg7j_&O?jP5{P`OQlXTDENADHw1)M+KH?3V;w3jj z-=0l#6~>W>a65FK#M|eR1qcIaAt_%?kvICz(Dz8wtX9UpjcrAp8d1KUSM~>ed@}T0 zSWSz{Azl5~$g=h_T-grQt~@Vo_F1U8fk|T+cy~H{W$_%;>6JupI{JAS6#WjQL+DU$ z#MBVjPYN^HSrqwA&drz#S%i&%xr>>Ljlf6(>gQ>Je~xp1az`fbH;XyKEyk0WeTAo_ z0Oaqw@=yBq`|~n*#Uc3wZOJS(DN)zYM;}b7E%=&Ux`JL>d>om{F7C3d5%tQl*dZtl zw6{@~=^N+pAf4qUy+|LP8orx%IsJaphT@0T#`9a>wnugNRTsU!UrWSqY7art+mh%~ z)8NN@6^Flevc_oMr;Y$RIrSx|BP3}ih$jyy4+{PkE5nXCGv=DoUN0nGy=GsSb6yo? z%u~=6#F=lGc03kO-loHu0YDw7|9O>G(6!=~?O7Q4j@>BOZJgZ)qZ55CO|d47Q`s-y z!B3G(_{DT@q;p(LK+u1sLWi!@XXa)&c7x{F~hKWKNMM4voXjLwGfzoA*_o7+V zRQl~U5 ze!sYs&j2#MW>|xR>{+c3nBArHik72x*l?-Thbqqw43C>dx)J-`LbZ8=Y~K*)yi;a; z0P^?LZfs|Q>STE=sy`l<^8U{%>5V3uq;VfE%4+miRZ`B&g|jIwEV5Z_T@0d?7Ii)V zS`-W5GDofXhP@b@PibkZ$=v$jSB_y?K#Y_3mR~`J_;8iE(7^4IRn&?5AP>Go9H~fH zBkFAc353-I3o#y}bSo~i#0|PplWpa`_J3=!UMQxg&)8$uBb_ufU4*}$px`w@GkZe6 zyH4L(MEDmB?~tt-ETnN6-;cOAhGE8REd7g!T@Jcyj|LVMBvhx7@mTTbg#a7N z+*ArsnrvTCC>fobKCEv_IQy0jVgy_i?Z0p4?{6X;b@6|olg{ubjMp$?VPBI5nJwyOovgY^Qk2x^<*~u7RfxbaEyGda)MqrTm+ZCX!3-YSn zcjPu2Yq}Z_ zd;Z-JIG2T?`HlGny{e(u6J{#vS>FbsW=iA2*}?R=2@A?4NtDyBcWwnbJont=Pp}s)YwQ-K0E1Cw4oo2@8mEj?}u04xtYfWCJ~;s`VQ@x~a@UGSV|+Q*aH7r!adaAih+R~}QYm9@>Bn;xhUVhV~L z3xvRig_z`fizF&0pWJLm&v>&Zybc%nHCa>t+> z(>v?|RZ#4%cnlDv5t86PEjZI*Ah7_!neFPYmY3R#RL2)<8Eu9h6plFzvoMekd-MT=oq%C(}Z}Y@=0QOr`*a6JfafpX<^ovIBRIdDc-u?CIxtEHU|J z^-+5~2xP`|50-f(MJ|OMvL65+q7Cik_GjbWqk4=@#ECjqIw$d7v&E^kW$vQA8RdbS z$?JlyIB)U-Xx6xx<;UH9uvyD_wT6W;Y;w7f@O=(|L#K@x5ANObZ^80SEw0V2HYagA z28i3~z)Nej-q%fftlW?y(lW0^aInyr9E=EyH}}c$9&ZGzdW8l%3wqFV*2!g(Rrv?Z zbJRb+(MJUqJ0MEpq+F#7E6bk5AJ?H(mPEjx(qYY(Uv|I0%1mVx=Stp1|yM{Dha zZi<6e3|gGTK-uH=WgD2+o;UsV4afnNpt)s%?eGE!9FFVIW1k~@=Y91Ua#|Qfr?71S z+#ukG1A^|YKLx1>_Jn6|F@;C?L6zAuTtYCw2}+S|6@Fs-z8hT3c-oNrdh*T7O{O^8 z&9zs!kadj^%n%2{ebS#$o^@^{;jie&Pv3h?h7f2kc1)XE>k4;GBl#o@`O`qc*_OhM zWk5(huhH%4u(tSsw<5ToLoD@5i|~zwe{84csF5x4d@HOb^`O~2p7;GdS>0>eBN*=) zXKSL0Z84`jvyXACIP)|yKMq727nJfQRAn|Mpa`YaC(7}z1^gyJ!Z!f#Rnc<3p#_L; zG?B;rMHb9X3dKtsT+S3yLs#s{`CBN={E17ZZDd3f%}_Ghvv2mab;AEBi5D2s4+bxd ze(0yirQn+ejz|btJ}S<6a9T^$8=uAk>63Baf40BxmiDNeRE@FPBE!3KBH)QkP8HM^ z!)?9Ao)W{N#>gZ6Udw|5*rqy9E*IA8OoEO&Zk?y~VvR)X zX6UJKj1Gm(xMd#L%Rb~BtZ%6&4XnuP2r3Akibkfu{DJU5GL|16*-1Pp#rspOdoPm0taq4ojn^?X5R$;dA70H zUz5%~hrW_yqC@lE?o+Jtuxno0c{D!jF|(5|A3)RuGiM$zPv&GMRWz-*N(SR!ki z*b@xe(#-DFQr`jNqwNc<4c${kSjEgg5lC zGbli}A3Su{y*>t3Ql0fUpW1FUt?92(Zkk6DD)E;U`!t%DF!>Zl$%gevTh&)hI{ISn zNGpzYNFAp`w-#QTiEWz6C1Cbqh6`>#1w|QL&hWMQw>Ju%^){sF&UshC6!I1?A~2Zn z?a$hpiSm?Mp+~WB4{zB8%V~56Y;dg^9LQoIlyUqouu&T6xFIF|l9Z+zAc3ojZ#=r4 zUdBYqS~ruz&knwyFp3}HS7=BE2?j+YIlx(5KzGc>rW6BfMOP$2S6>GG*B;K*+&lvE z!`91%IXRtnosn12?1mIKWR*_KmICfBwFA8`ZdCc`p`uKjEeN)YsH4K`htIiRR9eM4 zd`h0Cvlh*IfS{BNZVC{CB?C}`>~C<};H>Tj_{Rv}b>UEdarmF5{l^C*A^AVe51iDn z{Xo!H^eTrB$wXOi&1D8v&pBiRc)fy{u{1O=bpNIr0aoMj-j0HFS2h>*yDhN4waekitn@}D7apW03Vo5Yz7(iG&j7Bj{{o-U>C87)um>tR zwtoD;rJ7bVQv7;o!QWz&AzXYyqg!r7K&@Vq_XDgn$aoDF^^;#T8XMi|l5MCND;x?k zyUvhOT|-9LLi-m9d?V;Q+9iCa7wsYYk=w=OqNB3##NV1VH)PJst`I+KO=FxnyKw6h z{0BW{%Piz*6QO5^M$$JgVq-MBYD%LyTctnfZ*p@9KSnVBuLFHD{kyg}bl}^&Fmnpn zpVlx-Y4ohjOKaO@`b-Ff+q~|z5v2KSehaKXwJ9)Rw75H#-Cd#X-O=qUTef}rb2Tw6 zO#;i-_+$X`L@@ISGcdC|A|<>d#lU!+>?p7f&NkR_iYYDY?~J+p)+Ny(WqB0jhAXm!K^xA z%u-osFFvW-nx8!FX0~m)CqL@MoxXEFq-0lHakyI3q(y5Rj1@SQ_a9H+|H4;ah)6qc z@2p#23J3-Ey>+XmFq%XU1!1xqN)~tqsNb9>!R94reJySktU}Ul(e~JA{ba&m?-sQ% zFD+(1dV->!s%pK#OEko0c3;=frdCDkmt9_?>_V#d zyBO5GfQtzK#)FBxzD~!%IOr(eJx1w~!thf@i{#Cr4HXaRYr1y*Mcocm@i5oSji)O3 zTh1+4z#jxp<`A>?{T5^Q{UWblf9_1|2!JnbjVnoFL#V{IZOel2a$Y5B{)+WJlA(XU zavI8iJuzBUI>eitc-IHG5@Jp!@{57^0)=yV9i8afq;0Y0RNW7D!@&A_D-?e26ST8Z z*=*|?AfM%BM2vzaIB#{>y3r0L>Z#GAdDekX_e zL@k>>&i6#Lobo*1iYL$Vm5&<=-=CNY#UcNJ@-h;RgZGd^QdWny1fahsOAf zs3@aAcd)0$?Jz{3BG`d2`E1~Ny8j@V7m;59{|eNX!T?bQ#X_8CvrBC!D;(JdU)b#cP9XJkEIZEgNTh}c zF)uGtRb$#%;#wI9(eI~Gq9}e{lQfEDX$~xwC=)RKKW$tqe&+kA1?8ALFMFc79gCZu z%#zdaDQU{`p!04YDajM9p)36$FvHgcii`WtsSZ9&CK|(KCk_Z&;=%pe4z3}#EB}Y% ztU9*h;46~>Ad(T|k+q1R+>nLk{L+8sU|jOC6yd7)>8b^x9Jmn+Tr?Ph==HVQv__48Z-zxUY9R-R0ae zQT^fs=Dulv?|^WHz@JG;zD~vUA{@(T>C6bz`>;ulNd5(nlN(dFL?R<@w<5p&P;A&( zA&umTlz$6sm$)CRiPZUq^n5a4a3|x}-1QQ@%BD<#jFNb*aRa_U0#jY;RB?9i#`(WYrJh5DY1Oq9(0m z$x%k{HldeTCf!?bCuO(}QmP^i)=!81!VU|S>HrK3qNTn0`ZbG z&@}&$i4Ruj!Iuh*XlVp8GE}I(I*sF_H`7>bMk?BJ^;bAPOcbJe=;!vcgC>4Z9zE~h z(SF$XtX`;riOJIn+x8+Omn$t*G=mv=OuYYK5ct#Ei$DC7jIW ztJ8HeZp6ejHW!Yl(URr3NM%g*1ZqeE1g84Qt-On8Ux|UW>$#x!?@i{UA%h&4id0Rz ztD=-a_>k&<23Ojr=xPr{&Er2tm{jq0bB};-E}1@*I=fw4UL0Fo^%|-3d1GT#5%$_z~TB^cxQghaRRr*nO6KUprt0DLx zV%2L$yAuq3E(?-+1r!0magqk7&5O_>oiD_5%QBW7NlN@?Pm9O+w`=f9J@|2e#}*IA z*+GbM&qZ(C*0d+x;*#=Oy?7jRK6Yw_Y%yER%5W^W54o%LRV#`(Eg{to_uCE9uQAmS(mJ#1 ze4;DMeNzBZsRP(wLQZe}YT+-F@0GGpnX90tuApvILbkmQ&<#=#d#w_7{ z<-3Z^TdyR4z{G!p_-fQ2|0thp1$rXXtJe8? z=&M3(sUs65K4J8R0^>+@aSfw*b=q+S4c(!bQ-1bDHrelfp{tW1oc!sFo9GyBmySqZ z`jE5JZ|xXT3{OjASd3H+3hVF()*H(O^i``c!+QxE^-cS<}#6Leqr-w zVkuq&bI}eMV#IisNgVu_M76l{@uKJ+J^rm})k(Nbk9Ms#)(Xyvit3p2fRdwQpwZz= z7Qx=W=$VW2d9W>6UVP6E^20)6GvpMs1B1@4ty_tgG! zhcyA7Jr=xH^9>~dMt}v|5B`O$`s1e^lt7&)zTf{EmPlo~E=kW6Hr@&^QiM>Z0t{v+ zk4WE7AbGg+`s3M^Xws5ApOV<~!Mn~gfi18#J7zv#{&?R}V?r5Q&KyQ$&b(xG^2l~E zi7^iJ)y|12{n7<(!|_hED=uL;oc8{q# zaoOk8babSK&W^Jx9?n^wsl;QA)Rm9rd@WApW`E29j#+%bRysjkzUXHR%v?XQsTyUI zl9*^TA$}Vb|2(v!7%XmXIhFusCm`ZLm`nstMl|{ekhSDG42{2u*UEfC^FthihVuYD zfid&q+MMl+emrGlL94V}$)ZzPj|Tt#qXQpgAd~-u=^;|-5=OrERsQYgkm{z}6JBN+ z|93}z!JSKsjIZZgsjJaLP%W@bK^EF~URkLGQw-K?!*Sh&AVuzPE!?fwqKY}?u`xvafL zLAULkArpMqN`AkhC0TfP$)G!zhEsyrd4kX6I6K@z3_Ra5G9#X$4#5Wh9mOuSKkh9CS0P-q0RYb_>q8K66x=Yq7QzHH{+Ji;pyB+7Cca?;^)w z3_)eCX0%ie+%DNIXt;a(XX%d`psC`c1FsMg4G~j-8%{yPXeIhlkk$IrfO>95qm{v*G|w;I=Cn=1W)z=$dNhsWnj8|#Ut9}NG1StzK8YFCxsI$@s(BKdGz9RyYf%(AM*aLD3?qPT$ zCZN!@dEum(3L4`j33ml}_Sa0%@mkS<|Zpy zUW6Zc?;{e2IlF-M@5%Q)8dcXwtb3hM4ayj7NF|%MZp^*|zw3#wi|%Z^nv;}5y+=W8 zoX`WMQL?u2B^XZ`D_U# z+ndct=DYK;wBbihd9>BN7cIp5FSpWd2vhR;zI3e^mRJg|>}C4RTIPBUStRH#5Wwe= zrthBGQ=Gr2_9!9abD+L1Or0qRWr4@3pF5+q3(47dKm=@7f4BwzYaBUYLs;B>ON?Mj zJX4Bl$qTw0R)8U>d7OL5ZBl?;5*6r$ZZJ1{hL0oSc>BIN31R>_UD))|-t?wy;!t*= zgedHd2xt)bC%?pg@Yf)KkpK=Cu_9bz;!Y-q-3)w2XG6HBrN|G?iIvkp)kqvX2@_KF zMsB;k;J(%oV+?#b#x}PL-5NjBvaC&wNWzb|IF}%{;=>T>7wC~Wv(Kq!TtX~hZpcVa zQWUD#KZhHpmM6XfvY<6nWN3j_1d}RuvPWyA_uG!U!NzLv=fUmoPGwU4xUhx*QR@Np z*4mjvzPss*UjbE1uKcRacK0U*7}5po`li;oD_jeBoNygmO{Ac|G3D2LllIrRz@|j# z-PlSG1aUIc&m1mvUsw(289pvp5!%5;pu_Rfv%=>m`l!pSiap_4pU^aAec6j~$yxiu zgvS}a!{5EYYbeERM(7liZTukJIi%3!$$9q=U^ z44Nr0r*R;JW#k4+HHMc|m)%sgd}y@-2eeEIerDj~l9Av-w@+1=l*UGfGH<2xtV)KN zRTY<)#;Igh)eYV?XljSS6mgwQ4ITMnbNqnBM!pUjF+G`K4(}){ug43TUy>1}jYRqE zq-$y57)JmW5Ga&eSpJ;AS^`oYu#vtb-Gu|`u$_XBgW^6p<)Q!jl=l&Nn(^8KBQ92b z22cwAMT5LR1>P_BW7gOolUBOqRXF;|igQ<|__(|2Eo9rENFn#wxaQ72TDx*zT+`Nm z6oECaa-9OmSAxnhk6dN7O*;OmgM#hY$wmfIKzsg5(HkzvX>bA>t*gwGB_LFn{^)C; z0`XY!Q5*;cdIA*D&-mp`GP0aCkNo)r(<=Nvwz+OvFUQfK09| z^;E%5=3}xxlO9yre;+5G_5q#~&prSR2U_(xf)9hbHd z){9pf65%LHid46* zTpBOK`-Anpx}Z7s>ja2~VL)Z^jasJYx9KN?%-i2qI+f+pRV9kA=A6&gWyzG>yR2?+ z_eACD0aP#4qIg@7KT3{)j@1zKvxEy3qf#JkoHO?VY~pLeNzgzSq327LZlf3}}Mbh=HWMoKeJCndNIUi8>6nx*RExTR;ez|_Vv0O7t@F(+hs9i)8tQ|iuJm5dHv?<;lEEO;hnzPfa(_i)@zDAFQh=KrAKhd(CcM_dV)%`t9t1;Y$PjF;R}Db@ zg}{Y7hMSuNRjQoHvt&R4EoL>hY;3(wO?;hZae?#K^AI*Ht;G+b=4M2=1ob}s;-AO$ z=~hhFu%J0_`Aad+e*-EIt=drZofg3V;X~}R_gEjl(4?xdAaY=Q0ICs7n~(0iZgw%W zT~&Vg`zQ)>2GD_}!ygm?TE2RR%ayeD!ww8b-t$%%thY8?Z0$=9MS?DfO>m(;n|$rN6l%b%wH(oK-SRkGAv5gnvZK% zlHNtR5rN!6nCVM@8ZD?yQO8lUVeLUX_N_6TntRk*;fN{8713EVT%t}OMKNqUQAkG zp1?FRU@B8Hmo5e+pYX;WF6q)o3LbG-({|M7DXC#$sg zkZR_Al@mpe?(dsUpauwg%qgeI5isRfC3xZq4uC$f8GQ5PB7)0*4v{GzDC3iLn;j#_ z$7I)#W@@Brf~d~anyp(=;QU~llo#ac?$L>{|KZ>1xC zYZ5V4Nh3G)cq{>mNy0xxe|MdOOXBJEsX3n=f}r!)0^q?UhIlL7#s?E`^bbwn4@6%9 zg({lSNxL{Lh+>Q#aysKA2#`VsHM+A-N7?gpO#F4F1z{Lj4N57m%p%pEJ3nTB83#3^ z#{m5yjAY;BaL=UoY9P;K-D;swYVTj~hM)pk@BDLS0O;C$5EFcPBIuD5hGeRdh8oXC_ff9yF^M-_ zH@t3=Zuoo2GqmRnbE`|R0(G?^|JyS&N<^m#tFz|4r>6$!nTHVndCWJf>seXkvlfBt z`j&r`-jXI(r$~V!IfZ=YaiS0fb8$oSn3g7A=m&S_eC`9Go^?_zYeKceyBP$&@p8?8 z$rn5$aYmAHi4=-vF0MJM*l(SBzz7N`NxVrpMszF)B+(!iGVh_;q6fI=kXYq_#RzA3io0`Pw z<6Q5#d~*P~7vWl+?z^3h+{W@g)E2Lavv>VAgv}zQB7dJiU8?MRBl0v9Mw6Rr#wYoG zKHt{$9;b6@UQVc6jA^uZ+VJhbuW#@vLjTvy0Gfg(6z^=SN(2-zu-0)4#J8M3XBT;r znAK`5rzg$&-7=*o8$q#pq)@w!G44#?z1yILX)dW~!XmIQj@c08YSRAf&B-lOGmv4J z6fU-;tajOFc`DAzQm#!~`J&p}47RX|D9_IHZoGCI{pdlW=Jr|0MI_A#%E;KH`vLY( za;itqOWh81e{0^>S+natUh3Hv->JEa4@>|lqW2$dyMIgu;OgZ9eg{Zn1ZJ`1=t>F} z7n-xv#m|$Cetc+8AW6TE=DfWTKW`aVV4A;{b?DqSF2(i1ImSY2a_3FwgF}7_aK;VHujq>WIa!=rbe(UY9OB z4vfeu5r|?Ap0{|!!|`$7BV{A73~sME5(cB$>0cbm}vgLEr6N27)< zO}%K?(6XsK%S_Z5W3Yc+fcdFRS^8)7Vo=@w2;%u9}(wa4vGAm(E zXxYgRs?XaVoNV1#I;n#uJnCJOLg_C6%Iqn*y0O65bF))Mw_-Tgy2>teZcqnK&6TDU3dFzVMqBhg!7wh%e+Oi;MOYv z)YDc3p?42re$azjwS;GQfVJ>o176q{Estx1)5pkpI_=gCi4}0?hX5!?OR~s$9V(QU zQT!)3M+#gUf6SUUvB+vwV23n28r0+(Z7>fMf*06oCgYa`*?x(IgNbJ@=EUmwJli7h2A zfs;FM+3shDjU}4$a2o{Ex#HIl(Wo%6Ra;pbC zrweJc63}6*VuK=rZp`XW?#jJtG7*95kE$Ni6FEY?l{1j6f|bq)dE4ZB+S-$1bISGp zXRLqh^RMw<>Ak9sKau7NwZ!~BTWJk%BRD0=49|7lw9jFD_%C3XM81=XCcP-i$~j;( z@^a~b?yV8?pD(>0YS0ne!ge>zg_*LUKfyU~yUx8ICR@g!X%w9Y>()kB9sg<-zb+k9 z=&rj3QZF);74}?Y;Ybj~w^~gO^w`8|zHULD0+2wh= z$NJsktvbg}`f**vxdN!%b!$gks$=tbC<75taXkhIjNujJP!*{>sd10-tj%P#2`VC0gDB%wG`-}_V(@w(DQ@)5~@gWNC@Gn zH!x(riO&e~IInYtXJUc~nx7g!{~ZXHEz39_C`Co0;W8Z0Vf8~(fue5PAG@D*eQH=V z3O~JkYmo(kWIA@TZvPgb2&PU4FS>xD>wszdM-1|kJuilK^-%-Qj4QrNei$ekn4yAy zW5&|zyj`Y=UHxDdQVZO_o9q@9i0whg$~2FzkF5ph@&N<2-*W8j+=J)(0dhlST&7mUC+GQmhrz^ zA3C2(Se$}t0fcuq&o;A<=ihc)Kr-WmvOY3yI(b>gi1|0D0C!HHgI1I8w_kq|I_vbu z3ZKaRjZvUvsSm30At%OE#SCv3VjKm%yxpOkT{D`f_RM0~=!SxRzy4ILkV|TwK5o3j zsWsNA1n*~^-lg0*|FYnuM4|SVy4z#yNuiH6JV~I$#_f?7DJxQ94k(u;6~l402IP7# zt=#w}qb=&{w@{povDD%t*$B0b!MW6UBv0^Q1nykH$<5e+7xjBlCrj~RkJ#;20bEuN zHTuKRNgPA_=QEsW3O4lX!LWB~%){o~qi7XLgchYsHlqCF!)XhcB2Hsc+uh)%BX~|h7 zBB@3hEtQyJurbjs;0Big5fPFt`@=T=<@IWQJKWMnj#6*eI5jV!0vi+6#R(%T@5w#B z=UkcLdkPq9Rfv-I>27H5?;aF?7#WK{5t^+H)s5sZ2%I5hv2Aqf+VzP+|G`1IUnpVj z$@I8duv&FKZoWT5Hf_&_$s~7C*)40aUD$yq%dFbf`=t%oIq2Mk3j)|o+NnchGt+q5 zOrTq9+M|E*$enWA>Y!e|e3vJRTzS_gm{;LtT#L_s*)FFL1=S#K|0-8fTzTEmsT-Dz zfpJNpRXUpTs&9c;^2{v3`XooUxf&v#kV=wl-f&}We+_CPA$Umh4{qyl@2vjRxQS#x zuB}NDH4Ll+%zTr9CdP}B>~4qDe3G_jOKf+EAQQ%!m%aPJ3M8EU8XgpoGX!#^oMmg%%SyiJgbwO-nO>T&7O;T8>MzumCTIbrywP_Uy}9jm+n$9e$T%&# z&dUVtH_PHLTuweeM{brqw38b+e73osI2(Iz9cO?)ER0)r%>g@8f@f`Ubkml)Az#Ot z^#INAs>G5xt1GO4TTPF=`R9%Nhg;aN`s~e#EP0e+CpL2&apkqTxZH;qiXeEEJ&X_6 zH{gAf?@!K4HY}X$3F&^t`2%4xSachX65fJp5fbR9dq5vRJfGqHe`tHpuqL}DY&42k zzzZxC1pzBam)=3eN|)Yy?=?ur0#Ol>lF&hf&^v_Qr1ugC5D<_OIwBFcWtdJKAc>Uh8>*T2`_lgp=aHBn)dcQinEP(($%s&ksM^!oNgM6 zz2z2b<+|l$Gc7ve`1y%;i;g@!SLi;Epk9F^_eHiRgdh*DI2A4b`Ax|F`G&d`S4Z<| z-H2OpPdVZfcCN-p%0CjCT!^FkKrR;9;<`4ns_t{(Oo0u1BRDqp%!}v1!=mZM)M>33 zCc_aUCWpRRm${nUygmvAQGzVOy=q1Mo|b!_EHt=?d>oll{Ord z3eX?z9XKt8q#nl$+jCsiqKF0~t8Q z$;fhE$J(6r)QhtM7?MVvlUHH9Z2&6Jkd0%`|($#0w zp=W4m3S0Ehfm9{N-1P3YQ}ze>`j8IyYQx8&VS6$;G<#Q@udjT9yh_y6jtia5rF>A_ zk(#i0D;9=TrSln|>Hl%P#HEnFM&{t@D-=7gZ@w8yz^0GOBWR(j3s*hdlz`x3r6AfB z-?N*%WXFNExA*$VLE-JBA({o#q$+7@ZV5|mw#laz%OcmjGkw0{13;9AN`<{PR`)JT z9D`;wkf>0|V^pWcd{W;&KPSdAS^?TJpoSi@U|+76_1)yO+`qV&&b6r8OP_{0^0sD) zE@O(W3)Up2`@k)Be>Kg z1|HSHb)R>qCe%U@6Tcwc$f+}FCs=efPhF-YZzCt|x9!Pd^j>Iw9b(G=K_fYeIZn?q zrpoGaxZsy2F6|L=siFMLIYT7f2hNt}Y~U}b52yuYUWm+GKz^lA-c;+O0YS%J&PK$8 zQ4i;<|H%bfM;T4W-j9F882-d=?AM!jPV#cAgEa91J@)KhW;bUneJ^@TU~Ui)+czz9 zq=uu7y2tfL8&DGRe)=(#1=rg={A{BdbMG8qLXqPG1+8zU)+1I=Zhhi65PjCIY9w0s zVT`K8f2I_>+4A||T9*L~(w_`+>7>fMvoYV(Nfj1xUpxQ{O7B@iDM8P0saNOmq}il^4h9x}6AA{`BgCA< zjaF5vEmE+I9L-neRa3-$g1_&vMiMdG7zY}u#8}41sW)x-LpwykE}=ZF-KEK@lhefY z5-G&?zO}Z^iCl_k;}M`5GE31dUH80k%115Z*;*ldo~tD44)had z&2@xaZB|&XC+Ne+jv>DJ$yObCB}Yl4SJAEv7X3b77KUkl3t5&}p-E2$D56{e1!3Ix z2>uRmX$P{2d-S>!>Jq2o;YW|AhrE;nvS&POBze@Hk%+97e&({1PP4!C5A%w)TH|Tg z;3DW*ekS#LVm!g&Dc@&-g_RswtJ}qqWl73!b+EWCfvZ2R>McG_ZvBM@bZ$9o~c54mb4|dirbtMgz3!W|4M|+R7 zIqK0;`J!!O9N6+PEugl$@EVCD`5- zu2~|nR`uGtxULb%DH)6Y?PnSX)OTM#I=<9$yCua_A}CdANkb;)_KA7SgDx#!**O~q z|DC?o&WPu3<=07N*1h6%Mrvp?9ncoux4037a=95%rcp-fichy5lsq3Oya@A|}; z*?{|nHs_OA5}_4(EfdSoQBf2Vpk*fPCQU6lnC<+_F2{t&e8%-ZvrlSD{h7;K1N`U7 z)131=SKuSyfFM=59sEpY=GMo`2S~ZU;K{od4g3?2D3pBB5tyshhXUb_4ub;FdMTjIJD5kXhC?`u4kz+CwYjay79D^EY)+#3bE z(A{f_S79&Ei*9|2%uOeZ2d8{1x(}d;QyVEbyDUR$?tRH$3OS7ct+kAyjIBsO0mP;2 zgj8ugvo~(6B|*Oe?QMNn;j4y_8~F?!LjZ64ckBdCDF|eX71br27B7TLRzF}4C!fAm zhn;jg?sugE9?XB#-As%(AC;+dc3Uy@`Orw*55ebOke!s(mWW&!vGLmt0{v^*1+v8y z%XrHhR8W_^aE!vF#=hIeN1&RxAo7Q&NA2^0BPY;(bXlvgY+jj}#L+VbIK)qc0T<@{ z_BZ3?9$L^2AIkXy)E26?5X@-PP*fIRY;^xN-nHa8MShN`9`m@n?ol-Q5df_#c9`*D zC{PE`jycvT063S(Q3EqW_5mGfCnyuh2Y>j+_3Jzq)yusa8o{d-xueTtq;aXsG*j%J z=bbtGkOi$aM`fC3ar+-%AI7IEo^gvC7eYzmLFae*1XsxgDfI##yc>1_aj5NJry-gF zvfXYsF4NP0Vgkg`_wIu74@ME(HkZk9e_AX35P#wTO|5y}ebC;DtY;pZ0@MTWIiTb~ zOD4LXInwH?k<|JH$@3!3d5qSxm+7ABlZ+xZT=dSi3@X>3jCP2=yr-4(J^E`NimBy( z@9GyAbW1^pntL@|*V=Y|uD78{vtcNoBwA3z3v&9Fn5(b!5a2q$$9j|RN?eA5Ooru+ z$xraaq(6-JmLBeW^FoiZL;kLoycf~7exoWc7G++f{ibY1$I|wvw0VSdx!vamxSki&Iu1Yz*p$?H}=!epQJTeF=TqSSSG5L+aLWGqf zJEXp)or+$$@12RD$-q1-=U44{!yriOqb$$r5VBC73ybsFUrb3qKlV}E-C5E(_M%j5 zJmt6xYNJm;?BXj%zar6Q{&z1?^>Hs(O-racuVJ#CS23NWtv>H1HIyJ=Ehq(1cti~d zMzUYve2=HsNPHiZ>Y$P_!yFF8j&se3vq|LxMWf_$MqX*?AdRIg7{SE`=7P(7p|pb0 z07tF#-&G!QptT|ntR_n)mnA3Gd&%P%Xy7HgqGqmi{P=Z4DeuYOi7aWR)PUZ0+hUF1?6m*Z zXQ4IJ_b{azyA$rG$$vHlwb2>Gh8RVS;GW=~Z<7sD_P z%AMSz3Xh~q&g8W<7jg>At|EwE!5{3i-8r~1v7|mff3w2gT{uYl1h~?E{)tp7gS&lL zz2v--Z1Q7zG*{K;3ME^ut{AX^^hW0`>+wkkA5R88{?j&YrEcQ*w{3iCs5}L)LTVPb zYy$K?6BQl?AI@zy-jscF?@5Tm_kYV*rnmp6e8t@+$Hj)hM2wx=j@SQ@cy}CsSN$?D zI;sDZKHT&4tS7s{PAbrdupI-z99_00=xcHYq*}ZV?RH&nvb{eiy!R<8Y^y*Jl5%M8 z7BZ+`X%j&)v@|Bh%Ac`~VYt*)oF^Gs@@S!j`g_{l#}nG^zMS>MQE@4jGZ=)y3mHmK zhuM5bsBlQcI;G$n?#6=IH+hEhth%}Qkub{uZha?Vae-7{7owQZ(y$SkY1m`A-mfYv z_hUa~-2b4{Y+)bI_AWHE;LIN8q-36UrQ*_!x5xzJKy~tV z4&_P3Vh|yNEc*@)1biZodG80`3Nrg$(r##gZ}+n4FKxeQFlMVSy(pw($d$!ja*zWu zI>H}FMO36`;w8~`$~8flZrIe}4G$`$3Z2kH^8nJalkOoJ7d>FDII{xduSfUDIpUQ*gYBthZ3-Gf635^;r<|#|Fqge0-tC;230{)E}dD@4lBwN7dHVBCfEqV zJ?iXoZK_He6rn#_HAh?C`<^d6^>2C>;KJbHD;qZ+pZ!fA$MPEZ77jntCFwynEyj_N zL?0CAy0eWr`XUkQc($U5d4KEqXm8hV-7|LF?IT*gEu(&?kBrK-OVV# zhPnO;^FxIkOVw(jaRdb|rvG<8G;XKDeAqt_jHBxx5->MA6s1ynX{!rt&u7YYJ4OVBQo7XNZ*#i`!CI;Zl0Il6m{`gcFeKc@;wyg*#Z zeW`8WUjY8N^#-u2)e{(f|1f#WwKHcySgi1m`%L=VhE0>-*WUiic=zYG|EIL1-*U11 z+Z0Gzjo(kh=Ktq^8n^(~vd6Ln^mZCutGPN6lSB%v+ctl0eOqh=Wxancb^Mn`5^@>` ztQLvis&KAq;^ofX4**(W?Fq@pho0^u+|7F>PHp^tKy>)OIX#dA0?+TLF80u^6h22B zTKjk!*69NJGzMzRFMP6RxdRG}jN|_Af8mlYdXtXLaI{j8x;EhvVtPnp2tvaD%AWpy zbxvb;yLgW2g6rvh0J^6q!)L)5=`=jA1GlCBC!iIOsdAzZ3c>>BW4ct`I#~9^;30=GUsx14crTmN;`>1}8r0!mS{Ka-j!2Wmm%av`Zr{16C4evzA{W9n@_%?R=R)d6_mK zJR~(=e28cS%!ysARVB<-0D{tW*;&mRU?Odjzhk`zP^I!~Nk_odEUvLzhQkZqXOuj7 zy#>t0vl17h;V)UP>8dy?%7RE?hvT*%pIusByaWfGw*SzN#X>*x+QhuzDS(Oq-2@6M1b??4R+KoSA*IOw23U_GqB zb!(1#q{=l?x)ii1fv1Jvc9}$x8gR5@q!tc}ioyk6@ndwT{dV>mbR%WG2QsC2bvx`Z zrvSZ%nr3HdjFZ}OQnm9D*jNTt-dNAM7G4=c_S6UO_!UqovTu!%i4L%-*fKE8Z403K zv`sZ~`RBA4&%{e|Fll6tn^@y7JG6+OI&0U$zLLV~tbAJn=t{R1pi2bkv26%Qz7@`G zmn7o*L4|SY49Gb~n`LLU0!&J|QV|#=i+^}&?(_AmkO;q;TLydynpRTV+dr>fE;;GZ z3fp}D{3y>=T#Ygyvh~f!FRTsEy9fyEh0=5zGl^!H<`~v%*TH7xLcF3+*Fq9L`oX5} z0}FXWGQZ_A2C&9}H8iqh@L+c9ncZXgn+|H0=ltULU zaM{NE3BtM1*@UK7R^88R^7=f$nLud{GP~2bl|#@!$`!!d+v}Yf!{HGfJ26t)Mb1$u zTMAe$|FxUl_0-sqrb}-Er6s1oy?0f5{2m$9i#bt~xjm!`pYdC|jv6_323)=pEydj< zUb}gVKQ1_F^NVA$Up{aEj7sAv8cL;3!Y}1H;!dtmhsuZc?N6e>zT zG_z&~__Ify3{Cd4Y2P}az*Ic~`7oxCUhhRgr6cGY$7g8@jWoAl< zB~qXD3lGuPuN-bN+|PnyvOG5)e$wy(?8O$vy+=d3l#sxonOTz3{b*OLs4n#s^9iIj zTJ13LvKH2)T)kqDsG%_<5KpE}ae>>sG+VbtGXX~B=+8?g-aOfZR;|T0JLA2qr_zP$ z1_{BTXi4{R9>yZBVy z@*-ro5?Pj~rZ!kyAq}_NWyix|5un3Bc3?n$`&N4c{pT`&6NjIYXMSC}Kg$*%A zTgrfx6kLlG>>N@N?f#6qUg2iCSqR(@V^_NvnDo)%^cqXu{!YN5d`F)@5-YN9*d;In zNR*sVrPb~jXe%xy)MBs6KHrpGdg}~~o2FLfaN{V6-7LJ^G#|zW zRW=-})_>2=h+1_M|FYLK*-xOtzLRv<9@L#&lw;1;NlVc1;*|q(#`@=Tcv<6Qksf#P zj9zyk_6U53?D6iF@lF#pm%8}=9^3IzLBO7`?Rsa+PUL*bjpGQk2O+s2_`se$i8jw; z%PMH)?GN5~7!i%5NpyWVJFF3qbq`xu5+Y9V?DkFou?QFEC*c-zq1X0e${F8`y$XS~ z%+Ij&GY31zxBy4q-r`>LwxP{_@07{T@-et|domKn(}{@O6rmGtoF4`pB)J*0Q7}2h z<;E!S`p{IVWq}hCc^b@PlQ$TnVFd32i76n^vQ-Q)-O|ZU3e#% zHKiNo!2Mpq!)(;3nCJe#DyO@&`gnb}P~=}O&!>3n^eiSGe}9NgBv~-jJ~B*KDvpjvOU&I7QfSTcVGr!<&>}p^gE1 zsfSM@uMJOh{5LDFm%?8vMW@nVy=+e(Viu@<5?dRbM55S7{S0>^ zn5ew7E9eU*84JVIiy8?|sSc9MI&R)uX(q|si))cO0Z?O{QcFd?^w_>a8Mb>uBKGg}`2bRXa zAo%>^=g@XpHm`ybr&6Kg!IEUSQjObsezG|S{W-k84zsR~i0CO)?W7T;;X~eYX4?`< zj~CxRWNoTYUXw4`JKz&P({E*keAbmtK@3jw%0!jBIcV5f`q0-Jc`=KB5m+!zOrGyW z<}XTq(Q+Xuc(aciyVuQ=LBzSGe{ME%&e@leJ%;NO70Iq0Sd@8p zi&X3l)}>^TMDi_YVw^~NU}a^BsB#>}yB18;@YFL{!`hQK-Egvc$q-72c5~cZ3f2a$ zqlQZn)+tc^YN7qL$eNPkkk5wM7HP$Hi6|X@YacqW4_`8DL^~^M-oac z>_AIMIgAbx^deL$R%w_s(L!yDgFTz#W$}tn+W4(8p|-G3T#*dPFw1h6Yu^tHPrJ9b zOO_Td+1f}-u71y&T-grI_l+ToU$Aph$&z!MOCi`P6%gdu!VXkUKv>JEyfTfvOCzYW zpKtcJUOF`KFX)gP@Ym4u;Xh?{R9qggo8N4dp#>Jmfmu9PfGrCh?^%G9SG4fAUgBQC zyDW1lQQh@;EPs*;5;G1?GN<$wgJ_S1NrUk^f$zh=LLF+@`pZKOzFj^YP4-*Y7V39s z(F=upZJ+7mr91eL#E0kE1vH;09`C zt!Dhl)fz)bWRh9jl>8Kx7(*Ovm{CvMuDh}}Zg?fsF`2>sass zr+M-Yc`zSeC74OWrh$2(vlQp86A#H58FGJ~&6Xj5`JvfUs>x+MSk^jkkM@Cn$@)0%7Sl>l&)`BC zpDPzJ1zFUJS<8BlpY@zk?zYcb_%XkOnY{5-cB>!JYT3u&cBXBEW(G_J}g;HDd6DwJhRFDP;uzDZ!cFpUTM3U~->x{oHCCZl{1pC{p z7a!vffYl1(RWH95IjlnUxunrE1t;Qt$nRC_I2{~uEaycCZrbIccpUXwe(gj5-95Wq zQ(yU>!JUWs*W30Pl(1If^t*~F4ioBqjsuGnAU=4{jUvqXE*r^>9AZ4USp3!GL+oL4tvljcauUWc!TNv-{xMfPY@{>OM&4;ewNHoh zUaqXA!|L2ZnMfWo+2L-yVKy=X+Wq!Dw3F^cFT%7aHvsKV9&bL$_h(nvd45w{c>OhU zE~Tzn&h$#7BIlS@;wuN1rKSQwQ9GygK;ROL0e8xZsvmniIG;lHK`r3G>r0<}d5vcX z?ua{U8s8*w{TDX13_Y@k zyw}V66`}L&5aS1S5is44+Rw#2IB@D-nMig2z)F{pK}lLcm^&-O29e)8#8Qed*je@%{@cNdqp`$35+Y z#|8_Z=^KACNM0%>G52FX0tkQ^JhL{F^Ur``~oYwRG zZt)OWdHkb}n~iq21bs?TO<3(b477iI5-2Mo-`Ef?Cy6wmvNhJGSE(Xk?ya~V7snGE`d;(*&R#!%@Af}X_O z8~Xu=GeRfk&CKRe2D-yx4Y+8UtL2>gL62M4{9hRP_z#oEo`8_$K4&IQ_5=($+a71I zupA%#0&x?S8hb{k>{PWMvru`}VUwq;%MBUrk8p|+doOJW064$%>|)(aWqexE>Lyc1wHzF0k2v%(26 zb_6y}fx!mOENvt|+v}chQ59n=`oy1;`pjF-A(kjM=i@a( z9n2=`dM7H5fB4(nx^#7P-{^9#*pky3&`q1C%uJl0uw!9QcPAe^x7EMnIB7ck6UMS@ zKKP*yNG*Kg9$aaX%Rx|wSE^@#q59e0FZXQGV*egP;Hqv1BR{{|{-_@?CJE$1)^Tv( zIuFq7si03Asvfg*yx_YMYu<6lDLddj2v8iS|=|vkvBg|UA*KRBjV>95cdf9>%A;r|yO0%qK zDWY~GyHA3a5_Dhjp*C^BK>&tq;7g5_U$WC`>j17Ff)CHXMv-Hu8oH)#lxq2=@D({E zx5T4M76V*=4-|%PrJ7*Tg&}YZW$SkAb9iO$&GwPyG`uyqjf$&b)5{mj6*yC4#Hj}> zb8_+T_^#pq@dShxXp?$-``Eh6UWwcauLtvG)v``;rA@sW#~vGw$eWxa_FVbs$D1Ra z^C>Bhfe&4_@>U~HuDlRkE0U#COYv#UdnW+CJuGN_I5%LIR(2 zN&i$ep}@5AQg@l$c*F=*U=Ru>OS&dq4FY$YfCT#LvwnI$HcUphMp~O< zT+$r`&u71#F!m!2R~k(OUQMV~P}*k8c#}!n+p8f*F&E&r=h@oEDf0c%nFU_R?+A|2 z)vqdV^Pr4L^`)Mb7W-`D;cmXEb9?{up?fCG#7&Ib_`RZN$|+x|)%^Kod3(0UZy!1x z|C%Tkc{P$&J)Fi+QhY(*U%LjRs7iJ#Rx)cU?AYqx=JuFebN(oqEXBIoSQ)AJ36s2H zXZVj`6^_vLUg#_%$)p>-0_am%E+()SbgqJ@VF1KaJ?~fSew_}<;VnvByP6F^nyOvJ zA3{s{LRqc8fMvkJ1Kh=yOkY3^X#f(7%kdWzxUV06@8+!|x{mUhY{>;EJflS>;obax zua6H{pFE|ty>PF^-6zO+*r)&f+9HSqNCH9L2&7`7M}OjS7BmwMYId1^;D3LSf*6|! z*v%(MpJKQO+beNTpAIx@ysg3_L|jl#6r1qMFYsE5!-M1KW_BqT;VMA8 zZYEsf&@9lCN4-&r>^0z*y?Eo!`GIUh6>&ML@c?Hd|Fhq4flsir%|D-evD-Ig_pS7% z+_Dq;LelNRUUvv@Q%mb(v*B1OO(ZwA_BP-vI0FzBh_O7Fez|DfJQ*&E?G$sUTVJc$ zK}!=K_It_pubdj<<-u!l2M`x%$xpxg47% z)f_yKZ_v!JM(TVBDrr>83uOIkAI}!7JGrPY538=(GZmA2lvR}?(+#&m3hK^ZoCA&n z(xWa}!j2iSg<;18CWeLaWSL4G980D$y3p&(488uQuL@oagAV`tk za<_OJ1b;D@_Q2<@9E3X}>8pz1GPO~?*`1V8cV((%>`k^1Ex;;A1Asfo=p|r#3zr&Q z>vAOkjAUtH7WU1Dztb5P-9~**)@ph38&E()?9R&EM08(+E!~wOq@{M>DFBZB*Eg*^ z^S6s$`hjh~QD$shPC>V7IL>E6Zh`Hk;%vXW*L)H(eD%LRR=2w>PbrIAXjuUzlb=M; zNHc708F^FSMw-&@8r(kLm0Bl@S$-b;7u|pT*TG!>Y$+D3f_5`FhCF{xz#p{G8~L$= zjNkFv+IsRe>C2mM3fE0LsEHrZcqg3lVNTw3LB=~^n7SUXLhA44NZEue+Pc(HMHUpS z#AkU7E+FT1V^zvKIf{qRVYN`)nh1j4=gl)fRl$0xCG^o)tY7l^s7GmNh@rZ*aS07V~0Zt=1}IZ zGAnnn%myr~MOg$Ch?5(J?eJk>Y%G;6A`d4xypj!WNb*WuAK}8s==W!|a!=%poFBh4 zD$4*@D$lLSsFTUVkg?iB34JrIrGSiBCmf*lf!rWEres_LFkbbyJ2G$IgK9U(n!V0I zV!b9E#^ycXj~w~d8gOjXhar<-g6*0MyiJjy@LB|Tz#133)~9pyS7pXFdWH~k?809n z2)gf69R0TXFPyP+^VRV`fG$ikf)NA)77|}!0W`T8w?z(buI*9^(%(CV2b;~Pn7$D!WwSsG z>B@nk)U1@k?9+SBACkg%14S$A;3}|T^JHY*J{^f!36y3|)(ZE%;9*AiqaJDG+w%(5 zW%zf5+mj(LAB;76f92+~rziqR4P@czVs+){WsDoHZ}n@lcj3@ex#!XRgo6*ACJxi? zUM4wd>c$84V0^59OlMTp?h(s@IXa{9LLyU&op$2-jsCbxz+A8+fRF+@F=Tw555XI^8mh5CJu_ zd11PDqt?Dk-F3lztbf6^ikAuaBoBTY_kX@@9Sk6Z`|Q-*dGGAx8v*DpSrJOt1m~G~ zQzjQAZ(!A@eNsF2vvu3ELEWkmR-bhClH!k;?6KV>-JC&TUB7$)1{$Pz;lOx2wgx*7 zR8~ZC$`Zb^F~hf1{GuJ$jq61Vg}$+H35{^7sJ3dx1eoaf{WnLtw zP@3S;o}?GIm4ms9ONnzOhKz>~-(V;VeqM|q_iWvMBO?h?E3f`rB^m}~W-GyhPgQz~ z#D5W*PeE=wJ2S^AQu}OFn?s*`FavPk>jM)ydPLO-%QZsh_Cv+rAH(l~EutkZ?BnRy z@}^@`!~WhXK5Sx$Ts^4+3D|1vV59a0kmtfZZq~o zuR*w)GTZ4fJ9Q6_qJF1r2}`!~Avzo!Wr2!+l_`JEe4WXr7%OsPVso56WpG&p2kiZj zMNcc&opR}Akv3o#=jHA+Y^ZjDq`Ivt{k&3HJ($$P^Me3Owt{V7 z-Bwa7_`DWL@#Bp7`GhjNMrsfa3IK#20?{+wa2fGM`#c5K55;(~j8!|tq0TQHs(YB8 zFwrY6JZOVQ(5pQ<0ntW+sR=Aw!`RLL`ItW{zw?7$*55B7VId>Fo6MrZ=RjB6{V&2b(S7o zeZTiS-JkZm{c(3ROcO!HLqV@M`3Pj<|L&Chy|i*B`^vmJw?nkVlmVZ)I>y4yabIHIXTGj?Bd z*d6I96E(G}%1buiObrs2BC)YCSWn-df3S6yb8DCP)co@w_02Z9gJbaFKl>Fdt`k(s z+xvRoj=^r}#!lqYQ1BHl89!n5_`1e8&L5d^U3&5qwtd0G3Vwwib? zD&6?GEx^;3_KGeWK`<$Q0b}_*DzK!I=KdkH6F}xc5z?nfTg%NilYVm0n^Ar}NJBy| zCw5cisub03?S1hQS8$@z{g;|4RB&l{huFkxh!0y*a2a;cl?i1}5V&wDc+xRxTyuD4 z2jmHo{B3$>G7{@YG*QQItQK59^~rihJR7q5gnU^PJ{2o9mwf}fO?JuW2++cXX1KG~ z&^ZPNsc}rKOogCt>r_U4jNX2|w!ZX&->kH8zA0EzutrD#eBzdTt|$TAEcaiBUk^;u zy@jdTW&b9UG8(?AQf=230m8-ZN5}QPraN=M=OvxeE5T6t>B+3C)T1#Sg^{ zyCPUtcN1?1&hNcgftv1VQGM@4z-p3*Md=k^|-Mo;2a z6Jgty(f&pT=1%4vIV3@HmMp;ZI__|yt5t7x!2K?#Za~kBlPkRf$jIomd)y?UEt$qt^o`G`H_uv^3ZSvByS*ILD)l(684J zu+B($oC1HP@{{Y*pU(GeyQIliSEQy>`p8u&mliHHp!_ zS9pQv9_?{Gstz=^)Q8+n{z~Jbtkm$G_O{{a8@xd;s!*nLbEXi;{QW=LtlGp~Jxh8M z?p`(KizjVkIkqVg<_zPg#cEW_u<}|Iw_kX#X=a)8dnH80(6b~YFP644~6U$V;1#cfx7=IwOo zfzZd?1NzKX`4wI>KmZyib+xznT*?yrm=o3or7p3iA;w=F;b66+nP0i3)x1=%I=Ui- zx-MG!FgV@hN1T+@c{ozvC$;3F)nXCx+t?cMRgusK*`ypJq3z_G$E{0S$j5+1OZ&nf zKT)2d+&*&m`m&Tqv>WtS>{DN-6@n&T`qi`KY)5Jhrfx%;K z9>03iUQ;jNerEh+X*h9zEO^{=nsRx|BQ>$EawSj$D0N2}dkJ798r3g5W#^}I<5mu$ zi9ucgCgQ47d*quVyNGYH&Xe98f*TKdJWOB47*6ECU(CvvU$pT?Av#C-O7iDTLLgT1 zMHf>8(3hq+Lb%Bw_r(6=Kwfjfj`Yd{BuMW}-2J7VGZPQnK{KuEZg*P{!Pn=r)s)x> zdE4rq`%+%GVp)Y^9Gzpz?zs}8>S&u>Qn{Y2v=+S6?n*Xgu1>Oc>cgGhp-?1hLeju{ zq~OvuM;vynMwhQLo#&V{BdtUeFJ85xSte>=uhZ4Zb3GydnSO`tT9ZngJuq9sBf1W6 zq%rMov!l*ki2FLS;`&^EN`lmQHT^ZcFL(_X;B-^`nPSRM74}3c!hB%z{cOJB)QmGo zsd(QjR#%P8J}-y}%hlU}yU7^_4LPN_L@l|l4Sfe~xOELDJih>QWlramW?cI6tpUDJ z6iorm)3M^(G8g!fkWYQfh$Mxq>`qxhrf>!0%6fDy$4GQCj$$(dGxd`S3r8_jmB0&w zN73J^oT8?%odIvRJH0>h#Lt&U6;Ce0VZ?H?Zg8Xngm$xE$RxFzgw6&msAye(A^b6_ z=&Mm=bJEmzraKTw8>un^1Xx{ERUGp3&~(_V3EM@+ISVqBaYVH$-Li&b@NRS7R$W5R z7p^tySVD*Igf;xR-9GSQ@)j9g$DQA_PZ@2Vfl(M9X50Z8B*|ERdo=B6FfQem3@{_c z6!=cr!w802=Fps#rJeu2 z*J4~Ez=FS$NX!UUwBIf-5jX4P^F;bSAP8+n@mdRcE#97ZsSdLINcXsG?uU$svr5r4 zWo2n2BZVlpv2?#obTG+{EW~-^QcNOu2v29{2Dw>WN9kEdd>P=1SXS)M~th$|^ViZN|T*@GH_Jt5N z3S-CVm!k$j2lChYj{y#aSnd$gn@)kM2iNT6C=n+$H%Q_kIfFnQA}Gs-Z7vZ^;4rZgG)6a$KPMkXZX)l8cZ zS)j55oCl+;BdW3_r2ZU=3a_x403t;w;KcA@h_~yW8$N^Tx?vXov#!rSfyw#d{KgdVQx>bte9hD z_j>pGyRnLZeg%+LoLEeb@)Q{N*{qq$6zsq2n=Ls+g=hs)LPBCl9C!X5YKQM6rWNoQ z_xz0lSMKWYkEG-G@}L|p@eJ4IfEPcO*6}pfEDo!qa_=d#xRHovy0UGP{2j}9Nmgpq zM?JZr7|h2GSK|*^h+++)z>f)8@P^G)<@OzMfJ%61k9-M54 z{c@C}fbCoXoet z5}(iHdS&8|3nhmPZ4)N{$X_`B7lc6i-pvYgk5r^gb7zzDa|Ne)DA%9^-}oCz7H=?h zxe~gD)m{b#>;bxHk>Xh4Hs^(cbA?lrN0Y++QOVpi!>rw<0gGS*y4dQntTb%jVb^8I zciOq_m8svKZ53M}X`{%9fQ>DMj@JWw37*`4OgM|@)vkCbg^!}NxA%{*4QjDT)xr}G zNZLp@8U&N%#c7%r*BxBzM$3vQ0aDq-0!HqkVLxNe^~8j`zUP^4{s7K?IAsM=#YT{t{g)vDyF1oB>Qc=?VO6L_{s^XM4>`N>>5$lf_+}XYfaN zKb`pd{|*Qc`an-h0a&R1B~I)6rXq~YyfNl-feUI)(F%tQd5@)+*H zi`c)m89&6i*#1$kz^DHVJiljiW^KB>yq@L9C>QhiA^^u)W-wRQJEjF}+QA_RP{`i{ zHP-!$a{dtvQt18v=WjxGXZzlOY!S_7(+nIiz>wh8F)rY&9uf#Un+r2SI+wvT%fa4( z&|pvtx0jfh2r7I4RHj#x-GCtZRJK2EaS<77Ocb;Jt5Kzey7hfSRp+26#RHwF59ep!^9N4e4$>(&(%oZs7#r z9 zu9fIkB@EQ1uA{UDobO-*`>@kTuIjnvU$N{=f%SsoU|x_-PpI|J(9j2VARKAr&6 ztz!=}VwM?VRG3#(}%QvU)8Aa28} zq`@|f={{ig2Gw)EGdi)Nl}ij--~6_IqTFBW*7O2+EbRCE#c!!>EG~WH4PznFipqN} zf-s3#GiC3N*Iw(OF|Lqfpj?dd&KI69oLC!#3D{f8`z;Oi94; zNWHJh?j~ld#R=9sy|GTMLk?;OJj#C0s~2+|2QCE^bn=Y8D8nojVza8y>wHuZV_Pcm zmUsP%U!n#=xMMkGxc)P4Z!qp+H^6M$zZwTNy8126l|YQfh#`NYKr(` zLi?=zdE$E|Qv<){u_V}-p4gO?f0mLcA^G5$YwYBh=3@ItZS=T#pI4G*@R(0amVnKJ;$b;U9`t+4lU8aLe71%|$jrTTaZHL~%`)V?5oTGd0Swj^g-jzi5 zxb-}JVR4zs)p{*1&)+7dJx+p}BBvct%c5|(p8<_g31@+RLpbb37f-zpI z&W|G#F1>TmsTd8Nu-)#I4YOmjCp)_H+ej_X_sYuJ>cp*H-KA0W?`3wIjxRWbg9aFC zzCn9Fi3wLw#LK5+MQQW!t{_*{IOioM>@vb$gu(;_Mc09IYyY?{u^#`paHLYg}g1LiXjgL`I5iDHMOG}Wnlxwn^AQVTja=thX2UCf)*7P(Y^ug- z5tFWBmoMmbv5UXj4wIqw^`Wm1qkuGk#C;VwIFf4(3gkZrV6sV|q&KQWWfa=4k0w2@?TYPT3yjFz@q$x4s$ft@p$y6EkDeaDxr*S%H@ z#VR%{f6u3VUgcK*=NStt)6=2ytHB5P?o~|2Zj4B(8+GR^=fJ+amaZCnMeE2mk`G^; z(vN1SxdGjVAu&n|=-@%m?y!0cL37$&VhbR8O?FRxt)JNjUX*GQlGt9gU$p?45s!9%=>HG9(U zj|uturP1jAdy49^GfR=*K>q?P$g0FmSLkNxW!V&@pRla>Ds_%BlhBR9(%!3swl?ze z1K>EQvN&S^6{t^w={CIRT(?gg7ld~Or#!73?fn`mDD^_R6A&i{$?SnQG>FRY`_)o*W*s^o5GCnk7QuHE0kJnJAZD;!#g(&GGo==$!croOG) z__Id_*g)wbf>Hu1y(>|a-fO5LozRPP6eR*8N|$Pc&_XAGbOh-=Kv^`ti9G;bI$FUEXhl=Rl}xRHu+RnhTJ1a4leNUPFH?uzxo>IgW>g= z@*KCtdkfXc6r`4o=pA=UJNjzk?vuGnx%CD7s&LXS)k5t(G|1K6%{s=QW1l~gP|;?~ zF5vRyouXpETXda|_i17{dn3MBy5T~m)vtl=V=CK2BAec(yxrqFI5)j>Qi@$%uuDlg z1p_uU2Fwk!cz`GVnW)$+MigzrBN#*0(i3`zeXGW*C9c>j7HLs?T#cQ5OktJ^t|VST zE*R^mm#;aCtxz_g-DZ%Y_6TDk#L>*3FFGn3BrvWgXL~eQ5foR~{_2RqZrZ=g6|CNPNfD^7?{+kd-e>&b=@6k}|k^G|DD} zxwotO(AsmYFls|DD;_WFQ5iBDZ=RGLOko~2TH&oP!_4m+*{|__@6k)|=N`%f_Q@pv zt;KNs{@4hk@U>!=Z{?n{7HDF3PmEvb=bEErze%qLI(sMhj9NJHF@=Bzt>RxR%OR!DjsW@`PM73d6wfBUxMWR@{U1<1h#_@5XfYER1!xZ;(O zV!Lzux9)U_^CTyMjHG-p<6dwOag5ei|6zidQD79t(W>}+4l$Qoc3|DI-PiDp4 z|9pje!Y=g#F5paE;-7JtM=6Fwy{vt@`dLW6f6I$88-nC!gNTWUijSZfzhY{Xw||)G zZiSn-4NoV26W@NndfDB9cYvCtZB4$(j(~xzI6>|ULpO!7iLH17&W-UuybAaJN&X+8 z3RRU0KeLE0A&Ai=7m78mtJNi%5$|aN+@j9mEB#KpZe#&YCmhJU?w8ap_V@>NxN#N; zd(=t}^rTCJ#%X2x#%nL@vR$@nJ7Rb3FRPz`qXA58asgJwjoLJ9Z^MhvJRPH$`qzUjF2|nv8(1xAZA_*Hu=7 zoPa}0<_fwzhxfJ*deiFgA~NB+Lvbrhz`)`cU{g<8+Z*}ZR*FZJ4S??gLH%KGf&7`s zet6q_>`uqLq)}m|ZWlaanF1eyKNk=g8kHJjHD$Tul9R3z{J@oOw!}>kKCKkjI+piB z-&nj*%p4+(Yh=mf>Y~}65x{M&qkr?qCi`2XqS|zS6JDMdYvkYfNsB5Je?Y01hQwg9 zRM5SBl+LTNwVw@2UGyJN2AfI9)gO`rDMhDsOXBhdrX0-|iDe;*vuJ#hM$_wNJ+P4% z0qe#8zPn9Nzjtax4; z55+5upVIm@Q9|Jx9l{QhA9wXsguOd~HGt*yQ@2P)aEej**}6LCe%Uu$?;9PS@XCVO zeUh4O8iQYuPx8}84rp*B@SJTcC~3eH|~v^eYuCjJH{Z zQQa-ax11#^EQ{)`tuk>(z6W=om|Yb5Vi2k6tn-LKg5|J6^M94im3Upd&f zQs9bb+67dTWn0iIme^hy6);;dI|oNJgoTPF^o!7Jkxrt@Z}93%-k^c@`;-hmwac;s zGLjMc?cq~ng4R*0(USUY@cuS$I)RZy7H%8Xcin0>dMpXa53^q;@Le+8d%aVv&~JH& z_*8qr#&LMfBUx>kJo$Ui>u_!IUHN|xx*fg@WQR6~0>7YH6{R(P+@K2z@IWkR zrUu8a0`42k>P@adQcN(KQsNpzKc+Gz!ET-^t$nLDZ~v7GLs3zRX{b_l{1dm{tCj_b zUg*`RnAgjNYk7QYJ~4a#XTVJrFwtpz^#e}=PzdF(1b8mbxhq!rzI%2hSx|hfN~yhv z&StQ&>PA-EHGu2PmhM76UL$?6{y^-NO2#|qI{e_r+a#k*ccqhYO50CL=kVMdpS`&VsLkdBx-Q}f#cRpnAN$lL&{R8N*0 zamD#1z4|FQX?dS|7MFL`+y`+tM|~!>YQ-p%1vrXHKyCEB)X&3AFKw`_0^F?a9-kl2 zN5hE6Fn;C@RnaRroZ${8#-Pm1pGq$?J%R%R7lS)3T- zp+RPYSt+mP@=)#)L7u@KnHq5)k8m9-j_=No^-XTn1}7sZKInjhNKo>!wy5f?ym(+k zF87>$)+%38!o@h`xwUZ*-qi41wc|M^`fgZ%KI^(#O-9le+OkD$;qy=lA8wmMxL4{$X`zAg%1uS{>v6#bM@h@^`i`0RLH86oBK4$&{sV?K z`ot|_>cHSLzl9qzW4y5N*aog3<>4f}OE#y{Z7q#QPrv7G%WGn;J@G}eslVHCb+_HS2?BXhITUC>q0gE&S+>LB3SYs*{R$z5 zes#x8$ncP=2t2W8iuI4aYv_=$^QlTCx{S9vtrceEg?ODzHb<-5!0NUFWD#6d=lj3r z{{q|Ib*j8COjp<`sTZ11G7YXI63cxo-l92Jeq}J9lR9=w3z^RQL_uOz#2j?B5jh zja`I-GgIEVUU&4008j1`Lxyp1{QxRRIu7^7BdB{>daByTNcB7>+DV6_t8?XELLNf# z7PnMXcRy4AVz+Gn4lTIkpcF9CS|YoY0jGLzI!0{KAk#B%cxhCqf=#~%UY>qs&fM;r zl?k&X+aWj{mg}=QOHS5@0xenr0!35!aOz~=AcO&%7iJ#6cdgmmU5Ek_j@j34xd2XY zGO=oO5de34YA%2x%?I+#6=z}rlSfT--KZkNBg;}PB|Zzg$zbv4svqYmU!;uQ;%cV$ zo~)vK)I2bJNXXab>Cx(D7+C~>%LiG%S)ntf)Mp_-h5>T)#=LDhUTCDsDQI0S`C0|1 zn9F=EZmjowN%5?2zfDRRVj=LfBa&tcxd4Z>XjqufcDIDqH44ZT*rJ%rGogHq7MY>o zPW$?dcrFTQMo$E^Pn--#xWBhJ>~=5?hBTbjGFcDW*-eL@pt5a&(ogm zKS=i-M2{mWFC zwXf-R_K5KFutui!u+4^OX7#J&JT#yvyNkBmv@3VP}!fX+baLNhgir;BMS=~HtQ zI|3lD!p#3}EC~-#6aLmSN0Qi=|>&Q28S;iSO(_)%N$5Ho(#%Ai5el0nXOw7YZ@$JVr;dNdY*H8EsO<}x#PRkGGfC@0&#AQ$8DOB)&@ zW1qzLvy^n0|ESd-qK~(}N$ULH#Kq4mV`EdEmQG-Pq>6lsQ)-FuZC4s>)5@*H7r{)0 zEEo2k%yV|by4HNFX68RadyFZ+j+qwcPlVn<4d%>VCAWgpUG~5F5{u&3-a!TUJdYB7 z?|=+v)=Nwz-5#Lugpvl%6zMoBn{2~nKnej+zs76%Fqcby#uoFR$jJA)CWfARjr|=4 zV~rcc7QdTxr?|TpYs!=BUr{a)2g!{=Z3zXRV9o!qK#{ozFf*6oVJ1h)ASw?YzSt{6eW~dB8nYs4URMDo2<0wX&$ik{eQf{ zPCRd}8KVx8(o4oYz|MwbC50n& zw+b`}(?+Kt3l@L;XGjmLKVT%Id~q{kJJC6VZBgZnEv~RK}-(ltqNen+yrY(z*#GD_9CrV68z#aq1SrgdEvmTWp5rJocTSehX+wjQ|BNL zs{S?YI<2hWAOJ$;!!_bakL)IA&ugRm{Wg(6`l<&b$N;$j>l70|Z$9JVNcqo^j@Xn{ z-={Lqt(>W`+Sv+V%^d`mS@&8}&qf3Ue1)1V>?6D2Q}dG+9q`*D2-h`9H_%6`F{pg9 zIMO527iV1SUAqH1o!0-F{Z{C{dMu|YD8o!bxcqv_0mlLRYy%xDKj`!4I-uI?5qp-O zm%G|@;QlQAPBI_+Q(eG4Q%f5z3bXA$U;VPv&bbVD(qn*-qBAloDd^t0-aA1f(~Iqz z&;S>kfo?0MRwxEU=L67a<5c>f6mc+(<%eJPT!CuuJjjH((3yjeO$dk5Y^nO($eqOwM#&uRm3wzB#eQbDi^&5&t#<-2vs>X^ z&h2ng+#b*n#&(_#3(S6`6!xn$&q#z@FWt-_TtX$C2PO{hmMi+NrdH>QhzyvX3g@$Yoq{CV_p>dS6>T@zYFF`poW z=_E+}z?(sMd2(kF`qUuzV7d*gA23RbVB3_Pej4PhFszr9VP000MpH85HFn{?DEM4l z-Z&|XDW>$W@GGA?Z=lG+4Yd#H$?e4{xD$#-uH?Ci@dCTwr!*AXpm3u_M(aMakU?9e z7E8sCCB9Jr*`4YMw5Y;tf7t+YQmOAdPRTz^^?^6jzNFjQ9yodi_4HY6NnwkZ)5MX# z0mfhu8GKxV!6jbV$=Ctm3)67{qn}lg z-Z>mw(KkEechNE0NW}fBN_=db_bjkBS%$F2k48!F*`L4JGLLQ)7cLA*8eQCsHcO?D zc|>DDG5nX@1JSDienqQB&Cgxe1k)M497`e--uT^>c;kxkE^D^8eE<~jc@y5?!}h^9 zOy4an;Sam&F3`2@z@cZvO-L}$)Js_)2>`lUu{n>UGx`7d1KM-wy+~M?t?y+KFK3<5 zYJ+*K8NybFssj$&+uXQ^EE>n3i3{g#>hBUf6iARjRPo*|^(8p=ikYy8*Z%(>OFNHV z1X~x-O-gB>k^0ZKTovIhTHnyaq|o(b1Bja2?(5?Z4H+cq#eJrMkF5b4! zEVUP$_wwRpM|4BLToewYhs+x+^f1H1tksmwu{5rYoO=%aX{^U z*PWI^cWWX0(%*g5zhBy9FZ_9)aN%W8Aj|)mgsS((WvgdtAcZOa`?;q#)GT(5gxMKQ zk}RCU75hBSnEe8*ktQy8pH;e!QX%`6!on>;>d+r27A#$BRgUXH2AtiWLz|12T~;t~ z6~uQDa#pQ=_>GPC#EPW@|IXsSAsg(F`bAg@DuZhn*Q7r>eBHoZhhiY{4(#*Cu}bZ@Ck-lwR+&*&ArvP zachUO@g%gXdnVoo=t5QqsqK#SQazH|!HVCteNfq{( za#e}H78jJ#(n)f>!gCws7#*qRe1IQ@Hhi=s^R@0p7~So|!jckKAb|j&AK+HOfD$L) z@sn>Pg@X3E-*#Os{MZAKnEWOUIdzk>`BR>4@}ZfW(xYGX%GG^*YD^y>rr3;701 z7Ggu-bT7IcaJXz0eyv~mE+7c{Yj!Y~Pt4!)EsIaCu@<kd~k;}Wy#DOQ7 zdekd=KJt^&hX<{xwX|iEj@fe{2-Y$x_RHkyERRM01Bs=;HDC;)EFMSx?onpw3BRAJ8d%F z{sZt9cACq&R zYeC5#C)+`LY0RKt1lK(uIr6CjW@I4F$?K1GFKl(!Ygyb>CEiOkvt2cM>O&G*-KQVk z_3^Ov=IXF&Q9=UU=kULjgD>LwX-c1~vAEPLZJ8)@E%WLisyP?l++YOAFO!#ba-L@8 z0CyVYG;_DkU49)l!cg~oWewq^ZJ-+vch)o4P_2hqAoJ^*fT`ko21-BQR&fg`*`|Q> zy8_5b$$%YgyVl+djAR4N?Q1370GZX#g&^jM(Vz<{&%F;$_kyE5Lwe?-f@8^c~D zxy_n=Afg0hH;7vKp5)bb&g(ja^rqq^sY+lN6);)6v^1bjVW;_y3t>U}?=fz!*zj%H zUI=`X)0Pu5TFozb&UF`K^jIp}nc0BalOU^G@+n)`*CJ0dv3PJU&>MJk2uRI>EWU|E z1IfBUV-yOrsRAc9*xmZEKEW0!q+Q>KC@_d|Fo*~KCb3h+j6|-#2nD{jePz{rxV&9A zmP+B0PE9vLgyLN{r{wNwx0MGvm-T&}UJI}2+Th67b+3x;e+|&~JeF$qTDX}?52=UD zpu-Bg{*eDVD+}TimpvATno5yM5mT})5T|Nj#RgrfebT}16M7sz=J@hf1Z^&SHjGsL zhBik;+o@tt2lRt}024!TbMc2(-sFT>Yp9`fY5{_UyH51E=lFFsRYY+xhwBN`F5nRN z$0tFlgyNG>v(q(rg4ZI7wXB+lkW|A=s39xuO`iBOLOy=pO@n}>VX042O~;Xx`&pe1 zxJmq&p@{9lC{&WPypYZ~W%bq?{<(oUsX%fZ2D5RZ@}L!dsOCZZR&Xl$zFL~Es=j@h|{6g23r`c zk3tO7GJb2YONKHWK>>FQWUP{itejbAz$Z()^-8kH2R}6|=01n3!M)=5LG5`?^8FrU z^qR_b8`=5V z>s?AYT0jf=TmZtyWZ{Ufpilse6ni>hN@uJ+;Kw=0uH`p#I8Of;9A=HqSH@Ewk0 zex`rj>V(O;QGj0z(7*M^p57g~sh+y?`gM1+*3ZNjF7b7rX_#8v9)o_XcnddEPP$N> z?Y=^=sURcNjw{(jXTa4@SMlMx@l$lI&id~S4@BkY(Wu=BB8EIUDn99zby#8)MK}Q| zCfuT6sejDq_{WpzowgfGOvbi88s*u2+e0k^PK%^Gv(D6?&BE*5u_C+xve}cG9sBkW z%M;k@tJCoS!d-q*Q7ml}bjL@&2S4a6v{PdHl*8{`e0LgCKds+}8n!Go&qge5Kp%0d zM{mBBhCn9+g)NWjo751R>+$nu7Fs?C3^iH9N>_1fQ7W5f#kP#+&0_h@*++-L=|bbR z0@;qS)vNworbgm=(kd>cZs$z`3WXnC8;FrnJZWDSS{&Svf$MhVu!@ee-!g{@ZZ6}5 z4p`&(cHVqE#M($<0IjeSGv&QhvoJ0Pi~(-^8=&?AEh5I+-r83d3EqQstJ9TsV}Aw; zibmWCrMJ4i;$^=sE18>xTVzY~bW)=ZlvJS+;&obcPxOg|Br_`E44yOKwEJQ=nmQ`L zro53k6egWBhxQ1q<{v@cL@wr=xPF}+JW3#*o_!&6g21Bdc)&`Gs~mUa!3~N`f&0B`*tLt~Hlj-A|a> z{aaGe@j6jByiRCryS{(b2&EjYp!;EJ1q4Ux?Xxol>(2|$=lGFWb9AA6`#J@9+bLad z{>OEr%jV+%PXkwGPJQ}9&eOhQQ1^1RBS!X#%2^QT61y$kf_uBxuQ5u#HiK94W?DGK zgxGkz%gB;W$M(G9g^_-`ez|wpD?+2(*sJzakV-rDd`8%r@_95lKW6S0U@<7Wlo%nU zKE2PvunA9SQ%5Pb6+rfMj#7_TkF`@-bC_@5UOX#*G++gMcT$ab_~jp(sn{*p?%uJD z$wkayj5pwZPT9KsAzuvg4{TVEZ0v?bWd?H4XLsBq`+MR6BvW?|QlI;8u+XC6T2l!R z8gt;8*$BOItl{yq6r3K#CN<;;@|NX3LFQ`mbJ+IcOsI)gxk=rGncusV{bp4B9RDoZ2HXFx z=bx!wF$PgWT0PFt&h)za*hifWG27vafQ4?EYsTcktWM@h`kHkbh^h3y5!L%0N!=T8zY_sbQr?_{2SU7MWqZ*GL`)PoY|_sF1lW}ktulEzjzX~@0}J{w&r2%K$EEETKI&$s7{}$A0^Fsl!3|8U9ameT{-YpLs`OHDV=I`br(8cv z>FH{p^%Fwx0>zuwaOhWty@ekCdr&{Qlf6rmZ~PbV#ah|#6Gpdb@(cwes7REpR|k`| zKn%v7v84InY)-tXku+8O(7*6}1178|8pXnKp=mhHbsW(ScUKMNwVPuSO5&o)Lp1;c z`G1Ey#jR1FJNrI(c3Iv{9mv2=DLc%6hAE12e8W} zI)Jbs09Nx{fO<(}FV{_=*LbVIH*Kt-IfJIIdaRZ5qTcXLl~&(UfUBJ2JsESt%;T)w z7?pZ3YZ=t~>sy%W&$9+8c{eIIJiqtT`5Ct>A zl!))R>c*lL&!%ncM{VWz_9JT+aH%|wQ?G@RglV>>kk@;~0O)b!e|n{H&<@<_eKlH- zsvC!33h_U*krJeS>=D{K_V@eT$v|rPH%gi+Nd=Td3h=(vt~3`~=Rj3>dzI>(X6yW8 z55;3StTkeT^OD(;XA33T3|lV-uP{|f4vePonUc=>U>s|S4l#7L<$%~ar=xRQIJSyt zviwWk))CVKibC)7O(jJ)o(asBix$5weH1{N0{_$PB7!~A9ig)s`G(Xm{pZM{_eB344D7703$A~IAWnb z#>@$S8Ncg-iS&Lr)}(QS0`D`z^uplgTg{po?I2>`^b$45@{GRN=(fC`uHB=w0#jtgH&a~*mGeARdyZ;x#?YRQf@2KEq$YN1%4bkUtC0}HOd0a!9p!>t zwv9n31abqrv9D$3x`BtV&*c0B8vFFAD`<}Ns7ortPwH9L4?rOs^EPJ!jQB~L%blO! zy>&^AI%+mV+pyDzmh`m@_@6G7k5ktjMzfELClk8i3TIwCmOTLpWB)tO$Einc z_D?|vc&!k4)!hmC$xt4@S(k}&WREjW;G$VZ9N*0|{TsC=B;5!GAob6Em-j<_5T6W0 z`9`Y|Q9z+0QKi23-P=b=-$pAA1{_&R@>QQ*;V!BBXLylkFXv5l_`Z$7m1f)*T_}9} z{q75d=!%uuNeJPh*TOiVM8qH9F?oZNF=0o$;En>)1`s7ZUsC|K`+1-Wc>=#uu5e1< z+a^O2w`u_jkmk~G=F7Ehj`p;?680;U_knN-LkAx#5~85!lAxIn!i${*+JMJ}y3ovL zaTb2pA$kEbXjeqfZ0ML$^qyI9Z7RTBkaZF2U zS0w7hV+#VZQVJR=2kujHJ5lGM$D2=-uM(oAmr>Tus5UBFJo2y@w#-v^V_`;(-bGai z?zPUKqL-DITGFjA40-So)s2+$F$Zl#g=AC3xptbcp(~KU^PtQY=PqDHT#C)wn)1l6 zzAC)O%Rw;{14h#O0NXEK>lmw9G|@NoRN5Mq_`ZS~=2hnsSyD~kKh&J~+&W|G3h% zd63t7Pm2cF$7cG1;$m*nX|OfQHoUzCyR_UhgvY`-3{}^ymBa# z`O2jXAXC%u)d356p{7jDb0{ob|OU4w`?*VzIPM){ce`IkXQl-3zQ z&xk|!bxAFfj;$g_#9N3P_q01QsGkFgpe7}qur<;mno&5V02^uFE28xeF_8IGbfjTm zc=$18QvbM{Ul-Nn-l&rTQo3Qbj?V$GLtQ%FG%x#SL^FMX zauEXK}vQm^164FVL>wqBHRaFwonRVB2(7j z=s{o0XY3^p*jlXQcHUWUSoygC&t zHKSh&YR|EnysysWKE0b@_psIhEP|y^nq!)8*vwrqBdZu&qHs&eTH!X|C6&xL?vC6M z*{cwzB+zSuii9=zwnb97xm-WPT4Lg4(Ex9;Xx#zQGd}>+7@NedAOeg`bz&TrsIrW+ z2hGGx^3Vswxcb2kkNjvMGfF4~e}!K`LjbJxsBF(g9B^i(kZ4ne7SvKkj)_m|JV@Yp zggu}dGaRi}^s2p_2P}5{P9I1rWG9wsC7QIu#~3XR>BN=0W2|_^kdjIY#HAA?o{BkJ z2Q|R*`v<@-cd>;!i~``Y1IpiL9iS|a!f5LqZptC<>ZEk$zuiAdtw_Oyx)e%%;;SK< zFn>Z3E_fg7re_JMQsx0~Rm?zBvbQrXwgVhAOG1Q!>o?^l6HD6I4T}lxzmLrVO%pJ2 z9x7ru^M>f2%ZbW1C$KOS)^0Gv_q|v~xG;T*mRb$ithS?)1KyuCSg{*mySyWEKp=#6 z0CaXP0!n=kn)oc79&}-Y6WgS#gTmmV7g`7ZZyk}uLJC6@JDg?|Z@Il3f zCEkrGE{a~0H!**RnOqpm+CF|4(r@%c`Ii}}-2(F{pmoW56dV-c#?{h)AEb8$2#m)z zgd{pw?{Ukl8dbcQ`xODM2Toxb*K6NNFVHmv=_Mm0hW9(p!hUvKFcc|9@uVm$1@Y5N z8bq*N$xVRa^BaS4Q~q*8wt6VHL>VYhiHOi39i!{s!!UL;;x^7(pddK`K>&m6YjYbw z2LY%e48iR*>qAZ0zv}Nmp`tlZcmD=0)xnFGg7bt$IB1p!vwnaMkV`1CnR~{zhMGdH zv!|R9e}4_4BFk)gL#>(a_L+AFmW5_ z7C$%-z8u^TJwS$m`#+@%(c1xVdSGN={HOO|QFg`g;SD3SVlkjEmA$a&od(L+z1TLC z*IGNI{uM>v?a5~9A)Qv79mX)|&gp66W{shQ2y!$?g;eiv6oKo*9jUCfLYAcrWbQK& z?r)b^P;-I(W%WNlM`;zjhk(y&b~1%*0KTJv<%r zunMqg1b`za_@MS|LcnIsu+lfJ-2ZvDvKVU;E6jVIQRh`@x+6$=m)q{TZX8>!IvUK1 zmK7@RSS9Vw{m6zbZDY;~H(0xg-kA9)79QaowD#!w&t^e>*~=4i^sU7|CDUS;o73ck z8%lzB1qIL9&ApTn?0bq}7*N8qUaYt@HhZ96>5{you zgU-xm+bw_ACMkda`P9&XcPE%P#7$5Y4m z^L=+8TL`URW)xWNo0MB3Qj`~uRjOGk_wOsOU5@WqJR3)zs$?)|a#-xNx+Y_CSjqcZ zN_3cZ>W$jCac-*IuVt%W>vr1_CC7#}^ALz#k+RgLm)dk_lJ`a_qTI20z3$jcb=0t7 z#MLU-DIX>6>n4+fy(Hm4tMEQaG&A9B66Xsi3y1KBL7|rln$}siM)W$>e{O(|T7)7S z#^_TxIFHEDgNOMw4@frlR&GJ3d|+hc!edVX?&PFSFHZ8WRAF1Ig#omUmEC@{VDP}QocP7mB< z$QIiR=g6X+Evu@V4EY$NAsa?CPOa+|xk5W=u4oP?bEZs(Sf$NbuP$FLm}=BoZsirg z$~$3S3DWB8Y*{B#gzOo1#9 zM>w%)F{CZSkl5e2|HXS@av6#9{0H!DAoedOuKu!ozAcn6QGIHxeC(>ki?^g37MeX5 z5R*dgLz`+5QC;D8Wob&WKQcc6Qvm8%+ATG`OQ&BN*LaAr1gtMPbGT8qRKcGuW!VQW zEmdvn>NnPVE-ho&eKxE|J^a9XkHCD@f(TdWaf-azFLqY}a6R zLHc@oX=+tWxy;7%tD|j3%GeMd6Mr^(Y*ATk-|n3Qc4%*es8^}K!g!)ItIw|o!N#A* zm9^pbT(i4E)Oqg(vzrqFBe%2=VVvS19@d{Xb+5DIkAF0kh4JYo3DA7NO8X{#*K7CY_l{ZsWU!_4X zMszI9@OjjH*)ul^^||*wZi_p1iMjP{hnAZr>1@r`bW?Ed1ZGv zO-PbT^T~KhQ_(!sZ=-P==E3+JCs#%6xx};Wf>`Fgji8B<>-lvC!o-QnrF`5|rFG~e zkWUXv$o%>(#Kc_jg4nP)0fI_=@}D7GVb+mOe>%;l)v9uv>D@`L6I*rF`0me*Pi2Vg& zsDGL-cT*=cB#5wlE2&KM138@PCi|w^7Mq-%oY+{E)sq?cDC7C@d-C>iR*3Sk8)>D( z$`TT8V&ytPmyeBi*DqW{EI*>*Bh<$X4M}T68m|TmJ)bu~9UATr$;6y6HzTPkJu-~8 zHn$|+!a8yExHh56@8zhItk&JtQaJ<>CwjD&-k`|80}gty_wE&kjTXy)L6u#v2juoU_vHMCiS$Aao4?)-x3*ac zPe;EIS4&;UN~4d+KYVvNGz?$$sM90SUaY+sJNAnZ+i~^@jEkhSStMgjue~W;}6?2Qf(!xH57da!*pkeQCLW^=b_}ROV7h=t=q(Q7OSX zJ;L#Dxnzg4WX+`7gabUB@T^?VYW<^-y3)HPRgPU}p*(RT#la`i`0sJ=-)z`+jmp1v zalC=lZ5aLnoMq%n(&sU<=%$uC+Y_xLx#-5= z{5u_XcB~T_sx;c#Mk#rCyP2OjS6DbB8s%Zc>*d`9GZ8WCKbtHqOT%o7qpOm4?npM? z`kum>%QD0xg>jXV)(X#QOgUYdkJ>xTxK)1-=9IrWmPv43)u8fYzRJpwIw2_M^NV)0 z&Om>0zIn&Qu66IzqX}Vh;XP@siLC4CFT%Rlmw{UxKeavuPz(%uW|WDw&`fy9zP!Z=NP6AT*%+#n@V_0Bc$3EG@7K~YpqDv<&6xIE6?5wFUo1BqjKI+Tw<>? z@m@HW23_{%h-R>K==jVoW zISv*3CL4{Vz?(l#)O`myJQ{y*2R>`5e2*nH@OT2jWhyu+b(%$jl!h8+IX9` zJ~Tx-V8|@wMKtUT*CY!qI|P!X)l0FY`|&_;h`2ZrZS`GFhIZZJIPv%E$c)T??)jU@>kfPOkQqe*-x+f#XJVR%^ zOG)TusYhU=#$Wn#bG7J2f_tU6$Si$PpXwW5K8yacxPD%mR#zgL-CpApmN?pbyVN@NPE3nfD7tHqR&|cz@1!D$=!Ki#ys&||%z-g-V^klL^Cti!R zreY#9OFerzUC}{AtAF35x?6YPT=3NxS3aSj62HU1z&bh!2QLvw|DTn_O1Is0NK1XX zTBa86Bi6MZC>h2g-pvW~ww}bcb4rAK+-QFy7`Mc#RjnGI2Hrw6`_b*&Qw=xFl2~#c zTRbLOWwD57l|4)w(>j!^Fm~T|&#DM6{l!4TNGEk;-BypoHs~%^@Lwh;o1#Ms1YcLD% zPmgJst)l3paCl5Rl`60BQ<}Wt+o@WVnT3d+0(a8o2(WMV8WU|lu!w*86Oa#@A8HFF z*xlL3px)m#09WhVz#U?d@Ep5 zNxC$7ExZ3fl3x60GuaNo$3*t%%VAo6m(!fTq;)TOTURN|k+)2$|n1e#<%phBAa$Jxt=_k*k{la$)#N#11Uaj6;udhd(j^=MA|jP ze6C0h*xq6A03pG+_=WmAg>D4v4ka^NIi8fh#_wlnK7xlQ$3NPC-wz*bBoCWG0;5j- zuLYG4zVs(Rb9Y;4bKcXkY&W&)gWq=Wk5+|3@o=G2B^#jdQ7z+{c*UYX4RFxFC}l$r zi@N=(gWok3Cq(>@xX!PDGsfW+>ob;*2T<&|xtOa+@nm~1C31TWKH2g`8!N4tbiQ2& z>DaXJd$KWotm+qkSuE zRrsqErLam`FU?CWqn?4AjWP2x+24;gtzPH5ZYZt_JFcRQbV?mspgrRfDl~)TrH5-! z$d6kuDZY2$9IjN+UA@)#_kdyJnYC@FJ^KaTOjLrvlzR(HjT+0wOKkaLR%wR*lxvY6b0$2F z>uOMB?RG_Kp{FiIkq?YO8u<5~_&@t+Qa%`*n;ZJOy-0Z{`&U|ZZL8OI}eXL7*-!;SdB^J zHo~zp+@#63-#-kdU2`a7fbG>xx|VA5FPWTJt!A-}j0tC9B*nD4$0Zc-MB;d^UQB)` zIN4(~->m3(l767EtK-J_i`_Hyw^rf0bQX}nD>VPvel^g!zl(!AA66MrEFbR+J^piM zy&pcX?yo6VSK5lbt}O7_A(l@{>#%LB*EeQMR4V%KL3`14Su&1zS)R9M&MF7d_=S|JlVUszGhC8PGmmUKkiRW9R0;1^qMQ}`at8% zO_kl7q>r~vHqJwwZhS_qoEGsvSUJdK^#l28GXOVIC4H(N@c?XMZ(%h+Vr$NhhIOJ` zCXemd6+H*`SXn37V~Uq^{gyy%~0gCnP}ZVQLfZRGf})Xxq) z>K~AGmU!HM)#I*eXen`++D1T!#)47_fb29LE$p_~HI%zfBkkK0 zF@CtEf(KWr)Ek%l$u-sY4EUK>SKMv_#%yldtX?^Fta3fK)sU}?b;b&f* z>*d6eQ!)MT$3h$giA_aOP0JsI(>B%qBngnfN zu=UnqQEhG5xaW8*^a5!m21PxuimpS4INmQFY))8GRQkP6nBOm^dF>yr**k|M?KjFFZ_B;5@Tp&M>oj*EB zJDA^IdFbs#0o53?5YZt6jaYv$7i6XV9=Dx-t~-D96iX8LfL&MlEM^uhW3dqv!{DG9 z0Gm{r+F=S@c^AYVa&MOF_QY+<1@2C^_0Jx;Zh4&;TY3=1)mjzS|MTvug)(m7>fox~ zY*XI%fm3y}THeCNCj_uY=Z6sOn`;0a(y9S^gfEg>2Mw>R!J`rx$$vYR;uHQWUmRQ0 z8^ueG?I>>qypVJi8TuV3wu!GsgPIz*ca^R4(h3gV8nFYN>Ci?41W{g7y+OMSrhMxh z!Tc#KOhVV)38vW)r>9>)4KUtU1O+FsQr;jBYHTf}EAJhNB%)>@HSg|7lUl*fq%;L zdKs+i?sKsVVR8EF%1_f$0R6}$zdMWBL5IS1|6}3c7v3%DXb_#9^?TqKl`qi`r((kf z8z1Q%$rAk1T38V~dzsTp`{GQ!M4iO2@ONiL$8dw!!MJeQbenfRHzfxQ^Yjf`u6=#w zSXWD;{C56y5m%4j{4x^TzNHB}Q#Ya51@X184FEw92d;f>IlitsFjJ{}Hn=bx9B^rW zE_2g|&^>T({Nsf5C{^E8s84`MG~T^J;8!0?RMs*uy`8yX}z5F%E~o%h5NkfeH3#4V*N3W35Pqs1+$6iyi(( zPyDs6Ii$H&bmLXK6V_`ZaBn~WHN4eiW--}ZCdDD93aU9zTK7YY_aGO^TV*)h801~s z|3O~yZ~A3l_XSammHY8*jqxYVTVeb5QSO?=0i1WZ^PZ+wwYDcl5n~na_<0^;n*8;T z_Y(=wmFEma0C-i;&kcojWcjbP#y{ZCPm`UW*;lB}2(`~(3(9Y^o0y*A2ZopZiV@{gvsI?&hH~s<@s1)~fG6o(uSYf&!k=l}29ZT&!m90OY}jFT5~!Ua zlxH7_>I{3lJeWQ`B5~vXg&;l{(vbXT5`|m%#XK)YaTfsL&6)Fk7I^_qzS82YhR>5h zM4;YhBh)f7GFulXMg>WB6bp1{H`_^21eW?fLHaLGdj(aj^fBZ)WQ>h{NaHPmOywR_ zb$?)8_6V_4C!#eyUBMth!T1tbhxlR=UDE|X_VBlAkKt&}eKJuU?n!T1oL3iJIq&8A z3JV3M19_b~G1xs0(z5~@zrgr!ECqy7i_&QV#I7+|vx9GIV@V%tl$(8%K(du&wl~1A zILu#O={uFNyVqd<#(SHJ1qm`*ky`9x5u$qfiycDqRlH6g?aO;HM!CSqx{D#Dlsb6lzELm@XWt9h zz6AOKz*9;O3=ag5{ijdxF&H;xW^1u(Jkusm8Rhk~sF6T}Z%IMN?qWcaeS>xRg+-(R zbS4oZG;&yG50~2tU_ArjW5NqK`|5V~60Fbfz1rN-<79n@`=^ZvOsD>KlQ7N5A~Tr( zCX>{7ciq5ET@eAYx_|s5cu{7hz&)F3DZ;JpdCj9Nf6Y_u^i0@RR}HcV6P%aMWzxI31AP&qJ{-*i*IauH%7^O4NG;USL;{?WdJX-DEWx zs+-wWVDskgo?`zn6;=+z`ezz;>TFZ0&h%4;6+{01;hO~oIX}D#be4g`-B&e!U$lx` zFrA+}G~nK8TmuvOg%ud3ZS*{NeEbaz)|bOK9GStrhMYFoo@+y$*!10dDNHyv2cXn1 z?1#w>ViUBLLu4f$t@(`^aV1X~D$6#@Y{0niex~sk_zd`r$Z4TtOGJy4a@PA|*H9!& z2MaQ$B9fEw3ylY+jNR)PyOsPj+yK?_&u<4&gG;!V&!8Z=Tf<(?3qQk8IOAW{c0>d} z@slGCzLk~*r8!J`?=_f`B(^yZePo!M5-b`-E*K>$!Wc;ZW&8r`9!iYd~;o(2eP`)Wg*#;l>jN?^fCNr6u0v#%QNs z1fActn@&;jPo%zS)16Af65X`6UIi-%I_%X>*{8CE&D`V|2`#Ovd>UmmxeB@R^Hl}j-{#od)GgYIM6l|@-s}6l^XKu{Tyjcwn8cn{ zM&jhCrpKe#oP!iK+5TbNP1h$zgIJS|4S|ar1-yn{3Tz->YeZsY*1wYS2QiD$W>XTv zQrq6YWy%Bmh;$FBO4Gn14j`|Nuh-lA#om}{@5n87{|LK?8jEcd6}^xxf8*gy%_Jo6 zaQkFlKJ^psS67^oGkL|>ikei>!>k*!hUTZOyRylZ#zei}9IoyYRv&`XN-+*qKSb(n zr4RkQ=YtA%5D8pDAe`L?&TX#VtAf3g+?OD$OEci)mGn`0?hC>tU`-bNDQ{Naq6_%o zwm(*FfSY^md2KpTc9)3^Jsm?2PRe>^q%*jX&wCE-i{gr7>)S>@^h?lM~w{~@@slfeanb?>%YqU1oyi2Wv3s%kU8aA!%H@xTB*O4T(vL=6D zd0PsW)cN@ebk#xC*<)v;%wJ#5snWQ!PAfgvaf(H|1g7+Xw5UZg4xd%asR}1D^bDUQ z$fQy22kI?s90?F17WRO1+_2%@%{_=$cAV9a*a> zs0rtVl{6ltst9bDi7xHJbT>aeR^jo{S5tQD0lhPE`QGXKWh90xVD~KoEH-xBkFF5X zb!iQTr*Y#V6i&PI1Sq@#SW`wnjVIOFqw^#;AZwmq-L9Fi+LxPA)_FmsC_TP}wS2OC z%yiB8UdDY3ROC|hV^*#24b{tgk)KM!=UE#ty%gcv1`RXKDUS044!mLk*xY$hs~kaVlFFwK)}c*;hs#&o(vF@ z2s{T)A&Uh5kw?^hzt;6z7htb*JnL}F2CM5+_nmmO^i8VPR@fJ#Xl*@LGwZ%;T9EAF z*=yHAjKdp>mei$PWfQJqlpn)r|B4|hJvIO-!w7Y5)jNyLTK0{H5z!9n)6$jAdv!$+ zDH54o+6l+9my20tK>6o?Qchn+VsPXOY}j$ZZRVOnf9c*bj7#gQb`}=7k%8%)A1qXg zgw;a#Pqgl+jIyYzOqWB1j15Bhl?w%rzAHU3e+4HJ5i2IlRT@{rMgDk|&%OH2-YaRu zT$^DV>yhRVMXg}1;wl&ba#{*A06E1U@csh%bW-XZg*i{thvy}R4K%mKz-yBT;a|xJ zywd6$bZwro!WT_4g({`Fk0QO~m|A655jTVl!P!m+y11_JxUhR5Yk2{aaumtpoGFlu zL>Cph(V;0|Y>QY$5~jP{S5FiowVIg`mhw(g^CVs_O>VO}dt=+9Ck|Mzth7Qj2yXEK zW3I9Tk<{u3t(DjNqvy4BzkOYJ zX&+Q3XJ&%XN;a1whHAO{6Xn}3B7o++^wd2e@InttG7=L+MkglKiusy*)6b)~{Af4Q>!J(Z?bRhjuQiYS~Pxsxod z^?mQTvZw3FNA06-ySZXVztMvRrr}V!t*Jm+965)n!`DKnVpNnShE2UmryhEu- zwNB>+&TImOyFt?o$m&kdSI~>YAeyUMX)#n!CK!9#wo~oSv&K79mj4C9qJk+XrmYts zEXHanQJtY8CzhVEC1M*j;GwaJ;U)m{lC)=In~Sc($Z(i2n5c0mPUe+*S>3=Y7w9r0 zG9^qrbNio+#x+q6K7GxIMfZ)K>af#fxY$!hm)&I%ov!>F~pdn@wRklu~) z9ZW3hgA%)Y-(d*L%{$gNhfEvl7hNby9^lj9KfVsFZr_ysK+@v^aKM7wwP%7JZ!w^t z)x3Dn=W{%`#$8$QtnIKowGjCTl!7{5mLLKT>jG9mj(!c51jV^323o#QsF03P>BxNE zaQTTPg%t)RWcI4LzC{;Gg%8`gqfD#^*>#6DL8cy6!Rs;H;Db^9HgrHEi|#}m3LIo{ zDs2_P@3R@U&R5=ZQUnhOb=yBF*0|HTTDvlKRSA*sSp3mK%WA051qMxEp`+ImnrW=yY zmgD8QWa!7hfUXn))yYHz-}5bc{-1!`!TvjLLFxFZ3^~qmhwYjARzWEuoF>>icSlvX z0<3E(P~D|4_d|Z1;rej)%@j3uKYF5T`vR)&C0R3@2SD$K@HM5F9iD)MZ~8=v10447 zg%4yCQRUf!|Fj*~RcB$Yq|kq46CLRXiK3yE=!aDVrgp9xgKT48Z9Nt>s7svyLs!5p zGLXthDAP?%v$GO#;!h?SkT+;BvoqW|N!p^LI>H`u2urPUEo!9uhgs&1Gr?%rX)i5J z>7cycE>&?^#2@1z{ z5{E-I;@@TR+kUlV3tk0a&RAQIcz}~%|_-5l&l7Fgx)5`b#l;&!a1YXsl zYDUE2aEh6J1(aXm;@O;8vV+cm6^bE`awmz|Uk8;XGxfiG6i7Me`@+3jng80eNM#>g z>5B4tK{+ZB$JYXigaCNXI+7?AGJR59)C5-~N}15#Ds?_u{D{ZBpM5a=l_y2yvPZhb z$XEfFec?`5o#)>U(UN?gVo1D2)HK;Sf-sKdhZa?7_Z_}?gE|Fjjs`|%6C;Ga|C--H& zhpYVZcGxyHhv9nzA|(MWB+)o;dISeKvXqi{L^L)KVaXUM=RJlYl?f>bo_VO@gchxS z;pGwf zilB;1iKysKwIdk4e^|lU@}wzo26^Rk&OwQWp{bq%|1o(uayix;^klzFx%Mx41cV}r zH;+y`CVk{KLrBRI@2Q3jk1L}iHMn3zMTMhAdfx!EOgpYWnq26neb&}?WX1MrZ+Tct ze^`PyI=W4Di`A=#R zfE77@)zAmh^>hbyI~s#VXYwBdVX0W?iq_^ z@7#)xJ9}$=E#*S3`{Oz*9c?Oxgv{vtDmoWZ@2(j;Djy~j^1j!|Ji+tnn7|srk$ljc z0JPGz6lS3)SmtHmYX>2(4r}w!T!OuQVwJZ;jdMh5Z8@1J4N72d~Yi#FNxnBHejIlI(R^-U#k(M8_lB*zXtDF3i^TZgujWliWFM(T6!{-_*9 zeMdpYoBA8d;R^;@ceZ~&5*;)>WRbwB^pYJFDkYyr{x5^6)#Y6GJ~tw zlK=aTm9NA;2kK+kdzmcxhnzPK_{aM+M41DtL=g8M<{DY>s%kXNe|2C8^Z_Iaf}5Fv zF4Cnue#V8M?NgYcxpm;CT=(zUe%YOxJ;JdPsp8g9QHKFgV?v-$7_RbYbJwK=<;Yx| zVm@B5L{r#nY{g9FQ^LDXvLZ2Qn7Z=^KVzJiI#>1Nf&cTr@-LeM5UemBCZDApW3K3k z{+pp=68ytsYbR{F*3i#&0Bb-$Ep`jXO>fT&?F!hEaHMU0$vOz+#I`I|*)m~}iQ{W} zEB0r5Eka%hd(9#B2p0c}=1%)(m*4YF8>KUEy^h|MvGUFDU6quEe>*)x2tTuwRR6tK z)Tig0a?pxgu;O&tWF%b6>FQy#Vt#zB8QQ6j%3JRK$@cC3$aFFJmTGz>7YPB{v{-Kr0CKf2 z=H@y^w;Z^JYxINAQ+ITaHxCOn91F-!O5FuVNtM$krcXbWiIJNo8WCTP{K^K$&QedD zA(|V;z;=byfGCu(`KY)p2ly!gp8t^801Knl({klN`*|BudFUH#r{1t(jYrkA#j1qu zM+pwS4c^%%@p>Fd|sedSmMH9J!`+BHv3=J5z1lGqUj98SsL&u zz>i$|(64J`+KpR45@lx6|K$gQor zja;5vNfO@Z2742}x=oV~K>!E`pY+|JYqBsv!;e6{U*P)YM;*{r$@pAM=kXhP0NDEM zjTTO<>?w!!x=;RnmTrS*?y1r$8D z4o4d}X?Im^A9yTkTm@VU&1cB*;^YEIxM|ML>?7BIcw^H5^e{ZP-e2SZ22-eN?d5V3 zQoRNq%`K0Yw0SRXmbj8kgP68~N5YwXNlR74bQz2D_?BhOD?tHzd41V@tAfA)V2Z&P z;hD?R01~7Xf>nyz?FCn>g9EXxB0ChZ+uPjNCWBuAxGxm|lHm=i%iBelsa&)cy8WR2 z1H9qyCfp5F004btXANhcV99joM&!0iemgF$kCA?`S|L#U7;KMorLcR=oAS@Y!Jjs1 z-v%Y@|D~T8y?Cn=>Os@{3zh>ZWsM7f*WC?go7>;0<1TOo8`pgSDck=b?@j`UT(b7! z-~C|F_{48NdQ2~P%q~j1x~4|>gWBB{`toWk-fzWo%D^%&A?AM{djn`r?aDdOnkv|H zLXdqD`j4LB1-O5%2~j{BbsFwzB^6Vs-@O1BhZ^XX`l1BzTHsOty{0YRK=;4|13V80 zj9_Krq}Z<#&k`wvK@aF3Uc!l|BmKCF!cVm;*)iKK`;o1}VrrSS?z!5iFc?tm3R*kI z!b01oaql${NtvU#9X#Pf%eKj%sNXZE^ExHw;Ky->^=oDdr@8&0>hruvXV5JAiX8X} z#L=?e4a}Ob=tx=&GHy`29@<0RZr@#_AV#Pr*wae<`7l^olF`Y-oX3UcQ7Yb1CQU3%(GX@kd}8K+wh8hfjvQlRfN zWKLf!7Tu=hkPa6mQp2%ZoB_A>4dj*ulzRioK!(F!;pUm^*9f4bF7hGGPg`G+`-%6a z8+gHPP=pUr_|dAEhI6Iuy|4nc)LkG_Qgse4dk>7_;H^AXAP>_G>c`kzb5NUn=5qzC zm$Si|A*VAZL3-N)x)bIixt3W4xvIxVHPuYY{S|KeRd=h%w2NVgZ(nf#X^l<@cW7dH zcz4*#`AUAZge>EeZPW(?nvXcA_DLHs(+(iH#C?Dy{s!`Lo1Jbtz#a<>jp9@~gA4Qv zBhjR9!RL4-*yAM!l0z?goBKav9@#NR(h;A;9A#3f0jbtI0E2~!hqZ>JEk-qm zEnA~%_+L6qh~QTU*UU|*M!5;(Tu^&)0sJ+Gfz?*jGey59UXx^0EsLs8Kcqcy7DF`) z2*cnEQ2XnA1WBVIT#jh=TIU7;V>R1RbyOa2xGYW(xk5*PkRIpyOf+L@a8Nujg(q8r zyZ|}%Zj^;-MrTiQf@`^lneEQ*qez$=LHwT~0q{3PE~f1?>tLsKdJO)WP{Sr$B5680Y0b&fTz7Bnv5Iz%Jg!*hLA7w39QaTbfCC=w zwp&B8DZRz*|EgJNwrO;r!jFsVn1XV`-k*4Vu8M8_)=OV7qAMBy8PQHI)=ay|jiKB% zL3!%wTVpZ+OW*4tLFAgY)_yc2&a;V$3gY~%Hi?p2o?j+|@^CbwAgmcK*r~i!`Hvf5 zdw2(ic-9c@oJtHbCb=HmS>NQ3d98X)G(qz3jaC&_-p}&iY{3Cf^Db*u^MkkWxqP3( z=XU9|TJ;BhwlBCyuf1HB*=bof7ftvxC)^DXs+yR>n{X_n2`7;f;B)j;Au9ku%!N=D zy{2>F)DV{jWzsu5NshN<@ThV~{n9dE?e-gMVY8O}BOu6`7~TXzwASHyMfa9a2D4TS zscR7It)=T4w^$iM*%WtrygR})>MBEj)d_+ zkp|zMT_=FqGa7y=Rn`orbBKBq-EK%Q4+7=rNyOb8YbL^G$E=Mf!mh0vzd~~BKnnrV zzx^b%=rfo_CDshDm}n$JYKW>$w5_@5c5CDG;Nv<{VDY{XJt*U?_PtPEY&!fm9*l0A z<&%lG_JdgEjMO2pj_4Tp0$yVKr|V$%Ma__}k0%VE@QO8;ts1db%p3(p@>KHwd~KJT zhreixlOtRkeSkQLXkMmjss;RgBB7k2s&|ZWLkf=rVDI!dMZl13==KIkp9K|hGVTW6 zNG4R{TY}ktrDWs>PMX z#zDpTk--842EajGTc#hy8V-+uyL18#0nX1~@U`SvLhdNu@ zFT|8{K|UUDA1R+2w;l12Pb;kzx#LtSz64Z&k-ajc+SQI1TM!KtHW3=^=Q?0Y9ZlNK z`2LwxCR{#ay|=C>zx)imt~S!b{sa} zAIy8rO-X0%Ov{Gi34tf|K9(@{5XP+XrNzW4P&ETQ=Hwg+cn~np<@+QqjC(+PgPT>Q zzMt=}S27a1PYBA?e5Hzh3>-M8>Q3@rz?i*iSymb3I|Z>LUtz~^S!`~j;c3( z-GhDUe#}zx$K3{bx*DqM%A8U?gSRPp;sU1$jO`2!H0~SicsL!@vJpDV?L-)V6uy?H z3T74#9f@$BXsF4SgLl5|_tjvYwG~F>y3AcPx}0QB@n(1UNq<^H`u0pugT=uL0EGPt z#!nztys|D_cW$fg_B3P+>>6=U)N1rPPC-@Y)-kcT#@r9zm*dlX>S*xs5on14sJ^ED zxRXgQjPA(s%<~g#!r@wCz;L1Ywt6U3DPozpsU!`NArNPIgA{*2z?ZRmDOVX{Ihk9% zJ2J+WSD$-udpiq~XDHJ^i}xF8upuwq=Fzw%Q`O+g15(DpR`NY2u7M~qx}Qi+-eW=yGM%@3j*t3`%fOeOmI>6Tp@mk~oIcrG zLrz`Q_-=`%Um!tPR_bVH=DT>`<^x&0B>;ojr1!~hx4Ki)YNQ)$BRCb~HJ16MHOlj> zA{SU`zCHmE(p>&jJtSW~mPmbe;PYqY>+L$X6g~e36#i|F2ZaOQY;yKVFPj8fC^n+; z!R>K|(>qKCLyVs&E2PBod7T8{u0HNKhGd8m@Y{5R*A zP6dw+yC6P4;60W09f|HgoIuY?Lo1_>S`lhJUF)}h?<|zNDiJWFo%GV7c%kb#!-I;3OOY0M17M+L+OFWrPsynz4Db zN+z9GqwzA2D`UoTgb~Geilv~|-3W}MyI{NOeJNGZO;*wc{uL=ZWMhN0@AnZ{r^OC+ zMzOyZSK9ZG<&>$qVr@k6GANU%)a;>XCm4}S(gw(=``OW@gUU``Z*j>GoLX~!2-OfT92-3)Yb%2@ zN`QQ0f{P7d5Za=y#?%=!b|Tj&M`B8lZ#oS1;;C;TRv4GaA^Kq?`Y`%?98lettq7H+ z{>`o}=7Ae9c0#8lyCvX#{NswnE2~0Tm?0Y(A{aYIhkzbQs>W$qt+X9dSUfQu|9-h9 zXqJ!ExPc&x_3EyV<8Cp*EAVT)C$;!4l}~=m?4?YvzpG6L^FJ--09$Wo`U}a1E4g*+?W7SjOnW$3Fk0*1s=j z_GCO3Ik87!7Qyz*d7;)6P?0RN{=L_4J~%-?@Ui)T;;TDh|d0%Oyfs5!X=9takY?TNaY z`SQHGNfGKi_{XZ%BJE7dj1@L-qADyFw?W&-n+>1w6mAV7+=5F-lbaos#UTzd74`KIbQ}noRQ?g)=mCOOFyvJD zM(*B=|L2h7HwW@{9Kr|1DQB;bE^RR44ya5cDEVPTntx9R5eKd0BaPL5u!AleB$hQ0 zkEoDW1I;Ll`|(V&F~y|s3-NSNzlC)G{hkQajRFkI5DaUcWOMG#KTxEY8=~+LmitBL zX?v|4-|VnV1{=*+fR7i?=|O|WL=bf;>N7RD>#QI>)kuF7$7Y7zL@ETF-#KNX=#j03>JKl@g;@ zj2fLT0VQZ9SQ_pvhB8q`Sv`R=(l7aLX~O3vnZcLSiF8R}zjn_X;6(_bDOoR|Q%cLf^8c*YwqBO9lx z_68hc^A^F-*nv}?7?zG3i7xT6=KLOu8|b|)%X7U3LH}b$1!SzF`q=VgP$lgwep_G% zS`K_0P=iYSI4E{o6}jeH4lj8755R}H_xaLF)ow)nRCmd!6@tNbLUT{OAg1+|kbISo zf!v|^*$mKid`H#^%dlNT1}`t&lj%N3k|Uict|?lXmm%vRQ)Ut3)Jc46$e14Hc|0ql zTEKbRZhP4PK=%w5n|fDe@!|M65q2KHG%3KvNWGgn!HcT{JFv=Zd15yl&WFRb=$4%! zqV;KaWMtS4>q`*_;K8l+N^#J5S7;`)v1PLT(Nefa+b#day^`V!8E&bg=<@(MWB*;2 zNCz$pVk$tTW@#8k3|@MWq{^@M z+X=>$3awp~I$vcRf!Mh(b8ewlUZ7o{j_yOIl9?tLe*~*S&rkrP7eNJ9!hnQ_`_9Jp ztkIUi#lE!zP)Eg!j}x>iPX~f-O6F9rg?)px zo?8L&4+_?^6m(&`)V{0^D2AN4Wh-e70X)zxjt-4%JnH`VQnR4NykH`^9?7`g2_&;> zf@tsA>qn>YyeZ?=p!!^XjbH4gy!e+QoxPe9wVi<{iYP&4@S*GR{92W<_7XJlfVZB= z;p1yH*{EydXK1)@>-h>K-T&=z(GX~U>sVyvcSQL!g)O~6SfWiS@rl8e|1uGL94k;% zrr8$nqs8D@>`QMH6h}GQ2@rrBViaC&l*9$OV!h<7GA@S<#^!lh=$P?H7hpyQbx?&iTPCt;GwPl5nGrwi z1I06WU3)cwtN4NfF@iyyeC;K4L1tW6UC97M$D8epB4zx8vx)J)8Q5KdWyL&~^vfGC z4}2wkM)kILM8CKdfTqs29_CF?rny?VE=5JP^a%%(I?uXJyGM3BCnK1t3g16A3p_ID z?pgEJZe`||_ESD?{lHz16OREpmJLQW^&1s?R@RjVT5YT*9Oi=ED^7)<<|xo6PhF)v zI@x*NXEUJjGj9fFo@7vW`_+Gj_!tE6Yz7f`AhI2XGE%?c)DIw1aevV$?|a91%SrcH zlR=`*xI}P*vax0U?Jy|^EocsUwQo!?`i=16Qt&R$Kg%Lifjx3~tT_VX3s&p$*5 zQJh+TFzdjnm@%82Fo64BxeGpG!>5LFSYQT>DD+|RrD5LqFT;6NQnuz(6Kmj4_+0|^ z**P=7&@;jSOLOIlWKe=KoPcqv_mORtzO}RSWv)l~UyA8QfazCcNil9tIQWGmbbbfu zhk-}!uHzqdc~)363f_81gukA&*~|05{>sRD-|XSFy|d-n$0 zb5!}h01U#F=Ph9j)RU2RHj~Q@GwvQbZYO)fQb|65-pKX1oYDXE&VlcWf7+FSzJGrq z)Jv8b4+u6L{W_^d;Rgn#1(R&^Kh)smFQli?%JP*znw?-eiTV#F_+Nq@|5^TA)&FUe z`p=W_|6JrTj#kz}F3UN5F9ek1J{K9@iL^%mD%9J9;n_k6t{& z1VE3ue-WnbpQ{eqvL~2=^$Sir5X07HMf2j_{|619yD#v1f^uf7xC`v=etErWeopie z&v)P{73bdoNG7HSE4rZvv}~mA{68^k>m0Ew_Y&i?fnZVITT3wjH27Eq(UHuc>9* z1MdyMRXU#T-*S_|tKC;B5?}7S;#KDAq78?2rYhk?F)BO2hu6Ibg4E-CkxD=VtT(Rj zOW-2d9pEnh@%W4R)}G3}E&!~awOn@R_yBr|PRwJoXDtQP)!)IqP00X64>S&4LcfX; zqJt7OftC5A9$Zunan%v3?!raMF9&8WE%C}vKhTFL0d|4-U{nj#*i3XOP}g=b#3AN< z4Ntbc1mn|7WMl{d@^cMh{+QZPL$#Cv2}&vLMG#|4M*TtYTwXwf+eW%wUk3S5xuqDj ze%bqpw-bT9r~&(mUu!9Uo^vH0tdKiP;9DPk>=sk&GVrKCh=Kni0VGDOGy)USaE=>G zkT<~~gHd~JY@eWrK2wiSVVK@Ds>~l-#89&ivgPj?NpV)?=x4xdkd+zf>=Jb{l-}L+ zYxZ6v@D2dt?t?lY4e=;j0*>tt%6k-);g@|ruPnf%=p_OH7|q^*lMD+I*p=XtNI6q|#=*EKf<3YIqm63Qa_)wbI7lYxlb z+hJV?>)Y||jVa1{c@gm%6%7@xd2t^VI0+k$GkXA1NPt0hf0dpC*5!K0eHi8+z@CX0 zBdhCbl4i0pAu#yuk6Hlu#?oa4FV!(5mqsf?%P4|jIOQT8hbMR?{%!o0AcNP-2(71k z{Q$cc-T#V4S>1i#3V0Z8)N zM>@*(zK`&EH=(!ZIcbbClXT;|aTYUXErAwFoRZd>LO`AVdLnG=EzP=C z5zTT_jf4ojnv*+ucE+b~<}t>ozc&MUtdy(uq9i&*sIk(pGRhj=H^ z4x9uqSD;W{%-v$l>+Z6y_`Zk(&BdAV-&Zyep#xfo^&TUk8hIjH8YQ(r{clcbOeG-c zv0xw8abFTvG{gr4hi(%#EzL4=Va!J`sq#XvvigX9XB#7QV{Y=hOGzoyPJ|gQ+x8at z*X#D&JnH3JNZ-+tzTSu0aVcp%lW9;Y5 zzdp9*2l_4qT9kHj0w8*QApvndLHRLp@3$AhQ3>nT`}ZK-9)1}qS-xsrg`TQ1!`7|b z-Jn7Kp@^yRz!sa(t5ZWEAfyLxR)JlbIm{F3%F?&d!aN zGSdF?U=&09(>FoUT2cAN^(M{#bYj8})man2P&lDcr|-86 zDxNzJzi{W3wWS@D3cuk(q@&Gt{RW^)GrOO@540qhqnL^suT(F~4YaQ|U>=k>2p|=y z^!f|x>@(QfM#0nd)P9@$18hJd*ch`*h%0&=#grQ&*;5>$`O$(^j)zzw$HGT*7`6&$ zRFr!jQg2!|JNNfO;fQ`wkLIAzf?0|qB?urreV~Yi&^dm6Ow=;;&5b^lpoltLX}NC= z`REgAOc!34Rv<6L$jYl#C?6hdY^>_it6yd;^D8E2B{XN{#`KLO*TR>Db#AVc&8kP( zwK{?dwyaY95)#@Cud!YlO%pWhFj?`bT-2tO)PCjhE=}8ceycZAQEtA7ewEQ)=JZi? zQxEkwzi>lohs434y0Bdc1u55bom?<~FiSn+xPRU#!BlQmnbM1%{}>e>nTNy$*TqzzHE^-P%iX2C+~?OZ~-cJlSJlFv5? zzHK~x)+dJ^?UH+nz^J+^fs_#REds;4ooH=%)adV*#O}gD>A)vk=pS}3jFlw_nUpUu z@$s`T^x9rE%D-veFe|C_ol#EsJ)5Pu083j>?Z5Tg%2-kA^%kD@RA00GBvMz+so1RQ z@MpCdix%sqYHN^+suV4{AthZlDq0U%u`x~V57#w6OYUmXgsM*Fqj%!33)W!*+X@@` zvF=G{(nC^Z%2+g=DnVQ27kAn4z2t5(7#jWi;^YVVEvMuNHo_0q%JFic=FXKXdXJg@ z`hMH_8qUM;gYjR=lIf;5&qEv4*5|xyN@u*>8wuD9K&X z4@kIQzwe~{={_m%M0$N=mFWm)mV~wi!gkJbpXJ;$E<@)ll?(T#M%Rq#gKifRsB^f$ zSBYs#P=QajY%(t-{{E3zwDebmM`@A=CkN7B8j1Z^6OCdO0#x~`E!&RqljX=97`0Ko zo!j=%wMz-K*3h@HK&;`#{yKZTb0>TE$nB77HTwp9xl=k0Xdcb%5XZk%sT9rLyB4c& z6apEzz*Fl5|Gt*hTkPW!4SK7z-i9jyU#0U3cD}3VQqw)UVWOQ8md&Eh7SVs6x072) zU|Yx=5C|o8FR)BIm6_Qv>N$P;`Amhd+&yE` z=|?$jRl_l@Xk-z=KmR+Ux=`nCg`nM#nL zfzsIOo;X5gh z8^B?F>xl{bstjX9@3$#7O##fv>YOyw0&wvF)^R}VicqT<&d$l0{f5#IW643lr=Jt>*XAj~MHtavRs%dG6RC1$9nxX8gq!4|T! zBx%iXYYvT^D5!0e>A;dH=e$}D`j}yw_qv@cRq)|jqeGP%O_jx$-_JF+UXSNjP$cmu z!hFIemK5X6al)ST`qVf7$31+2tSwT%z>)#PsNV=<402LK)PdA%yw0k!F*uH$LB=3= zR0~O>P=&K_@EDeUl*`Q5BgA!CrGgN=?o94_>dZqoAFZeAYw4bsIy)lKL0}OCv06#2 zYN-A$qNhfb;*C9BQupi>(E%_Wr^ePft^3lW#C62;;SFO(9^TX;VLDA34Q;lk`)>v% zqS;VA-(sv_3AV}5_%^V9XaCvepOR5?6J-tu*mUV#&RN9yo4waTAKo-|Dg9mG_4(AW z)l%lnyzMjLws!k&YrP+3#iooZhl5`Bh4gpQYW{7?fr?BDpN#1AK}$7iRfin6i^u1G zx4*~KK1oD_&n<`Sc=Rc*UtQun$){skof9l(NAkRVdhLVxSN{Q|ym$k{e7O$%ZV?#fh%z zZR*fy_gtHe;jM3T4n36OF#NIT9e`<E8X-xF^@ctNo8>o@kt!91yAH>D!OH7~m6VePYht~p~8Q*n{zu5Y_d-alv0IQ)8 z`y{;OdW!y-1UW(eVh#KFnsU}r%&WCoNXipe75`w+#|&zjp6_7O4-&!0{pwCEU5oc~ z>=xg`RcF%QT7U-IUm;@>Y`WchQ(+Jx%+yicmPNvR(70@{C+8Nm~?E#||AS zk%xxciDbF{vMwWn6^)cQ?!1vAdYXFAg7#6_6ynA*uhg0O?^_dxrunxPJ*x>W7eyt- z(qsK55@>sd)$gXtk;5M@+a2`nA{5#`G+i_kor7YBd~pudQt1@sjAmSN!R|G zfHcD=MmiQ{E7O8&(bFwIz4TtNAQ=GT@6}8?HqY_MC17y?F}0D zHMV9kMXp6)!U@Um>$<` zdBcaGo|=sxjt-1H*?oM{Tx==bKoF>ra*A0gS#(ul3HfwxR7o2e{dYgqHs;F0(wwLi-|Ti%#gf92T1jbv1Wh0lCi@*uRc# zS+dut?T)$3)s&T4u+h{sZH~XR#awCfAg?-z{ zJr$qxr%Eb4x&H7fwdStQ90}aOarcV$I&J(o87}Ez+SZOR@?N?he(lo090C$uMn)Xy zASyD|r zRC$48zIaKiC%@ePw*CCYxz9x!AWn@Gg;mRg>GA--B;D)&TbpD!afW%*O+U^#LF8R7 zNlA|Iq*e8S5xVCgjT09$T>YL#91Ds64B?c_ehztb1TlwhFodc(3O*B>9c&HVw$B|; zlh-@4jnIF-ZNR#^uyd0`*UfL0YS7neXDO(gd#BgQqyxnT=>d>B)few-fYA zd6+h@<;HgEI4+dS=sW^q?^rd#n_JR+l!kWAXjeOJI-J(%9$JdfM%xgIv5`d48dyJmW+M#dWV&cuEp>!PrMmr&sr9Q6E)B z-$z%+M~e1Wrpuc!F8tm-95`GM-aDzi2DXY5ih4wyL7Zj*wi%A&Oycb0k$D{wXp<9C ztM%M5r+h)whgaM#Rn(Pct#nImsznm&Tp2SpUDWDb-5LRwdSOctMBCFwd8Al`+ltXN zeb9Z51;oC$?W;&G8&$!n4-lc_sU>~|Pq_Tw{=2K6#SyvJvu>n`q;l%H0eOXB?7T~Y zJW)~QzlNZqygA;MK4S(pjf;Ny&um$naO09S(1a~ux|niQ(%G3Ae&p+)D@%C<-QMN% zatKKJX{NarLLQc#g*1&Pr|iCM`8V88>^^Tw5Q9+5@>BDYC*H#{?#~^#VuM!Tdu!%} zNl|~_yWQczk@h22J#q#GJBg8Twj;q(Q}V-Ck?8E-WQp$O>arqMW!gle5(bc%Cr9ng zEouW%a1#XsHHjIVsOVFswh`G9_lQ-hNQw9WJBLXLl7+nK>7|z9ixSit!|Ss3Pc%H0 z>@ja!A5Cay8GKcZm9q=a(2mn_({8vv>c}tW+UK7kA910req>m%>rOD4={bG?H5A}Y z@idxhwnUWnYPu+U&v}EDefKsqwV{kWg^z7cQtsm;oM$iu{ychJpe`D1U$Hhq5P z^@5kb-QLunU-YljS@=s$W<&C^l3-)KAa1Oj$;slR$*qz=s>cL-K)f6!4AmK}1CnZ? zK{i3q%TFp(L*EvDAm)Ic=Grb9v3En-gZz{7Q{u zF&$H|3k>M2ZtH@>TV*+o10+?XQb}1najlnAYIbcDHb&+B0Pv_!o~ z2Qapo6L2(rF?*Xr2n-g3(CHkV0bN8UZfv3XCTN7^EJ3t5DwYx(YsphaG7IrmAy^9c zuV+Rti)UNsQ3CxijX`jWFPPj-AQt7F!Y`lEbxAkov4LgdhnhAv!+>FX> z4Sl*yZF+OIQkL=P07l8Kefmx$5aUd`TZ!v^BQ@NJ zMpw}X9YH&-of?S&3Wj81En*pePg1VQAlR_jox%JWPwsOFUWfyGjXI+Fq+GwBmeWkO zB_gj78e>}@T@rwnFqE!4MW9$NpJu$A}>+s-CjXu2GYc0j6Sg#rMjdXhgBm~ z?a*jd+&l1dQCPA}Q-LkjsGHN?Lw+;SGmxtVi z`0VF~nKDQA`fZ3!XbiR%P$SzMEndOXOM0Ey!w`Yj`hiOc5O)Qdpg&OsIWM`NKKdwq zw;N9OWYTluYI17$%HMrc$$a@tRwa&RP4|eHcS0tZ6Z5Q*vvY&~Hs8oFe0=qKb)8RU zx*liwOCXd+l4o@5d0VM;G5$1kGaqtMt4^4TT)G<3NtXs-3 z^IJ}Ce-^(@-;mnrCWVTogY48uIGc*z%SjDZpN&Kfv`We&j6(gW+0-`7ly3D{pOMb9?H?G zDX}SYpytPFQ^~_0+0nCRvU{8r{W8xlG|w{+4CW4N+xMQ@wZ=jd>HcuT6I3`&EY09~ z><~pN1$(~TNR4L6e^u%%v$~XW1ZZWau4i%TXpr0QtE?KJ;}iDfh^zjX3V|F#Z`V89 z+*^5grlo~aQcoj*zghlq4&eQH=I?c#9eiNpCN&KsJQP_R3rJmR#FMnuh|9b)4M5*- zwx)-fO~ZCe@qhoH2Akb^S^K&@>=F%*C)7KKu=i`YB=(3NX#6^PC`ba!k%|k|E*&(f_-mVRM59P zjoZKt4FSU*t+;fI%Be$C_f23NL*THDLemidDIgy7W{~TIKg;7dC`VW9hel8|b?fNR z`1(mQ*#{+#!2Lw2Rrd@(JZ?)$(|5GmmkInd4R7btAZ(Wk0qMbN2(5a2-c=ZRrh%H; zc10yyMAj94mLElJvXeY6AB00hV^_Uuhb|}YqQ*F+glfYr7K~pRirS^#N$el$RSDme zeuxw0C}r>~taIyK(_egUTEudhPax3JZiojF<|L>PH_Ct(G$7}$i0?>-3_mOaKn4MtKNj($TJ`7bq$%+{j9srSA<@0Ybkl0 zz02Rcv^i3;(ji=rd?lj?PL~f=fL~+%E=>hJ#W=$UOu&XbsP8V8ytD)diJrfOwgS|y zqj4NZC-Ub_3`9V8EcL3XTEwU-QXaB-8+Sg3lLqpDvUdP-D90*x{_Kcqh)Rw;RbOtk z>Nt=&Xe}svpTuCKiwn84Sn}Q7D{LGr-oEuD%o_Au`2g!E3fxL@Ta>!AQm!-maZo?u zXz(qqITmX={|P77k(XSQ7Ex)ES$!Is5<_J#wj4;iv;W10w)gce{M5F-F;4O-{PO_e zWZGHM2&7xM%m!_QE{%?Jh<xfEAM+OeDXIv(S`BLsKS7rS$Giei2Z4PJdvH$K*i+c84r2s2I@sMq2iIU>} z>eLd(X<*#^*sM8oNccwJLT5UC?y##vw%IilV58|dy?5cpw!)EZA+X(MUUt~QJ>b6z zpiompU$kGCnV*JL$F{%09Q@(TRZ(KeK>_(3Bzz|OA%Y6&6yz*Ne*s$*EdmVeJSwaN z{5bVRCAoj=8Y;FvcNI&*lg97fawo0Zj#zg^(CsY*{Ve#r-iDKQdeU9B1h^!sQ)-%R z|A}Ta%YOQPXLMMSxy5l%X-6fU*2YZI_kHJ+Gv7D&z2ooaH&u*4d&EB%gPmwDEtUxG zK$_YJC=QbJLhBAp$%%4K^Bs9vnS5Fl&h9q94-$^usy4kbRZQCalxK*+ zn(xkmO9)F>U$8GN1tLr73UlZLnAl*Xz_Vo<56S~zX1%YY6e7A_Ec%_LPscVgL95EK z;|gl3^7`c#X37gAZ@Qv*C;hTIyAZvWF>JB>7xw^C{sBwLG8Ig^Njd6SsiMaezc}M8 zIZNzEV*&Htu!w^MvNuyx83EFueFm^(TQ+Z--IV(54YZ#7Zy{6hwNz()TI3TO%Wbw? z_eON@l!!elzBvqG0X^7&j+@QPg^IiG*t%F5>hAQmRqskg!hQTj+JVl2onA)scfQj0 z{JNVb0Sb6Ak*c#LI+j|NhPn7>2>2G5*sIX)aueiZPkCLoxDj%jUm7ksl5F=zf?*W2 za^b!Db|(x2zNr!{`84%gM+XF1ej*BglQeQ7HUPw`>p8NR#at?%mXwR^j!er>Gp1(A zY(z=nh;9QSZyvmXGIv&2mMNJ#ZW?m4o5|HUz&AYt#~PU0PuMiaw8d zSVe}AhQ#ue#Pp9&?(^^{^C}V%05)6WtAzgh(mzdN|0O^T^pvAs*81|sL_is7ad}uf zwqVJJ$OO;^fGrH)?7RhpWjDWC$QT|dIrW6YcDL3G0rM7TcTQHV4_26E%!k?PB;am6 zjP!XHxiMJ28=o5lRoSRVD@+LB~S9p68DbS{6>AqyIs2m|gGnVs0lzg^fCj57j+28P&36@lHSNw3LcN3yZ zvMPZSLPU%?gL@6#bAB6yl4S0AdwTK$wdIpV-PYWBA|U$jJL!4cW2-3G3!8}mYMy?a zz2Q1$l7n@`ppctR0GeY+xw~;WJI++9fL77bU77@-3(Hs-atUJE{I1&mI@%<6z3aeK z7a-08uvVRN+)eEbL`$iDH9mqHlY#+5r*bPQFgll1JJg%w@UYzvKBUdAB@;d9Dp1`YPs;M(` z?8^H?$y#s8vD{cVI=_j;q9w;7(rPVV{R%A+x%SILH&lVF3HOsvcir8`3Z$Y1%m<2K$?3fhQspq^^5B!Axc^d@zKW~F@ z_kgm?>XMm&roBy=mSzkWUS9*t>0})tsd?JcpoZhK251uXyr%2-=A8Tb93U)F}u8O02YwP|l<}c{&!_3SJpL4ht_1!7v=}o)O z@a1(i%5A;yN1-9(+mX&ovcY=t9*ef~Ugft!RtRlE;-{7i1!j2{Pz0EZOs#M)NZ!Hh&O9O0`YgdBV43(y zZd+WvgjIs5Me?^iDF~Ou*68^T|N4t8Xg24(*0eiR(i$r39ob1qbN^cTeoLLl#<*cV z*Yhy;Zna9AZkj5p^XWla7*gGMT_CJqWiqsEGyS?O+xqt{Kb`|th~BDG<$BlB(6qJ* zfW3;HmpQWTvQer0VgKLP6#xe4WUSJGsqKh7I;aLP7a18Xs#w>s5I%kBKdieyw*aE# z53lrJiJD8IFbRgB1LF+8hUj)(iLY8!&cq(K4%X+nt&0Q9&l+L8&z({!1n)10W4LvZ z|6gQYUi#%)%A%VE))+l5%eyWOEQa+a0H!*Yesr4gwXu$Mv{hDuE*v1?xWucHN@J9m z@Bh-K^XxP>rTzyg`R};=SFSNECr+K9XzXRnVU~dzLJRZFlNG*LAIBG73|0Jsq(O!% zOU$k*SiR44>bA2=sXjScC8L~TEURm{?@`8Jok&%AJ z|9%jTyf=6iPg;aW@J$`WR9A~&d138gSl-!#a7JOTahqdiD97tx?B!Ri{}Lu8=KiB> z(vomXQERt9r+4uQPemszz!UbzpandhS3K; zhz49{SyFlLBasYJ@EHc=|5=FU7^S=MC9b&*>a;3uEiC=q-OMN$p>W(16;@^n?y96 z&6@Bmnx_`CpvEMYe9xS&xcVVuK(65a=cgXvUSLE3JpBP6X%dxzQ{h{HTlTK^enAi^ zevT$EN&Jx+qd~r=1bWIe-IK;Fe&DFZGq%4e5-B(SVyj2%7-K;v!H7J= zO}2jjdyik`5FCRKe{Zn=!xcgwaynvRIUKiz=z0LZ9WHXK`={={wJIqsuJhaqHcYq` zq`f|HbadZutGw%SHR+%NgaAVsDdy(F)1M;qXtNY_on>CkUEnJG``dtdOb*>0z*qrM z89QKJufKXmJ>&D?>UtRr1kZuNqy1qpT6LY~n4o+J7$1Jn0qhk0Aegmj4Cqm;NO7*j1&B3Fu=N5ogt4s-2{{r zfZ>~73q>;pR5F|YnFTR?pw0roLstPXqo3rQXU>2E=5_!P66Fjel zdR``@(VIHQzH9$upT?sP)(_L;ko?-@WF3u0lru+q(mmo0z4*6=3ny)w5deNuPKx%! z7(C3@IjZcq3Kj$dlx#Qay+r3`-se^4in_f%gUBKUzeoHB8H!=mRqEQFBX zBlr6h?gOEMbtC|y+In36UIJ6kCtx6YeTJn)=2?KgcH092^*eyt39U!vV>1475T6Oe zkxt_+BPbdLObsP`#-^Zx7<8h>m51nkQeGhNq9~Yycsy(T z%!`r+yxk$OK^~;8WvMN4*zgRz%frthZZ6^9HD&GzU@=6itDqYwHb zrJ}Yg=2c%mlq{B1DsK-2=r7^;o}=u}@=Jf!afk|61x}dr9ohhqTipx%$$ITPU>E^3 zIy^aYLi~RiU{8Qfg#&j4d>wDjnorBD)~n0)j^O~+EoYRk@_`9DD6LX3{I>yMTa(Ps zb3T;fY%-b4&V96ASQ9yPK2ceUa&ycZoy)ZN%+bHGzH_l=P!nmWNK|K9bKF^=NGB(p zEoez^S-y)2y1ozaOqpPatqN@>b+P);7f~xZ+F`aGRfw~ z!oj49)cwPJ_t9Tq!MA@Oo(|x6IIrvh)Hmzt-0vnoAKd33((3#h5HYop%1c9mx*4Ti zVNr6O({=bXqP_ID2F0y_xWuGUY@0xI5N`a=7rO5YowMAxnHa<*d=QK>1!N>pqzL^6 z$c*giQ8~bAGb9iN*LsIq(Wj^#VVVPupbE)k@?BE{)=p(O%Hg*)jz(&Vcg?9E(Sh2! z#JooFUteIcWI`L1jikvc*66CmK5DpYR9d&K0f5wJjMEYN%oHw}*6S&-{6OaHn1}Yc4N_xs@5R%eW%ZL*9( z?+_JB(q|o2f@oqrk0Vf$h`p?T1@_gaj{hP3lbR||z;VphOz$lC z{)aEO^{;m8iS8oRlgtgZUDcbJB3_lj0=Z1nVkI*^yWn^F#1?p(vh@6O*E2iRVRvpB zYB7zQ_;VxmwmWi>L&r)f(mrb;Y&9T3sJ*Kw&#r-rjLiqeLF7NnMsF0-dp zSC#NWSZL<=2J<Yt<4Pm212{krgW?NGfHTvuFN zbboh@4n{{L=FVYCg%y2s&ZX^`WbfmilQ7EVjP-x@o$5akclyPtj5HEtB%uLNr_cMx{pP^;$F zqa_1=jZAc<^jOo@ZH;O{975ZOJb88cG=MPFVe`UxCAQvi!EI&&{>KtxezHaxs{LIJ ztj`c+4zBevLJIDxt)=53&a1F?KST$$9hMjn0*{X3^I7Ue&4q-k-VFfpz5}qsLK8)ho^9DAr%Q((4Pa<;#X{9K_qEm*BkNzhPGQdv%_L1Y5;RVo3MgQP8_&c}j*i4) zBRw~mup)0#49ed)K2A923Qi2Jc^3W z9kZn|m=zXv@S`BQT>+~%w3HyW99Q1<@41{NTh-uHY+|1GtBNyO^tbZ+=lObi?kviU ziY?=36y zM%`s$9JL>e08K^!M)TOHsPjyW!}J5RArVeR;$4JghS^Bsa9Ri<d>EZlO{t$gKi#6+&ZWm2>CD=2>>;nxXE2P;mv0lHcUCv`b7DKB@iS}x! zb=p~r)AscBE|*jNbC#q+Rmzp~!cXnFaw-fnCMSi@xV*ts@wm}>TaeGyf@F@G2^C_c zm?QMVkT1kqWR=eRlfbgYmgNNhf?zcGOwPFDXw2+)%&~y^vGPA&@UBT13LA=wAz-vL zwVLL%Y%C$Pc#ak( z-8%9s8cG1^>)}a0%3b1)IFw$(ak*anYgnY&8uZlR1*~vTAL+0v8HAD7wW$7 zKG8$7URU7iLldbyiX1mNx|T9<-BB?%QlWej`}y>XLY1bJI;$XW#Q-LvnE5kf8VqlI_GPXkf83 zI2=xh@y3VMRn3_xz8ChP?kw{*R-4O{M80Gz{q#cai$~jel?a{ z6U2b$mxrfxT4Sm)KJs0e?gwO(I)fWo9zA3Zw>oQX-eG8gf|vEAK*Wto=QbbrdI#Y@ z5-k1In3ez|!PZ&von&=ntNG^=Ki{rho5n?>*9AqIRBr0RK@M8yRWI-YThEV6wT?q5 zh;pFfNF-(_I)8f;WNgfmEeFk&Se%ySOpm@2tR+d4GG)F?JYeNjZag8>b1DhrJ6=h^ zUlUrh9mVZ@k@Sej>DesZt2t3k^11Q$;*|*YpHo&&B;69{bn~&;xP%=EtMX=F8v{_f zS!M+@=(N#&UNp0bMIw`U4-8|&jaNdWl+mkKk{|V@E3NLSj#^6-rW6PkELx14Br3nE z!Ze-H0Hy?G`Y5cVBBq!#&|#~Vp_A22P|=LSjTSERfv6NL-J32A$g0sw?{8V0R6*yH z9fZq#M(hCT;GRE}1}A4#AZG+-BgYEwWSkRUT9KP%oa~!`8{Z+g^jf$twZiiJRt?b? z-hVA@8AT18fFYCUztztR&rTowYWkF9|7dIVv9^+>lew|mF{R~ z*7cyjE8eImokNG(bc5Tjz^c6o7V)9@tuhUSRBK=LFN5Rbf~n!DwDa@+varPE&y(u; zvZ=dsUD?FSlS-;dMLlzYRfV|{Mn{-%vX>Tj`qV|p4(nDlKTD;E&6Chh-nXlaHWoj` zAI#WvKatLnOm8(j9I>}lPgURJR0NL52?cQdw2w9~FY89G%LH%&f{Mjq;}pku-vJ1S z<5`>#6%7!5^5R7KI8U}?c2yQ3Ysd4;;`IKa>Ss;Wt_u>d^FZ+p5gVsTgMXavLU-d9 z#`1eTi;6G~1NR`?uZ^aI(fcU4Mxp&ow%I=67xBFYPYAy_sUt!HVOn*@YVCcpwMC6u*^bO9DR$ZnVh!7OB4oyrR&Pp=5pFSK z!rG>&hU`@B@8LD~LDrdAyA=fvS=^0YAK^ssw-;TH1>QdX=BN457hOG~RNQ_~O-L3Apu0DGACD`z!B*IVEZWv&K^~vOrEby5a1~vlss(Ts< zzlDn=$BSPTJjvKt459Jel5nWduxG)x?w*8Qvtt*N>3LG*G61Kmz+ly|SrL4BV5clc z8Z&`1O)Fn3FN%Mwd@0RR6z}ihqe2r~2{%W__5?&Y&NdWyT&gNgf zK_)AqdOAc3%|Lh=ofCP&>gDWy-iPCowC|}+f4t(wzL2&bDs*!?F6o(X^}y?0-4HW1 z<(%HG9~~627;j1yLz*@CGfFV|cpBM)Hp<^4X0d{EAegCXQMs$ATkG`Q8q3+>bNMUt zD%6%fi!FmwY}x={&LG{6qp}>tUKc(l!T6DO za$bXLPdMO@l9NI$bOBVWL5>wKiY_cF|0Dqwf2?{%gB8QKdzDMcSqw`Mp@r@(rsFYD z7M8DdF$S|CBVdX!eXhVofP(sRbyAY{b<0+@l%f*CudPRMS}<%KmXulYLwF+Z_O-Tq zwF0_kE0$3iUss65KCQeXZM#^}O+!&f*+f=R^vt!g0dx%qtk>ZU0&wG$ z+FgntS@66hLmi7(+k46ivY*? z@~kbBjcr-H4n5J#Kq=eLFj%slyh@hmknC_|Wv+4Lt~!El@(z<%(J0PPB9t8u?bIG) z7FfKS$OJh{n`+(q>I8fXwW~;U5@yjhb8{=~LvF!z$;H6a?=YTfP&;8?SIKoYG9X_g zgf7*Ly@Ob(`{nnPojxQ{fBd9@;Gd1+4++7yzyll*<~L<+s{?SVs#ah*b)+;Cx`nbx zIWrEd4b3LV1fC5}JNm4G>@*5(!2>VyMSq6o;XvNXp@Yn=La$2GKHG8sC#)7l$Yl$o zu(q#lQ2qYrl-Kba(`epKEzXE1Jw9yu>XNi@aV677H6LSIWyh;-D0UDIO9!1iaN``( z<7cGnT$q-8&-bM6Y#U5dXdu7SW2?BiRvKd8bR^fhcVx+P?v19&uui3Gp!*CY22}dj zV1|Tiwz?mt^CXYYLYn9|P4Tjz1Gp;c_0R_PcMg9G45P+5*v6KNmqdJa1uhE@z6~p& z)%HeZV!YG2k>04NY%V3%t|0s615%4r42RwUmHKPQ>)HpW1>)>isyU9N%IPnQtkl4F zRqk!CC$B!q36>Ve+@FB8CzXPf+35B!hZ5yKo}}Q13zF+)4}}alXfvbD6q~&e??XlvI_fxTP>mR9e<8W@O@3pA zSst_=9C#7Qxqib%p@u}Z8fr56JW1JpQ!b6kv!`HKzK6_y2bzJ=o>I0aEk9aN1hbA% z2;J?Hr_GF?=bN*BF&}YkW{f0EmjErnDaSt)TD3yI?-5JW>K-7==xXbZKT+OZViY%%@@s_BgU+Fl_50pN-EiWsnlpuZUg& zTLI?gB#A!BxP>}HOf*?cIIRVc* zz8Wk9R`pSN{B@VtwV&V?s+gE_kALA&s!mS(5_v)DKe=A)wK#7kpBKDld+ zE;ZdaQKMS2@rMF()I{inZ%NqO2umX&_(3H{S1E5^t_1XavCR9(~yn~LAj>S&8DY(FO znw&Em5SbM-!)?w=;D_`t!5Jx#+-FRbVDVI_NWdf!~yV9Hv3%*!}sk|~l z|MVR{R-0nExU*bgCHp|LG)_xX)>Aw+i5%UQm;tJ=nZA$j2~T3}=fW9@^|)?ePw{A2 z2*0nkzyF`@mD`K0Nl(w$Eyd3wFugzk&-v|X9>5)d#KonYjTL^y^sqAw1+YOvG{@esX z5gxm9)-~zIm5raJ{J({YpMCqCg=XUz=yExtnEd&5W1?vf{4<9fr2O5neF-r*1`N|z z0%_so-Ckx-l1hF?ggjNr)1cGe$WVqU$|iBm@9-3x<0J9(8duaknqN=@*Yy6+4P+G} zzxbkVG+F=M08|NGGbyB)1*Axk36AaN$SG&)XO(RQBWWo?weK-2#ac9^#JmVk){x~# zqGu$5wVoQ-^PVn!=bpCIsCk$9ZJ*n3tsf{Vi>cs+;Co(=)z8K++9Z_h>>p?O4|->) zrO?%SM@u5BDu-_#&|RB~chH${Q6bF@CKG}Mfw}@N$Ou8JiyBM6?-esfyodCidO8%M zAX41#Ng`qSYx@%y zx%l-jMh~Q$ST1&i1xj=8c5K zRX}t-_25KcF+&~;SVM@!F z0_h5{y^%!q+u2SB@#I9_%=K1$xH)`?}yFc^KQ26(f zOXi&*@bBY7aH>Q*JD92Ly*Jwzt)mheAcaZEa?dTGM6j=}Z6|^rlOO@JAR3#%7nC9# zM{YOQ?PWOB_=8g@dj}bEAu>e}m@4Iy0!tdmq;ON4X8uAA4unM5dZL$LpZhy4FsE>Q zQ0I))J~$T-a&@b^I1;Mmn!lcL$-B_;{fM1n*6wF5Y^9$iUO1U&oplErA2j7+(5oGrKLW6@tW z-9|`=K#DZ&jq%}cuK;C@;M^KQ2zShZ_qQVK7Ta6Xz87pW2EhU~>NqbmO>i?TK=Pu{ zr#i$gG&EPR_9d@SJmo+GA8p=!P&k+=&=Av+F+XKg>m&MP%p-esZkY}!x7c0=b}mc* zGaz*m$pXK~kVgXP4{@klyVWHI`7KD-1ldD3b{QTb%PT>VXX2_fY3utL7 z#t051xt=w9<(5g4mC{nSJCd*B)mn_dq-7?)WH`tkHQ^E@!!g66t7LHd-vW+4E zUosHnjsAFHkL+Duoi{G_;OCI+%Z8wb6U;jtLx5E~2el#|D375pKIJ(gTBStW!cr2O zY%XNTOBTH|Vt{=etmPB(1gtk=_RGXZ=k4+C@aeA_ig%!VTw%tl?S%2qa+%+S6SJ78 zarc{NGjXFNH_a5YM;LP?-mouNzv*?rEBy12w`1q|;U2H9+u^*tt^ftr!4Ss7w?&;1 zAp2nD2m>p^_xZ2gy9n`fo|we{J_V5|g4f{%y@_1c9&U-u1p&JVWo+L+D`<9*a#+WA5ss%TT4*WGZ#cnsC`K%GimiFar}&5AD+t6sNUGYa|9=oByC-1Xn?`BrcD zfEQ6iyAl)Q0kdSoB8S7KQ&&W=|at zubc0W0ci)5ppc&>(e6ZPo@c@*0&h~@@9sST&ve7^*&t|2ZDp$=TMvqn@_Hyvg0#eY zW49z^1AIDpp1;)TuXeo$o1IE)Qx+a8ZW5xfWO^)fWm+dIa&q1pS!;|$e>_4)(4E^3 zg-5Ul6DgZqHNa6(q%qJS-!<3E&VfFenOA}y#u zZNq;s^-rD4F8|fe&)Y^gHS)TR-Q5kx{JryaTsecOuq*HT&G?D@-qjjrRIhN&r)du7 zPs9HaD2T1hh=;nDclcYxWrG>4Jn7mvi>%~+-aRoLscH=7*>sB%jPHT&QZ@b5HR~th zIG)AgEr~uC5N$k3#=lwt^#a+4YYWJ{N8A>x0{|V4j-viV(7j_?&IX)nLc|4C63x&- z>r}0Q=Y21IR@6qjT8OirZ!#Cl92*KD%r&9=8YR4cXa>R#TIjJ^I_P2bFEN=?hDg?fFZ zjDqv07G>L=@LKT{hWFE!`FL61q~s^8{{HsAD%<)makH^a!0>i^6WlYryjLg+o}S4n zjfWp{O!j@$pap%xC&-LD^7cmdauqt`awEnm!wQSDLdjO?^oSu+jV}x5Px-#BwM9}MV%%Gl+JHkcMFbkp0xSZ&bOhHR}%3gZw;FwFW zZD@>&)>dfxwdQWI^Uz}VQj7aYcsGLJeRRStxlt%F%x-9d1Wx6Pb0AgC>@7*Fld9vu zr@_@gHCwhF&C6vXdN|Y-k>+Y?Z}tv??e>*1q{A0O_LNF>~X zCl1pfW0*ACAbN8z+b)=Sl`cYecRP%rFTK9)RsB#0$J-=dXQ4^ukrxQU7nz3jgEeTO zS6jGOU6e=v)Cw$g3Sc;C=BxEwauB-C_=%W-Dx!0x{m$M=A=>qQSPM6m<(|0#5=;#N z;lZn$uU9a0Utcf|i zJU3J7(cM4(B$^cUWRA30$O7hbWojIt{O$6UgYX%uOo((TGQMNh8t*q5)Mhha>Ed}y z>Kc5ZzQ)!L`#D3Vx&wkU#=rX`7|k@7EuA=kmgthpEd~Fn*+0ZCuz9>c?Lj*_<`~Lw zX`bgubk!0+J3&1JY&I84;A=6LQyd<#Q(a6?5KnQI`RK)*BfmiMH zQzg__6o?>O$nAzK&gV>HZgthxW_#b7h4wBFoU5GNDap8wPyeW1x(YSK zGJXWgb1+RDgvei5FlRvL`r>`cM!Vv^vx(d-aRSZio1RXu{vh1W9f5%q!(lg<$QyL= zSX+<9aD4^>CtL3wZaT{G7}Itm%s3c!F%sAZ2SMYdVzElIeg!U9XN$s^ON_+iu>QCq zsrgCeXWpt3Zuj0@gdCH7$}3uh=Fq@gv}msqzd|3K!x64%ybz~KIF=&4l4*xDH8G`W zSyCgK>T9BcifGmX3xVvwQ07(jBhwZf+L}HI-PU*->8}$wF+#4@86Qf0GqS3M2z$;$&e5mg(C#J<=Yd;`0!l7#vjM2tZ`-Z7*7mAUG<4Crt@4B zPnRg#jhs#G;ZmQbBib(fZal1RG;&d1x0w)uvNg)<6j_yPymuUkkKso2>n@VLphDSc$dp!luuixPmy(Nb@N* z&NGiAc{wcnllRrM1_dmn`(&ykk5gl^1uYt^XkXU_Qzcy0dq*y7-te(x60pA|&-U9P zE4N~Z4(_bx*^Ezk~F$4!QRp zor5VsEdJzA4ALDitftCHYHWjdDvN4ky7*214u>=9Y>9H4I{|)%#E${tU)99{4c0tqhf#~nfWP@0lw78KCe-2lB7k5 zkyQ`+u4*(?Z84=qve<7fRNq@u9TmfZny{z`^KQ-SbCikn5QO#+ROChnsKD;7*TzQ%k-6mgMb3Ub*bdFL zmw#{@jX8#SW_5jC;oJi6<|?h@kG%a8u)@aiI8Yg~?S0y*SVTPv%RJ}|xKuxA@8doj zkyJmx&SD;Vb}*~J<@s~F@W5lJrC5mjAhD}et{i>R@F2(X-yJ$Q^cMAK^V^Iw63r&& z7g!!&>`N55EhDQQK~)t%=A$?&E=33){9Atp3N&A@IosoieN7Lp?5;O!CDDan*1}*5 z6$hu;(|ZLclOK7j;9q0UyGWiQpmV){op(^T0u<}_p)Rz7W1RUh3$Xkls3TV?6%M}M9Y z{*ZQ63h>&0s-A$&JHB$NP+GfpiW$!I+iA#%8}qh0Z$YWaAN|Mnjs|J_Nb%sra~L5qVU25hTl z%rVBeHU^c*(WrSxVz+-9MtSxJ(01E)SoRnbVQnMerM9QK(;xyYD;K443-{jW1^yjb zk&3Ictb-E7_DZ(8oQ`<0@R&z{EK9%KTOu0V5>IRJ1zNB&#a@7?$^RI_8$~V+1t9RG zghonH#wRLOgqpI0R>3W%Rt%ApHA4*p&0GG9{g{TvYkHqgeqdD18?_79@iE4jjgXu6 zUr1|3Ze+z*bHb~&Lxcv$j7`y}21*~r3F-FSq=}*rmb%Cf(!8z?aE9~K|h8KGGp%b|_Ke=8nhEoiv=KP<#A}tTd^DBy2lQn%W zkAp%A?S~fJJa;F-UEBZf=v`>GpK_J%%Myj?Xi9%p`!yVpOah5rpN^~mQP~*s+9yma zA(8ZVxZ4{SJi7>w`QA7ccl9GeH~(5}57rvrW$NUi$94Fjpz*c3t#*_f2j{+3I;GNb zM+yE1sycVhVu;+nJZdFB!(RIw-Js4r+C?}nY}$ZX4Yl>E*^Sq}+}tm#TA#Nn)C<1F zqd6bi%aTm)Ni2&_kKkH~1Q*(YkDJkdf0t59CV&i2-xO>d+%AF|sUoI@tffdD+8sSe z8mM@y8o1pP)X=Nn_By}b6ucei2wnF)Os6>_oS6C3rZ)4l{8Y9Xj94ypU#5zjjZA#r zCFi4ss8nI@JMZWkI;;t{=VVGoGjgoET;#J=L%I4;(fcn_!X4noidE#^;XLP#)c(51 z2(mOXWi&eug=}2*JORFWHcXZRw_d*$|NS8=)RrXqu)z5cbI}epv!?i!Q*rhCk1~Pk z8tcb@t?qAWuSTf_A6odPSb=Cy8F@bWpSEE9iU;wmR(!szk^5SD`>?qQ+e)p z8C*_B^7D3ri|WGmu@H?Ytxh!v5MJxHx_qsL=k@^gCc6TvwMM}aDsuJ7IK{1H@o3%_ zn$i)T>!;<(8cU6le`M&1_36mKk?C9JO|HB04WbfqmE$m0>ATl9J8i2$^E2Yl>Ss-- zE9URez|btRtk!$Z4xIO{mOI}fo9|*1UL@K`r}<&3&-|1-m3_vRo1;(_bK@aD()7nv zlXf(;ktnPz>uP_bY?})7+mV(69*(;0LWNyK=D?q_hrpQYhjt?-jWjE@w=Z8vd^+q) zHTQee2cjrwE>hZKlQk(&)%n)O@%e|5r~?LWDd%hcyG>yW z;Z*g*UOZfH3Cgn7`GtBxtdmuB9Bpg)r9~%il1iA~NydlaW!B5Uh+zQ&h{9uTy*==V z5kj71?0Nr1g`-B?$ZHgvJ*lV?ms|EKT&+k3Gl*@&>mo+g(z&)B4k>Or&&*oQ*_&R5 z@{_@mg`v@dtmH6ieKXvs33lFThi)8Ph3uI3RwthqsS^Y(p9H=963Na%HX5F!d0CF) z*OGO;lH!3M=X=6GmzNlr@WtIH|MN_>V6ESlVtIWdEKErq~cr z-GKv|6x5Y#>Gx>;=!F!*25# z-17MQs6mq}itG8rx~fk;4Yr6y)OWSNo&B4-2-mZ}0eW&6vZn2!38Bpjl-Zgpcc4t( zL$zB*Xo-s(b?}LHR9Ei%HCMgW;jh|1*;)qRW)n`LSQOpWruDwOP^g(n%i2uPHP^|M z5JR(LE{3GUQ1OtCNOLs@cTL0fD8mz?NNNXU!r6m~$O&k5<_?+se9@?i??2pf*aC79^=7dHks zinkmucM$;WWkz(BL~Br1Q%KpTy>)i=>O|00cBXH9>giO$(B}iM-8C`3K;73{3t>Ix`$ZuTskmfxFcrv4*)S9;BE*v#4nN)5u?A#s+g7Vi& ztIRfWJl#-CC@6tc2nicXl%H&o7^D-MnQkev69VvL|yR-gVdaBI~%ii;4$#f81k zsh(orS3BHYYiZ_YE>BCaR`VbI7jz~BOhAOJdanb9JL#BU#6dFVis$KCdy>A?k5_`a z?|?~7%-Ab9Y9T!r2Oxb72d4%vcv;6Ik`ArT*SIjX3~V>HpE@=4+1&Ju5urE^hM}lB zHd4(CU{6hC!h^0Ga;GxCM~+S@6sOa0T5du^)fKqa@!yHhaX(vV{Al$N!q_)U8+*d4 zIkW{grb(XFT8FKGBu&oHxvEnOt3n#xCnCx+LK10~**y6RD+4LbCtwJLPGPb;kp8fL z@C*w7A6su774`Opk17h{z+z}56_Cy|q#z&+-Q6KbOQ)15HAr`Z4&B|Ul(c|!N;#1Am|Zn>6Mhyuv#4ZnA8x3-|K|%jS92m zG;|Co)a!0?jw*T{A$2|Y!mGX#!O!$@bQpuHm5Ql)ops!p<~}KMm5x8=+G>rHt}-u+ zmmD+vKC|JMxYdqx&FN-id9xNea@RSSdNy6$*Sh_sSA$H|r1pYo$QC z@H4En#B7Yx%XBh2gr+S{3 zTxbh}P?2l&N|1*%#yM|pMW+>1QZX@MiQ}O&I9I8NHpSQu$P5QP3471pi_ktn0D+y( zG#<)9cz8VaE@6G`*@(jOS)mgWu_G>?ABCtnUUqwo-i%bYu}yn_D6@J^U!d>IIUXUv zY~zVwx3LIi-eMnPlbA~RVYu_dD~;0%yhvkTP1Y&v)8NY6u?&Xe%sfvg%~pbTPiU${ zgYH~Kv49CikwNx4LtmV>^dA^n|M6%9`HB(m9TC05vbS6;S4!p;@ddeW&Y%S^V2^xc$(|=lF6&-z@31bZL^)W1;<9ZRcyN!v)nyU#%V@5o=5(QIvM`k1e@41Vv`ke*b8$BSNuBiFU zc4fTz;Rkn|h#b8ta;Re|+&YkzPlGy~e5*#1VW(%M^DV4GjovE?9M05kvo^wY;PK(78`VC1P_GLp$+u)>JRw~gh9*!i%KI4PfAFo)+1!;pM!Qg7B(C9n@!eywE z3+7fs%>baA*U74y5aI(1zEQt5cCPwTxA72ld3_fqFzjK6XSIz5Y6)%8QkF?F-ZU?k zr-UB(@SLxr7USO!VEcGm%I|0>ij7!Acq1yiB04)QWj!xXF(?dQL2yg32{<0MjOqk0 z9&C({T)e+b3?f=-Fg9YFhO5CYT_5n3c%`-@EX`k=eo_-yhI(;2+i)E(bQZBG%^z*R zzv^ivI5{MAun74ZCJT3vZTw{24(e>solq#T*g?kh!^ZrX15rH@7%8)PwVe~HxLO}b zLd*&SDz!7Bm`4(r?{APLMVBBp#Y34jw~Up`QPcs_Kj|$#XE%F-osc|P2 zDoNa!w%;3<;dUFV;Tjdd7934o$X{#+kAXb|Ok#FT9yuY%Hg^i`va4 zvH_;20IvR;nE+q7snP(IVOspVPLF53i}J6bmWkoVqqK{1 z1bd*Hp)Mj9f<5#fO8ud3%_Rrv7-!T)h{a5rjgbQ>xeoOkLmj_PJMaMN*IG+AUIWE04xa6K=6R*4 za>N{G9}7#y53AsBPRlB)xoHhFg=&5K%6;2ud|*ZyNchZfMctE zJeb5jB~>6uJ^TTvr#}augikHqR0`O ze5#zO$OjRrUFdgj%R$e`%>N|L7~#+Krh|*9{dul#A7)>Y1}-x;e)UQ9F1+bZ_vY#L z(%+Ko(p`rL{`SKjyK>RsCfkAaug}th((^@;&CzwR<;YfvOZ;_AYO6235v!}sdE&zQf2$8C@N z0+%DYGyz>MoEEWi8r$eb#MNvy(!20@RiNfcb(g(@P&y6dH;PP~)v4Oa8dBi5WaRD$ z@pQ!9mqZ^Mb!pPenpL9w^(%p{&J$I#n8KA97yK68{Y;@J<~+l4C#qg7UqBg>`A;FF z5fcf4i(0PQ3Sby*^VOT`vRXmj(bKW{9LNs*`5l}^9NGNKlko7-Oc zG-t7mOdGbe^>fP778+Y*O-~tn88Ur6MIRsF>E^2U9>4lsL|#6v>f)09iGjD{hTO@h zSA?EQKEm>pp?f&;eCVMObdNVj6{>~*oH_W=HOH`RKxUa;1FDt%R*L1lN*dQ0=$XLm zCoYb3vUGyfLl$ikxjYm0*9-9R@)?WuVLxyF9-PT9>ccO??mtp-XjhOho~~=ZaM7St zYL342U0$qQ%}O0nOV@+;bc!bM*+t`~=N-dW3!Pmf}B@a8`>CKGKl=jrHcGzkp8sUZazf z9)}EK(au`s7qLx?oWHHJJM5C`NWOXawTYS3>|ht|1eu4M`l9mJmPP>YA-rm$wte7R zE@-9n&V)$!mzqt#A2TrAh4|=JfpRRLbvF??5ms>Cxn1`>iDGTih4o9(0 zm%Sa!MBRfycA&-+3q>>|rHIZaD_=Mb+I_8IA_GIF(>p7Ukn@h@pFW^QqCNQ1tny%Y zN?!o~=fT76b)fEE9NPB!r~FAfIy2ehif8ipP!!b;GD}=~L<-Z%qsX$Du(y$ok*;lC#f&gIdH=aOwv$X=@$0X6wG4_xDtKOz<7V~ zt_XpIY*y6-Z^4GC&GFhEP*3~Es(k@?3#FfZf*_fvSXN6Vdx-{i?3mHF&*Sj2?QKr& z7UD)-xdDuG;3F%E_J*cY#k(CvgPYCR4O+9<8aje`#X-jU9q*Z}XaG1aAd`jyt3?Tk z0BqKAFUQ;+WmaQ5IuW;QJN_c$=T^N=+VI;&=L}k9h$K%CgEW69s$`9%?{6QE{!q3{ zeJezAviySv>k;FYu+U}yfo(4Wy5yIdhG?uM8+rVl%G30=(P;eug7J8J?y(e9C7HZj zjMEV9WUBeVrUaQf!8fH>L7!?X!dU=DTm(jEB(M7vwweR60(kV&-%CDD_xNz`ypRx9 zicHfiM9gL3&CY0k+J8?@FiWyS{4n#AU#8($OXtTgo!sblcy1a&vM;#G(4$PA?6gy0 zvE3V-6}SKnWgEKhvYd>^SF!})0xLJUexExjiYUr|1wUx^{@uKf@bMQcdMW86~FFgIGk)zjP7Wg=TOd~x9&66L|{-F=K~$~N|TXEg);}yh;oGJ zd47Fpu}N@~*}TK}PLm;Fot-+4tD#kR zBiH-3ics6uX611T{AlBEl)tHhR!N5S`&J&b7#k@xEl%ZpRW$CTCa9NzF`Is9zQWcr zQi*P9$RaEwCmrzl6r2gJF=;XUZ&WRaSgLNOlzJ^uUZl?6hftz#zP^1jj)lzr8lgK2 zXOA3YKD`zR23Mk+G0A1kFAmH8z5xbs>CimUgi6nbnfKCIX-|fTI zk^{QZ-u_5U7}kh*REbR3KSWcEyvP@abXy=E_B90gMTkgs$&JPsJRyzxkn*ogV8&%F zRq-C7U&;3XYVS!WLVVk84AFX5tmRiK!(!||5CBf#{hDbkui@o6Aa~NKr1?F_iM~_f z-#o#n!ygJi|LBXFtc#degWhGlay|wvQ}vJA+NVE92QJl2nkwDS#0zrl*mMF5zQQ#g zVpocv2;Q~aCaTpEx!xccfT=(%l*8Y_UsY?e<%qEXD zmlT5ODf$Xh(wd@oMyAPz0t-KCyZilo3KH%%cgAKENTeqJnhp|>hrj5-m)Uzs;d47+;|e-IvqX4L}R4(aKj z{bMUGyqA*EEpH+;IVDKk-7S*C2B zKTE2y=t&qNZD~OPF&QAP#}f~*U|O@rGLe_Mzm7BirrLOM zORAQvt+zI#vkC_%*|TFIZ>)1fVnO1$nCu3JjhNI4yhvvn<}huW`H}cFl?~Sd<+A)M zm$2(!#9i5VW6&R}m|xS?FGt29*$=T-ro%#-OXBOwj*xO*TJiDo?Jpxblq)qW6qbmK z4qe{wF^n82xEUv&gL@n6Gh02Ow&hoNwBoG~((jgl<+T>p?;pdMQmKDk)+~;})`w=l zUd;3hX^4aLXsgJ>1GJ7iv6U7}iCA+N2Q(}`cbZK--pK&dWovWm#ujT6rnBu#3~GL& ztNWB8gA3?VBcZv6@Gl}_@a~beJbR@Lv|#Cz@9P(uHV{w7Jtz$2Q z&pv;H#uDlQtFYkYGn}zY1g^Y^yd}nfqENo98I^s{{zk)VvQrZ2Cy8z{nNLqdH`|&u z#Pi8sK}Vj%TJFClmYmN^=>GNDE_mMgCtMzH(BCkKHu6D>go0&CznTg-+OUVjZ6Wzz zOGq47It4IWg=&80hz$7u&~ELi9Cs3qPvR*692K`JW^g@saVCZRN>AR#k|tIL?+u@7 zj)@3W1zO36Pdpp!G?Q_J3u-9Go2{x_IR(cL`V@RT2aU6L%>1up@k64yK>r7ArNs((P%Wcjt-Zd5c1G*c^|G@Km=&d(6ow6*fqDY#SH z-r5oIX6pAbXikn<6h%PwB<~Uov)<@XRMARE7@1?1-BQq1hjZBn2lw19T98X(4&f~M zG^xyakU1CskmdYIVqh|e_~gnzduV21ywj1YelO`}F`cG&h6Ebc&R&#!Bn5|x=hl7L ziA{7kA{Ay}qxfV3uJOFJxWQ&#Jf?#ew@E_6M(JmvOMhqG=Fz?#14xk~ipJ7n-?){U zkQNU@FN&&#y{#`sanH7+M$b4xe0$)cPeAsHBOW)Y`C7BjzG!A>+R-@CPH{E^3^f8q z@Q&pw%$Uh->*$4=Dm_QFa(bSJ;NYWK?9#axX3@;mp^JEsSe-AVBZQU|)vUu}avtBu z0oZaECQEe&!erOryCb7F2?acToZ+y1s&W+U8|1eg4r}TY?=Dl?L4qj~MW#%(N}|{? z*4RSB)%qcWM+}Rp{(atj0_NMKQJW|SnQJuc@Ic&NGwadvdFVsrB~8VWpv&T=%xAlJ zIuRtlE1Jdk&rX}_qZ9&Vz??lBx#w}~5Fm|E>RrpAjrAho0z8 z16?EH0nh#y$i)K9xj|7GjnH><=7(u3#`ZnG9KRnmJZO)`!m@A-qS-z|VW6y2Vdk{T z(jqH($QdKv1bK8kC9r9)f4p->HiOgZJBG83{IldRa|0&3)!}}y7Z5M+bKJM77i_ij z_7M=CA|EFyGK=G18D9J%q7xpHu8EJh?W^+fc1K7*BkHM@NQUiAl31!tiBcIihsDVG zt*u$DPwpEYky7pqTK9tvKw;JsAE9PpCiO~nnR#rc7YZ85#AJsBnOpwo)zI>q7$^@* zTR*I>)}n8CWNClzWHd76#Q^XCJK4p~u;ujCFA1?nt}2%Liz;>t@GIa4>Cx!Xh1`9v zF9Xx6C2X}y5uf-j+C%Nvj9HgO&3Of`MWumnQx3;0_argwApL)xtb^GIwsOLEv@(EM z^k9cN;qOy35CPLXT{SYEKE*f#BNXJk^AFGl7;X~>w|I+9`|ETHYb}A~Hlq)v&jlDn zG_#DR;AEno6E=A`IyRCN>h2~tD@4sa&Ktqno#0ndy!SUW0`!d{AVku%kqqL0d{7PO z;b1)XunqE}^eemrgyKy3LfAwVVq z+4Ik@R}=h&EA}}7P&V=6KRkjB*1Abz|c;-#zf+)9>&46;HHRPn}R@cL-pqX&FbX`ER}FPqV+y&ym`W(nvMX z7uE1oP`^Z37pj3nx&NW;t#{#@gjR!?+_e9h2D>Qm|3F)US*E0_?&j?i$$=JXtiyBb zgBQEp*s}~Ll|BTg7~bz8#vpP-*pk5z4KyII1z!0&{em-*1XHXMmmRx2=PTzLdy79m zItosvV3t~bcm3NtI!m5{JQPnu@otiTUz%iVt(Yotc(zb`UkC^to9Uw14j-$JHQ$@~ zqWH?vHVxUTA+@s`{-k|3_)6R8SD1_OEf-F9{tB5IFSR= ztb5mJP$3sXUTa2hV9e`E0@G~*Ai{JT7GtlI<$E(prX4xn_=IZgLsPGgDs81BfBH0u2px|X3gRnO zV3d(^>bK4NYTQw)qen@}L+eP*S{KY~;M(>~Q8F(abLyqY%MlVEEs|dRZ{4)QH~_)} zzF`;pKN*_dSn;*^j#EL&7=UvzS|BfWDTruqpf`WSi#Ug|vC2iq{305Uep+R#uWJQF zuV>^l?;x%|7lZwM%paPrn%`Y)ovBJgKxiOd(f(pCH$R@Q&Nb@9R_NdvrQ^$J`aU6I zCwq^D1e&m~c~5i#A;NXuZo!!_9_LYh29f2hw<4BU=!}>cXV8tYi2+u+akcbU~KMqrKew5IZPyMCC^!-g1YW5vNoq%(USN< zwIt3L$W!0H@JrvPx-2YC@nVzuQU|9Z(WPb%R4c3``c&x<;NFV}@$n1sW@aVB*=R~g z=wK$5&z`#3_WFx!2ODVz;K(2p0}MH!nu>SdH-Q9GV*8HaOBf(Y1oJ^bkZtO9su?Q$ z$I-T_1e^U!519k$k*Fu~6ShXn1i7UUqhgbbD%8B&yE|P1QHd!$an`jix+$|lq{X}x zWtBW@a0Ah`l>{1ABk5J^X}<)wo9JFupxZ)w=i=~`>!>cV`F)8)5KB$|Bj{Zm#7`&Bp%hG*h``Ts}puA=Xj)~$`Hubt02Nv zs|39gmc7~8TS6ie+lgj1uLQk^SxXo6Qw}RR@@aH|8)2-VKJqxY{W*ZC7_XbmKVB;+ zYIle~@8_M0W&!I`_%DdmhnFj&9{j6n*Hk*8kQ@sWvoR$bdp#R?H_&Xzk?V z|2ah(AGwlo&n2vW?OGzw?!hF1ThxXh_wi*GJ2ES1mV!P>q=Tp1rdM#+r zP=C;JvuzQYeEsKx-;_=*5RT(O(0u2`|HIH50S60ffol)xt}NQ=1*@_DBjRC3#oC_Ym)Ms5c>wucjXpEvu<&J3^HIQT?0I1 zd(%H(X>o8(FPszFcDp%BtGOK_4dTN*Im-c0bokrsbd_QJyP>O`siBrYY>? z_FH#tQHmrL>r`S^7krvZ7KkkbH5qCy^tM{W&*%R7AIsKMSdx9R^v+g24cB?CXjv2I+w1a7=v z96CT63UPbJy_Z<@&YM}k$n|-hKTIG7Zr~=t6!+DZu8yE0UF(=y0-3?~1ygg?H|t?| zyHa!>f;BD0ArZ2zc)~U(gS&$-!fWAG+zH0Ip4tg2??#@ZDW9wKy%LA;0b%JaD#qsO=EeAT$_OzQ$^7 z1qEG8 z-vW|16=X3V+jIhc51``%AQ~i~^KKr>4Cp>mT_njwBkO04N1%OmoZQl~|MvY#i5rI2 z#UvM>uF_q#!WY-CmJNZh!drL<-yA+}c(Egj>~5o4&~Ce5gXIjYa==0QPpm8-B?nv* z60YDJ%k&Y=B^FaScb$Y&Ce8M$R?Y^HdcYOGun?KxwrS)Aj_OiLJVYjI5jo2B)%v!c z`hfF=P(0LM>IOm-_W`T*@t3+*-!IL6RO>r;Nal394%+KqGw&w&b`3b|Euj>eVbEmK zLI_up;|co{k-7*fLZg|crBMEYwnCaN1EftP z&fGq02(f_w4*^jC|4xcGD&!4wbWHiA0aE^T=L^?oZ6QQA>kVU}>d%Y;w{IH2Gs1@_ z;X72idk-T@d2=Zmeo38wXN|?2c4#b$*1TD7PdHo5?^QAqt>$tcsWNt`7$tXyp~_nt zGe7S4hwr>C8qgpeAYx7#p#=Dw+(}fclGaQSqC9e(Vv43) z=OW*_8?Uc;OHC)Av73=THde_6@t%3h$tZ20?B9r=`Cd7A2PETZKnMd+Avdv-pNY6( zqcO3YKwSKru|(w$03S^k4g*ZPOc0v`uRMQx7mDuYJwUOfA~Z%n2+YcyKrbSv(3bfA zu&p!6md^E}CrXDk@FjJyAL90DfUR}bOvwD2@ORy&c{Vp`!;1(}AO>S2r)ss-`D4x! zbbi}(_Xei7kgFnBrrB>JO<9_ni3O>)@GI z>fN*8r=P1omz!odGvzEJqjL?QvgdGUML)eVE6{)x;&~qd>DCdEeC#rI$vn z(-HVQbN#<^X`|4lW|-U+PT`i&Z{I2x0I;or-xQD>elDJmN9pe9$tLg z-8r&SE-VD$^{XOPRw6kcb`YieCAPd*a;^Jg=IPML2q9udE=%tUM6Ov$umvjbXqugY zwi-s~+nfrZ`VWpHBU%oJPD}o0b*F}=xXrLkaO zms^07S9_0xpB8>jvNq1gJ_8iAoBZ6DEyZ2^+j&Rr%y+>w#}r zu-cPUc6W_3(l+(Bp_TGpEBJ<7lA`pDN3-9QpD+=Jq&|&ppd}g%ffdtuSQb_S`3*=} zZ7seSu3QVjQm6S#g+;fZnr{p#nR4&AlIGjcV64xGZ6{gRZHUOr#7X!h|DwwxBYqM+ za+9rMyM9-FTzdL63|iO8a2cw!w815j>0j}oo690?TaJ}IXR#3$Z-x$rv( zg$t*1EDxEHM4c60a*d()U_N|+`}R{MDOLh%t&;l~-QI8kLN`uN7~JJPEzy`{E+yGf zHFhUMbRSVdmZr;2_q(-bwF7{*SqyPePzI}^t;bYh?LF#y+k~3AimbP~TgsN8X$pRD zq*K1K!3yE8(b*zg27@K52$|HOG6x|=WV@aF(nJ$KijWVb0w_1&ZC{?b0X4!bP17-Z z-#6B)t@&V2i>NtO36tjc8`-S8 zkRu1NArpO|_$?c5$J2E*?k!FXPb17}cKIHLeVd1@I;Z89^aP9Mk1z(sBn5tg>DtUrZH5J~JO8sArO zM1IEc2pbxA>Z9UV;$yz>zpyPt9;oC%Cr{GY#x2gX^0KV#?I1C#2#@*THV zR&0F&FPUy-SOycMUIx#G`)eGI$Vgu-=2Hy<0*@Hbs&J@y=ymfi;klV} z)5C<--(0=io(OV%Cy$+i<)hj>Ubc?2m4i^?HsJNj8a%rGmPIbvWfMewB>OFa`$vai zqxe5sw@$n?f3lX=R4#h`s^rw*&WrHn$nN|xrT~RdCyv2mKl0b`NpCLnFm zm#Go|aN4LD5IBlle+Q}XIXr42u1VA3qKt}|3r;RIWT=pEn-_M6@m4<;D;6o73W3}Q zH~qVM5`AlW&N8Ye+|CY0aBoB0q`;{a7_Y|!Ry{_MW^uKd^Mfi%{`KS0ZSqxOU!^6s zURjl#7ki<~cEFwdY+6v>px>dEy|R|m7R@w}V(UM0=Dph&l~nfY1#gJx1r* zka$|z99XwHHZj#gV*vf-SR@CmO7o)`;e~YlGbnWrbO!^I=){}`0G#+!GSYvr>8(QQaJ}`^fA{`P(=_@(vQeJ#*k4vb!wzPc@xT38c-c#{l_iY@w`A z6+(^gO-@V~bel%Z85iln&&t!>m9JSirxy&-&T@U5YI-{e0<=Hsi>=2sDKYQ!ReqIl zv;8otJslG=EX`IcVXFCt(~d#xw&AG540QTu%J!R#0V~U3QXJq0p(mX`eD#ATE;C`E8qUc$hVS~Rl7vQIw0ciCVt;TmS zN6{zH2$mub=XQ5$KTw7ai(U32!nC&k>7LxCd*Vj?r@UogmxM~KzmTU6oVh2$JaLbp z#mZfJA|khuXcnKuAUeVU=MI>e6Rr?i;A_~d5#^AQZaZfxj^P{LyKcxP848=YTN!7q z8$J2(-bf6}Dd(hh)J9m;JO$jFpKaRr>HaiS?mnZ|$dr9Q-}n^UYNy)+!T=ABTtouT5OYmgaAgGji5`nw#4aCg?8qLfj}u??$)gSAnQps zq^PtwX|z&Egm}|JD1ccaL)Xl7MjKOu_bv<11bondCG}RYH!6laPW`RMPyUUiw_TE; z`J?>Po$PPZ^_GnoUw@!z!z_)R*$lURDL6dE=gg|%ngu%vKB`voWHqV3$yO1H1ws}B z5j1IP{H7$l!$*ys){iX*ZsdM$go)+R3#|g!OY-A7*)1ePllzHC{;j=(c%Jtm26W}aH}3=-ukXEs z8!^mq&uv6w$_hcW3N@g?<76C z*YSU49YQfD*t6B4FpH{ClXEmxPb28+xHEz7psC z4FMuS-JFx>n3JOt3ri%ZU0+5zlbekZ%m;&VoWS!*x*8!Jeeq?)xC;I+Jsp>R`Pm83LdPr?!61ZCnTyZ{f)->T6~ zqnSH1%+CG3o>2iu0)^=xBsAh%tkU;I~XroT{M=~v7_!UNpcK@m`D z^N}VMYHD&R)D6*Qz0C&_uVIV(f25Yr;vScGQu<8zsqe7ZXSsiHx>^I3xt(k-jKeTNJ#VO1UV|#vwu6 z)_3~p5bD+7&vsmFDF*|U&@933W|rD@55#NCt??VsMX5R{(5hRnnfBY3IIK!Dn&7t? z8&Eu=iVZxMH3@wvB+RgUqs%v@tMB7bc#E!uUGphbv}L!HgYoy&hmOBjk1c8)oR8j@ z$Ghw1lzVU?>D4Y&s0(kz2TUM^wKdq;kAoyoJ)`~_5Zd*r6V0d5lREjr*82A_R;wp7 z^JwNF(&B+mV}<#KoSw4Q@S8n!Jwl`x@Mmlek{8aWnCi)YT2*H5y+>(mcFY7dk0!v8 z5|7qIA*Wi0^a{yO+4Z1%$4kH@=DKC0sRtu5y?OgW6$^4w1kji+_OwsdMvfPH~?yD%@0lX!BzXe$L2neI0!K;zAM-4dGGCTQ=X+- ze8g5=$=Ja)hOuDUwvPiG&6e1nCR*mY_eQi9G%HyY&|2pk z;Ld3Sg3BgN_sqzT#jT|Q0Kn&ZGm$2uH&Tdqp`sIu%~E{djW6exB=5}DsYG261^Ey< z4e<_h(=&Dvoy8X6b%(^!LdW1giJoOxYH)sU;V}7Ts4DuvCxa#> zb#kuU+@Y@OW{~joes`1oDQSLKCBT^%0U0C zR~0qFlRS@KaBrG2o)VR#>OP?-m@;UGvndCnw{*Qx5Gz|NhpFeE^c^rKse)2by~e=M zeHi48tReahGZ`hQ52uHlWxttc7`4s}rXB4YKBMeDK3IIK$&tV`!{p{RNyy<+;RQ~u zd{PdAhTN373kd4J-41%BietPe?5^H*+{yh65!u96D~@AOH`q&Sx$P;fUmBG<&ir$e zTFiL}QXvyQ4eyCpy`+MfkE7{Rfc9+AHbeKh2dl4|VX-KSmL>2X*X*AcecgHa>I~p+ zU;+2)%M0FV`1Aq)wO)IBJpphn2u10JNz!hx!yw;kq7e1K?C$4Y+twM-Gc&m5;I?%o z*x=vZbjX5L9<~zCaHd8og-^N&Csn?rE>noo4i~W@QxH7EACytyeXF*%=L&N5GIn{W zh~g>!f>E$pHH_7+e!$7r1P~Vs(z)jf`gIC7!POyaV~-0t zAMOqmHiV^7Om<{%%9(WYC%d2a$=a}#?V*fzk-w;6PLq&#VsITG9JC$Os=F8_v|w9t zMD@;|Z~JRjoMWLcI7bmInG_i22xW#Xbowoe-Z2n#6rXU{sZRpMSh^`bB^E#}&58cZAJRBVcOXCx7b@3Fgh5d)fk%=B7yQv5}K> z7eaH9qFV>rGY_~Vsn zYmLOk^MBBQM-d3-yhTB5!+)$01u-tEu;qeR( z4Ax#J7QQV_H5|dC@v~B=YDCUJl)Q6)9^B=yi&6Q@YQM42?To6^GTATWbj6nI?%4hE>wx3jHMXvtf`L)6hd>2`31Q!jLc=VtC7{=TUgWZ1qHXTH6- z8S`pA0jMd5Ob&>P9B!@DeCfFCY-8;eOzpQxP>o&CQyY71afj7SLRS;2)N?4cH~ksB zSu*Jzc4C^}q1MLL@jliymXh5rD>RTN!m|Hqt;imG(*5SrEL7e8QJzL-<-ViMiJ+1W!Q+2k8~ZGv52_! znO80*dvRK=_*Fq%N=Q#F>?H`AC?{OrY`5`=xBP42q@mD1ohq%ytwGRZ;q7>)|2b(3 zDJ&Q;czdK_q#F&Yxy2H-fI~ zdaW*TNMI4lB+*Fz)}RnoB!6y`@x$v2^YO9To2?AQMvpouUi$GfU-3Ik({SyEpWiEJ zx&PsQp_)4DbZymz@x4AZ*|>Q*fp zF#@`2uFk`AZlWj7DZ{!Z64EH^{Z%0WGhL1Mul}`1UuZ-jLV{{{a5LTb3a{Ta{=U+#NT}NB%Q`V-v~s zFGpn{C#rqnC68n^nt&o2`7pzmk2kMt&z#+Ok%sVc7jF~mAGtX;A`xa6kGmLpj_7p- z$kp%MPS)Qmt>p4(T~H`~IcVbbIoP=c`F>;BddaeAb}qu!$hro6UHXc&0r8`g)s=t` zrqWB?84Tr7jHFZ16v-72a!2G(1h#u8_8>>yR9BF7t>X!itYEf z`EXSTUw8UoP<>3OEH*|Ty#I5@LgMPDH**kjJGYU1`w}N!h=($VtR89YF)AnHsx0F6 z&0N-9tk{P16f@4du%$?cz@1HnSCR0ro*!NTnE(=G#bN13l3x-#8Y9I^5E=dz_%>+eSaa>DibrO*ax-1^X}e zm$2vLUks5=a?WsQBX{CBD5bpIi9T2R##qu@{>eDKPbRl>Iu!c_xb z<{{?p*6*ANSPh{9>r)2L(#PO9Y!&&r9m=gWj5h41#7xI-{JitlNkd(oW~SF`%2)_j z8!r=i&}NY2mz4H{O0OByW;NS(k@EB>@mSH`;*aA#w^?CLBO4Q13^k^)pfZYmi~!u=MC zxvi*2R}OApv`hA+8OBD7TdkfKV|}rNSP4n}#jN~)*HZVI?e@$<+-0czd;TicxD9=d z5I{!i`X{%;MVlsKH~V-r&P!L_?!LFRoJsMC>J=+%tiX#0c)Ju3E%aRKj%*?|9xmH`cuSKjBlAfJ|fyVFfTHLc6z)7|T# z2BjX!z22KtjUOBO(lug+GX@vFf&r?Zf8+V+&@;fEEMJz-2FOob1>U#Z#);8*3))C1 zr7Wd>;zPW@U<!(w0W8h0L5+r=Wy< zPGLfqV5ghp6sF+Q@6c<|{~a3tsml8dHJ_|V zWo8VWY`5ODZFpgs72;h;_nuZZhLT#f;HcneW3F_OH1%Q%jC`#b9l)^X?@Gw2|3#nx zLu3cRrsnKU&p^9OGey;Y0#+1I51|_*ro4sChaYAyFM`&-l-1ToYHV>OCSM{+?>j~(=yHOdovRX7ckWhj=J7iwA0!d%j1kw9U8Ac025r~6Hq;BW%;Fh&$_ ztHOgED;Z%sl7k=}0a1k|{c{>FUWV>rR;Q-(QjLLqn7zSaJ&`D^Bc|IS($ z30Xn{iatWgpo0rTS|eJy_(M@+JWNoZ_Ba`Zh6p9?`csHl1D)XL?Q__?p=Ct&$@i-g zXyFVvemLJjh>jS}QN+5ZT=7Z;Svla31Q91Zb6@nXf#Oo4OY<$GipRz-fXt%(Bwmxa z7x8W`!jnkoK^-K`=GE%4KAKmy`*Or ze0T5JJK6qV{(zy$BA3LO=XX%rju!btH*rVmGoPVR{wZHx+U|XE8vw7ME%jjG-RE?L z8P1qoG&uTCDvVo@MI}Ehm6Q28r6&kg2-~oy5hbTuk#62NV6n^JI$f!g$jZRHP(g^| z4opeI-Hj>gG}Ou^`U-=rpOX8D`?VC?5CF)E#2bkP%vB;B!P(4iAgri{{DZcl#Y za;~Z@K<>>)VCiM_8G{l>X>w2FY9zkstrpAGKWZf+Pm_x9tBrEG|7R;8WDXSICIJ5i z@&AIB20Or{Zpt5w`6d_mfyW9<{dCvi!WYwOd&0Pt`&fx>7Vk$$v&%Iro+V*h+}6io znz0!5e?8kAQiuouEunS*HU{OpjYB{GA$WCQjVY?^=DGq%?h%%&jM>Gwbh~a81=4oa{yTLH`c&dCg6$SceP`c(P~h`d$Sb0 zf|~fywQv8a)`@{wxbdvu3LNLb{@x}(Rp=s1B?+TTE&9h6miUQ)9KhcQks07!h%u}D z2RCwR2Z<5QS*oW4Is4pt*n>^NHuAIU*gs>N1cE-1w(Q^LIwW) zT30}vMWF)bfJk?3=WGC}r#MlN4q7rJ8Z8eT{r-thb5kt%qaFyL?JE&8^A)Q)mUxu+ zN)%mBY$IE+_IXG9B)$9>fx0oW$+RVq664>WHmBh?f>Jv}2SBUm2+%!hESxg4aTL}7 z@O26WmVyG z02T|bxH+6A`ukKI4=~pMwg>%#F&C+t&}*RbyKq3lw%?NXRMxt z=5<9fjwedYHF)IWKJxvy^i=I_RfTZS##{SuEb!NmsqevP2qBhpZd%rrk%ec22ARsADtBIhF8_{VJpiuxw7(BhbZpK+Xm!<642mv@Wfm$ggfYx z(ch?)P6E?NF}rLyi|=wXog7SN6Kxn2e5ll_M!1!1UXpYvk{vS~W=+_&9fD#46|KEc z%5&1!H+9sFWg`!tBY2f_a7zwi&AZ|HfYCh)779!&oAsY!_n(jM`vsnik`Tu6Oo|A( zD>34F$@0vOWh6}xihf$*ffuBtGy|a_bk;rOCO#)`KVai7&8ucr9H|-EJ88@Na`D!z zhB^(9`HT7qP@ecO7Vt%s-9P~yE%dztZtcz97$tGWA=|o3aGt?Qmpe90WpqtO1CYgypvN-|g2{WG22u&p8GU`*vo-}%PZeNHvg^|cC zw7;i?V--q5hu0@SM+ePeYJM3ARR21`-_mRId3yP?zjsoMlY)vB`cF&K|HIdtheN@| zZNS>Z=%TVDTU3&rtkDok*&}1kzK%V6W2=-2$vR^T+4p_lMaUM0!Hn$0ShDZicc$lk zzvp?ozU%XcKjt#dIluGU@B5r1DER{v5<n! z{Y-6;Jqd%`W2$Pq)Ppnt(Ad#9D{I$RukLGYm}vC%gd#0C!V z)7^J^{ioc~r38ERTquQ17FzZW07qCQ>I>5<2B$O`#0$2;zJY5MUB!t^ITy44-KH>h zf%hznHz6VqH7HFPJApM`5rIE02JwK0cv--99yoo2;48tOr8mM{;QX2W;71`+>(W2W z=Pu$M<2GNAloMiM2x~TQKlROqIMuw*H7CV;zo&O4Ohip{2b_CDVeuco4DM{L;p}$& zoPRxM4!_Sxl=hz~&~?!uvU;vFI)htqi6_jO-BL!t?FB@~1iXO!j%tN}D7`0$?#EQqc<8>AF^>j0v0YbLfGi(Hm;rV8SeJyqSDzp0)3pKSsJUwQ-L zEo>;R*WkpjyN$81OJ3BIH%IblbV#3Ezs&8+beHMl31>h5ih5>21Km2cT3s>7uc@dy zm7dv&SJH#tPQS?pBYUc0z&9H}V|t5?Oe=y6TnTrU;CtuQ(`~1#-}th0AQ1z)-(uRh zIOuAhpPrc#a|-+F)Ex~SJ{-65qq||AR6gGo!@u;Ia8w|eu{*WB;W~7}a?bothp_dk z3wTyrL6>-jXd$_XjKi^FBvn`|_?Ps>ov$;uWPgE2sEI%H;5IyD<5AYl;RLVBtsgBD zzbR<@duF92HC=B>rXji9FJ%SBq~EdAy!r%GPi|hJXKdDw?bg}Ao9*=Bt-}UwsWTiC zKaYNIV7X8CC;Vvl*T2rBA_|Odj7OWp>3CHd?_GJadRGdcL+3n&dCdFBj*OfKcNY;B z#bo!)w%lFtmcAEW+j6a(ad==rJ)dq#E>{+l`@}F#Ug~=#nrG#-rMA-k<88A=oRviY zYq7J@$Fe$nx7`k+L}MR%M+5II4G!B8x^d`=&kwX8!M~_h7tboKEXGo4i(GL(oZ&t9 z&nlIBz%61_>6o7!qi%w^>`a}wcyLft^Ba$diCO);v^Q`agP&aTXEl(0Eazrzd0wIL z*R#z6@!;ETbVeTeM!8Brag1mSPLEa_bp@CD*Qp02TG9_RvmdTT-09%4wyIKP{!HmS zqJzjnr7G$UX=X!ncNL6q*-=vw0iMa7!#As!XCE24J&k0(P_0W?Ycq_f0Ng^Seanj5 zxgTYR18GQa#%mw&l39h=7dOQ9>|fC{e(}%TNj`#0@mA?Qw}X2fPuB9C_qswC@5ber zHJ-klEj17JIoXJ%G5u=ULs5S9Q+W~&TnZz(>)^A!9c^h|@rE&e@)j;2MRs8foQS%S ztr<=e-zvac)J{_0S^bSv`Idu+BylI3robM>~ zRUnu7Fo=+2Gn@jCB-gvo)W9+!ROLvm!-j~h#r8!C-8ok|g~%P{J~J?*Y8jp)jqm8!5w4Y!>~ijPjk^u5g< z=V)`h_RpffhylGUH01U<8R?7KywPw?_?`S-9j!QH+2qx``&v-Bfq}afkOyT8!%vkj`x@wnB+jtTiGe*^&g)lml`*w6LvQ-VTp!3x$k(fg=w>^ekUD= zB#LYe-nG&-EOGW#-ugD>*j9;&bQg@L$QX2G(u&UtIZY@ zy#@OFkPlS6Is(Kmy$Q$_Ia4X93#UOSr=HBUO9Di^uny*e#%-Uk|DShg_9NO-uF~OXIhX;GX!j}-;SeLHdyr-GK6LlDB!$Drb0kfM#mgyO6dJfS z)HrjmFz3LDR^Y|-jh>!Wo|liQP<83&z*FiLIejz;>%{|xt7#IGu`X7nPj2WjjZGe2 zM-+}-&2EhjlmE1h8;BoLf~#4=mC?-aeW~Fy4|SsB+=sB=zgQm@ZVlpL&gr+}N>(TSrvU&cb?A2s)rwE=|)Op>&XC>aiJiZ1CoDYRr@P@!f9o#Rk zVk9~78WWe{#`yDYS<0o_ajYRKjTqT(0qPrvu{KYO=|+bF?kw4j!e4ivsn8^Ft;Yhx ziHWkfW{^FusbE$R_bYXN?5dI`csBeFV{C&cI8Kjs@mU#?w{=r!5$RCt*({I3|Mq!W zijKL53Q7*@FhToVftF1?!jBwj4%rD~ZXdel=*0Sduy|effl&T{TM^S`)lo2>fEc(f z%RTffQ2uxuk+r{{)1FS7!csm?zj@Si@FYI98020irWF;MAl?;V@iPXOj-8qw9YBqb(XC@W$KdMo3-GEA@K97cdd%w$yQ4M``9D0kQU9S+l zPqti~)@8cmD4aKb{J-V(L7Jh{>(!&0?ShybP zO>?;LJ?4f%U+hL5%u)2SIu)=m&}Vq1IXdh zIdcRh3N$NLPHD4eDGi=wb)yY;O+V-xV;jvs>oRr(>*{Hpv>>LRGq_ zOUnlDg|aM;MkEf!**mlA>iISX4vsvQk+c;qc}&$KA%M>t2++BoeVC&g5%5Iy7HRbD zX2k;61trkayf)x}g1HrTJa7T}|h8Mp`J;vA=E#V|xWEEG)!CTC={W*9G3Z}ujeqwDxtgwSc;m!< z!Za)8{mMCaNKR<5EoJj4-5fm$iK-|?K~;qeF(@3^43yg=vSxFrnHIn&*h49sT*K_m z$u{%grDR_DogulF%7cC2_h~&QonF{gjDSSGeA5y};eU782hRVZCMMt>rIv26-q!Q2 zXCQOoZU0nJcp`?=R9iDm$T|bzY-hhPLmfB4EV5GyZNA z)_LZPo8FIT|479bkdHflk@kr+|RxB4Np9)o0+l@8-dFA z(S-_=*{B&Y>F4UJs@UgQ_(CTBAN3Jh7%PD{gAcqfjiCa7RJF zmuJd(^x!;L9yA0<#&3TaOqG~!yqq7;7k>Nu!_$z48h7uz+A(Ki$=~{(EUik63jQc%++CUTj^+wiJ04Huw*Pna&ZNrfROca^s1Z)DH($6SZKVBIc7 z4Xrd07G0}i;qv`*OY#}l8GEU)>O=0ZUkYZ$pw!A<$DMeu?R}qKvf)Q<^rZ631R9^qC+QkRtwO^Dok;L@Yj<$=h zrn~qz&^p|CAjEi#c{6h5wk8e4B}I7u789&moq__dqJ);O)3J265*WW4BWmu0)j8Z* zN`{Z4&2dD#y0YC@#)}r*+tf=Z;IbRoYE~?t`=lN=i7q6MpDb637MH&>M%il)-GCfd zRI=DSA=TCcQt6t$CJW`8o^v3VvOJkCWa|jRt3`x#kvMw8O-h&kO!5nHj!lV0%PF?0 z_pCQMv;7C|kng`BI0V!r<0$=Ce9v=8He%_%Wn4bvrU4bUuNrjF$kX0EvR%P7=$*O@ zs&f|DwMG!O`ap_YI98R|`KsamhP_!yM9(=6jZ_xA!)(p+@uCXkQ<&DLklLQ{kXm>B z6l5G;CoZYs-5}SBu(Uk9LxyfO2dS4H;yVN^9;!^!OmnB1Y6wi&E#ZOG`iJH@t!;9k z&2L$VVZ#fgiF}dwHAxSC{qjI?rFgG7K0_K%+^}1eK0RFBl|H>qPPsa+nsB%NH)l0Z z>`yU^N4-{qTO0YE;RHeoH6hvNwW!RAh@dM^& zR=UbC3IB43bjRv$8$7j3S6QKQ;XZZ*ATFdrL6VDoptao-Yo&%y;; zaxvFsc_4);2rHZ|)nO5CpFED!n=@lLj2K|8tlxgdnAhgwd4|N;Yb{fKGv2$4oFcK+ zNN!R1)#55&VvH2ntY>|4;J2|F$O6mVxfFIJ+?*srynZFzEsdTqA-hOI*j{Qmyfcv& zO~Z%MQ{)8~&}yQ7qVEXrpbWW0?E_i#;9qu15obm3;G$>=|=}^zBzh{65^4A%D{frtx zQrrBbkT!F-cuAEsG@pi`>dA`vEdKr-{c(YVh*n8X+s@^Hc-2YG2QVnKj9vdNo{482 zqU^=WEAUexiJ7oIo zFH=vKx}IB!)WO1Uo*`)pJP#!%2|MpV*?NY8Wc1|JK>-)>_{76VA;Ty(OU#XNV2s}O zu}^CEtsy-RUMZ&#h~xEa78m0bSyHs4q&kkZ{?06}&oOUM-a9c6|3MdZTygRfX6;=d zX`<)uGYtNDMVRoU_tVM7o`$n&dyzDDg1_dJIICG+rp)r*^}FnUDbA4LG23VjVm7j- zXX7GYyumfJsT1eTAOk|Y?772lR@!5wQDTqQ$c)?=+Q%a^O^-SgC@0`~1JUF@bk_^7 zczN;Ua#6z*+nGp6=+6AR8n5py#DJyea?XmHmBqRb7fAW|j4xWbJc)32g-SgCwM{v|avXV({ z4`aP7FeeHeeX}r`pKfTyq-K`i7dZi#U%lUn|CVcjD|s{|j)7oc7gnh87-L0M5S%+) z5XV3+N(Mt1S0?5>E5_x)!u$Qw=M_IFFbs-Ctr|SKxT65|B0HBGO&(X@{_^|m`k?<( z#!NbM#EOQa&fTHHbI9JN;yg&l);a!&GbEoq|6|g~FUa3izv_$&r&E!9?^g<)N$E(M z_(}xd!Go!cowx=Ye`KT6oFlY*Fnj5i596Tu5+lD(=`Un=9o|=DC^W~yG|O?H5(gI! z+<#UKMj)OA$m(^jj&Xq2rR{aTZx-dMOVCd%kxwwAUoUcgB{^k4#W0t(Zh3EpHN`O< zd>egGRQaT=Gl!BIo}I};Lh|cB`zERA$zOk5<3zZLSU54>{FaiEjO3HNOxU*uUVwTJ z3!=)}+V7R3X$ZM8)1|H=%{=8(owSHZI83IG=h%m8BPl2H>o4KL1n>OlF*SSiMyXZb zaPQsSwnH~UlaxYf=GW_r_N&lOA(5F&b8fR}*7~p4u$XsJ>yB2C<&`V>dMJ*oBqX1W z|0Aqa^N9?HYT?dUAHzB}0g(!YbVef(I{jQWCErA^Tw?->;s|fEmo<)7^XcZvK9%fS z4c4Ky$h-c+**LkhpPd-Kr5*YlRky6LFRqQ10k92eW(>y)Zh-Roy+6~in5$H7cGI2b zh0HaLvkY^6dq(p5_&x8x9|TU*Pbsu_f&$IWs{*;vTogqStXzNW2fG zxK>q{ktiDY-}t*%^QT(=BKz#EBBd*B@7Fcdu+P!4qRzHv2!5esfdFn_ z<&m1TOYKR#7#h0eq?|g99;sEsmm-Ju@rNO1so@)Db8CIZsL<}ur1C!^5@9vP#DQG3 zfX_L3{cq$X=KZfBY#P=bkkZ@nq~TplQd0t*orG~2^@xvbIu6I?Yj$-%Cllu7P@VIW z-Zprn+McE1D^~%q!lGHaY*8{ zB-khr+1T#-r<+fOJ#xv)6Q>Q}LGA5iLqd`jQFhZ#&vU{Ki936`sV4Jv>qqj6=tYxa z-w@(%$&Ft8G_%$bnUBBS?9{jp;vvE;=@Maukaw2kb^Y0Y9S?B~652YO=j2L^Kj(zc z+Osb%OQ>I}M`my^xo3->e^n5rO>T<5Lm6jGh^T8=laC*0R%8B57tb4z6aB)ckdhF& zv)r)T9J52;J{8GfTi1$$?D8AcYXm7T3AR>XIOGss61l*c6h0)DD6gR=>u!HKL=OWs z$Od>aDOL3qxBWL|%|9sA`U=J5?DwR<>#O2wy8taSh3%yE%g;+?=OTM#pfBc9k`Ed- z{t;oc&8pa^ROLjs`&ABvv_W|;pL=PQnWZ4b*?|y?4^Y~IrXPq~BqUJ_uF6(@cS|$f z5p|(y2W%BIx%YHyS>i-mw0)*9t^U_uBGYHY!cELR|!=<;xLs%3TlH*aTVB z!AJHt{I*W%>J8e+ErsufK{oo?^%LTs?!9`uZg`U^>w#8)-BU+3D_RngW!it;Gcgk; zxqHRDJ+CWGom@8l;Aw`81(5Mo%z2T4=*R;BOBF~#TpW*^r`_P*+a7o-MmT#ZY0E^s zcM#!boKzMQEh^1CpgJQyG)vxg7?8=~Rx$dF5c#Ga8V({%k>lTX^oa8v9DVr%wjeLm zoGim8B|;&Risifllv)?)#UUvI z6!s*`NP9Jl?#a$s{^AIvK59BH*=8mbEl&YQ2Vkj+By- zBE!5JT;(s{Z%z+RSG{b@-Lv0&da~5DTMtIo>!wgQR5HU$eKJ#Fajf%Jr8bv?I4;L3 zCVjkj?n&kUmwlMO0*w=PS@x=B3vw=nxpyXPUruA&xk&Z5=%_2ZKqRj>;CUh&_2qXVNrx##~< zZewxaF_E6hsE1#o3k_p&hZA9ug9=_Ohg{oB4_w4JDGAA6F0bifbM8pmuQ)^eP(b=G$430{_5NSGO8k(do9Zv8K>X0y z_b&q_en_(E|9=gNhsNyMTJzV26 zI09aa`$Yrdv9I^RwD|2vNoS+1cO2OBT;ft-l}YK!kp(<5dhau$@z_f$N0aOQO+)1| z#l;3o!bpWdJyp~LPXB|OjDVvYi!d%G${b(S%-7S*?dckP!Y783O0f>2V? zgL9!yEB&WSXBI0gmecHV);F0nZSb}}5a5VE{iiSTN0H`$%ILE8IRPYX<#DcC{F6ir zBgv_3*I3r=t=4tm2bDU~YS?lX=En7=#@1zxKaKwTyRr zi~5R| zcQIqya=7ha1ItU?e>nG`Grtk3(w60_%<7;<7dxCM)-_>vLnH6~yA}MYZ-yJR&*gCY zS!5{r@+A_dn}1nh)4>gs1rX+lEy&$2FV~}Q!aRN-OthiGnwl7o?)`NT3d1JXeuFy- zRLB@d#`CUcJPZ`X)!mU%RGgsI?V1~nz!@;wnil+AH`|(A55I%GaGSL~;b$tX8-TI00(^mYl@+PSck7-8=#E~pMkL@jQoy&(yJOS{B#yz(Ei1MQ_ zo#k-7l9z!#REHnh*?tz^pjb-Ma0CuW^)CnTdfQedfA-V-_MPW8fHhI?gx($&YHxz! zUKNE0U2j0=#aQGdA!HDxr46}KZ>sfotn&gr;G?C6?_@qGyKJ*;jq~>Wy65wpy>a|F zDQDKS+AXfJM77*~{~k=KywJ5mKQ{Rd;*#xMUI=SlzXGoJA_ePe!a(2rORz<;@VH~~MK>{+t>ZyH;ko7O;X}nY-uVxU8$HbO z(Obqn%TAsxh)4SQmw=2AVpzKZ&A#Qq(>web&->-~f&Z!r8rsz8VK1G%VRI*zs!)D6 ze<|6fLioATCfobxD!L7{UD(^JO^io!KC6(}H4q9D{^O(FFPtVG*#xVJgWU2pbs+ge z(6r5fT=0_!?J&uebsCgkL}dBI=M-e9>$RZ^iq7(?gtloh7!J!FzQ6WcYyqz1rHoQN zP8y=OjN&W}s7^rtpyJ&x%hAxq$YG6F2W&Wd^k{VkKD4Lf7ARH)KY-Ea{vDnB%SD`U zNmY4ia-lsp3c}s`gGzDYH_O`zh?0jL(F)rh4++r4$i{q?9=vGXBd?$miF!e!p9LOz zJBkp@FvB0C3&=Vx8{0BqnLX>{8N2}@QVZF}V`e$7i>ClX-rbJrKM>AZNG3GbrXd41 z^?e*;?&#lB=u(a+x;&>68LEU2jVC9>Wo!B3NINu>s5I5!oCo zV@4jGJW_0~MVwM-BH9xq_85qh1hmXx_qs(g44mXU-CNHek19|eU*wVu7}~bATV#O8 zxD$HM*$>LKGjEl_k24g#PPMn5Q5fsTaWR6IEGu2XWwWI&oFiI_fnY90NnenvUswH@ z0Nav3H8ffcUl}?}nf8yf2(zYEE z+;rS8r-Io0YN-;w%q96L1&Q!b50<+rW}i%-QdB`Ndhi9@LRYct_n2z?M-D~_o)#T~ zuy#jW>X(CgP-etQ+bxO({SgVE0{ZNY9>+_2+XCz$PjF_6Us|sK0P`v}B3y3Fb;oF~ z&l`<>`?hb#_OicMt`V^@&2rvEIwGSv z-vhq#`$_c@;+CR8lQ1#xZ2fNugW6UO7WJyF*5BBvd@v^gstjQZZAl@}{|D{VX$B=0 zn|`?-4-Nl}3@e!mkH>w>2;m(NGMQ6%d;M4g_Fed9OJl$tmo@!GoTN|~hnE_v;Fur! zoa+?C`jTIJSHa6Q$1wq26y*t)ptfD+1I83Bby$WRq}LoI;zkZe!jCclG`|gz_B_mw z{iAWj>9I6EX4S4qElF}+L>D!NLmjg&CXXy@fqp&7Lq}0AMOt__QfOO;tPd8?Qschy z;&E!(GVOZqdphXg50$s8xwsrs{1l*{{9pi`SAIyRUwh>jeajw8In` zDkzvKun`x}V$+?=r$cXWpqggw0-0d%qc?^g394flkt&B<$vQ8HWw!APQ7$c^{?t$l|P9p~ikTC%Zr(Vah%amV}U=l&} zT$fzMna7MktxRHQAIY+4G+F4V6}7iL<+DG5Sj%|e=A`%gyWjZn73nsRq1RO2`fjCg z>qgy)C#d?Lw5!S9%U=Q!Qc5wVLFmRZF2-`pq4+pxxk0h0$MI^;E8IgXcri-qMdSEv z_*Mhs((32kikz2w=!6k4Uf175UWO+@S!iLVBPnk>FJckug4wK_f|y^iz0<3mQ#!528E zuj?3dBPm<6;U<3zfm=VKf4p&{@Qs2yr%G$X8XmhQB0qNNRvj~kc1?zg+PlHwwb_QF zrQxS+eYV4GaiQjf4YNvz%QtH&5shfdemVUEzm+nx#-FGtOo+)9Th4MO$wPpCFexxfXo`S!QbN4kmoJc(10b zNIRALG`jbyY_(Q_=GFYw`4QE}O7|RJeQ=65T;bRDSfO*YVd%1*p+g&(6n4);POc@l zg|KJFBU5!?HCz{o$X}C|x~?mz%g#lHH0z~o@uAJv`Cq)RDJd+_?bzO}{r0`+4nbw? zqg{!eoqpjiY^V*#Zk^fIIgh@eTwpR}8++!X;pfIIQc0r$YtX{G}}aR3gZ?x1xZaN77k^C1YOYNZw@ zC+*>nzoL3I-g>XiJ1e#UyBy%C1*{-F)zF+q@PyXnRc=}Z@`fG%$_blZ!^MI@u6=a} ztw&b-ik)gM9X-XS7l22!<0UFe+rz>)u8iNt?V<}cqU9PdMl>w1P!vPnD3)|-7Y^1l zuzN9(xTBs1nYk%Js~mRR5G&l-?8`xW%%RWnCM>gEKhY&BwovQRMi7w81XUpRqH<7{ zT%EmdfX`3hi)>gnr%bLO5fBrDm0;Lq$l7ygU-gRX2Bn#%N8MVAd}HD)8Eev}^EPji zcB|p?_@h;Aba+U}Ha`6tlSov-eYXS3O7+}4Ur7kij*1xd`;4w;r-ccXj(24wxbl$s zZsQM<v8z^8~r zav!Y5a_%FzipZ^44#z^8!M#wD9C5yH4ZyK-l?>`|-+o z<<1zcEr122l;5-y#Ht16xCYC=;l9GN{?%Lbh z7BJ+LzPBkcU{Sf+4-nL<`9>uy)Y|^T@``iXO>yc>|&(B!SZvX<}{d?CDomJ1hYzI@zLaOJcbGT1sH=W z7g1?g?ck5Hc`8~ikC*eUbf4c<_KJsM1zT(}>E`gq@bB4SZAnzLqSqzdlrp;-D{njk zul|)y2J0=}Z48NYS3OwtAS)(BemYt2~$#P zO0_$FPk$LH{uFh6tqAFVUs;_HcUifQ7G$X1g9vMONI`phgvgUtKnB~72YcxT2$fWR z`|6!Xi%b0eJPW9yuzoXIg`KeO!va|%pDcqU6mOA~GxIewN24Di#PPWFXP%kpn>tnhql4b9w zH}mfa-1}Zqe+x(^T88bn3S$Vb=5Kf{YO+|Bd5vxquzrV z7w{^~>bwHM^%K^oQ+UhwAVna(R}QX9@`uL(WAE+^21HPEj3EO_MM_ylO>)rd#nU}N zicvhf&lK?r*%_Flg(0iKDB+gJZ!1vK^nO8;dT6h%5+3X9+hKLvFzeZ14jh3XpHLLt zffF=Dcs+fzWR>1Gt32DhnQ=7HNK@a*!EIkxmbNY`>@W#(jja-A1}ZjtLYDC>rIz8q z+xes)tzi~>;NOtAGw4&GOg|UQYml!%#3YkhM~s&?3A3g9+rXoVEx)hN58+#i9>O3? z%Czj@E5lg#NR%i^6S*ZYIM`KbQD_<_*DYd%!xJQvmsKmG`hz3BGHcLwu%6B6cxz$? zO9&uSMXBUwnQA;!*Hnz{@L} z=JI&{QYUZu`g;S1UN~tu5;qw9^k*SznU6Br60hs3BHgNtG~>76_9p4X!XQ?L3c{gH z8ZIb~bk|s_%UO8b!OCpe+9#}=DKDax0ONfR{6^eLWQ2m>@v&9MEiCmX6YP&mQkm?L zU}V(?z*eFztCdeLXTLM9PLGsB+10(sPDy`1FdMSFcgsy`SrLa-SvlM z)r2SLh13_jh4{qSepfT4naIHO^` z%c90|+wkhTZ@CLt$m3Y1xLyFqq^VBq$rDY~a5U#)BkXOX3G}x1cQ9~j-$$o|74EGWM#PQEhUo&V_t*LD}gfb?`ogN(a z7B-yR%X*{hdph&9RG1~YS`g<7Yg9BPvn5Yo256q7rH&K7$Pd50M4Jro9}b&9jp%m2 z&-Ohlzm^7Cm0>%)p?gUnon2Qc&S?lkGo}G4h= zlpBTPu3j&WU3e^=C{=pPFR4bk@o0<7mCjz!RTG6{n}NepQo3tFwaa)PB;Rdxup=F! z2PWosL(Ej?V0hqPz9v}xNGOj-%^>w6?3Jm7acu*iYTSdxT6Q~#2vtp+lrj}n!XVc_ zOC}+)HerDZfA>Rt$@Hj?>Sa?}#CWdl=mY**cx%8mF5SC}{#_&HO&ZGlxi<6J5k0W- zsT07x<8STSPRq>bOt?%K&Z;T_U4qZ_U=#Aa6wGu3dFKehGm|m!H!#L@`6Oj#Mz6GR zIyVi`L$_eHW%lMboo21hr&uC&SjJXvlpQztA1Q1u5KALrPpP2E;OiCMG?2U55+!koD2c!-xYeTyD^5;Rws(2# z6gS5JZ7Hf}oTv$XCyH1I0d3p{YDUHK!$MIFxWOKmzH?uy5BVRM=^v?tfS0UEAM;n~ zWc)~$kyeo-1l$s-Hzz3VSfNN2i4$OAu{p5hJOr;NZXDitB6Bsto}U;gIEfPIdSl3a zUStJi*poL8Kt^|2ZbJI>&3%D@XJzd3--w0|fGLc|SeQfh`C-U>82bD-knY_c_B+`% zTGiJB6H?@dXSm|~D`#jcP({t+Q2>Z#Ymx3IhYVCu@ zu($~zl;oU8k$)ePQq3lsFEnV zZ#gQpWmka#-?h%(FbkfG5TuF6z9QN-NOulFmmv0Iu58Z8=M4S?lmGR0wB|h+g)h9X zN~1$3Z9G@|0knedbRvP=5e4o@pRg=SsiKv#2RQb<37x!(N+JmFN)83v)UP_-e> zZJDtI6N!poT?#r-dHrVLs=-hSX!G$nbUzfH4k}|mZUl^sWm?d?nCk0}IQJ`eST%|b z2W(sNXzq!L8C!^;u~LV89$wt@kawSpNhxO+@M5$2Hzr{@u!*CoQDoy-qsuDVn@rIb zKduEGqL(s-4BBV|apS^c7pOn`IZo*f( z7qYCUHp4hl^$Jt2Uw1uyQ@C825X&k9SZg}~G~9sY=%Ep;?>1o+b4EALY6tfuLL`Vl zFi8#t83)1t6Dk7C4EONMi*&uj_NNYj=3_1fPn4|t zG#bblS$um;Lt@+;t3m}q8W-fu8-uJ&ogsFpRvzJ}z=^we@PgPw(ez~pBXk`rvT4Y2 zop&sIz?d(_9iTS_PpZ@bUdc%V#IFmrPs!%>AxPpN0wN2^pufYy=g^_^`2jK4LI}jO z5bG+S5lh+a*4QnnOUqwJ9f?`5TkarhG5r2U{@5ufu9e;oM?wnqep3+H=GWAG*bG!Q z0(<~bS%w~^mu9}tMJqP9Sp^R0x4HfFu*Wcmy&}=K?+aeMS)n@aeBL5 z4j7%~@RCc0KVynLLHuLf2CxgA7=Q%PrlNl^kw3=!m2aBL&LaK__$J+XsH>L%bZeGb z0q%J2hl}br(6qRRw8~llSg>_13$wItT_k`%ulxrqsQutU302_l03$d3c*9Zy{cKFc zBni0b6mP%@DdjCyTMIiw^6=KbSk>EvmYcT4uYlx8g8hl#(0mDkx`tY>>Ui`}h)}no zU}#u1SO?|5$eZ!JCt&i9hecCu%uL?_Zn%kj68L|BgmH{4PJ?q)`|E%_TIjUDh+58$ z3IVkCMWUAJ=Hw1L5CE-J>Oou<11n5F7Va`glB}6v-hY1F6P_2#wRdN$=&Q$jti~$z zSc_VxQePia@LS>rL(hWXrx50QkLFjB?Sf!7mB$oHaVK{977z?D_8-iiZmNxhewR4|PFs5&!}EtePRCHzRpp)_eDYzW{*J4w4V^ek)_5vSIk%=hYA0m$%M=lqk4@_6KI#flYNN=t{tIKwm>$)&l{?AXf zh4Aggw#bnl7Ki4zm+{-ryw)e*J-$y$@>>2s3ITSNq{v+nO%9Xt%=Vz#+Fe3eSKQqn ziuwj-7r-ME4xl!jjU6f0rooZPqH6bhDf?armIv`C4N<8c%5{-cMR+Gb!tmC@!Z1bv%saQE z2#0?+O411#d|k8QDB4t*(SJ{5sEo>p>4D8aHi!>i7yjNt$3-KYP$zFw_B995#bjKH z_gNJ3?SWQA>_IsZe8RO{&wp%45K111lUbN&?)aI9}vD3!o5`bkyc#uSXkS_4g2m##QNeM{N$r$49ZUC z<&(1HC##&`z|4xJ9aDP&vnj@f>l!$Fkf)Im!`6|u2pj=S_4xE;;xzvdxfr7;5An}? znXC6p!VOUBo)eE|R<+`wvMgpw$O+nz<{UaIxb2 z*uLN?5aWpR)>_r&&(y}gC7qT{X$6P^bc%8=M%YcP$v5T&Oqa$Y{jMZN-L0&QcZf=6 zl%W-f>YBr+T%`Lwvl(&sl`uOcxs~L*r)Hdm+2~v`HN>_G8NwQ0nH>c;b)Y|sdQ=*e zsU3z41$o9Y)4%>h@0zK^OW&SPrhr`fl7hro`|0lZ89Eb7=pgd5eK&^O?{}JXy_FU>{5eLHB3<-{pmAmu~es3fAnJB*EzB+#yI#`$J{~LZK z=J^;M@E*p!|00CZ^;#iv3*=3Ww;QVjoi>Qg>ofD^E9NQv;b+Td(cb{=N5=6InP+8Yd12$upGS0DR2Y1HiEjkIwd*eha6}O*wA)ojy5U%m#3S z?wRA~0R!PR^gm>b8Hf0$k`eblA~_(cu#?QRJ@Ilt{3fI_RyB2iAVWD?=O*e9FPGp% z#@uw&orlCb()&P+0cqZMEVkU>26yQS@bIz%Jd8#bj~FGk6V-$oS>ocR+gve53;wzRu#A6nOZh$5O#lM`0WMtxPyKB}d8{2NXEb&1_ z!SANzsm3fNLR2#^f_KSO_ku443%zI2>n~Ea8myvwo+Vo$yhsy>pH=PPOS-__&eFRR z;Wg5ix*HX^)u;N85n?)g?qRKz+LRgiwf%ST`g|KQzC5i?Sze)_2o3y?AeI{v=`B4g ze~P9u_*=;aayAEPO~>KM!Ey3Ufu8^vNqAc#tC-nO*kVmZ{s@HTyz73S9wSR-K-;|M zbxjG|nxWI7v+z;XB5u#3QFA4F3dlRhCS5fZC%Qw_ybF>8GtZFS$UoC!VKyx<%S*`f zPVx|iYI4YDwni}XcKWpg&SE5Pi`bv5J=kre9QUNPRlh%Dp`6cc7sf_fYD)Hu?_l4glnH_3nN89Xpch zw&Py;3;P1_E%NI2>;u_jMMMv^yz!44=!#3X_>M1OD&oFQrL|o5Y4k9_<{v1;npAOM zR0+r9LM=2d z1<~a%tc?$9wHJLrAjXHWhz@$GMa0gS2xufwYu~EZ>hJv+GBW}+WK;iyKDMsPT}ae* z5OEKx`CPHL>@=wrvO3#(31n5I|DzjV^|;fYrP20AfC^}*55bwsh;7wg^o{)H5O5yX zyz+hr)K!>G55VeSu`M)yx}@lH_gA`=hvMU%3`7;^n=p#H%kt_{l(tjp8YSPgmlkc8 z=W%g`x(3N2=&5*>#Q*_bsKwD)2Mr$oruf8V%c9%d;j=%?f5m=ESUruRF$!}xgCYE3 z-!<%!+`QZjTFW|D40@)=(mtW#`!xnkM}XVSM+Jt3$BXruo=6qWp=H9Zl!>&EUKIcJOWWmx)Ejz-Nqgn;IkxhQlC zW0h0@?%WBL-nU+_@AG9k*+>OKmT*OTUvvICU-pC{mIhyV~b-kNx?L?anBxlh9#H%pxf)9HcoSE zcn33~?#KirrMyAY)wV+C!sAix<#an~(c&jO)KFKzvV#g<7P*49fIu}<4f7z;Ns9xI zPx$N6zxWO6Vy{}+#I-k|*kgItFdnCXE;wad$>#dL+Iy%=Eo4i(QM&NB+nT9e6{tM& z<@&AZYqP$PBvt7IH*kb#sd@CH`-NzoO|%LW^f!#vVpOP(_aZ~x0RnxpK`fN0XP{z! zds>a)+%wv{;s!AU*n%`4MqXkgc?nQpkd6S7+HpJ_Js!OFPzVIuBS2mw#0L7xJ&eE& z$&l5gv+o%{-}rj|>lB+lvWzcYy`kq<$uV`dptu`;{8PeXR6e^G&){Ou7{@B*WxY7k z$$W2G)3Zvn3=kb!{eA7mmEn1eaIlg$fY=AawFY#K%(JyGeJ2fxI@F3%><$pa=JW;V z{QT8-j*g?6=8Hz;zD|3xkX)kztrVmTYyC3EJ~0O87AXD5jnX7iZh5JXEl$00!=%{l zR;5o>%eZlNh=G+s>s|qMOK3)0;qPOIhxIMPr$;G8;Jzl2V*2W0Gv30`{sh$sjNQ?l zYuLJhg(w#Di8sGmG%#|CG;rIn|J#%4hBYP&5Qzg#UHi?gg#~t(-o7cWE!p~#h z)ZoMYma3OCq|R`B`_-giu9XgmfQn;=#t`sNNup{VTg; zM%!G!aX%#`>*B8(2NPNF)s9g1Kp}`y%A$Rv>XM24p?HPI2S`Yg=aQc>4Y#)#7+W%oF6C>aYA|*20+TX}TC!w0wGLFC%ia7j2icH(&2F1mjs27F28*lv5lXnF>lW zYgk0ID^3^Lvq%WkhT4n-I1$7uKB?Zl|84z;)OW&6(ZQ3%ii(jBX`{mj%Q`|Fh_?s< z?|*jixMFrA)#cW5f&Q1rKkcR--E91}6+QcwV|H=rRVR&#?S5@(e?VTaMdo;<@XAgU zy+hjv{|H*@fvckK-_u;wAj6F`IJbmjwRS&SKMk+b^m71Tv66sp?Mi>rs8pN*CvGYI z_Fu01^oIauN4FiCZvSv&6=$mZe^Mu=YrN!^!*X zeCRHhG_iX6{pVCZH`c*RBxegp_k_?rpeZvl@>rKJKojOlQJ=(OgSP!V4z8zADFqqP z=+rZ<{t%8YbW9vcr>+98lVnb*);E^l@9sadv)Q4MFVhS`|JmbCVrA1RpF!o$nPbG zn;WhXPu;n>E)`toG3v0&ZH*S_rykrE>%E&=y`I}?jrX+hs4j1RD;IX7vtZ@IYic>I z4?p#VXc}W){EP{Kq78h(x$Utj4=Iu+DWPzd#rLvq6tG^!{Yf9*YZKSTzJsInTtiZR z`^v|L@5h`G#6(>Vbm>rA&qi?tb-8v9Jh_hqIjdXjerj{#%tqu7!YU6gRuq(Qn(x>$ zFAGmEO=3iI#zm>&D%3QX~0<8>~GS6zlt=1%VQY)w3zG=r)Hdd>G)+T~UK ze7Tv>`zoc)XlV?ibJo@h2gX>_L-->zf9cVx~ls zO5uL&rC%Kf8drBJjpH91f_yy=#M;8EfCn)^#IXIirN@t^^kGklvilID=W!bK>%q}V zg9r2fYyVn)TS#@S^B0no#g4=r;_dudBn*~@9CNZ7-c1(Hlj~26rXn+-KlQ1`s<5dk z3PT3NG}kA(HCQc5tJ9J-8Df6aJF#lIe-SD6AV4Z~6&r;rUVacWb+8@^0`G{mP3<^J zrX?aom1V~NAGY2yEXplv1I9Qiqn9WMl7m4=hlGFw%793B4Gq$z#L!{UAuS*v-Gjt{ zG)hV5&>_-YL)W(-&N=US-|ze8hhEpYj?c6Ae%9V=t^2;$+LT$~?j7=n;pp!>^0Ucp zXsdwLO$$Z(@yRuH(Xg`iI?kdf8k6;;Tv(y!OY4`_{h4m>=BPVb)!9-t1?}Y4)gOE* z0NKj!XSUl9${KFe;~T7RvRQiZ&hS@>SAQbfWe(9J@+|`^q%Q(GdLRH4Xn#GQ?z-S2 zx=8U{2(JV9FLgC9tI1H9+o@2puiRjTW6Jxy3hiK>l0?uGK#B-d!Un#LrQyxxp;8@^ zX5KAV5zVoQbS+3vWhFN;zN3

tI*f6pXA2Q+Y<6;#+#dsXF*R`@$nvv!jNM@L{oV zGYbP_qT-3dsKr;x58T$$vYpMTggWXxALhae&WL}h@ida~%$w~FbmX)dNt?usR~dS#8W8xQTIBIX85ACN?kN&`Kv?($Mm+Y_MEY0HQWLxcC{f4(a+NW z4tBfEgs!*eiobK-AQ@Z@UE!!ngtNcIk~Y7&u)CEWJCw#&-=?n2|x#Q07pa)V5k=B#R4mAW+X z3f`4wE)U)~O&)nM>2^AD6;a~3c*STbBn(bH{L;vGZvZ)~YqkBqX%{i>hqVd#2pe*3o1&?UAZyj${wMK--PVejRr%*gh zu}x&PX?i_lTg^jw zmH8A^x4+SohHMyw+aeW`oKLR`R;|!$3+{rcsw>< zLT6Ss6sPvm$|^is3>Pjie+_1T(^h97TY^jCzUpCK%E|@5lL|8(9I{XLD8CmO1?mx5 zE3&VU^mS2H6Y=~?^O-CmR++oT$PA>MOB<>_mFW@1yrs)DbDCrs3ONQ~_KdzJ-^IF*798mA^hMr9Y3Fpw;Ecwvd zK}uTL*srvgVa@L-wNCgs}$n2Doukbh;hWMqW&|&j|s36-Ua?SQMx$^ThKq)#G zD~s-knfp14w~Rab!BG^flffge+u|);b``Y5`w-9VLrfNP1sistJu05p#1eTD@A#aE_X7WFtbWvR^kGXUxGvZ)49#q&!>@QLEs4L077h-4W~UtroFq|4 z>n5db-zyH;SeRf2Pdez#G^Nx*I`L4L~O`L@Uf>nZDX&kCKBiNi|#O}lxI z8$SR_jsx-zkcTdS@ce#Z`WU%h8J)HX$b+;12V|Hf|GQdB&v6jB+T2grpTjAk4(+B0 zut(ZU%gGs2 z89Js34CX59x8BP}qh#}Zg#qRPBXT?Xk$S^bgJYn!2c$se>n&_E`_35;B?eS~?~` zFon%CvL@-skDx28BsoT+V-a99@0VZ~pg&(#hyUMgbGr z2KuwBdWyKq)rMw!%Go^n;;KrAmt=P20?A?%FCSWX!{ag_$dNz;k^(!P^oZrIK(&<{ zfy4I^4*JVgqblE(G80|JUDG{vb#@dUGm&~L(GSYNK-nhTf>(<0o%Oz(llY`G5Cp)O z^7*T3zUZp`2JP$iOnHu~ck{QuftA@FWAFGZXy;0(5v6yu0@J7^bFIowK6pOb8&usz zB+G(|N|3LQ+M&oJpXBDsbBwDKY{pNb&$mzttp6AQVbT35xA%QpmbAqyW6sCbj^L^z4NbHp* z@ddSKCGqLr6;ei0Nix;XP5Y3t7}<{E6z0TpWi}1SMyz~G@5HSS`tB*y&jL0Jq!gKJ zY^5<;TP-7>zY=dN6MBBUwAf$qRi!nwRNiJ!n%TPa!FV*kNM#c{s`7XAX-1>bjlC!U zyjOpFkYRDvLNVjH#;T^OX#6KOuW6obEKu!5$p*`aQ%IU)yoMK<^$vmrFOw=u+q_RN zZIiimNeL@wyczA;HbDMChjdc5W)pV9h%sqaZugm_W8+S7TiH)}buP)n{Jz&mlphsP zr5~C!%X;>MNsyw#y?wW-*@;tsG2R$)aGuNpQMjoFnP9 zG|5Au7e=r>4I>?kwx&s{UCU)jCeB(#KA4=d2I_fI)cIw~Yh}j0tr;FLP7>9AZ}x zEG%cHg4DS#4JaMnp-c6Mbc8ft_r4AUXuXI1b|sqfJ)vzwXI_8tL+tAV{rO94n2@hE zM(asu`gt`MjkC)IVRM_-q1%aF5eaZv*xqW_TiDQg*|9_2mv#FaI(xOG#euVp7o zorksO1E`Y(pkK+K^6VjlxD54?gaF-aa1(Ov{@Bew?F??9S*1IvSUV7_1p7nC+;foL zuCiyyp{reUV?nrsG4-de%!`SZ60JE_I+pZK*nOlDQ7X}|^<|t!wz%q5FQMN)7&`bN zK=)PLr&36Zbnwy@L|ePKLA^Mig_B3CCd>>FW&|A>OnsS<92$7L&mb0wR=L}n1Zn|F zCCO&Nv4T^KbOv-a!S$m33QH$Y$^5;q>3fgRr###f^G73!5TC+x2f!f^)q9ZMkxO&_ z;-jVo*9A~>bAWuz;jx?D@@{LGHv0g){4i+lK~7G(g`d;fIJZY%noL1fqT3z~lP2!P zfqr80ly?u9wt4|_?vO9z%h^VC@M$r4Am?A;&^muG^oPD@hF{EbR0kwBj%p1A1|$T6 z=_u_}Ger_f>DjC6{h&@XyA0!-0dflhZ6w0cEf@5) zWg7nPn}HxXSI@l$5FWy(GpUVb&rIw7%qD^*1zK&`B$R3;&>n&>!fpdtzPcJn*$)X^ z09C&aigMNWK@I7-=7xBM5Eyw|Bnha-1Y(PWFrNaoT;;2oE+DQ$zXPsgdENTp2n&_$ zfM9>hB@H}_^GzCfJgoarXG#S2Rb={D4C zbpd~(J;pgi;_2b6XF3j~T$6AYRcW0n(vwe_>%d2OS_8&b{F{hY<%qVByVeXz{(LpfWL#guzeIXJGV{z(A!QEA`bu+CpYZQ1|G+61-&~Z<SCq)PV1k6pDjrEEf@9`@w-FJugpI5=v+^K#^!==xbKZnEr+5t^20}R$0^vpjp+huc*iS@+Fp6 z8u&YM%OS~0Ewd_JOJ3oy5q%%~7S=Bzz5Y=pccX?zY!tyazK#_+g)7+V^cGFSNCRT& zV{%EOVt@Y5?TQoB?;92cBXv`0srZ?NBE|G}%nz0PI?gd5L0B-mw8+!2#Uk#-6wLmH zJEXpF@74fn^{~|&Dbg_h+kcgiARlq zQt{FxTS!Io5caNGOMMB+#SwKe{ech@w>A`RQuQQ9=Y8xgtS{5eBo8D@l4#RyRZaSm zZuy&2lKVRU$V7YZ(}MV%hc+kv#Dym-AK-EC;1$>)-Ug<>IX7r!$*=uGwM(;=EroY{ zl)gJyp!$>p4@5Kh@YiTioQF?Io}7j~=vk6Q;DJIS`kC+tL)>=fnpt&CR^FKjqfbdE zRRIOk$b(%kj7}{EsrOD>H@dDy_$h{?&9^7VdFx`TqJ9v+Wb=>*=Z$m{V%p^|IgF^hqbS zc8Uw{;mqj=8nZvPdKdO@mNX~Ry+KPo{X^3K{&2e3I@R1G3+m$qehz>ArqMipx?Qwd%`|VNgS#7XfoT+Hwv3oxsK2g!X|LIwo?rJ9_B0kDxaMw7q z&1)>WG3JqA$XY5(WKGQ=sXS7*_tRLin0+>XXr1vzT;ZRAyER32DwRADC5&#BSEZ!; zHh$&KATFDKccL$C`^lLnV%ZuxI` z<{e!oSQ$brikl^ds5q~u%45E*Z1MGI0-$|-EB;`}YjQM(vd^R=GJWZo8>8Rp9GMpP zI!4W#8BOt37uQ~0x%+aFBX3Ne_S3CyAtAxjYMM$FK>XmPpRSSgM+Jv=l?G?vSL+y{ zNUJXKzoK$FcUY7S9Ib# zoLMAJdCO&Gchwt=)hRe=D=s)*Mgl%!I*|7632j0p-R_btTqT& zIJ7iPg`?I#HJ!%18dw!%Nh>J9Aug7UDCA5h4w&`TdlITtV792ScWfYb=J`BKc#ceJ z+;<<7g;Rsv}c#{*#O%}%pwB&UUHZ-3jH{^ zh)QY${@T;KXz2xgp4o`Fk~rmhKix}96hg(^e9pNzpDlfg9ou86`y;{wECPQ`;h8kE zL9KK7l40ybKeJ3+frHMhfCbYSe!1V1W=}=?I?047k5FG`{o3c=`K$E%<|Ew>QcnRV z_3~)C7?CQVHgp~=4{4e7Awf6S)uqWZK~NmfxF-tsmc9rG&Z45M+=IGXuVCdfv_h!T zv#h(3nU>>+vZT0}TgSCe4OmDKCF9<5=}|sRCu-xQ!2w=oI&uk`M6yYMSIU}$8Q2!@ zX2QP@lnGZ^pdvq3-hfFyl-6SDt>I3>zGhtBvz{gokd*6g9{|elhc1HivYn^ zFr=L_s!v1pY5?8SnbvMEQ*eEu-{gQ|6ed?hg6g{bjz=RPPnz9Cx>vf>kowrnbtC6= zEvjCoH%He7Ow|uB!{|KROHFysyWJ4z-}}#Fw@UG?9=RC|zG1|7FQUri(1z+d7?9ql z`tCAYPgC#j>=@Xm_sv%D72BKv)feA}tu3Pe-9U6A_jMsniaSv%QV4}!B#Q@DaRVz_ z1Y|irT8m#wnxz1Wi_U1CuSsPVpgm4ZflK-96E#qPC$9-_E9R4p`q(XF|4S(_JjL4K<&8-I3!|63?CuO8vO-J;JOH@Yk$B> z9`a(nvf#=Zc08bp8PqhV$H>g|vLK!m(QwtvwcHp4cZsLJ4h*p&uKlRqk*HKX3kaQS za%sMN!vA}SAaDjrK*d3Q8PsJNAo9>fR3L)h2I)ZOLj^dH#q?+SQ3S64fWqG*5dH#d zIsM(%>SVJeJ*TG>Zx2fep4x;@z%f0B3Z`2UEuth=FDd#WY^^Vfq3);bM z|F8)Vb_|+oR3Ey4v=wA_51$JUbz~dOgQTmiWDrs@)m()V(Ke8;LkD>2EAb(2k(+Im z=SX?fu6Xr)w#__Bd{ro2DBst0R4GPdQ8famrUMjOsG(j`9ba=J5tVn9Kqstu#6n|C z6Ypu<$F0Gg4PO$HW#N7<@C$a~I(K>Du_9g}7sG9U5;XOL=d>uLJA*ddGz?SP3Y*Yi4CtOb`ogO1zGY09>4&<6%2*+U=5 zN^{u;ko*BsrJ=4%ze}u3*8|{!-yDa7bXOk7;&v6KN%PMH*z>E221oOKQH)ug;j2md z?k&V5hRmLRQN5JDEp4gK`Ct;%XdH5RH@+ygb0%CmhMz$LRFPT$id0eUVQzb2u+)!7 zu30-dURKihKBO|EkV_NqOh(eDMZfrWV@f9C^-Gz)88_c#KTPy`f^#KMx=B05SM;pMU;_bofCA)!2u-neH#?GX}iypfdBLi z9J{K6RaGJ=S5N>&bIgi+x>xYZ#poT;I1t<7vVNvJhB&F;NXTHSJ~WrI$+lIOTc?sH zg7vKfMSU_M+mZ%q8Yr91SwsbLe1@!gHn)`A++v4gQz-xsvSqs)R?H*(t5Shb_^ggfGe@Q*z(ym9u*sI z*BkJZ61ETIkf^udVAL?jx?6sf#strTnE9D4fE$N(otXMZ3y9V;g|>kl5L|MP2+lNh zdrwcB6imp>MHkgCZ+$HRbytP+fXh#9%gFqQU#n+{_9M%_B(BnI^$+b$^P@B)gPX|% z>2o)-PJRa$Xb?XbSSl^1r5rEVb?Z6tk@UHj|FW#FuYMZUWR`j|hlrzT{-h|>eWkJJ zGrguN{p!+-R}Iy-e!D&7<;FFt`0EPYXK1igjWH0BiSp5Cb%=|iG^?owJ+B!Hdj*Cm zan=J;#h(&UVM%Y5D&@07Vuv4IlQy;(JaAz_=gg88_Z8qnI(s)>N==!2U1?(rHo1XR z=JGT;%M6Vl8SbiQ_h{{J#PQcoI7TfFYB&qJh;|Qh$}h>=ypHN%V5f*q_;-KqL;KVG zozhcx$kx1rWpaEWOs$EP$g9$pcnRP~Kujuq(qlA{0qU3M0eE+(2I}+j^(iX$^lL8@ zvr<|KfaMaSGv2&UpZIhN=s$F;Mcs7>Bj+Ro?r5a&Q2`_OBW>yBBHg#)x{vu1WA=dT z0*7_Z&3r*6q+K3eW1Zx7$yYKWIHlCK1XNov8*9JXAE_KSaa`b6wk;l?Sg-m8-z^hK zq#{%v5nEj;PYEW;4)2{?)$r)${%RpVy?$_RagR+Krr?%&N2E5jUdNGH?GXZ6NyR!M9%)_NoZ1nrg?^>CLS8LJ~V{jmz%i%3O!hs|EnGl%nR{&mT zf4e8dBQvMv0K}k;!Lb(u2jfoEcDmo%bhf3`n2d__>GQRpbX!`tN6^p<#rcTLJH1hc ztX|&Kf+o*eR4nm`s7+8Iyg+JT+!+bqN~Y}J5N zRth;=0&!VB`;k<*F%o9^MDG{^BQx}YY^0vx-hL&~5|YszLiHq@qomGC!aX9juan`GYMfDT1D(bs z@_xm|BGmCwfgzUB=g4Jy7pTA>A~c;4AtlI(nS&?Zj$|6C3n9?V%ynQShMO zQ6Xsfm?YrDrv-IQM581?^_p4AHf-;UoV{Z%+&*FHzUz{3SHxdl+cy}&2Rm7s&>`AG zztR@0e!BtcdBx|VF}ZDjs4}0cyEQTAOkgHnR%;zWm}1>i5VtWy8wZ#fQB6wD4Ob@4 zTpd@N(+z9Bx;z8HjK*5fgYBW(t9%xh+L}WNf~d&D)W7DUI-wpS1fP8Y&087hgormi zbHDzv^gzhqX!xf=juCrGpa1(nH*^0BP@la?^aQg6=MXb`M5IK#W0;ogtmE;AL$l5e zH#fJ13g>Hr&I`!k$ePV?ID3ch?YoZ?0&>c7`ICq8U74tQ6C^}84505GVXuK8nA>Cd<95O1PMH*Zq*6mL+I2*GVOQhNVXFwy@GJP%(tlV<_ zJuU2f>SKmsOTK}hF{^av_}IIo&iB=o$gRl&m9B%_Xgobzsg}(pRo^Q+;yOKPl&z@n z@3BKykl`_gPulfSkh?6 zu;$rsiYFV*uWMBEQMqdQF}dHbwdEXe&wWYfee7i)q`55t3MakCO~CCm+efsuExgw<`_M4)5nukmiA z?~cz-9eCRG?ObdQSaW>}hNQo{QqLS8)t;GWMF_MM&c$G~b+by2Rq$dN+Wm>Dy!qpp zA9RhLNA-IVp--RzBuV1Cv+gtG{25qGhWbvVtlq3|E#Jb$Fb7PFfyb(K&TOC4I^JKz z-#3)L@7`r%lZ;qMX1Rf?R8V9I>KlC&9nk>($K8mQo$i@V@E9L$q0qH)og#4Wp-{vf zC@sk~+;Rccvf$+V*{05@n7>Ryw>#3Y%=@;$)SNc)%&djD$qbdMbGy=Ov2`|$a95&I z6E7kgfb$52uMF8%8V$3(>3-A^Jduphb9plMdA5F=mUKPd8mynq9W8q`or$#TzIRFP<2cUyCaATwLYd@# zN7RobuLCYG=$@g8?~baS$x_8Q*M+|MW{aMvf*RJjA|I`{@V^F8)(M{^8iHqUae!se zpOq0_C!RdrIQdu~cy_w(6;!b9UOehn>rq+x2LJn%QgDD7g_p@PC|3&^=5$+q|7~>r z5^JbX`A}|n0Wr8~jqi`Wx7;|Jq27h`vdO^c=rqYOzN?Ktf7&?$w}j zD`MSTO!1KRS8abuY?}_$C_!H}Pn#$>W#UKWIyI0OCal{C?P?_(2UC?{mX|i)66U zIqq3e=9~(L1yvn-TQ#>seB%PrZ zI0A-@9gX@P*Qx8~I+EGFro|>1I3aZ8nXlo2uxA`jo0*yE+mw+CKM2*n32jq)iif(G znOe%L>opNs!J`=8Q<9W9KIg;ZAtm^D<>*WM(`lmDH-SNrzX$v3#f|#e)8vER)(|ck zqLW?Ub)4eKUK2~3DA~<6ENTY9RUXf5^;eBXK;R>SI-70^I=*C@52cDD5fOL&>oaut zgmiinPi2K%Urz=Vgbk66rY9Ixgv&lJ|CLMls#k~D%bwSM7u6k^Dc|!TgY?pM^Pf0a+s#b!Af^!o>uSH>I4`lc#wXf{dT01HoQchi>+Q_TL266m z5XCU(4qXF4?ZwhRVhVugT`)e`F0(w%B-@n_lGUdOicG^AplYRNp%HnW|I0rU2Q!-BB zfZnzvtL z=l$-UZds+xB4%lLohDikJ}^J9y_NX8q_sng@%DP@djU|$9`QkLbsH=DuA5IPS7$xJ zqn59cQeVC+gUvPjOQP?m0oKrQ(#%xs5urav=3tFz1gQU-QwAs4H~2r*qMzL-0FH&$ zIk-6DT(0K#=bP*kncIzh+c*JycgHJ{GsFdgA;icJ+rS3AR;KVI)i@{hphm^YNgL1r=wU3VL?=k)E`={;T6-Q2 zGe&T{g_8Wl#|KrGB0Jad-GxWZH0FVcf5E4$dyFI_NNW|rJ>;9+!;Zr2AKF1(t3`Ns zwxD5+59s;XNgMtfQ&^IgqDlYrS?ULI&8)06o#?@JqMH@VIQm8lZsp3P2(!58H*`>k zA$_Z+0i@UIY_rhhcP@~A0d9|bIM2-pd`7G?9PhPJTl z!BT^Cw{pSH@96D{s0hYyw7W0Ow+ut!W9qo*H}uS^m^~M&YO-9+g44a}?OR2=zlwgz z+2)D#wkj3YT_}IG3eLdRAwG@jk<8d_)vOuGy%+daHkGgOY_=c&o>}qU%Aam7;Qz!o zyWBjBEG3kH3)-|`t?*;F=*o#xvsAaMolo!3mqg1}S?(Q`82&dKuxkkTK4fQTNk-<+ zgcF0V#gcY+6vJ7=I8vpIT_UiQ>L{akhEu4kZgyJ_hELX(`Pwc^O0VFf$vQZvNuFoU z@tW^#d)r$0oqitWycZK2>87-AoK7F8?r%0!9J_r_^QJD01+AjAFZJRU!l6&&bQVau zTO=9C6BZ)`UKH80#yZovSnCeTb!-0oo#99pCG#1FF}(a+u4I+11rw{W>iKTGON%R9 z5{#3R?;nU-hIiazIT;RPz0Ct$9=cXEfpw8Tm5x$1N9;yIb-u4|rHc;XiiA>LCC^gG zAXOlWK@L^YmlI6^?0M3{pVGKUO06Fmv0*5wl`>oiyvQFv4MUn*(n>+hGcvbIFz#3}%2_VP>)C{Sonc%AmIjGh!zQPCgK7 z9AwEGEz`!UxKhkreYx_XWT&SYR`!juZ&>_o54q`gN>zIONaOHWO4SkVHz8MUw9(V| z_%IBY6-04a2Et*MCfd=gyNSUy@75Te2a)<}PJecLkhNMdO^Hc4syHzTC$(YQ$<)oB zs0WziCByz%v8ImcD|cymgF-0~(l^w!RpvW>k`oGq7LFy+={v#~zRM3D*s`>?aYf)0 zd9IX@-4mo(b5^GL-tNi^)FjehL>vx%8Isi^yv|5AG2gWq!jwta3gih9nk88coa1^* z?m>-YrcuQiH+076pZvc*p746kVzQzX3nr@pwyR`He1VZ{PD;UP83?@(?&STTxpmkQV6!G0fGLuIu*aW=YgI&GFW1vQ8+ zT)`7Xaam+H?^uJoziFSkz7E>Wh^k8joQhYLYm=_rk+sV>NuRA0u___D*{wwj@r*Xo zWk7J5zCh8Y|FCj6bD1@!LAKVYT=1%jH50p@+dN~z8|t_pULeQSM-lrM^HH^z5#Shz zDgt^fQfBEt;+c{euaibS3f**zp&b~W^ch+EG2>aNvApq0FS;ny04j*hyYP>$0oXSV zufSHy^T)ku!^|^t3iX*T%N!ZJUmZeL6uo(KfyW5G+rn?hB%2zuW#=>7>&G*&_Vleo zmO)4Vt(o#MiekQ3JrYHVwyVe8ar__y7>9q)_bm+`guTM_xAD=&rAR&T zqRB<~+{M+8&P{n?Wmco{D-~u@B1_Z?f5~^or+UiiPOA#M0YTsgx|{K*_kX3L>3kdS z?&;w~I~m03XIW9A@?^|8x3&2Nd>zz!ZXy0u`=%C<<`P=liL9e@c@{UEFCUYicUqzR z_iBPI7j;FiAjX$`VqZSD$J7e`^9(t+)VWn|7b+b#gDQuk#1un}4qp&@;Je*l zTe_NY#eGq`UhS)%;+vzj6{Tx^V?*@VNyS$^r0Pj^sw;Z@+Xcs@zOmuH^?4y$$aSK< zpKNv;PhLD~o(wHv_tEO&ccquOkB|LCr#G7RVHbDWyTjikDLTNYH&k`?_=b)2+*NzV z5##)!5f7b#)!j!g>bg%}$rah1J1W>eS|iSbs@yD*U3H#t-jwR|A%~kBXnSCcVa6R#XjF`d zewor$#F|M8#CSloA^LqvrQvFh#}4IvQxf8A%x&?~H`q*eNyP-AnDE~f!N^sif`wlc zf%)U>RRJ_L|DUm4N0bzsW3`nRli`2z-VW@&z#(Z7Lc1i4fmj}?g??lpvi1`^?x~JH ze2G7hF@*s^HvLlXN!5^FK-Db};bqm6HgO)f4Q4K1xsfG75aQcx9`4ws~M2)5L?n$STV98lGM=95}qF=N~ zzMVdgFD(DFjX z^Ul<4E=h4ddGza2AmQxtwg^VGjVGorh(ZdjZ_@jwziO`ex0=v0geHvM6#hLdF3Xot zD==8}x#*43Gf`Q3?SArRqjo{8xvA;d48w5bv&NjgaE%%pUG57T+(M?{>Ldtp8@Tk3 zatB11f?Y(`ze3743e{cBx^$&lDWX|0;X8VnsG`{Nk@Ow`$Jd9wQElSuzcg0X7Lx}U z?NZt$)zoTFrjE$HF{>p?4X}REEYY7A@~1cJk>s0Yed3+lIJ`L}QqG-FD=_H3qP@?4l zg}hseFLSq9A@%YDLW9CD2IV{tPK+}QI)eC9f2Sw6c#v(OD0eVwL^y-&+dEMljLdJ= zl9|j4l!5xR3Q~@3(%N|wX~{OEan4;{cc!7gPI7ZP7*9ffTj4x z_kWfmHA0`OGjqTiM8nadCAO|v{Uw@nKVp8xL4&wcT*CKYo1gK;4sD3x<9XXJ7b4^^ zEvDS8gUCR`iWi)l?9>^)a~_X2xdwDgnprsxpWh|98`YOsa;cqfLmN1VH|QIPk|$r6 zR9g~wMT}MX_kXE?599Ih$`E56v_QJh0)fmPS|E9mqqKcU=U=rwZaqB@+Ml}@Ld%5? z2g?OJQT*v^iHxozk}RR^Z6j{6n#3zSY>fdq{4RSD#y+{@G`A+;BT<_w)ot2Hv4>P+ z?Jl<}ryo%xz8Cb;m5<0u1~l5dQC#UMHWK$#X3@rZ*lihlXT?w#8yiB?swUE z-K!f?nkJH%@?N@04S}Dl#@4P2ATR9gM$(=gb|>;d?uLN1Wo8>wdiweDx)cWJOi8+m z5dFxcFI9d^ud7y0f$@s-T4-Q8Z*NMcjOrs)YCcKIsI=Jg;ngzupD$T+Rpqe5%p4qo z=Riip(;8P1j%^SV!Kva8^C)OfB*(2DN{y;XTO}|mL|Z+s86}>b2-LY5z8qCRk zJ&#&B`M`Efd(;0;>lD9lfWIE$YPUMKGxl7@;^nHI-@hB5eTUv{5yhNYMzr3>gHP7ER zBk2OOWni1P?#C5HL#K%##kne~ZQ^$Ctmj%}ULVK8>7+aM-TPJICNz%1{KnVXg;sQA z+e;_WjC@`_7^`U{fD5NmxV}U`H6c zIcSnS)s<2~ko=gy2;^S5BCrlA@^&9dUYVdXl`xRmTe`V)JW|JWBt^M^3ody!;`L0&$!6bED!YI%13VP^-FwlCOt%#@ z?MgVn7t7x`N{&}NJg?gEE`+c~1+fs%wJO4U1yds|n_D=4cP)m03Ka85mwcIVdpk1N<(vjp`6W3${K(}YN&9$g66NVUG8yr(1b*F;;tx_lWN@TQ< z46uk+wvsT`rL_M(B7w!iD@ns7OaMswYHPM-y#y}}VMs(qRsbM|BVM?pE@}bE%fJtB zaO3>o(iy9Ivux4D`rk83?~1Q$gJ#vvZ|tVaF79w5N}2C`{65dy)bg$V(|RUv^5kV8NYQfzJEy0syGYD*{K{<#qhLi-d~yY=+K75^G7G`8L(f12 zXw3n>G%Fn&VM;A~gM28hO-RfGD^@5Sc2g2UL8lP(vuo;xl4uEYKlPf!BKhbPIJ1sw zXwWvT*DYI=j>~<18y(f6;`vSu%%hw+=6qt>s-uv~k8#80@DVfz7@;@J^dGF0;7-q# zsu3SSA|J1%-#oX8(V+lGIQnfP_X}*xAq05O86hln`E#h3$B^7)HxdGv9M)|dmX1$C zCsjP}@T_gY3Seurns&AN{< z1#%GP@x(_*JXKFf1Xzo{3$Rjph5#_;F#u+*dmXFEfOIYYQ=D{0RBAZA+6zR#MOWxi zU!Q(+B)yH4n zO$o-}s!G6N8vhGRdjT-Z>Eoj}aify6S;@XRwCp@*_&^83xdTEO{EAz@~}I_H>D2YUadJat7M_f7k@lp$Rg*l9|Kx{(|@ z;xk6 zC54{jPYSUpp(e;EOZ|Xr+#U>MJDhaaxqFjC&Sogf9pL|ZlLsbgJGthC7Z8rGE69dm z_fm`}bWoL`?VscjKcYWV3mvS2y*e%K6aOW_y%3~P_8JhKVaYGQ7z8%VG{2?N9N-@; zxfgQq5Ejn1RJ>MX!9UyK3Vg${nId@ixtVp;&!P2}xX`*%M-T=(0}d9(GE?lzs}ezS zq67~gfW8v2*2}fN-~|Fo%!1TV5)#$iG#-1ktu;CU63TPJmj{u-0B2VuPLs%HlZu6@ zTaE#+y&|(XXB(NyB>+YP0LsmoIv85e%#SJ;e`52qwhIxMMDE;J%gG;nJW=G_v6&!R$iF)i0XP#2BFi~vnZ%Ong zUdj_YKcK6l!Pb90J)nwPkXitgKsymBw9DCm=?wy)#K_iW@>&1V>X!d(&Y zkdU12ld1(+cFnlI7YOGtVUgQ&>5iNFs8_^7O(5Fu9bB){r8+j_kyuVlC zxT<90tfTbl?ka5AU^ZC&sZ4To6Y5T5^HZPKcH+vbwbA_Y>(z0-hNU8NIfeA>FRW_N z+pZH4yAO#5t%h}Ct;Oti?`PqnDAJJNI+ z@dgA4pNJ8V``f$GA%B0?`s8IbZ@??V#{thBUTugtcd zO61n7`5d!bZP|=nALt|*3jLlc#Id{Z!$VbPw7B{aH}Yu6zP<`KLa6t&=<#qu;>?!p z+(C+-u3JcxsPVuR7PZ2vihN=_Nr%soizb#Q)+&fd$DCO=+X3tq@Kzz2F54dj2$jT4 z?Bj0iW77>McNdUv2r!Yc_zqNI3|zAgn_=$24M{I0Q(lWl9SQSSrW(%M=6;bf649nE zIkTu?qk0Y`%`*DqScb$IJ`23+4E)5ZD|_Iz11?@0w$yA{vyBa$DbU{ z-t7ZTrCwR|uYqdkOuji!09MM{c1#L3^Dl_N`Z+c5#Cb1)PS{$p)&21Jdxi?+Ou+f} zhTb(Rs&4?9km}~dsMiRc6ULt{DsV#_G=pf}8o{170*$Zy-6;lLwoYa?Z!pL!uxeY< z02eiL-VqU#pSHuOHzK8$72u<3A3pnoPQ6eaD^acJ7EmxIMgtCf%Xx{;{{HDS7Kyv0@|Zd@@=D!s>s z96Q+6P<>Y-I+>vK}t-Wl9KHr9i(@V=ClboG_A!H)X-&%@d z_V@1c2qX9TrNlwaFI}@fb3c^bu&-iso2%;nAEjmjW$os(5P|Qn4+UA@TCb{(8wjvAAG?^NV#Ir zu`>InK%;<1Z%_HrZ*n$)us7THni?fm_03wo=L!~o``*5M)ww0@h0L^E__MyothNae z-N5v{2DJi;0q1^!udCkeOND<%RkcB*C2z$2Vea{`mk~tx6jw8Dy`?H2%^IAm*&7of z4I6?k|l4{>wuR6JW^{@Rc-1IeZ7>9-B@^)((1E(wW#cWa`+l zrR4k0`A{fbN=5a@vM_vl!W#}BxwdcOBhE4ShnzGCt?T(a(la-vzv7h#D@IQf*TeLr z&~(C0yl`qIFKG9{Y+;OP!4dNdbCwJWhMK{PvW&La!G+{ZBU_D2RH1@b`;!LL?s$9- z_x^w)ZTLY3`mpx!Kho_PeocW;8FjYcsiG9>SUdjI5_J0iaQ4?>QFedyD2$?_=p{-j z2#8XW(n>1bA=2GBbj^?!NDL@QH;8mIgS1i-(l9hgH%JW)XW#fdU!UK(&U;<&Is9P& zbKkr7XRps%Ygb^>14uL7-t2ZSF66RWS8N{4mw)By>{{>N(0on*G_DuK4Z9-ENLa;D zQFJMxkPB6UQBAL;7YPJK-yzshW+0ea89M3YhC&?@uxsSx>ypgXUCK})9{#G{jady^ zo)ToqoHfpRXk;1tp#to%=9((7khT0_qOj?lfh1L3C##iI?b5d30Uu8StyR15z_~Xk zVgvV{5_^7_LQ~~9?gUM5zR-4FsYn}Iq9)f1%b!}lQ2rfU18ujraB3C(HZ)@iZSi^nISm^6woa@-s=v7UJFkD#X1yT^QBXLGv}Hud42#jmia9 zcZ9f&iTu90wxv@uG?%l-D=vOgs)$4Qg;uXI_lu1V;-84sJauHBT-{xLzYRh69U=Jv zhfB#|k!YQjOOYUE-#h+6J^S4QpeD)-0f2Jh>IB{1a87<1P%kJu9(Yei&X;_Y=pSqx zo`PQNk2;<=s>xVHjYRlURgUnK!L6EXX~AW1+zXvCsGXkMVthx*)Y{JBu1~AJ1a#^% zd#i{?CB?U|c&igH>^8CSFfF~MmDW?COQ_SorN47|`!^cCZ;&rPe@a}u{CQ%MtTU&^bEH{j=9RRsK{~sZU|3TN4PGhR>mffcno5xyjTkA6}u zGX1VLhf8xFNR(Mx=X=_KgC-~itL?5;$_sig3ZADRqoTG; zuF<1^KzvdN5KQsMZtw5esDMGqJ3`Wxr+Y22YAcN;et{eyeAFGtUNOq}44Zmzz2mX_ z0?krwK--K;)}^D(-FVfRqZsX#iR!h}@L57<6J_hfzN;O5np`(CjMa)~%NJmJF{nN)GU zX2$&|o2&f+EN3pwzYa<>cDp6@knoSf9X1%T1tX&LWO`+aFPA38)Z!!dxKWrI_^2yF zbh9PIZNd$CGAUG()#?qiTIr(z6}bKi9LIoV1UQL%fc0q_blA^70%|OPB|sV=(`Xx5 z)d28c{b#Y@2`9obIiuQbdUi>6M;XN^a+@b9+WNAj(gZk+2qe-Yrls=uwN2Z1yE_Xg z9;Z~8wjI;Ehw<`Iraz#!>xeDYwt6!UHK zUILhJ_W$}vgOf4BQmJ7c2y?VEMqHD10r-q&AH)NR{lTsI)!oYBUux_I{m6_a8xT%) z`N{eWSZ7*1l1vkW@)OR-!Em5P@D^U(UJ!syR|NHP*l@*qgunK7^eX&#vp=er+mqn#sJShA^xeh$bP(p`HYX)ycA-PEr6 z=1QvLI1i0u)G;`_nql+Sn|ptOGzjbB0f$b7fOWAixgMY4v$>F&T;D)@=>-EYz=oL9 zVqy%iPy5#6niHIK*O7f`aAsLi? z>?9$u#28;j`)FV&%XlFgUl*huYAnrsch(f#46*%U+vAQZulMG2NxAOBuMK2)3qp1- zr2ooa!4Ak1$Qrgd(87Gd&VIK$tsybJDQYY?4W0F1+?rRKK*337Jd`=MSRy_>fL=-; zqzUx6PxBRtDSww(AvrcXEfc6mhFu%3^qXnexpS|Jp4*ITylF>2mX%ciPM)bY|l z0B8EReG@s6(O{e*e(Qj9MGC$BClSgbDG<%45d9}5OUs*2z|CDH_<3MrITb|`zGy`e z9qz(q;3O0JmC3CWoJ2=Sn~f=68&1rkmQtJOX}^zsda^M(eNDCLc7KpoejmBzK7Us+ zlbdaWiaYQFAM(@I@yahjPvpAROHhE#t13X0@dgp2tDDSFvkDZD7iG>8>Yv5(L-QKH!K&$GTY&}%9X%amjG>2+OB1E7T9JUGWjix{Bo zdMPYXHu*E;BXQKIv=VFRx!YZxo>mgu(pH)LUN!JeoTbrbQD)k^7g;6?{j*%x-boy= zi13wuQM}nFw#`H<++53q)ep&tT1l;Vy)jN`(4TZeepd=!Ic2J>TwNs2_ePdd@H+Z zAtX(|afZw_^UtGqU1u95>Q5IL?6qZAw#D(~kJXMI${BAo{q{T0R4pE_rH_%P6_qH> zHG_!1NYB!`EaHc(b+VeL$!w<*1vhd`W&kY2y#LA9qjrBBzf6R#7fWpM^2`l5{3wYE zW#S(jIK%=ZTL|H%+gBeXWtYutDmLxL1n>0!DH~Py`Ru)dx^0;UkF|SXHHRs3TWmYX z+;yR^T5el*cWbe?Z)g-_UE22kVjAhmaoFaPUuhbxR;NBe7C#L^9^W$pJ1DMH(1Dj|t-pL&#+Yg!^i}a~XoKG-jn{zo%weem6=08y&?9R8B0~Zes_elYcL+ z0Gs&d$o|)+P#UG+H7LC|$fI}_OXSF|h17RmLVDzP8b;Tk?G68R!}gXlmKjC##+?M1^!(?G?J(sD9}HFv^b53IR&7una<$Y7F=iLVj_ zo<9gn*UHBOJJ_*G=_^+V76tcxFzPnDdv<>N5R4&e%pLNspqbbX9}}wWSv!;Koxd!N z@v2Q_4$CQyu=I+(53o*;|D^9l)~{I>3GibB*~4iWco9;&V+m)A!^L#^(i6LksHWl; zpn*MKHZD@xN7tP6_<~K6@bC6I z@zy36jvt5ghp-OtRiyZT`@KcMx7Y{RrJNXE#qsd{snpGTLzfb#WmzBu34Hmv{_AxD z(tv9cD$mGj0Mex!i65UGkYk}f)GH*V^4?QFo`_qiHW~BQ_+kw!NNpxTWj+6R&A+#L zfX!euxU5B@kiIl-R{xI~AMlg>O8^{Y1n_Puici05taRVg?<*&%gY3|8*Pqhi85MT}|MC0se8m z?)|_0)yDwuH~@%wGXO~=C`xNw+|q^OI?RD2OXMkh${lPx>+UQYvseJCeB=L5he9v* z+XNVD>EPg>JkYTI$oM{}9e@T}Rn4GhMvOwYoUZ`?S@0M3EoiQ3u+-H#cx+Ar%wcmk z(Z0-p(vWWGy7@-rN%=mv`zM^NSHKhNn{-M*K`MoJr-=sVBLtXUUgOXMZvEYoIt=Vp z&wd|Em6jKRV2*+BhTF9o?Su5R^h?k16D)CXBrgiN;Eywob5$7hL7GOx^1nroc3f&R zvr=29ZsWg`m*7v;cJV$7z9Km1nfL+5DIXO$aD~|(CJG`zhfsS%DT#RSb{rerztzz8 zEM5WG>$-!jfon!`Mkwx`?l|bx+%6z#@C-0KC{Wio7r&nfre8!qCIE@(q5tdx8L(v* zukTs?JKg^2jsCx9XPZEh%eoxL_TrNs9Gs8~h{d7tMZ8PI@|U4nFyjfi^xLhj>c_t-8U?R5ocufd$PkQq z0dXJ$_DNF&@Z!Cv3&BMCYR1{L-4- zh_wCQTD*;w@f3=c&CXvIfR~4|(;4yj>UljwpXRPjmrGU<3yA8O`olE?)7FO<+A|Ia z@l2tTU;A5fQB}WP<$kf~Juv_nG~x%YCx|MNUauKFq@alaX<>?HF$Smw@)BmN^6ZVP zL4K^WPB*Go377p#7pgrSZx2PoR6%IfTN{Z__fc1UCVaA6c>9Cb#dO^QER+5#J510( zNScvb^7)Zn?%&04zy<26$>9PuvZGY|->vu|8?A#^e3Y~V6^or4ypq283_Z+f4HiN; z7^v~x!y^?nx7;`>TPIlKt}qc59Yv*19TnAoWaXt5Zi^;b$o(**CR%HICz|<)%<{@n zOU}1V(2twlcr`E2%YMn5UqtZiqp&ZSK%*O3hr@|abfisHlW}R8j1t~jiUn)T65Tl3 zuM~~*FwVK>xy;2Duh&=~9avshO%=!OjOiDP{K65B!mvK&0W;Ze?cb#aaBG|J&m3vm zBWk={)68OxOT-0M>Wn6ch_9E&>qAs}?chGO9Zth_eCg>+vo^Of zeO6qIkK;M@JI$`Z%T!3A*xBpZ?hnn?EyY^^W_AYA3Mn*c)Psc+Th`;z(ijhKRcSweR9-Ww;e?{e3-U`jOF&w_!*AKLNriJSJfXA zZ&hoqAg6U1pF6*K0t5Z;M|tI+X#;8iXipl3gv0GMxFL)abT==a@csNzbF%*CR;4E6OLT%y;8QSyiBhA%-_--uQ;c&(Ga#X+AN!zGC z3omb`Q8=~&Usx8J)#!h3v4NR+M_-9LXC zCa9p+uXKXPsxO!~UMc81NmU|;KO^pv31N$s`2G^6q7=$e!r2gF`@W^LC}C)c@#EWV z6t!b3$F==cj-3bE^vL2A?_YVb%lf%ZxkVGDnQ+rzfJqA|69p%HS{FOEF;qMuO8PG) zBCyL_myOsfZX@9|)fUFbv!BZV%TzKBW%t76T>(kK)d>`8)0olzywl_o?hjy-tUCLg zIlt^2^69F9+`fW_wQ(-i7(eP}G++n4ur1b9SQx=H-yNLY0Dba*<6Cxr?N@ct4?gwN z&RniD@=@Os@PP0a%A*CL6Hl5^pU>?n16s&7wgGw{RuXH^_v710_`iDyALwmiUioIJ5&t->uL+Iwk4zOlsfDG48=$#CfJj?X9f(Bk2q~ zU)+(NHWG6-OHt`0_}y^H0l>oZOIj>wi@JR40uUA9j9&c9X|qOT&4&2TMD`M+&{+S2 zH2kLo!R8frmMtA^0a_P7bK1?&QN1q7L?UCXT4El9M@(sAnx1S@{Eabio^Sizb2W?0 zU?;HmEo)phD)+j3rrc$A8BsUvd!ndAulQrZ%fSOu+Z; zbS2%kbygB~Vq%q7SUrGy@pmQ11ph#mid?nXs9xsa02TbT@Vi{r3fQ3q6THUpeC&Gf ze4pkMGEQbV%baLskRIvaWPUg9FdbSrdqicWQxcAyS96(%F4MyCJNw28UG3_^JlP^kEN|cxX&=geus*{g9Q?Go{bo&~-}aRkN^XrS zT?FH52E|wSXAx8X*DDMH(D=2-A||`ljX4K}{aJ6hju2_ZQ^nc5zQzm+A7QR9V%^uI zU?94asq%P0Auz@y#I}pm`G`y{Vd49@T4MEQsu2f;4sf8mho8*+1_IVJgKt(NI*hSs z=S@yV^-}&Er9qN_^iqe*)`|$Fz0u8bsb#<`s4*_0(hhc_E}ZQ%^!@p;!RAOIPXbSA zkTEH_HU~S8ggBo#ekA`157SPEd>_$k&5Y0qxd^Qj2=)DZbBnZ#YgeFvsFl`CMZ9Wy zc{)cDZ4nEPy8v*F`)t_(^Cx5AGOsnK!6v{}l+_ZHQPr~DNhcRbqKyktNiJBqYs}BC z%i&={o?pBGGwr#9V~DyDf4?asYy9!NB7@;EB2SH||LdaQhOA zTsrL*K_VoLRSDVD&@zt)I6{MTD}k-TPJ^2CfZ9?j(s3g@pgEJdM{MTV0$v8)M%_y% zkvM0~&tvyIjrtc_@38i}29r_^=x4ZpEL&u4Pvd|zl#9R%MEd+A(LLcAp&;*rTPS$cK~6=573tBrk1H z$sh*xAlSJ~G_d`6=fg6vK)Hp=i%07NWtj zOL4?sx3PutuU-;YSXBR3ml2;ZJrj@f+hh0w0JO z$U#FAigYyj`s|W)H%DfDpg(J2(5XH)u{f(9C8nDs{Njhh#4wTVeN`~7ku$(jZd3kZ zDTDE%EeQZl@1`I;1Pe8xj%NJZ(GXwPXW;7nFKU!?AXe||?TFNE%g5cvSq8)iPR6xsm;FLQ-WFW3Kahwq()@Ru%$Z|%H*Mb$F zsZuWRzZxI1iX&9!I~Cf#g1O}?(J@YPUV}7WaDij%mrK}dr2r$@=LtLeywYcQZAYT? zQj+ks!YS&@1Z2PHC^*`lANw~ukDh$CeJ5Kq8Rx^o#n6v8QYU4OCR@i2`SLt!^R((& zDyZ#2c10Z;RjWb*f5Y^@v9X4N@9N7NsL##-PjyLy0U+>-uBC!i2TS4m%^AqO1hVEhi3p}4NUDpFLK#f zg~T*bF9|Am&gSMd>?m)ru}|XeESaB%YxY&MQM~>tdrwE3OMfN9O~jF)Smcm=_ZY=* zi)y^2{jq?x4D*4`ypA+&?F);6B*B`&SMA%AMo@Ty@jtzc-S~LYKqd0Jv^?|K?IZUm zv1$949!5PH=*174+@bXj9f-+HuDKRn9IoVdPxPc@62DD6LE(a<8^^^{P)#jj_J_r}rIYKJR5+dL3*Gg&CO`41{+>aCelC?2G$o(e%R+ zxp&yhjlA;O`Ma(82rsDQZ(mwYX#AYixT+rK_44Eg$Sa)HOL#?FUmrj3KfELNq4KA@ zf!ehIpd*2<0Yi)a!$07r## z+#0q@BYp1rWd7d3D6M?i{+h9q@26j>_5vjIXs4%=BpP^m}I2N|!&K(Ld~k53$J1!|O180$@v!Lh-I_Syd5h&&sJ&Tcac`VtVeM>ccK zb6l}$Zr^ac@ z$SJ-}`V`{@&)@_Zo3=;L3AZR?ks^9^K}9^6atMAEeB|Ws;eOBun3O){zDH*$(!<iF@RvMW3NE>Cuy*j{yop75WY^WP^}{UR-PLR%_)wS?=^DgJ_iPlGSN@&5=&M%y{p zaoVa>IJ=V~p2*_#e+vXsZRpDlj9u{85YfL}Q|O!D4*xdFxg`MfO`JUH|NnnAIeVu& zvnvcRsE*n+3?Pl{baQ?#;4(w5?Gc61;C%XRode|E&YukZf$2Kj?FO70Kr-Pv8a(6v z3TUBOY2XJ%+W%+Kv@)p<0g(_e$Sj;^Nm(q??z{?IZFC7NxQ}vDRR*;i8 zffc*^IGOxYI`nIhnh-hLngNo0V%IK6;IPP1nekfBHkb$Y-#7C3<_|-t&+zCVkjzF< zpmC3P_EYx&^&28PxAr(JgstX3adkkLum&iI6&?<{*T#GH3mTXw;_|j*bl7s95V1_9QLfqx2s%3 za*m9)JOJb<%}Lqs0SeFJnS}+R&{HN4UaudcjxO1#&>i<=cQ|W z9Qu+&sbwhwN`;b*;Oq!*U>9a*ihM&+k_Gb~0Yk9}35wVoepRKk*$@=)opJ%C6v`YL zE=eK6?NkF5i^KRtX%X)o9|O1Vd~;^;hGxOi;(vOLqA3fp2u$E&#oH*o%;$i;L|{U+ ziR+wx2FDj=W7!1q=h`TH;cn*X~>ndG93pbS=^AIp|wM zh?5O0)XhLCL}1p={gUnu@0lnNi{|xpK=oflVcSHO&(USO0W&!Rs+4c@k8`NvE?EkB zuK$#6(~>4!%f7^N|Pw5lVvc{|_qKheAeR9tays49zD z&Q3v>(*HUtv_3*bjcH?iXLQ5wM{UHnm5Kc%oOMpE{`NI?4M_H6NPV?OIff=)VGKX7 z=X7u#y|0M7RN@O%c!t^laV4tj%v#@NaP-Wh6w!7T@5tx{vJ84SZw2A*>QYcHnb==yN6g-W29 zZ;M&jul!{NGK*Bs>^7&3P<={d$qta5snH2%c+#yAJ0-^we4G+Y!XdM zAv{Dv2JWx@*jCqi6G+9oQ@+x4u*W~B^gtmtZ6l&M)09w0;*rxr?x{6#iO2mS8041)^xdM ztlzYPy_{9HIF0m|#zQr)5jdRT>#e0%uV-ZQggR=TyZ%`2@YbA;@B1ySK*ht-f26e& zU0fR^Wa~|_HpuggaBcPX5JgjgD#eUaC;mnFJKwH}BSr{@N0EZfnvCc)-ZEO3XK8gJdQXqs+g`O2p|7 zxIpSv>bEH-h#C&j$mIdR?004{4-B{T;o7*1YQhJ~{>f9zK()ehvp?8nrSw8AMJbz5 z|0JH=YAp@nzNxRTP}v$ad5ucmgJ|-#01Cr1*NVRIR@Cs}k6uj!crF=IYB00G#GbfH z@m&kuu#hqFn~^HT4w(rD6dj+^nF}qy{jq@XzC9yItBZPa4IJ-^oEA_N(DqA$ktOiT zyDo@GqJ#T*d%PkxpO<-*5va8Jf{xaMJV!76GcQ3z7HqEcdJf&NMmjTx6}-jON-kPRcRZt0oYV{X7Q%?k{dt6bjhGFUPg?VkK zKp)oCz~pFG7ynT%BiCsfo2c5fkIgYI@*|H6KF(+GT+kLZ*kwgOQ9d-on!MUs#Ljk4Vpcv00Rd{ zBnUIj72@bt7yA*|>J^ynjIvnR?H2#>v-HOL=v$yB8_VpHITrK8gqIhm24Fs@rb?R1 z2yquyrUuN8fb2J5OQ0;00+|v3Icv?VB~=^f7b`szoR@q>!Wt zjEImFa(u8hAp4$#Bz+5b=i1BAj;5uXS-4j0&4Cy}b1f*EB2hA(uAT3*#kK1wXcJih zrzkbuwWT`IaB0@XRGGm!tt)%^B?gsF6>h60!nfA6x43b4x^vW82o^u;WV;sc>=U>lAv?UkkA`@C(Fm_`ZCkk1zkYs|NHx84Ko27N4_U z3Op}+e658#aCaT>QF;Bk~mT-6hT@MeAttK`(Tc3WC}T9$t?m(U)-jo@0W#TstNuqVXuYJxPXKH^zQUR zvN(Z4XWwe|mC>hC=a{rBB+dqW&37exAfpoyK;ARnE6Y5uP}Z+__5+;Khysp_mhJT5MVk9G!=Tx0U8vOeea4JQ)OQ-@h(nI0qBaS%{JJl@IY=oE?acIGPxwV9g|h; z+hPU=>?O1ufnJ%)VrsiPJt%(2cMpW+Gv(moe6McTX*opAHfH7TyaJw%r-SL?i#+iYp?}?Jpi^Dm|Yn`-=miH zf#p<*uohn2P*c6K2E4`87eCjKvYj{``M_~!yT;Q7FZ`w*L}Zd1lOL!EupkuTR@6gW z(H{~6Cu1d1Rne`eo^A%XH35g&RTF0}G5uMg>yr1&$Q13CQ}vFxwq@7!0N@#ND$s z&A7i5mBT^J+3J;u$a>JoWWFkD*@#!2=FRT~;A>@%;6mgd^cR+`n>kisdI8}37#T2y zi)S$<--((|NwF*rwfYdbW1w&IPxwwz55jj5Ix>~P@tfd+Gpg~gt~`!GA=Y{-iZuX$ zfR2qua3Xw;+wz{0aHM`#4*!Ip=Xyx&Avn8%u*!_5d0v5AioGLlNz!Ng?6hz;o97rv z_Z~jtie`znlBOOFciXjv<`SfR20Kn)_KD0i@WjxL>j$Zg7r1&nVDf3|Ml!j{{mg1A z=yc6V@}`Kyh+mLb%zardy&7+3uMMB=+T0g`wX-@IL9 zYs!++}mh(d(vcr{n>n*rwx07~%&V9lAN zMl-mB?-ZeIe~YUa93(MKY#|nl@|BU=m~K5}<-c1ju=esT@j%0FPIxm=d1-x84F<$- z`b{bY?%Ftb;85HG>_b9N?2$+FC!uzE7OfJRTvUG7R1O$L@jn5?>VKN$N*FET;*@ss z!IalihiCMG5O>=<^?AS+n&2L6S*^1+v8yg1=<+q48}dG~*KG-JerdDeSBu0?S=W)! zx8HQ>vFrsB^cs9hYc1Ou!8~qyv6SBaO0Z*4nE(TS%ILO3Xba z+J0{FB=B`2p$-H*v+rv5_Qq`@j8=V0DlL6?BKQ^xHNx|wVxHC8q*c53){xEX&9~bUFW){EF7T2gZC7Te2+_voZqq$ zh(@*d@`<-X+JLs7tf1k9U=*1DEoM5tA)x^W&`qGzx@ZZoX}JPb@gi`~(=`cdmU_xl zFX-oeZK{ASVV zLtm4bs+WEIDEV=R`#>k8K=1R#yWS+3@Q8LUG`8IqNbXb;2Kgf4Ycj;|Ky%#aFfz*_ zy0U@QvTz^3q9ul)u(pUM?>W$sb_z zh!YOPqr(&N3|P5)YHebjew^H_h{2T*61wr}9v2(f4oTBcGh7o#e!a_p*+qre`NvP= z0j$86kXjOT*HymUCbH?Rn`8$M>t<@=ZlsYU)lme_$SevKFvGd+i_wbkHwRoiKFpR$x{##pmJ3WS=sot z>^;hFJW+RYm_$s!Bc6I!GE4Oyw=y^J#R)p+`D))QJEbl~yF2zK`82u6DhmS{+#}HU z{ZXA{nj5|ki;|*3i8jokV_!JVX(^wS^ulEKJ9HFloueW#Ut|T^0~|1ihclnSErH|| zDTZNa|G9_3=pk!hoDD=p=MaI@-@M=DlclB7B3#SJRRCv1P~cL$#=NzW`@ZQg)S3@Q z)m+bfMrXcwy50Da>aI1PmPDDOGw!H%^?LMC06BhOR5?Hj+>&b-xkhsY$dVLu8CNOV0b2{31B?g+E5L~w=V9?_hlgDF zhPv@N4*2Cibq7Di!C5ptiQkN37#?jtKY%OzhlhCnbLfvEpZ_%P|Gv9|_m{Hxzi6N(cb35&b0Jvpo@LRCNL--;WSQ_k;GX`%-%2!torLa9r7vSR>5XrRVrz#$ zEW*Hdg*O>E`h`LM2GG|k*WXS698OW=b33YS5I#;P)~88N#ElUS;os^8NL|n@-mO~} zP&P>8Z?Xh(3)s4mI2Pl|nMzt3!TCY|Gf?a**~x!QrV`=Slo-2Lc6SC;LjkH|NKgmd z_SB^GT`TLbmrd~h!{egMD!g^{VvD8(h8Kb=t7+sCLHj@%g=!}7EO{3vj+;wBJpB_$ zOp~P^4r|hvqtT9`Pqslt1g`z1Gr7HpAN}pWVVYd^@Qq%C&h&m<>RVpO3YFmu5*fTc zMU}VLwnU7UPGK-N?+>-&JOmH$`DDa)$&$OLkQN;d2)J@H zL)5_+8o?adB;4uGeGG`kc5}1WRs)1y#8nRgvZor#O!tNB7P_C@j`q4i62wW>ipk4= zWYY0ijD6|wPQJk zap(=+fGO^01!_Vf_G&KrQzD33KshI*qgtX>TuZ98%X&I!pBFn+EoBHjh10OgLzgYK zi(j+h^CG>N9t+nFmn{Gzv(U7p=&Odo8c*rj;8|@?rgf=uvA)3Q#PHO06dm@3FNHC~ zjhoC1!ywwjTmi)8KmMjT?`>W0hhi^W(iw*ct&G5`7Bc*Z>zW7lFU&P`+dFP`n!f;S z?e=?J;7yYC-L;^*uTdJIxZ8_2BXHpdssjHq;vuXr+N6&&A2EZU_j+-6w=awgyg)Kj#Lb8-47NK~v+ zfshKEq{kUfz|n$nt=DJa8syWU^Eh(Pk`)XtoYkiQ;2@Wi^s!41wruSK-A{M1)*b6T z9=84=kaiEayLkRCX3W(pSqyvB)6up=xEe~!dqe~05K*;yho6jx-^ouC7)7t8nkk!| zHJk8g+}*oEY2dUa&I;9-mba!NygoSdL)GUaPy3nG2pAAqcWh@rKmhDff0YHw(qK20`S62@`fkc6|_bgBNtp5JnwT zHZ8AKed$W@7Cx5i-S18hewF6qt zYHM+`kU#);ISs-sp2b6_&3Dm^x}-Cj)^95Hv@goec6wPc(o1{EEffyM8Dl|2{)uI` zarGgOAZ81IJ}F&-Lf2C#bF&(Jud>Qxwi% z>m+?)kC?vH_54>zAk|$~+UBFFwN*E-hJ!RtwBH+6oNu!(hYX!>sG=8^1=)-ae3xgU zs%H=D*eOXjeh>^B+C)@5-?WKW(p?K1(I5KC4O=7!JZj**-j18Ay|CF-1{V#U(QsKG?dlP|O?k%sQo(SYVjiZn|?bs}1Ael{U? z!-T?LFS&mX;HBcZ0!&g7IPe7qe*1fI5~CnLnG5_{%Di>!!x5HaAr>SDe1o-ir``v3 zr^(k#=jRL-j4-51UcZ%0#~yupTa3gb{iyqjC?@Aof(E}{0;^qOQ2B~3v zwgE15Z2pk_e77Kmq`ZCev=lrK;#-StqOuiv@QOPx7c1sFs8vl0zenRn`ju7%!xrWZ@E!l-We8$cO!FqRPib zy!})KYZgx+3(2*y&3cQwF?HAM;{(nHUgWa`Qf24xFI66^Ecms(d14=W`1F9m?49By z2vTT)^+)0lI*|UcCR5#dg*8MU)|N47H{^9FdA+A@yu&HFw>u?g?80~~>eMN^aN&}S zUSli(B!}>MWzS812*4?}^7Tj}uwdGGgnu3vjDU166WiUU%d!59L=kj4>ozNT@r41+ zl5@2|4-ATea#VX+gV7vOOZpy)4I*Vj$!|tWKH$SP%QX#?YE?w3g}8n1S_7X|yCU*A z`y(I}c9lE5Y5DLK*>qhxf3*`WCO3V0*cw$p!JAU6nb^MKBSN+gxgqcd06?{lyyqyo zUrbHnXz^zfVo?+WtUzO;ALK52#%ZYRY_5*Y&i{!oehe`R?Ii!gw+6|@)R&#Ws;Im3 z{rT<;1F0sG=#WEZV%eyBtz|U`%Mw`(ys5g!2;K9xllSmd4C)QJMa^!v*+}oCzr=1g zT;`eWr|#?k(yn1!pe4QYk(O|S6Okp_&WrdKEw6_JE>no=H{bfd=@NAC335~I-c_z> zXq+>!`tnDZUG$U%aF*#>6#B%DbVlLRVg=^Bd93O^PyAA1qR(es)pr0_b8G;h=tI@w zi~%*;`5Y}hUv(B!@rC-Ats~wGY-;985{81dOr{JEjA(WWprwo`6kB^6m1w_n|dT+Ta?CQ_2b7XF@j&LuN90CcNvyDh`YYm+ThESWl~jsK;a_3Y`QW>VVp&q+=)PV@#BsTFtP)CO5*l5y9j1W z*xQGNtmlqEIsW-9CpG@izo>E92t5dQl?5k+07*cvt*yt z;!MOw>K>&4(e)#LDS~w=4c()}ADETEHo*R6lh z&JV*EgkHW93SQCh#;;GU2c>NcL^r*t{e& zCgoiH3_LcH3SCX!fMh93zH(8nAY;(YrhN-w*i(&cN-*DiL59oF0L- z+KugR$-6k>n!YB6e@L4smq28_&DRxtQP!nBx?rzpwd3DDFD?+JpTPJWm6J~W{6X3< z^}tlA#7_5lErxnMO6ikZKkE{(25pdUHdZ;rQ1Q2WF$~OVdiGG2Rxe_8jB9bPODmBdYRg!s%Phm2MubKGUZP&D%f{QNF z<&P*t-hwIK?1k)o6^TkFcXfgFI067Do~*qG&qhzC@9MYNMOJQN%NF1EJ{ERQ2~9K+ zvgg&5m5Y*o6>hK)$bJ@CgU#v`KIP)$?cLJw@yZr z7PRZAmT8Ylc%Kstpc%bCdM^*`m+ZM5)1IFQLW@<-DIxR$5Q(d29olDm^vXVx{cq2) zX209Sy7vd-djuf9#ba2FWONX$e7q10b~R~^dzNeOv$O|#a5*XfA?o9$>~}ler?Ab& z;E~4!!9Fq!(n+NkJ46i%$|g_K@93*V>-#NElT!%nA9owC5H1Y=>nNMN^EuWuOUc|` zQcxy^g~xZ|3I}(x8gT|}Kyx)&auA=QdtaSbOMaXj>Y74ulS%2(`gO)J%&NC zh*qN+`M2LOY&ijLik4(+Ue6QYU>Z@Hr0;YC1TWSm4rBtB@Am*(!ThMdl?yjlxvqWy z@QMl#ci`R)h&j#y?Aa8k(u)E_mIqnpU50}d3AD{4EUK)*Fu>jQ#?H=4+(2pTRs?0{ zNv?fWK}AN0gx5xu)s%`HmDADdxA?<UE=&W2KI9c~*Q~)VxV|A@j{v14MIZz1aGz7`{?c4wOaPK&=mzdwD5Qb=Bd^5nlaq{gt1>8&hfN)mzaPJr{O) zM*TN3xetNW0??AuBlbo`X0RKjctd-vY(dwGe1!VTyZ5K!Uy#i7B#dbH2@@F!Ar=Kk zJ0cA>4KHST;5@(h=NJwJe{=|a;6pj9@<~=G)b7tU_t1uSxrlJ2c*&5U$H`?avYW<5 z!r&!14hCt*oPg5+u?Y*~3E(6$_LIU^oF9KTv;naB=KHl~l5s&ByjxfQIjDjCLAFB> zxTXR67nhO);3_2j0{qOTOaI%t$iB&bKsQ~ad=f;X>#RDE!wz_a-@bgjSH4y}r|0mq zA&1=;Y~FyG+4Zi|_`^Z-_e%|VYkik0x;rO@#RQp>s7$_-6Nb%V`bI8Xa?}<42VL+l z1{ZHS0#g?r-Qlt`s_G*}9TCXrZ}x$<{2$3P6ewND!)FyFJaSP3;8`BgkHhY}-`o=S z`5iV_d8Mc%#gB1uhU6uYwY4{d2plzGEQjwt*y#j&QG~^WsW?;M-TE2GMF7IkVBmFx zh99qp$$0@n=G@UR<2Kl)w`idEg=hY+qJvmMf&lGB?OwhM{8DeJ^hum>m*DwWuTirP z8x}B1P5bLq0D39%Tc});vwqthD#0;OMJ@5fF^N@V6h@r=I z5=55jz<6IDS1Fgk5sOG;&$_(3t8167y@=|7X{7w;0B~o?_UJ~~oFV?rNMC2qHvoLA z`?`PXS#hgp#lO6D$Uzt1tAxlp_c3oo0bW+&o@NH?{4zpA5l=_w>#52X5A9K zs>KoGHeZWJV^?W{PjTyUmmtmCTP3pey<*qEKSZONSGNmJ<_>Zr^k3XI^e>j_X>=)# ze@@yN5n<8(^Sd;7!wtMZm`L@G%5h1A{j=F7p3O)SkE%Rje+t3GYl~CM- z)!|xggw+YU;AhK_ZSem8e){<@$~A3J{M zyilSo!lFW-px5EmgLYkuM7rJ+pi`e)7cL&E%h=9bNrTgS58E?P8goCQB)`X0$Rklr zD2h$oCS!jre*WIKw|Z~<=VM6;f^QtKi%TZn+XuNsUuehOg&Zf>+@HC`jDx1Q;Pvv& zpSIz=^q&T%6!{v~(mjmSB0ehkzu5Zfu&BGOZ564(i$O_=0Yth)It7N1?(UE-Nf}CV z=;n$g z<92;HoKk*m4p^;B!d5R%nXIa<(Apqf2eUA-_O;2mGUgv)oTLBsp`_Kmv#FftS`SO7 zf4}W|yL7+TRTxi6`2&Z+mgorrv22~=>UCFRHcFoMeRcwOH3oqVbIFt62Sl35_}2-g zLlO-Z&pO;{7Hv1?rpGHkl#zVjzwJb;Ah7FsHVn0%Z}OIo*0=`VMbAM|&xGtOO;Y{y zDKGz8&qq@B?&jTq8>@GpD_f%n+nw)sgiic%ZX3OrDkh)3+>Z+@-XoD^%40*9IpMDI z9VNA#+=+i17v4Nq?;={PVAayVY(L`xXhM^gx%lHNMg{1DB$@v`eof%XCmG`11KWoi zP6yY-FLs>DWN> zx^-FcbFwGK6y$P5;M0>vKpw1-Ff%2FJT``%G~apA(iL|JDbK=3<5W&jU%&iV-g{9e zus!+oV7x!<;^9W4KmL!5HWIA_aKxHRrH^mN17<@8i8ioU8j4?S>Z`CeZlk})VX!tc zm684;P~5o-JXvhe`P`prlTo|pCC20ymj?TgL7jU91!Wxh&CFtrOhgu2UP^%28^&$z z%!5W(d-7@)Q}0@qd{jIHG3NJ-eK0DuC$%q}T&;kcNY*G7G5-0`%9%WM6+doH(^vBG z#v{j9Ma*J;{twspe?(jk$$t_Xbvu~MU6AG)-g_$5plPI%mZDk92^4p_9A#TI%kYK$ zohr38#*SFI3^^ocbPEcs=P|<6;9CL3pvg6)o11fLTWi6zYE=PdT#MY)opO!xEMOzy zGe!9X(AlG5LHUmdtiWUgFvBuYD$pN1gmM56E_-zonnHZAl=O;Ig%tDg_Gohgme_+0 zDVO-m$SA!R0dejD(m5DiMZQS;n$q&=@u2}We(Ec;-LKpIaIT>8l-TAsw z_=gl5aX_~n0!f1B9M=Q|!lYoOcY3KR9uU?|GQuzsGWOEr2kVa_lnBt2Cc$UY?DfM+ zTM;H{yyVo%IDF+~I-<5|8C4=~iT>etofIBZ0^f8GXukxb!zQHCn1)x-dmdbZ=3lOX zHV3YLMpGAWy^2{@dB9SVD?WvwnYng8(AL1qYa~;Z12%QwBuc)sj~anS6%ibiZDBZl z#!f<-(J@HdN2g?0O|ZqRRM)_bo#fI8{3K6HwNxmGeJrZzX%M-r8LP|wU6E<5v6Ts= z$~|b-?Tgdfdho`Le0{agt`ppQxsr*=W|T=j`^8m_T$%^dPMK2UaZB%%zq{RzcCiB} z(ga#Fliz7Q0mt*<;7EvsolKO~PDCa$GDPK81z3LKc+5y7+{BaJBm?EAUz zGQurK*1;|FwR#E_|H_A=lNvcx%uKt^hTx7RkJxfx#NL*+wSZQbEcmFB7G{n4*q9;^&z6Hw6r z@O*O!dsrCn)P{s7D{o|FT^z(rv^hE~u+nJ{5w9tFRwe->^6BK^UTh)6wWT8rRHy$t zTtN8iUdCu3w3dsx1{0FJLMov3HQ{sOXYkLqlR`3|gjQF1P5VxCvew(~BEbqVl(2mB z*=`8vzLR?@p7jNK7q{pa3P?$043zDcakJ%|(98-vDPR%KS6~9d0MAO~^)V#hX@6#d z0b_D44SzSxw+T^aa_$TugiZ0X15FgDT-S`x_ugLnZuX!XIG4&M*JQqM?(p^g#&+@# zn?zbRB%)0ukFD|deYaPYyNt6>FmykKEe~?LO90bN(k@RJJ(N0@jSpcQC70sAEdQ%AU$RCrH%z#J83@?m!cU#sLdh zPGM&YsBo{+)rcuSrFrJ3Feb0%@NutGAjm1b7Gc(wj3=j)3gcBuaLn8mef~((sccWV zFB2*v&1Q`Wl0`hjOM^6x{x;Zv7UH%>Rjy{SN+a>j^Nr3heSZ6rvS@RIoFJn~=rRK? z7swhnJytX9HT_-|e5XgIYuMlou83R`GKw0?)Y~aOF6@iv6Iuai4Qvf>*B@EvS=7`p zXmY6g&a-e{ari_gP4!T(?+4H}d5&7PJDlta_9pf%93W`(X_Fn4ah4l_OKTau@Nrw^ z)?KK%^x2&wAMCe&!h7)D_9ig^YkEXq9o$$)Z9*0s+)lSCaTh(TPdt8wr6d2knj}6i z)p2)=r#s(?OYQU~0wVKpn$ydYma9JZ*PD*&5c5jPK)nx}JwI*Z@nqQ|A3}rGw>OQn zb%OFOmAm#nO+!#x4cstlymu+x`pcH*>>B=O9&{mGX~>>NRF4xwW7x6*njbW)fB$HswuqNU;)Kt^VZH@%uDYW@kdX#lBYbhFtrK zKkUdz6Lzt^3@i-lg0z;Ky5!eO!x$2^fZNkFUK@*Ji;kPjCIs%R6H_Cllu-ba7m!|k z*e}joEAFVXL|>a*t8U?fzSriE4;{F+(vgq8yDv|o!fU z?x}``)x@o3kNo_={6nR_hm(fg8A5&odWg7Y;sIG+c>H?I$_yu59lQp_TKEi~^ZGO@ zu0%&sSr6>!dU02C{=PtBLKRX*xnZyUxq>T30g#nXaL?We5U>ERYB9NY!l+`_lQiGFW^T^epucl8o@Y*=t; z{v@JWd7GmA!;1%kz+|>sM36s%=1MQhg~jndi0r)5UxL^}cQNi)Jq<(iuP-4J_P(zT-e@JT35_MldE*_i z|Bmhre*&pWI%H8W`l6!3?o@ zD{u8(snlpc@G9ysv<+*sG8{j5g4DD-G!7j-XAr9!u}cC5ipXHCd-4BtKbWnKW0&&W5Bv%9cG& zVp`wppJWU@oEOmij@8^wCkMFTAvO;3msF=cRKP3Q5q6&lb6GFg1<$>td0CuGy2u!mrM%f{ z#P&a1yqotCi%>u^5I(<0hPUC)kg&a-oF&ox=zd_pwywXJ{CI35{ zR{jQLoXPj`{qJIVaMj1Px6-N|>JSTnBx4R=E9WNyZ>%Ir9tmC_qV9QB%Rt-y_Buyl z{PZ{WBog-QA4PlDmU6(L3et=?NZ`7_W*OCZ2=FXn0h-$kCx=~7tSbLOl?Rpj{8ylZ zCqCZ-bOXmh-)eZqEnc(X>aVn0ORZfwaTdfySwm|2kG)|j91%tvhNciGt$zL{w@8+; zmDcpaf-Ou>FjhnjJiuEUsW@lzaox&K`Ng=?o0J~6Gybjby;U$7=r}?}%S@!5%pQM8 z(VP!{_bLHMNyv@aQPewVX){srbseSigGYZ$Bryd2Xd_^0k^4mKqa~N7z^derrklY< z3T~?$bcx?-__PyHFIYbnEll6U*|(gM)1=g?g#?ag&fP~kg0sa}kzsT-kw#F|((`d6 zk0f6WOjeRk!Gp>IM^!VZ`e5ysiEQ``yOzHwBQMtZX4h;jjEaj2_o+HFM-(ajme3uR z(yYz=r#H$Uch6+$a%17-d_?JRbp@9zvuLXUP^K3{EFmh5rZ{w|er|;`I6&)JcURV7 zVi^{w!2WqMM#HT3JYv{-aj5otf@P7~C-)_X5nd2{x6q_7_qg+MjoG#~yS(N2eK3;} zYnw)ePxaqYe35HF0x7W1Nk&WfWAm}1b!19xjn)nyAp}|~Z@#t)v*NtnW`B?kS;cM| z8%Jdv-;^5S3V)G*K&>1$zg$CK2In8oPpfq9++SQzX(#ZnBxC(nEm_JwaE zIW=W7Ftv&-{Qy%`aPHD!7W-@)AH|fL=A)`}@lTBqNZ=Fhd2A45s>tnZ$k2Y|e1AQ| zSu>5IC80bj0cwi93 zjz;!Qlysh)^rll4mg|;Spinnju}9tGM-(u*cYcbX_33P&ReKwR{N?4WVRKstTapcT z7aZrcbfpT}`m82k%K=ZU#sLUNmY&h=wzXF2wXozmXcTd=u4A4V z^$35@8sGrs3zR!0qYwyt8u7B!sZCYqKtLx;UBG1|LA3;)h^`Uo3fTw%$+O1t%4HPK zZKT_;U)K8XbcLNVu84dr-A5zXp~XgZ)T~3AS?hI-V5=(!{F(SH>opje-@bz2$M_rI z<{?GSOM>d-8v}gJ*=+t1hZ$m~@$$~0Qn2$c4W)kQM-d5lgm zmD2?txoSi9a$RiSjV*Ez4ZU{l-Npvztc|&)-Sa>4TK--Pe^p>9Wi+p?#Ba)beTwO} zxxR~Aua_Hw6ap9iOXt))>}ld%QaGKe4u5yOMp_ZCdjx8!oAQNRb(~`Y zg}n0%ZPT`NrFW~DWi?l$e#b|i!XbWc^-5GW`KfbTMqZZb%DHNLM3L=@HvaNzF;ooL*bZjL+ibEa;xRgvp6>$gN3`65Y;~^pl95nHSI}CHF`%CI zj$sHC6<@y2!$JGC#nn1UN5)aLmez{G!teA+ zVJ6<|KfQ<`CG&ty-h{4oZ5e(1S;u$Lli)H9_nrCoZlCO=v8o$tU{6shUY?Y^I~~Z7 zc{l8osqJE;C`|;UBGgj%4E(?CK!We|rq-G6X2#h%!k8lnSCxP#R?{qM^{k_Bem8M{ zF^(^!%woVlE_-V?Q9SBQaG#zh{OcOu_-NXV?oseAG8XrWtfxj7jaj-?=Y)02Bw2m? zxzU`oz5lvz8B1)?X-{=%@x{0mEYrqnaTRTR`DdgNYJB+mn^=gM0R&AYnOB0L%!qpQ zpdvt`Tz4PCdM&?;>60V*v`r5Dm9@8DK?8hl4gt@SL6CL@O3|b)4miE=fOvH<{Slxn z9#?0i_p_S9SWF&3Krj$w4i)%yy9?fmIr!9*QpYRlvYmGJr&QqB3xv{d88tuWKMo3E zdbiM=p|56l7#D>UMdW=1MKP9rDiYz=`^1wcBAAcD@DNV|JddyT=HgqJ(glr-nEuK8 zo<*y$4Y@`+*%zcOWYB^Tv>()c=%D-UF&aIjX`N!pDZQ5l{d?P3Ab`6XT$km*Q)sPKQhJCZoF76pUG)a zK3Jfja=SS6JY$a%a}*}DA6(M!$;o!oKB<$qk8(0$8S9-aCg107&fL5^XgUa>-t*I3 zIB6Oo5R0;)m2FUZKR>XzuU`nujne$6f)z$SI>uhx10#zod{k3TYWEx3sVqyrgGPBK zuqtt^-96-%0bg>dDEgJYexd+>g*@m(;b%aFZ-TTw?wsM5zh&bB7B1k#n16$GytTdR zsi9pg3GOU+TsM~!GjXVzrjQyhq68~Eo5%l{xlxtF&OaAtoBx#5rQ092HPIos^CA5S zv14zvN80Ez)>9g*1^?jVrq8^t>((8~J9mrOT@H&V%ElJ=vOT^zZV1I5vO>nR^5TDaMot(>E%Bi;xSPH472&5neqTQ^IX)?uPHA zpYFxd`9S@_>rw%QVIR+A>sY>is*h`Ayl{OFKc^!QN^se(fmF7vRmfi|?wH*)mx5}R zix1ZIX*#Quo3EC$!qyyfJT&qu3*lYrJ6f6FE;BPQ?CQ(4P#>1*rsv38nVjnwP2&@E z*rL)>v^mcB&MpVYj{zO}9bn%fip%QYR2_vX)Ai+drZ0m5undKCmR&t;E@I**%M(&i zCKGKk`Jz3^+GtaWn10a$rN^o#4#*+cxHkrob#yzxHjvNr^P_zLvU!~<7EbfEt9qb3 z8H4VZ@8_V4sL>Z?-D0u$J*FvnHR!Zo)H@ZJpONIV!1B6;C%zbxf+CsUjHNu>HQ(to zS%NxFIqY|Lw@^-wF<*a?e=5%pp&jl+`i(*wl`g|_=H|{HD*ARx&7vBXn+_IK%!VFX zu(AwjQfL(HP^8FizuLw8xWUd&3{szcN_$0*@HqX4|;r?wXPnrNg%Hy|11RlVH5==LQ8 zOxE&nPU>m?3UCQG7u<5PZ3IA*WO6}&FcY=M|6+)wp;|j>btVd1F}?<7{G3)%vKI6^ z_VN#3x)%(jULN;n$glh7sBNFM@wg~`bUmzwIR3o5;G%DBZ3BGh5#N8KxL3ag;ltth z75++PA0EdSXzI}UXswQ@SVdn#Aqf|^HK&(X^>^hSAr^RQ&9eHk1O1C=s{5-=kdDU* zw&Qtal8dskXZR1>a?MVps2Tmd-yq^&QZ88Q?X8d+eSr9gw$gw=hR^PRjwYrhi=nfb z@fXnx!W~UgDZ4{g_p_jBmq6fLI8|`~=I@;m*)X7F#!AEfgrAdZSe0&pvJ!{NeK8Y) zTy7lS{UhuD=5-8z77`N*=$gC=!Ub?5W@Rmu=i?@_7dj8W z`n^pEMy1#Zz{D;oRNb>CvNk{gt2j52#{K5*V@~My<@zL?0prX%N>qi0Xu&YXE$eph zPVzwtZ(jkY@C`s;8HlxpDMzf`FIw8w@XA0f062HleMm2#$e~c0*J~yjsUV_xkB`VC zMuv-SY!TirQ0zvuu)6U0;oH%S^xYy7G-m0Frw55WoVT9&zqE&wRiRwheBW9-q&9m{ zjrY8m+iC4rz(PR6(1$e#|3OT#@hqebD|`m5rszN|SM$G4AD|NlUbFYumJx_=j2v;* zbW9hj#h|ZI63{gB5f~o;<=KF@Bzj zqXbF{CTMWfOMACDOsM5vZiuK zlwp?XOhBG|;#g~!ApQ;hK3r9waOh_k)x%EEeE^#t-i~fL**NG2%xOPgWdvJpnIO1i z!f}uuy+G42t#xkc3}7?Uyu1(lp_Ah8i_)N7TZN3qhNbQH`2pSk{c+@ff}Gz#G*C&4 zVsj;eQ3-yClFERnds7hl4FN?GaIAL|@o!fH{7nMle~>>QXC~Uaes?w`{%$R?)QVTJ zozwSn7(jjrXarNu5~6m}5Ld-s+A}C@{O50{AODNbvd+U!Pk#;^-c#P5y!+)flXZw9 zEe6cLmt45L-NCgDe)UU=BGL^2TP42bsQcRNcR5f~LP$J%L^&vMTyB^6@?$ZPH_GVP zc_L?d6y0pEwm@_;2Q6wt&`xYyP-6D|aF{JDms{A3kt5S0&0YNn;k@cQYWD5~ba*G1 zrdlbpxC^Q9&k8APuWPGl|09pQe-F5L8wV?D4Q*u}C?NvKD(6dV{O|hZ_;)3a^a>J7d<7 zp?urpni!#?zSWMQ0aM=7nUGx${(GBFvq#hm!!S#^-mS4^kWBO5_5`K=!lp_~_!CPF zww&?aOh{mIa_`1$EQL(ODyxq|z1WZPMD;9RARDEw!H0BlGhoEPsLqCzyx=V8^u8RV zK6Dss*uCq!@o0DXF#!|b8Xx@HInmt}$s&p*BQ){fRRYxkJ)mJ-RE4CVPR6ou1u!y4 ze2Ng)d`h$QNdVVgeME@V+XZr#&yFQI)J+q+=a(cu4wW9ZK@^!`Cshu#n>!?;3O>(~ zl?MycW;!TOg{WKZp&1tyW6lV-HRHtIk?_e}>m{k2cHq4hlg{RFr0mOK)3deGlG897 z{e`0+)vtAU{H~vvZDlI!xw62t*OW$*p6d7Z#G-5EzOm%48SWjNsfm76rhfZ_46mPq zD!I~hSPH9QPV{vY%yyI?;In!e&5^5Tx=iJxW$UEy+o`(ofOt|u6(2qv;6MyTX3q6e z@vo$ZO?T1@0Uz-eEsAej9Q|(=gu?-PU9V8Ww7+mJf%E||QH%FmXROs?A>;HYz=nxX zVA|WpWF_nfl)V9j6A9Eu%BfuRI=>?si8%NBT8bF-fm7I2RnNWY-&{PGj^213^{632 zS0?(x;KdS$MI_u((ri7GSIqV*m1!z6)v-C#5s$=U%C&RmY>0{=S=J=+CRdk~p)B4T zc9QL}Z}Oe9QQ*bCeQmn3DacC0VY(~@ijJ%JwwGGbwtiVs^?Rs*Bn6&Dpj; z#`ki<$V||<_Yw(KYN!o0Hn@oNRTX2wSGe~b*VUT_zo96GibO~!QM^N9U6S_3(Br(O zMS5yzzs9f1gQNOWOe~7tfCSk-<7ov1q&~m_!E*WQ0=C% zO6N{O`+ugfJ=M7NgBu zYLW5Mf-c6I~b&`+)Uo(xf6^?~tLTDTrK)hp50yo`}; zinH6ZfzReD@z8ut#Ua#SUi+#edNclvGA0zyM;cH;60|WW(+yFx69Old{bG2EB}c)J z047DtqEe4Iq>;hb#BHxL0p9L|0r^dPB42;gU~af<+`ua-960!);BFjhX`uD(YiG*( zjK=m9Rk!N)6~Kb&1rg8E5dstQy$E}ljMx&!aQjNGk&!xVbT5TKc;(h;ULdAiq@A>% zg})bFb}FkB8})oKclZn6JidfI$E^aMsaUroI%kIv_u=wgGFRhonc7wG^J0ZfV?itk zyz-4I*rS3&33?ON4PQCi&o{i3-l_kvlGu1~Kd&>#$RP+5_=^OUNvK?c!jYoi3Co?u zuR4jbu+B1w>Q<$;JE4#r6ke!O@7+0k)44K!>%2D z5_)Ezq^zjZ%TsxVBb^C1v-h6AEt3a3r0y)%3m7s?j9*nB6AVDYk;@-y;| zxp4(T0@+tXbJ+)CGhiTywepX!@;ODv+7p>319Lykw|%NAvHF#C4`Hbqy2L0nr#k1& z;VVqftKKo}x-XrE27&n(!i?s2_nE~>^;&g}F#S6=7=sd= z4qdBvjYF}o++ctM^`W%zGMngc1F|9K6Cete+F=y})3?An;XBz;pZWlBNC5azkqL`Y zpnOba4yiIy9L^5hJ}7!#=1;sw6SVr(&<8~;ce7)TZYZA9J!7JAi>06d4J9>xMwVWS zEeM<5QtQopTK0;kS-zF*Gd;*Udu z2zt5dDL_vbaCs{SuA=I#b{wl5Ld=gd?{<-BOpg|f`Yc6z)c?M%wtC$MLTZ<8_`crQ zyJ=I=Hlvi>QRaZIn6KgGsP=ly($U>KKJV_Q>Ok*FQ>7exEFEln5xMBQxZg-bM5K4WW-yQsP#TI-CnV^pCsH4sSOy)qTxiNtUf>_VUI*Y@J zoA<&3p*ztxa{Wylgo_#oJmP+A!M3n`*QVC_wTN#+N&c_7eM)^h*j9(puUrUpci1D5 zVa?2{`Nyzw_jdhz7bsT4 zKx|V}H?dAfo8NW#6Y$xylDM{?3*K7~pVt*?uX771?2J@TiO<{do$q$BI@?_{6%CMD zYSzMX;SjHrxKSWz1Rkearn?;>L-YA7H09)cCW!PZpOEbsZL?Sd>?^b5LE3fxs>Zk+ zqsDbot@%X6+xG}TK49Z^DfWJj@u%0^hGe;UP8k=AKpfR_@n9yDl@y1fqm?kId)^`4FAhMN_GV>gV~4uC2wvD=uN}iXLL#TdOLONF~+81KJa2u2=lVQ9?^!Vrb_O( zt*5O=3*6B1P0AN0itw`BuMFlz0q-`4VCvSnaI_*#z6NHHl{;oN>F#=pPwf`M;9?0 z+D-ZBjA7RKGA+waH@iz`JsE4SH--~Jn8LL9&9Yv>s^}^jh;B@2q5ADK22p+SImZe0 zh3<4n(kK}l`fDbVIAjeO`(82IIFFJDwIjWe7aSdI6Oh7%eyRMZFVExZ1Jav*z1FE) zj8EaC1Lxa@SV~Q3d>~|7Zw?{3V4ZZC^^GEnJDDSgQ_m@)5j!~Mx+mWBe%8S` zmwIWT{sh57Oow6|8g@9(2e2RP4x1~kT7HQ>khzZ+51W6T0|k+vJ;0y@;t$2{S1&{3 z1WyNmLaJ)@a!#tp7M+@SlACYrLn5KTeA8G!f;K};avhv|uiD@YGoZdn`Zy0WX{FqW z%{_iSyF1dly*-sHckk;`l$XESQ^M?YyKxHs-i$M|E_J225V!bIo<#Y_Q4~*3{O-;9 zWUAW|jtIrs&_I&Tkm{zV@m|R#p5L=f*RpAP%ueH+GLgXJvNtQSMN2p=$o=-`Sa&FB z6~_^c(}nN}j#fV7(9N#>Fqnqv;HLt&2GQ=bVRL#RLVe_K6DTEa#16$ypS&UJ@79Ju zyC-wLVWSCX5g3AmwFTYI(pF*HnSTC^UW3@j)yGk<@({W^q=;=7pI_pKL`?zic&Agp zp_y3-9CIjO!SvNmIAw5pu$(4Gl4s=>Q^)mEexlvJ-nW`ew{MWPQXXX1UN?xK-k|uJ zc-omRl76>iJWzlEqblxB9^W;+vp%P%k2H{73JLoLEtk$t7g9XXc*S;Mo19#mAY%;X zVsBf@Y_QE3yk{wW_wsawW>5aH^=TpzwkvQ$Q`+0DZQQNoK`Q2^Hj2m7T9;~}l?WLa z#OkZ<8<#`X6tl$M=kNszhd74C6s}b$ZOKJ78fAbRl2TXoguhi)%|)A3)k%gReB(=# zVz@JfX~n1*>bBu4-qV^zVjb6CyfFe~KrO6$JO0=G;X7Mojg_A%@E83$Wu6@O z^lQQf1d$S`T~G|Ra&0=yj`@HN?J49eXo(lieUJCqqYG#+us`Rm0u+hnBZm^ZIsgr& zRH>8v0+akMZywUBl2##*gRHt%bDfgppYC}O!0J@$BHcUaYL#s(tvqwcW1$fdO(R=) z^C1F@J6VFr5l7EWpX|^UX7X@sGt_F5=P!_7=od$|i*(X`e_=r2fD|J^5tT6t=iHp_ znz_n>RUL(=xvYUj+rV7GTFC2NuJ$T9;QoDa$AKe?3!-Nq4CeTKU&c(jwEIRuM`ycE zTjGDTM*>H7Bxej?DO+xfC9mrYm->;(1r3Hoq2*P}{VIb85q{ zAAFeh zeCR=#wvyj83sW)E`il9-jCF2msIloF)6~7&NllJgqBd%`AD?>%*}+VTk&EI9!anZj z6Ta_pPFG$x()`qNsQe^_uW%Tek*SIj8_eCiBN{)sE-9!yt_=$2qpK+xVzrbCom4Do zl`Vl!=p2G@rFCr5IyY$yz&L#Q+e34VSSY)kaaOtT$S=TQY2O_)kH36C`BOda^xna) zt~;F;JzNgvodEUuurq_i8!h$`DA0r>7z5P~UR96*z8J|n)a6)G?V?G?n{&Y?U)7Uf z^6s-AiMBiJdC~Z^ZvGo%p9)K*GGi4K-Y@sSDn#wQW=0DxqPk|u4>V<3XWKO%uE!3X zaDvJf4fZMUE3;t$fE#=dvt}#pUoW3}HVSp2$CXiUHXl4V8@jYy03yP9$}3CNd!$Nz z}#*&Df)wkO1h95$Aq3di>E7OlW zn?s(W)cb}XTkOW_mCkBAFt_!P0xQKz#wt%Xyv7#GRTVOo0^2&Gm<0R5c*jD&AD=DQ zERX4?u64Nb0mQ*#^Q|GggwP~I*Rd!Vm8p?E?`fP4ao0W{_diKTUINer^qx|cd@4f< z`z-Dlf?8{6_9oa44W>G`R0^~-(K%*7>t5D(-pZYWvmjg%ki_q##1(C^IzWZL>)h4< zDAGxP)?A!`iSM7i3|Z1_dT{C$+R0swni$q0!zFaz899!YDla<=e)kQhtC5v_#zv{8R$Pt`2_|AfTZWNWvCiQl)Zx7z{O9rI$JCAB?`KQ=sLuwXpI8Q4R!&<6 z=YDKOP%vI|t##oY)4n_y&zl~Y_y>8`a8RypFd1r zS=Pn%k}}srt~Yf&_`yYSB!7SvLo=ZKywB*^R4`dUI*;iII8c{Fc~d$4Ij-E`!EXg8 zOgCCyCUI*yc*~%ER$!y(AXw^K;HgX2eDj<~Or^J8`To`{EY;fJd7rGa^{uor&za;w zxYuVRiJ^{o|0D&bw!y-&-numT>0H2*ZL~H5X>%4upsbtxfWbw zg7AdyHdCj&07<$wQGUBf68M55HI**&IZ5XCEm*G215j0i;qXsQZVYf1GdiFj7qL3G z&Lc?fQEy=fy3-ezvLG5U_r7H*6w(wgUCjxrQQC;qQk&R?klDU&dfpt#=~6P3$4xtZ z`}=qw$mqTts)DQBrxG!829u9wxKoh6Vsf|aiVj0}_ZeMk)d1w;G5Kb)U^;5DMhUzg z;zJMx`4-WuJK~j?On5@$E|y^9Voc>kJ_zRq>gdTx{VrEF#sKZCRo2d_4-{~{+f*?M zbjPNna0fzWCelW59E1;0_4X=w`goHGu@tt_01y&*r(_u*L*D@|a$VsM#Q)Dx)~CKl zaEbWokYK`=IXysPXb&`{Rpgxmjd+jB64>X`Yi6fyzCz51O@o5E@MYHYR}%YWx~kIX zjR#YNCCqoc0`YU8*UbvLS@cY*4#qGl<&C1B)xBb4JlkH!2!dkdFlmT{a$gFnIp#`&3&Rpx+q>FLRWQMUYFV@N)7BIpCy5C%1 z_r+nH)jB~OJ(e2S_vL~mZ9qQF1Bu738(J0puKDJE)<1|Du&ocsPBU=Ee{e`c^9fsr zR1UY3%T_lfyOo1)Ldy=b)-f{6z<}w?;%tU^ zT-@_zE>00dZc{9t>I79Vwug9=a;wjjCkF);zT9r~ul&=D`6g6GrQ9sgZW*2dS|&!` zB;pl1zz6_TfMde{+-yctVBz_p*lu!q1X_bPyz?3D8*;dSG%3% zH6uixdd$!n)31&RES77@k{&KiOp&taO!}-h4ozp7Tsm9^F>b2k%$kvSW2TCAg~ZV> zCd@u3%#UL7nV)59LzF{AEQv^d3Xl{@ATH$N@iP!1w;@h@K^G3zJvgfA^QN zR48LdRo!rU*0k05$G5Q%b!!j6wE5{1o+xA3SAD(e<$q`IWS^+6Gz7J5&?u#z;inWSMevag@&Lqxp z;#IpHNT1`kO1vwoTQKKpg4|g6@kM&J$Qf*s>s;ne3hOcMYij6cvXP!i=DkyG!XkIN9O*F(Wsb0>wR>% z#-=da91<7du`0@-Zg;{aOnDmTx&G_2znzM=Cjuw~g$?tvI*^*{m)8Szc+1~ir+FD; zf>h{c^5svbhE%{IP1&FTah!BFE!_5f)$G$~*tP3F@(2u>w2T6We8^>x10L8g3XEfs?;(wWSMb5|-xFt7~=T&qD zBD|kXvp}Cl2}!_#?yn(D3T*+p`}4oDK`rhsRz_NXD{dA{*S2FeD?j zIBdSiv12~W!2R0=JV#h5AHT)kM1Vee;RYj z-5KF0+gI4s@ zqKNYROvlP^;CNu{o{L~gzpz9Ar{43lj~oLr?M!TC3vyC8^gI_ z!~#2Gc&7dXOb%;@%^tmN0+%)nlGq7doEGm10B_+7(CY-AXf%rbsrWw>DA0NcwcTIe z1L*GydxOMjsTsHSs2eemfHGB5%bNx)IEe{+F@)D`&Rmtj5+8xs zEShSsBYx8Pp6<>CW$)}#uCB2(g+b)G2TdfKV+s6~Im4fA??nQc^elTh*12Gt`G+3} zlk9{+&wxI+UF$MZr6ngP23Ca^c+3q!6j=kD6`%JjW36e_9&--{h@y~Y;=WJj*tT#U z-DF+4724pzaGl=;u$BT3^^y@`vI7nEUWQGie7Ek()FCli9W+Tc+Lptwdkt~VT$IX< zwiltg9^GL5cXleo%~+8UXFg-4F1)9^*3I&s$6KQ^M-=}(mf|AkKDQGi&aB3&zQp%z znjRZVqEgFn8DP|msM8?b(gk2i$Y- zem9Rd0GSX#emJ^O&%Q25{cd2KJh1J?e`*{$kR!xv|LXibz}u&k=@F9k0&;#|veEc; zA4Z@{At4AbNNc;F!6D(K!Nu_W`%eIK2w<9&-E946xvxF_iJUL}#pME+u&7g8@lR;L z^*}OsSKGpvIL1H_dYhZ1mjngq5-Db0 z+#6!c-?g};`r&*K0ja-vTnY?TdrNYr)RnWaErvu%rr`Kva4vK{M1{EMVdlWY_aXOV zUD-xFXAf}Q=@@E}Dab_(52)Grgw6lo&lTpiAMpc5PR(;RAV;(ffRfv40B3F*s!r~* zeD2-E`A;u=&+;2U?iWc?f-N`q8kt>)fSEe{CtmuA#n~(Z7Diu4Tvc+2!H;^L_wePM zEWddekw99fb*(3~xfc-uBm!Ht>z`y0C@-kue*y%R=7yI2k^L2!q9AI!f4ByQML_PW z?tXQa78xz@`~Muf{`8_R-X3_gz58{-NO!o)?S+W~gke$a?^>>X2{U>;q5=$4TeyZ_ z9OWsKYBqe->I*>bAwGT{8qf&=rUB%ycX*mf)GbG71}dKQ0uAV;JaxZ}1f(!kdZqz&_ zWo=iae6`zkt2L-uRsKeA@}JemNEZF(SNYKS)Maa6Jc(qa!Usq$z>=D5;xTgyAHCkx z|Hb`34d_Mf4-M#?+h(8IqZn1Z;zK~>zi+2Bd9RrJaWi4Exl8#D;P@hH$D5K(Gz|1| zh>`kudz(imfsN1{M0c)eBa|$>YpR#wr^P3Hdv>2DK{lBblqCS3XM*|>|Iq}W@O9{a zKutiL<%Et`TYcvtwuXoUz$6E=Hz`UfYlns%snLi3hr)qJ@|(ipOVUdE|DkZyWUj$k z;{OkY!&W29cM6H=!tA_M-P}cizyvhZgbUP6+P@W?$}Aqt;#<~}zDa;>wW&2j0&||A z8>0Lfi6PjN_BZe<$Tb8IIKC1B1P;1|-vo}QBo73RR|@mmLxEPdc+n^YN@5A>UX2Ju z;sAjo3uK1Ls_7YVF6AGCV*6AUuhZ5wI{J19WSW9~maa^2)23E%1uycMoNS{$2Um&L zC?&E?QZ+`5LJ5$xvplZ3M4w5cBLrnHNEvMb&wU&}9}&WRAy9DF+h(w1YMO0XSoxm0 zp|7Pb+$>33b$oeHa`^e$SCN*l7*iYa#QnrkiDTRRadb1vhHeF90+J)6ou9WHol2vv zF+Wo_R5gbj<@06yF#&+(`|!V%2DRn4FL^$Y9g|pc)G>=g&L82f)VO8PP5owSU>5xk zQ)Bju^f_%`aAYdzdoWWxg9S6b!h%R?YuhluF-E8oA;JTm9=BW?zchY-p|(FBDY-+7 zprKTh387Kie2Yq^z`~R8{ZZiy4LZ%B7?1VOcqv-wZ6PJsZ+-}VubPRKaNA=zdM>qN zubYOmt8vwCq%vU%wH%#m9md9cW@#C1H#-Ah|GSTVB(w0mfZ_zXYxSuZLXSbf#>@ph zXl9Hf!GB}^>uYavANkh4COiQG-%}!5Bl0s=0{%p-eiG~l(#AKY*J-Co-_uXMbZxOz)$vWexEOAlM+uVDsIOT zZiD$mHwx7y3;V$ns-e8}drc$yN=O|o&bw-v26OXNmO!J3G=V{NHUyd{hX(gx(RL`j zl$|o2MWdY3h74y)Bgd{n^(t8TXOt$ORdPM;7R<~Bs^^v&O?siW&MyRe+~uaslJ}@D zy^K=)W&q zhS=SeU*xYGev3~>s0A)E)zy1b32Mau_3WcGVX;4x4+R=PgIqPN8Z^-?h{_)dBTK3B zHEd+t8;d1oWu3he671*G7Oy55?hOh2}7`!B%rfNqgPFq zVOy=h`=v~;z5veVIRJtp=rq@DjshNm5bL`A=o?h%kMaLKMkWT!#DcHa>ysf^q4%rZ zw3)}5?5t|TVru&zQbz7)RYX~LMqp$J<-Mv&g^ea}Ww~cv>k!Wo*B$c^=f~Pt$QF8p zBKwl8(`%zoOuYR3(|6`d+JG*wh8Oy@jz1)EtQ1<@DIKlD;mm$$28Yx+wnm%s}`*f(y#A(H#_&Y#xRY)4!{$>I#WZ7_K z*h=fQs^T*>Ap>HV9#1H*{fAmgUz9wd8r`XBzY6&{o1QeYUB9~q7EnSQI`Ut17CEpb z!0GdQJB4TqbYjZXaLS!w@9un9Hai_E_dw#JM4vo<<2WFt;VB-w{=%; z+~V9Qaya0^bNdtV8RcV zWBZ)XQM)!yu^5>C()g>L(J*wqn>!YC78Cpl*h86H&L`AEEPM^I1ABTx0>Ao6dx{t$ z)vbtt(;+{$hjSq07=x-HWg9DCg>HsE&{F2ybVr)CYqb4PuaExA1*N+M92AB|y1R2I=|({qX#|l*=}zhH6r{Vmk#0B}{l)ix z;^KJWm5;Oc{_I%sTJLr9XuU4FD&tkq^tvU$oAj5p&YHJ}C%+>ne5NJUC*ohxtz&CxXk5g*#Qs{cF- zV>_J39X?t?B{NaaC%sie)mMog#}@TJ(SUt{`KY_St+@_hvmJE;j+hSNzrD@SLg$pQ z3^$Xv=1_fko)Ue;^#UC}*^smMD{LpwBPmV%j5C7|#$obaJr40j7_F)X!Uv9OvLGM8XBGS+_6aT*ZG?Jm^H(Khi+BfUy{W&i;2gtsxQAR|D9A~i5HJG z*-ow0<_O~j=3g8Bj}VrvB(^N8Z9pjGB4D6_?nw4D^_pASqTte*8HYmKSGG8-51znH z$ncS@&}`*R7erCBjKa}- z^AmbJdA6?Y!5&ak&6+g_PGSCH7uoP;62!7)BpE~J^Yf3n{(^o7z$W3n>Yqk^H(Fev z`Jl#qZ#j8o*)J=jA`7J0mwT4>X!;%omN8oKkGPZd!k#YI5H5F+w~eYOVi)=kBDu|T zd0weu+N~!=6kEaU&wx=cEhiSDg*kNeZf^F;e^_7s-L6h=E;c6GzBg(w0rdVg=@u~f z)pZLP#GHA<3uk+%gnqWRa(mpIHeMmP^V>`L5q~Lzr}Uh`Bs~4)`bmmQ6vW%QrUcHB z*Jd`oTtahgd)R^D0al4K{kWbD$DjMv8Qk#hbA^cGX%`?jJ`X%uG`1U{iw{d6((3D> z=FFOVv-x#@-}5X5@OMeUYlG+CjR6PgJy^!E@JmWMx7XM0`;_jxX!j=_YRZbivv>Ek z%$&|gDnI0j)oWWWoNF&v^F$7%Sr$c3JldEXJh2;Hnv$xENc9>bQ1LA_{Ipj~N0^B` z&PK#}wFPYf9V%$!S+^Nr#vJVCpx*zwW^aYeZu9c11Dx$CJInKT(YItG9X6BDzCFu} z|G_w}T|SkOVGsyE!`~@Q@4AS^?-d@QM@UPjjfn1uFBl>yV zwmwO_4LK(=I;$4Jmm6)J09B?TGdtwa(X@Eh+nQ;YOfXaat|cG8(4K*e5~E-gp2o~I zpN8n?eKvVcf~wKV$Evz)?SZ|yy1>gPNW}&ojxzaRMy#QZKbMkz(7W|$prCemAy`MT zENw+L{kb|!>M$7S3%&gpQKN}u?3qE~gsf1xM;tSf>2TNvRKMSzhYQ^o!5|AlZ z^NP@^{(1c4A9}0ljvG(oY6z(}n!~sQ`JS!q zhSW8)tv44RXc?r94w1X&m)({6L)ak3&l=@>?bUzlRcZxXF`6N^h7CvSm#I`{5?D}d zHho;)eZtE>A;*`-in52r7}nV+FuD(oC+#_!d}yCCO2%vnE%ovK$AxF4_V_h#c!6Jy z#zj8T@mxsf)GPuV^tT;G$q^^Zn$#BKVFRZDW(%%r6);Af16UHjzg|=9q zeKo%;ervTHmt+R3?!Tj5q)&-x||kLmuBXZ5;&MF!6=Q!CBKKk%l$qdnCHlWU?tWd(b@nanzqk!^>`RL-AM!IfTiHr%ME)&fA-dy) zyl~L0$im~_*pj{CIH4D*7Vj#tUNBkIyFd2NgL!#id2y^~z}+2LiQs{o?IhLpqFNcV zsouS8GjltxuABGeaUY;QUu=RY$077UP4GEjf$kLb|`2p84%FC4pot|LlgfPJNwR+m)T%zwEdLKQt?Pc#*^td;w zMq@0xJ1=CZI3TU5>^l4cz5WZsSJ9Ya{2eFm#ICaK$ogfHvDcr)6EHs#8ML)(wo|^Q zBd+lvn#+1#V@+heV#kIJWS?5%B7?JjwpPxqgmUjOPPup?=wH)@^V&RW(#i`MeU=%y zJ-bAm|2x~&pkgl)*Rs72zPZ^HrJI{00FB&dl^b;e(Q0RYi2w&RDVCwUF4`Xn(bH(y zkA6NnV&M}VKBY|{87KJ%Nz?n$5)a3aailXf;j-e*koK{p*>8Wm&4u)C@_^{(?@U)( zvR`>vf`^P}+~X<C2%5kpo zjOX3s{E>mJh>v@B2>uU{Mp2MkD*e0E24B9r(?$?9uV!YFDgFhEj5@V}212NOVmInv zC`~eB=VLjCx;WIa{PoEh+&Suoc#}DuwV3(# z(ix=aqeobu>0zkP+c%ytJf&2@SRR}zxIW*HnCbI-fjm#88h%-*I~iovUi>qRL+!RO zid9rJ?z^88@2<7wvO#3EY@L+O+y)^lU47eiT!!5Wl%uXL+4!Vv7Y6W40n?x6^#Q2DhTSpL8OE-mY%*6(tVJ=yHkOVP(mtr`;<4iA?%`yfrW z5^qhkxu0xturNnuvHIcp^pB`~pDvmE>P`;lAP#Lf`pDXLwo#U=4Wbw==W+`I@ErE{ zo#Jqi-t(pOjWeH5>BVe?w-)jIwqqI|ql(-${U=5k_*kCmOu@sek+~;T=%pr93n~7i z{K+oy3hDp|1HKp4{37UXTKnDjV8=0kPgD=4@2J(T9=Iy^zA#kU9&T6z2qi>oaAe6) zF!lU@@FIA>Eq)KQ=fZWO>>j`^1Vx+ zb5(k>3~eTX6lJsTVAR^oA8<(uNp%8gWZpa_0zMFq>zd5#o8P-P*UxQ1pcDj5x2@}6 z=hH3$I-i(@dV)L%Yozqt(+v&vrs zj;4R)F;DqmP^!{PxkvODLLn-@qJm$5Xr=P6TPi_}IxJ`8b0to_dFS!qmpKYNw?!!<0M^LAYF&YB9+{sCxSIBr z^B{9mKJ2Fu)ca0LdS-88*VLYSoDS^Wm5OcMme6Y^0nv1v+#ahL2CM4jwLj!ZET1uO ztNCFZo}!a^CtD73&M?<=g2@B&CdnCp%K}=l;h&tTra+PEle6*#+!TU^!`p}7xKA3TY)wdf?orW;e0 z%OF}|u>Y1|)+Y2X_;UKfE0EGMpvvNURhhn9vUY8s5^ znS~zw2dW@6(e{y;avY+!FiR$)QP7L4NG`+u`&ZdEpG#DILNd-CQ1zhcX<}IBWc0%W`^xpnBVsXO*6>x-}>?|f7XY8 zZ>&KdR2RINrRx8d1FFlFe}Q5|MA`OdproW0#xL^gwkt(RF1?OBe#I*%(j zeE-e!`i_LYe18O%Y%Fm+!!}47+296e-j+z$55+@{ApX~Xp{+lvaDQXKyl9OTER*Rf zf(-QWX@P0rMJB0uc0g`(UveC5)wm!keN;h*Vb||_N4Pw@t;1$n4`6lT>q!Q~zIP4G zRA0>&k(%@ABLw4loy3NUrp-{8?od-6nkxcM?)IYTam^&bi zkhk|E@P-UcB9j-QzC0`sJ^C1TFduRx%aPHzugyOdLpp(A8JbG4g(qLT?rt5r9_G?C zg(M@(95PFUwLVY2zkk6HY73p^1M#Cg?-=ZLd-gs+f*+JWy!rBa;j_H=w5lBr22qHp zyk^vBc^&!Rk{>p-|5U{nv3=Djb8tHVPFCJ`yeJqaMVqh#XVf>Gt-i0o-%n0c*i7mt zpnoZNMQrNsAq<&u!Wfc%)Kgimq80Wo<>%*D+9HBMU#DY810r1zHAgO3oHDOud!4^2 z%6Gv{KmDCJ8mxqUgm0y@#>I6M1!q~^TvQR%HywW`Dd|=0aNi?j*i3raKh1gw8Ge!c zP7%1mAfFFh%DU00?OAPphDX`)yyGKFs%UlhEDKtl%3`V&0Iv9Ne25hC&JhAcc#<4- zrZs<6ZN!$pokoDwxY@y4e{7XiMUEq*giE3f?GcXSQXM;SZuy}8Ks>LA_U;XB>ftnY^#9p3yb1L=7Dov6gtzp<8}h-C~ngiB&uHey+dU}c9O z?Bj&UbIAIk-oRM`ep8rx<<3+8o;ZzY;=#8Tog zjpQw;1Tre`2k2URq`_8`35c#GlxNBw_xux>{R9*$|0T!1y&jE!at|3XUJa^yvC(vH6{F;$wLHXbNgP+W8fo-QC&V@ux7=ZAYwi}BrS zHKMgBB5B*8e^NMsKa7RGP2Np&zc;x-wilxJO~X{d(cC@S-gDKLMF?6N>)<}VNqKBt z3$@#}RiW2DuMpFS;6raN`!(IE{oHvy<1dS3@U5p$l26`1O3eVW^${ueU={4{5H~IO|{M9O<{f~(J zr~Rd+80-!Xp?8R{^hImIPPUUDEN4aBJL>nIpY4S5eOkrYlGn z70fp_0tZ!>>s7VeE-HiZ-JZTqrPzK@t<3E8d_vN)aK|zqLk&A3!2xV>l1K8NFxfdD z1;9(Fk9Bom93d_w_vJbTb4xt@#|cURu47y1ZYWctpBzts`xG~pj|gp<@_xv2&5#+m z$~p--Ga+eap3+6LS`!t)4dH8c3H739^ZlxWS z9@n61dAZr7Y(9Mb*L#;T(kxmqa0l*)BLKXG%_7(^ zS}~s?D-m#^mE)?kUP0p(k8QQsE6mH{73b$}0r@vLWlbP4ZCm*EvyanE!2J>52hYxq z<7=JL58leF(yk>T?^F1;5B%7uHsRYUMLa>HQkmDxaf0N1G54qvX@pdk)}SQCX;iZogY3UkmvYBevP+ z9BlmeGXL;J-Q$G!fm*KAa|iPvj+T{Z-hHRpdc*l=?l1Av1KutoUscoT?6=jbVmZ&# zgFe;R#0n}H4(r`!JMkxM&#O40a3R1Oyv#(3{H`__7@~|NNeh3%*r@%niZgywLLfoR8XD}ewB<25x!Y^Z|RO(YVJUoMx%jFk8c&P*|kM2d;2LCf)oO#D1hOCpWjC-^sSV>y z9$e!7;?Xx$XE@XC(saD-=fj7G0JPVN=bUbp>Y2K3@i?F!lKx;wTCnIeFX)FWlGmTE zerkD~%8QANkYQGj!g0ksm07>Mw&gLNR;xsX0D0k`pd{So2GB{i$*T>1e^a%$BaFJt z?>}3;dsIwW$N_uD=}L2d=EKczvp1gXK#FhxA{8*icY)O&)WaN|>Qni9j2-L|SgVNe zk!$BrpsQ&(iD5_rJ-?!yc!zRPrc3u73Rv-vkiLLq!qU+_k9_i5qde-DzLXaB1)ry` zOYe&nEETW;&|0i1MC7mgoO)|7LcTmM>NKMtt_89-?*cf})u4Gip1SbAK#>B7z+;3G z+8$KDkQ~HTNkQ&VX-v=w2quw?R)+<%t(tp2wPTanOwR;9Dh{UHJhNE-+&CmU@$uf~& z)xf?YgejIkQH#wk#g~O@&2`KN|Emj!pcpFqMw0Z=1rR;%VvS@fmdDKDprU1#&Hx_h z-^Lz)ESh&u>wkjJ4fJQbOU!k?lUBWf9rh2lo8$ghTqVmy1a=5ep>Y)POZ;`ah#L2+ zyLV>+>B!mk?C}u*$XwON%7yc_dLVzT6qloyAPu*B?62e*-hV>`|oW`$vJm$VKJsyFLLfQ51&g zwZ<^_ZJCMpfQjTx<8>08@b16A;HW)@x8gq9_7)(UK(YuQ({3PI>Ftu{Ru+iQ_A<~8h1@n(Z&7e6@aXIMha|4o)e{!B*JxnDII2S(li z;qSbgT2Q2!;Jc_R&^ugp>(LI8-RkVA$ffyuXy8~POdrf-{Gq&WS3R$o)b$S*L}C0F z3;OuX(Q}A9qCZf+4jay$aod_Ve-Y)Z88=7Zle6e%sW4@Vf}3795;C#^G=lUrUXaZX z0&KaXalZgI9cf)ljVo?8Kr^`!EXPQ+^$t{y!1J^%wvo_MdaYIUsN?N(0N(xnjNP3| z^AfTxOr9coK?>dx6Ejb0XV3R?zy2_6;4eBLeiwNQrE7EpgXWnx76l0fWjBv8F8;oM z)kkoDKBN3jQA1`ofX7hsCOvnE49RhC_peiWd-7Gt?bZP*C0jR@0TNa48_=KU?o9dT z_hq*oOaOFo0Q$=izi)mlX~g-GRzWh%=~+xCne2!nF|oIjf#s{Hp=5|kBP*fBun0YU zb*54#*MseQeN0c7$8|%8;YCh*94Qv{?y+0#e)&jxisxB8od;P0Uby1a_PBhn(vo`6!UH63#K>|Y#eHAHa-ECmG2?G z?V;yo`k(|OcIE@517Ay;)iSSZxxIHiDL>h8e_H~&`CTxo^NzX&F?)W>wCru?lRwB` z7r@W(ZtHTh`)(^4oE5I~Y02E|wa-s|Zf|u+?vpc)9S(Jaq~XVi!}br5Mu63TrzGsw z8jKu-=Y@P7@(U-7SC~z9)P>rx`cHBP_`zT+Nw>W!N`uqi22d?PIO{A5-v?DF-)mF@ zeMZE(-oBKap3#K@(nfV+bbbc~_x(hbC*p-x#a&T};m2jUcD8M6BAIc6%(N}SLlcj+ zE+j-csJe$(sovaeqc`8NRb@*mik5qzIuhP`x|H#Nj^PE3BfdBGJq*3L&d>?yP3tH*jJ>)t&r`-5h~oV5z)1n^`L4nN$EX(EUjbe=uwy)}{GL zC*fUs!hPyt*q3jCR6eqq1L8g~SADfd4zTb80vxiu+PuwjT5{Z4Gj!CJSsJ48tvaFz zlQCn`w#>e!*6moN8XUvGz#zsp8l|4xzX;E$+`V)^Cs^mJf^5oH12i4XN_W`t+P$IOD44k3QlvL(5`_Y~)#xq~q=6R|aYPRW$7LY2T z+nH^*Yb`^c&84)@MVUuo%%$e6*vOS3>`1g+#givQjs0z*M^j`W{%bG@;xRYhr&Yi{ zYcs6xyO;2|#%ur{r||@4w(O82)?`Z}#wtXJ-b`MZGZSK?h(Cx1FSW;=7dtZdK_-YB zwc6#bIsE(jLpGlu{t1SMy#SvqT;k*Oe9`x{@n*%mHN{z=kEdLgKQITN7t6CMHv=pL z+y@3aK4mIA$}5>Q-n86tZOxYKL@jdwQZFCv5jbPE4;WiSakM+Mf{Jh$1!_{=sGqV2 zhIFX;K9DeZ-_>4Jv`4@Sh&ETOLuJwMg>b@X7 zO3FZA)8AnXv)85Xs`VM<%zateZL&XSTeK!Clvox1d9uvLiu}MX7)js$M+ELE##v(c zg{8?rP|=(0J60%C9kFZih9D&?_&>E~x_l-NWqERfcIL;7LxVSex)^|xz;1Xo5zwO_ z-ljEh17%z9Qg@=)GoMDVvS3q~Y3>5Kw0k{`esQ4L>xVp=laPy&nnDXG)1hE-?N0r9 z`HD%eu%0Npt4oFL&s%#fOs;S+jy$e)RH4`G&4Y0rj(3n-gBRnE;r_1;3hIKOR<}Yl z=+&nj_RM0%Y*GS_KN7>+zglLS0Ok9|CzL4Fv0#twn zXoHxTZ&M?vP+7(|T;qbOg#2l(#RfT^H19CpJ9@(!Q@i~!?A`nz=Etzwe~Q-tstHdy zdExv9=+jr$GEY95xevq9P_?2vMkO%~9YVW$@=*9<0{TtzVUN~sK$W{annYU8gw=;w z`Z9n>Yk``u(mSC$g`j5d4E3FFi0v%71zrv-p@6?7>-I>_LX6Z z_b^+4+YKzskR}2gO(zYJ%M$Tx zSqhNW`e#-#{#x}1ciM3OVFGA2V7bW~HADz@)-tqQ)N^I=u;Po#W3oFRC1JN0lyReg zk5ZmqWPdw|8){A2oE5}-wGG3OTSn>n@ve_@3RD*bQL>0opYM?I7UC|?2)M#ab*lNx z^QbZLBzZ^6^JeuAN|R$b^Nqox#t6>cn$g;(grG!ZhDX=}brzFvGT$C&b*_FHQk{{0 zkd(gS6D4lpO_$0EeZvK2Al;Li|6^{vpJWJ>k68W_v@EaqIGhxptml(wvr`8azfU;u z+7N7k`C17h!|$-iqsb!%t?h<$K9C2)c9T^zj*yuW@_0ujY|bhNf56r}+vd3mN=8yt zVb8}yzVn)u@{VUapUVv$Z5;KD)rXOkZlh{^2nf$G7|U!5Bu~(EZED=7&7}*Kao+&P zn77>5{McqW`bjyC2s4<|2hiYfVLWe~NENki+)gLZ&Y`OjD3@W$B$eiAKof=>zWQ5{ z+-6<>2^(DrZVmNs^+w84+zQs`1>%BC$SF`!%<=`m+l$2blQQdaHpNj$IlB7K75f1# z4ch^NQ|t{BjnS0F_<(>?%&mFTS^ET#!t`BjABLA3+Z9PqOG)Bsda{eT?SIa%Q;#@I z$s7^brO$K_|0TK2%I_pbztvz<%olr~C?01MQ@OcM6fK9P(5{DB@eA>5OVS-q;|c*> zP@UC?liW6w#v5AsAQRa;sr@!M-E;`7vZdKaYKH{0dQ8wd?s2i|UrYB7IjW?pS&TIa zuBpB4k!yUmHd!`GCIqU5KuF6q> zqxzl5D)fu2GV1)~X~4|R@X_PQ=@Hz+I5Xdtua#ifg1NeHn_Kbc=sO7Ya+`BxOfHm zAWrzL(3d7`sMQ>^0lE2hK><-eX%=Q% zrk71kSCs90jVc^TTYA(;Eo-|psuV$s%xC&AS#?`yAkt$=NXXR6+pnDReAt*+nFia3 zF@%!w#c|dcnGwP)Vf*=-)w@TcDiuwZyWO+Z z`6bA2OK!<%*T{b+x+IL#9OUFBNS4S+8cA`kcxC+i+Ny~dQ2G>G%KfM5eI{a>6L&5c z0{B1aTh|{`t>5c89qL*+bV?qCZ>I=#MvW{d(hr)X#g9jm+;K0dPr4d{<4?}a%R)&o ztoFeY0etqhJmgP%&TRB`?GvX?8f1y-M*3|c6f=IB^ovdmyLmuoK(ixBLgqyegv&C1AWjv8D7u>^;0i{Fca^e=5bA?@ZmKhW3#w1#vZ3p1X_X+%V4 zp<1JkMA4+grFR+n%1)mQQ!YMk?4I*QLdq^cU z6G&XoYQR!_VLo^$@Qg=Z+W%dFdI)jYg&>Xsr@txFjm=xrSF&t&>%PmOQ`r9MoS1`D zOCJkkeG)cPwU6SisJ0JZy9ZKru17SH08gV5Jv7raAaz zPrIb-{w8D{b7;+04S{8$D7T}(TBV&Rm->d!-jdLA^^U#f{2djLJqE=3t!etVQz{#V zYSf#FT8H#<}UN7^;p8nEF(0$^0+ho-6fig6>|4YTRK#P6o;Mm|^I!<`RST4oW za()05M#M#Ggh6x-_DSb*rvzur9L;a z63h8^A+2IdqE|3`y0N7{T2*W^rA(4=5mZr)K9GpR^#(i?;KckXqP`X8#V7yqo^v>I zyF4=ocEPltpMuMWT1mXl3ev@>;uHZ%0n_e0F)??l#El3%f8zIlM+%zL-t(F#Xh~k! zN%$i6JBygvD^Q7Wdd2FrP?;!s67t|TDjO7m<(vai^AMFBG2rO`fJ;CB^U0BHwOoa2 zGDOHpRfeC(#n|pSg1%6|XS43yM-Qb%e;RXUS)A!&mR~2sbFh}WFCzh6$hCCzto{ct zw=S2p(a2K6r-Vr!Y27z$LWD8A1_{M{TDk9TPvo{Gt)|3nDRl>r|u94GyiCi2^nTd zL_IN!B*ox6dMqqhYr~??{w&?3IWwUoh|BTUDfFIsm_S|7&vMSuN$rc}AE%EUM-mae ztnKj^<*VAWoNX3sNv`yvwvqXM#3vWCI^6s0kMJ_jYBDe?Z_wicKLnhqOCDXk-65VbOdK*4c>S7-HLxwY zh;6GMe(?GMCn(+sx<5Ut&KaTKHXS>Of0>Gc!tmfvKl1p8aRt>OQK!w0Lyc{$NFPC= zhq*q_eR&?CWVE=tW?DZ}ojm`o??*aOVE@9B^HA1^(sF1~#%}qpk=5_-SRAGY{6~Eg zpxX0^PO8oI8@c+MNR86;dMKV4!LaYtjZcrm$S!&O;EMmk8-o{F9D_xbS1EXE5klxk zeGBXcoUoF$m@xrPl>heTUFn$lw6)XF1O|Ea%FvD-C4KLz z`J2UEC#wi_6q~u+RAd_?CZb(nJ;`&%$?T`UN?sCj!YN?E1RFyI#PIv_6A#2|6gBfG zcSGo=Y_#fc3<#IX3+f`6_t7y9L)G`DTfp#2mFkzKI}ch=!wl}?`KMwlGX$s~J?SJv zAsT`QCM4t{vzf*1&iNuX%fQ%d=Ds8EqM$Uy6rNRKfRUo;mWPmLOEM+4q*G$GU0%UQ z2jP?L3wue*Z~0WH+9g~wUu&phOiXJ+xA$&#{O>)j)-8x2;X=o-4*@?vb+f&)vY7-s z5K49|ewgb>MZzbem_*ju`@;>CG6vxfAB+_hU z>}c>`yff$%Y4g{7+#jR)V&JS|*vy+=N^(7k&SJ-PcLMY*>d?1~IFj|3m{BN=4(jl8 zH4VLKrT*qc)y*vNP#qoP(d}qrZxB5_LvX&;&gqMj%OJ@jiLV+LW5>E=C7ayVYl{}l zIObI*Fb?fFVlI;aaS!yH;yWl782|gA=+}}UJw>W@dhir8GY&|lXjFH&NJq5F81~!p zPo#9>+$wfhDh!!Ox&`KkUvtIdTcf*pe2MZmPrRDI&wiOIr7^|C13O3HX7%>dq#l7! zV^cKgk$LY&;Fd#TcR}1z_t8?VZ2{ukhc7-EdAC8Ym<)D!^4hcdd`H9Uy8BxY^!537 zt<%Zfy1np+qu0lyp*LrtI-XZ9Svl#P9AnR`%Tz5<5vca#Da( z@ONDi8%d=QyLaZY&|1#}5qbaA+9>9Fc?-%mL6L6eL{fk0RQFU)7s`_{VwfW3!8R54 z?R+GJ&ExX$0`Ek28mA0GR&OU1BGf#AV~GzYLwZBqlXdM**nSQ>wB3K@@7sfNVgfq0 zP!<1pX<}=_l!J725^1e6NA&YNDMmrrECMrH^txVLn7xrIQL1@;vn*3&(>v@mdk(tE zujp{*B{h;llr>&xn?{yjW#!zDQ~)D?{GSPcZ@?O3nQTcJhlL5MiQaWn))1_Ze=SO^ zKNRGEQ_Z&n|z`1N2occ~e9kqplY zfU&n$#(w;6UO~AjlSp0tyFUVFY>d-^A)B3*!AzeLHpE<#HA%LUU500W7p1{_OB7nW zzk-mvKp;O!;MH7iNV0xn8?jk$UB!}fXi^#^B;4vRt-o@}B{0ALN(73Af}$GJGpg0( zNm}P|L~>DTI=0&ln_?*7W2I}oxwG9VS?FVZ3TAk&eTHklB z4g>-kNmaSK{Cu>lxk*SmHkE}~PDWOaSjO22N+v?OB^&Aavg_eRubkNc%A8FCeIC_k zu}Qx><*tIS$%f;}M!r&oiwJSPO{A7CaoI2KqU+E2Srp<~$|E3Of=uM_OYU}~c1j~nMQT;fM{xc2T7bq`{*i24o; z2iz%l!IyND+3{RMuLwa?plf7$VHilQ^`gg4TdK`(z-#vh4<<45HjzFGN+Bs?ElFM` z0Lw2mSO8{!l3SMo$8R$oyksHT$Bm-6-gmIpFMG{OfdA7cS-YOJ3S%Rc(|osz(6r#H zmC)4`CsI>#V6$awff_Q^ad9{>uyy`^G9@yEs2M=qDS2Q@Qb(~v?`aH zEhwv<2QOk~@FOeMNe`2LP%S)GO$o>xhK4ym!rU_i1K2u%T9WNZd?-gjLAH?|_JOn5 z&{|zkcP)QcAKroJ_Ez>EdgBIL%{GHbt@Rrm%A%mWN7X%W7~L746un-A-3UO~{khTO zokImru#M#SWD0QZJu9QGwb6sH4SYrJkxq9y?%X7bxmf$lG2(~vS_5c!h&0~@lB)N1>BYJep>Ts z`ATbYb@9zibz*)nn{{K|qjN7C2@Xibm`V_F{FJYVoeNHCc+3QmZR zk@8hE4PGft9G+9?Fgq5;%F-Pa)vu*TvchUrny1@NvowPi+u;Igvhy(soz@5yDTJwD zC~3;=Lr9DQw(5d3M;wt|(~@iEt9r%9@pMb`t3_KkGmGRLjF%!)6DQ8?u{evjucfk} z%$#Pui-Dbi?l05YqM;OjpDjBDl%t(5D`mv0#KoH6R43x2y@wlH!W8EtBzQI(Bir(r z`5Cp@XfW_fTOa=YX>+CE?TR%9wsY$iioxu{wSG#w8nb-?ls)GH3MMwuW^q0 zjQTMJ;+&4bxL|K#UtUXr-y@S=^e?VH*&XLLe!bPVJs(k^<6`hFe{6N)mlxqu7MDm* z1nQ-%>HPWrvdUKTrsD*Lr7mHb4DQMqFUm_p)q*pNo%wL+v^xWZ>-D!Um0%on67=WC z!%ke>#%%8l&Jzu+pXx*LW_|5`RsEhB@eBz3NkqsggZVqk7ZQ`GCl&%8JFN1=QPH>_ zA(XiWH6>^*cvzVxuYNDqI@i&d29z;mZu14-KB&D)*i11aDea&JH>XFN`(K|#xtkFN zXQFM#Voh+j)HD!zEf3 z9nG~qj_2YBJ_%kI8+_MaUw@dYu++C6x3*Cu${E-_obsEn8@;lcO+x%afgQ2{d5Y7a z$IW0D=7eXAzvBG_g+cabpV23sg+ULC+L2um*OF38Ot25XI8ovsZm!>o8vPimU1Ie2 zQJHaPtS=;2@H{$-O3df-?~8XF9+RXxS=$qXm5}|plswDStxCU9})SC+k` z!O-?N$#akEeW(&#YiJuv`ortr$06sl$C#2_QZP*&Tp^AkcfZxjqOAPX(w%U;X1>`h4a^|wYav!Jeluia;LG;2S2T@n zG{KGt3uf;%R6m=wPEU!C{H*@YAB9tS0Pc0Vr_ETJ``m+tSvG=p`w~g!Av;8o zp~blo&hyW+n7y7PSHVE1#!4X{AVT4^A|c8UhR(z9e8{4GeICh;B}}W$pD}95*OMJ9 zf*mP3ZtUy8h99(0?c=)kwp{e{(7UYe>tOx-5TSt5E`*wQ3VbMjcOv4;p&a{*t&I*P z3;M4aLdPLPg723(cOW}eWmm2BuSv~is)<9dz@F1AtUg?@yEUF|^`$3-hBl+nOtk+m)7sT? zoBhR2@k3FhF%R+O+O{!68gBUf1L^ICbX(PZV67qOF%OB2nk zRIVy5mdaY4HK5CqcMT$%6355j7)F)EOx@GC%8|J2iW%YLZc1#Y3*)bvSt-Vt?7Iny;A6ZP83bYq$8zwTJv!-Eb8{d-j1t1`d+5LBJS3GPT#{#7nuTCO$aB- z!*bgm&5q8GyefKFO0@br(?#|0*AkTP?_?Vqi^BmVF&uTy-B@#6Uf+g*DnJtkQ`-M{ zoana?Nh~Q{0>wBDd-571Ep70d*3>tQb2*>uM?cdHcGUBBd{2PbqAq>(E5H&R)@1G3 zwpEvc_Gqaq#=ep$;-aX8IPT?IBv>R94$tc^C?x#+v9-b}^a8OGTS4#7pKDOfE(J}P z3Y>~4;*}Ae>@9)@O zYLE26>(9@-9chfPWX)O^meE15f9pRt!GVK{9Jjxk9#Ow#Q8a?y$96SoJqhOWlI)f1 znt+!y7U*MIsM0R2H0M~AQ@ynqs{lQG>34%y= zMa$}fjyYnIWqcb3L}!M55_896Lgi9=Td<=1SBwp;y3jVyZoj&vAHt>0F?7 zx>0TIBJP$HflNpC?*3yX@m)=e-b|SmJI0rhx}IFad|O7g;!}{>sk_lJEHAr+v-*YQ zJKZCy2MfR#5Z0&&+QkeQ?JopBeshkPb>ht68q_B!bqo@|wNGyUm=;!$x^4!_Xk}Le zSLn(&c=qPBM}{<(l($|q^v@76-vjptxXnaNiAy+Agc6TlvH~^J3%vNVqHxj)e)G?f z5`?*_1-#gB&I|_=Z&Kbod}J=N4BCnWcS>Juj<4JwTkQ77I8-&EO79K%N^`N{%#?Tk zk6-b*Kyn$jYv#R#z=lq=b2&c~^xbX^vt2UYo^2P?B^nY5lb@)pbF4*nYG4d4+iK4_ zpZ32?QZUm}O5$3GpGp92!ArD>i%HGxvPPaaCs^D_JS^Q0ZWxPkHT}h353CU!_x&@I zV~Ca47~}$Cno)t|IpxmH^R{7Y=$umv+Oo_0_6o)3E<+CTdVlj*_{NsQFUpD7gRZ!O zvlyQNIR5%SzJ-dE*B2_)LCVF_@OkMsP)pN5PSmBG1*-6B>f-*^!4%8px8@|pq1(i>*m46%B7@4iK)Wh-0cgTVU>RvP<^%?(Vw^#~3oSQNn~--|m9Cr6cH$ z39!;o^uZ|w^BG7wt^Pwvd?hDU=6vZsQuKOP?F|C zV^q^0W)H9QP@Fe3<@koKB*y%8Gf7_2WFx66zzrCy?b15yZhdvBy)PmWQ#S6skTSBo zdtAGGC=3`fd?@jx|BVltuZ0dsX@2R)^gkBd(6Cimy?59*_R%_NjoNy;a=XhIlxNVm z);Vo^IDO&i!}C3R1f1o|>pB%+i}G`{


JOtMhzeZGRHX+$KfGPV|((Ta|W^RbFr#QFzG z4mi#wqp_n#%1e*tLcCOqV>lr z=Zo&kGHrV|TZ9qVK9;X?1+#_&4=K2`;%&vf4&M4y(alno*4yxNbc!}GhbDU^C%Gl; z33#hoY`yvdv0Y!1;RUYV10RfH*>SlpC(E5V!9|u?cFY zES=SJkaY=}6idDeM8wafqdxsOH9ixj6#us?mgkE!su}v&w_$*9pXCl%c)U`J7(q}C zh_Pj893IuWpu6>jexB%E(SUS~ZzQQtZq_cJ&^)YT~+<|ed02~h#YY-=Plj`aeG0UOd=7J2XAp5!4;Fz!g1@2$Pz#McDD zp!>&qjGQmXU&W3&`#|L#HpzAj4mHiF=Ln#8FveH_P?NWn1if>7bG_#>Y%5;gNueVm zLk)!rgszm2eiiFdz?(On9tkVE9pF)CTIX^qQ|Dp7*{_IA&Tbz*XrT|){C;lfG3*+{`tS7Q+JC8~sI4bBE&9AW-lHiLMWIFcR-i?v7 zHO2VWErlg`GqJDO3dn>7Naj2QhpYEBUa(V%6U_kLb&l?Z?vUGvce{dmy~FDfb}PBp z3~%L)n7WoTE)gxMJ@)BIrBV)?C+{>}Hxdz>>9+PN{ao9mX4K=ke1RX2M)sUNl02Zs zE-S9kDqMv0ydqiSt%O_u;OzeR6fa4THBLvd-F_OAR8)gPv(+nOIxT~%tuuYB>NHYB z7#Kr+GuA(#B*mKBmH@*^5l61(j9b)`5gAU4 z*wPJWpZU{-nK?m$Roq2@baYAMs^7(grTqe;&UDipuI?7jnBK@yBkS zP%}x47_P3b7~gXHG&6JgXKG#YZCUu&EeeB@cGF9zI>R++$}-G;a@~@&XpIn(F|5AD zzpst8w~vBGBzUyh`bcX%UJhmMPZc=G(Pk#K6qU>uakLvsNvZz*OEvqo!!HzlPAabd zjL###t1e<#Ntik(>A0q$zCwa!xgDN=o{v%j+cxZ)gXbWnyT7(nWCAn&FPd1=K3nRt zaDc)6tartghf|x+$53YCir2RN%pKdO?e}uqlTlsEZWfe=D>;;xKWLvlq4fa6-1i^$ zX~Vw%b%hpJq-qh{X8UQQuI+7t#S0Jq@w<#|A^@4nT5Y?Cu@{{l2*?gh+NFA*o5mor zA8pmFK_P?x|Ddiqd%DpUB(1abm($Bd8*z%ssWE^LodT4-B)oZnlyLu zAE&I2S8hg)zoAl-Yd291>Bf1j5@I}@*0L@*H|1MiOTp(_4asR1(hj}9*leYLweYSx zj6z9A1}Hh)E0}|sXcPC&JJYZg_R||4AcQuza+Xw_Q4;(-T?7LkHM;HVZ_E;2u#*&Nh*)qeeeEDVX7h8WpxouycqF~Ar*jpzJim(!mwNDdEd)DCVHSKOFS?5t29{yyL5TNcbF$= zJ0n!{y8&XA8k_hBbbY0?T#FfNG+!D1H_!fuH@4*ztC7V$HT)na@s|!DZ7!LuI~R|8 zB%kP}uEHa;J;u0rOLX5+Ad6?(=X(=<~H$9ZDWi7>K** zSx)1@aQ}q-MMuA}d_AziN1N_l(+RdqmGgnSZJ{s6nbzaXP+`+QcH5*?<jVp1g(1XdUq|suHPS5LjyHxi9dp-Jp?1d{Vdq;tcJP2MMg;fl)ocP>-08Sr}W_u|I8TO~RW!0MV^A zxA>+UH~1XuTIbHU*Z;aazB-r7R_i1vCVBF{R)!o^(UJb-|l)1kBHa$^P zk5e+R=JLx%vSprJHyxYx#OegvHpSvrQ1i$B`Cf?7w-$$Q_b(NtJbk*xQC|u}lxzwMwDHl=LbklCw3l$Src*Lep1a7lZxzz_Qf$C zp7Iw8Egj@#rhqIu)DBC@av;mbh4IvfZEr5_NOGqq!>zUqZ)pYN|EyW<^k}7=^3sEd zc8nDZjQo=sv>h7IW7Fps#)?jcxj%e*596Cah0V$_I%Us)o|Kx-cuvg?p&K+lk_swtr6Bp@b2Kps*>&HtgP1=9YttOs_I!OuV4GUUME;G83 zJsbgi2z^KJ4Tun1ovrZq3(JTz+wXNRlHzLsTHP*ycQTS=;6Lz^F>cv=NZtFmD#OcH z$L|W>j!4jjt9q#D4zx|DKC!+IkFyU6-HdDi&1@Mod)8i?Xy725-yV``qz3 z_Qmk*>dkwk=9v!_&T#CG#M@PElek0dNSxWIOT{k%*lgd`7TKnn{)b&Qd?VxIf^j4@ zugCL$4${6@(@IPHTXR30tq4{714<$`I`V@p!F@Jk3f`qV6=rmxeg_==lh>`@cFRXw zlv@dkqS>BMz@Ql?1x+x&8gx^HW0P!rcZYaUhN_O)`j7w8OCIK2&isf|3}X+XDyibpk_-c$vv0b%mw!=cK*{ejLp(bM zG5$qAnhaY5JX{q3(eQ7s&3fW*_S65X?BK#HX0e?)J+3xOW7Eb*K+y1Gy@@kQLBr+6 z&E%hn*=s_h0!$-{Tp@LnNtSSR$DV0T#-f`Ex%!*EN$Orjhx~PbKcP_aD*e3z0S>6L z{G0{(E@cDRhXBti0PGrJ&Aq$HoW#IFi{X}e-ABF^+q$BY$V21tgR;0PWV6;BxK!PSE(PJ4>O7w!LyIS`~?l4|8 zkRx1y%@C{oj}o>5eGe+i!3x5mI=bV6d|GY3x2g9g-hR95lsWJ>LAtfe->hUDmVG{c z_VGY0O@y!F3cj3ijjESHfVUd%vewnoY^AUFb?U?(3 zQPgm{(g}HQl~;EWR#J}^qBvVhMr7|b2b{nb382Omz9pwP& z1(;YRwNn{Piz+o^bl!T{dqa|mq7Vr;r)QK$zC z!Da%5>Cd1MEWtD&9(%m1)HD>LWmXza{H}7$4M86!Q&= zI920RJkIf0r?Hk^22AC*KFyu;ZlY+SJ4nG>O-N+M7fa^_u3Dbd%3O^nt*<(dBx57- z;6Uv48-ZADzqu6Z@{gw0kDHa7NR0<*AeyU55kJNcYvF2iZ=)D7@~Q{7SzJ2#qbQQ2 zpR}6=x-*{aA;?@3AvS7twme{^ZiTC71VdxdU{%>mBS2!cNfnw%T5#OdOMo(CzL+zh zngs~J4&efYj|6HWpC$kO4g$wLou?CX3={cTXWtN@X}M`zP4{G6qnP6zuOn&ESb^|W zQQ6*NZp`vcck9O!bz?FYC=yam-d6ph^l5_!!3+ z5c}!Sb^h7?A?oC1)GcS~#b!` zLQux(U7?l;ppIG|dt>jFB6uQ*>$Af8in;u0f8^+|pWSUyI6PJ$XZz2VhUMF5>dt$% zy$A^JiCvtn^?OPQmW)b0^Fv6IxvTSLdrX*d|0R8)G?^?jra6YouNx7NQI(VUn2`6Fo7ttmih)DPs~FU1EqagJk2K+FdIUiWOP%>G>FP)QjQ4|YHv|^BLkW-S zq?*R15gF1)WirdON~VwVRN>g6uu5o@+3NWC$H!PEo2N>|Ap{|WMrDYJJ09rNNvIou zXM&bPXjH`v27KY-G=b_177JnQfokVOy)-ly4#|ixRsDE2ygoEoFTJ$s1`UioyCbRg z`Fx2>7vBq8?!f}KBC>p|{NA)QOI<7$$Bdci%-iyhD~k19esOmz@CrA=TUa~2+OksW zoM+o+j>sDvVn;~KdLXQ(w&N-tESsUM+Yf106XYq^_P^L!0&N>jRn?xn3lnRUkW)Dh z21bHdk@Px0mgMOekwa8>vg>JIazbI6T3Fk_)z|`@B)m8|^Ngi|YPa(Kw-_LnUGqIN z4K)cHfG6jTeu~UK?TF&52pLB)ruNtL$nR6)c8>RisBD@&jutaC_3#98MvMlj;BMae*@$cSVsZk!|^sXQSs`*oCd$Qh*ApEc1mCXQtx8Zy zTT28uu6alNRhi4ys2%h&xyxpFKp%F$c=lG`~pJ-+ETMdNfvF zN|m9u)YUq>3MsZVwgZO2K|Iy#SquQ%`uj0%B1Eie4;#OS$*yVRRLXoJ7QH*z3ItE8 zQ4}5i7sI0(9iO2K<2?@19L$ZVR@NrJ--Eo9Z~nc9yP0iPN8Vzc!wpFdB^#0ilZMlb z8K116b^+en@Mp2f9_)-#q;k5Da?wG!)#N^9kdaSN%=6#Lu5xD}e-1KYiVH<(9qzRj z_b0SIF655X8}Byq{4~;~qmM0e6vk=1E5?u66Z(*5qjNxFvi z!csl5YUgBo-J6iJ2`EO{v&w7Ug2Ss+dy zV5Tyaa}-J4pHO{RCiThvUH4KLwfb8w8DE_+6MNAjzEe3DeQw5@t39RU6CI?SGjZ40sRV-c!O6ofU<`!}Abvsb(cUn&jpbJd- zON;*bJ^puf=K^@otzK*^0(R#YDe%>EwMIKsmNOy<{q32B0XUHY1gj(A+n9`=rWY*= z&Z!04I&2mGSe$1_SK~UpHVRKa`cFv-R`bW6>np4z@T~&M^1%ImYj^fe9S}LxI4**4 z!a`&z$NH#isu*f0{~Z4Df9+#ahR7hov1&Mfx^TB2?jy#UM~l?~!l)x%*HntYp=78d z(3>7}e>HEyO%()U8|LlB?Zb`4LBxL`ZSbq+H2`Ba{514AXo}Wv>kIiZb#W-uXw)EM zOzW?KpMVYC0^DIomZ~TC?Q_nbo^2-ooQ_QoBI5vP-t%T_60fAS23HeXDG3!?-xrS7 z-P3ahk)$j@*)d~)?=xgHk|2vKmj~ytPpbAW)PS}=r@H(!KdS=KBz>NTNQf_umChWH z6REVgPf(2fx;x%8k@A5OOEfBCSz8Xuqt3$T?zzr@Mg}+y0Z{|lCY|_2LbZwjVgqh$ zC=9*Pb^jfm${=VKAMNF?`Jtp*sE45c0Nkbx=P6weGqVAjGp4p=Nu+e=X0)c&$)g<# zOAD?B1T4w0Pu$sk^pe2G12vCWT}X(ckcxB#3yZqt&@m;54(_asG=fTHQc<&tUuRnG z8c34_&^Qvcwf}53<^A`gH&0=7d&)E@&#nL%2i#Q6r6TrmRcT)P!`=C{K(UZp%pFnFWpe{84U z0wUnwPs8_OcPL`1dsLO}0_0tSY84gG^NNtS<$-8lxAl2Q)x{0G2#QX)B%0$D)ro>i zjdsW$nx8Zu0{LxLrWPd3_|tc3>_ zUQj|i5x=3TseBLil-l>V3gz{hgMe(X6v^rdN#)1*0#CaYv}aZITIS#^IiNR2U2*QX z1+4HJ+40uSIFyoKqEv9HZoNQ9xX$uhaqB3Ooi6CX0l4j~pp26v*7WVz{0e}=Hv0}$ zohU!%AQlsSjie|2fSVptN@O$u(A>Q#C6g&$R!F1CLhuu*|GfaiKg-^$N&GOlG;s#g zT!Bb0f3_xYR^r!7o2SoGMfPM%5`sMw@hLzD2lqIs+cJ1~z1?yI3Mk(fIp9DJCV(8Y zCI?Cz&0~ghc7-B8$?4V0et+`H3XsA=qiwmL?B*6&D)GJOg3f`fND$LXWz`^$4eL|K z)(AQ-_R8;7(*GWU;X@M$%xX`3l5hf3Sl3I{1{aZWH~%EB_6D51LwZiJ$Wvkg(M%81 z1F*a4JL+TCVo8@n?}v5o)jYr85Xso%n*_}*1PN&QWKM+AyhWh;J8886`Fg0~^DF~l zq^&d`fSLTr%$`Yny|KB)YQX%oLdS~l!Ll_~&jSh^`KCow?USPK)S$oMn-s2sh{fFK zjHBa+CD$Qn^6iM-Az}~{F~JrCTsw3xfxc1@WmbQYmUzza1GiR1!!c{Lbeb1`6i(`K zSw1reMASuzR8e0$_9n;p4=sMX7%feT%fB&T)WITTnv;`HL?;h{MId=#C~2iGyDW%b zL^U4>C3>{+sGSAwJXNy#5n6-1QBUd?5D;}j1t_y_1A(^MSOY7xO7dD5x7itHjX!T_ z5;W#k<*~qo2U_vI7Rl%M_Wzirz(H9Vl6b%)=WEea32RTNByoeYzQ5l4ADE= zW7jisH$Y_I5k&Jmz=D)m0@;Bs1^VU3F8=#U4Cd0@vGG7{=J&#A5@ne_{>J`qb#66` zaM(aHYED#3ErsZ-7?ZhsD$i-QWXn;r$qT!-A9G|){yoeZ@I(cj%3WAo<(t)`mWo%H zYWu{wqCXj2-MjCy`T0%MLEkkv!UJ)K$Hv{X2GaNv#aW1xTIh78^aC{-_8kh#u?>Zp z-)8x_b76w9x(;Of%Cl@yU=oOFI|Ym(Dt+XDa(+ zmr@wSQnjoMF1T?p;STU#^BUl*`JCnNS~qTkYSQVl*M$I}6yIg*eG0l)K`iT1}(~trvpdjlB%XXMuzZ3(hLzOw7vs$d8F(mBoeg_ysi4{q=}UAfYc|?yS~i(z$Am|ooYF(*51Cy9v+mrI8#0`HC?jut7fuKyQ<(US7R&X<4>K{ z1Tcq+47Ssy_Kvul_DI2PNU$mZrirCH1VmtH{} z*V0mxjYEf|;lKGUGq|FdFNN%AfIBIyWX4Pq0=+VK%q^h2hzyLdZa?4+2wGolB&x{e z$&w>itM{8Xx$xK&-ju2|-u2s=I_!g=4gnB>5NNcy%j-^AI|Ao{Nhz}82UhT8>U&<@ z&n|Q0rx-QCk(oY@$i3SXcW<=7-LhQO`G_LB8$uOc9-T3~{M`Ap|AB*>mXoR2C$3U= z!|HtC^@-mCb7EMgl*W#=g+LuF2+8udwc`ZsfG^GAysNX4aM;JyW}mV`4U@XoNZx@> z4^?RJ!YFyO%iN*d?1}As{dJF1K*7t&e4OCn4Ibq-)JZq5-eQ=$;dsEA{BzS8fPQ>) z1xg_NcY!b}lgT?!;&Y$~#iBLZ(=K6R;2H$Y9~Rd~TO2Mor}d!D^LLsiD5LG`S$oQ( zwc^)i*oax7sWYo|tvsuF{Ndg{Wlc@#wyymg7te1hr!Ka}8X@jv+i6;dw2FI%Dznxn zZQLslTW~_eHhy4l$GO$3Hd;%FW6G$(v4`Igr;*d1owCXogS~Ca{MD+B{Q{bkb|1@l ze;B&NTy7)fv)n;dbdsL(`%MZF#=_Do?_hijUfChN373wb{HseTsgKJLRI9_(l-c_A zP-k`&09+Z*i^TWX%u^Qt5 zjQ-$XEoA=q(|2AViCeFd;O|}~eS8Ted<>qkocBozh=+^d0rsTQqFz;mv5I_eZI^>;H(Jm5xACkn;}LKNvTSt@k7LM++q?D#v2d{&PH-HD%Dk z_y=5!fAcY;dr5~nfJ(hvfc*2tPLkUSNC$%bI;9`o0auY2-&MWtvI8{B;oX65A%&#B z;9j?_Ckn&alvdC>=R;A*7_E5LYL{A1`+DMAn)L{&_x>wBp+-0DDdt@c(yYVywTzHx ztIbk1&C;_D`I$cDQH6)gbh*gfnskynKmZMgQQh))vy-q^k;pK*!Na+Ye3AP0*tf&g zXG^v5&~}0PL`8ZKelTMrejS10T9ZnaA@npbwKfWkp17a!waooOdmnV$G;Du6>I0(u zGte_;avS6&Mpg@8`F}7#7X4R=Sb$909FmRB7#F4mH^A>)YcDY;DvLAh5kjAtT27cK z>0{`q7QP57cMT!nHVSEPP$VIBJgr}%N>)&tIGAcGyzer>uvZTe+ENjETPKWR<~+0v z&z<&p13PD+Sx@XQlj?oPUbXPOf$eIV>YIao-zjgtrHMIs$fb-s5ktpsfGuA?$o6o) znC1Yr4H`;}Cc*{|=)v#h4My-6?^UA4D#<5C*3OUm zpr7|A$U`Ksh#9v@v;OE;N_`qUTvKM@3sCkGv3tgvC9>bGtyQvLf&~KnEp!(F`0<7! z5EB1ps=ploz}5bY8|jJdr{rM8oS|sEZ#n@G^KJvzr#?VQOBT75%W>Fund{CNNjFq9 zE0m%ev~Fw+;}^juDIw1k)6{1eH^v6<6ID<^Ue$bXC2ITJVkadBS;A4Im>f@`I(drm z|EJl}3~M*Yu@&5VFBJjT8;-QpqO@k=aJB#gy=8p%<>&osyr`3g$@?ctVPD-LYHvAu z)pBn})>Z%h>PQ-AH}6j?TsD~Ok&x7+V2gyvcN2pA!2OWQj+{yA$aG(HXCSBW-#YS- zDCmj$dx_EQLkpU#@32WWwQ5A9mAfb0K~vlNz`7SYjHV-bCi+%@cD12e^U)Q59b!WP zlVvpYm7-z;z&&fQ)e!X(q}9IcsPEL2crZrU4*kEypZ&vxKDrPv8 zMBffOYgyWa1jT{M9+DDWdzN@S#`r>aNm+jtX)?9=fD=OAqRRWo;WK$6Y?Blb1cqy* zSTZndP%U#`*}syumLDym-~9-K^+@xr6KYJ5VM z6Y0<@B$&z0?Z-ncxRqyKZ3N%jJ&Efmm9>lx@-Ak}5#$6?< zd+crNWk-_n7}sC-MzyHS^@xF=AjU^$g#YOg_wJqB;5q)JOfJ%QfJU^Pi8qy`LB8B?`NG|gqC1)PI(;aJ^n>O1pQAyt ze-<+k8(EC#I%PeS^izAL)Awil3MoG~)3U8x#AM#Zf`-m_uz9Sivmas29%z4)+8yU& zwI)UCQVM>9Q}VqIzq}GIEAW*L#Lf6f&{3}Cxx-!*-S!1F524y_c24sFC;szIB#nK+S`cr?*gy2jy){wL(E+KzGD zinlW~k^&m2b!3hX%&{;UX#P>$fV9(gdGH6C+mauy0j+!-t%OVLhn+a+$cY zwg3G6?UHNmN=^Y4QEyd>mIZ`u z{CKh_PR~o_1;d2KtDY_!<153@M*a9)9dT~`pVRq(JzW;WmAe}D$;Cuiu1aT!^ecDc zesPrY)hgu}h!R}_eAHF^s-K@#Bs8DAK_+@!f)sq^4OegeXHJfNJsay9=Ou`+fYJ7h_{AZs@(xh-t7G+7F0UBl0*UyGT%S z;OGAu3OGoQ$A4Y^Uwu%|!Tp^_tBHfk5{&(;`TcIq{nj9HUbUd`81&xOr?4B)3~DGP zsq+{|X0b{`F8ns6RL+-4o8|a<7KP&$xJmJ)mzxZq7AMC-Q?sfkEn=9U2a~A74br4Ueh)PstuSI18SuNmO5jEtVP>Qf&Fh z5->mJx{1!ujPu!->JsC_J(j<2+>>~p*PuMd`#P_xzRk)Plo_x7=fNtS8ZhNMA2$W6 zGAarmw|bD9#g@d+Tu&8+)0^6@o+Zpz&-}Ciy>8i5OkbEb8A4InN0$bMc7cSfz&pNOi4K>4ogy(-S?m{oFSQr5M=u1Lm^gN!pz1P8f@FpWhOH=JH!_=y>G1r8VR8A*+~rgPa2D2y2G8G*H*r_*S~P< zz%?1LItl;d=RrSToD!V_<+u;b{;(kMDV<9X*G$`J@i@1tfgd2OCWZ620D#o0W`Aja zJ%D*&mW3Si_%~*uw?@l_-cp|RC6N=FEl_E$wiY8+!Q&&_piVxFz%ZCnrFkkS(|#G+4+r3M8@&AB^L&U=$(J!lV3@;NXKII zyVi2R<}nn$ohj)zajf0IM>oniw<0Mse9T*RQPjA~vFfg|{c5<##MAD`i{+t1$?Vxp zUx&7w{)|aHIw=j!$CNm?Tjv>KW`-iRE zFN&`XAIi=c6(2B%`GN?i$KX{TD`r6TB-txP3$B5)^$^{ANTND3L-x%%D+ z&z#QQTzJ58A4lP$SQ0_T)@b>f8`-42+AbuC7gaq)Yp1plG@me<7Df~^x;BY&VBBaE z)%P`!*qJzxiQjPibI3vaq9essH-JcY2Rz%_)RUyF92K17^D2;qg8&z;s3n$;jxOP; z@I|e1e3U1LYIv8R7||BPSYFMs(r0&`xR5(UlMioWhzcU+Ur~J=CTyz{De*1DKfiC? z*mF^2lBRk^v6G^gnV>;!vXZlMj58R13rsqRf}R7Y{`!o`#qeN{|0WU0L?zJK{8q4l zDG+CTu|f~q2t{byPE^y4AA^2nHK!8>rsFvw(k|u!dN8UqKD@Tj7@kbo)kErBGwPCS zBLKC#I^@sf{KUJhe?yl+fZYrRMJbqG(#8763Ef3R?6f7L;Ra`Li2i&0-8OIDJu*1~CR*O#bf624WRpUT3d;hbvUDR9!r zN-O|l9SK&@Wc%DHPA{6(@toD_!{edhxf6BGpb||_i=>BCq0zTWeOsIpap&e0^#x zu5kn!G0NBJ31i`x{hp1?xy<^8JUMl?6>!Z5T2;og>_ZwW@dzFn;`7z2w%pNE`R3Ec z0GAkDwi9urU}{(Z?0V0vg0ZJ9Lb?GHTYkG)&8K<4EU4t?aX4=o7DhAFS3tUftjDn^+%Q|&1w~vIghR#zjtydQUMKes`ZQK;KU9&8+pGBm+|Px zU4cG$A0BP&15k+{qyDx@W)YG25xu2N)=Npgtym-VSt}Y;ckUPzSI?sy0}DDb1svL(<%_;LlNbao6{7a;#!ltfoYo5EZ zY5RWI4fDn}d0gJs3SZQA=$=cag!2;$LBe{!lhf9?^c`d_jTq81esDL*&*EG>_NvT*uCVP3UN6gnYdoMFblppg9o*dcisU&7Izcpjl;+5_Tc$9RYEI9O zbKe*esur0~i$80px^XJlKc(sEwpyXGi(BaP-C_b5#XhK(I1I5-duAVc1&tes(-`{(Z{*oTvq72_ICd29yu2^nEBGgP);^$S$@u_m3sa93aw80gYQ zwFpXLG4mmp1+{k2=kV0bQGhvBv2rvXvr$TYoXzaCVn*t-7Mtiu!EJ_*Lr^FL1jW;a>5NLP}gm~yLsc4d#4{z)FfMb&!W(Zp9~!&O78QW5;N*Qtr=613^T`c*Y&Zpj9~rbpJXO(`{be=4&2W zFhkI~wq~A8UX=qsev=PM`*=`Y)2;_FpD8Xd+R=xRBS5+MS@9K+MW zi0O*=;Zw$>*&eh>3<|cO$twz~j9i65)E!P{gamhttIY(nE(8Q?de1;sk@@ zmNEy-w93&jX4)^!00Y=E;S~&|hQMf-FLQn_n>-6szpPAPYbiDq8{Wo6( z5>rgXDjDn?cwP!6%6rRWX}(1O$4Ff_)2`k!p!4=Un0~H;9?(-{yW6B#k>N1|v|QqA zW&O#KSntv0H#49CpC7eftJI-P*0o0APA*k#{=c-2`WD5Vb0_Be^-~i)%1#(W@aA9E;F5m9voH&m?fo>>_l3?vYPju)Hscd&}oaSr}XH*{J)5>UA~+ z^>)nTE7q(nyAMcO+mT4cx3;1@D3W3G=>%w$2U*z(wuyBMzrN3E;?;AZU-VR@Zf(wP zTNMbnIbsRMp~Dqz=BO8xwy}ijm5Hcvbpre^4B!jG%xWU{ixWr=$>+61Tj6Nl0R436 z1UrobN4Od;VtEpi@)=wuO?buxzYge7n#^#ry{kffQv9Zkk(3U^e6d}2yO+qZS()$% zx{&RP)j5#wa}t;8Ycj>~I1XvA>J>pJ2o41f`wF!t622Nv+5nOGOe2sd?{AYK^lw;w z3B>tJzY)5^dlonyyeZAet0VMOmah`AawL_m_e#Vst^z8g+ z6)@XJ>WNqQ;-DGOXgCec!-KN~#X|3c3laBTLmqtVciIP)natxc1Ydt*E(!ShIH`OT zr$~{fZcl@O+$9Yps>>Gdct|+tJ5)b^;m$AEC?e{flJkYA&7y^LVd!K7ftrfl6UbJ%$ zP{5X3)hL`mAu_5C0Ja|Dx|hULs+IdZwrgjsTufvp_Yp*Q24t*@ILN?FY#uS}P>!4? zg2wR47~`3h#OgDsOKi!JByummK*5+CqQ~wirHFbhr!WjRNiY&5%v&G^o8VgQTu+SE zQZ~{zcV<_$8v?!0tT^Zjf4x3~yx0VXUuMLbA;>NYI-zvNI2ow<0JQ4bVdfu$vtaeF zaC>!%AK;u@jQi7@o+E1}nbIKlYFT&QSHh*XW~-eImqb2=-e30K7+S-|{J}#3hPis@6q9xUBtJO#X}R{>hscdj<%7y(Rw} zx4rGo+SYV=!ooB3@nT@$yu(&Y5%Sin0aGS~v&Ia{gcW^n1)&@9V}IGos#Xb195Tt5DCmz=s(I_@%3c=aM^1T3A&^|3!Ge;_b zN|MEIHol6hshMzLs@07)6gQpdpddwMCJ8lgS~z(vJ|Qc>kHZF^71w@&CHjP?F=*4{A@P(!91 z^B!UplfgWYnyy!?bIVuWt^3Tx7w+?I&{$@EJf%q)cl~ZT6WQ@nD7AQT#5(&p?hz2Z zG0>*C;^s%K{epGTVPK3=p|w-z3khTC$bA4szAx_sCh%+0A$vf6VK8#omlUp@#j3N$ z#+JVwx9z~ODosP;MQVsu0!dv*OEhly*DRmeq~>K7$09NqMY&f^Pr6d^ZPe;K$j#aI zzQ#1LP1y{{=U}RT4aqjlwI_us=&9RFV#}3GBwP=ClAL0BaUPlPvFuvs3FS5vt<`Oo zYn3`+iCh;5er97C1&xxRx+;|3DD}d>F<-)=XRdRJS}MWmV&BcSL`lzY0`^|oVP5X4 zGTUu8yAq|6_SczVd>k2p6MalI12J2$E3ryCAm<%3ndJ`?6jt<8f%kYg1JEDPtd}Fa zvg~0Be^#Vc6F0j5#}tI;$=i=Fx~)u5dQ9_z-U42`6^DI_xjP9ffBV0Sq$~i0on+U| zfPO4v%Ux1A)OfQChHBRRyLX01c_|BDTMU5?9PdhhwdZe<*853}ACxxaO@=JCXX;n* z5hb!@w^TH03St#pC~(L_Kf_B#Qsu^lUxZn|F>Loc>vN4dmd$Vv@ML|-6Q7}QtU(hY z0Aq~zD3#az>Q-^Q0h&;pR>TV^jrCa}!i7@7iSf?hiRlX;fb+DomaSSLhb~2Rt0CEf z@}%Z2e;Nr%aE~Sss{$tvx<%!pG_NR7LRq?wy{yGS*9wev(Jk4>uRk9OGxrL0uApz4 z?IV$^YU_RfFAVF`_3qNAu=RT+R@&8;$_Z0qq~qCfV6*=sKy=uE8)@{LSPGCT;u z)T3?*%4!!po0;Sh_)72pm~!G=%lA!30N~VrwMdiXLuu!j_|@z8-AjU!pzCCxyFWV! zO{gEiJ3e%44LI%B_#^1Ja@0=L;n+tvb&hAx>0ZBY{*ngdP8m8EBj_W6F)--W}(<{cJngI#kMnO&2?TM#U(0;SB&ehXgx%SOmH zRs*Tmll=S#z13af){bhN4mW*`*vf}+-W(q03S{4DoBpdFs~BEvF9bd*46}M6h&ahQG)@P`1P6N zyV3X!nx+-b2)x-WovlA((wJta9x z_BUSUo<3;Tcj>e2loPaD2;OH~K&D03dJe9UUBTQebI0%>#Fu)$y zrWJqUa;qn%v3(BDj8RyoUhm-0bIAD|v*0;Q#SBzBFR990R)NMO#S7H?c0l4xm>WX}prY-*ct9$a(+e`<+8ZjuuI+ zPfW!JRba5R{%t9V zfsP}x+P*$tk`Yw!*Qe(XocsiRwnmOqw>V1GEXV7^V5F?$EG{4Kr$;hsq_}2__gr_V z*_pODufGawer$e+Q~Nm6qfKm%hb^kLo5-;W`;Rt3sSOw_gbN0X%)X|v*dk%!F_C$a zI;=aoOwGp{{`O+h+riF9DuZR(@@Tp|=;a7n%Y!kgSVS<&^*%dvRugOTUkP^OUQ)FQ z^jq13d%Zvzi z=!cTZm0KhCk4Q1T@U15L9HNW*;TaO6=&bcu{diyzgxiFsXX_hG!7t@QMag@>D>l0A zJ_OAf$YiWO0kqdQ94(+kAZDuKuP^W31e?sV!+BN(#bPWfa2iXTBRiUbl7DL!;`(V6 zn9{+}TXHL+;m41Kgi}q83K16)QiOqOMGiE}adUBG=7|JW!RES=EY$sO??HiFl)qg6 z9f5;#z)N$g^r45kNOKueydL=h4}Q}Bv3t|(bCyw32IDH8PJ5|1TM!05m=52i{F!hn zgFJ04cI{t_WAjd!lDKXI+OjIMNb4=YsnpRZQcbpnonw%k-Z@CVbhsV);i_#Khyys+ zD;Dl7R`5kX%8O&&UNXd2h%*5b0zv4}qM4tN**7pjueYkVG?LExQmsSjHB?DP{|9*% z)6-asR@*)Qd|4ABletFOyBHDo(PfkOxIB915~@u2fo#+`nT2Z)I7aR=hRkw&E%sI7 zjj)IY`Ku0}=SO|^Z};>jA0wF?&)ELSN&Uks_=hqUG8Q04;$sr&z`P@t-D|qCD}^Q> zhJa9q#F@SUOiy?>uThV5l+>IuFjtN5_SEDzav47i57TG*X0WM*O@f>&LS!V#ocvML zpjS(P>*N&bD@kGxpY#-I(9y|F?nGW0XWRk<3;$LHTM;i#@`-gO!QiE|h>k`W%%}UP zIpn`j&_|-X#Q8mXU?Vl>G-KV6oFeWac_*e}KpcAzlR za1x5m(rJok8ueH1cc_1;*2`rM8`2GtNY}yNZ8cnpfQ`)A68AKVgQkQQkamP?IAxXv zr?uZ{v(A)<`*H1SNCe>CQ`&4zFbO(FG_h;F$&AW&pzo)cjyTg?O;AbFkA7gr4PeXq zDQ+Fcp!TE?B^(t!?tehE|L7gmH0+aq23*pH{*lZL z#e-!x7dKb+hgDV*5=&m_VZ2u+YM>|UUNXs~snx+jN=9}n7mn^z8t}S{}4%?i$C8UVDwQ&bmu@HI?qmSKjzUF-% zlM9#Y`WuTqR@}ltavHA@)oKR1FT-eY7Fuvo#1Zyjn#`|aqy*y4lS>&9MU|`J@G)IO z^N3?{;ol(Ge-_Q5g6#yD5h)y?h?oP4oslQRRDHp}*vku?zIO8(D1vjRLfxi~9InbK zM~??7TpQ~{OBe>!Mx}$T>+(SRM84%yB;80}C@b<(`GRAaQ5+Ht8xavzjfq~&{8lR( z_k*+7DT{J{B535``^7~uQ6JJl=T({iijwE#bZ>1|5X(w*IbE}=u<=75Tfsc`gRY*I zM_$mV^oZj`+4`FFvj%}?O9iUovUK_Sy?%CJPgURZj}@E85_0Ohyp%Jt$}80BZdM`-qJs-HGiw z2lUX!#c5fq!R2TNn)2?}mMMnPKrwDl=4x+mrA##TEl9Pgd^H=oasfj!30+(CoZD_;^q^x7ur_)^(f?YzQgB4WgbFzb zr*LMoy)Ab4C0n4~pb--2;86~8>Yc5GrOO15SDQ4&bgYhOmGgqu>*#!i53@hcxFb_P zP{sv*u-lV8!Og37pp-*))&@S95uuXn85TUzF_e~g>>K-Lmb^v~TTw!*E3NI52}M$6 z*NCSbXy`Fv#$ez3Mw}PyQ0kY-)_7|F_C+kB0#Xon8LLK!s7 zsADq^bE1Sr{FPZsGa}cu84FR7&P9~XTtOt$*McV$oy$k8w{0dBlbydZFBBRFQ!sAg z*>%az9e-Lv=+{;1b>BG)fu?$hzp0y(KxY$NF#*tX06uA4Uet^I0g_A;Q(jYG%ZOf3 zyH6MM@7mzHkTf?Yd2EfBuDqd{Ndz?@Cv_h@m?c(d;Ny(gl0`RL_y0%MTSry7b?w6( z7152uts)=-8|emV0XLu^-Q6JFNOy}{8tLxt?w0QEknS$&Z*6_f`#it#?Z3`B;|%U~ zuY0W-*EQ!gSEfNO*%7hFAzLv^TaqttDG7=}AgBS{ShKEf1&j_NTRIFGbSCE*``T}E@v(OiyNl1j{(b!pO01eaVKH$-(^VcHX>c90TA1h)47};i zF#B>hliP0l0a>aP5|x9}#ZR$KHv~`NJh3Eg9guz2Mr*`=nLooT2m;;pjHnP!?TUn zu(R4xRnT~5_C=P59^hTjo;n&>>V;K->NYzGlA)@f8TEnN9yi;`QqQfFMqD4QP=59k zoDVO`O?+{woBaAkC`V@Z^UdVl<+sbc>#r7IRkjQ$C=|d^BP++^*a4DY&Fkep=%p(u z&~yIPQydt>k;aA_eu;Z|a}m(ck0juKLkg>Kr@rm-(+eC_h6m6)s`Ln{`BGPcrv}6| z!J%djQJFLQa+}%jBVFJvvc|I2#a20ZKLFgZBlb(ypPVNJeScFgkARWzX9&kmd5aeOHC~ zRLeEY0t*IokMQ^NZj1|Oek8YGCl+`(UaA__-fAR%yybwj&dZy68kP>}+zr+V>^f%j zRh|)lXMvaLU$_)GZai3?0m{gzC{ZYX_W?QgVvrY_*vv3YTiYiF=KzhmM;4&Q^}c|w z`t3$Phr=g>IFOkxU~YYd z@ml*6{(^Yf8d3G!g6WB%%fR*z^NxNt7KPp_q8VrZm7izox$(s1`T%Y{{8W}sBch7p z{`h|^r^niXVbJr7?6o2w*y=@^NzHmGHACjfZi!GHEjg%(WZ zZCtlwJ=q>p|BbUCK!$Y->Vj;KKs%NS4tX^x(RG8Q^F-`h(5m$LbOm(>DDW~mlmpE! z`4QViA|HOVUD3;1&_{7%wyfVEXT0C7T$}UxK(kLhiIulI%T?O=~>f!M3HE8 zjNwxYR2gOEF)ZFG@vP5;o-W!3kpQI$vm$mS^2|OqNDa<1uQsGDf&VzAGlAxJx&J<1 z_UXys^k|HU^YiL>T0#^QvVWC7fb_MGK^t#l)h@YJ9d;PD$V$&|ruRX_2Umi{JjIrz zW+eopm;V&}bTu1rJFp)V->)^3BkcgXN?in3jiC0b?mkA4j&VYN%#616;fa~Q>S*-> z2H#mBf>9k*y!{%Lr!083su2$=`|Jj~zjUQ^4t4dTV0|V6?2v0FAh<*F}}1h00h{6!GMS3b^LgyrX5bE`4cLFN3zPZG*I^4-W(|=*jvj zukAeWq($H3>VH2c4J>>zDGALN%kOGmH~2PDVFk!!)_tEt_xI zSL&Sa3>;kReH`Tl{yq8L84=J1Wn11q9kum;FugMwS}O`xoVjgm*bacnR$a-Ji&< zUQcWuK$(9hpa;bl=BbAvX$P%CT;JrWdIDwjiDl3Wh z5Z%uG7@8xv-dkJw#^)pm%BHsiIw?XS>k&gLZJ%l}JInP-X(?y-e#~IS>lM0S?j}UD zE*v>%-31(zFbpgAx`{=RGMG4gNjnOXv-maLpIx2%uAB@vF_m4WhXxpDFqIT|xj!|k zW1ST_vD~g0G!2;Agv+~RoBj+QV|#`~N>>a8K=%5IT#BNMqyAe|bC>!?<#li3jF+u2 z858;F8PpeduT$Xy#&1hTm8orP79=Hl8(}vx9gweblaMfROWQt4=JR9slR8adX_WpX zr+RNq#1%Oi#Eg25j+y+hLddk3y^?j!L3~eT%`rJ|MI6NJ8xS-sKANW>Z_+WwE&TFf|>ch3^s_tkUCF`6HoRxGqwf?6VW60ZIo zJ)r{Qp*`y-HKv*KVl5E92KKNVqXph5Nh@vt5YQhMMonYZm6lp8B(MEaHZwp?J=2L% z0zWS3lx}8ONFYH$tc*ZX0s9)~mgE^R1EcLak!U7=tHEJ@alK@48xi|`Btk|YwKJgeFz^N&cFe|2@rs_neGlV1){J(W_x#NRNjE-x7=WyX~{ z7+ZBL${-2PISqAvcAm~8Pjj#LVq%5mSy2`$pYG?M97wVcKcqB(67lav*CB{!=+ zX6RH@Dnfj_O`4(q&k8qun!UsbUMmpan#5uxeko<~M?;J!NWF)QmcyRf);*0r8^%XL zas0P{4Jkuy>{lzz>N?Y|MP~!)jtAn(YkIBXEM`$8A@X70H2yYHL@d0Ekq3(eEU|0y zgW0os^fuY-XG=oksO&83}fEux6>i4@gn8ZpAFrI#?%5bm^MqxeMKrak-ZgB&|TbX1tJKv|JI}dm9xt0 zIo2+Ic3V?X@@+)7Xn_Mz$LP5CuBN9r54Lr8+6Om&UJ@{qKQCBj2HkUAxC$>c!ZhkzB*Um zJ@DZ;0`%_d2BXnUGv=AJugY@1ZJqV?pv@dYX~LBGqW}pOs(VSV)m*AR$vJIpD=+H1 zaNL+wf8zQdS#@BufvnoivBoV4WzM(ot{#ExTzgAPtM=Z8vbH?r%o>Ob03rfFb@FAY zu&@^HPRpu-Mz`Eh>!*0v&bgAD`+oRHM$;>&_^q3*vX*O6%uIdJG;%+>LMt-*_nQ&m zR20Rj?Jbb&Nl4YIOg68Rr-9U-X+*_r7)^W z#oK0~P%0>~5gM$#=R;JTgcSXTKlT7N5Bd9r2fTB@(GsX3Lj3cmhG^tcD?j&$zc_13 z4OG(ccLAs}20Pb=Q0jbVTB~F3)7o&cR+gQS9NKtB>#rgXkbS6R=0sU9sFE*-_VgWB zlPFt#^k)iBsaY2So9_o$4y46=BVrls`${UySORnsFRW9``;?CuMM#9~3gd4kJMVa>tpv>#sOV;JNh+o1Rb~a>-4hQ+S!o zv9d69*Tn24pnxSlDiWtLNcH(X{~oAQOOeY`16nW^vW`gdN-~#+t+aXexbUNxEdY@2 zc(OX{s-`%~oBB%Gf9b@!3es1z_+X$J7x4~?HSYxlHHu_^NK)-5?~%>w7v3RfVC0qO zNfOAL!UN04&*w(wSnHR80SA3o{B*u;j@NU=ES!KLR1zzk)g{dOq``7MJI+gbL7R)n z5rD@evG>W$wTJqmlpn(~anM1T=tW~PVr!a2mQ{~CVbIT6a!r8XKcW&%QeLp>pWuKP zO(b@_CG&`Dn@-W2*lPh@%6U9P#dI9Z@X?rHG^48&tT{}k7v#DxEmdTxh^1J?IA)f= zMn?ikt_o0e1Z1rtI<@vMNR3dPMfjWuA#^_$f%dcM$y{w>)>pIAeVGen?=nN~hbfEH z6ZRZEa*LceTK3u zhpGVU)$^b1;U6Xn!b?oZS%^S;__*@t{qiw9wdd&P=N~)2vDc3LrD*?X#7%q27AZH# z2-!%}8t25ZLd!!^Yu?~KJXaHY#{-uoD=+WqkkHbWlPm+^ z$3{V^&;_1B#m%3=;^GiYDhc^r3tBbMu3(rPZI7{noY8x3V?L#He1c}#P|F<4{TxvD zdBDe}h%IcTstPTCDvWcI>rY{^MoV^2%i3w)PEI#p5kjXrZR|D#nq9i=6}^W`$WK15 z-Z;}jKzrq%UmSEJ8O~Q-s>l1loDWw&g+*^7+< z2oNvsR0eBYgB{)hXRAVJ}x7#!3mJE9U_$*^;UAvUk_fW2o zCS+icdLqDJz@NGw(jMa8T9<}!>(85FP#~wuk=wgfILU$tTZXg!NDOj~z|BWz*qKnD z!C@C}du>z07*#79PBMQW{s}%5boYDU4ohHRwM~`BpL25U>gyV;^p0vnjvuQwRMmLD zW)<=PoU_*5a+9wAyxSM9B!n#yD(ynl(cwrRuNtk~_YE*1s7FNjm&l8)r?wwLj9*G4 zO9NaD$|$Br+g5>uihEzPfehh?QY-X{7?D)2K%lnshP08$v3;pZ>$|7L75|`b>(ho z)VO^Z#%LDf96N~j_VomsVS9^)n}x` zi$LYV@oBG^T(BO)K>nG@SnVfx8CggLr8=D-m+s|($9G;jxs;J0h-;C-7MK_S%Ruqy_=fg@`0@BX^HaArL=H86E397*y~dc~wl<{{CWvQFR zr?Qc$2I?;v!mZf|JRcqjz04C}{}4dci-Rn>JNUN`7exfvEo9enW4TeS4=g9Fy2}AP z>fM7uUIC<+dm+ZO@V-o5y81IXO*3l2_L2Lg4m&``G|Up6dWH3ITE4gE+VIMo;SBAk zGp^(m@%x`9AwXgF|9ONI7(;sHOE+nj;sg}0gOFpukd4+G6lt_If%3EO%M_(Of*IZv zH=-BRtnDYb!(#La<-7P6@-~xS#9Rf?s}Jvg&63<7`8R+;x#M0UXSL^N<+w%oUwAk$&Eb|U%t@SMSS z0sJ9NzCm8j&-bz*pS${aLrKL>dz2Jmo{ztLc(e5oG|SR)7T9+kEwmF>vcpHEu{z{J ze%m_x&Yg+Bb(r4%g~U0IGcW(s?g18sW4E_ZKC8>UaI2ew#=?{= z=2%86pv?eQH?_n0&$rYd#Z`GiR05Qy8g0)QpZsf73HUh)DOb*Eu`>NYDL52tyANeOa(`%d z{S^%hzsDthp?p=|<~oNjL^Qxs9ZIkOqMe!8xlZzWX`Lxa7@d77_@`^si|MG;F>LBc zlVyhOiEjS_g!p<>Np=N>F{7mnB~ZUXw;b3}t2T&mqGZafT-&SU$(5sTD^NTX193V$ z3oO4zU-B}z6;>+CX2LPZ+oSmG!}WLQo3+`!3smIT%@kYBzBA|Vt(uyTWcXcsbc z#C5klpiHW1jJ0du1~YV;wIkdoj`jlov*slndR;OVitXeMz$|;ns#WPam*Ky-aTr1a)(W6o|mAs0A5-S$VB9xaGZj4%M$_lIRi!!LQpl2H5U8Yz4 z`v_#gH;BN$Zf(<@3~s>^Vqr!?yE&jh;Yi(S4*}zls5o|ef#MF)HiFBZXVZUK9`Bpi z6J?$UBTl?s|CDEsKl+0%Ouon|tgVn~iB4oZq)7om%EJwUUO*(wr1$ z4R+aZ&?5y<6g4u&dC6I{Qx1`V7D`jvUmPYv(zyEc`m|whe1(m$gf{LT!}jW;3cJJU zC5w}jhHDtsk{&ehX*p_bj@kzL-LSYS4_7BCH3pm0ei!eyGF4!TT-!jlwf}TadVS9k z`+UN%KRrnZ3xSarJJgAWd$)S-_||#Hmk?tSje>TCl?lHfNCmx^WLlzIw$zkqMCf#| z9g#A)0cW3_#zfH+GfaiH*Qi%VI8#ny^YzH7B2U@AqGMLPzXqOiI;@)rq^z1|CV|?f*H&w;8!zF> z!H%_Y0N_-I1RXBzWha9c*?>aEXnN8VPUIP#arAGw^jYkz^dBkA6 zD?=zd4pUp)vWvd?M#nYIYd%|Jh`Pc%nD>x%8fSNcE&PeENswE=9_==Y7a_U81V6Oi z>dvhBr|DCt2o@cpy2OFqgh=HI{B@$!s3E%3z@ML>bIPK&3ppz@;D~;m*a_iCrGe(T z`@{yIlZbc^9pP3a;@nW=IeVfiny8b*%LXI!KWXEdOkrWuo#47XKgI`+^Q{W<748=2 zcJFR8(Sj1WvdpeUn?OKPG!C2(=27aj-#OUV2MYUe2Lr7*x77KBpObR=_Ft^+*KgJ4 z;w%=Q5_oMAa0tatd&U(D@E$e8AP^r^Mc3;%)8}n*-D5`^9Her%4Q?C3K7vmNa~E&x z+-joA_-abiYAr68-f$Q7O3^VDN#N5Qn@zc}sLP2C=e5N|Dsq;4pbcEMq9mHL+Xuf| zhls0}oD8jXsg7%H&edR`w~eZ*>n1u?S61Qa2#S+&$lqlZrqy9#5x4obq_;n&&HTn1 zbP>A7)uq522jDs04b+P&8G+CV>tZcUlmyP-l)`kV|##MBWa`yPZRdm6$>^L=qEj{hN;j%|K%EdZh8=_&dX9vBHruCSvB?{b_QYb!HZaX&dxG(<)wASc zn5OJ#@6)In#Yxu3IQ8d^keFVE9>u26KGQ@;Dav?&&VDoeV;_~B{?5^5u<`APp2te# z=t(`X8p@-iDfOG-ba8H`%S8;w?>ECqF=-32N9K6RQ!3E%PvT}{ru2~Rl4j=@C-V}} za$TN%yE5c^6a67wG(~^|?9R3ks;6n{R-Bf*yQZSNyFlaWimN;eCaqS`RFp5kjM+V49AAhmUB!hH&jjCA@U6FTH=RIP%l+mLllA=Jmm_rzy71Ax2fLlz ztjvp5>7Z$cV9Se7=hxalPKr4a*y&MiEZf>MP7<)KtXi{d!!;or7uM}Wl&jbeH^h;m z&7({i2rN2GveCL9&ZBuhpWL&(9zD6810j>|Zx$iKW4D7Al~~l_qh*7R*<_8{o8Aqv z{99F?7RVRRwtZgnAhd~$1CLz;jF||%$#$4VPdAy`=dv=S4a0x z2dm`8q3}v4uD~}HkA!U|fDz{+7UMcAgWXJqCikUkS`e*K981vURGxobOQ_nq_#KZ1 zoSM50d9`bBp==+?+oj6bJ<38^W@5v!;3p&jlO=@gU&LY<3Px+KIftMU^iRO*QvcFk zDj!d66r}Tw3ymKzj+1RB7h}kSauc@ax-v8ScdsG|QV?W6u^?9ntUUskB{pA}5oxHy zMPA2x;W@3O!b8TPk?G0$wM0b*dQ~H)Iq zPrJukxwi9zlC3@E(*uzVY*4dNu+5Ncp_%8CX7L+IEj86JVGvr9>4|z|hf>dUk2F*% zWHbSj#6$l7d)7=gV(si&*(3m_%q2_kZ)o(RA509|L_4)MEK|l#Bz|B6-Q_(0Ovw1NgUh$cs8huVttwE`prkb{ zF$ZQW#D7oAmZz4lHF*gPJD4R`6$u&VUG-{{dibC@gwcY{Y;N?Iu#NIWUnfYz#2$xl zc6z6_-%?f;bbR%la^#m;Q2o{Tf9RH>&GyCBFB-FI`-~Qsn?s^I>5V$~JX1 zDe#Ucy?+Z*{=G{=?ChB4Qz8s;v9OpYRx&i!{RwZB@>PAAWc;v*HHO>SjGH5-ohuu~EE zdKlwU(9_&Vae+35>B{R-hFI!t5WAx|{?B<5&o5mkN8KG*n#kLm-c0uEML*^mZ$g*0 zWpvFWd0Jdgj7bi}n#>)5fE`wEQIt z?J9cGnab5FS});c3tziwlj$F?EGe~edpiI-bdj1p?LC%eiQo2wdN#a9d-VE+%sJ7* zoCOvVaErqH!}1rA0w242(!t+0D4Q_CsZY~tf)BbrQSu{syqVjWg1_El7^RlXs9n{P zsy}=EU|Wpsd5=HLXgJ5tT%3z3`7LE4sz*Ri9mkXeG@$ma#HEr*f2v}_lR7ah)=GP5 zWru8wc)8`dzc;N!GJ=eJw9e?hk3Q=L9mu%;{@(w06__Uiq1>{BC4CsHUfFscUn*=J zvwXA|Q#jA}yB#hjsAD}eb(S)oekjP{EyKTt5!tC{l1D(al^bC61S6&pcCigI8BSI^f`8n zlZ#BwKC~R8fpS2UpAnCV(;J~BHy@>bi>8ri?bg&2v)`=|0J@;{`dS-WQLt&lkCEbE z)n0!3oGUKP_4iHOS^tfFUFPJ*3B>S4V92P&auIyy9G%sNlU?K>Z&BD;fywsEwqK6=AmQ-TrWB;g{%r(D0{-8{oYa_*2S-p zUxI5r0p<^Dw=#M7Y2_b#xErL7+?zL4lNpQFseV^o-urlb?HRmm5o9%%JcHq%zmS=Elt?V<@6hL4cCg_>)c^;65K<|-X9>=olQv1#S0miIn-yG9CA3!i?JO%RYc~_a=gL(H&)^ zV)D_8mpz1W=rZMHGX@)fABD0TtqdJ2;`%9Y9bF-p1%e4Lz5A%U^X84>I&Rtm)xHV! z)Yw)x4{s?E-=A6^J*#}>{Z?WC{PpQaeiL^$g*@ivA5d*{{fkLB#?>aw_dqari-fpZ zC;LNIxbXdeqjYPy5phx`GgXJwIAkrLu{POS%#G?y|L6HKZ_8n?w{>G6V;ud~tyYzOlS(BZ)Y**uXkF7@79loo8eK*lg{%lbw&oItg|0>3RY1Fz( z{e@be8c6VPc~5O7F16U-*TO(jq`>C77G-`orl^Ru6w#p=oBOmwi(B_m*FD=x)q2H(yefV*vFXCYv2G~yRLJ+6*f=90qVMs5YEgfTI`-#GOpF3!-Geu2|q z?dR>x%Ae2xAc*j?0S}mwr(x{ZGOps??|&LYChbAqKOPA%8}WOg#kK?EMu$N2=Yo&2 z#l*qkxBOn{?05?JFuGa*NX4KzQc)Pd5J4+uSS&z^?EuCA6x255W#u9o?hg9DzNODS z9p@EGi&cj9*^H{llr{;SdToBA3KCyj@i4nMF60)K^RGNQQ4CbYk(Gv?HYc0DR9W~Q zBp$y}0Ioqm@_#VdB&=fCR%mbGM6Oasschu~6w8D8dnmmDHI5s_7+CcO6Cia6D>ZF- zf|yL)&Z^AN``|}*5UppoU#XG#<>*Ug)S%MaCLNi8RZ$>5;raP~FFWINZFVG7qPYwJ z!9RB@>r)eof4sQD6RFVgpAYOV!YX_t<`FNQ@f;4L~Yv=2fg!!Qh_gJkTPjD zf|aU~VGWNUk#p$Zvxo$=Pv2plM0IDERD)tJ&1T-5NTM^%vODF(HQOZJcn4k@ z8j;alqI4;kpY=R8MB{LHS()Xp609V)JxWM&D#=N#prWkBn7i=NI;9rSGOXW#AwaIk zU76%`5N9|GkucBBw8_Jav+w*eu6l|ItJt$5n^=vZ6bSLV0goczg$LlRFR3ucn}xgK zJ_<}qy_y+dZFoPvL9^AtT=jYxDAfHU!k*Qj2yc&Luq#zGx6P1DX6|8Z3M>;e3Vxgx zEE!j{Q~M(|%aZbc-#a!L!R2@;TIhN+$0oyR9W=9AkHp<%1n5|^?w5Bf%)`9}2R1f7m@mb+msL`T=oM`Y-PsLD%YWewl+!G+0 z=C%WuS{-SDkS|Ij@zp=k{Elc6=5}-e?%i{<*&3Yhj7O=e^<{QbkQLVP(TLTpvF(Ya zad6^$4}A19OU1x7jb@=x6qpWEXKa%hpokf@LtWG}`pFj?diKnUygZYr*i+sjO~!90 z*CL6L8g9LLyB;m4ZiX@`&ME}$+bv~py)D3JF*34H!+^V8Zz6t$EUZa$1#PbsXPmY~ zCT@0Vo)4t;*N!`Gd}jkFp)9xvJylkB1#p&-M!bn__{ydr*N<4*OY*zTcqUN-(LRvx zo$4(UzCdYe*ZdGjbv%XTmA6G#_?DDb@5IS&fzpNjs}e5mP9iVN4_J1i7dAC@s*+JIeP$4uA;o)iCe zv>WBMWrj20d@)kcF1IFg%-XE>ke~@Kps&OFOTd{>fqbqf6iuL+iPYs*X0C|6$a6finQIyaNGr!v-}8T8a=T^9%6N?%!sEeQGHHNpLln-)prX{BeAbiJ?BdNqmHCE9{9X9G?M12`d%Z)qI^plY>^wVB!hCz4lAjSR$iO%w)2P$bZf>qYA% zO2iy5C67&Y9i3%ixNmuI*BDm3W!pu>%iVb3onE6>W8;Tkj3WfM=9_sC%C+jHAgT^) z27mLzk_+d$h@FcEnzZBo}{Vw!^v6fZgea^U%7N{o6fM#H_bU@REj`Tq_Zg@ zr=a2bp>Fv&pwIk6;L^M27XD|stb*tq6q_xPk1a!5;m4*YhU8krnE{5 z6|nA^5BK}~@dB^nzngi1_U_iOH>P2hi^Dh#5%W%N?#1Mb z;9visus%^aTe)?ryjQX%NJVxQ5l{6dHF^3QFU|o z=mQy=v)^0A620y%g4&fEgG&+EZsgz36u)cz$~~&Hj&a#9cz2*=zCVe1qd!`nD zHUr!h&o}baID&CP@KNRkn9w(uaGyO6AnNc6IM?4IMZGl}$*e&~2)9gMdgwy;tJ(&m zr$yH0GS04xet&Mpm%6p6Fg0c!%O7qS?Ip_(LzK*1mOd3v`p3aId`%mKV^?K9K+C0C zd)k1f$036NV3=DH%F+XnTuQYp_3XZgf-GUz!ftUsV6a30p%6wfQya%_--iq*84J;aUqrV}G~Sl3EQ ztIWzyAFro@8-`_~0wHMGELVu9Cm4*c>q1{P!Xe0s5agWS^$T(nxRw>hxeyU>Vm_`T z=j_wFM(>!O+YO7j! z4p9moispTaR(2{fx|g>z=P!OP?WY!T6*K<1d^9u4G5RmZduy{>YNtryTIp|RPHHD)gG)X#6vTQt&nOBw!+XD zhj=|E2d8sedSLQK$9TmQO(;#mV^4)73AkO}#sfFaVQ7?bUpZ!q#MP_csquy*BDBNC zPeRjp+1HQsRMM@auQeLyC>e2FJO8g~N=8H|VZ%og{;|z}mkl#A53vhS_O`L$yz>D2 z^Tq@o(3KI2xqF)yE(t zrSAfS`bqo(X`+m7+S{z*akEc{(~4JpGBOgiP3L+{O-}}!Xl=<`rQ+5e#GCbmsknON ze;KGG!AhM8YRM@B9IrR*^&MU7{=}v%nTBf-?DTe%BUT7{^5?B(M|taMFduo|oD6DL z{zzYtw}f0-;g?U0&b!&`GlT~?Ig-`lZmd|$EwO0fD%3R^NdrRn!aUt<3YV;c&e1e$ zdinn%LiW^N<&9)s|2SDF?R!|B_e1dlskh4@Rn~Kg&77eP^FmfX;PN=<{1H>jfcMu_%>iRQ z61j@*wRqEWqkk=(cg)gF!heN6RhxPiGYt%*X(Guu#OVjpLfH8k#`rm#&BwvE2KM9N zt3Nd%hoze>U1#Jq+aSo-&H_}^oaZ(5_}P*30opPskEntAg-Kb)P5|oZp~{Q_b_;O$ z>G4(W&cPz`WEbPbHnf-m3MJMZDYJvGy`C#OwqIKTQiR$K_@vK#(^X*%>nmqJUlSQg z5R%4uC*34}F(KK;>d(a1M8-6JinV;b?$66LCDw z8%kX>Z_MhKsS@{HzH6mP=!$b{LmEXjpW^qaBIy}(huS7V}<59+a~QlMPnYI6bS?7(2o0tq#84W zkX$>ypc3Y|!&-uuVsyIKnQ0k*%&yZ(wp;#q=A=1o93-b_+g+OM@nvot z@KNK)nw5xfE5dR^T<);DnqpoJ2(2}baTOci|rz(WTs*J=;Rr-O% zlt+ANrlryHGx#WLi3x_?l!4m>GP4I_qUUZQi|ME|5Mgl%l;b76J4HGpaXIySnp zFrVyP&)E%m|Lg9$@lH4SJFOTasZpy?w_su9|w5X>mlq3QH)a`rsh;X6IDw>i&Y3EaWix)Hw2b zq;6J|<ubF!$F{}l4w)sQ9u#L#^}`+U4ql>qx*X05q`TNA8V26tk?@F+ zIg4mLPBAsgdtOT0>8kqbh=L4N-B+JnaDR;x@}6>a40hO9R-siHt3ZoPIYx0TZaV6W-3^wJSjU4p%7=9&GG)Z182?2@*fRSB<(c3bM*{vJi37kxOlwrw7fWEVz?n@d-kBC+gPV% zi3sEQn|aCQWrX?7du{!0CmQADBYoGBwAG;ig80>hERy3(-{aHIQb$8yqvAz(snzW5 ze7w89{>+f?2$CtQyS_R)Fva_TM@|~p^Rm0LdSIE?v`3fwsaeZ&F{;|>p4r1iI1V4j zHua^eflTe3E$Ol$$dqbEve>6N(pK*-&bSomvPRsN!}?y$Rq!9bbn@;Uf6+BZd&6cw zoPJpAT!E)n46Cs=A3^=cJ$H!LG<$a7cN{_9)X`b$s?Z@D@KvLGS?ywD`F)n}jt@x3 zDL~tW1#QP5uPIe1hK`+iaBt?S$!nc=|F~cL4_+w_E$4=zGib=S&tsh_e?F2BA>fI5 zNwiD9s`x}s^b*Nq-e#HmGX)SdoF4mEr(eHne$rF_)N}x?7v>Zd;Vi3lOdTO8gcF!9 zJaTlH`q)^~i$YGL^tsPnDD+`@RNN2cVq3gNR$R9Vyo_G%OTY96&j5A4k*E>~C{BVj z!PqTQr;pp@j(njJ%{%@l zcK3AfNH!+W&>Mu2CK6ZQ!GtNFzpY2KARngAL`)OMcs6KTd_Fw(m`&Ub7$|{McfPzD zDHr>gkEdsw>WGOuJHT|-x(_PJyakxY?HAQ7Xf>y02q!}8x$wEGLb0Iu!b(}!okT2`6Bk(h%kQ9mLl_+5*(Sy3hTlY z!=C1Cp$5*xnh#91MhrLOflT(VZpX+%eO$~CLZ^}!de{mNe1nvXiBiQvBf^evy^DvA zSKFg0S_xy)7tjIHtm1}s{flMW-a?l?{6giEa1Mq^&l66^4FDSXcPO0VGqLnW%=(40 z4W6XEjleDYke zfVC=XBjv?|8LQZk7kDuUZh0Zc?PN7mm5R<6`wDy>Ehz|BruM>swulbeZAA8|*#m5MpMw+hl4vfuAO>3X7lMfbthZQ!5qdFq4lt}cMe%HTx;RK{>uwru% zx1fN`&+Rr9%}Iey{;!CD=m#Vf>}Ep$<$>G1LT}i#P{ZRVd%MxPCp^5jAE8<=tb%$h z1qMxahFJ&tJQ-K1#v>cn@+Dw8Z>p;)9$9&}-#=uSSOdB^*ZuUkhgPb9rX*d{D8Q0Ds2MgGN6NaqM zGIv3(t+tT;h9%lTP{tEY@%5G_7C1$9;)@CXF4-IVD4v zM?6-|bV?;z&g?&-s#7q+L?+61`5~uuE9wb*)Sx}94P5U&gIL9gU?^K1gvx$V^4m_R zeU^mhOXfq6C*OG1UZ>ex-Z$Z<3lKi@qEgX1hVeC4)Y*VLI;g$81~?OHO_|d{>_+Zw z@@u4b9{VeGAOpMs*szj=FL3Kl3h*wU45s~+S!(K#VraBzdHYO->OtEMCwwA)T85fkzkf$3+BG*XVq==PvL}<4 z{X{^`|Mbz)F?CJL7c%^kIgeGRhM{j`y*(St!&*Px7F2GvY%Rm;8HeOF9->5fijDCu zxY^qQ7HG2>#2h)eK`Ow{W+VaN5?-de2xcjMx{atbExp#f+7w>iN~X;m&?EnD_lPy? zHBs->Sv-~-l|IDFRH&eaH9=&9EncXra*7j-jM0lBv*AQu!KPuCbgYUO?yCzuA+s%A z9q1~fru(|wJpMFhrwv=rO(7_6QNiIvLe>ueLdCL2plpBpZ2OHd82cCNg!Kq{9HV$1 zg%a$VAAj--5L<3w#thHg*=kBO%~?4UsR1BjkW+c94DVNVjd$-ncZ}jeEfgP*>1>5j zfO!R_s51YH>IGKgHZVGgf%R4z^g5Z`uL#x_XkmGb??f^O2|)wP_- z5icF1Y(W2biCX-`s5HV-GL~=aChXQeI%E3G@#V@$RQSvQOTH^|#?b$#mo0#6S?{Yz ziN<`Dkykz2lgHHy(HVPW`~CX@Z|Ldm-QR!-w;%k4ak381M1C?b#&Xp z1ry+m$vV;Q_$w!Vjemlwab$}GRD+|%Y`@?2^UX&l!!HU08%ZF&`q5ra+`NyydD^YI zJnfn^NU3M_tIR8vcl%?^SmWiYM!A5%OA6iUU-H?QD=jX!jvB%bUqmUT;C_TWU(=z( z8cOCUKN)s9Gks}PJ-In@JuO3g=+($e#wb)%^yX1pMPEtPi*4ECw#P;*e8>|!4R6;b z1?9PGZo zt-Mxz9T?;)RIv2Y>hh@WCTlv;C1I2#RP{c$AGxV(eU_=fRA{bs?cBpvQ=>nm10do5 z&RF_G!iNr9RwGIHwfn20g_Pv(eY-KEif?sRCDVeV5T=KhK7fD4Cn^l+eam4+@I>wv1=YR zrtjjEd4kcS9bJOqF`rrR=&U$oz_NWOu`?|$(d+-C>o23K>c01JSVch(4zU0U0Rt4I zq&ox&>4rmhgESmUKw3gNrMtUZy1Tnuy5U(H_4f1oj{mb>++%od_TH=4oY%arxlRT} z71-@HMY8)gU86d{RECP^zZzyA$_@>6wtJ=71R~I~0=2;f=_l*<8RBn;Qk$RSKG%B{ z4g9?Rq9T?#A63rp{8bDiNrlR1{Klyzf#PS0M5CniA>lL?GJfwP^tzEj6!W?$LJ7wK zj}eOT(IKJsR{*_-g}R$MmU7_ZS#U^D3#PO2Fb95P0e=ORFI4|1B6V6SZ39{c^E%*< zHCS2|D;5xwe)5?Ac|H~r3j-64D?LNk z=8qaM?}Jupwv`=^I+wyF8#lcsjaya3f4}91&i~B1gT_Oq4Md0NS8VUjma#R!?+)@j zd>`DcygfchQWr)|quXdCL$|F3mLybU-~VfI76l5gdvsySiMMFNua!pXxN@xA9Z;!v zR`ATg>-Z&zA_@?JD~Z_ce{CKq6PAH^+{D@DF#FYMf~aDf&MY{Q^`|oxo?j*olsg<~ z)rf9fxLX0!Mz3{O_A6ipym&imOyDHH(R`?IbySlWe_W&4I_2Ry6vU9e(J@luptD=1 zAnW!@QQ>&Epb=aKvf*&*DNQQaSu1aT2U3Xi{tcu;RsS+b{T=TV)FYfB_*Dq={F)QS z(8vZ5L)@4AnB|=xMpz}A0^D}4xP=(U3spiPwRL*`S~9~Z-2Uo05BgdVvhhjJdvR%? z>v_xxC-?gR2XWO&^O6=NAxT?ack~%1JNe8;7J|@m@Z>#_6dZR`T+v zS-b*jjG;ylBQe}x9C64918C?UUc#MDM7%tp>@Nu(SX{?~q3*kp`D1WB&MmYMzV>5L z>k7ab-Z{AO;+qbq{AJ%6-0~iN*UPf$%%0`|M6+P>4kSZyth0KcZ2Djn_$eu+nUzir zz{FuV05!jU8}y%C1j$-lGyb}e;jI@qkwwU;dMdAm_{gWz_$`v*OOlL0>h|dYehY}A zYKhBLu&{ah6a^eIg5W*1VW9ueo8rycuh}KQKIsVm6Cu8Svn;E{LC+EXRCw`XWBwF? z3u$v7QCJb7jx5Dtq=pF~uNTz(ekl=*!pqb3PWyMLyFg7*+>2YiHpX{urazekp)^Wu z5EuCd7+y+a73T+5(|5u8TwI(TUnAmtMJ3_gI0xVtSXd5DiP4%YpaN##{8=J5C}}|j z)KjKyb|5zGC(X!~x?9PyjW`l`S5-Et*ak1+0m#!#C^Uomcw1a$l^fRtcNT|Ao6Qu zq0Tcqv1N0u2!*}~n9$kocoiyw0@`CDXtcVf%NuE?N<%!b^mu*{`o#>jJJ4c(a|^T? z;E~NjPKC|FD+4c<_j^oNj7HzEW$keP9nI`ecVnUZ(Ag`3hx^=!;}Tfx0}X2--x`;Q zEC00a1|x6+n_O`YdH}mA)aZR0-+PIE%dQ`7#73LM1~$5CNk&S#v++&_R=9Uqz=*FP zQtkYA-#f%~<{8~U?Gs!oD`J)31fYJWXQF06QB(QHl)V=~U@8pAI8|@Z$fyd--}m4} zmSzm+NYQJN3PxW+L<^rk8~Kf}AP|E#<8zu-OI0h^ATU_9!PiY4_iQ5U92-e=K*CZ) zBim;?g{k!Bx2`C@GZu?kj|ZwMF2JFV2D8<>MZLf2pgtdW+IIKzS~VD4aM%_{_^Xb$ zh1}Kr)4~x05Sbr@u{PJwVJ*5u7nX|QFNBfWoLdD90vHy?wMF9}yc*ZQ8cs9#bzWs% zWG`JNd{`0f`H>OW`@{e%{R5h!1Tc7dJ>@x-Bf_j`u?gv+tZGm(xTl})4x&3i{U>{C z+{9&<)FlIR)u2Q)XC-`M>F8cjVC#M^m>xrbL~KCKIf|)-$r^M4^wL8fp!y3b77Jj) zUF75HC#LkIg=|ue7pb8EG0q#!YpMqH0VJ~?E}@Kkg*31Me!d)xya09P8BXb-oFv(2 z7-Jd8o!YF_wc{jR@OR3rz*{?lA3P|0amG^4|END;t4Tt%)^6_3x~GvC*fpq&Lgc}T zbY*vjIScp@?=^+G?>cQ9?EcD%sssW0Ah88r-4{lOGb^I0kLzTQjp$Vvn;1@JH|AZ-W`IDN?Ds4gu1h`wt;!N-jCl#h=5 zO;Hgv>$8g>nP+10$US48E}TBGTw3kznQ0&Pg?iJ$6!(ebc@Oc9ChY&Gs(^3h*H z95gP7)X*#JjL=A_JX3DZHUo+0WMwuw`H6QvoPPN^i!^$Jm8R>10U?q-b&7jL&&1TR zM)1Gx1)&76uPk~NE)&*(eTBxT*D`w`Q0ei(EoB1C|3{D0r1D#j^G(=Lr0@Q76&1^r zUK>AteL!>#46H_FtSlYv{+8q&yMawsfq_U(TUhvv{JS&1z>>@H^u}T^u|VCEz_XWZI)8^Aa1v=70A>5)CDY z2=lajW(_Pi50YF?gvOv=ux3!1Oy=O%D!9yL zQGkhRUb8lf@TWpHwA}6v+(gs|Tl|BIe|G}9fO5bFwjwJ^H!WbxSp_aQkIiR2_z2+t zg{;$-nI%!^MnoscY%au1aL|E-^`rWoVkUV|oUJ5Wv*7jTmVetG_%W$mgLHOp_)NO? z@d)xQ<*1P%%)4p=p>IA!=3Jh*Qrt@Fkin-~%g5rp>Agbg*Od*)uO^QBc2^=YP$FhO zikqoKsmcy^A159q7Nx<{75h3`hqP3_*m)rN%-^m_zO(E*gB-Y44G2fq<%>@uNU$GF zG%l2{P?aYaNO~dsor`iu7%@=WqySTs$rO<*O{oZsIPl z)hzF~_}l+md%bws7d+iIC6Yy;HgI7$!WOit{N%km;unRNnp!V?Sf+kwY8(sJ%W%9Mx2HoYQrjNSkO_+ zwrGrt^iHPHl(rRRq-iJak|=zu3ot0JOR4}mNVm|BBF%x`#PMJ~%N-s+rtnl-CX-WQ z>y{!ZdAMNCSSx!O)EdOb?M~+e7$UXi_1@zY3N|(|MIi}c%lExxK>lC`XpaENjZj1X zd1^!IOCjAh*V7owLB5~kUnBG0(5U4>n2(mVfZ7QaBh#L&sz^7-(z-T}9Z~KJVIl*f z#X}%)NlzCK2Lc!TH#CQYhNqG$Ff}b9Y;x}h$N9AAtMN0hTLV1)Snh+4S6KMU_Ra=0(xJRNcHK zwT35B$AdO#{Cf|2sQAP4*J1uNQY`aH9U7=$CpmuomD)c&kY-99$+&kF%A}M4*u%jC z_~WSJP9DYl2%U|uAF@>Rdz;ifuz)=J@yJqCKe!|)FR8r}q&-cjEmq*a7JNc|HDU@} zh>Ip~r`mmByk8vmqq&Z>s+Vl4`@?9hruKj?GF6c1%J*^fvPH>mabmRwBU8~d$JjuA zZR>~Psfmr-K_yG1{W|GsRb|YakjmEF(8T*2q3_B7yzk=+?cM)%79e3uKTq|(>!KbO zY6z|(pnoO;N^WzRFEBF_$K6-rfbhCG8Q3Ixc^YruU4sx%9SxA6Skt>DaLNInMj{=u z1@{uK0k}Lt8CG*WY8YZ=m;15QJ#n-XJ8b_^g5Pfkgo%X$HCxTEkJ&>Y6G5jKYUmxS1BA|t zz+6ndit<1H=?#_1e;)0-6m~$Ilo%qkSA4QGB#cJJ=LMREqNX-#y(cTYgfsc=qr|ZW zuBY5PkkV3~UXx($<%tX%W^xYh4M>y$m0YZU^$PCC&rzyLUIwyD5ozFg7FK3TTW#)( z=1?Q-zGkjQYR-46Z%S1T_O{sj=<@CtW#@5KKPO>A&{!4V>EKwKzah zZk~&|TB!pb$)Hcny<;HPru%jcMvc533_rI*EPvZVEmII-rNN86-&{{pg{wd}Rag_% zT&Rg9vym;VMSAt1++hB;zyi)n9N>Kc@TE-S!FslRB9zt^Dz#&IX^0i?>6nB5-Rg_W zjJ2lj+tB31;Q)?E1Z31TZ?GqJ*0zqq58eTa=tE??xEdbSE1dO;D95>@Q zF?(T5omA5iix(ZTOz+2RS3#RrX?h-JB`O5tCp}+Z0d`1FNJ@L?I&WMvz|Tyje)Z)x zQ=yeidx8k=by3+Ik!0Nm&Th%oSqvVF!)a{!4)slZVC%by{g!A5{g!AjO#+EV-xwHT zGo+3?Vi;6&A*{*np8~5oA7=gnL14>1lvHqAdwu-JA7E0B@iT`=ti=KPRuk*ki_i|7 zy0@mD5&xZ2E&wTp{&5R9HiB~Pi$wN-GkS*(fwc~z?IxdNJmr*9)+Gr-dj{{`!aIBP zHgY$C-@%e?NFK+B!rH*(aR9OK-g`gL>T*R+&6m!j`*9WCH4Tz3V#ic!!T50Txq(?( z<;D7Rhjee!#T>VUQ>Srml)3!q?nT@`766de|5JA9`6W3_ej!b6ZaQs-q9*;@l^_PkKt(+@B-F{ta-G1L64GArVE&GV} zHaj|V8QOqDCViy+0A@vIT(ZWc0L0vZCOLl|xe%le1!*{lo_E>A2niJ8pv1Rf zb!M*b&A|_s7`^{ z06Z!g<2wr>G)SIS*njtk5x##za*f)2k&D~*H0;nf2Cw!1eXs2`CV2goFf=emXH|Iq zP#Pe*Xa8jR*Z=p{xe^k{$U%nb0A?12amCjf7CRgRaQnuXe!mC3%8b$7=m=P`u}2B- zw)?&}B*e=l{MXv+8a>QCK7Pw*3ceCE#W;@&UXT&$yoWIFdpF;-=udq|zXmwGdB{^E z1EBlEKa}2&crKs?p8SIKPuO=2T5!|?j*L=31>yppKT_8_yNp@=ix6-T(?XpSb1wGV zVs{epu+7Z@8);k2%J38Hcvsy1>GGMD`VRCs-M#VK7Wr7CSQGLBDb{;k!{KBY$>zhR0Eh>!a`{i=Lt+M^JD%@=fME+rG`1AWtY_Q1 zF|N+t^Uqe_z%RRNE?W+c0gBP8lznxk?CRAglMvnaAwM+n0x#`tqXy}n0u&|*1OJRN zFGXI=Zr5iyjShg}{es7f5GfiomNM!Ofbu1b;BXJvUXHX=qtqkMAkhbij)D>09J7r> z^n4%IsOU>e5URD_#(NLxe32HOG@Yo@sme+=S|15yv&4OKy z6){m^`aXN4N%)0Kb>?Gu9ylZ;2f{0290DXiR``#UH!Sns3wrjyT-Mx!M<0{gv)aop$&pzr{-cLXpJr$+qwO3qdktL9BN z&PJeNk`|?-4Wp5h8N1J2r9jpVP8C-Zbjf;Puhh11FjoV;6xq8a9?TgobDYL$WzJVV zo8VP~ynjC(z_DNWu!X>yS{U8-v-t`t5M%o-I@m`ofermmIMs>{U*A}^&?HE?;PaVy zxlu6>WkG}Ll168!iydet_BNHD3NerlCgocB9$`1k~c2z@3^ts>)H22_^m z2->)UnC}rtqo@h4ud6_n`@w;6y>R?rdq@S%gZVW@Cn=1K?vj`TPTBhdC5O?-wg_an z-h|k8ouwfOUp5Z&EZ9Om^r^7UnU_|3;b*c_6r=Cnqu8xWZxAXkv|}MXWqQQQcxMN=ijy@f`A(wlXTskrQ! zwC@;YJqdsMv>z=G7m{U@r2#4QOb^|yQOLUR-Y@*ZOM(5Mm#c9sf3A#*RkF)3!yV3$ z1&duW3+8q2I0htt!Al~2fR$v1{at#v;MiVT$R&{Mf3h3^+b`9a)Of2ykcb@T?ZdA> z{)C3`xo0QitqeQUNrImik913^I%2=vkwI3YJo4*qP`(_LZP11(1nZSWY=-}x;{&?1|``{Fg_UE-pjSwOG) zlK7C&Ht$9g!4rc>Uxesg7elkK-I2b;2^FN-zP6G_G_GJ;sb@6N-g^(gY(R!x2l*Je zP$~E2Jr1A1Pyhr;9z-?LT{zu?VCcU;!f3k&wyF!QI(4jX_CL3P_f8iT8;WO-&aDCF z+$w<6u209e4_CsRZasUVAxo=C=E1QaZVb-gs;yNQ5mdNRb^_k(g8E|i%;=Cv|0U9+ zx?G3cvb~#}q$!7N@%)hHmV^$p>3(81-WolU;k0$WbQ$mXL$jS7@+4^iHonF%j$Cis z??W^ZR1Zv^E233hZaeZzxQ(d1%o%yu47Yq9oo}_MMrBQn={ly{Wcw7DRnNTtn?O6+ zL5QCxa37A~0u`Q9Zaa4 z*(fD-dkTWKeGv+ ztp@X-WpI`N+4J4LD|C<-B>fRe5%9;VAoG$N>-iTAQmwb4I8M#sqTW*kVLl;V)|CNC z%77Co*6p)ZbpzBNx-|EpJVVm_f4A@sfTDmdw`L^u zr4f|Azq@`a;IxwbMjgGoE!3?kmYA<>l)q2#0gzO*q^GTfxAnS zrJ>VHVkPd*CdJgT>G5TpSF4A^lkVOF(e}`@<5i?_IvT8{QDbxG*5=kP5*64PNstdm z=?DyL&>moE17H`)M5rMBl$uQ>vpMuT&v_EZsU1*M#+Kf}l5^SRpEq)<_9PV_K#W zOaL6{@tWhXeqhAjYV1Twh4-jM`ZDzvr74(BE*wT**lnSJiuh0buy`2=8l*zH2G&hg zVjdKo6FwTFSoloJDp?9nQ!p?Ch!qne@}i@aj=a8z0iT^#cNfm0?e^u#&eZ|%EJU}t zJ`QF)=Q)Iu1=kXPa0H{8t|9lvaQJoliU~7*TRlJN3D-EB8KKOZQ0dQJ!TTw zj^a<&@-dr=_(`;QagrE?%}u)Y{eJ6x4K_#Ol~lVR`f3ApvpNCIU}>D77Xo=8-A$YO zM69!x+483U=y!oS%WTBdGX0PG>#gHEkl3+tn=fw=<6G#Q1DYIB1EEA#7dP60rgXA9 zJbiqM@he%sab#wrw5;{jtYT#K&kx%nz)sXc2UANLAOOEj&dT>XFYqWad9XEPt3dQ$ zfnNAVV}iXL@Oox+i5U8=S>jHf-L$8k+(s=zoJ3`=$E>u zkW?9nfr6#2LNu$*I)U!ii*cND)54#ViGO zi;2%$Q#<9FGoeh=%`SAI!%EY}{1$koTMgniOn77Qj&Q zW50NaVqJ_oc?B*(3%pN3rsC-h>4VRzH5`~bK^&yE^sg}W90Xuql{IQa?t;kwrJeYS z!jG0TX`*mq`mLAbOF1E}XCTjpk!wd91oL zm^BoyO0p#A<)7QZik`dDlryzzhT3cz>rZ4y?Qk zBalt!#_`mIdew1bX zKb41mtX=y*-YoRv4QaH0h)OO$02j^x6(k8tLHN6f{!eO;k!K)8s9cJ~56Hk^&%mjtAICuEO!mN)HTmHz6treyQ;W9G&jQE&{9rRZTohFiX7}81Lyvh^up5 zWHJ9C7_eW?V*oCZAU_8_nA*)P5KH?w-GC6J>*LS2yF{=Xad++GZ45Zz2={ErQbEpZ zEi4za3As86nXBg@F*95luR6=9g9Ave)6`X^fN^j3k90&X;{W*oOlDIX;+b}VgIL#W z_roy##6XP`5Sf|7sKgty$PGL-3|igmL~f&i-rWIZPw*qe|JDLzKh+|oSQ08$5O9%Z z1m4W?;2*}o0-WpvCdKhrAMpDglwjm6K5e%4{&P~k!Iq3{SQY+xT>Wg6kXpo3M9 zc3OKujUPus=vWxsBl8|#Yx?F)?sxAI$kodDFQrdtiay?O)Br>7VpK$#4(2CaiN)**gtMPG&9Ya1kuPcSvG?|OxCK2 z17k|F+`ZCwYHD2owOz(3_Ru&HOSWXTfD3uoEHfRqxjZam6;A}xkZi{l0^(C;JUbVO%pDAM8%TMjU)vA=-!<8hoD!@GG zV1|m8#~T{$<2s+Gub4$hc1-`1RE9_H_{nmZF;bw0qPCLI)+N@sdJ~^wl}1kLYU%xT zBff{4esU6l(%_yOGG<)hgJ zQ3BrVX0Qti9GU_)8Hr?2HTGr@MnKi;%_F{##6;@EVXQsjYAy<$QX5R=*5p5}$qs>u zbpO3LDb~tuKblms8bpEe+oet84MpS?fy2YHQKAwrdm}%g=IbmsuYvW(bHc$w zozb{?why|hZazu&I9FsUQXhN3hkjzgB zvwhUK>2`W5{uvb<7J*iT+O8z7v^V1X=`5hU>?>Zr2TVG$PT_UG$-)EuHoHM}DFfeh z2Q>Pr@kEeI>4BIpp7!>2KYQN&nq%8pq!nfHZ0SAqTSKW_nk zDDbR8AF)uCA1%y+Ac^U1Y)wXfgR_qE)_NyA%-ifFt)e}(eE8*{r-Dz&?wTla&*j{w zejAI{c?W!*7Fag2)nmCXfVB6H(Zs8vY|+%s5MejIXwmv zua>t^+^5m$?b7K{Gab#vl|q9Jz0nK9gppCbfA}yd1RE=Hm~U*gnf&rQ{F0VBIQU{+ zl@lA*pfp=RGL&gfmh1)cA-oRoW+fitzkhI9Ld{CIkE=hF+(4sW{19xFSmI)6u%DzS zy~@C#ZJV2M_QI?_&x|$DqtwmMF2wRcl))iJ9_leqyIpcitov;+BD!{8v81En>g8FB51?^oLHshS6JI1X1Hu5aij3Ux<W6qM84W#V3N5$wv z-}T~EPUy=n_ZhuhUe|Jt%`U*e(ME|6B(ykzZ6r#JpLibWUG_OwO0D#|M~-EHEeP08$waVnv9~kPm3_`{GHgU& zDQIm}0tu_5o0bUsALtM0*-ahAqtnjjIvxm@7tm$BdPgekk)YrrUoT>^dsnMJS*43J z6PzhU0L&~}spLuOXiw&BU&OOtlZ;s^{0Ff5iI`SJXpFYL(IhPupU~XIMD9z@so%HI z1k{1H&C07^9-?vRJiivNl^`tP=p>#Ji|{v`f@BZyav}78{o3%$SZu+ zCjUhV1{j^EpigLN(}gZYVt5NB{4n~L_lgdOxa{c$qH>F{K~DJ9Z%7Hs^ZcV=)s`rW zX2>5d687%8C2D3yPq3=PO7Dd-&KvHDKHnJl*CUTxQ~?0?q=Vy%WH}NBC)Xb8M1P=k z>uB6)Dg8FjDT-P&G-aH1h6vU}9~sM(pUa-W@Gj8F(UIf3+1ahb3Gb95a6y+&8P_?jgpwEYIZ)B3-oNind?2L9|b-k1vr%d2TIQ2g7tC< z@wOBH0Hgu4$MVKPojLNoDpV`)DVZjW^x8vL ztcZRGTMr>$XoTJHWr0R@2gMx z!qFe(#U;2lKnrTq;YD!bcI7~?mEnGRN05>JV|ze#7*m`(-kRA1l6xng2-YG8?Strez zt{xZ?iJQIa!Hg$4yvkF${7(6V$?6~^zZ9pJ)mp(nE=U#(fA@wip+cofEdYkI+6KDV4*Cnn{xlHvlpCm9v`31x#Pi$ zsf|XL>j$MW_^o$@V||D$BD|Yc->$^9Kj9z9DPJr=Gf~V2S2SIdQGNt{ESk(~CA=o) zbc6$1-t_%K`}tP*BA#JIYh!ao5S;9U0A2l79r@Nrc)^VZ5J@p--9N3lA{4?>bMdTH zihN*DN(pW~&v7jIn8LN`B+ zLd+;<<2{h(e#bJ#@Ds)mV_wjZ2$1vy%N=mb^TYWPL`KD?&I|h$XoTI1L|ZIh4xOSW zh;#(3+rMNj^p|3IsK;Ce_$#p(Adq-RscKZ&2k#W1(t)Hdil1;c?{jBpP_$YP&ffzB zuL>dN*4sUyg_0N2i#*s0k0}TPhmfnOv>%vD z){%he7)Dk+$5ds;!-jhJIO6Igh(sQ8#m$;R=!v3618R*$D79H>F#FefH6uxl3pLJ7 zqhHP!1!27LBUaOAz#p zMl=s8nhkMX*vgq~mtXdh+qEuaC>JMgB;KK*2AntbEIQpd2Za z=u1qL8c<8o_i(8T*}zx_kjME)3!7~C0WhY;2a+&DISjwzF7Xi=0lKN_Wpj)JU%Kt) zrUB_T7x!l03J}z!-6z>HZ&@*5n$swATAsfZeTv;qT}@o!=-kN#+Y62^iS1RHALjpe z1YRX0B2h#S9W3Ul1BJ;-h;bpX+0K*I|HQN^$ZrT<9=r|~Fbd&wqzM4kT7zk?FYttVnKXsla=KH=XMCEO1C{hIo?{1j#5UBNve z?s(dB;s}ur`JMc1{bQ8EBut?6uJ@HqHm^ghU$LNU?Id+r?L^D-123+!d&g9oDhiHHUB z11S)&ZFYQTVrg*)p);}S-zz6!c-OR}c)NYwlWXE}Ve*`{>0XaUD~KGE#lM|LKgI>| zzu1?+gRgt?t!YBy^2EgsFJqC;)x}>hrnKY9Ys7(w1=Bsd#pl#1zs3Q13f0eQ;~0oK z4x^ew(S9f)i;Tm_&XC5HOJ!v9EqT7LUud5#-VPRC2za!sDV{BpZu5ezH4;2kq;iFWQYF z+Iz8Q=+O@Di7m%MxyeAbkLEU2eOr?y=l`Nlo}PIcqexFU27g?W>FK8MbdBBrbx1kV zcQKD6NgA3+1j(t5^{b1*Di{*`I@1 z8r3Dmc}#1b?USOA9=j0elp7MS1Re>|jcW<1h3hUCeEIGgB1c$55Jpy#FDyf3V1 zj>;!v?nP>8xb3?>4LQd?jYa2E;1B{k6p=bi52S!S)r%a$5iWR$bCZRc|F2lqu)Z(Z z*{+dpjk*EW-U-B_e@Z`EN})S1w6qc3wG1KC=-|+G_Id5`b@2oO({DTlyuT(x0+M)L z3$t)1DYOI52FZghCBoADhAf?{B+JRyqM_4Wi#)xTQz) z99=drQsSu$ZR6Fdsu+6$&;Ro<2sck|(!2375k4?cSHikk8Uk@0wb*`_Gsk z;d8!-OCP^x&r&yI_!kI~%}K=Cfuy9xoGwj1>5^-Kr(-84uQ@>A_ih-}&v`$SO$Px2 zBrbFBX;Y#btteVB+K{54z@W&^?iLtl276e9;|?!S6^{k}1ii zH9lYKQ;pfB++uS?T+X?!4A$h?_b>ezdoB;Sl(hqbuhCdfWIrz_!Nt;$4m-H^XnIIl zyva15zd;)eS21+bR^7hbtGQx@uZ6`u!CdbsBwP+yuSnG6HLj&5jvMY82)SssOJyni z)ph$ukj~|Vt3>PBpy=Kq81tY#=?@f+JKeR2zQ?_un3C0Y1xG8b>RD)$_Luv=tgGYg zZ{El(BV3G&2>tk`M#u()V7kzz-O*jiP0MYsq=~XJm=hFxsklN1K#k0~_cAZd8bYEZ zd76@1ca>QcLB-ZVl8@JM1shapCuXh4rm|(0;Srse24P!dE8(M5ffmw!C-u*Zo-)x& z8K>x%e9n^r^49Y*)D%A%@g0?A)jcR;6vWK(Lw{hfRpSjp@kO^%)x*xn-WZn00=)IX zJm7BcAW*-HDu;@rwGvF>y(ZAN60uNU$AlUmb{RxjsHUFR8aqL&>&6WtoqQVzHpz`( z|DB>1kTvk3Uu2(j#{8x_fRL6S3yAAvdMW!HJ(A|H6J1TYyaj&2l7U)2kQ zCG+hri00)Ijj@@t+8(GK?i>u3C{xTIyEpGq<7kIkofo?tLLCSC0V*mVzXQ+c3vKUV zoc<`dS@c2haKanENOsi+E9Z@oV8^9P`=;owFYFOw7A$ zO5|jN!8C?9NKiW5J^M>2(OB=;Ls4?DDZg8Y1Dz~XXur~@vDdexDRcy;TyTtG8}YUd z@k(!sO)93F9!R}rz8IgOql$+(n~Ijoar!+c{-1{>%({6+@Ww?JpC9#}cw^RA?Mqp@h87!Qm*L4%Jq!R&k}c}&Du*hTZ*E2;n)ZQNK1sJsp>+3EuNTX}^Ye}- zIho_M~3_p?xZJUu@+yI@EUd2E`!ZBwO9R{G(nl zmlbDHD{M~^I{9glVml_#;z*B@|g-W*rry?)b;%zu+8cp(nHfradyRz+o# z+7%QD!*Z1mp}{U*ds+m43IFb{_gu$XHp_|ix@q9)S}HPPvE2HtN(X8yi zGTstlH&U$0KWSVpsJZGaJMMNY-Ml*9I~u@JzBqh|2-$QzlhNX39Im%)dlawjSv(!^ zT$6fLAbHfr6lRq@YqnGaq4GJT>LZ91tr`#}~6)k<2eX^rW3;v=x)i-;d%&oo{ z^OK=u|nz0|iVhdoQ5xh8EhzmdNW41OYno6j_ zI2zdP^J1YvEacWfGa4$gKfuO1ZFiJ(dC2y$c;|5JWY)HmR(xx!W--7wTYIA1fp8)( zG5TeZJsWdRr-Isu_Orbg&<))RBZ*+IR4f^&)S4wwIA3P3zrlB8sw+Ip=XTw!7gf1s zef5!v%Pj*3d`wkLB)ngDflR5drl@`1!A+KDO#7i5+{b523#lc0V@-owu7tc zo5Kg2!uZh}5{&?P!!6xxbe4wC7F+qe zV9%-QGBCe$uWMJC6o2Q{dYHI~_)H;0j#ci8{uwB0H%UVWZBh;SNsd=y+<%0{XGx-hBu~p93spPe)->aZ=L91kSSspZi*bFU^*DlK zDh;uVK7w9Nf~KKsb$dtM+{k6WNC%Zw+o$%@l2{hk5-(Lbt{w>}o(8_y?OFR>OUno< z`Y6(pe)QYedS^Ys_s9nav-FK3!QoR?g|QT;Drf`t@k$$DTMewzxZ3S6n3yAtTG9C& za8YYQkPIjsQ%`qAF9s2y-3Qrgua@j%sJHjv0`5qW#HsQfE6hF|fI@w}M-_XnptVn;YiKeyoFT z&Q6uMT(9S~;;2wd%R2qmC8A$3^Fe&{)zz~(=j$c|6Fb1furtzE7t*=0t2Vjv#677~^W3xS|Z^xi8RC*xO zJy2DjDY5z?1{i{FF+3s*Qp&)HkbN^bxbPlZ6PQAV4kX&Hl?$1+5ynLU{laPWW5h5F`eP=fAclFS^FB%Yr4 zYUQtwW>~|-WSFpKiB|!i?FuDKX>`*A$Y{Ak*bsZ#4}Q2~C^-v%+WqoP>% zA2=_2SIEw8eYoa&H*|Z0J7pa9M2gq9<`?%^n5$XeS}!ubKd|r?a(9)_l7(B>8%zJJ z6Hm?MIINuMEuTR5%iZ;EY&k?m5V=7L=3DOW$5}G0SmbD|{1hY0QzgrTCv+10MnsJ* z_djUmK<=hM5C0^LZlERTi0{>QZkuc~Wl^jKkf%U3&(=x2&>QdEEsE#zk)^REyBc!u zT(POJTvJ&>=+fY4uV#80S||8gM&4wlb=-pEWyMz7Zv(gL{`xQLA88JMCJcsNn0q-Q z!)y9#8Eixm=D>pKL{W?nf-_M!%9p&C5<@3@L?*(6;ngLU_9DWEOuRs@oIb%!WeMd) zk?Eq2jgHo8N4dOa>bUi6OVD;I5_%V>UWQA;d*#2i)K9cKTL5zM2syvfD-TV#jB|PR zQ5G6%&FssA$5lV)C$u<3fX5cX%hk|dQlFgdi#Ux}`rUKi)JJV}^yavs#6z0E$Wd-| zmk>QvW*_LiQJ?)r_QyBU#J!8Ld{Q4WgZ%^-_4a!Qow+mZmY-6PgZoznE7K%335U?0 zlb}7f(_o1h;}v*t&`(JgT~9C^O&I7dO(R}yzDw3awPyDkPOog#n#9hCZj;($#|Zal z6967CzE^P1d6|Bixm>pdU0No&L-}V6aAP%82+}uC<1DKx&!2`$nV~SvxdZR_ff3%tle!?Zc<4cZ*J-G|OCj0dAN?{A^ za$;_alU6O1%85bNT`il=c7-kUHZH@&(r-L#?Dsr;`F|S@h~c@+VrSyAcIr3;8i6$nirAWH870RjRl0ty1sdoQ5|q!U0Cq=p(o?@A3#snYM- zfaQGW{J8hu-Ty34_S$Q&HP@VDj5+qB^m_IW#_nulp27r{v-EuAT_gml2OYJN$=YTa z8VEHFv;1xl-7QxQdtAf$xtgfHO8H7wp6ke?hF=)R7p%4De5l(oNN0u{r|vzD@~NfHwOLLhpC$%{6O8qWth8!T$dW|m612p-)}R>+J>M+ASEWeVfxlFd~V6)pII4S(@a|GiLbtsC#= zUa(jCbV&a(e@!Aj{`}st0K(Z#=!hxJ3n*r^-J0mR%&-kRitGFf-+(4REy)ao|BU9= zj_fO^FWwCDHmk@gP&gCe-M_ju_yZ0f?Pr7I-i0~J7W81qiWRSCcESxL^edmoZfc5f zwE|)EifAK0D-ttv+IH-b#Ra0&rwPApP+D=1FbQSiG{tz_1qw&`N6rq3WFO1<2$pbO zO2B3tvxEDlvb#SjyGsN|q{{m6o{_U(A$&G@>D zHIs=BR$V4Z=dCWrMiiQ(Exsh5a0MxwY_z3tZ066-Lf6-U&+PHvf*O;MPdS348ZL7P z`@Rd^F|%;{Q5K#Z%8$2X>S1|DHo@HMu6Gu;NP6+Zbn5z=-vYZr{vPJqV8W)uJmGVY zXus*p#7hfhELKe7xV4Kzp} z(XCf=LPeX_`SlRJ8G#v9EaM!oi{8&a>To?lhKtTA_eyB6Yek%Lz(UI~FTfL*=#K)2 zVv*~#pm3a6FY1;91Zy4d?E>j!>crB>B-@7+nS#E#=DNO}4RLT_euXkgY1jOCB zQ^toB;le6V-|FtHRhtf9h!J&m3~bF7tPJrqEY9kcu+n&Z3!s5Jl`;~ z-o8=xRSBh#V^)M-rshz(dVty7X8nzE#pVmEetUqD>8Z00n)GTpX{?FnojQ08CT|WP z&|-1~niWEW36-5GLCS4zPq&PgKVSSW*zXQK1b^1YSGDc#mcX=oa(S$`@7?w~%|)`( zvz9m;GLZ;@Z!@aFrU(EK+0UC6InSsd`YYy~OT@%}L47aaFNE!n=eoHlQ**m64~4hT zik*FT#p5)|4m9bmC=*GL87gLq)Zm%yCcJ+kj(1K#w+3fDfM#;P<8sCL|Gu@aa7dsk zrjSo(9`SFi@&f!r{7p%-C7Gk;HCmbi>p8uJr7{Q*ll*(`{k7}61x$R!|I|z z$C`|spTp*=g;n{&l265cP#-~U8098;mE-p4;ljWgQzf5PY(KYP^7Z z{hmqPefaOucWfa_Aj-Wl8v7(|UC{l?&HLsI>y^Ek;G zCykM3oQ9~A6S3gHPRc3bP!OAVw-B56EvuRq+s-t7ZT}{p?0*A$a^I=}%<7pIspq;? z1iM3XoBJUsj0xy#5tn+E_3l zY^x@lfkFfTVvfVhcXqe$21|2<5GquLdrVCOUYQi#CZ8vW&%Y}CT&x~7cJ$EzZ;x*t zCxg(#+|yCpbBt&!Gd-bT8%=In#l7f_2P4lELOX{(I^K+N=xsTbEqMiT#`xHpmmE#s z+Q);X3cdeBROnh7$hp4RyVf0SMdZZJ!>v` zk;ngfN=k)wVg0%E(07qVTtX*|quc<#d~=nGvW1^D*c;^WKNa1+@W`KTOX|uUJC_;| zC+ra1hy8Kd*OK>USAQ2)m=HUp%SvzK661Nyko?Z50ubJSD=+T%G^(AY?w_$NdVf2F zycJLr7#RKsQF5M%>OKb7Aj$pG+8)*-&ydMIVMd4+d|cS8E?p;;3PxViKNA?a(H%DO z3w(R`_V?1Ke3l5SmDL@dv9cHucK;z^_LQ22YSLck!7VmmPN3ho#}Eynk#Muc{}swVM;;UyeGV} z%#s^5U0qPFMIeysrpZ976ktBogaz@Q0%E=88#Aye&(r+2-b>&=2vw6wOB3!y~ARv z>+&NPRPB{or+25r=Il?N)m1Pl^e9NM!6U~3VUyvyOzY%l8trY=^!Q+K?UV=f6*xGE zOAy~8H1UM2%@&~J;od~q*bW4EgIL@sDm~4uA3N-lES)? z_*=kofQq^Q$wSlVmFhsFQi%=|8-TZ+$R+bn%No1ecpF=jCUIXNFpB{Om&=V)J(EgV zB(mHt&y;0U?uq<-aMK1&6^2a^z}-RYM+u2NzqIfZgmr+z0;t(=*|*KueJ|SXNBo}6 zz}}Ck#SHF`oAXjDtOI*%xy}Bz7|;2TYoIi?tYQ>uGQx+;7r2~BD-;)1nC~re94mTX zSKb1U>n?O4J}A!PapRGpK)tFVoQ2Uq)%Q8Pc)8(fg!#a@dPh8NW?~vO&s@3~`@Cnx zg?b0y<=4DqRSN*>wnZrf*-+}>o%P7w9VYjX&c@qobRV!;db|9IyC)N(W$vMj*-?;N%;zVL;nu1i z!{|JVZvT{+4o{q}dDgO$NUX1r-p9V>w12t_LUL&jDLjZI-N*9N1b<=qJM?Z%Ai*58 zUM-J%HoF;WQy=8uLs;9;3z{`r(3r*1Hv58>KAyMJ{pH_nds~(s-5;Y|6gWRzwj}WC zoy=Hh5C%0gCpO8h$#ijV8k#i0K>uD7roEvI+Q^9^ABs!kaU;GMw&yzz9Cl0-)*95` z*{r`LY3PX|ey;YA(eI8Vb{@@pyOOUL>|ArjKAAL zb=#}&D`2Yhzk_6357S~y|LkJ!33^0a6(pmGheI@mt&qEebAGV z!AG{{!)dvZ*>l0AIe7t<9+vOi(#ev}X5rF#5Kv;yz?PLbnuElgtFS#w!2O|xL$vLB zG$w)vn@iV8wyNUt2&6Iwo1rqNaPSw^pI2yR4C@zq7G0gEJ}_bnqynE1b%w>M7|^f1 zZrEa)jcl*Fv>6nKBrfyKicR7lEQYZsiV#urO{pIphdpNnxNzl^fGQBFqK?(Ny%S}GlrN8qbrd0<~K({G~U)@|y9@XNH+?2Yv~({GPA3ba+3 z$?Yz5Mt2LmgdaY!6ezC@D>z~lsGuLSCMtF?~ zIgas=6S=vb4*LYtK+8svjWD3;KQk0&%f8+-x@3iG?z(gxpc)!1n-?6E_8!$%m$zDF z@9ABb@_nZWiWnG_UdD1bj@4NenBe(G*}Hhg{OaCFU-IafHcRZ7v8<#=NLNUy*2IOK zPNrS{jK(PNs(9CWr5r?_bUr{_WGz$OFy!M~^^Xxtjuq@uoYIW-?hi|GYZQ}Ua9%Q1 z)ji+Tk*ix%iO6*`sY^9y0EN*L4N(|hOu*xO zPVNefv@GoHBn{URM}b6ivhqUr*bia&&cRvs0tNtpRmTR#PSXCFlR~k|=HYXN-hgL` zb>LbZSbetCP7#b=$##QrG}V>0&Hdn(xi?m3u@bEJp66jeFxHsoNY9HKT}}vL0@9)H zsp#i)_K_eA%-6p;qU0;j$+86(1Ta)cXm-GLzP+`^(H5i_ZI)@lbG~j zdDFq;zVJ$Vxm}eK?d37dx4Ao`tq-TZDdMVpkR;t@*=H!U&b{x`+j7iYAutz+a{3MF z+7%KOH>7cr)L#D}+$nSQljLIUo97odW-*YL4A1TYw>id7XgOTlI?q$>X@}>Nlb4p? z-b1dr5N39>XGg*KKwY_gJ_E#JhNwsy=e}!HB8p(=Z0hDrKP~h?P_tsnUtLgGo?>^h zf6@!$Yt2RH_)6!*<*#02378|!O*cZjoO?f`59=IF?Uv>C>Q@|c9v+IJaUNfIhSxUE zb#yGX+jL;D!=BVq6jL?~4MY|U_0>zJY$2C)HSiOPiHu1dGwg=#)fhJG=9}lbOt)%M zotBCBjheNe33?39obOna+E`eNH&(Sb-k-oYl*#JB1kU#wr8Rd66|{xST@Z%`sr#`H zh&|LX`@p5a0*j+S9f6>Q*2nv(m#SSlkVHjt;&=|bk`-r-M z;oUf4odWAZVV< zyQ&xj*B{e*(kOrnuMpRpC9@X0d_>a((-+Zc&3=ku1FNtn zbO1p77YLV3LQQ^x%B30{Pw*|Xx6>I+slu)z2SGLB)g;P9%H%?9rAC;QY#p0Z4WMvpw2Txnx`@ z^Rne1dyWlphtsH+2q!9mD5?w2j2HmOfDD5}AS8&-q=CiqA9J?ywbl--+~SK2p9V#Z ziYMRBYd@TtcoKyxHP4wy8naA0E0al=?c5B&Qz1mT1Y_XWJjZX~5g;Pd4Sb8Q$kRc< zs8XI$trsDk-PyGm445_$*8UI&px3otvc9bHiMQ5Kn$ltNDQV04DoF>MX+P%MfD@5vUu zx9cd`3f+hLAWi@Pf=;Weoj!owffj7@D&AgHho~hv@LiXFj6qW4FOgKPJ_8Zv%k0(@ z+a_swu@!=<{;`{pF>~lVZ|zq-ZH+^Q*7TtnlO~w%#(!?kP6BDz%^O_*gf|wfM(7vg zuao-$ZeYIfgOnMc+`7@7lSX@-dJYUxrZo~c5FXe$gsOAy1d6j)Tw0>-DN@?KA9U?? zhKZ5iBnX_mI@r&$Q;CsGcB{GJHo0dPIPD?P*g-7+^fN5hJMG4)^B^v3-)D&0D6+dV z^ki>Ul72^_9C0UC_{1&Yj8^3hkZ8_^@W|B;+KuMI_l#3CW(ISKE4x3a$khbZH$SQ)J+E|t9Sl=O{Ph-D z6wkVGkeVj?-=FkZr~9z|XH{LY*(tBxC4*V&@4fxP>HjyN%ttPg;Zw&`m(LCB-swlB z3$KiK_MJz(oz4d=z&(T+a?$?rgh{@2gQDmhGILwUA-_{q5ur%E+9}Vi0|HK}1G=+) zl@1Ee&ZjD5OFaK00@fhO1YtP!w5xvak33 z5=e)WU7VTK7V+?UCa#TNdnk{vzpjk|%zbsU@dF?`X54(C>)W$&@tWdqg|pQt*BKb z&PzW(x7L7Y7F}|kcmM@j@NGdTAwMY#5d^z}0FJUQ@Q3~N_Q@2KW6ui=1n-IDuM5os zp!{aM`UAiv_M7rm9+@Ku!P1r^JzG$glbTNKLaZVh$4=L8uMUW?z4B!kw944=YwauF z55dOahIHRqg7=p_fbBP!RG=|mh&6iN3)tPAYWJ0({z~Zd{Z@UX#4k|jb^+;+QH_5k zO}E-tryIWkbsbkEM7=^ynpcfS8n!A{9CSpqE(UEMCMVkD@Om}y6@Df6-(R$D0e8`!5XVjMUv#iQ&T8Ah6 zHtdrGO^X%g;gs&10sn5kgATeB(y}RN&{lF~n)*7oG(PV}2TyBQr=QjSS@~vx1uzfY zjDraaP_~2K*4m?yVa)qB_;flG$SpyI#C|=>XefqnaX(}DEISZ?snliWFLmafsQXYV ziy3okt3dAf%*{HTddgEnjP!0Icg8B|6Q=+v5hJX6&$p_{1^viQrq8IbTfU94haKCH z9K?U}v}EOiP~_Y2%DR+dQ27Du#?#S=K3cadPrl00_GYg+n$hJTrTCTbhG#WRmj%p; zU5iXbBk6C8`|Ab*{Ch53)h(>5uE=vOnINW|4rTS4cyXazKug%vZCp(b24RY0WDe4| zzS2)G1!`zR&0xfE;gvG8&X})G`Rtau4kewt+X<+r`)`E=;6HKCw~-~`X8*xmka9`@ zoa%FbCboKbXUcuAd{?J54c)Cj^GhRrl?iC1$6occiWcZh9*U&1*EZ+l!pc$`NVSlf z{C`T4B`WsqEp9buJ^m+%Dr!$hEz#qP&LE_H_-_3(=qIw!oy?J-GObFl1L>$e zTO{zA)9Z?)owE;y_CuoCdlxqj!J^x%>*(zXrf=`t!pWqwH(m5y&KI|b`cfIant%!s zvOO;jowLZ8!-vTRwPxuGG0VEjYB=JC&Wu%IgmT?$liVl5k%zil`TC%x_FdhoA(zzw zGBoPx3*JOM!J|>3X+0nEnjI*$8!CMSe=D3}LRWG=W^{gNA_uDG4G_9KxBpe_WG)}+ z{W!z-o}PO-u<2v|%K+p8@gegmW%{BGn44pgUQ1wab4q+DbB?$EY=WA?^kk!->t>-ZHoIm^81u6_TP zsPKCBWBdm`))8lZ1AG(9?E~uzI-s_OziZ;dCZNgK0hrS1s8fkn;H%_P5eb?5+9ZKI zE5C)mtTys!;M{|y_RprJRmD>E`%Ce$;BOc;v`v!tBjE`asEX>MfZ)|eKfNM3Fm?O# zVmS=JpoFIoQ?s5A4>e0--UIe>&kB#|Mgy&M5yf^>Ab4cE;Ce5q42P!zY0-pr0CleE z;DusgcLYar6)(@N1wEXf`Hopl+81|DuF)JeRetRd~pRzk2+4ZJbRfI z$LCNyj!D^K?{|<6z9fk7^rUXE{I^nYOtmd6Ibqp6ZXUNAa}p@KXmS4jZa7} z8jv6W2cs3?9S0^f&54h#vJlnhJ3hCtnHJ{nrT?hV;32s!2EZX$U<=|F!f==+l0FFfmB!1S06F2Nw@CPK~O{bYInvK$Sb`XRLX{ z_lUv!BlcZui7fHnUi#_DFSRas3DQ{1EJPW24oD9qtfuH&O|)XVGPFc9`XURP1~i8| z=9(+7fzOp-0PY5aV9eG{sMR|(*UZS~*M^^070W8qatz?w7V-p5#`KYo)cWd*Z1i1C zO3xUL$*krr`CEKDr|XC(M%Vktoe5<7)U4y_d8urnJgxs{SE##}$Kudy-B$C(`C>iD zMhjd^?Pr0_fz_1vBFi>V^t8~n<;hbWYq)$23f~%{U$Q z5kiYn-^sVd7xF+!5ZCXT(iNqPH0Z5YrJj4XMC(#eOk~ZCtig`=wDL#ym0pMLK|2qE zZ1SnO%N50j7>V8F^FpjzC(W!GTI6eb!=c{>m;A}!xcGgXB+?9C5}uVG!jGJ324rY2 z9!C@=Z1EI5i|8}-4{npJd{`tjmK3jxhH>`=0URzxi=B85Kiw2fIo@B!DC%i6qR)W+ z?wktrAn5vauiCDS{;yA9GBsw8pvVEP+w{L10chCBi#TJ+1 z=2oU>F_uL}Cxl?H7T+nKW~dM~|&3M|nGc z4r3VfZSv{sAnc(Q!B;kPuhfe04#zT!t1LlLfD*b&|=M~Pp0-To@N6A{M z$eV72v+;*4-MA{J&l84#SF#L+{VNxS4uKEc<%?12noMN3w;RB13HD{T^zbyo>ZP?@ zkh4(>ahL8dj)MGX=5&od%&1Yu(6O)C_h{v2w{5?$AL|6O$pyjLaPKD0Rc4dNY}Q1? z_)yGRMaR2=j-lkUz&8(EpCbMYN{hiPIJ+5lAE~uG-Qt>gvgdN!$8lD^9vlasS-@p& zm}Lr^XxEXzuzN0J3Ro6cUUbZX=m1k>boZ|lTMi$%y{9t z=bbIH8YBbchnf9CS_qNtlS4yk!ca$2VeF}D#dp>G z=@htA&AI;3cVgZm{xf~Y_(o>esmDWdES#(7dUwNO3R9{kQbg8FFghArsRt_sBUGHR zB+VucvsRpUDjiSfH=!ImKrcW2S}MDPyhmekJfY?E3~k9-o?f9|(jR=Po3EyL8jLiH zS4$`kxs3&a1i?<*A=a<^jK7eC*_mFSU?S(qNWSh^4Aw&uIWlx1vj1TvIsE0}2KzPl z&~N7~;w&f>Ke!mcHmyd=DXavvwx|^?d?yQ|dWV?-;yY;ho{8!po0Dc7RXx?7!jLTn8x)s2u(7PBDSwTHsw4P?kVI=%Y}~ zYa|9xMBW3t0b=eCV}Ep6b0it}?UuM3I)vDuhwZhcnn4F5bfS zGWHH%t2G*zGQPF1e|y=iQ3{_=tyeBMe1t(~R8el& z8*I}@i28H=YT_p*99PbrHu*$^UcE$ARXffs$dT-T-jx@x5hmb%jt8uD`q{;sPDGV_ zo1~664pPvNry0`lpXnk=TgxxT=ryjezymS{RHqVY{AB)T4-4*NN1`1n-El*UjUPIg5g3nG(-tSVuI9iCp;t7|J zeOmb&1qFq-R^c6O9?on(h01GFZ6?McMHDgWQ;Efl8Kni_6y-^gEBX#_0^NJFp)B_U zjG{v>y@o3E0)fBVOP1@Q_L8v8CPe1Rwh=K3klOC+V)q{l^nO~yQ0ZRwjNA_Wkz#;Y z$=ZO)U87!;yVjw4hW7zOrm+mn|9&M+eCky(gs^Jy9FKiR97c&D6Wzd*jIr#x7X0-i z*}~D8&(ubx@C*Ovr*l!@)RE+dS2JtR_GIAUEQ_1>G#p&~sNrv?E~C-`?XiOolyAw) z{2WQ0!%p|wDz7?`oBkfTe+5>4b(%`8N^^IuA6D8=H!lqGj8}lUS^` zp1+;G3?vZWO0gQ$k*05_ffR5o3{aUSw*50tOvlYU2tc1&^kXcl0Ku{T;u=M2NigY- zbC&Vs-MDHn@0owMtpYGE=u16ZV@BYC{e-2p+&#+=ncTnn8UTTG*w+wRDTv6Prb){J z2&!-+WxXEg4H!=R~`Jfdki<7GPK_IZwU78P}Q;5nmkb?!L1`N|x9OycOgM>Mg zryA^uf$B$Gq~e}ahK`NAg*En(W7cUTEeBoX523Xvs+T3@wnpLlW=U3V{tt7T?Tb_O*K0P0{_TI9S&4p`^0 zX_F-f^nwY-lEGPplEw^cd~+jP?ztCG?#maYg+ao7S>wt>z@F-Y7iIp2qSUM|&f5y6 z9IJc6TD&VRynL!b(^(9cXfX0Vc3Gez9Q3b|Z@Ih$f~I7g zO%_LJ!R4YP7x0I6$0z%;LO>DY+Sq5+V*#4}^{p4{&^-#XhDa@Kff=kM`*> z?3zhtz=mS#4Rg@wL{Qgr7;;2iOI{(S`25oGLm_y7+Zz5%`}plu6#$KzU-f{NGTrQ8 z(AcHb^QfySn&w`bE;}rwrB$!u-=R?;3^ws%LD;B8ZiLgG^rM+~jzy$;O`9a#3Kq7{ zCoOZ|-)*0WV0;jAe;+QAAHFLO$;b<-DiE#fU>$NGl~FU?B;GOsnv)S_F?-YXcG zuJ|zUl;`RalK6DB0g_F0Ze1VABb23agY^bA=pkDqd07et(i9lxw>ms#^WPTq-zGFQ zYtD*7GTE3~D$GI~InT<@oI zt$sg`5Sb-E19uJ#nfCij{jj?(^hc5BJ<-{$A)F`R<% z4~4e{`SS;FV#utbeVoUFj+7|iPX!wuA5>zc>rJjQGVM-t?!4y$mv^!MlH{1nlQ2bn zkf>!R{bmNnj_2LHWd4JPJgQb*IpzU`xNq`VFqloLw@_0O!?bSE_-mrjD<;KsNY5oD z(*i#&=@2;`2T?Q4lySII>{DJox7_y&JNXzUq}Cf)VZ zB2ANtwip7FMTn{0L%%aM^ffA?^Fxqv0KB0O4qwH3aKtR}Z`xj)>1Wz2`X;b-XFij^ z;KO{#imH2eI6v-LS_Hu@#Izz#18X{v#&JDrS{_7ch(g}$&nt5 zir4)*JO z8j*U@%3zp)?=L zPV)zQJ0~0DzPaxN@R^T4Yz?UQP_^i_%T_c4CbCW|A6}GvRlIfayJ~8Ixv|;fp~12- zLU|NZxn%`?Xj+Y~su^u(QPqAB8a)p&6`vLCmj*%(x-cr)x(md+0LjnwL3!vRuUu2- zyX^0*__GQLDMH7>hWZG-+R|JFhN6{hGa-rsEPKcyran2G8+XB~L*;Q1ncyV;h|@;B zf!IK%xeoW8Hh0!$P7w!WKNC3@i9FP}05TdN)(JoB#ei&-1VBEEh+QJkx3?rRTNAZ{0dLTL>M>BP0~WQAop+GY?mc+7ldnKq`!L!AfKKXTKIy{= zre)J}PbFv&r~(P2Pc=W7=rj$<{CMy7ls8Q5YTbKoAc4=*3OhhXU+_x*!d@^y=yVP4 z3cBMhYL5mgM+&QoMY*!JEKBrGZzl4^k?A>LXJi9(U7Y( zfN@J&7t#T5hE$Xlwdnvjq3qZD>aVZVttoKS6lEnF(M+!SsY~}i6LLkRpY}!MbtOMb zTn5%eBD<`dk(Ohz?=OAF3ae^m$)vBykuwZS0XVG8Q71DicmgoQOGO7L6Z!&b`k!53 z%F#Enr>+kqu9JT8|J40U(yj+q9OrU-a)4c%S*vCs%2NepBAPAi1JLN)jMjc)P`OPM zeDS>g^R(rKroPHi4!XMLPyX+{u@Mh@HtDXDcWIW*c7-H%f2rt9X_`2u8}4n^h1Mu1 z=3FxKCLr~!Gfl+pht3rq>?Oiwa{A9%Bf11b6j0zAF4sLg{`4P`X%O3b8c@I@#tyIE z_AZl087K}~tKA;yFNEp&@QfI8%;P0J$)0%SG!@!`)1M3$Apb7Cpodte?}k1Rw6Q?9 z!z*dA@{Y_jxG7fxeIyqrITWp5P1_>5s(?U2$mh&vajf8hC`J+XU)%%KT0@dh1(x8q zsYK};q(K^)oB8j%M^KMK>&*0-Z@Lp~#i9-RoF58}WyVxf`WRi6$c^BnY@0F2)Mv<~ zj8bQg%?1rB{f&8Z%GwK3T@GKWeHVCjIb@}p!{ZkOnm6ZVD4)sVxPnM2{l7V?$i!ZdtVf+SPnevf3R5gA=$S~gDnvZFm4iRs zkrs(9=jn=-^QEhqjW(^gQL8_93-_&-6@68FwClMrelLUpD_y`Ao{Cb)w|EtXGJTEq zd_VR&Ju0E`NU8_>rI7d`@?u<+98oS=kj*-Xu8&g89lmN~8v_^Jz}d~I)OIG9oJ zuLr85`*qP;jP8Ua3G2Ia$Eyn--gI4+RUhKYShzeUV_C(sSYRB&Um3wghsvGEuM`UL z6|D(QqgnK)n8ewt(B3j<%y4|UIYQcTguK4K>2&rAj;~9t-^(#@9T`y@#)IUM#r)%b zkaW-7J%~BWQ<%=rsbL*zq5+~txtPnGcE@wL6(*k9`q+GKSM^Nj$@H{4I#tqapCi%O zQ795iD%S6Gac%qOR4!u3vfcRHPW}>7;`(Qh0UHS9hTO{GBo>BUJmMaSCFJI#YUc*CE zu%B*m9_T%0_dQwmt-x&Tckz&(^a7*|5#+^$>(Ate%0CxO0L(K^!E$`)YocvU3SYa# zx5UZ22as*nVW$T`)huV4lMs5q?F}{%1VXvayHtuux7GO`e^;C%zFk{L7r(3Qb;HSa$`MQn1|8?JRLCviTAP&XIttiI)S|Yy|&>P z{lThN6!{GyAEdY>|1Yi5z}eP)?=Rt-_Wys|I=Vo*)$%vWc-SV9#>|xOSJDH#+N?o| zQ`G|!ACQu3JgWn4LDlqf{Y)wYQ*eo)IRJTw2}V!@afZp6F3@K(krzF2t+twF*zQ(^ z-9!QN#o%fdM#M6<&%GI;sKK?{f$LcAM_#4>z-h8u4(EqD0yGTYACdoiy38ZIo%O@E zJKV6(7P#3umK+ARzb?z?&-lnBZ#8jNDsdEr7a@0K)AS-klu9l#ldnQu3FTrtnx#)O z9T~KfgtX5yrL|7b8;m`ZH4(fq)nswwX8yXok=#W=>w?{dLfn5_Zp9R+rmJ?_9-fY0APq?3~BgwG#X8f=lO(76f^ESg~lfAJH6Ba{;KP!QkpPcm8zC4Nm zMwtSQ^7~wuZ(n_n#)w;G3Y?Ci4S3HWh)gv80{~t8rPzB>oc7+^3^`n#(p;A|9Jp*; z2uJrf3WFY*fgsgE0Z7&V45QKVR?tr-j!L8HZ(aWt#J;Y7IcPR7j9WO$!3HQmW78D{ zfeI^_?=^2|?7rAr#pCp2GeAhFUARJytW8{U2F^muyZ_;=H)=uyTCbED;qZPYc7P|d z^voGVLqdHRZ)n-OV9@Fj^TBx4+)0_Q)zv5%MuOQl#YO zgb>IR@(g?P(XAYOvBrbS!4k|nzzqg2vDZdx?2EDfB!4+BCWP+m z-_!NIV~-$zDc}XWe<|QCk~BJmq;EzPQI-Sb+SIY4KsAPi;%Yd~K)3%y&xM_*rKxK; zmSCM>=+0Rm1!fQ13Qj+M1+6qqGX}xxuPHbOkaz38nMQ-Wm-Dc#nFQGKJDjaq@{nF{ zidWXS661=M%~)U*Yw*9qkw?~cRl4)2WbPN_cVYXjkzGb_6+9^nl?v0(G3*%@06;eV zZMCy~Gd>y?F;8aYD|O`I0**OFIy@CEJa^-jEyRKYY5NC&*Qr454CGCB23g**&O;`rjcvB$(=+2QY&FYM`7Qr8U!1;m zaJoFE2Y7Ca(~g5R5IThGxpz0N4UWj`mhKF_^K90qT1nVpA@n47-Sk54`x-V52Os-+utGuwWDk zS|q6lfX`!{`@YX(I4O_-Wm1eebCfHl({W$Ap*T`4ymEf!?0$+tA_9sP#G^-2>_9DI znE@RLf6LuX`ct#$T1DB;7KtE+9~-GF&-Is6P+V_pM_uZ3me+n7eKFD#HXG?pR0%3B z>Q{_*l`bKe8-%0j%$mbvy^Z?w+LxBvJ#jdH8%UIYL>~C8u`BRdkCfYiQEqL3&QFNy z-0r!b)KNL^>IeCnhQ_a6UZ7_a>XLafq>H(=3al=}-}kF14K-)cBCe1vE49RGl#m|i zrAS0TpjJ@0_X{hhuzU^o*vHDZYuTgkI02Pp2xKxO$Y^n6CF2b}uc$wj7!j?1uM5;V zrtd9JC9(^e7MNBVTSz5-oKb^uAe+&7g%g*-iugaXYxc_YWu23C-O^4`?D2ENd<<#f%XTfzkzl@SU9T8 zs5;?AD?4##Ta}1@&r8M8b}(M9H6`agCtq)7dKOnb-}{xGdf|eT@Ha%_M@QHF-F6kk z^(cTx_8D}B*=2$tQ!{Qgrt5Gl{0i~XGK&$>p9c7P>lE9l>0yI1==6YDCK6b3y4)IK z6_)!M=pwyaE+&@8n>XB-JOyjJ`tjhUtE9t{elC1sDnB?j&6a3uOYRhDRO)16CO5B$PMj5(qO8E}55T*RCqR5FR-NY^R= z!P^vVEAOXdc^w#EHa#0G8w{zkg;@q1Jg^wrG3>ZPuWhq03o9+!_iXEl)s(Snm^F_9vm&eC>I0;b!RL+(o0jrkSYE?yhEOWd4NMWBdhyeYf%=g{agoDm`BH2 zHCP>3ULESqNXU3WVEFim3yEgvlM@7)N8EF*OZ-4+gpOY&&4VxUM6^<$?vLp)^7ov| zufZcHn$FWN12MF{%HZ_p`LO6l6!E!0f`;QS+1T>m*+peLrL;UQdtExqD{E1dhD zb@cZJ=TEl-SqDG4IzutyDT0Bz@lM$HqMw zlM1KREPr$;iH1@SFjdXMgi6z!aY&BxG~*lOhznfogP(9bjfb7{?d^bE(Y^{2*#eui z&fox~ag=NG6L^jyWNFP~L<1bGH>8Y_8_F0ZI0+O(nMOZjXYXVr8Yhj`vYK6y^aR z=Y6Dll7=1D_Y0|x(m!H0ZRvikfb$H>r~=N>VvF7wJ7|n()Yp3TS2(|Ceh0H1U^e zT|yYB)&aKsm$Uc2Xk8tb)<7zVv^)@e+kj(48sJ<2m1dqj5A7#QpgL~m83l(4pJ4NO zMYD#VATmrRQdy0*@_PQ|g{esaS@5L1QFMz2-jI;53ONf5k!O1-Q@>xHWa#B3?r9w8 zZ$iMkTlEG769>_M`+W=N{|~=!M#%4bTJ1mmzW-aN?f`}@emLxf!T3wlq#5@3ju_=+ z$sy%4=Pb>bAA{O9H$`SMBd%YlBT&Y)#=%P((;x}X%5Qw_Z(kiG6M0rZ=d-rHIX?`5 zw>zL9$Ue1$2RQGYP!QHv+a!}WlGD5aw)$QS9QweNnV$a|CiT?hT<(T#z$+hRxo|od zg}lJWikY?0mTEiG;}_Gybf1_T|A4ui_kVZ;D0M$O7e3cKv?+#L{L!L=b;X+i94?^N z$U~D!EDm&LNV`vXiYJQHivz|3K(d(r`;w9( zrB=_uiQ9XDwz$6sP(p*^zzot}7MMZCPB)~)=(-d}@CJO;W{Eqf z`9C@TadbAa>-gUBtRrrle-IZc0vR=uK}L;hM&+Swm3TSof4rm;u+1M*~ANV%S$Cc!-9q52;r4F)bBJ7*QI_0NIoo@5rX`*Gji z*qU2(&&mTO?Q$JAYj7>e(YsKeA!NX2Low!M?x|bkKkf%#k~>4c0T*6{t>t6kv=D<{!Rg`ncQ@}{?cbnI6f4_V5#H1gbnc;Jb^86^ zh#8X$z-df|-yL+Xf{Y(@Bpuu)>JRR9@E0$B94c!6YKQzil7m-F0y)t`p5>s7K7h$d zZj1hZLV76w_|+%VHc0>Ryy`xR#)A}Nutff2z^@{l`A|*_Rg48197dP)Kqia)IRn^! zK!_92B&3OYH2^~Ug(;|B{)NqHcs^$!`bbVdZDf-QClo*Yak2VDJY1$wCH9;l^Ps z9Z-wC778nbrxdS$We%_kJM{$S&3P#oYFzkl9c1+X(LqL|*#1KY8T<2cm0NlEMcoav za(BhN6!v?$2hVWe=*g01-f!eca_2)f-spc?6BNaRFD6NOciIZbtq3d+~5`#v{Xlx=ke zj2UH!f6q7V;}^7NH(FxXJJpkc2~W@>k`{zE)Ij3RinZPsE=?Y+ddG!We>-_28uWa> z-_I#!Y~5MhQ|mE0KtUv!$rUOW!3Q!%?}cCTvn}!o3F(G)fFMN~*f*COE;OmKtc0=V ztt^#~+z;NLnjRgxX^>KMM6wN8L`D)g?Cxtj5Ghj~ER7?)ja04=r3sR|0&_j`pi{b) zKW}J>&H5E6^l^DyX6x~AF|}=MH;tq1KB}SjO0amEtK#z@Ym3&+JJk)W6<-}b_Elqw z=nX213^XfT)Vz9JPr{8C`#hVA8s;<|bD88m=iKLHSrBr zV|P5Nu8UUd)3v~8?93dHZK;DDT|N)$z7;dgecuqotUJt8f!Go1%k4TrU55K`%XN^_ zhN0*oEmL%v#aCm0?h=dzngEyR7L$~w-%;U`h~H?QO}FnTeBoRS ziu%$;=sB{RaRQKOe&cq-UvA$co|+MF3D32#)^22-M@-|IIBlmHOe$EVZ-XPxr65y_ zBC5PkGx%uM)skMqV23ITSHf-ej>s2Dv(BfVe;x8s|In671M2VbsRaVU!W0GcKEDt{ zj^_1?U*GT!{n)<7YtEqo-+L1h?`B(XA^HX(UZC>#K&ZYH?Ptqv51p;vtrw%aw>g|2 zEf33{eb={Dq7jrDY?}1(;GG!@>`oBQ%sI4hjD`a$Qd(4h6!W_r4B1|Pc8`}SkPw$J zM`?m@$CUN((ygUt#DvJB+~c(d)54`VC2dyfy%xP?$p>Zc1+^!Vqh3q4ZghsBWIcY( z;hrMTP`V`vb@nL%yXApX(iMC+Va9LyuHGeQNA;gth(JucfByFJg`RCkAbBe%_^D<6 zXxydtewbVRY}Z7%x-C&vv>OeVa7vX73ma1VgcEi<&I}!vLd$6-P{F+#6~Yf%OYX|- zCy?bsC1lW6<`6seFiN4E9Ri^=9P>zl=s;5 z)=nBl`prP0u)fkq>(_o@f$Rc;x<;Ku_PA7S?oDXXZ{rHhlTIJ7fC43rzldvH<~EYN8gSLp=)&aBNFsw z-y|d&5HJZ#d1ZmDr*{(WP8e{p$=EbTmpCKV@1Jo9o(wH7*K4YB`-5uuM*TIUU1tm& zw3=a0YVg$A`t5rDEu2^bf_>io8dc+YFMq=45%pTif19tNUanx6)5qz$=xNqYMP3{s zM2wx-d(E{LY=Ov_ewax8miwUix;Zx+-(A(}y%`kgv4gAT1ydka69|m;$e#$;>Sj`| zAY|6vnz~9!eZ1!`hfp$;!F1#rfdx=`7c+g=eph%WJ+3>_tfKX3E7a#eq6?l z4fsdhZZ7Y+-P!xokk$P*qLuam{gU_iB%BZ4tcuOUO5b*`F@2htO* z+btCW=d ze9PSC-e@N(mC60|uFG!Sj-mjXv(^EFMvry+2FkAL&Xs>vJn4rpWp2|9JVitB3Q8Oo0@*w3Y@8I{)eACUcHym*(_(!%INIO<4 z>M=PwPR1dm+q|7qBQJXn^SbZhd;$Evru>B3IdFsU>+(tZSp!&l5wfF2B;TNvm449RD3olQ7vsW=3)Sp)8(}-M} zlE`~I`U((Z~VK|2aVCZ!uamtH9p7j5PBtv$g`HX* zw{m9i(?P?W{&zdDilN?{QOgUHmgmDeEqTc?c<&c(uE7hzrp#UWrq9i4?loQnmuTG& zqroQc7I!{a-yMq@6H5%irVP7GEpa^bE8U$syMe>kBNq0*_YE zYz6*kc~9IQLoE-M1V7Zw;iudlsk7Qf=D{vaY zJzYBt{XGk!cC;eyeubQoQj+_4ARS11`PgmfW|yN>J{^W&nU7eGn5aJ=$N!uRTX)xR z9I~1D9T=kPVX|j6dU)>FfL(IGJOZB{o$AelVMW@>8es08QA6j|6R_?d4cj*VkTGaB zL_clMOt#gOL&}GDm*uFe-h{lay!SEUpz;GhPn|HVKZuX6)lzNCaE{3NV9I|$S=|@f zQUW*0;}9Gt(FgobVi*5_0X7;Y+6<3IG?vo(SC(itVKQy-=XPHEmltB-@{A6bvPz zUIq~74_b;+`-SzFH)HFFMF8@*+-~db|?M@s+F0*8xp#ymxnpqW0S%$A#-N+bD_Bx|b#X zHL(Y#gaMY<-7JweooV&R9B~1dB7UXv;uk{ z?c#ueIeE7VD^@G`ITO|Ddl_lhT$?N6-=oNTU){C`$DQ(P)r7laQXc{R3N)1d%_Qn_ zUYOqf+uy1KOm^IMTOV1Vc9bXhc3woFSME?9&;=cu;jfC+B46$(uFQ#7&#jtRO~%iH16vfp=c(ui?dgwRN|ULfET34ZVA6{0;Jmp-eFKPkpj4;N^n!^}A~>JA6+9 zNd-p&Tahv84=zMqrVAtm43FRQj;_J-}p-|tlhG@7y0T|~gT8-CoJfGxM? zMjh%Xh}F8UEf>P7$a--qX9n8j5L1KYhy#?odmU@7s_{0sNE0wUZBlW0=$QENZCi=S zC9qTQ^!+^q^ig{_`eao+vUHZ4+cCmo+=UidEP6TdoS`>93YMpitdjo7idRA<_$Pd+ zP`AZ>G$vgla5xovmJDo_YdAY;iRV~Md#1jm?{IsW+`Db7FrdAbW*~w*+-sYm3MQJJ z2J3@cW!dV@>9LiQ;qs%{Drk{y(9hg%jE#%Z-BoBNka(Jt+~dWjCSACaV=r~9dA<0i z#eUsHi*UcO!DR!v)U0tsn>8M9DePPfSs?lmG`ul;K9aYrM3sJXn6IM?n(9!kA% zvV9GawaKtI@NGhwZwBKoH5+Uu5@~04CYiCPKlJHtVu*L7>A7NAvy@WnEIrX*T<(kg z@GNb}z>E73&lw|mO@PCPBdO;2pz+B65MKSeqeZMhJn=I3mp@$&w<3oEdzL=y4`(#Y zh5u*gqm(Pg!0S$tT1Zrmw!CbmV^&*K_eSGgP+Dwz+{2WUnlB??L65WFov&ZIGo4@& z=(ac9cwL~Z{r)U-<00~jWU>$T_nXT+e8BG}~Xz&Jnp z)qygieSqIzdDO+aa>_}hDN;9v%B5H$krLU-o)juaq8uNsRX#Pw$gY)8Z;d2K1$yXx zS$?_^E8JOoQO|o~`5#*X8lG6t_ZoJ&wqJ`QW-iQYL~63sX{(p82x+Jz#%n8(q7hRpn;Ye?^(e ziAG15wjM>q>QoRJsvm*7s9;vs#rrY%-FJnVU4Ww7&4<3+QdfjfcJim!>1!U=xqF-3 zFCgNxAl-Fdo$CRMkBn(4`TYfpa;Yg)8Bz}lmjS$R>XSMEk7b`-qn9%s9aAnMYeZi6 zt1S@T3@rUr1(71s*MMNQm;oRawDVu06yEGLeG72kMUr001$d5~^i%l+-|GGCaHWyb z(H0hT^UI0?*^P+hK8LV-{fqbTKj5|DTe#;h+{Xu*NYR1mdQw#vd(h?Z^jlOTX8(u_ zEs@|y0)QR&38Lh)9(~76gI>DPH(pS&f{^YMOaiQ?J2H`7u{JGqeH)Q_-x#1EC+-JgbLHQk+<{AoB`>T!>*zX$%E&x9fA`<7Uq>zhyoIRh zQb)0=J7^nSv`+x$E~P5f?0s0`HDx##AtkQS8F-988Z20v{G4sqy*9;Z5OyB+f$z_C zl^dbNr;y;VbG}EaegGkupjoDNw|q}fg)!c(2H;E$!fsj6v%{c%oIi#Ro*nnt0M@sN z6rl^;2;L*#e9w^r-*7wQwADLzL2sc3Vq;vt0q)^s@o#=HYYg`Ih9lBCw~H3wh18V5 zC@P(FAgMG~>Q>Y$2g}tDqVzhob$GL8)GH-z^=97Ot%t7T$W*}S8-@Z86}XFtj=I@L zuS10Y;;J#OTAz@g$bxnXEtEk~0JW_JUVd6?;MBC(%6z)0+Qt{v95l9Wb2r6)ZXRqB zB=vNiHOD2V-n2%an!(m`MCujFcVKUPD%BPv&OIC0Ma~Vr9b9c!#Wx(xsF7qczLDyh z?XO)&=SkIyDH-|keKe>`8slK*sZ!t+cltiIqRc}k>dWHxj}pRv`M4(tQJekp=6LT6)yT}j$Y>qRN$hw8QgwQ zgdDWDJpFZ&vQtEYLGJM05zfW@cr?o8sLLX)Zr@;3;FzGWuy(vNePq2F4xPlNvO3E2 z(PL|z=f{XOO;r|nhb39V9#?L(tdTVeqqT8RBzZdGocxCyFXnC{%OHzXDnNG4NVycW(eESF;1g_7gXHz7Hrc#Q z>>isk#M=^T5P(ZxO3mjgdM}#fo25G}J2?^9 z>0vBkeRx&`7dh-Kkjrbm@ZfkI7@aSZuT$xkmX>oLX z4ELW;PY0VCMAra@<90xBvHj)@wsg0fuHPb9!AL*s-iwMq{Yo@~J#pPcd zwUF0Y_1Eq6hRM+tT1*eNE;&xH6GA3lY}-b{25b({cbpV=Mn1%|OSc(9y2Yo|;QW0}O>4A_F#L|6zPa|?oNemhE0Mi6sVg8#9y z4@UdP&TF8ck6m_K6%|4DFK}Q~bj5k;I5kdpwAsKy$1AtOvnlpwnT8_j$L$WycDhGk z%|0ftrj~aiGfRu6yI#H_>kzhWdO)kIsU98USQBsA@o5O_g&@2}6t*M^%f`Log9Rlm zdsKBlZyg!!%jeRpV#)J|DOTT5KHZJEV(Us-ctYjc$wBS~NJ>OZyA9rD=4}4&#Lm}o zzWMIh($#Xk*cvAo8DJ~Ip-v!(-(^pV#2V*;mwDZB!y0EV zp6SFl1g~M7rio`#2t3*id$;C_;CkrXDDP)6>|9g2UV2>L!7RLd#)mcOic8BJ>wI-l zf3fF!j6~(Zbe7qAjN(L=xN|5gFC8_AE@eRlEt+7ewYMRWq04pB?&X#J(V>hnfCJEX zPRsv|tQ>GaDarLb!S+Buq>%?2YpWtotW2>opT`Zjl7qLJtVQR-@#~1k&cXp{gJ-?x z0=K~7ompxjBM9G5nu?qfjs-kRrmPD>S09^=<{j=a)Iu9;{V4;Z6EYFI=p+0(L_V;A z$|+woH*B_D!qn|hT{Sy3-~FJHDYSFMt>JJvOv`<;=*x8ma$JssM zigXJ-%uuT!Qh=-N&jg>D5#6`;)mSSMC$YD^;=`)+Mtq{^R_{G<_w%+XdQ^Jh$A(J2 zFS#P^j$8Z2P+sQvOwtlwl+~0?th8921D-WnJD*N@GsJ&_`89i;V1CtaY*xXH>;>N? z$-2M0FJH{Q5krg~vf+(c+tvZ*(ZRx|`+!8K>*d_3m{s{#B^ZF#V3Sw+qo>1%&dnq9cS>k1hDdlM% zJ3a*g_kqclh@57PK{X+sy~op(iznA>aLKZ`Imd-~%THJA}D4pt*={*3umr8r8|D~TzWAeaHC2mw$^e!fF-VPDE zXoXxdq!NX#hu#p)(Gp#-wvyg>6$DHaeb9#3V`o;MuOdDZmWY@F>=L!`h1xw)g%{ur z5~ni@*L#qhraz{qS}kTk6gC^#Fq0+!*SFS_rkqitgwU#J&-(;u9^?*oOA!AUK)9Tj zdIH9SS`w8CE?z+)6S`l$7EcZgCH9g8_+Hq@S~(K)8)=rT_S&!|W4>w44rMwwIb!g; z$5l^GG=Rb%7C<=mcaiQH2QZuUE7=4`3lVxVfJLkp=?Th!xuBG1IS}%aE34ZcEzduw z8nX|DNF|(J)Kdyw0%vl!N;CND#@ILPAxlP0DTR{dyRs0``KD?%8kF5VzGA}>B!XPh z_aT5FAN%k9gH55>x%}V2flgVxS$5xm-RtnfcK_uS|0KN49Y=jGM+yQr2_YXcSC=jf zq1<;5K*Z!h@7!>aJ>QwmE$x1d!lt~;M&b1ozK%5!d4Kse6UeWJaH*wO&rF0lAj+(g zyLYYU`z&}|OW>Z4qFqS09uP}KpKcZ_;yABwlbX*_-t@#hqg9k_8=l4P@t9YS-O=QI zmNotKk16J~Z1;_G1x=ltwVpq5_h^pD_o@=$p81f`5=H#5SJCf1^{>-_uvW8Mk$kRC zzisTGtoKH?Lf7WNI@0a}o%hAef`ap-3aulmI$a6LlSbnu3io83J96DXiD~^d>H1M8 zVsCf<2jI*B5|;fzUL13^Hnyg5D3C!hxi-xurRg^{TOUX!ZI=%iFW~{1lC@J294y-HF_i1i)^zqSw^42A8qgI_WeMdyf19+ovOFQ`Q@Dv58m5^Qd(0 zB$l`-G=?R*0DE3h9&9^tExG(KP)xGeWRh=jxt7lEh4dYSZ0J@wkq0I94jee9NFo46M6Bs7ifmz`o(mYb-uuqTL$Z-ZnUkBTw3=b2v;?S14S>Gz4Gj+8eaC{QX8oBeU)uZ$sJ&d-AbkO zm%Z|Kv)MZ^R#$K!@r@o4clrU4Z*JUwD|geXh|u+srq57TMucuHjmPi4KI`6e+i8ZF zQCi?C@Gioxul46DGhxH&vm?W>KHeb4Lb|Py&~@z9lPqPmV4S+_C5kM!e@TwO&5Y2R{&z zje64#wR$6Pp09t$TwO3la4Qr0siG&cqB@`&AlKeNnYKh zyBnaE&oLNk>3Z%6K@qFfx5C!zmLv(P_a6NvSX@`q)W!wQoW_M!=_p%S4a}`GMR8-} zUncnwr)$>&8D#A7V(1_}6+bcg6)~`8uBpHk!^GNSMZT>d?TnUp!Yq#9e;22|4ew%? z$u3j*W;w=`&+!&+!DGC;?HUYHCETF3n+=!nL`Svzb)sSiK!MM!%N<`;U>&Ret{v4X z_^ntn8&PpFJxw^e$6;+3jcYu2{5l7p@SQ=wpToj+I2klA%QYdPq!Fn>cV zdQlc4K%7g)^ng=9c)<5;41nmY1MzC}FrA+L{Wc@ktO)!)CVFK&N;yXMeB7>y3E>WZ zWXxESWY}ly;g^xW&~S^gQIYx7DS+O^g_^HQ`%`+4Lbb4A+OVRg19yQ45tnX>L^SL& zo#VE!%RNBipR=J0OuJ9zoll;x`+$*W4Ta6Ei0jKiW}2fAOaQ^Ca}{8-Etj@>)n$9r z&bsgID3;y%r9F!@JLsP#vIilxn&(VHxonyv>AC6R<63ekFY`cs)qy_~t~?V}v}cuU zk<-(^fK5T?eG85}5EXR7KsVt(mU>;|SnR#O*sJ7~=%u;?ciZW#t$SZHf%xs~IShnT zntqP|lD)0v$U(2kw-=7o>xdw$zMSM0@&l21#{^#p3@yl?5FKwcR2f(YNOt72Z4bYk zMlnQVBZ8AZtK`wj}Tv$;k7f$s}Wpg z{U5&U{O;O6d>OcL&@tIsJKCVN#;p6c?X|V=fS};Q?uw#lembT-ZQIS>KM+hCs(p3} zF|reoGb6R(U)AxCqh_E)yq;j0543)@o(VtfBLINZ0kMh#r))faFpgyHIe=$1jZqJ; z@IUXP@EP>dHr)_g3`Hk5w2MU#q?nD0Q9C+Mnajd9?J#nTnQiKG2uFc0DL&I0XQSrj zLv;sADsE*;dXKZdhfuJE6QWER0j?&-+udQ3Cq!90L#EPpFLG%hx@K^+KJ4jTRSoiP zTnwF$>`jU({!tD>X2+Ajwe%>N(xQl~3}1J==?RNGh*t7)J12WS&soCdQG6X!lSA5u;bu^ffh-V3SnPfZw@w_W+8<$Z9QJx0ut zm<2Z%mD-0Yg~tfiI2FN!M1$VV$ubmE`hjgk0U%4d)>us;dTVJT+}_29mB<^q-2Q84p?9j3 zn8wsAoOr9(j>`Jm5NCe~2(ST_zd$zP&{u>-mSKz6lzJ{$slTA^KVs9VV%i7}43WGGLW(qbi$c|38Sxo!GQR}47O`^vTIE`V4`(muOeLyAuFA>l?#QR12AGU}8 zwD*%Ub<-wZ4;%mW*PsOxUI^qAa2OAJ`RZyzq%FhP2ZDy#ODW>tZ&aDEX0*(E@@nRO zcznBQ^`^4_+?v!6tU56r$wewp%-IA!$ODUeVt>E+4|8-91cXY#n%cLg0)cznHxu#L zkM^x|JEr}HXM&6jjK@G7*Hh1u`fF7genc!Ygo`*Ax;%S2W~M`jGh)^$NMvxJcUvnh!y-lm%wFBv^>6rZ~*{>+Fd1!B)OVcB(){ zF-JTU)0fPxw-X+$JbdhkaXVR2pgc5k@Jc7j_Z1o1(? zvK|VrUZI=Z6-N7LIF38oL1^~V0C3(_A2^&%=;X6a%PBI%oDqVIR|$tAG!j!@)k{Uk zt2q1Vf|wh$HilqR6GEiTKyPvpfw@Vb8+lax)zNQ*=kZ(JN*Tkki;L>R&aTn8*HaS+ zmNCLnTkq<-EG-1K5}+`9aUoiD;*0#m($ub&J>ki7_=>QbSAO_=z++!jIQ4#gJ~QsP zXzr0+`Z&Q%y4g&2E~G3=28Gk6LIQhE1NNXFs8k~h9c3w6rC|ddq+B9$cY;QK#ybFy-Tpo z(Gh}Ob^1d&^5?5X&MDX-D!vcYy1uLR90zB2jr!jf+VMVsVY~gRUF47qMZ~p@M-Lh^ zZXA;+Co~98k`LBhx#QJ-*Ku>%`$(nPV)8_>o)#OUS^R*D*6QTO@t#Xn#Eo`q-IYak z_V-`19~Zse&*yuL-h0k?lx&NO`#oBX4L0t@Fc4n z6KGbOYli2(#m~I4|EG7f;D#OX-l-=PAaI2^^i%(0{U1Bl04?%1HPsa3y#q9fDN-+1 zAqYPMj&cW_3iR2+pFp)&C}4=aK~NtP6T^MD1aiq0_rK3YX}zt7_<$cdzU4f0W}h05 z#v4-sMk-zh;3p}Ux`#5xRK0(m9tThN3dPU%ZbP;gJgHx!sIEW>Dw}2~gIxMm{)nhb zfVh*9xcCVj8v#n|7@q9eRAgeS4jpzT&Yy7tdT;An+J?ZbN!2La<3M5~{ zWaVYZa0~Q`l*^B1(|zvgg@d8k6XJ0iCf>pSc0>rh{Jt0U`5aKL1%L z-jY4|c6&ws!IQ39?7MmkH!zeZVah*If8LU5&sD(Zw5yUKC2XYy2wSqSm%CK=N8kaT z4(+DkXPv1iqE{o_m(!3I+lgC2^P6-UZs;$?|u{ z>vl=nvro|YTSO`~k_1ENp;o*x3p?Z@Y?H6W?Ym7sBT{9r-= z67wOmvuPFtu-bk_+cs1CknFS~d>G;<=xyU8FADg2n?pjwXTkK$k@Z{g_GRV6fPJNY z=`E>!37^h{^GE`}cPgImAIiaCJ{=4e!at8>DBpv*DL1}OciIyGxWB0-+#{&iro~DC ztb|*6xq@|@AS;L8mNm?jN2zizH+_%xZq2?6m5;eck)!_>f2mkdE z(Pk=+1~$piz-Sc*V9__Sxif5t;C%|xvD*_K7ahMBXL306j_?Gp8prBPR3(_&PrD}! zJ`wvOG#$m|Max7yy*T$?h&a)hi$?PdNYEm!rpj+!Y1ia#+5UX+XW!>;_$QeQ-Bx=b z)L3-7+O1Hh^EOEOs)Uxpc9<PwjqYb-hRu)F7BjVGQqJZm_`Ay6b77BE@rGGWSesK^E2}EO z1Dt8w!lusNq_Tp8E`)BRw#=m4RQ1%%otm@b+y;4!XK|b3sFO_W|FVP@lp7LZtwr1~ zZ0J9Uy|m-iU6m>bzcANzBv^~)4KL(Qp4wP!DcJ;Lt*VbjE{u04 z=FqC>*m_n9K92BS(8eu4C&Fvk**P}dj{6sFJTv;6NLJttJ&A)-Yy|p1HYQM2$~<+7 zRovatD<+)C_Av6IE5jjLKx6E2prT6hS01umL^nMU$&^E5?_azmRIA^}A+E$^EAg&> zKL2texwm2uUanc4U6-A9t;kNM@)^D@9$=n=aWi71 z5t-JRXP?|sO-(TmKn1nC_*Fp5piXDNDA&7Dfh(2Nkuts=PCPN_(j!Qk^-29F9p}{x zmk^OP(&?r)QP9EMw+51}O2LFP)aYN5-h=>Gjt&3OzYRDRV~JlX(?ayuL;T{LvzpM- z(jAxV8&ma9P||{=pLE^XF2yPbHM|o3um&98^)q3_uXF&AG!Akqpu4*PT`*L8=!B4k z2l6;|JD(oK90}>Gnvun@s~z=wGe;u?Dt2hUyJG&!j3q9{!da6eD>B?O>I@ex-;cQb zHJS@<+3+170OXR=P20*Z3`HYCBKGt)+GPhuk#=kccW&$9aLW(KlcU}Nl9JN4*`n6Y zAJ>EoEYK)2bO)GPo!rep4ZbEvCnqx7(S*N=3rBxoaE`qBPS>j%h+!I zQ4dGHi3x!J;u?XdEJrQw7r_om+-wU=4d6&iW*0$ZTtcZCC6GQ!3qB?o2m+;bZ+OK{9NnfC%y5N?z8dd5Sb~ z9IG2ZzLFCR-PvPT35&tN{_U^_nKvg82Fl$oq%LsV02-JUY1sY;W}t`_xfD*N8oJ(g zXM#0}V7LRpZ=dj2e;S!by6A};G+KMcuMCSD|C$fs4w7JTGjBxB0oQ~QULbz#q}A?z z(`u~xSf_iH%HTt|!+^l>N7~)0HzB*QH~xJxgGimsF?&Pd$3oi1FM^Tk<0#t!i_8p< zRrkTH-B><#g&ZH!ocLEXY2R^thNb7|LIau_d-VaNE2*CNDdI5x1k9SK#X2?uP^TRx zv=^BcqDax!7LCGNe`PeOSIe(fr!rq)18@NaeCBd1oNe904$gf&xW3Z9>x_GqNJvE);J zIUD$2L!pyR074|;l50A3FU3p$4dmv+Yiq-1CrYA^A?HDgC6$R4e8H0X=LBk+f$vji zp5@!gqno-fyDgS$f&@AW0grE3FXX>5)H|q4`iUS#xat~xy{p$t=6ZPv)-XGfb!BK5 zj`05b|MheVM@t_Z_zr;D!&8|{Ue;-f0es@gi=R(~V(g!m926Xb{#6YB`E}@D|Iaih znLq||4E&{Rg_NrKj5}Yv+}+)Q9}0vRE>kR#Ux8I125td#>xa+wAFWDejEi}fiTfqs z%tC&vgsH-QAIPSBf!O_q-m3mHJO#jr50o3P2lBpb~S)oSO3f7l0LKdeXw33(tg`$ z`oJ={uja8G&ETb2I{jSnu{&I{lfa#;;uHY*F%Z}6`bOK*eZ*;te{%09j>k zQ{*E7Z{6lu%K7>91eE&J7ks)KG3OWf#L$l_IR!C4KRXKPN&>$hfk_-dE*=KpD$TaQ zfpgjg00IJcnc_949tjBu#|j!X)>gw&wei6D}pR>1$g|>wm@)p0_o`< z1SmThsl37jhAus|p$_n{Nakq32&Uv|MwTH@L{0K2Hakc2|KohqL*JQE-;OcqfDo11#w%w7KliP$o7c%g0;L|SOgO5`3P8c_8d;}GF1Y_v-bSrltE$)^^ zeOSZ1K>vnTXFa@L6eL&)<%WAxKAtG>uAH1~V4ir!U<9T+-tt0-2C+vRso%;9WFr2` zLwzLL=H7FJ$A`qLa?#B3On2s7OBpLNSabYi=k4YK2>#%S50#hMx&(X(E@`w3=iGDT zf`OY5Quly zlYtfbm+Pu&Rtcb&u8FM$UBKw3mWRV|>KEpo^cCAJV~vo!pI$v>3oqxn1r)OmB$*0$ zT6tL%is3wz(v4{@@vw51yaO5o2PMB$3A-ksSGST{)3Y**Fe8Ggv;k$M#d< z+w<^sO?~?)f2{>TMa#!mxp`i%y78i_?m>H}gi{P#8Xe2?ersMbatVu##c7AMCx}p9 zvkzbb(6thQvWNgMmnT4b_>aJ<>CR)v6kk58>~?edyVyv*Zl>!XbLftjd|s@R{`HO7 zCna}1i%S{o_&zOjUyjvCjvval##pb$Nw(T~Cx3Y|;xlS5z-I%g47Qq7Pn^W#&c-A1oyHb%8=MS)z!Fs=mad z_#y#pd_%_hamMHFcbn+wZ_-cew z*nW!(L_f@(PuJm)m9B8KEh1@F(vRTFMI+(TkKGojz1c4EuZ@H^V}7xIKawUZJr;8o z&NeO55^-zYqPK=WFnq97_bx}35{S@Xm(-PDfPlr$&(XzesUl=II-o);mgpa6JzzFD z@v~=T(%Z>q8)SQLAw!xv$Vuq5HPLcnd#KNcyC z!`>7#qOcjjg`qz6_o?q z#a4E9MjUr|8E(r8tOjTZ^W$O#2~o^abP-Es;Zs(>j)=V)10rVsA>}_!Kukux6p);M z9w)ipjAXCXcll%qPf+Z?Bee3%tfhbZb9FLP1-nV@(3154;A<_UK>LQ_h=|a+#RvMZ zSvz#u|1#5>YUC0UWQRXOZfeOCu0$f2wwoplxQwTPl+vz~h9lQmGoJl%U3aVEN|Dow zV$SyF?|{eG2!zJ!Dh&A|nco-!alx70n#JWj|B_hB7dj1o|St0*mbW&Pw5JR zcEhT4;+kXUby4e=Lw9&JCi8O9j5~UmfO1k^GWx(BC#ki@Uu!h&yLut+^g^3^hbD5C zl#YDo?tfiT?n|sZm@Mw2BiGZC9Yrb0?6P;uN@aYECzsfd9SdDz)EqQc|6~sStmMT_t91RXou6HE1E*+3dI4{sQ)bDVaIo9u(E z=-i$ByK}2<87x^%{eyOfN9FGGs4rL&=qSZ0!?RHOM3l<)`)wuvE#ba>r?9^SvbWuU zc?c|+rr9JIVwMaMv-@%6N|9G+f#W8yK&PsqiWHyJ0cP}S>r;$*izy$C(3k9pONi!2 zKz18pS1^&EMg|B|vKDianM8rEBa4o~qaw;5d2sv23Ty5TM=9OH65548z0>V8BFTM8 zVO|AaE8zZ(bCgRYU|LemuvoWw6t5oh?C%uXT@ig*_oMVOBbg_F;Zx!F&Xqt_@&~5A z4Z&Jp-{|}U^T=^RW-AtZKT_dpw^%(Fvq?6Oa^G*=olG5c5mL5OumiMC3r4^)!qz zHPY+Go~W#@_YJ>3wbQ(~PHudnpo1}tlUuN`>ul&(tl9w9?e*Xc9AFe2<1L~cx5tRK zZDum}toO%V0&Gvs2@)vX56hacw)W2ks_$C7@$%!YYFF$?O6|bXXc><~^N7_!<&+^i zj#`^Vt2iNVZszt+e{2OHWgTbA03O~RhZl1U|x4RRtv2a9a7af(=W>Vrv_S`J1+REy#w2PNu~1o zMKz1#%!0aKWTQ=KESK-I&cvHts}f;PBM;dJEmCWhlth^Tt)4)N35%1~U7;0Ovg%v0 z8T=-ZNl?2lsk++22C9}&@a(6zw%B9U4oT3%OZt0s+7bn>kTpEsDxB{i)e5g`$GW`XuhOI0Sv{~^ z3G75jORx4-boXY(dpdtM{cU12@O!Hs6`WGRP07*Q-XOMfKoQT+NDq*-{5@x3EH!sW zMU&*e*^arl3xlxnfuulAC+Ebwm=JF*xxnW*iK~6Mb{h)6)7dETz-KwB<>L1c=sd?i zG6#DEI^gBvegkKnu$(uGqQ;Yb8M~b|9rZ>9f89gL-2{*N30VN-Ii33BfgxL`BC}l& z2pCf6x;=Hmj6>DWYTO#tIYSC=fl|N!GqU057xmso-fgaN8Oi~jw}$b2O(v12iPQTd+#rB_GptP6&#iC7tz??4l1u9YJ%VOl^w z1HLo@`x%4@e`qCO^=a1}E5EN+K$`q3!j6wbAdGzSGMPFVn$`Iq67K&b68v8#0-TiW z0BH#S#24Tppg-o%tKk2iIPiZS`J*b)KRECIcLDbQEbRX*?Ej0Lp#RxE|FeDmx86Pt zd)!A5f$_ibUvF=|NZt4Gsws8U4rN11VP=Y5yl*n?XuD@`BZ!ovaD}iMbUYi@RTReM zW`Dn7xUgaCWHz7h9(y?ooHU$Ao3+yv(&);70>xg0Zw&v$-=$NfsNwtP2l_(`-BH5^kWMjNIZcJynGqu$@H+`0?TyCtCNvd0KK8t4~i#17U> zT;jZts&78W7LsrqsH#J|E~H(JEX8$sh}m5FO@6lO0Dh$ENPXPX`3V1@AygG+SDSX{ zgtY>^gPLt#KQBK$WoWN4ZJZd?c(?_=bxpz8gNyBpyM1Y5$8csS&lq{H@i0r!WmTJV zVpqWE;Ho4?dHV`9+DYxpAc_TlPc-JZ8;I!NVLWL2sXV)J1=LKCaCH-e%CFGMqf2Oo0VwSXj&Fvk^aINi!Yy>P;xzxuE=Bo~f5^aKs6WM#m0mmqF zK2fx%YnfnuT2u_}h(b3OZk6w`L$|*t(vVo$L(UF%tZ=cAHw=~8VeKME{?}P2fRx8&=azo|Dvh)ZUxQtYgOyXng_!@ObHBxWeM|1BH z2YgK$=#N;|vKH{i<@b)GsKtd<-^NMFzS$t6EUr&CcMpa4Y1u|;jIxe5{UXxnoGTX> z4-|RMH}k-j!f;QB=vnU<<)2U|z_eBL_H;y^tjRbFJ% zGG>-3ClWh<}q){6NviCQOr!eBF3*V28>U*vp8P}Bo5M>Fe$uDZ?X#(gU#_f59i zqUCH=e^LEli+W^2W-50rak<%nedD{rbfbdg%;t5nA?^O&EB@LJgPQi>d&n(#^H{QS;-+%N7h=*R`jJui@O?5SH=`06hK?ls?!<<^JB^3)o()7x5C?yg8> z(`@uNU{r2KxFS14ubAy@-w@VMy5;Fd*&)*RgZGuM$LKFnt7j49@mq}8{)$DjG-@;~ zfG-xdpkC$6$Bl7R%hGr5-L~7r|MjFv37 z45>_lPakar9caj+4is41gA{FO#v&CZV036VMwNFQ2bQ^-3};UduzU|CJVdewQMwAv zD=~tKZ}-p+`#*X|J<+|-6xT=*4t|3Q{EGceWsaF_Z5$m_6m;BS(a+j}IHH7!#5eM7 za5w;&?k;9_n2g@PiZV-!1OW187zNe#z{n9M$++>3|HiKeDiIbJ}J`QuF z^Z^)CmBm=8M|mknsRupTpfNS5nr3y2z8@wUV@rD2{-`pz^3`qz5z{?`l8R zps_B$kt-QjF%d}eI-H8{o0`FviKt5WsyoVE+1#**{ot^==R7wolss9aJ1t2!NztEP zo=!tbeH&>^o%TPnC@jh^nX`-^V;)@@=FLj5=g4?i)~Lr`wDqk)|76U6%nq+oEQ(d- zZ|d#i`xDwm^ZijuhP#A><%aZL_Wdjx`u?_#$9<@zQz?jfm6c zFA@=R_mI@_G%heD;t?e&kTLSXYCKc*L5P;6aU1$S@(K(Y<|GIq8~+VpZ%Ur zV!RR0q((W%BA~b69L`16;?lz0st6P@3Ra9BG5j%xD&{xlK7-mMsMqBQm7E!R0PqY& z=M|W<{nl;4tZd6(bcDSaIcebaV??a$F5yZ!^XVpQH}NZy-tz!fMl#vZ_0{e6G@P5` zTDcr`Fg*@8Seuz-NN}HhgmGKu4?Fx{2DL9lvLxIM7}M6sOwD8DjwSvd&0Tp=Q%M@9 zYF%;T7V&^pa3B!|5kX0~5TfjD1(eBFvuAr zWaYl^I|4d@fSln*0@)66+^N~E+JE<}S6y9SfA76tf3N%Ne%<|bBYO5fT$&U&6(7@= zp8`9SxOkTQzN9IUxzXcF+zG#cLBn%s-r!SrNj|mHKb}$xN*A^Kz@BGgM|ECpd2u^y zdH3|={~WnrYogCxcH|D@;1qQUVjq4im}@C!Rb36u-O~58t+O_? z@*qcA^Mb`X;RmPN%z)Ex%Lgu!{*}_7&|kQ^Gcd<(w3#V=*Ee^Zh`%zas~jddK?BH zvHZHHpRJ5OzxC2{&Ls+IFdb7*m3C%nYP2($<2K`LK9RSS%8s7h zblVIpAJT>o&J}?jb>4KpfOn~bsTDsh1v>_B<*GqPuL0fB>l2?5acsn~h0AAV5@kNo ztQXn>qoH-M)TB7g=n#|D9?!hL=#-3gnJxa)_7+#5gY#>wXLf>IbnqE-X_b~1??=o2 zhg1UOg+(ij#kR6EjVj8V<1l8{HTU_OD=FnU)2Y!dWd3!-BH;O;F!&QU<_6pyHf+iLj^v%hc$Hs;wz@lsUG_LaF*q zhJc6k`qEPfy+-@FYQhJhm|&skAb;qFOH)j8@vYK=C)eK!*~O;x*&%6f_AFSuB!=Oq zdge`esvSa>7opYr7uHCky!960@<0uXCzs&R39uBjE-(L(@8oiQViR!5;(t=j%wp6%F3Q_oyhf~M;8k?f(|;-R7M)+MzveqZOL zal(_^DQZCrE(Uo+k9u+u`U*#^Xyn#tvMBd$w|cuDagbv5uBubY7knb~kzrag=qd_MYUa|@r zmFORP=6f{%_L$F1*s`|k^9koj zDoB`R9WN_Q^i;wsatzk@rrqUgBBTa5%1fJki}Xm6U)clGN+&hl_+PsGH!WTeRf4C# z=$zbz3**<2bkr&{JXVU&dbQvWTDKUDqVMFA3W^FVo9{~c?H~3)>!S{{RArw!U&Jey z=Vl7FL&C@iZldn#v{+T;ka|m!FxTya{)QkkY-6QR^gS2Nb$2T*Ep#@aS&=sM18O5D zs{1&dwBVRonkim5DEna*YHs$8^MmEj;bD`7iC7HOs zkC797NKJ0xdk!5}G37SKNP_3E4S7s%du9uV%^!_q=~0E0j9y)hF()_K5?IdPsV9lK)_oDm0TQ@1m)fTnx2c0?})>OO5(LpOJ zCpq=rT;5UO4EjRZgU`wo9_*Z-R?auBO}J7nONcAU?+R87P++JJtWW|PCx5WaT?I#A z`HB)(l@g8bBRu3S`t!QGGsbUxQt4%hqDCdETKbwMK1EG8mFh!{ySqJ-?p9kjJkLwEwGU6k?&x=*dnOHVQ$Gr#EvFyAD@q%#Mum(uZ&!FQ5^kPyk%+KL z-8RlrQgimBI5zC(&Zz^d5&@}FvwV-)gsiM^r_XsIAp&7r?c(~p-`B)1^zyRJ<%NB6 z>63HJa%O8oZzoeuV(7uMTC$Rpf8Li<0tzdWDGUw0BepSsD!0DOf1DZ|EYb3;sGK~P zm%cp?B}w~#2!*YiyW{lbV_*>3JBUVw2!Y}l#VY`K86Z(eapdGlt#e_QA*7Za!54yo zkP4A$NNten0MoLDy!{Dglu)EA3NW;Fu_&aD9t!IY)51~6G$0s+)R#y)KtYtNR3a3F z1P{Dm>lFYIY2xVVKr~W!Tg1c!Cb@n?Ainb}g0m3Wm*$7m#fn9~0=)u50|69L5)uPp z+piaM#1OWV0CW2V<`kIyf5~Df74m_hkQf;18zJ@e^mO!)KFDu8G*E{gA;`LEzGmN>ewizC;uX_rojWstx{%;X?iCPI%+O|pn POe{(VrmAXTi--LS)WlF= diff --git a/user_guide_src/source/images/codeigniter_1.7.1_helper_reference.png b/user_guide_src/source/images/codeigniter_1.7.1_helper_reference.png deleted file mode 100644 index 15a7c1576e0bc49affc6a137070b94d19d03e548..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 67388 zcmZs@V|XN8*ex7RG_h^lww+9D+jcUsZEKRu1QTmw+qP{xIrY5n`OdFzUssauPIv99 zeQVuouj)u81xa{V99R$#5O`@Ru^%8HV4A?=e&}z&Z&5vi3E&Tei-@!;G%$RjO(THk zFpg4ME+8PTn-NJ^Ih%PnINP`oiK?)D ztD7qT0U-jB786$W%sJ2X@Kqgn{n~PAx-y^hA&wQIg25My+AYyi>Sib)(I5DWDJ}%r zZU_p24p&q}GMgP*1oi{IRbA4f{&$Qrx@dvPJ|oV{77UlK$cq2(I7n}?tujsD`NtJnD!i>ap-J<9hu~N> zEFCD98T713zGkRR5&C+Uu%VY3c0672@NG2#El4=sUYc1y`Qun!Op&htzP{F=5BAL` zN*x`k0bW=Uo2|ogK&0!(e)|^E(LfiY+eTNKK^Obv>y*RD-WbeNR|ix&tjcGqg$xLR zR;fgq(>ub;U4FrHzTXOAmr9z`hqTpy7kj0Qc2IZ9f{y--9;n9nHwMR(O^zEf@|rACqIZ{gaLQ(_0kX zh~^p&Y|H{bPzXO}G(>#|tSn);BGGXVRbNm;emE)!6^q9nZ;C-@@cL=XqIb11WME+D zIvRfp60zWX%UlC3OfE|-nf7mYAyvxaKR*D*-_BmHk54o*q08dsdUlZ!_wX9;lzE*5rOr`8(y89%vw{7 zL4BB$LBK>tb*J%bq3EwBt2sk?*w}cB=M-u=&1Qru1&_=nEl0Jix6h)5X%k7zY9uN{_wk- zKkE28IOy1JfpZ#V8Oh9)+iXp?NTb_Xn8-d^tu_cQaCyCxR7TV7HX#g#q6>?v66rcwpc!|pplTc!n*bTgiHM{rSt z0Q|PEToepc(Jr5>0o%r1bu>0@`VIRQ(BgrhcgkPN2Vac->V~c8`3KfwHjx;KID9(6CwoD1@<>*JSa8BT{tgO-#!$f=(-)t^O}dDPGJFXN@vwyV(r}|v3!0eAZ68`&sCa44 z=U6EQ6qE>}=^qc7lh*}3C(>F2wXm|Xs;b%!sECP4q}6&x)UGj}kcc+U#A;(7cm`qx@(w> zRepFHKid9SYa(ao&J@MvWO-^mx&||vnK9M(B0u~Ia%zeV7)qgxl!rM{LOyF-9SyH8 zhMg=#UGE=m}{N-ZgJZ7pCp4!wWVzs+PZ z6f?TR8f~Oy6iU6q5r&`pqgRZ3a8N|{V!of($th`KVdwIiFl9Opv!rzkvEjg5RcRxm z;jB7VVN|5XOy>TV?G7=!v2%HlG4L-?1*3vwl|4-l<(!-C&F&kQZhJ`M3tU>6pdg)$ zw**)KgH|u?Jv6)b6%|{pwBE&E>iBuPdh^>$7kxz_uXDK5fhsGX%IT+e!MjC?g!_LS z3p$gz$A)zx^7pIc`-Q0}*Sw6$bf}G8IB2dhT6!+M2CTiqC-Zzgy~azXC0?^TpS~N- zzdkMK4CQ{>p$mC0{k44X=KCqHd_3PJ81MJatbs@%7g~grnls*^Qnu^f_U9)3N;{x< z%1>C^`onE2bZY?eq~f7W{>H#!1M)=q<;-#9lLIop8)s8jR3awKI)2+RR4&^R{v(^} zSLldqbdXz_nfcMEWuQ0wPLf&HuQHc`pP+o3b>xk1Zdid1>XqB4`W-E9^Hi`3xkchb zaqVtfemNsk7UQ!e^Q!77IOw69miyz0q`)7sA$;In@x6=AJ?Ke?!1sgam=pk zTtz6TFp-hOTs&EfWeO!z*E>0rlcmb$6p-B9?e1S6-@Q-Bgf*$H$5<)HDiN zaZbGNCb%x#?D{KoqiL zwX@+79Y0VNuSX(~Rn;_163NK44vS$>Tl}Yq0H;9H{&xaA$4(ZGi1&P&Mm&SY_S7wNDV<7cy|q^l*(K3yaZ zcNuUeKlpeVO9DZP!LXnEc6AhYvj-Cu^J~(aw9(Bb?_w6x#*+(CE?+@f7*x2YXP5v{ zq9Qd9k?$wSERXyCfPmleM|{BaU7imWBRx4gX>je5!4&$Eo@D+`A9t+-VdmE}R6gGa zTbYYTrT%iI~D3PM}bhk z=@=~>omo(!5cU(FHbouScAeX#ZD)ckc-%;6*i+w1f#mF)V{b3&)V|uXW;4(nptfZ$dQ7s(&?7PZ#Uv46i+6Bro-69I5 z-u1!3D4#7c^7*mO=|-bau%+jbxKa$Ya5Q_9%fZ7KiFBmsseQ-yu!sT;{CMp?E z!9yM@n$1zWTO5Dv^>(4z*DGZ=7k1k#!ZDRSRQv90TvU7l1R!tcdlD|N9^J!I98>vI zVGf;z@@?+x*T=Y@6OIqk57o#X<~6W zlg<43laj+X@*at5m6IsE_jmyl9ZAea99WV}IrlP%Yn75Yax0z8m6F`2*5NbfwJp@H z&lpXi@T=i>L^h#U$ggp^TaQcAhj7Bz)8sMRhKl!A-5-YBrk1G0GsU$8xL~mg*CWKd z;pGkAZS081WeSTH$9|Tw47d?=@{pU{Y&lR){|N|)yId9b(!=jb3Xx2cj*2_{Tr#j2 zy=bogm?oBJe0K2StBrcf;D2s=i?|NIJ|31-lyzgs$wHna;wgw3;*jAmkZ{q(UH1mZeV>h1 zw;aJ$9NOT67ePkOt8|!UQE;StPux)n3FBvM zOZSgw2+dN+q?gSy-z4Ho%NtT2fLgR4uzfZ}P-5Uk9_r(2ESKf zHK$o`jgH*Yqswjx0?Xt-jMUqxO<}(*!!0mF2Q^WCQZp`JzA3AEIcT`0rxC}BF$gSmX_(&LpimEcO8&{p#b*PjXzEk{s zf&l{IoDPS{oLl>UH1rGYwmQ#sYlDhRhL%|Z1QaLpCS3g9ik#ZK?2Z&x^*r#ArKMv| zR+8^RL*-W5Gyg*!O70w2wi}~r&Fdm^+BhylF-8}s3%)fbQ1or?2Vs=?rZXWhwktJ( z83jZVjC!MK;?WsjJy0=O0=fEqVYP015^~+RPwRbicZbX_SNi&$AMRjs6lmf*$w&D^ z`s#x=ZSFIlqqNvu&Sc3BZLz({lwKZN0^aLRP=18o5t;FPy@lXV8MQ8yJi&n`ZSJ+Z zv7F1bUaabBx_{pBmC(qDXt=Sf6o&koHzc-%gEMZHO}@8W323{X4GyW4UJrMDO>D!U zM%b;UEI4$p?n(jwQ%dhSv z<>RE^qBe^~!oAjM$H@$LkM_KhG-w3phGf)I;e9(hr)1BUF>qR-($A`XuGTbWl!{;i z(TeobZ~xA?T%MVr5b;Sse)9+9^~Zeg#bG!8%=IvauuV-x+uxu5=iva@XJ*M@$dn_w z(U+S!7FWgholCztyI@$#zUzqKb=?i~?(@T8_2E=}u}D0ps`A$ax`rc%VE%LqSNYi3 zO!kDOD-UdRG&YMXRTQ1eSOzmztOS6l22k+iHW#bTm;a@1!`*g+_jB5WRh384WW$4Z z2F~#WU>eI5OWeO731Yh}sAXKoqEA!7ia@&x0Y3eT>@hH86Ozg17$@XSgC9%ZQ$v%O%o11j7s$15N3LF*@T=~Onz1x}I$a3qAN=9G z3jsr~U1Qb*Hkp!wL;-OG2WRCq!A=C>5r-c=W4S+FDsLGpVT+Dlna7QaDjuN!orkX0r|zz)R-Lp zY)(x2-H#!{vbtXoc77UWLLi`ph3(v?&>NTS$ec2)JAL0f&lp@OP?x^r4mMJtmXs;( zHLU$%V6+$m)>5m`J*Q1Lx#>A(KdsEcSUq$xHaj z&X;3z*%ogjPcb@`Q&`uM0r=76;gQRXD;#?2S3S^wYb8MgQ0VwrIZQEUI4+fTM7ufe zWhlPh>Qa}5*F&O*Q&psFY3}jgSq8T?+JsJH(M97@(%r`s+u1sH{G7D&*`g{2ChN&z zHur`5T)CS~(T^Web=uOl3sIuD9RC$Ox}6;{aX2P~2!;G3~08K1P=K#jf8rlO(uUtWmJ%=En-XQeY} zis8uRb@81dIHcE&U?=)Hc(LYk2jI@s)R{^@pYP_Z-pMdp%2IY~Y1`M1b&J)MN_Ifx zK1X(!U;TrvvreGnDYqsn8y>Uc4_fw~9k~2~IaU3@^fx`Vw2%iZ2P}C~Ja&$<24oT) zZMxGy5JHJ~OiWBHVYP{#ARUeu>3hS~QapZsfWp+MZCpgPglt)Iq~Zk> zWMpAAX&45>=NRnDk8N;;JZ{khBnWY_?S?gO4V`F=8VIQ5HnV8P^;h3ivUUbcLV?c~ z#%grP;I8iBI=P?fvP!08L+)3DX3fPQJu@>v@^L(%Z@#{GyQ(+6)D3#KB7B>X#9M8M z!~hHc1nxq&+sE6UQ>){uttpUGD>*lbu(qB{Y=Af~n>fUsqkv!#CoXj|0jAQ?sFnad z{V4$yeVYN;9HAo}`$8th_}?jLK$e>am7bXa=%{ma^b9bt8c<;&F(o9R9jJfoLv#WK zY^<7|TF8l2!<{=1GJ*jY%j;@**Y4%|?}TDhF@F%OzqBkFa6Y`z2{X$wg>hcb1ex21!ib`I`Ae&3XNCUDD2iG%%3g+r(pgl40iQkc!f{*GOeN@t1CNxOCb9Xnb$1Gs^^hqrpS|rKE^8Ynu#w0}=-6+P^6(PT zkhn-7Z1!7u|0nbL)L$uu*#A0Gf+CM}xm&Ow9)}WygC_24dqT&gmi2kV20tp## zZ}YD#_V(NA0Oa$jw}3co(a$*i_S=3`2ylI(VmlpxIe{D)fOs$6ttz@*8i4EXA1apD{bEwis~{u5_!bn45YQXNLz1Y1)nXMR9E)vX^pJ)h2L%8 zpX}RjzzP9C4Iw*rw4BD2=%16xx&mb*0V1xzM~aa{r}V_j-TCvatbPV-IBRPw+R*{f zB64de33-ZumDSb53~{2FUQ}v9Y}=@=Ra8XEDq8HVw^G@2wrN!D_J4lhF;Z>&O2bSs zYWGtXOVpZw`nqilb|DEOYl7vQ^_5CV5r0#^tTY$>o2x%SFluAg8zNSsV!q=Kh58El zLw&zw6q2W_g$10}VthL)+rj+x^#KhN&9GKelh*>l1K=N6lPOV?Q^f4mF`~D;!fC%D znBHR=DEYs#Ih~yBo0$=_;e;t z8&IZ3jCWMsIkew*w=1fptk%+ka`4U<7T7MQ110nQ(%|7R9KYuOKo=(#Y#VYg>dOIj zF`U!Rx`wS4Ei|KF?2?c_OMTpn+Kz!-y=5Sud+FtZK0szVl6H!6pU^x zq;6U*Ejb*fpO1EHvz;1@#%_VNG1K*5M-6nzRrIVHhBdC2L)WCq)ed@ z5)2$11{!APJdxD5%M_+LhCp7-n`Z|Z*_YP_qeod8jgVI&UB{sWAVnc4DUvq-;#Y6E zAPVp7@I61SW%TyJz`&brl;xu=HBbXA!VY8zQVV)006u7BWUfI#lR`AoxSK2xIpeT| z<>pHN%WjGiG1o9l@4h)gB4cTu9r|@Z72D2Wj>%_*Djw*arB?Y($8cC`kym&c)S)+;RKdl9`n$-hJF2 zWW2xZ^-wOCkB(l0sHLX1;30%ah~5C4Q=VXc@7_?NX{MS(M`(|2>GQF26P^C}b|h*o z1sM_s#^66iL2^2QJn*wcBhb1u2DAMlaXx-CSnaB`V4WtUtxD|B*4CDvAu-?A5umoJ zbw?(q_=lbq1$sw-GX0xTEA?xyCGgi`)y=;RsqV}iJUU`xF$(g+8O#3`Pf8dRVA2}S zXM*d3z?v8h6s+6aRnt->0$K|z6LE3U&^SxYwtiV2kR@nR3?`M5hR5Lxql z;>t=DDXCbJ{IWUcs2Jj0$jRr`H0Ewfv$-tlZ?ANu8Oxh=hBFct;@*7&-j`u3cC z$q?M!cC|l{-R9Z-QrCJir|04(Vfq)$(PSPu7flrK;qs|m(!0|N<#v5{`%Sq$3i09|0Ql

G^b{Z)hd^L}ZvcF_b5_7ZZ0%)cs@LAsD_t2zGT<{pnSnFTW6K8^b#7-ecY6W& zJ^}!bz#{x6+9v5)36^__dvPsT!QIlTYv`;}p^ziHQc(FXvSB@ARJx#4A?$W0D){k0 z7@f5Q3IlLc&|kd(s3BjVt^0}L5cI$S7-P7jr@_rT-4sG+S}DlXB1aM{4f?&1ImzAP z`>^J!=zU_;)whX3K5K4)Z;UFzl9oA^_kJa6@wVZNpV>4j0|Sp*?!!`$;QYw|e{Wq4 zyE-p%D0(h;V2N5)+>~h|4lFpa<#;{KR7^?7%0<&^q!v)NG~9PD)jSZSq zTKYQEtR1X#+AK#yjBg-=fR!lnhsK9wD~8fDuWGnx>k&#jto0a4`}DF&Q7PL2ZIG>S zDsn=DX#RrZf)EaEXV8_}_7vgr8&*BnXtJFct1IzYNwyZ2s|J*HV1^s{dfo*J5>(Jv zx10oK9In=-uGii%IM#EejaS{E3LR!Bi4GtcRX%{5QSGra-R$gE>WjAr)Z-t&N|ypx zi?QrFu)0MhtLYgOjo<4W-vI2qG58R#p;aDfLX?vl#ksQ+D6ZTD7aLOhiLVR@4BKM$ zY`SUFmIBtG8(n+WJ3nvC2~=crJYfkN!;IxMoj;~z%QlgS zzFNAf*VYh(jtb2LygV_({f*k2kxf+QuYJb2voL?wI~a4e0xSm_^Zr;4utwk>DO88W zGH(I z&YG`haXad zNq28TzG9l62Mx1ak7aEv4GdYP(g`%;0qOFK*{3)0g72fuPSIaKl58eHt1G*;)TZ&q zE?rcNR`K&oZiQu*4~den+qWC1^HNia@_1JddFDJXjvG$QUj*{at=cB1C{B3RZUC`i zAVt-8-KAIHvHJQLWR`QnffVW5O@XjnM>$i_qaz&fAGa*9qWH=oK;GEBp2nItX6$Ft z;?EUkmfK@eWEm1WxEfxw++CtzG|oC@)Rr66@~n)L;%Er$avWj$cs=aOX8-P6GIPU^0AL*BO>DFjCvN8_4wmE zPG$QG-d8WLu!~aer07CD=lE3Xy#|}(|>9Wi5z+K>1}FB+bH?0 ziT)aqLGfn5 z_MvzJ0wM7&0jE+J8NW2*k1Y z2iYg_#ucNEDh}@98>K>}0eDLe_~FL61YjhyDQSD{4go!%&pmqy6aB1k{;m%7xX3fn zRE_Ka=myw>{Pgac3GDUbK0Zh@=ZX)|puXbnyCxw|&R}WE{K@G#FIR+hwjVz`St~?} z^s;Si4G`x$S{YWZFddb9;GZlIPPshJ7XOy|@B7Pu|J8gfQ7x<*T#{CIsV*(x9IP== zi*G)mSjjcF-?pmh-gZlAbaUzzi(e0WQl%zK%!Q7iS54BR`kKP+WV|aQPTN}5HsND9 zPEBT{61Z$+>04N?Z&j`{*AZhN9ra-p*{Wkt#zB+6E&XD3#il@8nmUnye2DWITRyQW z(^bCAcueUz+597Dy8>bhf*1Lak-M669iV_e&~l>;+boMQhoJ+iPh zT3Mi3GSj?S&3tre)H54u!XSWb(A(5At56ElX(27&8zN($_vT$^FjTC3R_$z(mL4|S zP3hNquDqCuKQgm19EHU`Jp?IKnDCq98SXL9Yv@Of51VW61VW38Y#7%Q7>$1EX1XLf z6+~3X>pN;|d)B1!ViJX|6-~?i4*uNUg%8V}2=>nB35HmlzwJkSpWoul16V1j2|Qly3|No3-eSit^fP zE3$iEMhh!MqNs{0vtY(W^P}XVGr;?}3Y|Z^{Tp8yT?lA9H#X%xk)`~EWXud5Yh4dX zPQb-l&EO#}J!qOqR4R2)IxCf|PZU-+eJ3o88A~rUt5RHNdY&Kl3ghZ}2MfWWDNA;GezR|IqQ1|srfWWQ)2%RW( zlbm2P23pekun8OvwTPwi0I|3FcR9QJ6zn4n(*fw1hw>_^F-g?-t zU(zEIWkP3rmwOEwqOgw!@1tU~BXxlxgA*)?)TNAwC(rNd>|}ShrCOl0e>}eG*7|c- zv!!2KpU>ZvVdkOyb%#W>bFf>nN9RA{_c1D1=4C@YSTzHN!U=h?I0=GPF+ z;<&O{AGtU^LBFVM7NbaWUlW_%hL}p7<6BYh@O7xcKglSF?bw4I+@lsDh-gV6Un}#guXgdwuyVV zL2h^h9>g9Ret(EM_v%x_pp?h9S4ds}tD?1YM9(fFHFG|%o*e_B>IgKaR zm3}tLc{!6GKy8YgN-p>KeR6@+bO4HKBX(V@>84En0ZPFDc{)26x>NT#s6vT-sfN)=6xZH?fBh5_ILQE6`C{I zm{isY=Fh@Y`L*z|iDhj0)@E58)TIX|I=o>WF8Bog9g!v7K*) zLb!rA78bWypo3?KB(`tlm*15-zkk^wO_GhZrJ1U8CQqU_+U%JuytCAn?a-q@9R5s! z*oM%04SjcUefH3r*i@-n)AXg|(+NewTjlVZd<}hC9jcuX4*goTye32Kp^9?I`#MX> z86*a|4&^bktfGmp==d+kzY|$}mqL9h+1yklR;^XCtP9b$k*E!)=e3}h`OC(XcsdHC z=`SK{!`;IwV;7a}O&Q-3N0TTkhd^PkOwx?#6I;HJy(NhiSL5ejoh1)eM!i`W2yjzj z2ro*7ZkVX-U_ISD8uBV?Z~5`~u#+N&IZp0;%vrMbr}P2DY10cZ*o$)Xu>H(1AcuQ! zar$(jV%~cDxprsaCHMyH9%Qi|VqO7z&EMGQEh#t6ba{4S`^>dNKZEF%p{Ald3DT{b z7{g`%X3y5}ur*(DcKmU6grQ3fS)nS5K1Ovqq%tXglGl@%pmso3?OYhTq?5gv1f_Sj z4l>;4;@KyOFw~s+q(6D5S5iRz0NwC@x7FZvYSAM|{YMppE4B<_L@;ape7s(vH~W>p zK^VHB?u2^1yESA}D*dLj3hyr-2B~H>NviL$xkrRg+4Mn>zqEH@))!l#e$m=_m{Kf* zG}uz@mxhxj5(s_Y$ETzv$Z1-vA6<#ueNgwVzvmKZJTfR=<`pCV z@6v&$^AvhtkW+Kzz4n?~(#vY47Qhex`Zi3K z-mGStj=I((U#rw)6*H%&xg~k9HBOj4?5pHj(9r-iLv~7~0zptXA(E)oD@zeCl3k6W zI*qyg`th<=V768$$jo3M^a-Swy}NaB0ieJ)M+)+5O-Y^fKNi=IVPMf_Jc_{(6PbB( zvs*%*D}SxG<`xGVnm}8&PVa!5>jR}?DwXOF$nV74dAPy&=c6 zX1u^>3=dwUHP_QbI=uG^^87?_p-j6^{339MGfNDRz%`zfqc7Z>dZ8=b9mj$8w34h( zy$_Z2>P%5f#78mOhi;LoVN%wl2r^x*)UE(iB7L1X&mQwhf`GzACold}|L`3M$#CVs zK8KQ_r=^A_BHuFfUH{v1NU2BLvC@zR%T`Z=%{_`b5jZp<>g=&J$_R@_aq8V@W|%VJ zaHQa{AdZ}MfV|N$m(u*q*~8JGt~o4Dv0%t0YkOR zUCc@D*OpB2B~Cd21(f|$TS9!6ow?3JN$|xc^7$KGq9Rgnk+hF>9uqFzS{XUXH?xc( zS5CN_qs&rSMGn0b4Hfh0M$|yZkT=; z7Tp?O%Rx3yU%1Wiu7ug5PnAigiu8A*LE@?9u*mD=`rwPX%`^zUmlMGf6KU>K>@gmD zdi7rDxy*cK0MnqfE+UkHqIl|y8fgu^=e>wltK4idM8&QYVWvoRYp_~{4Mqxl?xOm* ziOo%B1us;Ghw8*4ce}t*32nxus_Ong7}NmobP3^}-MxQLITA6)y3Qa)6V(78#6IXS`5svNA@dQrgf7oTk`Cg_@jUw7%*@c@{q80c&Z&2WRl@8_%^6Fej&(cwzM03-@oA3ni;bRqYk2RaS?7 zf0Dh@W>#<`jFowvtSkeMNl}AshuRjs4(&@paql#hWFg1r2JQ4O+6=gqW z(+4#Bq;jNQkHCU!3|%IFWnj+dlKl@lg*uuE-P=;cc=6Qs11kMtzC5J7Gy~L{J*s&X zs&EATL@CaP*aAHsWKy=d{K{;r@bP!mhxw^R6>*q&Or1ij;1+F|xFgLpKrS#Z1D%`R zE4pZ(QkRrWE6;mAW%H+~8(k=ht(zi%K+rT{x)b4|0^p^Tw}cHDRcYYb5nZ>_Fwv1B zsOS7A!ZAJ8`wtUEl@TY{dp~#4spabjPLMxT)phx0Pk6Ip@Hh1*yFV8AWrWcc!yO?; zgafIO(By!Eh14p+B=cV(v(k;zME>e=Dw$=KZ+q91%YQBgbcDgQUwlyQ^0ZZu&;fFN zp!uluri@3+*|F&f?da5JgI=1m(=#9cE;_%Ou2L`>wr$x4DDNy*4s{2lHLUVnw()a7 zenb@h)F%b}1!p;IzlTIrs+hQW$r_&h-P#Y8gj}2qTOYjYA9gmyT(!Bup{^v;mLAT^ z>_nFFQBmXMMku_cyN0*MTMLdNyl=LuH?*c+O&eX+!zixb-PK1ditRj*5o%U2RbG-U z!^DwG2@T-RM^p#G4a;97_e$ec#|c?{9ysnzKK_!%hNV*_yfR-_bRJ*eu-l$w5nrI! zn3ZwR?EIz}w&Q;9BwFHE=tQeRgLPIrB+v7i_CxUInvLS?1j zk{ZtnxFxH*`7>{TM#;0WxC2vKjbYdFb+{*a$q!ZvkHN{jiqAfDjlqEi!mHUa2)fvQ zKPJfbL|lV|SScNcqGe?K`1tes^QSx3Zl8;7D30;I5e%79_`U*+dK=f_fsAsY_88YW zGP1cU7PB17Hvcy1WiNM?-oJ_go@VL}lZJ)3tK8qQZ52SkavI7cC1gx*48e(mzTr@o|}c&f}N) zV$!@|ekETsW7665sK>`Z85i$w5h{5l*`WtM^$MQ%TFry*?y ztfQ7kOk82g>n>vw$DJK3=fg{&v{aX$t%$_2f$@DT0jWRm0m6Nm`oN+bo~JYxkws<>RN0 zinRp*{Mt#om&QS6-bba>(sNf^-T(bo&2wS>8_DeJX>i8>&Vb$TSeO02zhOv2nL2(S zDXAMAm8Ad7z$*Gv%A&o-Shjf3u%gu(l9C1+VbsW@4PjA7ksRgfOxuoS~DS_q;Wg~`7XYL1F@B(H0)0Ip~`2q|$|E1Df5dx?IDtP>Q8+?YI?;YIzS)w)HQc@;_X1&-qA6xP|5;A=U zW)=>zuH|s=0w|NhxM}NOYUHz7Zz(opPZ_`9u?vN* zQQq9nM_tcIk0h$>6xf#WB)fuBp^@~m#}*;3X0#nR3*B)wDs1_W{h_cx1(%(O1*dTn zo-Hadh)-gwS<}|Cq50$n5BXg#^y=fszRM4RZ~=)Q69S z{G?jwXOi6P!FI;Xmm4JOt6sn-6WwV%#X(Wan&7U80C?jS2gIlfyVJ#f&ngcIe(Y2J zMxGjui3sB5bS*nDp6iJ(9`KjLrXS=ry^am9#ntD&&gk%DE^F18Y$RNww`I~V%t8oW^4VB6;JV6-M_wp>a7ClYgfGBo*#mn@PCz1npuc-Jwz5g; zXlOkC7~RnEA_A+lwZ%-8Fq2dFApzZ#V&i&-Jt^tw`F3vt#exNs4tob_`cD3l!Y>vJ z{ep=3H^p8TBb@!1i*N5+g*^VDES7r$wV@!zvoI8OS11XPL(mpg-I{c*e0}_e^)7Ha zk$YN-y&=~nfgUv$W$%y{V^6SDm(2R0x;Z_J5q(@$D&78Ss5C_n!l|NzK^m3|d1}qk zrW0+6U$;{T#mf?d^DYb??d0>-iLxMjtfMn5SdpxmF90C|VeH^4TwEKR_p0>$voWVD zBL5uByQ`kg;{*ByPByJb5Kr&^ji)Pl0r|ejgkmEpCrkfvp`P-+z}?wMMnMm9#8WL- zdJ5ky{MI9dK#t&$dgpWFYo-niNKlqLj`;k8A-5cZ9a2I(2rVRX=Ah`WsBx0$}Y*kx(4R!L@!h; zfT2f&wLoD>Z5Z1xXJ!ZE)Xe=TJGRLZl>WeOBEF1&t?_O`^OcAy@#3E zkiN>I#?8We7ik=sNMBn_WZE*+n(F-^a)Y9SPy`Dz09ke`6pyL$oy2?7H8mSgYktG)iLI1D zYmmB0oP%}mcGosu0`ifun1ky*Rue7`Q#jbClKU^BSi0_@A`f?LURJ!Ut=v{UD?)w~ z^2BZqm8~_S*Rh3^A%25Bg#U`A_QeA~DrG8n0xSs5W=??ATti>1GdRMZk{riiW}`9z zZ$uwGVvU@4QRrsi`aUa`H4G~n4T!kw#xxb>^yG~ND-kIM@z^u=O)PU|%n~hZzdYv( zwHz1e=P`#S{gsX0-J179KikYgs+6#uPvTsRvK%i+^@&=H+Zc5$()F;Dy%ZCyoGm^S z24J)qZ3Aax$C=0Ua{dxk3d$WW`n^vG;Ir>_3gyVx`3v9Rj}^BlBAN}R{1IM`c~Y3S z*G!9hI2?3W^JgeHLRVYn+aGRgU>$`9Ku-HZEdtY`K1_$*oP-Z#O7^q3Nr=+mVC&?O zq@(L{x8d`mhKqDHpB>L@#%~c@wj>s5$ z?gO8nmhw`Vav`HQqBGP{H3NE|GndQM2!RO2fD;DORgs+9(-tq6p+FwuGuPF|r84{M z=-_#F&$imyF_pH{z%P!DrH@C3Qlf~bYWFo)bN%>iCt8Y9kdUL4ihk<5II)j;PIVGd zpC02(YRVV}D2fd(b=V{m*)-LB-2o>ByNLEbdtQ z1gkp$xl%)v(_rD3X5=uDz{(_D#7GqjnI4U{RJZ2N3ETdagGbbo-E2U@oXujxf`JU9 ziEm|tj!2_8$&E?rnL?O|y41d?zH}TbG1ULor{nCd*QfeWyE%^Os37qZo{Tk>pX3pz zii6O08bt%jn7;a5D>Wh1GK;<&?YIM%($~$&(lwzgs9n~to9Qp?;g3uyt0~BCq4i!D z56o56_ngugvBR5_u4F)p^f{D~LA=S-Vl# zmN&)coFO<<6V@+U{gms5uKzn$qWIioDdLMQfVLfuK=URHw`J>H40 zv0&$psy*Ou_RrV(ENhwr{D>R~)46q{7N^C(dLm2EfH*kj|A>5F|G(5XNK@qEsSl54 zVzHr@8iP$+&6eUmBG_0=gC3N!!DX^;#-+}?wA%OK9A&+rclZHwHYQ3Y2LVa?H1Pr| z+_fY4r_1?oZGm{vtxQI10W4dc*B9T_Eh6Y>0{I)FJF{2g#ymw$nfxKL!TWQ7{YL(S z_PhG`wYB5vyCUe|SFeFKfdhK}S~(Z<>}7Ot`7fM_7h6SbJ0Wzb|IZ&X!v;+*+(xDE zDUac4DPOryOXTLe!(GF6H^R#ZEy+nKd<%h0Zo&7n*WR2TK>~aE3Wt(c({8r7J-`N1 zM@-IpO?&N>TTipO8X8zi^s!wREW)r{O%$&l|G!6MGys$jQoR#$R!(OQUY<^`MgF=g>UJ951U>fQ=bf8ojZ;iKEJo#`SR+Lk?RU{>Ly-1 zU`?6W<=Mv`=>$0%9QHo82-c?BoZt z_iXS8GoPHVe4nYrjs#=yI@6kD;TK|837|4SQ0NqzS z<(KXUAFid=_TK2TG0JK2R&$6F>dNz^%<+D$kqZwml_1gUFya+eYTpRO|3%aNg8?wY)|PS_ zAK%O8dmJO$k87&JQ0M5ur4|dI^ZlFk3%z?2a!kzX6t*_wN$_ zjyF?uf0g=WN&+Z5*B2T3^U!a5d7t{wXJXt2^bl}vge~FNN=^9%B&mUHB&lY8JVas% zR%-duj5%v*26B28l%Ff?4%TAscW~A{|FBDo9zuvConFV?NevQJUNvmz>`?&HavUy; z10byosg7evL_5Nd7FZelc{2beO$F4GSi?i$s0vvfNgnSG^guZ={%#=93j)ol2>dVX zGZwNQwD`QfceGGD1;0vEA4Rd@3@_hqs{tp|sPdJhfAp|r|0{F-qDF^8Jtex zi`xy-GOwu3D(4<%4%<8VJvbWBiPvyz+su1T^b9Q3EsRsE8PQz?= zs+`U=p9H8Tdz~N}Yta9kl-R zayE|rgdXyDQZ1~^mGoZCTAH#>QuL6mtflL`ch17>U?`N{UDuFaVSlZ`O8Bmf&UjV_ z(pu#zYFhw|qOZd|_>D;L=W=C_e4a=YppTe3JmKMr0MNDBzkiOk0cug%{^1D#q&RLo z^r%jHc$a1PJdQ()LTjA0n;u8okx!SY(JV|Pim#^IPeux`XausA@doZm3m@KL`HqZl z@JMCY=Wzxj_`ilns|QJDc#bDfdty~;EO|HqKBEusztj7pUWMBooKwkgTQyiNnPXYd z+`1BMkVOGe-r&>|1ulbbWbhO}-Lva*Od2*GcRyLoOO4 zPg5B6-Z0f9fqz@M{WrF(9}S_-oCJf*W8busInIw49xBk(MxSsN@tjW;DP05`Yk@8z z`2EJ_tb6l3UxVQaNhk{)1+Y6Jbo~MD!WTzr(0?Nh&nH%KDNC+80nAq6zr`U0f1cV< zD7j4^t*n1c1Z70b*RPf_X69Ymha*to#TyNy&6H16Bif~z@wB);hh4wjh;T-39SzC# zgw23k?vNgE428SI{$8L)x zQw0D2o(3Q_7Q~j$=hGzrY49y3(wIGx9JO&0@bdFJ&+1W*XR$WWxsgaEQTplep^|<* z?a7)~fu3XGIivRe0UVl_dSJIVq*ZgXT>ZQ_IcU688GrE*{3qE$b!^qPZsE6&J&HBg z)8yiURUtD5VS#hwqjJqGI@sG>$-sWi!;z70^D8@U#<`)@mmek$o;iTOllJE+u>llZ zTM#&R6+9@nGS_EiR-2}mz%fbAp&khHyg3O~cnO!2EejG*C^P5p4S7AQ@(#?c2XHib zTJr5{#nqtF1JK0nH^2f4m?;TI2!IO1Oed|XS7~PAdBBZ8RNINCl@mQP?%yx`uVI;M-)6Nwz2Bz7`w!#`D#(x3%Q` zQpRPrze|v7-n<$G&&bGIBZNpWN2qx7*=$|OTkmLKDo;D{N+^=^} z+(b*MtUw&!r2xxmoP9`0v~s#LJvOip24PmfePma%*-tJ2&@+6BWhZYb!P9v9TcgU$ z8(bN)P1i>h{t-CnowoS|*F{X8m`p@7t7FrA)GEShj_&?6N%zEg3`JD!+C|M^XHG=n zz((y~0B8q;QXC=%E-{9cbbn0C+L13h;M7w6y^(>AuF2LPKk&l{x8-y%o`>GvLoz5LsmGr$SuSCo1lz zr2uu8&ymEgB!(RgO%#z0d%M2*S};=uT&>3cFvT)cK(8h9_AMIP6HaQqXR4_fMWJBd z8@Ensb(XV->8CM2t1tc~6bRC!`0o1lPI>6m?jDr?XK8s5W&=aTxLezgLFm#=P`cnC zPNu&d6Bdb^K{9K>d=xAJVqBRRfZG+(6NTGiePz5uTC9Z~UEsH%dAI!egEdz_D!QLz z2OG;|j~2|DgwHc(Co^O2-|JWxNTwEWGEX`Yy+j!mO0X*9)nByK^@Csb*M({W^lJLg zh&XHwEpDnl*kdZ-Rzs7l=zxEyPMkHYaNtL{I4pgXdkUbK2$uM24LPsGwiwq9{WOlb zezuKhrdJi6Z}F?|=0ZmjtY5z%Cz}h~uA{f~-U6X=r0oz$xq~tWLCfLL4-xJAN<_Y2 z-gev^WIAzRKnfH{@P1SF@?{M?U`j9Ne?a#LfXCouyN|w+Jq=ORG0#y6at}sUa>uiO zf;_IQbn4qf`+mOe#H3(FT!eaJ)m7Kc1utDhgnR`Do1NjFG0C`w3ogLDlc&5(i;LrD&e5<@d6DW&%r^?kqlt$Y7; zErj3G=j^lhK6}MT!((YxF@wGWkcy78R04>@k=6u5-vsCTrKIoW+SnYmA2w z&flXwT{*F%6i#~T>^4utPmS;KFB?kkrO!gGKggO8$>rB4bXo#11-8}`@$uKIe~$Njm&KA9&6#6@>*M(hq#;>J zSYwQ=i(lwKYzw!|-Q;Ilk34wGV=>!;=ROjUR^KAos}HR;45!Ie7DzxCIh_-hHK61O z?3VvgHF9h*{SSIYxVUlR51j_Cx@lbX{4b*acq}@QO?XFwL4NohIpvV;^ZTcx^fRzE*dwgUM?UU~g3K%bG7ZCdO{ZWYBnBKv3xM@J!yxsaD7{e0?-`u zq-0rG72a-e#-MY>(^Gf!lYhOt9LWA1_+s#W@%`Ff%l78fMD zG^Q}UCAd)-4lRq?hTe&WI53a zNKKZt@JM7AE1Eg0W7wBH9@ofPFPeC;H%)Yci3|D+DxK-B?wgRS@jRRdn4gPt0s2JXq2Ju&K0;?0AMnlqSmF zDra1x=d^mZ1B4R%oEl^L7zRCll=C-}!No=1|30>+k(nC7Gm?~^D&R#q+xvk3PWWfZ z{wHo$2Y0H4yfDbb&Y$4_g6%s(4#?&MwqqmfG@C$*DSmmz#6dR|zeWPF+MPz%(Do!$ z58Am~UwJ>mmP%gle!?wbwF<7(Gv3!to55`MpQSQ8JX{{Xcf2z-M1|oujm3QGn~+p= z=imb^gxt9GNd@Q9JDV_j?4Ov)V&p$JNdsUj`kF0ckOGkXuoC?QN%m)l-az{k-Paj< z!q6ycECrby+Vvw4ZcYCpk^<>W;_Wu+lFw7&?>OH(<~1x39(KhDAYgZ#M| z2R&M2V)%2U`#lZbP`FjifQ=58q9lr-`J;N&$?69Fk0jJwZ z?tP=`9ZT)(*WgcorSyk=E$B5H)uMiKWyzuP7>p((?W2Kv#1i=BgQ!L2RL+cp@4d%{ z_EiO0FZFC_!t5KTZe;s;4G1MBIEn4r6v@{Pb#Wk`$0kH_RqxGo7U-jEW&Meyp?fw@|!nOO*Ybksh0xp@XX!wB2UJHiG*7GnL6ZkqrRE1JFlfu?x-h}2))tTxc##zQ#Dl|$?}Txl9%ku=9*?|R%3C<0nu8VOa}XlFbiVSrbJr@ zB%(FD0CS@x3iWZQ;DXMvV#lLlPktZ0$N8NcHWj0`YhQ5$hwLM@fiE0A1U(18IbuYx;lB>55$XEbaw+W6)hiWtHUs1)1zt@Z~x@J3UV{~I_Z16sy_42BS69s*8 zSqInFW;)w+RaJoZ#P?ql2yjALWMeRBlX1Z15h-za*s1ICu6X_;H#Hf1^w0~Ab)ZVvmt~)l4$r+3K27f*a)P@_s?HOh_px5$mFyABNh?1DYhuls6 zB(n-iXzBR>-3j1dvn=3r8htFLbnQh$e0>@3itIUq!s0^lgd7Zk&KlV~`CMU3bFYcP zC`&Hii9~(KalnV1=ZLmk6R0 z1D#bVQA*gzKj+w06+fFP_WdvQG_Hh&0d5OPts`&4lTn*FnZffqurfxAmM${b9JYk?xEs*k(7=yY}>qZ^Bz!6zDgXG7B6w8B^ zI$AxaWJcDl2=U7-H6Trx2NtwQ+Y|%V46@hnt<7z~Z2eHpZvHyO6|g8rb(EckJ?55F zsthm&S2N|mxa7}D>=J4CVnV`EzDnhr-~lhxv(BR-DSsp3sKOMJH7vpWIsG;Zam>^!#*U_L(|rDq zLVxwIvgQl6P`~y+G)aZ8zk1Qa%MIBOubK(aP1%uK zU!D}$i~Wy^^eG1Wi$XB$PH)}i4v7()H9s5e z&3iAuAL4`fmKT;k@U#GeQwMdSZ-D?T^utmaA!zCXI02mSxKT+f@}l_V=BTGa&VtqP z_)ZQeN5gZa!i81E4_j&a@hw-rlxFjNM66>z0_Ty1- zgTHu6s>EU>>DwsJsox)xq}&TCSH(l1FaZHNl|rJKLQjTcDPi8LHxX1H!3(-T3C{2s z(v`Iw*|QPYI+Wy>bsL+w`49s^K*b}d9Ox<=sdPbXOxs!!)_prTl8JL;<UjfZO*R#W7mfUY{_+DveMEqjs%S&r3da!}>4xv8zj#C*hrBhJH< zc;0?t_UIYgxwVh1_cz9G(51hmvE=47RYO9rz%pamPDvWwP^VO~)0wXnB~%Qg7>Az8JrJbtvhxz@}XVA?o=q_(!^&^N%jz{hY=YJ zu}j{f2j}5mGn_&Uk-k4D@=z`1$2M(27~`9#j<1(mWlnZ_%1YJvq+VB_bSihGMvAq3 zSNGe@8|0ER0|p6F%vAw$GY~{W#dhH(8_K*HmQ|zi)O2ez_??^@vAVpm+}n;jRjZAKy~<_V3(1Q<&;d3b@bgDZ`n(0LF3-L7HmdxiIZS=g0(vpNlq zsi}WR0qew5IPhCHQMS_`4g%BA1sW{aebBwp8e|A@BQ#S@@qc;+|0l`B41?lM8v6^3 z-D8G1CmrYKR>Q&Uqn#e4e7Q3Q)jv|auBp&AFt38&K&K{s59zu0vHt{R+WK^bAJ)M_ z&37~|bKKJHDpNhs=_}*g#1ae;fn;8C=JMh4$Ma;=+qZ5n&&V$^ue-k#M{odiJX0A4 z7|Oh;(%aGC;g;mw*ghhRcjDBZ^}k#r6zFgtFRZNX46?20BJ#}=#^$|i{f(-2i6V-i zHhH%K3R#@U{<2kw*=AV(wizfs{6xYCdVtd+RuR{>*TVtp%A=hk0{gOuFKa(&l#skS zol^ltx7mkQKcxGHluBMAWZdVLDm&ga)P>Lx>_qkncT%iNoPo}KPI3L$LsV6>5ZKWt z9c18=V65NH`&xA4@b`wvK2xj+48SE&^#H>KLp#m>ji4)ASid{+S4D%TZ(7Yg>pi5X z#R~xT$<=21mI~R7Aa2aC_H;~RE*ty5)Au5mmQmDpI=;*%5R8UGbj94@(4kKf8K{~Zd-qHs4GW4xw zVT|{;uKhH@rp^L6Vd%f;3L|l4bmt(7w6sea80fVRot{*Hr_3AGACBsSD+J}!BQPxy z4b|TyttKh>a9F{;W1-G?R3+h<2yGFoo*`M+%>m($0|aOs`@T@`23-eW%wjBRTOjTw zczcUtPA;pT>{EYrdls&4G=k9u-YFYh#gter4HrSkP^2VC+6rF-uTOl7wpV*n(6Q|F zBv9`djIXzGIH$h5)nKv9E&O2kIeTJ4VCC^zT^0+Dm7OS0AfA2|rRN5R+Dw6ld_;gn z7P>LMYbW9}Yb_dm_nlj+XkLf!0Xjl5fqL*HNnzX@uoeZ`rnzYfalky#GN^%0ie8|! zY2o%a;MJ56=bP=0zyL2Y=FrqnN2w+1k2fYK1l5eTPQ*wqpiNyzcwn2(^WdH?dFWi{I1RhRb)wgJybhcI$;cjlvr2XWu zJ0wKmw~FLPh(Lti1bg78cvt4u7T;qp`YA;{{w77B*b(3AF`!KWlyFHOj-zly*xrKH zA%|w{)=S4@?>AEmMhK!-6oYP526q|(k0huA@41^V)9_ewf+hG@9R~bYMg!e=sQ!}# zVEbN6vm9<456n>pWjlYWP6t+K@q*q$vqTvH(l#52Rn8wMqQ3%hbn>T@Q!e-d9Fsq= zDnH?%l#{Ek$nN=M)zKh1^?IuQA%oFpdu38L^ThOCXyThKvBD2{X_bQJwWrD}9E5}J z12IAiR}*}vt{#G1)`#88^y?Y$wVS>Y{hp6fpsdEB9f-1i>sCAjNWad@nUwRtgUyWm zo$$qV3xoxR8Z}A|*!dm}NKpTnQAo-7u5t-cY<&8Etxs+5m82UFvbGuu5&Up!P_5LS zs|Zi|nVF`1<;l^0tg1;Aq<4x`ynDwyrjc9+G^!lexpy)344v{k=IdU3#zKC*8!Z5r zSO8O(lLrj~O=Q0*A_CyI4XWJb-r&LnU2u{V)Dm6QqMbDLje1{tub$JoJ(YL6{len~ zdG}U6J3kP=kSu&m*#3ZbH~BRKSi4?mMmE3GhMgq2(f9Qg_FEbn$0Gcyb6xBiIY%o4 zEjOGX0Q4m#-59dP|!|2=B&}?Nzc3WWcSN67_^nrG8 z@_;87G4084=o-=tEobU}uO2<#o=~owmDLGwlhYFQmY3zFj&A8bJx72d)ht=6(3x0R zdWI(2o8!9<2@86zKE_W!BZ32Q9{yewYngI(xbof7R1+W0~N=2)aEQ!J$%zXQ-=FogTpW+f@3L0Q;#6NKkpg>)?`6-6kx$SC9!q1#6tnAFCW zh0G}J4z|a5LUebet5%X;!OFWAiqnfLik6a-g?u@8?$l$m;*hv~LY98w6w;il-dBqS zaDVvIBva93q~|t~BwKO>yn;%9VvWS<-NN?Z3$t@Q!DpgTBXC)BPFCbt2rE}NkK9Go zHD7nX#umi(-O5Ue55P4FF!L}3lielCl?M?9rYL0(tV&O^!$YZf&AG`(D)Y_$jS0+i zL_s*fG-0RvcA1cg_ivH`_9g;QkNOWs8gb-nLu2FO!x*Y>g1=E2n3^Q&xMthFySX{7 zPy%IDO2(5q2maYiYIu9$)O$R1s5UFUd%P^B=eUTWt-P7MTcY_$#YP!?4`(y`+|o-5 zSy<|}BM27`3qi5LB!$*#BuCLHV~d`bm@|=yxMT%orks5jw{jTRIu%6)>(Ja9y*p$S zv7LkG8@>Hu!cGeSQZDiLOx@xeQMiU((t{^{XkNpUc>>U1>@QUIN71o^A?l(;K%yB5Br7C|U1`eo z5zqV)Esdllsk8donMES^-&q>IwvbpnhbFEpZuzL)Bk}Yopn_a!C$utT^oNvbk1Uq8 z=q9c0vf^a5*&2PcbrJ)bQ2=(?1x&4xykCKrvaN~9Zp_TV5SR5x$*BEVPKiw$_E&d= zh4eh%E(`t$Py^q@1FUEu+t`u6QU0D1{Vk)ZHK-<@vti;{DNwIWUC*BHNq=10DhKc~ z*naCkXWX_bLq`ys1^w^qu(DkpO?^#yg*X0dg|Q)0zv;JF+T zqCDnp87usQvq{a$+Q@!8P~EC4>i9?(H!`s?FN_i9h4$1>OBH3oTWpyI9j!z`$r-u- z(JZ@Sv$kuB^`?3L9pmGAN5-j{B9|g=iDo0qya|y>`=CYukn;dIu?edXxz(-(p|NoP zE{?^k>InHOaeK3}byt|H%0zS4Aw@IX?8k#9eeP`)oK;z00y;VJQ(i&6-qo}OuCohCcTU8LOm&5uCKBc%6ueoQYWvbS z1Z=}BmcDHsdZI)0C9Q9m{;BDjlwm`jZ7w+K81u; zNT5;|!C0j!Uv^Ug=ZB*A%bRKhl&VqqWTIi!vX{<6=L+!5K}gnfruIY1O>FT zWw!D%mHE~P>M7D?VB5U(o&?a=n5hjo#uS^cY75)ve$X&h4nnM`O_ngoAU@LZT++>^7;%doyO+ zI8&Q>YSO@h0pNRgft}N}jKMis3EZ0RMj;&LM!w9WSv7F?r6d zldkgXR>E(UTY(~?padV`D?Taz1TD>jhTt^2&n`Zzl6MpFi8Nt0IEpC|gefi`lMJk)L zGa_x}%sE5&2kwtOWW=O355uG+M{99d$8Y!i!v-JArl!C^`Bl1ln>*{29 zEO^rfclHz??rMIM9!P$Ew<8b@Z?{jJVsnm_*9>Y}<-!NR5kF96Jr)J&G{w#1(R7W1 zux>}a3mZf^S!q~z&(haUdZl-f?Gd@s+j(%U%*tmNhdIp0a&|rs!>g;_EZ)i6f0Aue zyRd+Sfg$Swi&9j!c=q|a6s=D4he2zgfn9iAul}8NsAr(r>0&Hn;R8Z%O+aC9x8@~_ zwIZL>4s@v*9ZK&;*lG1GGb}r^T?AV=bZ7mRiSVh7U4?h;IWWdPINww7YQlF;B;awA znSD~v`$ZA;D=%bEE&r+BYP8Jp{f2?+H|SiT$gtXU=hT!)N9DQFc zfgXs)m-2gYniSTSzX2bk&2c0NZtxM9ndL6v7q-M4+K2aYHfiayEzmE0> zVM=tdIzETJobpU<->+W`(@A&~^|7fT9I_mkvNm@b;%zCyA3k2JA+TrYiX~dv56P@c z7B?$(u#AOsJkI9kzls-y=R>$eP||+5X{q&6_rOh<{fnsk*{q^-R4jp^7qi?LAo`VvK10@Xjo~xNqHUW0b z${h%}Hc1=VCmkWjAu7+HJ$RXgSvfvI>c)8XK24&bEm@$O&l5XomMHx(Ug9r!=I90U z8mk$XJNgQ+=O$GUPw%()9Zwkuze#c*RoqK+*`p)tek!inX{*=3n)+w1w&-+!w25zs zYso=C5UQX0;cJbCGOdIZz}gLR96MM>T)W)f3-jQ?ue)=C^~VP5uUr;|&WTL;L`dC@ zS8f?q0m5=@==x2rCfhAr){HMBJzMskFVN}^v+Dg?JN`50P&cQJ%-RtKnZl}-cP;)3 z%|B#IWClb{MVbger>!Ulf>M695%=sS*(bZ~3ALbIz#w=dBplg)zS*`(I#%`8g*Wkm zOg&yf|5i?_hdGT`OO@J3)0eC0LojnX)egx{Nsub^@br zX*(6UuCq5MreDt7S2SBlT?%yUjU-aLJY0-rhJ>S-zm?Cw_E-;XSj)F8(AEBGj*g!p zb zKmRd_ptk4Em}Dg_na3xz^j}s*b5xt=$r-7?|GwNd zBY=A2eG}<8_Dv~EEw!tWq<#9_l&SBbQIG504%aSj5Z&_O)a>tj88m7z(Icvr`iZlo}Q*{MM2U9cFn2;uPU zV#M}}ssf&Jo5Dy@+|PRcDZAS0(qdxYilJ^hs+U7OsQaAM>M+?On+=X-2>XbbSIw)q zq!B#4*OHwB;nhB^^SLityeVwdS@cxlU2BpD>-AVEB=v2>iXoL4_&9|=G~T0)A{ zT7Lr+fzLs07SuOxVAsju8)bM8^`!fsffCu2mnsTtZLr4&o3~gPu(%DVUR~mGYu-IQ z=j_!EzmkHOFph(ikHZ|u_My9rr@u3Vk=vQx-&0u8@f5YW0pxvhr}~VOil>`saQc9vx#v3{*6U+M4!p2$}URJCrH8g%7h!U^UQ&DH0 z>h_rA!pa_#YHJ5b253y5*vo1?_blvjAXzDuouBL)4;g+P1?4Z}87hUoA2c$Q%gVj0 z60OY}nf3twia$wnG7~swksxbc+~g?G_%t~6L;KzB_jsulb3zeUW6#k}E(#OE*`;B2 z$!pGf%j&587^7wj-RrXt|C0XPib0B1rN@KIxh^!^K4mrd*^xzL;@7vhjkTZNS&8GW zVcC(%O$#4ICa^{G*HVe%+5FfoOdE_oUZmjc7Otm>`nJ8+b5r1p?h5o6)#MI!B&i_Z zAMbwMlDtZG&p`oq_94)S3*6!LvGKPo0abY(%Y){JLC`OQ8I4L?MPk?RAVEPtC0*%3 zb#L?r{IVUujsmGuTX{dLOD?r(a+b53Zxj5yjZcLCJw!*nvejgjW*u`N*n^gy8sZKdy(>yX(gL=+0HWx2q}neaV?8(7W+885rcdNd{E?ALBNi)#!S znOJ);6t(!i45@yoPj~#Nt66l27Ui{J6@OXvDSilE$iru4)ER?Kclq`Am*2^L?PBm% z6+Znoi!V`TK{qp*VBd6fr4IuqUSD_HL33*TLeF4N-Qax}$I$*4-WmcO?)lKNWP?IX z+@x$9t|^RP{bBJ^jwhOeQNeV@oGMP7$jp~mb*XD^8;2@MmWeb)$>Qrv`0l-va49?+ zv4Zng8M!Qve>Xk;HnngMv8eCT+@=B#i8~CDNvM*Vbr0c)*rgGW8q5~7h;9XM3^|zJ zh{zSgEJP|GS?=JY2frp5ZQz;22dKGM+GEs+T-0?b+n*bP;(F!#kSJRGu3TTnDT`SMG=9 z_x0j5o=^O=>84CJOsuI{kuKMGSD|#km83Bv8!4xe)^Y1=*+FR!ffX!ORY%#3vwWw^ z)V&&Rrv9K!N%E!~5y^z!L(3W^Gj=yh?#Gi#s&!8lN}9!Y$!D3Ze(tKaSNhPoBGw%n z+rRlwh>%2m?=-$LS$McNO@)a2vQU{hDcM)sxx|4;MVQ*z64+0Q04iVoFE6Guozkr; zI=8<9Z60gZL)4t1ps<$~lt-=j`=(Ro0I?)%W{B`w&7*V#z3@GqX{$NJaM7c{wI^fN z>mwV~CAlc$?`%gipVCA~QU!-NsHKkan&>7fwt7a#^1wk>fgfkHj8B#^tBmrVY81Z>1_`-pAy*};a*$Uf>Knq zSh*}gzWfU389{Za@*`9@`BcO;*wDI6la00kx@|DREKfQ?|eW1rNqz@KSaSSA1pqJfbqj4IJmAs($MMUT%L^15p9-_bYW|A=g^b8UY zZ3oTXG~OwfyN)hGlxE!xQ>1Jbo{e}o@Z9Kqm0&+DnK#&4{p``?0+%z&J>zJUF|!q#_)?!*-<&1zpHPi(0=7-C(%#KaVDImy6cR0evt?7lk&s#VC2am0wT zwDh9egy}})W!1=)6e#@r0&k`mVN%zfMvLq`Xatp}TPG2}ea6x0;?%iE1$Q^VPCeL$ zyjw?};Va2U`@V1Gu<=s_7GjPK@Ez`1?Ek(fp}=A4;<{=50C}@s>1>=FT2{A?cca%+oy|uPMASy+<{G`@*)Cdflp%J<*MXhK&1r!o?%}wVIfOv zA57e;C~QSK{HNX9NSu94GX$HWVWU_CC$Jn9PZGO4E5XoDE?ZCHk0{!HUi@Rm1pMBz z05N0k{JG&wYrj|BZH!Mj6=73=^+K`5%5`@rsJSpfX+TURA_@!RR0?Nai1rQzMV=Jy zqNYtEku$=JbB^-+`wz`yg+!IjqtCpP$AFIWlW{yW!pd#GON4>ktj3Xq+x;%C2zR&O zmNT$=kRODr-JW9s(ti(ts&i~stMCvtiLE1!RG)d&Y$Ffz6tf?>s5WPNgmpV z`ECm24HOT?PTu}?-|*sR;^oODetOckkB^rjxeDC8Gh$y_w0ni{=OhC zP3!IBQ9>6kvh^%f@&Vw2fcAhsHk-^nfMjKB=>~}Gq>~}G9-Hhd;8*J_i#~l>TXt}gq>NdgLc;I89{$O5$yx89+lnQEg}r$A zS^ow|ay+U8#s}I=ZoDTkiD3*QZ9qN_!95V=h(eZq)7t1s?=GERu}PPxWrI{ zoOHlu#2`%E5MMfG)Ua~oxmMKKkwaawYu(fKZ{+r|fTO;JcDLQA2s0x=NOwulSDP6l z7JXE8M9WRU5Fq0@Y)rA62>_>Rq1+2cDww13QSaT4h-Wr}m zRe`n9bGoehcx2t1>bCyFbyw!)5ZUEsh z>mu$RP2*SKbp>>hbKihGRcYR4#ku>=-ftk&3E>J#tn80OFuHxA<=y*zDron#wv4dr zl{0jayk@reQb#d`|K_k*;}XPfqcOO}gX=Uu)4I3x zq_$PegsR+M6}n#PhEKQ{aBr_#0^gC!(^;J8*~`efw%qX%zy@xZFO;aRd6Syp#HO{W z{hZS-S-ZqzAhvuoJ4bF_4sTGZ5YIjiqv9|4-iwOs>i_9c4}jE!tMZ2ow^-J6IltZt zF~AiaVzj2A>wEMs0YZ{6qeP%epE)q%hq3x>zk5{HSS@?85&c??R!wzI_oh?ZGf0#DYZ@e#Lz z?yuVhO})xmAJ=nn8X&B_h=F}EK0BbE-3)n$P1v^s5zLu~Y`h}Q&(JbV_+OGV$-eygFab`I}G=q#BVHw3^&SJb}THP;COC4WGdHIW)haDs1`4LMyk7Lcc^hc zS42!Kr2;4keR-Y3pmX?_Xy>@A4fA$+f@%?`I>5aK77+KO#H$4zJW2nz9JEHnSxxdR zt2x&t32^`f!@Mk)Wzg5TtZck`YFmK$N-k=PO{h7>tIb`%rfzw|hMGISGH?dPot42} zhHg_FzFlo5gFArxuz?t5F=zpvTOrR=Z?&JnV9Y6ltS=V4*`L_aRiiAj zQx~oFI^0o)ixRQQGtsSzDJ+TvO>ym#uCQ-tS}FdPi`l8EQpF(=0d?cPEIn7MEeqg> zM+%c3aNT@Vug5OsWP5AwiM}Xfd{vgR>)WcT@-HQfbM41oOu%NqAk%?hQu5fU7}^4$ zZJylXp4|=%wnmE#)}aZ;*`YxiB?f8x~rwE6r>KDRsNppsW2_$NW#iFt|mLv;$zV#cT4=u zOK+t{Q94jLI#KoUM{>${wpCBe1U=^}o!9RerTS%eobn3cpJt2?9=dpD6=~?eCUE6atZ%>0WL-~~Kn}qUQrtqPD4HL) za&aCfN|l8v11|>3gVu+uXBahgtVQeJjOsrv=4xD)Xgk8#lMqEsi`oPMp1*%CHFMBa z+KeaM-^??>@AmUrGhTf5-990TospvN$hTC3Bo}9PwR=gr#9~$-OgIKG;iy(Z_*}U@ z_5q$PQxF5VnXj&kd`8cDEc&P2?;U3Ib`c*hhU7~9yTpUrt!V3+2XC2EElO*+xTkpv z!UTrrDs5efEf5cnJ;`Z&j$oULYEP;&43yF1c@UXc z2DdTVn!kNEFfEdz4@rJZ>2VU_ZA<12rMzZ|?GU9Ik6=9Xr-j>esy@3x5yNSbc=jr4 z!VtChBH9-dQ;((ru3VezUU_2HF6pjz?8}~nh-3j~UAX*X`%L_xUo2&&Jyni%>Q?|z z+!~DWcQHOoh-j2$A=%KH^>F?qBCbhZzqb?j=sDYBzWh!_qCJLWI^H~GN+^Z2{k>L0 zSpfzHJ4~qyO};^{cn%n1+;5m8;LT$|rVarI^tG_A)z1IB6g(<`(5;MKf45d6TJ-p7 z2BkO+Q?R3l`DYybAfh#_gnQ0a*&dw96|@s&x55UfTIss47IvRNenM94vF5t~PqAP9 zB+?ydl`$%2a}Gmk(1ZDXkT0O@gKbAoVVHxzQs>CY)|mJ98qHp-Vk5zEp^IVgOGfI7 z?qi^oi6JmUZHm5FKT>5*;Gt)0lyR&%tys;N17;F*sVR-UxGvuO#EA_V>smpBaBiD? zqs{W#BRI><=T6oUTHZ%aMyVdNEal1%6JOijdvPXcb#0`~R^&ydcykl;ey!=CO;Lk| zvHiDuhJCvOAFvczu@fBa_CIKG9=pe$ftFcT#x(_NlNk`wBULh*&_dYztiTN_VkM*I zg56RxT@kYQhRr;TmClCNnOCsB2Cecy@skMBQF;X+8#+r;e*Oe#A16%m7cV8u0dZ-L z!lU-{RTo{p)vuZ=Y7lY3Yg~LcLA-sc$o|g%7eAG2k>dBn=HBMK5KjJ z?we%P{a%uDRfkKWOUH0>4OGyR(IRXYD%S$J6A6(P_w}lw5wC^~Uq7fQ3A?abGFIxH zomK59)J#p98r=mk2NTs(3*)J6fnDyh56`)e9s}|bG$C?gS8ykTUpg7XM+cmlUPG76T^3MGF^9No`Q!8>IZfSQR60J9f7tRZlu*7mCT#ra;>iBfbN;^TWH#x z3s}pP%OC>h3|j!ik>ZID2pGs?l}NXI>&AB*$`@w6+aF}Ly6ispUvZelzTho6I;k-h z=OaxC*qrr){8Vp%yszgk+~^#^6sKnsJ_~$>fg(Z4%1JcwC_+1{LI(O%Rzh zF-n0fYjsEYd8xj&Vf2uKt?EY!_vZO}xGQuAFpfqiF$pJLWXO*?d`NfldrreP=J|>C zVHSI9lDweS-HjET75|atl|}Z<_LHu z5w(pva8j=yL^3lnq{=*GyHilRQ*+0Fm)<%Bsi#wA%NJNgc&-)IpueHjflArXy68^D z`eCJP?BOyjkR(JB>S~RJRmoDJ7+U0IN4|8;t1GS1qDvcqSNDEg-3RK zQZZ^kc_O1{AYMDNDS9TcePd_cGUN%YrX|LVo(Cei=g3NVJi0Kgt!)oQ#neW;91*%Y z`N)8&e8qEsPM|9lAf9&M^KW>82M!tjW)9jP{Tg^1^efI7{^^dDp60Wir`F0oS$n}t zvPNNW$5rN;b{&eanY6}e8u+&5hH2kLWVCo7kL|b1Cn@qwq;+6@Z6ZvT`{RIoIV@qBfywS4~N z+(7%+0B%S_c5$~Fz7_{R8EI^b`J$Rr#+cAhe&e47Y~23SXk&x_JcUGwOY&eCvFv|& z`RsI=is7}^M8xLBnLia3#b-)NL*t7V&!1R>4J?dzF84^#{pxPAos>T043C|tU-Sj#+(+s%4>hsW{CNZu%x{@w~kvwLm zQLJZLx|Zbg=c24$)xaAC#PM{sAfj%pe-NM$v)^&4_n`gJJ0K%<-M{o4_cgX0hF&D| zRpPGDvb+ONiMGbe*ffYGu#;i_qEH~3pil=_MZE!q#`d;~wtUm>4?<8W;f%1XFX4dM9%Zj_`#}y?T=dv zfLRY9@cbEzRQ;GiF;s*h<47071O+l>wSD!sYy(rsTV-J6(Sgl(MN24s4t!SA-hZS@U6i)QoFzWTm! zUz;;s5C2U7rm5fa3urMX_O|;{&%F^8+?aga`@6*;f{v>vxkIx z^qu1Uwu(a4!rpGCQNXT`j93Dj4nd`6AEjLoCcmmGVfi5BV=wUk3_Q$+Ls_X^c_aK7 zPCGDj8t*H91lWO(y??GQNACbb09KIYrBDMgOB`FZD6u>@N6_z|P)*)T77Ca)zPrd= zr0R^a+O3B=+=UX$h3?F}<9plN^@(^akU zcXbdcvtT#Ka=t$)$%M7@U|+J`(f2c}I{qHyR|fH~w+XX6pe0e$@y!c@5K5kr*f?rb zxtJc!m#E6{8z*PlgV#>Kv&3q-9ssneoP?)ux}b zAQE@)_a8h=_%Z*^Miw3|56p+H>{!9RNSqhblYtkA9FLxNJ}68k7eDIyL>+HCK?TB& zMA|uEUZJQBl!g0z)ea}HsR6(ZhEVlUfl{-9kHlkzX+%OKFX8CB1Ud0~MjJk5NQ0)k z@?FW{giJL<^7-P+G>5})-)isMjJm4#ZfEI}ZRaJ{K!g)~H(ySSk!SW3h)+H~MrhnW z8U8HC!I%n4w9!HN$8k8UTGFC*J~Q>w@FbRl=28{C<4TTCkr^j(F$=4Prtd?Fc|b~w zyzw_qPT=3p!=v-kchIEkc)=B^@%`AfHaJ?UF5*^}eCx8gL!&z3n>DBjn&itPG=Gu@GGr6+^!7k-G@9%dw`ivh)62My>s~vNL6Ya7E;crSy09wGnrG= z1yA9$n5i7oKf@0R{1Fn95Z}*Sp_2&_6@BQUxA8R&>ZO@Sc*^iV${8v2b(XVFj;Le+K4U*OBb79iDA5l6Mw81GjSM=zA&Pg(I zDv%uHShd7_7Hi3-O4hl#Q{^VNop&(H*vGk+gf2V`bifm%KIVH(+4|46R#kN*!d;#X6!36%rs4ou298EMDLHcMl+al9`IIfZvBla-|mO27^vTAZ6u{4p&(&OFvmw zQq>Pg=#?i!xsC|kRkE5EDbtvaveF<#@y@ufAb7-@d4FVb(lvEHTiwo6I+Tt*uS~sw zg)A1ViCJCG<|B=E>Ky9^xs|Nwj36X|Lffr+PTU~r26;|__fZlhP>i(CLS|v& z(2PtIizO;iEu~h6R7Pe?2bS#0RbovWqKuReld~L%O4}bvm~U6Yv;;Sd^t?)X>W&ROfjUz8g?ZMs_CJphyN056jUEltAnYn~?PckIDXnd6&IU(t0^jU9O z)va?jTNOmZ$^s#3N2=m0p4S?m@(70ph~JwU z9Ep@kVC*wrWDx5~Hu!{#`oVtIl5wcya29O2d$=}79StHoT};#B^JY$!N<`Ds+cXme zfmN5&&8kO9w&_`<(gvdIilW&*x(R{ODQZ^wSQKJ8wi;9Y0@Z+|JUmo^FTO ze~G-GJs%}AGT5I8c|K9$x0A;&^IUtk1Oo+#mASUCl2*R!{^4lH;z{Gr1n1MwWBexZ zAUE*kcJgIrR_gkego#TYs(ep;eci5|BJ)Vqzbv1muBNK$6qvo7pXJML=GbslP18zI z&c|3F47t#;1_8?>CR&wF6AjYG@bwt^43UyBI}>=CJr9KcB8=o|F0GU#MQBQenY3Ki zt`3a&xpH=fg61teO9E&sM4XSsP(MLRKI zR%BsXNR0M;ymer|O5@kk4pZ;(W`AUiYDE}*MEs78r6%i|>38J)u^9Iub+rPPnxwH^ z8;ywDx(^Gvki`|6)+ikcQg*G;f<}#>EBU;SC(~Ox3YuwM5mwH~t=#+^ujTwriBlGI z9=`UHGjnJsRtC%5cAh%kN^wrSel}h-oL*AOV+HLTb7kp}&7~&_nx`Xh^u>IMyXn<# zJQF#5+!O#hU)>1b2Ad~o3o)n@?A>4W*O9$dxlI^_KSIyVXCkL92f&Ta<1$=nm z7RXUGgW6nwq1?{6%O8E88#wbRG@G3MY^hKzptaUEk+70kkFc8hBwd)+gI&bgar0hF z0>9C;#-n)8HP8BIX1dWCQ8A8J753UV%cYekItne*$;*u!3zrs^#XcU&@^la*I&#l# z`IUC`S`*HAe7nJseWDG?8R2r`gM_OwIgbNBiyl=XPxJ88Tjd)L25$EmJF~`&E5v(3 zJ<;SV5i*Z{t@XP(rpT%bn_Mm3K8>YH2ncx*KadzI9ZTB~HNhdTv7ANq+2#lT9kRBo z%n5f{2Bm1{rQOmO=}<4cGV5F@=motBQ$<64lIfd zIi5d)nwr2Mh*Z9UE!t1+Z%z z@2^VnxwsnT_O=LcYc`oyO${a>G+lsYX*36sQ`&?5U6LA1^eJIi53_Z%H@_yAtcoYd zp?7ta5*dqxooLr*;!d;k(V|w}AI`RR(j#!4K)G+9yYh z?N~MHL)?}$-XY))fG<99A5v#I;ULf|wmO<-IgP$6@Iia>x!P3(>B+oY8hNyl4@ z!Bxv|Uj;Vkm+cmH6mk^Lfh2$@ygYL3vkOUFrrS0}FNwL4TGKIyJVnFCLbOm0{d3DZ znKPyHSxyv?@HBZZMzRl4CZD=LZi9F-CSM{tU8b(NllUBNqQ5G?aHXvrY@{2R5u!~a zbjxr1%m#FUrx^Y}Y`t|ZAy1Nk& zq`PYX1BMPkLQ20A@8|h`@B6Lazv^0E*IZ{D$KLzcn-SRYQPeHi8P?E>ef@a#Jx(c}NxLeUf@*nDe z|Bhj`L^@W~q#{WaZDw`=x4~30k#rA}g{)(7?qQF0!4r5Am_K(~9 zr?LrZE4fd$?32%Rq9xYN6#tN930=>%fO7~FZ6~GSx^WaD1jYyNR!*Cz^)2W(R`D7`j{@*T<}3g%*6? z{j`!MGoUhIB=h`J=MzZsaS?QX#kot=@t8YxFb-%dVdoP`cTk)NXp!_YMf>jHq4FuJzuHC@~U+#EiU*_ zQp)`DSVdz1VgSCWM#`j< zaa`lyRLTttd7)33Msk`y+q%>NTLLutZ?got{-}Z}$2C`5y4<|f%sYrX?H-oSj9E8+-JhPb$C4L0eeWRDTGQ?x&U7}ui5#4g3zmd?Ji#d8R=pCht5D6~+P!~Z`Uxj9qfJAr< zLe)sMd)(h0u|fiIXYpzT(om1KH77ILi=bHOZUp7 zf&0$^e*kgJ6e8I-e!131P$ERFICR};QTqNJUAp+> z{?Fv_>X>LpZAku7c#f+kBP-TJLK@o?f%PSJmi|K=${knM#J!G7QLHg6>nv7-}nGd`szgkeyVLXt71%g{!<}W zFa%)Win}GsRORy*z@<3>Lh*Eg*#y^%GRAiVmJjYz~g2};qNb}z&-%m8) zuv;TM&Z%-%7Ny9dsDi7twJDu{T-FkEOZzjAFnq>a1EhEDTz|9}upF`2?L@-#iuSIa zbjmMu{T$M4vcbFUWV%e>rO~VnKqc0w zFw|N#+#*g%(JD|johHquEDx!FeO!_h4t}Gws=ML~hlkuCNlS*)qhBrb3R{Kyf0EY` z49__rz^dzk-$|+%5LVTjaC^aDOt%-HZ~GX{Gzj%*w-w4Fq}X%N5RF@}%aWK&0)r-8 z10m1sE-IcE%dH^G<3&01fosnsT<+kI)xH}ak@*hDhkI9I1M`+D58Xlg zDYe>k{xHqOjCMZ8B@-F@vP6C{dC%P_TC6&~xtt;4vcdXH5={ajn_BqBI#$CYo~>l_ zi2kCo_Cdu5L#rvS0Z8S0j~c^=Rvg+g-Sn>dM@Q)oJL(&(Y>=(1>oFXe?q$Mfst2BZ z(R%P(4|M@>e&gLmH&q(C$WyT&`wrH9`;yg>!EZnIr<$o6(x%mpk%M-M@>HBJ`J)W< zRfJCl94ETDM1wcnP(K&la({-D+EBau( zKKBHv`KL2;ckp;g;>VJ=* zGe4$dtmU!%ReD@&H2AO&@#FizPI|>hSQLAzB6YMiw4u%UC&pN;oknw^tF3+pG{$wM z!4F?D&(L2+q)Ztk-JC*PHFrcbVv6{`=DMs9Os^g*e%10K;dG}BtSZZN3aR0cRXPsy zcHYH|@SdfavddP4D~R6F=US3B(^R-Z2TL0qnjX2oMf>IQ8EMYJRyX)ZH2UZXDf$ji+@VEjnoOhm-=Z?y zQg-xw`PsGWISA1P?IWa)bNU;-YeMz8(7^cQrt<)$?`y_8rcu|Co)OFD6X()dKbI8~ zGrGEcu#@>Lo&*OE%wa7;K0a!^d~eKwkgk@D;JFBI0n44GbX#&ohN#IoF5Jg=2^6xi;~5x=67H;IHnzOffR2%yTk zCXyOpk=8!QT=BGZCQiO;XdNd}J?dE~{Z;(JzKga$xeaW{T{yQE$7G22ldl@P${r*_ zN$UhZZoIkPgL5$$6K41U7Jja`fBt39O{IvpIbgcCnm)G?lKzI#OVsUWHZt9QSSCE( zQiO=pl1TR@O5w~QhgN@*K51fD{)qkKE!}$|sFchL8u%E=4xC|GhIA%XvQzL?Rm|pT zCmKExbjW*1RKR6d0@b|~nBcoV6MbuZN^Q)ui}^i)EnFJV@~i!BIeKrJ7Y&fVP`AYZ zn2>p1NDx?~%WE*{JELL|oei0x&6tQw491ly^cb(VefKI8FS8Bebn#_;!HU6NzxB+q z;-J-*d!eG8EQR*8YH8f7F?*iY*1YioQ$l6)QG0;+(@tfEi5$r&sYu2a9Q(kfw|^HLb0Z@Bx*|nC9%$7PzD*=(8Ok+L z0|eeP_c4{5-_fJofm}4oy(IY6HS9ss!?%%}FYaB>bX^>i1H1pvWui_yb1NhFJCt2d^DwPie1GvuK~VhBSSwm* z`>j)iVEW0p>{Sf^ep3c9U&_+6k!7;HP`o4WkKT(;Vl`aU}O7D2d;3f>*x zj&hMDO5(7y>37fbr?@9TlayfyRdiyh9SD_xZjVxnxW$ec(#hV7llp5fhNH_ljgW=!ZHRU!>}7vqBELKfQ}4tREKURrnAS7J?9YSXlL z=|Pj`vp$2UPZ_Za|t&;)|7 zc;0kr;}DN(I#V3EN&TT!&LvPO3FyfzbM8k}P#78>l>J=U^4sg$;j^wKM*wWb5`d+d zpYR0Z1YG;6KU5BdI*E86RG(7R3R>zXh`d&#DhCZNd&g9p zRgFq>T(%uYu=wpW%L>M_LI5+ic9LGp@@Nc7wbU-q$}w{FW0&Fj>5ubVb}K$0LZ2Oa zd@_zY4}LkVP$!EwOsPdQ*RU<~Inc5#7kkK+zWh*L5_k=yi-$3iV0yU#R+ZE%aSUFd z=Ew6H!?4FVTxGu9aYr(n-|o()L^e*2qCg9gzOx)`$Kr^{3_hlh>9}6(-7qtxf=fOy zl>88m`}54g=)3H($~lcS@v+l3DzKMBx7PRWmJ0Jg@b@Igl~for;=oDx8utw~W__P~ z6O}0HnfN1r_6UF{&$;_GHG-q2$)+=@|3L`#K-KE{4-3XNL;T(P&T@|5@LEFp0Q#zC`w1#O)kRJyOR$ zv~IMZ^?AAro;ruonOcf#jE-IC=VSGcMbOA zR%A3CuCtfBJxVbSY+?PS2VY4=h(<6M`b`Z>-{B`J$4{DvUL3$EY#4PvIR@(rL<=x% zR;n(t;DjA2eTIZ~jVt7b=D;`*hNe-@n@W{qs|Cz~z7_q~22I}mIY4L14HG+8>JUYv zb1bb(eXEy;Pgcomg_8cp@%#@-B3^j&@i^57-#g#p+CDu6 zydrg?d7iN>OJ7Nlw`_-3l#t}P55B)##*p$D7=ia_T-%4s__yKJkyYU$xK{pzC!Wm6 zH>{p4za!bM^k7k=e0(=B7bPz0ITE!ix^Qb6k&NA71A_iq*?0~+F???KmYYG}iT)l9 zmhdF@|I}CByo^esn47Y4SfWRtGRsp58a0uweM%-VAvT0vEjpwZaduK#=L-Dy!Mf;; zR0MnN;%R6>(e>fLnMb-tk?QQPFaCct6$ZC}U>w56<6)rpe!Y&EcCm-%cd`+VY^P@) z%#O~a&}pbri;n_eGmRx0r6AdLIodiF2DxLv9_Ot-@$dm;AKq-BEJxQ=Y%s^%$FW87 z0RE9Cs~XZnuJgiJ`9(bBv*5~~Ps_2hZ70i2Yrhhm!&heZm80C9+s25e)jL+7rQ&X* zb_&`J=V7$@=4*<-%6Pc=q+u?FGJ$A90GPVUpD#X`DMsK-J{z) z_C)5e_+Q4tn9uZgrO*)L+|U-ICV11OSV2yra_)ojm1x6KioQI3YV{J$s_s4Bo!z?7 zgdn6o>FnX}d#BD3ZF~3J8T4$-$M)VwVwayaUyHVURj*Mf3WbM*vMJDr9Q5C#@!v~XJUZcFk04J)f)RN*}Z0ND$=m9 z#3BDvRP2^7B}1TAHaWVYki}8s5<8M;<)DzH;iJ~F9;AIpGtGTBwxu+W9mkZ#%ZMdL zVx}C;H$#rUo)J`NTE*xfq%)4ly))x8>ec3*L(OPdRbAa|@5*L3Uq+eRKrZTirxd#U zRVzB+bo!m;t0f+%hgS0yC(-7eY~Std^R8H}A?4Y5;kD$14~$^5?|(O1WoMCE=q+UC z1@G$}W+lbE^WO1uTFx3OS0w5Ah}?{*)&3xM@qKg|D%Rwu-sFk=GvwSpNbG;Tt{{57 zwx-U;sy$HO%vvTUd?_nB6Blqr(Ks~CX=7-YWSpNkUy;#BRlG18>7}X9=Sis8EH9$* z=|e{(vj97)I!WJxgwuL|D zdK30Lgy_=?ir4jN>UZM}Ig>zXd6yWrpbPL=WVRP zD&S}PtM%5#_dES@+_{!m%H=BHuL)IrVG}3E{kSpGGYU^Pv)&o91Nat6|KBv+GSDqA7^`Khb>uU87@G5neoLxXFPRDvY(( z*+c00Onh4@^IdY6M_jlzTtI#4R2K7scIP%a#>u?-_5yb8CTe^Yzv_Pb)jBx9f60W? zVeyPu*wabLL>&c2z3>Is8Oy{{^RkpzL7k<3GUusFMkoyOxs2?HiAbl|Re`VPpE@(# z(%IrUcjCh92YbaUuW z|6Y;=E9U}{@%_uR?YsBi^FMuRQEkHX`|U?eI$#|y@6zWrZ@t9J3>tLP*M7Y7*ih&a zxZJdvjvcF5WC@GG|nB7Ykd_;mD)Vh+IyCk-$1VMZK zn0+fWtj!_+;}6~^KFfUL_&XM7NXE4u&x*G6j7aKERtxDXUAVFlHKzxShWdL*exz># zx_yc{&Sq#E#rall9}#{#rGUq6%E(N8vFgH zuS_`os!8$Lh(2rYc-7lR2r|7t{E_ns*Pez-ie^00>QD^%5K zgH;Vc;i7NvZ)G>^ZD;eXzf>A1nFuVWz3-2#8&Jd*3t`StK%33Kw(!)T( z=tmpl4yx!J6o}~~h%m-3`SPVy+_&ADHZ7?1ao1%7=tjKe){CM^id`b|oBP>6@#xub zuT}Ik!Zbz$E@qD?;*!fLqGi|utu7O&GWvEKVc|>zrWGo57E+t~Od(;s;7>o;Od;N* z`bV?fzYpW9O7#D(wgxDRgxT{18{svwt!EpYI1iWOo}Z%+I_!*?^5pd{)i>XEGr*G& zKmIgyBwCQ)JhOqRX@mm92i^MWXWpHEA`z}zI@vo?U@i>na}ciO;}$X&)x06qDGln9 zK}qGu1b>>=*Yq;a++Qfdazo9E%OeEpX9UU1vOf+9Md3@F0;^CVtBw;DM%G$=@aUgs za7O?&!?1X)BJ<(YLX8#>O(G_Lj#V&V#xtonHBsK*_vpGaWRdB6EKl$F!XH${I6#d2m^01 zKh=Rs!IMFy)d7i_ad7k6Iij)faK?}BIT8@{H|`5NPsXnH5J@06(0hEWl1jNl$Kgms zA_mnHSHz*g{rg7vY6FqTqG6lCrc6eR9*#G^idF1pNbEotMmU1;*>rYO?T6cMyN=`%Dy!Uebf<$LIxZk-BmA<+MU?1`zYX5^P@W>wkHzP5HE7 zm=bss`I!~L^x%JvF|OAMH+hAZcmE>=q})MOe#!WjxSK-3qXs?h+?RM#r|;2Q&c-&b zmPt@jw}ny~bl9PPEH^s(%o8zau!qwnpRdY@QoCcuYaY|PgHr2QcANRe%jKvu1thO` zK>+bhgx9Kb2S9;$!6DWK`T&_~(i0V?D{xZcSNUXLQLrx=?3yxAq4YY9Fb~EBt7Gzv zO0}1-e?7gN&=9`FSaYjZmA5~YUB)+Lu}GV_twk8Altk6t_QTb|a62^E#Z)1VY^P2s z$sPmiPfb>5J5)`l1=eQyFIly2{YEPP?sJW?okeiGWquSk;7w$hz76TukQrTSzC;yZ z#|e~O*%iuj>buqQo_AV(edWr+76Y;5Oj&X!>NT+|Q{1FelVznA>z8IE+?bwZuQtZ* z55{;qIrp*bv5wKz6MK3)IhD?P;<$<|0&DELf1w8Eg=!emX{~>)+YvwZkH%JMadVkK z)}xd0t|w}#o3>;Qn1%6?6@IzB%Cxr@%_$e+)E;a~t*?tt?Z=UeE=w$+DC0~7evrog z?H+q=a0);kIjA9vW~zRJT(4cV(D-!REk$^Y`}V7yQ$>ai0mBE(=^!+#LaE*xZ1(F{ zEVPqztNVRax_c%n(s6(Z9k;2BkLTU|2h;L&-{qpf)ul#>Y=kj0`-l;#1{G1@Cn?ST zF+wMhb~1j{qC4D?r*q_z8f<%OBuTv={glUK&?^2B9h7u6=`I@a*o7DEona8>$MtHG zSjLGlFtHJ=)SgUx2X@v(N-8_+4Ee5anG53dN*k1ISfI>s|LajYYmA^#ZJ#L!k&GDz z9a$vt_67b=f?~0OJHndA^y;r)*ZPglX01qPZx=ko-}?TD^YexBABzvX%BU=a3tgUiGT>voZe+UZpwKM3c&XP>%G!< zK|aJSwcJn%93fHvFLu@(5`^Y*B2j5=%9*I=M6_{rZ;9{oM zG#z!kCrZ3t|2_%T!~5o9BMsaayZ%YB)6}!o8;Rw@XTjWiz*4ttk;(gJI=V@Oyr7i>UuHD?zs;dp7!x$qE^M~pjLiT&oaDfJmij@c$iF{qU z8Z~4eAzcz;qyH_$;5XzAdp(hpYyYiDFhO1ruMlEx4vP<9Do{$BY-mj}lFft*RS;9{ zVK9=FDQW|2ql)IH4Ww^ko`t#-3Nle+EOR#Ko7IM~a~8?q1b4+v6R5sI_+}^<50OG3 zvUX$9Bii;6^TrD@|Ji4tlv%j*AE__6*+pLaIF=75x-Asuq(^Q_3qGB?9{~?Y9Ec`~ zfBek6M*W#VDHlCkC3)so+V!}W`vpdfmTmzgwY1H}IYvc1Lmkb;&4||GPoo)&nCqP(Zx8Qbc$92i`mnJ5hv{e5bG z)g0|Sy;o>xR5Cv!QUVk>mpnJ z#J44QtMuVZoma0nWi-_q*a~)yenF_+qYryc!KWG&#`*ls3a(|d(fJ$Ne}>uWFCRXAA&{Qp?tc)_3|1{Mji-hQ(`XMI1@1sShQJ+iB@rEA<9M z$JRDrhq1OLa=TfO1JM>?wR!T=q52yef~oWMZ3VdxP4_acF~3wq*iZT^)yhLCdTFAo zd-Y;wx~N}Bi%f?M%3a&Y*xRQQeRjFKVt4!@BBY^rs1TqJM*hUcoiHDClOWFpba`Ua z9PLM5@96khr{DWrS6@=ZQkF=u+uq%xoXauBB(nT9frv(W{J#7MY5nM$>+I#dFE#sn z_4p@GHI?fWrMu}5d*>X_`QBXnL)?2h!S~5Z$J8q&bl2g?BQi|{8FB41vNIo@sOTid zKjzp7=+#!rbo=dLQb33x7RpozuSy}HXRqA#YRg=#4ZQm-MLJU6&2LIkaLUJRdC zQS&h%+}GPmxWNa;*j;g@b#>{?`A9BQ;kM6iZrC;?<8PctN&Ptrz9q5+6~UycMTDyI zhU4lGLNXa_b9x~jL#KUkON=jR{&=y!K)`(exSLmg&}nRsD*PGR!W4&3>z*fBdin7x zl89v(i-}KWgZKF)o#SkLY!dfGX}p1@93BU5S8DlGnw_OFiyB&PR~F~B(k~a~tFxhwXY#r`-9Q*N&?Dz!J?q(tN*LZ7(lu8`JwgbH_A9mi5@3RSUVki7H?%Pg zN>F!z_mrhA`Nrbc+;!7xRi??|+D1KZ#8MrkQ!TSfW3oiz+P^&tpIy^{;>K5yYmifCX^7XPqUP$J_c7g(&7@g%!?`?a*KX&787j5FR< zxBaqPa|*FhlgvytSbK9pW1*ZA+AA(ye`tjmJ_veBT&-793sKr6UPyMmqXKmVq-GlW zjT*76p=s#{y-p$q*PN_jG7dr_?4D4)__bV$(OsivS3abTbKlNhg8h)$rU0mI`%xee zpzLuG+fA$VZud)gFx@5!x6m`1mo23ml-XiFU!(*4tWzRECT1Gb4l1#7&^)zEvgY@R zPF8m^~N2Tb3(B3XAXdgV1su<2buDBW3bbMZ=hK$(8tEwTstdH9O{G>7h#es#=fdd_{soDwA{WPv8y&$V&WTEm zf}KUe#Ywn@*e}3}ujvcB1sDgm4=<#X_F`0IH0srgLQertNA&nR%%LgOhYPsQ-=va{ zfPu{@2oIQA6-Yl;*7bM!AgDUv*t{9GT$!h68DC6z5q1qPO#FPTy{yKi23uHpbwDXS zhXumxn{ENJ>=~#%F8#hnT1|9nq3{*n6ZEYQi&uAXXh0M1+mb1?T1_MFx%DK zChN0!1bVFRe}7>a5u%A~ovf1h$5+g*+-(1JYOIp%xo81dBVeW&Rv?RFb&4J7@=$Qc zqdd$CSVd!86@bVw_A?mO)1~J@ZcbPpg)WrSwSvah3%@FLNQhg2=L?1yJW%rT4r;*A zR_h+}?ISF}K|C({B376EIQzjU5q(^udvD`0PyEyhb(7Ke_Iw_?9if_JBx8k~75~6} zWq$Tr4f2ky2Pu-!L@NBW4V(Ua^~##-p9f#?ySfE}$EWXOp4l?aEp$B@TX|Io({n`# z^1=ULf0ggRezA?(pnqD?>$5$^yBd|HdW(B7cOw~Mn|$B=1{(KM;j>8GGC*#QM?>q? zKfVp>JwjBxyeev61)Lz5bB(i{6hdQcv~mX0PM>neAZ_Smj5IcP*PMoFJgKc}YJIGP zrx8A>mc2p2l{-;oOM!5}Rucexg}gS0vymlKSh^=P|7iM-I|+=QqqUPzRo6`&-+|xi zb?gc}W=lpFI>PqJ{^gMso(T8(rwpR3UHXSg*{`q@3SpctJgQufn|0^!w>5cbZCuVK zlNw^C$!i=5P;(?nZ%&=YbGxX{p!I?ESL7yFkK^uGe1wHZRstONwo9SnvN_>e?{RZm z$r3f#GhvY}Z*3s}--A#(SE*YizYNp&)+fBwB}4$~cE=128g{HTS=p?#HCxHp`C6H1N45l7kjHD{0xxqgUd06r$8)&wYSmZFDqD9;Qj?6t?8Y*ErycZU#@yD=U z<6cxY^&grdW;t5J7yEU$(#`2hF!0>+hUhinJ436HH6sJ*Ku~LW8LzyEl|M=LPrSv2 zK~u8Z#cqL^j&;h%hE!yt;_K*(>7=!1OD&Li9MV{y!duo!9e%&K3qyN{XzUI?z*?@z zpSM2_-jAhSJyEgAo{MpQzMr5=12K6j4|KrKwt&p%SDp4MBFJ0~TK~2PLXtKs@AY#V zbwcS}OL%7*D~fc(HNvHQUgYRLz@A9Dv`$n~aZTP83q4cpA5nqm6Ubz~5}h9>$x7IL zIOpnAyc%8?%oHP(cX_C)HMrqHTOFF7Q4*Q5%WkE1^eIMKi$Yc#%83@4I=%SlDWCA` zjmYuaKjSLws!+C{8m^_i`CQdxXMmF;$GLB;!)6jQ59DGt20PM!O>-Bx06KP)DTJZD+_$0;hlG z_Jca{e8#-M(hIUE3EH>~tLDPt+*y1s<-6Eco|9$FS|8lB&{iHQVII|)I6ql8bRd-z z;We?uinKxWrSAomEf^N?XgzzrJ$11|-o>tbkycH%xKmW3@p$g4l zET|50TCrewj6lb6dU!A;>hHN*sP)O2^ExYIR}X{^b=VXq05DqE&rbe&1pEH zq;(wB{kOagChot#itvWOw-RS|Ym}R>CNQVbPKnMg--APg=xsOkav=>Zh_GKGQeDnky%!9Vpp36+Vysal$!^%&kr1c2p zo_@6;$d&3^pRF{woD&GoU0taoYDqeN>1|*Ik_>$BF#ZrTCY<4V2ea#Gh3DUYGOY?_ zs1SFHH^X1QfqEh$Wz=tC%%)+Mb7(D`;kQd3J}v0L8bPar3j0XRuLzZ-jnbd;QUp(!_$}_ zitAtZWS90lY_Qj1_-T&8cP(18H1kI+-}AhBlS0$Bw0L`ef8Uxe=j&~M;AN9Q^J@ zh&xCLUmgWO5a4?Zr!&3cMiSA0)Qw&Q?EiZlBF@fhIOBoVvaUUU~5_J z4w=DHsCY?%o}yt1mOw$Z9|{$)>b#MgFU;}e@Nfp=c&gWGMOykAb@f7oXuC>icUMT@ zx;lC$vDc&1^|RnSG7(ba?Abj2SWIY4nJ#o85p8H!?CbDQoxr|aXgtWh;AfsZrB;*q za&_Oi3;2u<3JzWUDHjNH0+DGei#@f@5UuQ83H~+E2Uc3d?HU5%=%8VJEKj_m&^uml zYBd*-nr_qAH_s$0t^bS2wBh@(4*3(uFU_a>yHGDMgiDN`LLBma%;={RK)mluS^78z zF)i}8(O>TArY({1B8B~&^e^I2T8ixbYFib1@s!M8bH9???oVmdyMR5+h!x-EM`3im zRa4ATngWGVnj1$|(TLvs<;rtsy>hwVGZyLWyQ3=p{xEHg#xQ%(*C{S?0#JdT#PYuyBO~rVd|a{Meb_l z48i7iRae_qj7LBWCJGB?v*kuB8%%0_d0%6lv1XlFb^>)d%GJoxi$MF1Gq1^QDvS()*eRR-qYy_`27mBpJ|riZ$h#%_CnpD!07xg$s}>EF&$mT;p6iaz zE1k?13JZ=1KK#&1&ndYaRnow<*F=yx=AZnF5r<+Dya|ahBD>rD0 z9nL(~R?ma^Q>GQ%Kd6)c2&0dyF;Tp=iE92>^K9nCOr=kHkqK`?HTHGAQqaO8rJ;GD zi)|>#H;7_Yhq4jQWkDQSn4}!TnbB*MeRsL|(j)Yvi0qVFsvA2z1dJ#3gk4+u7Lm2- zen!BmM6Vf*9pV1o0b-jSS6$7S8*{%V=c1s8n+kVPDkzf#ky7p-Wbdw3DrR2=D}che zYDfHn6m(~?H#qjN)JV`+1CxFCR}qHycyQ}7oRFtWS5X@I@XYD+0Ghttqi8Gn!P5A{ z?yv{-_>PVzA;kxmPLCBEaIXcE^$O?Y1KS_Te#T=K-^37Q!5 zoxoU6YWNEs}A81Lt;|C-O_yYaj#|V?aoQb<^hH++gEL z5+?LEAk8-0@QkrLIE}D@=Xbte6bEm)rIV*vdW2dfv(5W~y>t3G1o?25JakVpC%%Nj zsa!&n*SP3s9M_E9bETy4HkP%}%v zWUXCrS`yj`&Bn7?;pzNDq7us0mdDZ%pm2)PORxMFPqg3zaIpF-@M-RO}ua#o@f8m;>%VxY&S28{LsAPSB~OHg=+daz_Sc#9VeBKnb+ zbDqwXbAyU^9)8p0Un>2*-oUEfR>w|mK68sn3;VBr@nvFs|IqfNp_3-GoZF`lx!Ei8 zxrH#thqO0%z>nDRb@j*bWveExZ`*(kw0DJr1vb#~9FS{8>+M9C%W`24OL+$(0V9L% zgvEh0>j}hiVW7d>P7zQqW)~EPg2}wV@m+*=bVY?HiTA;AyT>=6{9A|uP?6E8CbXWb zQ(W4q5~6lzsU6OT*Mc~G9{mUCKC~N!_D)|${Pc+liL!r$(_R9x%>;e<6Iab^>}9|) z3H=-xD6CDF#-W+2Nngkj&JY&%d*fD_>7AUFfxRfr-#jjY>QQ9ttHXTK)Zg<;7c}8I z?ESp2qPy?~fIj&nt#gP!fc5D&Mb3X+8eDkmMSxZbH?P0s)hu@OydnKq#YF3tv?_s( zSZf}gAY(J5%hfx^xsP{&qI3sI$pdt-)7&R2+o-&(8?AV z`ClO;5>SS2HaRc~pKOm2+^iODA~z44LsYj*$|1`BDhqyZ8@09+6t*pBbO!jTUBcE3 zwieG{PJDtw>Va=kd{d2Q5upv3`Cj=;n+K;)ieH<=%TKfQ^&JRB@uX5T6?7m@#<6P~ z^Fnj<4qwzL6-pvl8)g<2ZP{WI&4bt<*Vl#s*S=x_>%^~4tJlD7$NUl7TdVR4`QG!{ z>5stuZB8{}266T^isD2?Ee4p|9fH}O5vO6&mF82Yz8gYb4uk@h>|8KoF%iKaGZlxM z1`ZxvI5Ywlb`D?GVnKWi-5_+#pWt}ok#*(TMj`u$F(+c0AcfI=>xgl7gMONo_%k^} z9;A(>{`>u-d5=DnnZ~~B+vD<-Nx?%nXESWkreC55%!_1g)eVrGf_M&Qe44M-o zY^V%LXz;w@!6bl379*D6MTamLx5oqlE7wa;b6rRz&lsTg9*gz5PpCr9U0BkcernQW z``plCC(mDGEXTdyjjEEz5xA?B7YZZ@G_`-NZTiKlFBi<fDrYoEL*=~^F=I!$q@f9`2net1fYWaNFjH=9F{+pF^0RPHP%>;fSDH*0gs$iOu`8NG;I`rO*-_-6nRFPt`CF^O3^>gX z;(dtzPw;Wzl2zY*f?knrx76es{IG47{`*GQ6`U2m1K{Yqn;jaxz(J^AA?$y&oV0uO z^(ejm&Ibdrc9i3*dt?&*KyeK4gP{L-Uy4`fFXXgG&H1s>%rBJhQ|Hs2aDEh?+ao$z zi&1W$>sM)P-Ry6m7-w%-K8$+*tYruo)N%jZ>Bnc3w!k+1T}t>IMkDm(qIhiE=)*XvSqkXdKZR z!KfOUO`afLQTmE#-)MP9tLmMHVa(zS$Jojrp{1hSUez~01*iZj4OULkwXVs?O!1dMo)_DH){!gz<#^K%P;^+~t7%Vab=^y!v{~r(pDcli6oO*L%|}TVA@*nLCgn zKr4w`#T+&hH@wtw*BN_$rzY8;^)#yvhe!I#O6s|NM-tIj{S>>zFJ8|Vvw-liu}v=+ z?j~+lL6rAwkUwOdwR{d?$iBqr<{Wx2=jrx9TD5DE&WK*V-IYW6b~#w9MWnG;>n%7t za&t5Ma=%BrNpMB%Nb8ZtJtp(O3+fo3wDS5ID6`AI1)}*Htv7%pDA?lm`ZvZ~y8Qn( zydc{i>@NYv20s1iFy1o>qtEvpIX*Hsmdvg{;U0MB)I^f3gLuV{-6G;x!w?%u)~=9(vg6v{^o;%qb{4@*g!H(~pjI zTcn9rB33)nYm~=YI~3>rMmCs+HIdbv)9>Y*`;a{sjT)!r_WN8eb0m6hT@?`GGSs;E zlEf+AKvY0$M7EXPoLw(m?@1zcgQ~R3Xp`8(HXgpFI&2n7IsI7sdfb5qI|FU+_#wJk zF5c3YHPVT>vtL=3Xqz9Pcg&1Lj=@CF7?t0vjr~xdw_{ooYBQeydIUyY&yRsVs=msA zZf-p;^EddR&NbvAN3KhWYD3xX#k&59T4t>-EB<*_`dr^NN0uF^H^>~d6=%}53~x<4 zxZ%Sk4!Si?emLbYc@~F4ehsO>M8RCpqrbJ+f1Hsih=fwuo}}987f7}>aDLwCZ&=@J zI)0ektxO}j?xvZ3T;nM}a-S((1O_~GogxQ>b2Sqaae3VyeRG#}9xB9Cr;L{(T+yee zbsz1w>k^zFXnrvpHo?sI$Rqt`RDSmFw_Zx_f0Mgo*RIa9Tzot{UU2Vihan>Pm*s!7 zk*B%;uQqax@FiNeo!{r=?ZchDo8P3w*YEcxt}UJJ3%yrnbP`WBAwis*6>|F}0(I#S zBH^DMzAk*;u+YaQLX6nv=89}uzKvD7TUU;N*OADv95O!&5CjjJAo5e}Po-zecNDh1 z$n*)$eotldo29?vNpsUn8629Se;fRpQVZNC_pq!Z>~FDayB_+DQ$j3HAGmoR`Q3j{ z#GU$$&{irLKjfp@bZ9*80%$xpd)G2o(yOzipuxMrZxnxkJ68O8x3n5-vA%7NHVc!) zXgrm}_!rQ&>Aj^8&07|p=UWdhI8BJVNk-T{ zUI9BX!g}1#2Q^qJAUlU4n_X*@*=7;z&g)cyM!oYj$27+{czoCCZI*&4`^N)~g2pbG zVu(>YqD@6F(dzyNN|xmoKlO1oa;t+b8H-*9%7>>0 z`{k<~tH^V1Pc>WXO4#|-$%sQxqcEyRgeWh+$< z3`K5Ipda}d&FCD;)~HGvhdcgSpagfS&JeJ<;3Q^HbfJ28II!Dk_PkC7TV5>DBR%vD zhy)+W0@*x64$37m+gX#C=Epz9DV(&=cmjw+jx@kT%2WWG-f5+M(C!1c1Z>RdSY=q6 zL?|)VJ83l1#MBfi1u)dM-6@Ax60yUso7HVh8_penkQPRIgJUiG+Ep8vId@wH^{DB! ztVetj4(@&R_6IZUlSb5mPFs!&WA0p2Gs{K&V+P(Y?LsQ8IY*KCH$p}kb0EIN(@|J@ zNtmQ5Hhl$3+>vz}NuqE0TJT}1$KRQ`m&Zr2nMKqqL+Np!+jtaw_pOO(L6rWwbrRwF z9}(t{l&BGk;?OQwv4Q_=h>CTBq@#($PkhkKH7xju5DoCHRh3%o4NEb+TQmvPGSgrf(fF90C#4 zA8v%1Gd&iBK$v;6pqWop9{twc%zVPOeV*b>Vplob-gCz+>t~=rY5d`6ShM-DO4(}< zj=}~#>p5 zmo(DdE!`cmDJel3Hn64Hba#g+-Q6iET@n()o%njrch9-s{mU^JLs)aIIiLB&FZgbC zQu}NklN5ZELKhPPJep&3IjE>2IIIOGsU{)M?~xc%@?b@z3sHnY3csfZ2_LY3z$(YO z<>Z_j>`m+C0GJ*-Nzq>F-cBJhHAJWpcQNd=Ms`v~y7ah~jA-EI-C! zX2pJ7x2@}M^)8mD*@Dk>YGHsF`r7abL*we!ZO)^C;$9MH@D`QeNdWwk0)MXn5=@fF z8xbrUMst4+6$dI&YIb^9qZe_un)Wyb8{Xnxy7R7a^mx|EA zPCdFX9d@h0`S_Am3;Zio-4lKyU!!8Y?}HA6RD=@Ixd`*ECEW7vk^~>V$PBEXNNkuE zC@~$V$qO_{-^G1lnQOvj&y=4G1R^aRNs2Y6+RJVgQwn{XCWSc=q(LgWSdc33S=Jr! zjJ(vN^tq7AcMo09UPR2kdzfOSTk5%ev{{^epzFmp^L4LVIglU?Lfs`I-5-(%FTL}A zh}rN7vqwNjxT3!RWiZKB3BVF! z-V}{Jieer3V$Dhq-2^G=#Wn!p)A=uRU*>_7LiHQT1`@o4f|U)2oDXz$A+QaMuO?qW z?Gu72C;Mj9qXiikux}(QK02BO$}!9)@+TO z?#}ziZ`NHucaBe5-KWl?4zib=y+)$&IhlUxcU$-9g;5&GWOj_Ruq!LQiI#L2t_1|c zHNQhJwPX|Gb8<<{F$U@_LOD*3N$XAeK)5Wrf!I3}!-?tB5Gw(p6klc7E!(CE2$Z4$ zRf5^me`7$6_`wMxz4eh(0qEN=UXCB}kcLM;#rYza>e0yuY^GnjMpgp6I_W6;8c60Q>?#5wty<8Hxi>Xj`?sI@IZ?Ah9t?ub8r>vwh4= z(#6AW2PTQYH{04wyVuCA1Hq7_Ui%X8`>w>9iCH*Zc({S}l%ZAu*AT z%$9cD%yA^l0k#N&^_tb!l3_2LO^5#95&TD!HxyUeSdWHaj?xAL3b0#1-|U4v19$|e zLFM`= zF@t-059}&2>-hkeY{V4znyD*}1243{luqo@{bUGi{s%=Yc)5@6XBzz+jdI3@y=$^} zIMS#Z%mi4}Bfnm{QNI3DNX*iS8{xi& zV;Asl&5>~gmNRFKWkjVg@0YTHS~3~8ny1c8rI=3Z*OfKj7|ymL&!<&I9D9h!qyGU` z1GIp6$&B%8`_Enx0cxx62lDHd3ajNOwQTj>@yRg=t`+YKhMQ>}V}h#f_i&h5<+SYk z-SBu}5FVR=Y8$kb!tz)i&u;4jDee4l&BKYCx@_dF62G=3k^A*24;m{r&WP^N94%8L zD9U3L{DcSW%(GCXEtFucuZL<^@Ug z4JJEV4~6P8en+FD6EB76!%b$dMh@)uibv(h8Qv|syVebt z=x^`vSx#=g`T$q(E=z^Z<_`;7H*{OekqEL|IjN7LSIIQYt!IJO(Cmvd^&cHw{i$*z0T{N?#-`ObrClPzlZwzE@|;x9;j8&-90k!(2O5^$ zCm1Sq@#aUGmcqq}Q_KFBx5i$Ozr6?}T#&c)JwOi}5ZFy(g@9CfD&AyHw4JEl=2UWv zEo$Op-MfF|G|`?Mg^m;3n-PP9QW>iyWEEy_{2g%E7qPuuio;=M*cnUKzrRVQ+87yr zp`zh?9bA2o4uV&l0I*fYE@c;s5Z}A1l`s#InC|sq?n<$EeHV^U&tsYaj7%Hp1Cy&q zM}pEDnwT*Oz_YJk3TWp%4|lgsme_pWy0rszF}K{%L}M)2`mpAu6O6XYeDOu6*ymZJ*gf_I_0 zWYZZ7zlLg~jGGKIAZVCo99dq+GxOq%k7c@E%6y;WwTQj%Lm&+o)#9r>hzbpP5?D`k zJ=~00tCeoOVM4#4QA{+mc;7S>!0najTQS84kaljeYi)#?VnMX~tI=9H!Jib7j|oh< zFC8&JRTR}%97r10@tGHbZWTiNz*EyEvEivub+Bx~+V*tP2g|d*tiTk#zLsdxuNI0T(2#T@IUFUqpDCwNp0ZNs2U9q0_@K8f+~jM$F4>1wR$_-8aGVF8dQ2+ zI6ireT^9QRa(9+4X21CZ6l;Y~1`qu|wXi;4HgwH%`aapBvKO878zu2jK^gbev#@EK zl59M~M%FqA_fl<*hVRE{wY5`B(a+Z9j4?a}grL(Ek1f6=xi|Cq#yTS|!+hCpC0PT2S8CD6zKm{6}cjhk1h_?z% zsoXWNSbE)WOQ^I@N~+@3p_gOUh#TTP6fHQH`H=}m=>aii4bOyV!o9`NLFV|`8C-y+ zna@X){)NcID#rx?221EuOYq9?_SthT`_o3YWQ&FvgMm7)=Q-ggqh0{b6cdYKZVIRp z;1Xit8W&wVY4DzKt?-c?45~W8aB4g0w!S})i&-!^k%(sdBf&3x?w|K%da(Hqr4+iVL&S-*ZR=S*;(;+4deviAh!SaO{})J_D$r` zcN=S6He~KKhy2qHn#EMEWb+875LK$)_i6;vsr*87dGWuNV?0VEgc!=5&7CJiODLnKNO z{FZx6h(9LW4S{O~N<7kdRR6_Qlq6khNElDHzwjs4*S?E|&EL~uFT25vat6;Nh}54p z6$IuJhNU8Ic{deWAn-E(Ii^~b(q~zzOLtbvb8)sYW(Op{>fTPW<#@T;!cIExt`d@X z@Wxu1neJK%n{GE~hAk#gGbRn=`dN7lWC zO9ud=0kGVAX!e-wb8W@k?rFQvgiZnYrtFz`s;Y(ncMsE`{+KWUEy%QPK}#@noFw>; zsO+6_z2VCF`pQxY6Y_pQ|KivN{RS!n(_X_>)EYIQWipi+#lf@90J9$3*(*Z&Oz`xiLnhbsJq0-*R z8dTiy1m2MYkWda~@`0J}jeu%pElM9V5ZpjNk^ev>KAB>O>wXwI*9^33TtIGU#3vpW z@=!DB<4@QNffx=uFZi4s4>2Az*ty_Y z*#7hljJmJz1!rwAJgFvorZtQ7tv*lm8Z=86Y!6z%WV0I19=x5&?n)_6@yFb52`mu% z3u6{u(!}A(Rxw7?Chb~_X$&Y;dhe)T70q#(0qg5sW6%$tH!~T!?dkEjph(Yqj?Qkh z1J>w(%@Y#;V`d<(7BIwhR{Z6N+Fjz?wQgdRk)m3#Y?U3W&6$Q$`GQpUb+Ha+yGr-? z2QDtm9}(fjGmNcCjvau&dtd035Y5pa%mjbgV2leJV>=}8>X;@H{07o4D^pRh+@oK! zB?@wr$85y>SOF1j1@c1eHvunu&L)%Gq z%MBp#IRfl@YJ{}xvuy_c5-j?+TS%QZrxnnT0Laj#2`U3sNw8>E`2uL?{fnu zG8(>;tuPHwC+ET63)Te3)B((?8<@#MLtEma+tRO*eX*6Q*;CypeU?k@(==txuH76! zp3h(7SiW(Afzl}`P^hX)G`>=V-Y0H2Y(kg=`nnS^3{|7Z@l4o)92l@Y*R6gkmN(l; zc_a|6)l(f;QWx~r0rTnErTdsp`csv9E zX38~q{z5v+@iEY{gK{y`9UP7l;>DqRe#i3224074{xb7CX=+pN0kFZDqpi1*M^;qN z>D^#aZ=r%ITx&~hZ+c@Xo*w1JAPSBh`p2T&b*;^$-i$XAYMzrF%Gcxge)z%4N+M@g znlq^xGV_>UoDW4QOQ$k7Aj+o=A9pu~IFqqBcrgBm_sL&LOa%z`?=cf41;Y;uknLd3 z#Hbd3doXe=%DGZgyCL0WcBg~Bg75$4=K2c;WC?*-yuOYulNv$-BH^<6L!_Ke5ZobM zmm>fY%sfO$5!Gb1Xt<4!%+9WMqng&^?6ltJ9J5slyOig{7RJiaXKY<~#^s5IrZASX zEQ4bH1m={)m-lYsW(5Q~+$ zM66h7FiLC-9+wMK!O>Hf^KtA6XC5iXN{&#F;o2FGp#l90FThN|c@MEia;w?J5r zuX9(e(hB{)wp^fPYuzh<%4@u=Lm(_vH9&J()Fa-GJU&y)l6|Q3Q?2xj#p?>UT zsvZ7J%LS8rTg)rrGE6Ufv1~a%wh3y*`_PYjSU0tS9#l!QM{j1n??}V$I~oBQRwBw{ zaf~+k#Cb=D{j~2(ysl=y?dv6@!P{I)J08+dAI6LO6S>Nb08XF7cF@46=jVn)h5$!_ za|E|bKIL=DCXsxhD`+v@EJ!A2Xv<;JReFudKEW!?!q~5!$%|O3zJZXWNu@C$rKQ;| ze|um}_^?wxS--PXOTLHhfJ%`?(igHz6Oaj+(UJb){3#=;=59+dW8VkEtWqt4PsZKC zwh=JCN@OC~jA2i+;rHL+1ubh{7IlYtk?dQRfbD#gC&OA~BN$Y}Ch!ElS9``nPg)x- zftr5s)JC-N(t)9TXG+k&e;ieRfgW+P_YnLZ$LFLoI$hysixEjVw(0Ln~s!&HAJ46mP`v(^)YjY#BIh{&H%z(VQ1G%w2G*AH>VNRt$EK;>f zCF*%sHv9srsT}ff5-v*}(DQJr38=JN;38s59 zJ5()y>!Vw$n<*lkW&@_soX?9r>s9@BGfJL|&1V1^Qn(4=eaL#j184m7&Kb2o!pzXd zglqbP%L)Eb28!zgVE7Jk%x+;5F{blOX%z>{4{MEmmdi?J6_9#2ty&OO(8!DLx&)4! zeS}eQ=+?p7qW?rp@Bx%G@fPz3LeX=;H$7%j`goK$mJ^L$YHeiWaB4(UP~mXtmGG(!sMt*b3%xDiK$YgIT6tczb+v7-JgZtw4)<~;y zK`^8pI6Ca?5O>dQ6FGUeG+PC>ivLliCCitA;45iFLaohA_lEj;Ru^gFhn|%!0VU1j zAAkU%p4+}R_nXlx_|*j9ne$u<-zM>gR&to_Rx~E3kt~2f=J{c4&6-_P3F1}gFgX_o zp>G@xE;VGfO2cW0v~`SsrIs>ET{QnW@LgS-Xwh=s3kfwlu`3hw6_Uj)(@zUu4Rex5 zB&}g}Iz8YC_BLUW{f4MnjE180Y4or4B{IaXE`e~72b<4Q>A4p?gxcCg4^gLvXZJsX zn%hz8S^b;K2Q6qHD?2nl{j6~6To6|jC~&5$uWZfN=AgX@BdXLuI6lXn4M{leEw0nb zqaCf|LU3o+6t(C)b)+HJ;g0EvvT)QHQ4l}&x2js4VLIX3^e7R=2RjC)i0Rm+Ga4XndYQgDCb!VwT~`{StplrO|$)G zMGParbz2Y4TJTL`&!#D$ZSvl%W|OFH3H1xlZqcVOt~_UkoOd+BUGM4bbje#Le|cFn zPSMxm^0<4dpqxYdP1a|zDcuFDpPvP(Hjoof&Z5+Dp5M4El}%@*eOqFm-b7O!e<1(s zTtWOagjf79S->ND@MTFsr^1t7k=={Cgul{p`fM7O;6$O8jgCzl)TfL+Vdx_Qnb0*bK=;b708{8sJv3{=g8PmE5vPOb=I;+b^G$ zv^*3+xNkYmPUGdvaMw)|u-i(EC_kdF^~k+FG--iC*|e+0ZtpL??y17(BE-0hXBWGg z4^YR56TLJ-rpbGPN-Nsydt(QuaB^8b`8uCu>jat;uNOUgxU#z^WaIdpV5(re{=-_{ zvasR9D(XbThi4JH0obEWUOPe)zGT6x3U-{;1<1A4fm=SoKfEX=D#_)*$cxA%lnENrn$C@Xb6dx>cj)YEHD%?>ZTRJ)PcT# z1X$FSO`Wm=K;158I3By1?dL^vZ?izFWW?GaIieegOTYxNZY3X2uWqrUZ(eePPL)yE zEskI z`IBnRXab@d^Pu2nCZ4j2o~@N?*@ka{EL8D4tcY)qPdfEG=$}8e%6Z(~FN3=DFJa4E zjdr>k0qn{8hJr{2HLsu%50CR9ceN)D=6rP)MI33LCL4+;6%v=Pk%xbgq8*70U`+A{ zDT;(>-U*q8K6ZR<_`$bz7XvRGHE?FF(+KfBQL$_3Bg(F}&JgO!kYk2>y^K&T9^gaDW|EDW%Kn54rrdHb0(p_cMqV zBU4*ehr_dpk1a@L&Vm#pTUTFGrOsZLxNCiTIgR_`M)pf~tghueG_$D_TE#~3;mJGV z6$$`?wSurvf97I1k^{REco{qL1OfrDQBtPvX@RaHxRo2oCm83 zmgQvuZ__LkQP({fN^F{#hs53@Nw=w#w;P$doSVXfA(Y2v8@W~IK)C>9$U;!yfs4_H z3ztx+&(6Rq6NUNAPOfzbx^_WUKgUv?Zn@;l=O~Px`2;vg|AMqPTV(>1?j8V3fHC|h zYllGhyoI?q6ufXSG%*A|#RVARWz4Wx^g(4J5m^H{ zIlRP-AW=S5nvUitI*kaH0y zZdPL9)1Wb$U`s9A%q5bF1qCHIn&U2;*QeWi?gN%W7^-tKKrT&Vy0B=)P{6?`Byy-q zYPZ;oLW$i&k=_ZD-+s1-$(pO98BSdJ+G1b^)%mLh_hBS-uDk%yx!f&^L-+}yH{HC_Pkg<8KUVj z_7S%6=${Ff6v(iixp69Mki=V~reYW?)OSk`uO(C@3U*0GNfdkdoxb|$DwZ3l>Gl2; zp2pwI=}yki?|JUwQUK;d(p~hXA$vGYlHw9vPcHNwEad-SM!`n&ii9LoOcZ}F()a;g z8#lj&jry>~bJuqKOAj-aFviy{mj&Ub@*W@u+27!GtJopu%O{p>a^92udS%keewqqjYmFCNvm0!_1}?5>d91y%EfRuNGjW2e#S2p-T;^bfk}Z zQE)nb<2o9s0!!X$)dz~=jt>*{c6cn224r}L+?k=c9r!vqQEXG7*+FFC*whg12c$Gk z!wo|>{0p_Ybit(VcHGt^c^#W-i2oxg8I<4s_&aOc$hui!9nBRFQx6AkMWe_#w0ZV~ zH7)uD8~_M{DQ&7&zt+Jc|L*(H0f0|Ot-nxrIxzs<(Z8|kKM;wxh|q2efCy#iFq9lw zuO^*e8=m`S!Z)T75;U9ugH`pS@&L@CAp2wk4HqTjpv_YPhRrbL0E_H-5gV19G%lb4 zG}&`$^bDw8lJjVN`Kx+)&mPh3Bkq-Ozec+<^A+jYg2P_%R5b+Omi)eCJ!_hiY^oy2V9RxQcNQL#iu{~QoXOr`ZN^*3 zV%azhWJjyq`qI?rwJXMYhw}4Nk?#J|$pXOSI6b(DG9-B)g3M4UO95x>V zTK$*TVB&kj?X2ZhRloE~P!i^E;k+`F5YyOA@I?$W;BGNqw^QCm5JuShgp67yK6nl@1FBGWUu(cok}+z50!x4%qP1x{B-8ya@NbBzevfc{buBiY*rw5r!GK) zZr>y16pxI)q&rRD{a7*#0H4};bH5|PbHzR`O?)vFK`X8{UVYZawS`F^Vq0lygfXQn zZ+%4L2XrXFy;nHR`MuI80$;3XLG6XFQRCLg|9+Nd6X`6-lHJ#e@A_50Sn$`Hw{Rq3 z=L)+sx%{kgmUuc&RPU&_8RRC`StFVUJBUyn(8U^6?<>8Yk=!-S=& zEp+^a23Obmq2KZmMFD|Ig5Ys(gXD$p!JzMts&z{21prEGB0(9;l6^A5sE%Dt1k_4~ zeYTpWjCo?J(b*x4uGYn(XpxnMV=k=}w)%K+oMzaSIYV8`iw}xk5=F$d@rZcE!na7( z$1Mlt5vm4R!g-x}2i<6vfR#Ym{?Wk|T3}cF55hAExQFa$|JkKNaRB-RGPYY9KRARK z!9;zyQS?=GPt$d^^4LPHEIXf6sV04pntO{y?3lg~{H3L-Iyilm*sF!qXpkVt0dGVpfnxVD+s6?;jiy$!gknD|>!{HdUlFebeq2-?R#FS3yg( zljD023t$_cDGk$~h6m90xC@X}?JR)~w0FVti6hT{aM!f|ipjGR!p&Ffw>Vakn}HMk z13;vH@#+?{y(34}MzS*EJP+z4pgGkKn!OTWAT`;beEqr4=1Kg60o=3ufGfty5QGuH z?2cOB7$$QIbVOAqbv>kx_NIT1hJnLTOghv6{uDvQ_&)mtofS~g`@ch3g*6{`3F)o` zj)d!L`CFhY+joE{HuaVyiTgvJXneCa6iM#aOmd`V>0;PLW>;NH{Ay_x?4a&>-Y8xd zy7X2ueZ2PWpLRgDQQmd?wEwN%b>O`K%O=f~e{>roC!N1L5KPj?33|cZfs<=TP>bdH zm;d~7*mU z|GU~-rh%!;b1P9kr}*#ezkrPkVBY+|Tg3J`jF8YxY8sh6xi}01KU-O{V(JE)nooSD z6u)yPjvolbnU3HK??Ocg%fnuX33ZA8!O7VaZ)0NrEp7hp(RkyVTU7YIv>VXEmcF$m z=``k;?TTieBdtJecXEu0{8vF&pd9G2^~6%l{egQMd>NkETGb8~zWwr-VDh5YD|WO&^wSo> z-HFhZbL7VvI*og}8Q|VDGmWOaPOwLeSGE4ZfdS|5e=5VjukUtZb+D5InohF;D_}JD zGX@OKDT(>dF&-<=-=!OoV3!x(A&KSOWzGrgS(B)!dZt2>m5-0|;3Ra|IMd52ZxbVL zaokFW1kb=!IBAFOgP8H>=&=0GBwZo&#h>pZiZI?gyGQ}WbW6^@OBaTvKhU_m ze-W1dURa@H!coGC5#Woxsr7sw{9@Iw7>wE_Gf~3?ZcS&39^ONvZ*+wbOD4rc!IBtF zRT@F8tW*v&a*ECMdRWBrGRHg&5#4W7Ig@@Y-l}ZPk(^>SPGjnVcRXZtcaoCVJWx&! znjBwv>V3H=ci{Mra4<~rOW$gl7U@D@FQ`n=)Okxu8KTIN=x+HsvH!K10T5-i1w31! z9j+h8p#nDLKIqovF`KzeydXx)8;C>5k*sQ%1G^~6G9bm?gX#qUS19pvu8;lik%~e2 zKBUQp1zO*4DXUz*r_e5Rj7N-A+F&M=r7F2pjzd?k;gL&eCMr&JGAY+QPUj6@UVX2| zdHgJ~lXGjB-n(3xMmVzfu~owd1I6Zsy8{dr#I2fCX(nb%AHU()79=0!Tw9D{G{m%b zU$;QCo~WFdIKPowLwp3IqTG|u>x!}$s(~4iWLy{p%8Amwb0MdAXNf0%1f9ASMRJv& z+vf>hw9V<=FURHl1MZ~$ufPouu;R}1vn26{qvc>|u%>ff2-#Z3HT20%*W^2t=m?e_HK1E$d%6_xv>^-3D+zS zW_1+~pRl!LH-lI-^#PRv<5fMH@D;P5J?WY3Knyc_WfJtHxvp8z zbUt+zbr3no>rjvkxkp>);KcTkbw+TKQcC@v#$50xAd_rab>v6wRIS-mkmdYa{P~S! zGCf&!ih~Cwj6^1=>ZsuTo$Q(6Z<8{+h?ZJM*3vR8;^2ualRP~wpCk8_5#gfFLhDF; zq@kq5FG(6i3pd)(bEd-K4>q-An&Fu3kCv~?G#Rg*rY_&gL?5}t7<%M}ML;gtC_;QI zL~rv3P%Ho6Hy(=^W>~%w^2vaR&qxnF3RRKVwEy1otX3EwHg`xqm#UNlx#6nG{YZVZ zM00MOY>u|_nmhP(p+sZ4PxR_$dhA0DAEXtw%WFKchP zm0K5G>Qoa|C&5LS!833t*XsjxZ;v%rq!&uE%C+!y8LfyB*axcjd4>9@ret;R zw^GWy=5-grFlUUcvp1EmGKW7M)djU1jjR}{tP!9#ePq;mVK$EISl#|E?A?5B{yR}Y zSxgyU+cI>i2xK0+75k5@aM(tV#){P;z*h5L9P!`E^X|k&;scS-{fv<2^ctJRr1=-j zF{aH|h2C3hQXCCT{(Tt#8Iyr5B~6x(Iy5h@jt{qlP$x{#k*&w1GT$y1YS3@ZX6B4b z1_j!FnMp!D(}FgIT+})W^zsbboNC9_S}ftfzeLlh?x-aW(cMBBAES}1saEB`?ILc9IQ~k(ZCLFw8-Uhx*yj*jj4K|aOF7xQW>I&d>5(`M9Ak%yc(JXM00e20f znEAjamFz1e{bvqd%hH0u2|ZzT1-L-JD%?=;UcruX1w`}BdN5|}PjY=5b6$ruj8#9D3hGtGr#1y{65>be#KNJ?}Qf7tGNtF5uFUhR@DC~r6&n& zJu2~4Qiwhra&w(qfwxI;E5nJg4DwCjsnXT>Uw03{9nf_NE4;~_8yfAQv1#sV2~Z%B z)I~|AH+KV;2Cq_HxLmu04>1kW1@udxOV@gv^`}J7NA|04cPdmAbu<{e!*Z|mIfAPM z))&ekXhcISdkXgrPsc=)(DtD$XfGLuQ@B6OMg z1EL<7O*h>Jw|g4w1W(X+TTyZq!d&YJnq664WpQRcbJt-5&7Ez|Yal&+yMWODT7U@v z{N)C7oqrAXhV(_k)JZ3lYbv@R+nkJnun+N5#61gNsr!WQLQ+MnvP`~tIyp>jC6<3vXU&|lr^&c&&(9%Df{tj~TMaK|Vou*GnVL6d|N|GK7?8(QJC zW`|vAyY1~{Cm-_YnJvMiazYHZYVl8|v$ulECkFs|Z^~iPeFYHa%LU~7ftNt|YD=Ek zn4Zh-zfLK@Zyv&Qf?hism?0*GLAJLCQa{QVfzl13l<`blL#;}Dy_kbStF0O5a~(%F zP7>^i4a=sfl=TPDdD>?a;giDd?Z&^BdWOdnT(&z8c|}4yc&N8zm@V=JDSjr`&tirx z%YI!?Y>J+%K9Q#o*zN{K(ZXZZW7JftaAl49l9vX_)Angqt8Ua&)!&)Ad{Ow*q}|jz zBcB-b16zCY<7=vicxMX)C&)RYcrb(jIC<~eVCpZFu1u%DCa!$~R+ioe)*Aq7QBWB~ zBv|x{lWVpX_0Fn$eIWPkZ7Wy<+yf<+O2)p#U=R#w$AK9AYipr|kT`XQTmHdkGBt^% z&s~+}>W;+Y>n-HUNi;qgakQV7nG8MhErccjXzI@Z4inmIXeBe1^E<15`< z6@LYBMsO*Vm84(oWR_{?(6ad?)rqY=3{7wpLe5;+^KuvzC}l(o=Ka7kFncoNeCAgf zP^&=DT@U~)t0WY>s~`&Pmmz6+^}Bw}}U zM|54?JcmrAsv#jld+0?y{&G(tA!lLL5BouP*AsWhT`vBg$Lwnl? z31x+{A2U^F(K3WYI-a11TYLptg>Ro}x~hlOmaA(K-+)h}74Mm}?{)R`m^ntHyszeg zDl*W4_3`xI81avXTV_hsABPWBo{GREZve7VMkHmM_(`w4Ef-R86YfAx)sD^GJ$HV_S6QQAABA2{qpZarUd?!1zB&{Xm_<^cHT^AsY3gQ} zh@No7Mb#2FUAh{GKOt5kSyVTaJ)iS8R2O>b>{&@iCdMeeYjuO_j==irdNC-!VB0ii zGVZCLg^kYabg|ctZ8dTZgbn3gK=0|CJS3nd#BeA%`KyIeWL~+d9 z_187%V5;0n#&>seQptE#)J4f35hIe!Ss+szu66#*T&f|YFAIMNcD52RM(zJj71we* zkmET%=dDZ=q!-wOWowBCPO@o=I=t$u+gpGXSk4< zzj)BUUaOyDoGb4%u#8~Y)NU)6x9)rPU;)5LY_Jo)Xfnq2CP{-kW+;Xq{)9_y!N(r9cztwT&xSJKr0*mbl=Nd^Oy2 z6H*2C??kU6`nxb#8<@6zi(ea2UQO%}|K$+_xqJcQ+>Xr1b|npFB4cLGr-KenmqM}z z)iUu7O-bk$55>2t|su6aKxh9l~hx6iV z7{LT9UJYDl_2GB&zP*&|x(k?Uv-&#e5M{~@ZlUUj&1~*}sTV1aPll|O;_tf@tQvHR zS5N?^v~2-N{IWBHpd7pc2RKukk?jvM<5MU8R1CEUgu{JWjhtyUFl9b=?TTUY-D+7= z`?nxN!xocpH_V1;mXZzunwA*(LJT={H=a2>MmmtvuOoyD~!HN^8tB^UG zMd%(W)Nfc_7PyQoH@;Y|5cTVpVS^Wela z_i{?yg245op*=7~FvH2%y3?{&?}PL>5rFzhK62Y$U9Iq)&`>HYiuhG!7wc$CNae9A z!f|DRqGZbNkshFu8r#s0D{Mp~HnFu+ElY5Jwu$ZtI@-Ey^v89QDf1LnDnEGT4AYtD z>SoG46_=)*e(q;O5`+ADZUeH15RaTI)*>Gj&#DRGG~~M=hylu^ZmFNAJhd^;^P(mM zk{UlB2+2G^w^zJhmFtsHj^&W;<>TMboPY(XSezKlTGs$v*X7>DU?@YQzVZ~^SeX7t;7Z8^! zl`TOt1x;B?vT-BWcqN2AEhY5T31-zj;{<1HCtS-!Lu0y{Mjwdgh=sx{9d&6LR~c`Y zr%r>?wVG#BnP{(8Tbz;(E}UG;AyreflUDiF8DtZ7B79@#J~KFes#=Q9^9R~IAb@ab zeSmDG^SJ09QP~`0wk8;OkrFeJ8LRKwQ9heq8-tfQeL~5szJnMb88pqx4HV5F%Rj#0 zsTl5z@N@0Y^xo*o{F|=;JOt)(!uJ`%XA4`Lx((e>c^J6Pj2eSW2xWq1;<{vwy=_r}ct6U?Iqtbwa zRXT1X&%*azu5UJG5PH^}s!fW--Dy+6dMw^vXzVIhcCd;eYsy4L#6`#B*YQG8HzkZx za)vhbD+-5hIV4}VIN7#r{S1Xft8WLE%fn`h*}iGIGTZ4|ZZQ*dEmJ)`9AO|k^Xtfd z`binao>ThsOD9KHk4@UV7ZJ+2R%|gdYg{P%iMHXtvZ}>L3YHgalAS>n4Gv)Vqva zA>*2_ua)w5;!85iHPx%9c3>NUa{J&bPVXlaUT)cYK7%(JsgLpE5weTNw?Ld7K~Wb)N7hS01jtCN53xI|h%RB{%Ot zd~Hb`uzxh7p}5!~upE=+NMG}W%|r9h70P#~`IDZ(gFhb%7}wl(;rR&u(M4(nO?$MT zfv6W_lt)-bJyvhQsGsv)SxnR@j{C{FaVw#FmbB=+pPy6~vur^uaixZG<+L&pw-S$# z>vV24cv@;o({JTgWf1PGqPJb^%nhI?oS0^`^@~0DKH_;|2aX`r+T*;I4z9QIijmqc zU%!4u%5<{LyeIiOB~NZ|pcs;S&a={EwVeLXKKj?={khC{uq}s#r8HhW9doK;3^}(nC&NC7%&U-NlEGsBE8E57L|_OqiZ7y5NCZFtDK)u++PHoE==S6_MZc z44V5djTjLe%OliT78>-+e|GfJH8B~RR*Z%cc|D$f3Orq{d!khky%Y{#RwRYrNcx=- z^VQlrjZ)bsm<&ta0SD5Om-q)KE}4Cybx4&Pr+PRLn%Cr*KyAi*S{--GZ zD?!53o;gAK1=ntxWN@He{sEg#e^Fp|Jjasc%b>a;-1~e?*^cz)bCb_vd-CWe*gIRd zC%Gs2(cBZ?+@X3Av75EJm;bf5$}2Arh(XbN>icHN>LmdB#*xVx3c-@DX!`8>!<0xm zeO0J}y{4+{GIFX=UFDzCdt@T>4Vwz;LYvJ%7>JAB4peOb7H_TMuvVf8h3Y|i<_ z9IcyIdAM^D!b)%d<5fkbZkXp!oS7)jr*_G`Bc-9Qqf_qYI&Dj}myAeFZwXfSlSBj; zIjkL6Y#r_vzZxmgivL9^+Q0ZRC%$;Vj~z4BVezfm_r1*h1YPe96YuX5kNZj;As%ZPWA0*xH$w{U*C7A+|l?$D@6rd6Zot#DF#09_PG_=2vc-l7+^x zB|&b?Iom7-s_gOP(&FccyN?u^V(o#bovN_w9{i|)HQ>~J6UqFVmBvt2p<&W*ObV0E zjiVR)9>R#1pKalbzZK2TE#v@R-so9TrUvI?F*s6lob_%u!}rbQ>$|e`V(NwPEmZbt zG|Q2PJGndLzw5=3He$jT&IM$id160zPS6WTrvscZoL;=EF2T1SrL)RXGdJH;{i-=z z&PuzoQA?32_GthEf;XVol|`fOdknbF67n=YY6PJjstS&eQuQedo0%e9uU*oF?O0 z&aT?zgX_?&LrXuyO{7h`)78C>51r)*2(?tgK>DB8<=ngN@-Fu0od8FBs(NM;o|Z3Mn)uy78$NmPb8I($@lIVYvjWM0^Da&h{dXInp3Y^a@-^~_R~^_&as za`TAJrK4JAJbmgdZP?LFUB%(fj@e{2t!Hn9Y<=j7bMn0)w4zXX>)t8-c40{DuiaPh z*n9Q)f|ogUt};L9A9$N)>P@atbBz!2u6>CZ`a1u3fsO5-0|~fn*kzxO$F{#_H2S-L zi+@(``FB4Se$(_9&ec6)Av{yYgY!^6nQo^tJ3)ahwTu)GtU+k-dUDQ`Sz_;+-XEzZ zi4)>RRjFds$o1dC-|X-^N-Lj=*k|k`3@VWHCPK9NTdvA;jiOxfw zbt^MtA(ue66ZuP)%)WKJIzH^A|0QioYq^4JhF2tubq6TZHW9BK5ig zVB2?gd$p-Oj14C?~=_cBHYc7%CW6(klh z79k!8v^D0j_Y*dj7Af?T3|FK|4|i3Lpw=l4t+!#_7ra>FdUD%fa&3Gm+sDh^yBG!e-8LG)r1LMzG!5urpa44`1G&j32l<-)y*uJoN@OEfeItx{telH>HG<}E154H0*cU>lny!9GAXDqeu`MNc}v7VSl z+?TZ+{VrziEKJN;OP0%0E+X9D7#_;nlNwB{yX_bJ)NFU1{ZRd+aQn~sG2(BRY2-Sx zCD?0TA@%;dgn%C;xDt;XT6H%E^=aVo44bheW)C&n$I#EtF59z(yos?U#u$aD?uQ46 zRQo6DUh3=YpJJ&Uxwz}INTRXh3!f~|jfL|&`&;4ujs3iQQcx7H00YXfh1!lxI#F3w z9>9*3fRU`zS^b=T2s-(Fxq^QKS^>Qy`Oay%$8gPC5 zZ8-6)$aX=eU!OQ}v#@0hw%&7v=@l|iy^FEY)J^V9pcnX!z|YVw*O6@6$H&7Tc!hNl zjEsw2QGRDAR@>S?g%aB$@Z%1V_8iq?c8Ww{-(rPewLX8wtKT~`Sez+qjKG6o2*d00 zIW;lww`aF#eh2?za$+D1&NvLF8}WlhPjBSl&I?QH#L2~twMDX6b9TD4Bi?89;-Gge zgm?(yB8xQ#JlTx&Uux{Jk{6Z{vEB{FS*^Lg)pbX3ijqZhn^R&b&g8(1t8Z`rEZ>Ck z9Q{hDSRLD0k#MS75VTm2;}DUQYp`8fd~ML=y&o?9%~tzlGl#dzVV&*HOZ(lM6kFY* zE$m43s2Z1W`o%TO?FG-rwpr;$%{sg3odh~_kq0b3h>d(rm36wpbZb=_FY=x5I?4lm ze~g+3G{6rvNP=z*)LAb|cE(8h>=+i+!zA_eoUL#AWnaUDr2=i2PC8uA%c4N!>;>|aTrR+ZCM@xisSIEl)SfWGEYg8@D;CO!HQ3}_>QRjwf z3o5ms{9QLkEp{rMyzVjW;sDE!<`+DWjuwZZ4|$TDZ4){v8mfdS0fOi61+Y+~$DYTn zdDHkk{pCi5=~)Q5WO`CN;_lU7xR$=Itx*EZnIOW2sh z=flU3<)c%3rmu3wTw1)lW~2~v*S&;Gp_|W_{8Ic|a?bUaNbl~yFdmDp_)03|w9+YF zhnqK=E>UrhOHS3Zs_C)Wx^3Pf#0~fUx$LQ4+5RgBcV#2V`jwH;150E!vvnyr!JA80 zovb#RA!9k6r(CW27)76?Kj8DvqgtG?{C!l%YfQNAqNDFyZ7Z!t4;*`9mq1oUPyn*3 zE+>*;m*FBg^HuB3#5`U7r(j!)Vl(EdYF%@OFGhUY`S#U;A-Ey(-LNJj3;o{)YKdN@ ztsD%jYFcQQw)X{@&0vRWhRWL~xU~WymR`U40|vI?eR3pXk7Sk`OupH9$}~1B(Az9p z9z~bXA{12bFS`=YssFu-v6=68?MHuhw=+Qs(Q!HN_cEBGuel^BHhR^%L=DCv-|3@H zk`#B?Fn_*eK)`oV^S%kz`yRB&W4rE(mKUSq=VDB18=(YD$wQ3xkOh=`ZrMDv-8JMOL>>o0$Hoc9+idXas zI;{*B1$);HC%1T9H5ysl1fMr>Zgu+jtbFLLv%v20|2e~8N8<%sH5zLZ^2n<*T-nP* zqT%8c7g59^lM=4VnACBlH-w486{0v*p;VT0`^NyyBnsDDk%)(8#7Gy``M8**R1d|r zMhS^AEWQ+99EZ8iQfED4hQ1DoRb8FW5k$*ejslF{iriX^5FV5K-=&-X$+CAUdU>;* z5|RY36$>7NpaQaPF)^p7zrTFOx#-_SAigWa4u~`LF_WkTtt@}qH#7OZ?fp!Li)wer z?5^IUT^g=C1S-iw&9o|m6P9zSXLBO7s+FUoyr~-HUPa;`q>BPCx;irJI&FwZxknRA zz*|JSounqshecN?rw$3P*SP$HL4ScHXF8m`e3~vRxB5gIU3KKsle+a&zJlDUDOZ9`8XHhXk@SF4T_6r81Cb_|5hvD^MGI7{3Ov%pX%Qg z!Bfc+T9dA{^Ws_=k`1TrR{UtCL)Gc@l*X(?*}uS3J@XU>SExQvB|;fIGB5OeEpb^4 zv-XB<-&ZfHVga>nr)W6eB&kvm{IDR$0;Qdiq4R^l*U)~aWjFJJU>a6DyZ9x0T-@Rx zZCM=huO?c1&=gUeI8wvGv0CU&Y8r%H`g%}_#yv3h$h|J^6(XpUZmF{3WIL@pf;inr zdaLP#_p_W6&v0I&oFsdl=jzUBPsABjMnH)2Iq|q;wq6ru7);_s*WaP2i|K!zgCg58 z_TEYya+BTtXdbKTq)A{(jc%Wk1u3M6kfbqXn}jNUZ;xqofSl8uF-ScK*xJ3^Ryhb@!eDMY;}F;qy8Nvwzb*4`7Murh0LM&yI`LA zrZx)%s=Pm;5181>==*(iKRV(&Jg;LI@p04C?WR;27z6eLpbH2e!mi1Yplo?z=m#N( z1rC)K3r`Q20onLE&u-Jg$s#D=`*G>lzya+=T?_h&08aC=F&tGLv$xL|Ms(>~uwHw- zfllY$%z^{KkE;4a)z~Bdrz$Ho3dxoCUC*QJT!-;m9oqO zfY4O{Lf@uBGooYZw7?{2M@(DW6=mf{=&$d!f_KeC(=~&Z@+;!{u1uXqq_{dtN&o|h z_xv=e=H9r1uK9&Z6E-aT#t7Ii#(HDCWj|JXNNR)hIDLXd8mTNA?Ten7Xuqne@Z=gx zF)w){m-Q_bS?GN=nr0klxED9?UpNVS2+?F_Y5gm}miXH_m!HslFs}D|c=L6{+2+ub zz;BD^%H(0g%{m7mk5KK1)o&#w*Ev54iM*NO(_haGeU~KOHgpbNGFetq5N_-Iku8K@ zS$SrEVyd4*?y_UX*ZU1#$-lqD4fa6p_ zYkY0YqfQ(k77A2yjCjg?nqQ@|*WC$9Qqgy6_?FE{!@rE`U?B zn0ZexBK|z~mz{opw%*zws%#(2=Dp7G^n;})!9;Yik0viflq6t_x|yn=+3W8!zcvv4 zCEr+l`AyPBLHJyBDafAY5|c;X{62J94sj%+<2q;}hIeWxJ3UE;52rcDH{`tx&UuX0 zqbz8+lT_+`SmtTW(9~QJIfV4O#T`L3wUQ!n8ie@XL+!EeG|5QHAO41|(`%(mXn2G8 z-Ane8&!o3)`~TEw{(xc7>ZDs^3)4McwvMd=Uz%{~(BjvA;MV6=s@yX2JoAiqmCc?e z!!N>oQ|m4`)P*EM3MmhKjY)(v&GD&NIaKR=qVF`|w+B)jm7mAuY?-F4*=3PrTGa2c zxqO+>B36H3#XeXt=^Ci}9JYh|h9;bYd|H;>RBPmJuMp;rMNP{i zxlE%ER+3r~s9xuo2G(iI`S8S{J~$mdx-=L%n9ep?03TQmQ~llNI_KgB!N+SYzQqe1 zG<=PPhy^c)_wI#YW0;0yJZmY~rR(Woi9NXc=Nki)AHdN1{q0s#Ve{@CKJVB3O?G_r z<2U*#!SBNr37Vz}2#OA){a^*AN^7wHJ$A`Nv$&yeRWHy&;DT{|h0dnimH{KY=b z_+V4#UIexZ9Y0k<_hetmX+i7&l9gmK1+Eg1Vi`%Dy6bnZi7(y@5HeJof6ha#8*5U5 zoql{wyfywa3U^&o!erxA#i6lmk8-LJ__*M~!=C^GB#^HoJGCRE6jELXzhTM{5U*n5mJ=eYLTXy)qD?VswcnZDr~yq$rsvFpZ`ECTy_3MFV+V+$aLzyYh>_bF{9TBxV2e!dO>wZ`HwK4(uhD&noL0k1oWVNqa4oNWl4V=#bstF*X)TLuT5SlNqCUtw7 zEMSwpq+F6k;;)=hqW2J+gVEX%d@>;SjG~{ADf3lEoeu?D>jfaKX^1_Ig%YNF(~N;7 zW~I6WC7H=JBp_gDqW3#zWXnGCr8rSp&UUTg)gJDjmFjZ=Raf24{V??lEwX#Na4%o%;6L-kfD`=$oD7@pbqaaNE7ZB_KCrn6hU09}aTOhB`~1 z@ZTLOyddj#7#~M`*CBB+1pl5O*Gq^|0yG04zdUp?7Z1M8H93Y)$P~bZn|sixJxr|BFe6AsztxZT=0a$yrQ78B9-|4 zj;X`CqG5BI##4prx8TIty&oIZN17nL?%wwAZyJw=?~p1_VBhO`fYT4{KfKVGYx?s1LaDQGzD4-VinjkAT*NP`=#H-weZy=< z7&q_p(o?z|ulqZKZvU1zTTveFdQQXYzI6I>o)Z$_riuOru6^czjK_RY_#0$qE>9HNbbKG4i7+`AbB^I@*M_+K3UJoH)blxWXh@r2Fx7O+?@BIsK)rwgRa z4luhuad5Nz$6_s`5rnsNRvoO*$6W7r_(7)Ph&Q{69gW{DSly&FTJf=ZZxc8OZyFj5 zwP5beUX+tT+;;ps_3pFfu^fNaWw=T@%kht&YS1QU1nrAk7aIn*Sy@KEjmr6f4(hPD zRZHCXuynBIx|WkMDlzs4;u3D0%mEezH z48Vu+3#yVX7aBCxne)t)+TPG?1-(wQAxnoh(Eqtu2NF5c@&Qb(jv3gDC<>X zhQP#gh>5d=*Tq1cKyLs>111Fd9+VK2On-_CCUCuR*V^gVc(qhjGb;H@<u)A@uLi9**RB+dbYDWqF`FLJ%v*iJpgIyxAjB^hzOe*oy; zVONvG+i>gh;@3&4@Uf5lxXQZ92%$|mpSc)u#ax!?BB}CH?|KTJ0S4ry7Xs0v=Osq$ zm4%l~h2dDETR+PoUyyS-&Kml`mhi?88cYJdk<6i*qw{0Pp+gdKWfA|apEuv>F7c%} zCbynIp3eHIT0EO!XGt5IdxOsbu6Zf_0m3o&kypg;w8p>#JI2nv793OV>0X2sr4*diPx5zC}#=9wdSHSv7emP+& z>{Lb7gKLoYuazZ!pqJxd9chKGmNy5h!Foxqp@SUeD&z?qr&pbTmeJ8^Y~D}Uxf4AM zM@^PaUCcbKuZ+NzyljTqM73}87y4Da$w_XpP8=d1`&4<>kurtLcY$5tHc79qti4Fu!p5Z=n<>e2$S zx#7Yh^ocM{7ruIGBpp|FDQ=|X25qgfTHxnxik&X?1v>Y`xN<6;a17eL1k?!Be@;=y zQ7=?cKuGI$Unb(kX#*d95#kqW07cF@dl3sLEwD#ik^! zAD${z(Wxd;x%U5Ezbtuge}LWtL8a0=^5|1H#73Mw*K7IaF15J$rb`%{m!%hkF;wtY zZSDF^w-ktryQQwX3Z2qTre9obFZ(-1_xLEl%F2Pxo4~igcEUh`UR3Q{ip` zwRUE1`O+9Oe71e8t4i_kdTY(z1Dn~_j1-*@7RsXjC0hk8?A!W#s(+ zwv75k;5KrMKHE1z=N9l!&UxoqJ5^Ixj#_1hR9lB~(5qy_tcM5V4NhGJ=oewCA=+4B zxKe?A>KgUOgZpz7_7N?2ZFJ&f9{2osW_=h{SKnM$kp@30X?dC}>l@qqE|~v;+2Sw# zt0TTe4k=DAX8oQ{q3L3G$IsMf#$DvmWow?YlB|cu^MD)l(g#GPjK5 zdI6Ek`ZI3SyAmHE?~Oar(M&Etl9iQQ)XONS?vJ^{P~ETW_KRu@!U^fxtP|n7Y~Nbj zeHRr$knJ28C(~ySgi@XN?pmFJ2yNuB5dlwX@%&j; zRlL-Ro^YnRw@*C#=jX{l99jo26VWI%QkGS(Zg9e9bfy#XaAO`w{*_1+wgUTs_xWx* zslnE6{yZZgL?b)yBqX^-LcqD+tRqCTKG|ro#M<&+*8NCVLl&|R_4pNB0xQPD=M&{+ zkU$)jpB}EXR*q>}&$KvxW0F4iKAfchBNM@M4OWEImf`G0|GQR@nOtOp)tMi0U>zZm zk9~ZGdpoLA-IkD7rv{2q>S+91Zd0gE_@5pr03C9_HPiu!qMYvq<=!)@vyiTOE5RMP zhzZg36-Qe>@0{8Gmi3zt^mbkWBh-PdM~Qc_DbQh59lihb+g_38A<%;3XM45w0i=wn zDDu9`l27vw6QSh^sB^=`3D^Uh4_6K7WArM~%KW^-c~FFX)-|E01(V)8aE=D`8}XB8 z`Phu8+;9xJ>mcGTfAOI+Fh-dLKAwGKALVlbTTa=Kc+TblK=*zSdZbfwBoVM$yZ^s` zlkzs)m~RY3ZZip|Us{njm9=|`KMXos6^gpc0=@%X;>DDFFC-8DuKE7G1mGhJAEf@D9;cI3O_%R=5YENWIY)_H zFD_7!7aLKpPFbI|d{gZn*A@G~k8V@E&eZx2K6}R%X%WV7;NvmrdsC6ToM|Qjr-f9+ zMsv)UteX8A@0d@GD+hg`YPHalsrBEYHI;t)?BHnpokjW2RAie9R4yI*&L{1{B_(L& z!9s)@p&9m{!no|1*W^rGV~i)oQe79Oxq;|~3nQ$~pbcqYj((CUMNlBrXx77S2{;;~ z35L+-BEICp#E7V5g2>iPpnBo1$$TE|QF-elPq$z^h`Ekxnb5g(-vdxtGk(V64VvA0 z{>GobE%`tWU_kyNtBCeS2&KG%05<1aD17m}%w`3YYU+3e^FYo!`q0I7`>*Vz>%X!S zS!%Q&Cq7bQR15B_FTGww`Iy24yfPOv3=xrvGW~ZEj;kGCb}zx|ZmaoEz{w%@EFba_ zv4y1}w7w@qlr_y|7UV&v`-{@SCq>_Y_@Rwe8qa}zKHO)dk=74RHmGDUR}9f^*KpD| zZ}Ifefves?Ihx47pS{p<^YwEHjal^m#xqZ*dP3}K-Pk$h?{dc*U}N3>+iUU9`oJ#& z)W!#RjkmFblqlTf`BRn(j-Hwmdu6nIIRlD9-!2R=gJ_h)`9}F&$q1;ibQLJA-N|*%<5qD%V8(J%?ihY|Pl>DT{J&q zIp+DeQHzhI7JN~ZN5~FPNqgk z?>W3`=7LYh_Vov+ek%GFV<`qdD{Bnbp+u8vuqTT|G;(BpCnPqrfDIm!%H_abx%JkB zHd)lIsO8Q#2W|)y5>pVaf3>U<8j;zAcu}xZ5Z+?cWM;T3Df8KMVY^dxK$R+>M4WQpMZ87_9F) z$75$WD8Yv``kx%gHWZ(#;;X`Thn?4Ia?~7nHmhCh@6R)w3;CB_W#)u`ot%E~AuDmVs=0pLVamNNJ^gQH{4!^hY{+D3h-am&7aT@F4$a?qM!GX$7QY*Rb&xbc`94ID+yvlmP zr<4LRD03E>={_L36jE`$MxuMA$BsC6$AI_YYQV|WR;vtc{)+2imQzK!0&DjontNq! zm&+VoC=)akoGeF|A2Pt*DlcY2lR`|T7T7c5*aY&RB?cMfR77~uTc!!6r;lEwf{y2{ zv3hKd-&tn>^o`^$13B1Vf3q-@gDFfmN}@PW)EUl=xZ0fbUI}6jJCuxDS~_Q8eBjc+ z_w(n_=PAI&^ehp(LilymEP@RSpWU73k?>vFD0HQ60?NC^J5RX4pNnG|H@;m?L zP`{gz%|yyA_EKmDZv1xJ@i%PSE;CJ{D-3MpS*_}CM`{JyL=Gf+4@@(F*FDB?qb|6{ zJIMAHsK-44TCktXoS5*c=AvUf!yhHBZh4=^q$T zfWBkv0}QffLo$RBn-6;O)fWZgnG*NS!b5LY<#El0aYxhQ#uH9&OMSjfOAaJupGl58kt z>nD`WsCB`Xq6ApGvPZ?M*23^Y^TzI@x@b_wsCDn+hteuxY;>8Dn~Bv1QmPjb8x~K0 zr~iVWny*$`%(q){({g{@&t@``w7iBbx~TefqN zsTi+^`d{;o0VzHv_*Zso7FJ3)mguGUsmgPXtm99p8$19=E@Ps$Al#C!_E`=0RK-9^xFZdSI0dwni6GSw2CuTolSX5h5 zuO&;1+p%fIX>CDgw&Y6H!s@U&){GmY#J}5dSFDc7Jylp)uLk-bXi2hTWwo*> z02C5D6(wcKe?x)Oa>e8w&0G?Li;b)|?stqROH*6YG?QL;2JM?|uDRdA&*Q;O4yFQ(*U%gDt zYD)!>ovK{Na9KUv!^Bsg?XHj_)D^Is()_tZgaY{-Ihr1g&o(ZXd z^E%;-eSKX{_!U?m&ARttEFtTcGhTWNq+wRW^4UdtG;gMwgD-F0XuCVy{`igXGNH>) zq0BatVzQFwSZ;zlwp_FBe`<`h@denN@B25i!!u+3Rar5|6XaiACgmTpHGrX)VAOaR z&_s=DkuNgBeD;1&)SyxU$i?&-B8uzPbV_#s!XYs!`4XcK>#qA1L^OTE(cUJLh21~Nh5L1q{cKsaS1aly z{4UyM95&Uv#<@mhy8iI9Wg_Nr$|l4o9B*+UQ*;gm64$ z4VwFFmvj*g?Ao^(KgvrK{oEXd^K`^Dhs8mxxnbznp29bVv8m2)-+fJD^e@OwDBU&X zSWM2y()c+PBb|AMej&_bCiDj3KJwiKwY3cqbd?SLe1?}Um&UZ#SV#;|eW_2d&v6od zq-=Z+IMt$|+3yXv_4B+mci8k)xz?U|g$ku&TPsc>7(emdd(9DDNS#_u##c*GrC*nW z@DK72XRuvC%Uc;js37}Tx(20hA^K8}Oj`52>+U&ZnJvsxbQJBb*;L>!ybxg+)lYR( z2Hoc0e+3HMoz~cyvXm^VORq%_$Ms95i z#b}8M{Ys}H(xeK6-x-L&bJXZ7^N#sak-gNV)B|(Z}r|Y(KtSj==oIBE29Z^bTrfE)^|j{ zl12N=^4*`e!IcXnm2M|-y$xiCTRl>xEutT)EH2g~c2_>*#%ISIaXSM$#_MnTevQo* z@dn(}Mz!pjUnc1Le7LQ2`C*dTp}ENI(ROEvO_MkOVZc$g>4*&{vnaZs&oY#-)u}TS zy8><~qk2(Gx2Y(M;=7OVQMRZdvD{0iq)!jYHNe|S88Jj`fa)!xpVWj7DCnH>*2!NC ze+5Z_jEpH8qFDC{Uacw4t00q#=D+E;gsDOx#HKYK->|Nzn_YmP$H*imbMm_Le6^&# zZeHSKq?F7X2+`M@W7z6u2S%Mk;Lbgd?J#mfT}>;o)G(_3u44@I9aOskBk`_4=+pXS z#Jeojk3W%_Cbp|dof*?mLLY0qZNEZm!jV}i2o)tWoTkD8#7HR$F9 z-+gDla&JvMuF?7IC-AGKFNl0HZu2g*3hKi*RWE+0#cyTr$;e3x`+r>JIE~&zBVv(k z<<|x-FPE(q-+%Qj#7JtUs25!-IM2->hfBy7I@rZJyq+vPBT?eg%R;_jeId$YGz5K4 z{yVwz6^JO?+(55>yi_7U@wEwf94)EA)R6w{yYNA6do`}Fv(1FvyYm@S@<>WY;|pDO zOXi&Zgh8NdZ6rm3VG+GApy3r^ANtA84?79wsKV{3VCd%eV$DVT{kc3g(UU`)V*@WF zzm_=Iv9cS8P0rMhHz=^JkC&zIL5?<6)V>Q|uUw=ng7yVo*6y5x)J*6yH8EBo9+2%U z)Q`b@hZEM$QKZEtn-#KZ4BxNK?Ri(d*YMemTABw{Wni=l%F1AV)(LK$xaX4GyM?zm zhtLcjQ^FJ$ zLKfWZEY`~~aNtXpxa9C5VJ2dusqK(%7SYoK ztu8!q%4O-Q@M+PjY-uCblH<0Zfy|hpNL}j}C(=J(@a5z2T^H#m*bUQ5u} zt)H4qDjw}$Zm)?va;c(2YAW*W*I9|*cVDT|QL$m{Czo*mm+L?G!i4B?c@c^6sJeg!>0|McufAs~C3MlC9cD*p8ojxR-Qyr5VURZ9IT34r<9Fyn-9^?7UJJ}RX zo(qFDg{wpRCQbpz-7+LBE|ydXQ&uek#~NgruIe@nU9^25 z@Mx$K%eem4@rqC1YfhHhy9Mt#*y2rt{La)o;a~M7e6zXldq`{^-QqQx)L^#mBUh75 z%lIBtWRopITeR4e5Lhn}@-|h{l`XjzA1A=0)DWYCsS*Y5!D)s;j4S2S83Cb@dNYSI zL~|OY9_A>9(#2c2isEm#W1r+N`Cn&%~Ues1BLm<6{_S(7w}%88dhG z>*0MnQW{48Kz$g`WX%uVMHENsxpYJH3K_Xk={Tb+NQD9$k16uKiJ9~l@IRqci-aO0{%<+@5G!z6%dNNFeB zDhS6k>gR>06k>$eCSqpHohwdK@Z(b(k{^P}hT>E0U(sy|BI$|7C;EKRETf2YeV>>| zyf>ZBFK9ovP1TS!r!^XV5yrFHzpc1=w*>y#-r(_IF=yVkIJkMw&3o9m<~@5oBwH)J zH?Wp4L8!+yda*XsVcEs9G5mSL&%~xB3j8u{7ag*1IP|&Z30kfw5*#tahR?EV3G7Zp z=9!N=aL0NHKyKS_`7e5&fCl8Ly#~{@nd>oVgU*%K+r#Si(j@$Q4sZ2ZFG%(A=zzrD zl?xo4L%yOb$W6kegcb*(JM(gOzU;X}-nE5uQ{CL5i}|9{@FG{x;HUi%JIrBW zW7Ii;yfRU0oS%vGF^EWYc@U(*m1?)_hu%{(t*K#b3@sVy(}a)G+fG@KLx{6ZT!)l~ zwW^IUPJ;9p(O0EeH_A@IEg1qb!92@Yw0PbP>o41(3{tJ5$v&hkc``5`?QhL=4&0Lx zAXKPyfQ#?@^wLwHt88^>SE-}>avik&M-FNs#V{gI9hWe32jegA`|l2Th}EF^@#297 zepB-3(6`3QDl`!o?V&UyBSta(gXgL@2)`3~ZcGnd^byYF%ye>oxYPAZGQzv~3zb^* zFJp+#LSy}qF+pQqFyEI1+)jRcV0nbuds+9?TFOUhF_aDlVv05VH03WnH3a5k^xniN z%EEk*uGM8P%ecl~Uq1qx*HNhf`?%L@%gYnnp)6q|B)D-@eCz=Rataut?=BXBAwaJ< z#{U9Z@+z8@8q)qFWKiJYuko_0#c#=WW!?{CHbKv_Te&?jUD!t9AL-RIi%`NcWIm5g zOf}4~mI{yxcV7Y#P^3>pl&_|Dj$?>-Pc08xSDNQGx%!^NmbimR5vl%F=3b|#LhW(8 zbkp-=Y^i9c3L|pHCPrK!MQYijen=CK%cfIq_~9rBy;XsI6ZWD0`YF13OkkH?2|;X# z(|$BGX9i*(DuQvvq!%pdYd03Td%jP-CaW$Z{j1IZ2WC*M2sDNIkRshpDakpluoudc z&lZ;9+Gc!Uj7vRT`8NQidGd;E=le`+S&>%^W8Io3_G>4iK}M9)?Ew?Spts=#%eflV zbrU&lzk#UE$Y0XHEW)m|(#txU(tDEsu)zFMLE=OW!qM*nf~evNq>1f0(~=>eZ7;5c z%s+fj<2iWZ_uMDF?VbOkm)#0RSgrq4V{DMqlFMOZ(x87C$OtY1nS^aCZk+p`iUZT2 zjGxCI2@A&`dL6J!_0Wt>pL>+1QbWRT>Ft%j1Gt(s0icJY)3@S;Dfvmkj3AR*V=Lji zakxOe^cuGjA&KWJP2D#hO!F6B%ZgQ0(w&P6i&M910&Td^%#EJG`)rM(MdCRx&_Vps z;+gh+b!|;nCaL1uP7)F(rjxr%Wxe!LOR1v$iE-swW`1=w zLHwK?ukDy>7?VF}I}Dl!Zca4oUw!+7H1;(4{CT45Jw|_NU!UYv-&6C%umSx+=Q09t z&k+`fS0tKEq8m8O#{qTX%L~*O1H69?KaKdo(FXmA3li;HUp{5gMq1i^S(O5ETZ&P_ zx&~EA2IS3_ld^E*`j64Gy+QSJ)=o2!awC{ea-sqY_wJsB>sCRq@-|YtkD7zyuqmbT zk(e(;qf@PsPx>m0tqE;Kc#BNgAzP70^1`I)E3~$6TmHSU_dqTv+S~v5lNgFhBXvSf z|AkMkcF|X=xQ1+q!{(ZKhSTWDuCa7WZOv@-bZ#^IW|g#96D@4#tEb}n z#;))|W@CmNP_?#|FyDQ9Puz`PH9Ps41zWBL9BCSx)NUq$pu1pHqm&ON%2inyh#c+y zb45CUlw{_LwL63P`#YErW_{AKSgK~ehR~#sUD|L+5&J!^NDeOxb44rJ;2Q)*_A_lI zN#hqCT~65L=n370=7>#S8$Xr1)DQY_P<9L6|rODq&OV_4x zMv}>A4%u&#yEogY8p`-tJ!o$F{&9LOee}SGq`yd!cr``Irlz zua=&sS~;|p+TJ@f_DMC=gc#qn?VKPYsB-IQE8d?~h^>fFZQM1inG2n@-&?xwr><9-(fs*SLVOtk{42Rj6;zJI* zb#61Kln)8IsXW^xPo!&C{M$pCzSPBbl1%bW+;{MupRikeOYu>DZ{c zLh2JNVS3aO@Jo;f7a2o^TE99J-4kzBGxq4_Ra_)}60raI)> z|I@G#M3%ple2Q8T6yiNmVvJS4udCCng@jBBo4qpN5xboqCA={r6Lv$pRAG09)7qoJ zX8fbI-&h>jeWgMR54X(85PB1jS350mJVlKgfte?mqt6zlW4d6;ANonk>CTZ!_3C zWiC8cPR8sz!>z9V6Ub=u^=cA%AfogpLTwAThQYWmwRItkA6gQg%oe!g)Dl`P2|Igi zh;&K4`QRR-QMToZEo>+Bp(Lt;+``ehYib2Cw&uKd zt93LeUK%j5U^Ti~;l0ajWF0RVF(fJ{2~lG7sF~d)V*Md^3#`gL7Tc{q1ala7IxtD* zBdMQz+@-@EIg}6-xaZ5<@F+Q8211~fFH~-lcjagkT$5Bz)Oy4XQG1XY_0BBv>yseP zPuzs^9f9&bWz(~CP;}{lhal42I$sb>r2_xg{ecg3A;Qr7Nahk*)%q01rzpneM>grI zzE0(z=r!&HpB`&qMzwZ}b~fVPdg~!rRVDBz93>}o>{jGcid3~Ks>DKu;cT67>dT$> zi{DdniyGXNS8H{RYJxS9bTiuw&e`GH+AbT*K8s(l8xhUTmN20&o+qD@7S&h}i1!Nd z$5nI^5WD{Q6rMLqlRBkT_iRzz#E;$es`SgUIr^L!#cJ1PG>?AkW#~depmU(v>E%X_ z?4DC?Q{oK|JMn^hS`9&hx1?vfyC>k^CT3HOY__|Ye|ay5oX8Rm5dx?pgs&p?^G(Q^?QCbUT^kP&LQFgfT zWj3SgB6iKM2DD^QF*7Ti?`XyChCxQMhTs|L0m{W!DTV>7nbFI&8vgtIG zcaz32;Bxl_Cu{QJM*-OWl@*a>RY2bja_f`(20upU44in9=ZwBkC7Cr{tD%n9CImjo zC3$%!As8bgvUsylOCgV=&~M=u><~}NjT|=ucgt5$y0A_4%wF4CMmw0>BtfHoM18Z4 zP?-*vZB!xg<);_QC8NoSO7audC|&2ktS|e_VcblcIrl|-BqXCoD)xc?9Fk^}dUY%P zjycGs@tzdvREF_muKh>!tV-}ZVR1shum{bSkrgCqJN@iMOz9mPZWi00WuwLl=GWPP zX^*u9FzrE8)$Run1olwlZAR?MS(5NCvN75UEKe6S*`+|Q8?ceEF3?(u67d#iyt&g# z)090_kNtP9m6e?Y#a+40RRf(e^TwKP!_Yas33+f- z-?7eh0e0C3xtW7`e|2#muP&l5DjzPUY&$NxeH zEr?llTiyv7dD#sXzyOFwPRZ~5j!nuP$oPrZ4wHWUX)D+8`a!v3CPj@;fyPtmG*%fz zftctQYrKx7I2!T}}Af!-PyU>`Jq zW(E&WGQ0S3;{b*+`{tc7zaNvjU87?NoNZ#4CdHEC+^of2DERI4n9Mb==K>QSxMv>Lje)=G1 zxYqC`q2eZbhB=KBEkbs^9@IsDP%#OpA{>7_3wMnk&Low3f{?C&wy2^_Hs147uzLfM zryP_2>BjePh_=jLv3#+VVnJBG8|_2DE)e3zZ*JzW^3nx>o+^F3-Vgrc!e*rj4)I*Yx z&G-Ab%>xL~uDs=ZKU50%{ahIiiy}cTzD3a%6k9=rZe4lKk}IJ>ltL#X`wlk1r=uy> zxT~W|U;>G(RAZmFAEnc;@LsSP%|*U(xKck^NfEjKn}YxclHh-=)8CmHei5(B6zMNu z#4faaYba5J!5(|<9lO&}&|FV$&;eizzTQ*T%G6iY=zkFcY**IU+87v2>AujDJnGRc zaiRC1*OCMbwYP~)@A#A@tnTZ)$%K4$EG0H)ymcqQ$4ba`ucS;ln|3tl){zx{qrZnj zUOZeC$WQ1|=efhja=D-t)Z~@us@;ID>MZ#|n;Rd=W28o8ky1WfxwQW6K{BsM6(Zj* z-2fN?X6S^tV5(}>)MIN9O|&Gbj><*k)uM*c8T=r(*T54fBrHMy8u8P{jKczaJUmFh zPXhaxlBVYET+TSu9UQ37tb#cL$Gj0J1w$jX5Rs)#)2|6F#^%A#G#XX&#Z~M}z4bH# z*HM2IRiC7B_2C9B{2bTUb2#1$0a_NQP+;T9_gG zE%XZZK#@vMg{2CRd!L>jSl%%A=-YmgXf&la$rA%g)<)e;Bfo!I1ea}77&{CK&}{Ls zE%J*$vWVO+WaI&-_4?n)_&24Pl=|7Dx(h) zJ{Rm8>o7g=ha5oaN*H(tydebcdFc2NGvTYo4b<)!`D%+X3fzcF3O@%b7s8!C1DZYF z@FL@r*A}01>AUkfA>-5uE^EsTV1TUR|L8!*LcuN-Z&bLOplxQ6z~8|5w%WWOM^3b| zMm~kXe`I@y_0!W<>9-H(bTfrqZl?a+`~BgeUFce|GW&?eTL}P5;xLFS0 zCY!fcXv#txS)J%T2s}s>X}pwM$1e^r^1L2ZwNsDdA$V#ic%v-z48o@&_}sqsb0nM( z>uv3?6`UebK$i1rDf8uw`mk*tEv1}a7%d>dv@7MQj)7;3Ym`2T2j{mOlqltD!k?=# z=^bDByH})s6;=-EC(!a!H_Q?xqIA;gGj9e_d_d?9bJ#UtFNVLtu>X1;dJ$!c(WjdV z#Z6V$B4dGOemEOB{5Yso7w`tBV=45+3(s6t&oP2pUV}bc_bSly{(c@pkgTUH+Oey- zAazs#-dDBOx6WV^1a&1z4MYe>G6vyz=UQ(F*Rby4D~m}#W|yv@8&}^|k2@_I6q(C_ zacPbq-Mr89wBfjJ{K`IIPH<$pyQ`ovxTqQlbCHkYmwJGj^CyianjL>G%4$4 zCLP{(yvG(+aVsp&=xx2q9U}K+Yr7GtwCmq=d5mPdEUx6oRDf15Yb9{zrAeN4cYLeX zrbD*?Z6bkytv60ffm{PO-f_8hLbJ9|Sq;;-t(R3jJVN^4E>X0azo#}luBrz1ZpP29$*H=g z)T;WVQe9n30qrBbO z1Ru$nd}#AQ&65@As$N+XB}!-i&n&vAVS8+j3SSK|4>9#9=ODDk4ordU?ObLirZ6JO za1Q6qwH3*MI?sX`&q{V2_GmBse)yvcsjZR4+?v%|4r(6B8@Q(%`uY6Z>`{1p49Tn~ zUb0b^3M3mf5ELCNz}@1j?mrR52W;K?ft-QS72%kpSIm8lv3qaDlN=ulnf(!Q^FuNV z!sS9u)GNcgHjQp*r@KPH(pjoU+nMtzBc^Rr|1IOz$~G(3HZPX7+1K)-T=`nQE;Jh`&#cRO4VIbQ(W}LT`lkxa= zd*76NAdUn(skEe6W$JQ*pBNnHX_N$=-9`2-fxe zLM*Ex@t*oEM~9s6Ryw{){1%;v(}3K|hvcRTG#eJEpNQvsOevB9aswGgHPE^7rkkwb%`m^(8rn#P zW8}-9mPRpg=3oCx?uL;+Jq&P`TZyQ~?#_(M;O{?MQ^24Tw`X%2m-mkc06U60W_@@+fk14&XnN5KVG34^Z`Ws z8}LRz2pi}!%77xAN3ugmMdPS-6k!K0tnJ2SRP$nU6zXp@E_(U^LbQMK$4v!<&SX=P z#*V&tuzpKC2z$T}Fvm3!N+(#r+cFA$g_bXpZ%|5&Wbq!XkcFXZJQ0rb&obAKK^B0$ zAE?p

xu9!dI(|NdVPy>i^%4yHsP#;PQMXV_owV`ALTL9<`PSq9`v=&>Y;aH(%S2GnJ- zKr`c0J*Fb%WO4KL83?@26R;q`SL88U_(5 z2SMqU?(XhTK~g%T8zcm21RO#_-aVdk?tRz&=yK`oz5hF&_(c@3(o}~?CU6Oq2+|Wy zR)s}c6(m)W@dY*^O@$2Ny6a#Y@>K-`t+vKlj;LmO=FFxNF03|5e|Yo^Zn*k*dW`PLnKcN+>)eY~7T8r&y8L4{c+ z7E&d5_04YEawk0#&FNf<#}Zt}F!u8a+}v+#pbNon3UqSXr>W>u%6rhdN6dYFNp+n@ zJCV)$MSAQZ_o6nNAm3v>4s6}kj?G`N-& zkGX%rflqWy548h|E>7fiC-rA0(wmjjav;qw17B{7IX@lVd z>p3&^KLax=*x$ZZ@qL9irjmJ-v$6EkVM}-qp=KL}`RmQ~IvV;8iI#@G5!TgWDSqO` zp8_&?7ikP~00}|#R1hc`jZVST-X8=EazP90yzHPHWzqX*ilM|XF%~ z1{AsGecew0dSH?xk0nZ+E2?eL>6n9uA~QiMlrw)^Q{_BudJ!85VXI1&@Wr;&e`pVz z>@(ac0EgS8d{PF$7~X<-?rqj3h@l47a(<)e`?n;p_BH?niIxG!Qpr|=G49*nuV?Qg zZxU!%FlGaYygeYUj9zo)-#!>z^(;b$xKnktYE{LAKdrx7O8wfLVD$Kzj{SbhDh`ss ztlXDDv+5}lvHAw9>yNpj`*v+*VPFN<50M|3CT15H;SzsAm5&s#>BR{wFMCuX@s>k4 z=~_C{s*EcSW?PS5WXsX0{M~wUQK!QRBehD}m(j4=kvw`~vIUJ}URp%fxkk)@=59&Y z7E+u-tf#X_&U4;C*!Zf-ic=zKBNl^R;NO4;0e>i;oC#EMk>Yq+VgTE0nyE@kn#&`Y zizaEPYF`>b6Jf58yf-kt#dOemR? zBOajqvGXndC4Gu5$8hDMvCtE~NxKQs&$Cs+EYyyr?hjitZ;_r3gX%*|;qYx*T(Bl} zLq=6*6az#^N1mUz*P%}TI$>0$wXuEBrrMl}GtZNb3##wvcdc$ApL|?i(VA8Wk9yZN zVPgij`%Uk8=1EXWG;!5__QKvOFFp~vzUC6WOJPdom>vi@%!*ky6;OLkxzzPln{K(} z;yv$VF^i@bN#RrodvY(jQawGc0DWd(+-<(*z&h&w@t3Xuqa=1P#$ija#B}^i4{Azx zDr&qc>@0`agSW9Xw2_>@atGGDOM7uv!Ns$>7{4xgEvGXVFjG-^(IMe!n(?tIdhiRz zY-V;LXKfUti;(_oNj**l21hcNO>R~KrYZ*g^naQkcQDqbI(3z2oY_@BSiR;zj9w?( ztEd!JZs6Er^f@ZHGSurlJ21}#1ilt-XwI=OJ|7^IQZVTzusH_~KWoP%c3P3~lO zHxtY8!v5k-0C0=KyK=LCdvC2TCr!5)!0p*>Ts{JANg<}?``j`%T%+*?4o&v(+AAhj znao`MBfXiF>6o>pZ6#)DG*o55`-t}vC2@A9rbbOR4!ymk+^RC0;bi|;+Z2tNl=ogH zlUecX?>QSLOGh0nL9r8ph6q5T(RlSl-;yfA^8o|Vi>?KvD$Y4lU-rk8^$OVBv*e91 zR@W5l1;O=L8o94H%$YHL88Hp6dvuc_LIy`&Q}2sTXHMq(SE;tu*_wFl;{Eh$he2{6hJjO=DH33s`)^`(oA4OeiJmB4ADQuY%aV zI|m=8bVpOC@r5B^b?OpCDEjLtq5LPJO%UUubetZDI0seT zEPe8RLrQ5crgp9wtwxcW+sr`Z948BP*i4RKabdtN74_T}+(52A&h)EwW|BY|}^vJbvjlpyVI%mcHk)3PjOBd@Fvvan#3^J5T6M zXOHG9KewN*w&NPBf@5ZjEb~}TDQBKFx`d5f1RA&63jcaPHdy#Q;!eidcu>96gAv$K zm;7VNsy!sXn{V@^t64xeMoV>6{*r)5FC!8lVPrtDzM5C@HKs`YtUXt`ylSv~5I<<| zXj^2DNk3`8sXHHALNTmyIn)sg2_Vo0`%JwB+St%cQIcyWZ?MqL7(+|F>W&a(rs1b$ zlshrWW%eS6$W?vS0_cYSt$ue2v>0q{ihbm$LFo280} z(DmvKLPM=hloj9RpL2cuT{9f-5AOO$|30~(eA+HGlQ(5# zjaFb!v4;`nufvf5-W%nru%(lV0QmE$^3U1~^~LP_=zICX%5`J%k(np#u<4hqm@Zd_;k#IEuUI{gCBpy*mTOHv}E_r9kx`+Gi6@w3zVP)nALZiv$_@FwF~ z-2wc!)~Uz=`g{8l!R&y)myw%GyQ~)#J?XDq=Rd#;{C#GHbC~evru{yB zz)(|?5Qb=$(#J;g9#8P&;KmYLfp6cEX$Taj#57fHQ_Y7&3@AY|L(D2xnBhFAQ1w-5 z$P$EE-4Nb(*k1mgU2*eL$*UY`^^fjMG%yrn!>JXulm{=*tQ^_F=-6=-Yx z`n*ft_XI&zz)xfTf&eFaj?SjWy9W?M40f0k45i9r0LL=Ne9ELkWoch1)maVQLb>Ww zhBj^pF}dI@`Kk!l9AGtxA|Tx9@oFI8qRJl6*@TZFW(0I?--k%p zFCVnJ`*>b-8=yoq3TVWb;fXz4sd7ZX71)54JP;fduC;ZP*XAgpzp=S1T9+m>1+BjG zXcM=L=fDh}p z{SMcpTx5=cHwfC%LfM={X{w45yY}XJjVINibi|9aF$|FxtE{6i`n(gb;Qf~lT z0#q`IgYvLVq$4N&*Q{wtF-pE5l%=#W`7;3|*S^St57L08UB7h))``MG=Ozp%*Uk}H z1?KQ(@@Z0BV?10F^<5wF0?*kLcv%#OKe6wYCijT~1XT6U8Q7;`&Mer+(A)f%&U=;o z?-0@JTXv4~iD8n^Dt7wd=$`(){ENhDfe@0x!@`hbBML*|cOaFD1EjzKgc{JZ>*ROJ z(3f7k-H%_D$;3`>&LgNQovm94)C+~T2-euWwKbep}Hw49T~@&TbIg?>4=W9+9n zTJ4bN%=1Dj6Bck|nYIoc#4)3JWojbc&n>T6Ove#_`VWhb5+81C@b{9aSRrMAr|{vfY}dzAd4 z?1?KcJ>{5`1d-Es17FfDdt`0P7%>)i=lPSF|sve zuTm%X9OT%5I|;TPUV{zb_oOLu8!*?IyVN094<_dbN!(2RB60_;SGo_(P8(mB;F@C7 z2`<6g8OHSN)p|QlT@`BQ6Xu!8M`h4!2XUdM#_GK>-E!>U9{2&8DunMvb_E8ePj4+V z*qD&%LzhOu1i-Aaqb(&XDu@0#3yV_&Ju`?S?tZB!@uA0#YH~MypYn`Pb;VD6{nX$f zr(&OZHrGd=Pe60~n@2~bVf{=g@mcXj$er>7zG9i-{rq-g%{bF$E_6VL#AOK#*p_+sHdml>c#v!tr}=btG9PjqIc7`@pE#_mm-K3E82KjbS2pVSZmnspu|X39 zO@J6uTxSw9b2C*QX}Ezub`NOnmKoVlbcSa?@~&A3@A%8{7TG|b5w9nU_R-1{K(b7> zpv@8Q0I2m@`P_E@fX;e^nt13-$S0=oGNWp2RN07x@IyH|2w)Wsl-P5&50t(S zgu_uBEx@Jd<-*U%_^N65vC2p>M@pm-6xG>QP7400cE6!?QI1dNGvk-zm8z)*5mnkL zo7QK$X2c?VLuf0#KA`Opn_}=JU-Mz%wq9J{7@V&wd*+l}QD^G;+MrfDz_>YjwU9^m zvLCvdpH)h3)ZmNrM(4?SMcPTsg!X${XU)=X+s}>&Hg18Gf9pNyL*P_Y4jLL&K|Y29 z4d^G(`;DRJJ2ysCOdI1LMM>Y@BNenGA#}D6RI8gv8kR@K z&t4kfsmMyE&Iv9%$DKVf!X`PAmW-)f4bvFBVnxU7jw-V!5RUA*cjN3QyYO3Nv~ z&TH#XAKGHjl3~>I8`N|Dk){Q*Dj+LL*Q#om|Mm^d-o>~cTT}&B?3I=5>t=L>Ez;;` z`|xQbO$Phty^xFV+f!IAP=Vs+gp|wC%MS?c@L-~{a+->{mpg}|sqH`Er@=+?Bx8Nm12=Sx-)xu~wI=%5EFOLz3h9M%2!qB<&o|Kad7>tHOyjw2p-i|Nb$eaA})U)ofE{TGzgH&w10S)0la z*0Y#)SX5GlGn)gc{}OKh(K+}lzBB$creUUq;Fo4q;|!ikpX@<->188xa@1a{sDa7U zLWO={0Jje0IhIL6qvFE7J4FFoExLBFC+#R}Ce?8Kdz!bmL(XZ2=^1n_PA&MB< zd>^^AXJ_wgUslefiHxfQY{x{;Q{S6Y zYUxiESo!A@vSvH8U=Nc!J}jJ4S=Hi0Q}i^7zg!!?PsDlQ$^8<*f4|Q?^YDvc%m=dkcezId1G2_FYZDD)$a~Wmx0O#cuxXSGS zqpXD16fmx#?09>MH~t#$BZ$T)=M zZcdH&R3IH?=b1voaGl(NL#kEFrc?7qXa5@B_>K4NP_x=b3r?RCB&nY?OnBtWvs<$5k=58^#y2M z%zd#w*Q7GiEmwcAyw9@p)y}zVz>EdWiPz)}`uiaK=9sxY=7iP@))Gkm^Pdd+@5QvD z^F+>gj+fya-H-BWrxu@s=nw$G5hcz9#|ar{GCoE8MKntXPyiFVu~cNCm24kK6==i_ zjT36LlSqojS>bv?yO!?9n~l)PRmk*o0PBkYCTQ+xZI}HnK44M-XWg2o**v?&^ZQIvJ`}`-r4P|J|};>0OKqccxwN8k)!6-@{w=L zzx%Q?Q#*tM9Jr^jTm;r3j?#%hEGsq>LEFBwu&WB@K~%*Mcz8Uw!Ph~XwE!HTO^B(- z&wF*^-nH?IE8Ia%(V{HO6?t&=(=A3*>eKu7>_-IP8J$6RCV9lUbLtS0OZ2K^O7g?}$Q?-_QRHtv|P3I=`eGl?eD0yt16?fQ2AUlSs@3MhHKvJz;4x3&m*Vv*Pc zF+04voG~Tbj>~o~1xdr0B$@QwI7pQ`J8ue)o@Rh(&7Srarf;_)(DxYdJhS|GK|jZ~ z9_CO!XIR22-Bf3vkcdT`&rvXxs%V7i}xy&j8pxCwo?A zJYhN(lsvZ*>u#_=0~@d0sp}0F{k3mAtuU`BK5H)7{Wr3e-$%%j? zDyWr6P0#8z=CM=Cc$V9XtY5weBittW1@4_;8e0K!{01yw|8or_Qr_Oe$I(-0<-CXx z;we3cUoa3vd;T7PZ5WjVli_Y0ft9s{>f(Pqre2c^*xt<-M#6t@Jv;{dSKvRu?VUAV zgdni$fGwqxRlD^UDv^T%A{>4p(CbDlfIecHV1MyvQP0aHgR1Q>piPWg)V#mr4)Tq4 zk#?Jt3n>N!@FE=rR4_WOZ)qJa^nyo|Y3*o1h#zN6lwFW>E&6yD9R=Unza4N$Fk(Fmg75ulI}a=8rzGIjt4A}(rL zDeiBYRN3PR#*iQRsHM6o%j**Cgbwz;hVP&5cLPWO(^c=M>7UzsyO!>21OQ<0U%S@x zzw`gcSLGC_{EdC{w%!HQApqn8A9ptVV+x3atrf4?sRSAW?B`3ujNguf>gUtd`_xBY zbQC6a;U4d6jOhL-ixvKq1h`pRz|L344x!oim_l^#U+o$&e{8+2O4tQZ9M}%<)oK#s zsIY4u0jfJ^f7W7P`v3)!8ROuzvZXc9N*jNBb6$FLKLt-c z;}I0oHHxLFI8MoUO_)$HHo|t0Z5{OzYSWNwES?-yx zOF{^`B;xROMZ;Ko)&A-+xDk{ly$t*g`dVdIAhIa!?-s}$(-~gxOs=wwoYTEadaEUw zhGxCrQ;BFvBX%PA_x~fPp<@!IxvhPA3^YDYG-Q7RDJlK3vG-%G??K9#lA^W!G8?uF zMh@JjNW~@i6n3((*0D{LPr%H2`GCX%>1X~%v<8~&ar4f)*){(+VHVTy!WN!cjYhv` zDt*~ab!b*T0M~MNnEM7K)Gq&M^u+y#TbQ%t>Y>-=`E7JuwqB-Pxbn;@+#{Rayj+S2 zq=QA$JAf@Zlc^oLuWQCu^8E!Rbc|?SI*Q#;hH_ayG@rXN{Ao1%iA(dy!G#=F7de0s zD2{%HIS4OsqAZ}-q_P%@GT$nh1-Vg&q?Qq?PS<@XBf!d@8}Yo*kOV8x0+2sZ(xZA~ zzaEhs%rsl$(MQI|r;Gv`Q>&VzD}(f)>|qs61$}g{BxI@s)aT?oZ4Wr`-nvCWdm*C}f(@L%jK%~~5(h$M~Z-Oi` zN7`nIo*m*c#xNpUt_WKS=D`wwZfZ>rV?DH{bc*04l=z_rgr4U5UH9{OpHIIL1P^r~ z^6>5><+*-+NPg2P-D83>tl0ay?BEx*tsP+w?O(&KGoBOWc~eW1YlyYU_l>Pn|`anyR}aTz4(w`;hVrXbyjo220Jeu+>k%~H$d}9 zJXdON^zRQ@FVj$&Dvv*i>JFdysJH1VxGs@WK zC)T&e@3Uu#YJL}3mKrJ+jGAYD6vpe0MiDi7KndmQ(cJfqA@;G)4(CGRnS?K`bsCCx zU_HQ_lZAmYy&?qg{h`bgT?IqK@!{c>EDz4@DX|QGmLVC7%0#7n4|;RT366VQ{ercG z2h=5<1~jX_*ASdf?2(-U5k`-OAlR-!?!ATEWjvj{swHstI+gdWv=ZgVN`Fswwl9Dc z-$XAAN{93Su3Pqchk&0149WirZZ1hL!h1Y9A*5k6DkGBmwM$I9&n_L1XrwV5pF4ss zTK$i}@t7+YM~G;aU$Ozc_Yy;cu#_u>W5qL4R0pnYf>ZeD% zOEO-Y$%GODve;cVvDg#rJ~u5b|j6L94RP&HEd5tNh~fqb7$|?HKRF%U(nT1 z>uuNRJZZ3dDSAGU;ny9Q)U+Cq0Ae+z?tu{@)Np2-0U*g1d0O^~%}UPcOpVVh1jKwt zDn?D8)0&Ls;w*wjL#Hwf%UNs96d4q+F{>3aQOM-!()N|USI0kBop%2kR}1G+s2JsHo|jLVIW5XM4O z>&eSr~|A_I|MO|vdtkEIw!I0~hM++%p)~~H?VOVD&(>-f@16Z#=CiFRap|;o3SF-fO#@mg;+sXY z%g>?zy(fwiZ1?j^BO3NH`U{AeQ5G9PY?f!fofp$dH63!w7h~zMM?ey+p;!PD zYy*~wr(U!=j=olU%_D_Q+oYAf)Iv01$+&ED*m>04u{Pq? z*|_h_lqkP1K_tzbs1sU@D8y-&rbJYNqyKYCI6uh8BNTf|IBah~7BR=1jN8<0@AEj$ zu1|T7dd@-E@VK0hy>U@aN#4TUmg_Ii8Q8ZAk+J!fu$*<+fo-& zn1Ai*Hz+h~(r}avV<$Z2y$4m1U$9$0l02EAptKY26$;m?=D?o9GkLqJ(eqL#z1c=M zVTE}zhrpSJ2=Td%Y({KzF$LnBmY2=ToS&iKK@NXfj6@0z&R4kSSMx@^f^$h5Bv=>S7<={Yw+gMSjkP;9)k@P5q9^UMYO+AV$?z#v z<(3s4J59(#Kh{faA5NZ`*~)f5yz-mO#td8g)fE2I`9-b$ucgc!$ST>!mTpKq^hF8f z@CnAOY0`I(tzXy?K3~$*EMxgds1jTcI$hPjGSz-Lj}cNfyoMDMEZgeVY|=%R)0I6+ z`hlz-Xg{fzi}zTpg72AkL%WWR?u+d|$}E0x?F{j>I}(({$5Ob>40~9(NP66@Erm-HA(G`S-WI%ft}*@%Z;*Cuw}X{M&2wj2nQq>V!U zJxsF)`41*+KJ^SIOm8x{&gF)@O^VS%6ug;>lyJvNHb1|*ytu#ppojP8TgTf%G~M!g z;*`J}I!0<5$+F*{1I`|c*Bjtw^Hw|Lh2aRdIl47uL$gx_2nC%EBEHK^Hj({0y9&8w zP41GWtaO;ZFUVn0h<*970t(J%of>=U{1RRy1T?FiHotBWwvdOmtD7yV?In5X0L%I{ zzJw*J))!xbp#{(PG6YKl3XDr{555>c4}a-mW#T2+vICvM#{HvzH@{4Ip!bJOKfja}+poi`Pq(Z( zp$T3wYC>p+1b{s0996~=Cu>!)`l@Cl%kbL;W%70NyzXNTClM~Bt(Bxz+9 zWvq;U0Rq!0rZL_h;YB~lPqw?nQNJjkd%Z_}acH9bdt)Q0D57?)Q|d=hkwYQ%k(AL9 zE`53gXoEM2De;zYk$WK8;Kjx_kN1PKzqC3gI}A>*#!lw75UljdG8(re+XfwDn-2xY zQ7})+JQ%~Oc{D6Vh}kl-6l4Z}KdbjZNpMc4osZ-`MX+eje6ce_a9<;aO>SgANcifj z{FD(F=W7Ve)H&RtTx^I=3ic(NQF2l_2F4OUbvX3c>y3-%4w*!gSn5>O{=)~noo6*^ zsV-q>MG$1_2O@;g=R z_&YR>e>1!|WzbCy*xgG!-u&*JB^ruI0fS)@f|c=$MYR}|@I2KQA&`W(UT80O4la2p z1WTLx!_+f%n#^&j?YvMPG4VbAQ;z)0U04y9E8wtUH-nV?&O_#h3S5)y$8)<=mr63| z19rlg*=2!_O#NEfjj3zUO!p;Vol`9rE4Cn)9@HJJ4r3lJk?0msw6}>Wcd)Fup@PmXz@ zmZJ01NW2cRnq>oV8;F{zs}{5nHfywKCv&=McQE!<3u&h@?nG)>KcE}+bS(1|Q6Zdc zwZm`(JLpN1I+u3*JwLv14kg`5A7IuOMRFFItzD97UkP;e z_=jjjo>+P*&oaYUjfa#SBW_dSk7#ngHBYwLHBi@9&5d*ar)1%fY;$eT~Yj%E#y8|a3yTAv0w1KPe%qwhnOIT?n*r$P%{Tv|r6 zD8NKOiljYnmS~+(_|)8{15x4{8>V|D<_uHNp#T;K@8 zVnK3mwdKg!n!f$~q5Skyt3oB7&BdQ)ln|;1YdR6iX`{ozfZA^#WR;Msc6`0H`|=Tba}I4Qzk~29g*`hd-?IjO@FQgzo-_(pu)GV-M(*49lLK zqn!$@>@%z9+)wOWM<}7RIAQ~$I^v?A2Zq;v;^1JQ?aa2khwk8LM>CZkJQTTY>)?6$ z6C}3Dq!^bf?-V+vBy@jJE0?J{<1IV}TLhBauRNIJvbpJA1#$z+ zF}$f>U|PZxYq489?$om_udKzXSaQ*9-qA#1XMFVyLnvoa*OI;?sKHi)2Kxmqt%QZC7$Ze%4gwa5Y2U{ z9<&MViCCx?@uF*>0fNryF z){>GGoTxX~1267>eSi=Ak`d9xoi*=eY!4qOwUN4OtpGC85iA21Up@TGygqpw;p~#8 zBzhG&9tjb1gZLZ^DU-bDCgMjX_ByXblgI`yy-vL!tnB3CE)!XdJq$m$ra{nI!YxF2 z`=efh+-Jw^f$O`e;J?z8ARI^;^^qX@qg9OeT<*gmiO!+fA@^3PIpxWse>?D?+^llp z=56zLQ-(BujS3uYPfe;;djTuv$Ah#p#H!QpKnvKVQF2aH-Z4vfNQw9!a2lO~pFMPs z?B;6@>a+tCO8y9%CGtIP`{3NEWj9`K3y z{!wuk9Sz;jul?5kUV(EL%^&_fs65vMcb2wY>PaF^B$E~d1*qS9mDOhnk~Jcxuil^U zkBmC($p7vOT$9goG?1kz2f%X-hI}ME+AVXBmbmDjFTgz&2TT5QcK8lNh(*kvguKsb zFSAZbzP)A8MrWrlK&!?`W3@hG2<~)MgY7mxeLL?&*zOX&SbQ41657pnUg>F0WD|0Z z>F?KOZ<~(?DItXvyYW*K)T~oledvxsr|q>Esew(gs3R%SUOjl)s!ueCxWGU*N-DIUzlg& z*7NKG`gZ;;SPnA6XfLTar)I(PgDDw$d~g$?tMn9pvN;;cG^|k)gH8WIzCE*W zwb=Z~;is@O(aC6nA&sYTPj7yC1N%#9>?42G!RNDr4jS50BR9`Q4a&oeS9L@=s>7|o zle6{5vhg$}+WzNy()Fw$52Q%xXLX^c-b!ySfg9n)o4Y?~Lf)XmA2WHzKDb$u>$(!4 zc>qbQDC*N+YgEFeo*4Tk`aq?sCkL+LKU1iZs9a~6au`I|K&@I9=C#u>GyT**@#c(& zsQxP^D+cPpS2Q{*Q&yfl121_#Er?t!=gc))Icm9ge&tg5jK%RSdtZ^`Ytomm@J!m> zi!Q5K^&@qYmnOu>K79h{*7!suncrG+?Jhid&E@fNMK1-M|2bED_=eA|(R(Lcoh0Bh ziu>Qh>z`$)Z-#8EUtG$O@G2LO#-U`+nd?|R#Yx7Jf`tVHy0eS$t%4@WOk#{Xla2I` zX_;A4yx!^wu`^>yF09Q#AX!L+!QbqJd~@oP;FJlY&;8aHGsWDi5SLL*{Khpbh>pjS z%c~ftaqemH*j|ve>SrbG9BC`)AVmsUVgHMQv^HhlKIacb^MkHaO)9~0AV)^zyb0h2 zkq{6yb}I*PvEbwHwY@=!_Lrj{LJ-}5wvPM`^C$o{+C)8K8iNR%+)YfaC*iQ4-&N$2 zq6q}fG4;mv_}^KLGUS)!>qbM>)=VEV_q zJLe^fXen*Xi)-e|HV}QJ$>O%3|I&!ly-kj}2;@$0=RPuPA#l=sy`wJBWK70gd-tpu zWjCt*_x`H$prFA;?Qom^PP5svDfr)Tj!HBOUnQ5wv(NN^3m$LJgQ=^Bg4%6?Xn`qT zgQ-&5q_+|8018cY&n-!C+xr_|i-E;P@*FmCCk!aQwvMKWq?^{JfJ!slNJ`B3W4Aa4 zx;6Iu$^3S#td?B~PH4NlUuny1kL6h8TCss{K3njs`}oEm_vx(M#`dc&myt)^Ey1JUxE*tIlq&&|4-Qmuwa{Blw!5@

+brOCCPUcS)|wv9UT7cwd^mOW)**vc4w~29hUyg zSjr<&z9f7(9huLXwU8Hd*y*Ne)$TcLX{C=ltAFSt>?t4y>-f4r(2LI!r63avRZ^TS z?i~a{UAi*3>R#MkDVY1iwJa}Q)|#0wwPmTrRK|NNS;cUvDGxVBEU@=!(xWIA=WjjJ zd;3|PJ=W)3Kaw7|0_7P?#~yR#S?M_C!&Lkh2u0{u`FT5EdfcTl^VijY zK6!x-C-7dmsl{Ec9gPR72^Nu0(|q|!@>34&H}lw6_GKP=H; ztX|?3s)ghZ=Rw}Jqp01kOHR&RVJEU?Q#LJEHZ-MK)OJvJ^cZnxk?^Hn$qPw$WUHSw zfx6;nwe2s)LrzniMG`r?7x~Y)34Ym0uw@>K46#S|_VDL;=@#<{SGvuyi<|IE@?w)m z)DIaAUy%s?s*^zJ-=V6>Z}{|)wEcC0)y~$<7fgDD1snp92SU2%KU9oWn32sBe9WCi zLgA0hc{|XJ+V}t`G4UXOS6dzhw`biBltTNp90l?;XSb zIx(s8VQ=$_c&`e#XqM(Tyl=6)oDbVCmGsX#*=y6}#cKgq_P3;)Kb&CniFygvFCo~S zk@Pl_K&6ggUw`DG&!H5_z41@gk5B|y8Z>1Sko;o8v|LfIPy()n=qs(jjtJ)wFOM4y zMi0|=t3@rHaPJ*-GK`_2a1IGNpXi>Qd#7JAC38^StW|7u%E4iaj&5%fP#BM$BwnMu z(%r4b#xUL??w=3g)W+U0N}3G++WYER8>?Ncem#BSb(M$0+U$vjF0059`J*$6*FlLz z-4C#*ubYiC-3+la*(IAAo~&U(wHh&>p{Di}N9(cj+HDg`gPS9Pb5rMFkN%<(>CIE# z!!A+~3_k$1X7Q6EVb*(g(@AA{W?FL`w{NdYaR1I?VjAmH#d6kG)~426W0QJ2?6P&} zkJ_4gRd@b8uB!`7K_C6ScJ)x2+Mtg<=!aZby$4`fU6Th*?58;>I|Yc(;k7V$CH69; zPTUdglJFtwQ{!$y^7P)R7;WWYkFxi8y#3AE_=E)SV(Xgr-Zh%O zhQi((Nth?DA?XHM^!tWg&bxx1BVtNaU*ciAX->{k7n8@P>9C8PpGJC3|IUlDdZV^%gMb=it^a>8jJ z%prlKONOHy0~kI(C1N(aIYa-bW!Ny6h2`Ask_wuQ?DcHX$$ID%;CKs2dVDX5h~u&p zIiJuWeAJ3h?+8+;VwUzmBE;s%F7BO1?$bdkp=>o74Dul|3HbL9 ziM9~8hfi_r+x|-v`ILrB$#}PEfFA#PpS$Rvw#QzO4LL>K+znje3 zwwD5EnIc!t|IK*DY@-qIkzg0985!p*`0p=?g#(I;%iHcvHD(4|YT)eLAx~ zDghvtxqp>1{^iUE!W<+bl*>@oq(Sg5zr7R`lo{cHD4v?cD>SGvvhxz@i5HWHHSDgV zvdlAvJqMYvFnLQdY?mbWMrLpc5O)Y*xMQ!+kDEylK`offKiS)V{dz!bO~H91Ydz~q z4l65oV%ZjT(jT&$KmO;|>}_v45Boiu!i$+OLgx4)JadkL{h`V4V%{$fbk1r&U+lD~ z0z)6l7QjgM)w(V|AvDWimL8<4GRN&p=X|X3%zW+oH_OJxWFaG3o1S>eo@D9X7E(Femtq1OgcdqF}QxmRm*m+wJr z*YtnjFbIbsSqa+qtMeODMt!p+8pt;Hq|A|H8bdX8URZy_;k#1}Da)$Q{Q*T6g4*ND zmoJnF?0GAg7@Xk~%3m7B`?=o#bMP0Hx@E7tZP9QH9|XrS>(_=oy46H`OeG(YX{`DU z<^wO|F#X{F2h*57p-p+L;}gh8&du0Tns@eSI~@bS$VETuSYLn}!bqps%(1``)hV>B zL=N7L6{0dz_`v62^S<`bhy5=KQx)_V!EN|IRxjuK`I_SAx(adO`K!a{6R86{IaCrC z4HSYM$I>1$pUs6iU)lmQsta-PHz&2F_qx5}5Tdb2XQe7Nx~5Dqr#%K!N!wKR}Dg{XFMe|n9(gT1HmCd7eee$61~qi`)}c_FRc6y`YW z$Mt*f*F%qI0^Q0yZst3~a7}7eUzf5@xTTs2W+0>*&fKo}mD2C#Ps|+lBE_#wA+fy< zqUixbEt4=^QKrEleb*dW+-eaZ3LvMT>y(6yNr3;b(R4ZsTcw56`pM|v{(RcqHwO#p zLCd+aFzJFiBoZg)?avw zr5%#yTK=7J@Q5~?W6P47svP;t?DBS=G5Byg|56P96SHUsVC49%goE| zn1M7KEmx(4p_X1~_c?(>IP#qoz-&?>G_oSlH{7j_op05!-=VW4%b*5JL&Ts;9<-;? zizE7vlWB|{4J&CPJ$gT8xKFhR+xy0kN*iF@%Wj>m)9Hieyz>m`=)8<-krFN-q>s72 z8hF8SHA(x_X;~Vh=mke*vHqirqynC5WIXOnc{-E44mmM>qi)iKO7=;IrPyS&be|V@ zx6|yTz#ZjZKhysK?ELseLO;Ry$xQ+SV^+nS!AGLz#lIxlYAj2vyx$+aTYhNZ~o@hdhq$iY_!x}^2{>+;-+X_i79 zJweed8Z@n2&JM@d`npF;hK;Z`2_hwWN^UINmQN)@Tlbk1a_|~#0m`MKCjD{auiq8H zapoSR?YGQJjgbJk11I_L;LRjO(ld2qjvD$J&CfZGYEwUy+1_s0RQv6=AidP}BzTeo zN-7kf%DZVd-Hz^`%XP88dN5U<%3clb-&hoV-o7!bhUb{S<2e0LpS^KVdUeP(F=HL4 zv5=enSKuV2A24?^#7p;h-*=Z4eayc$i}})~%>1Op{wSQGd@-_N;Ihijh(LO7#A`Qy zv$wpl|A8`w5zp1d^NuR(;Aor1&vM!*$5xKGER2ms*vA_F$Bf$R*C(nrm$vTnN?lLt z5~G%ag_{YedX*9sCROpH6|e! zT|FEA7fU*|z$rmAkm~WvS;LKd%h*!8#N6_BiA$?R2Dk5cm+?ejM}k3rFkZvOOjY{uY1usbQ!+B8u*NKXg zgfem_Y#WniBJvK-n6W9D>H)zI;8m&|p-ygi^WPXlj?-5VP+MTc0tUFt=q^)Gz2orK~vEm7R~G*%#6{kONbYvkrFlDzxo=9Sy$0nUZk96X=$@u zDF*A5)ccS`0Z}q(5F{xMyNFaiQ=<90v_et*(QauX6#Z`F?Ua#yQ4ZIHOg-ag229#t z;D$rQX`{nE=MxlGeQh-%6$EMN_Ahmfe|PT?0K< zg;~~3FKEGo9Js@i)BMJ-)bxy2j<7NbOu_iy4apwzu`)jl@3yLHp`nKDg(wb(&xMh# z_?%CuU=GevrOY|HHzxa%8SkI&e8_P_AT@bMW@LgEG=5|As2?~<4n>hNK%r$kp&I-M%} z0Kyx0>XJpH%-;R>BUXAm_!jt?;+KZ_pcGBAn|~6Xc%yNDrS{Wev6DSEN~LXb(rNcS zT)LHkyP|*84%e$30HOe)8GYvV2SEdO%6BeAlL*T`0LHqKtIfO&imiA6;1nhOfcP!M zy>twY5~h-qu`iYK?bwoXV+-hnL=E|oKlH3`TpgHi?CwzDkf?P(1z{KhWN-4%kksY@ zDC8}8ssF~6Et%lY54>@2d_OQqSI+B`Uhn@W`GOF$SDb;ZxGT5 zFh`-Rc8QD9yzNciPo6BGh&k%rs7RJSA_t(O(;;_g;94))@5vwcpx8q_QGhZ}x%y!! z82KB7pQu}gyv{Ziq{M`v1YJ5#`{x{<3(Bm2z^fB^n>N-K_*q6#xN>}7$NTu(#f!bR zxGb0e(eD<^h|fOmaKq&U(r-N=(3-${&6~MSH2a8H+a>m?iyW|63Ss)Lu>qG?&fbj@ z4Cq+DcfL>hp%7?w=HqUo^fP*)r@c9!tYY7c;DHNHs2m4RaeZ}G356rs^N#!{DVX#^ zAQIlsPuV2n=%Pa_tp&bikI`S)y|3b&f% zROF+`EQ-Lr8*skUrY?DdtNyWB{YQ)AtvIpVE95=oN8tyYm|n%d6p*YLS(1L8yfkAE zQyPDt>umC;YW#F3tfi%FFzn)ZfaAc@8rzxwF?8Uo4G8mrJ@fATPYV!I9z*7z`u|~@ zq@wpP_d(?XLejpedO)0H+1GZNeUVM1`2?(E-l>twXVf3(ZLq{%>@1;l)0><55>ZdN z{rDy2>~sA+O?z4;^n7pmCamOU+kwU=#@ltlW_K@cFNS)kJ5%Ycpc-L{8m}KB(9Qg+ zD50Ch+{=Yd`li@MrJ}vpGeiMBxzQuv<^oPA_wz-Jzlef2U>O6$$zrQ7I3Ji0We>y# zP3F|WmGB(4b2kGeJ&8*~wpS{&I@ME4YE892XWQmeAr=Q_Pd_3j0_7hQ6V$n8o?-@h zeJeIoCy5#aF*$f)S6t_u5uPwc!g>tOH|VbM>p96{NUqp=FC@A@KyoI8l@# zk20%vfk)Nz^C{7#8Ih+-Im#s3&KzEbMQQSl-#+=8C@^DkxMnb~aQ3A`CN|Sg(&M=7 zifAGsO`C3xh7NNAvoXz^>Pu(Z1Ou>wqU&n624&I~;Qq7*tGN6i-1P6&r|i^Ib^TvKWex z%*;#ywRRGZU#NoQx2cVag=O&#B(Sh-T7_YV0p9ZieKqx98p@~-oo^wR^!~QAN#2bb zLdA@bC25bG+0RAvP~BsxsRYvS|Hsu^##Ob2-P@w%#vd)xAtfLwB}gOP9TL)wG;UJ5 zySsbS9U>h9(p^&03bK**Key+c_kEt{>-peWdokCX^B(s##w`e{4kOa?*FW&^h$uo9 z7`BqP6@tc}Cr8ScLF$VHKKd=Z5>%%kco~1xqAAq`Lw-4>n~_6Lx`z;eT3+|n=N##Oy#l^VPCNuEeaOq zxJy`Vf9bgG1Su>qXQwL#6`K7_B$#Mu01KYMp{%~_2R*zrp-SO#L_B6&!bYc$)#1l#PHC-n^ih~eL&EW`JEINhM$E0=mwD{C!HK%$EL-S=Y2Jh4J zXpIZpc0QYHjn<1g&9b{sOH;J;5E;S6K&{?j-3mD7n*W>S8+}4*=70Sh!v|oKwyb;m z?rKqIb{q*UtFrh_1}86({E@{tv<0WEo*FSTueeAHyOC3q2eUM4D4@qINA}sh7m}xl zh306ThYpkdA;2-RTCuR~={HlnUwaBqh^wIX5T76@Ev9Vg34Z#(i2;Y}T7`UpWBDX3 z_C{z9w?Jy#+)^-0*qmlvCpvwVQ@ZU{t}aKr`xuTGPZkICc_2}B*yRL!s8pB-qz)~v z4_XSF7T#oo&-X3aUQ?CzU5Ayv?H46TFj#K(a^9qnMXOH>M6-=MRv^zjSB#r;Xmz>% z6k{O!C7q==NWbsV`GiM{7iR^noCar2*y&mILNeL;w0@;b*{d|0;|RMdr%HbxnUcDQ zkv|6NRh^%iT1~y`x`MeObYGjW;D!voH+ifq7^a)X@*FxO|L6>|JYv{%YDg9=_YY!> z!<-$h31(H#!5t~qY9EA3JVv2*cpe}vSYh{JM^4m>@)y=<^5r0kB z4-a4f%k4c_ZkMD8>)(?(-Aa=@IVn!kvh5L82Mj3!aE zSz$wJn%Ek4(g~ax%DJ(~+IqE4)`zT%YnRHtvIS#uFOn@O-(?>cq)bu8QX_F*?}fDC z3BOHeTBKJRz!Q7NNMk}LJd&7K7{#T&WhOGi1Idwy*)ATNp{&O2ibLV z2PoxfaZ(%nG?a`5xz@T4*6{`v#(r{?zh9wxwAia=tDN`Ra=k9jCDsLAH<`QT9FhzT zPp9tu7Ok|FL6j_QRU=GHNjmdN5_|Sr9p(d6BOmUo_jS@oqQdN>!AeWny019X_|*L~ z;3l)nY@{1jPll0fsvC}Ais8HQG7{o4ktHl;y#ltSFqzs-t3iu}bOwZI`S*xG4AVQZ zxLGR@uc>&sc#`2k2EMyp`Z;ks*(s4%b^ToD)snYo|D=h?)d)rr@D{=FK4B`TE6O@B zgVP~S$Up8hud{LXMc7)++?wW5{#i*hRyIB2KFltO4WS*ExUWa^PLA$s$j_*@zyp|_ z52JGW%uT(uq7%Dp?9EfGTwV<7kY34lb=bUkV_xOYa3T7+gBWzIF?uK@n4kVCAtF-!g#$=R^asqICx)o0}! z`(*lj*D)MUW`U}ZaNfK%(Hi_D+h+%xfU6Exx&s7^MRX7NaKN}sjY{EV7swi<9ZKam zM|S3qR7>7BhBVj*&=X?G%8eJscR#6Y~Jo@IWJk^~cH}5rGF&1&2U4Hxa z$n+Ynl|Z3uxLiZWF<{==my=`xd;i)f9r2Ps6A5y8Zk9Yul9;8eh@5#_YM~4M!&H8? z!tWMTT>p!WAyv9Cy!mA)TTwPWOHWhfNph%Jm`rU@xAGuzuZAI*F8z5)H7krx!DM!+ z+Vs_Ib!Ut2IaXZBqRgmunFr6kZn0Hq0E&`e;)`Tpva{(Rs&fR2=^HiFMXUa|&Gb@W zQYye!tl$=oke}Ie4^=nZW*Is*mLJ$go+BbW0KGX;??<^4_gsg755?Mgb31bkxI~L zsHw$mqWf}t0@;=F=N8y4zr+-+BAj2le$YLg0*Y{0p}t~p1z8oxW3Zezwt>1Fb_xSG zyg42xnVIFsLf-dOF-CP05lGV#z*_SV>~7LsX`M%tQ2|MDR`7}3pZjzBd8bKH*inNF zKD@aa*cujOCEE1!pgJ1UZoFXrz)R5yiVZ+D?Oo=9G;1E*gS_hq89|o}zklme9Myj& z1)2`eIa)eL3|ae$T-C_1>dkFUFnORCrq?q7r zH3m%pbk&cN`(~9Scj!IOR$_M!^WJC4GP$ALJnjC7#4+O?ha;KGagd zy11{bKuYNN}juZft7i!(^tz&$=m%C`FLO~7?2K5PjHoj!j<_jhjr36 zz@-8wVl=!rE_Pt7rdz1r^x51@7l*o zF$_Sy$jATw$T0%!RQd(N%YMECm!2QaV4#Uf4Fw5v5=AJR!X~{5z0r%o6(1}PH^}M-Pc>Q+CyOx&JKoI@+ph5)8E9t_q2?^MJo^25LBc8@76O71epBL8iH-D_P%I(&lRH&*?85(DiWR(lJaf zV;Jh(zwFVzV)e7+RQ0KrA`0R^@knqv&?thWIfw~@Ke>xn;89tNOemeY9C9EJ3|yK* zBa0l-Nk*clhVrU(ekxFZ3#y|UnEn`Bd-3k*G_cZCYM3bLM(g1Di&^;{N$*633Ytx2_+214>_$p8gf?al{it5~s5cB`zi; zKOAeMsueH~)1hp`K%?aNTOoSouY;Ji=KNGa_Q~XwrQF|n@UdBOSZHSH)LB6|R40LI z)M{QmQqKH?y&wVpN3tek)HzAsMlgb2(?c^-=46lV3u#>c9!lZo;>M6y3Y8<~x$v!6 zJLx!;CpV4bGQs@XKec%jq)_qe9)eE)&U78W@?`@XTcycPGv5KtS=w7!rn4=e&ZEwU z#oXy;w0V451sh!1+e`u%(ez+U9g=6M4C8VgJF3BAH_>Nd)#WBdo%#O_WNeY#oAyLR)K;xW{aNQ1NC>zBC7+Vu&DNL^tq78VT4{LPZzBGy|u2;kmXb zo>Y$34rgTY5d+P<-Z5J}oh?9~cJ>^y%}`>e7_3d(ih1!fOD@Zu$nESAP{d_;2L1Sk zjb*=SIU`ZZGA3!ZsL zl_3Xa1-(>;s9H`B%br-i|8R`W^km{D>^Xf>?=JI=){cIuSXfy`MF{;?pow%{+fyHE-_&U4iyP0kciotxos>$ewAi8|jMYT_ z+J1S8Bh$204wK?^qliWge7Megc^?IGQ(R@XUv{jHq`uvR?=f6l^C#GKUf|8sII5IP ziT67*UU7#pXPNfYrlcOb&&pm^eo20NV4+h|$yLM0)Nk((3AXfGoQtfdY%bsQztI$~ z=MKn(-{D)20Db4bpb5a|ejWEF{9zH+9yg|Z(BIdW5Kmb@9^_uo=UE4@IJBl?*i)v< zgJ7v!$+74*keI2$_yXwGAt^9nfw!xzdJHr?GPk+WNsY1wCcc&YNlt@8&yKIZX)qAn zDFiMVNv2!(lDodSi?6}W4X{fdxvMGg+9@Ab#1}J5poV{`O!NbF1UXpnuwCP#OvDiu zj$a;5P>(&*t^?XiG(F?bp3pNLfCk`10FFp{gA)`td)HOsYbX#jwTlOmMUe=s2)Cs<3>@=^sM=%7pam|*>=^T=Hj`$B>Fm~ zo%EuNn7K4W`*@D_Tk;hV6{@L#Uh4&c)ljs!JFbR)ebssMKt+Rb;hi11@J!K8$W77q zLSSXwD^SBxnpg;}F_e59l5&i?k;|lFG}N(pR%K;3{EREM7|@bA3gEF@_S6X2KiVMoiz;ui1VvFewd zO|NZoGG|63HhY*tcKsp-hc2)I^s*cBqx~+ieim{msqYXYY&7Y>&Ve))j!GdhXP0<( zZRD^-%s8>!S4`zYENNRz-*8s!H$5k{Nla|yr`koUt5>E|1a=xNK|Rzq>oXJ-YSS;^ z{v|g3f?UlKKk(XUc-r|D#+8$2hFaPzr5x0H%4crIq|CwFxw{2J;iP0-QL{u3Qo&0_ z!92^cWhteTnZ#V~bDTH+PRHU@k1%qZOgyR!TY5ll$VvOhRo-PJOhEWpkB4Z&J|*gK z#vQ(mbr=vjZv+=z$&tW*!-ki@WoLWQg7bmaF^&pTw)&LNp1wUa&wQ!Jg7q-219N`B zI$bqGh}C^VY4P!!VZsT``c7guo7&mR`rq|0^$9}ZP%q|>@@U#eFX#fB=uayz}#Q%1#guD6a3mGJa9 zw>-`fAJX(^-#*s-TC%y-j89(GJvjjsc@nsCMY@?g?NY1=x`ksFiA*~8K)9JfE9ut4 zwRL?ifd7!uZzblbB(4?B0?3YIt>41Dkrks1?my$+ToTorygZ`OjEl5rGLMCobxUk$ z6Z&L`qFVv-)#~A=4^AYZCyC~v;JzV`1$x&^-M=5Lc@H#!xvL=eBk~laX%&2=$4g8@ z=ITp;49i=-e~$87_C16}D)L1FH>l%PD%DX%vpP9Skc6m5nLwI6Uort0;lWN{`pV{& zy}8EFOPU%)nJ>>uL22YxO|0|H2~?idEZGV+Ya22Qe=h?v_!EK&K%Yfe$)!PgqKf^= zK_-54(=&i&=%+k-7;z5U@9S{hd)|228kLwE-1rthf;by+a2HaX>cRhzIDSoNj&+dg zC~sT_^FtAHNL=4db8zdw?lZ-xH@86IO)vo=;d;YHg69Y=ll2q((Rj1p8bBoa*HS38 za-Vf~UIW3{=Ff9g@oC@0i=!kuzp>7w`Qq=Xv(9fAgEjpPCI4^(75|++wA3}_VcrsOE4m_$&TOrc>deMIYqjD!It@jvCGLK8Firk#ENq(c%iH2_B734mVrSVUiO z7u>4LB;G!_iz!ZAl_o=G`JC7aLSU$0{+kNJY4A4(k0+D`+^EsNfy&G+Woyy)dx$Qg zC_6q$Q@^tQ&JG!;4}+&P#M>_Y^Un)`sja3!Scq-a0a>P}%VG9){r7E%$EAduCIben z{#EEt^;liBW%q!l?f%{ZsiowOpPsjcKDDBlLjhYa^F2r>bU3KW3_~8GmO|E~*Qaei zPHA6tCkk*LS^ft6#`UN9K;KPa8gm>l;i2pwPxn8gc7_yd1AmF*&rWR?RcLbuNG8La zQNYwxfXfuNCCT{^{509&AUg|n`@XSZ{_M|{dTr9G)vP#Ls{X5TlkD=q{rSkkCy^OK!^P|gGkzdnk1*aZ%tz2n*G35M1v;2jroG6pZOih6p zXjuyXhbKt^h)=^8kw0P(CW#zrwAU^UY%BlaB3^d6megHv0xo>}UNA%Rv^@`$KpqbL`%VyYdU0S5K9Eeu*} zAoGAezOG#Ndk#r)NIuJ6fTlnAO&UAGt&eJz3`BA|-93E0e5vil9%;Nfo7u}yrB}hT z`&qnDz>B+)CRjE-G6Hy)C$f~2E>l&zGjF^~6VH1OyU(q*|8^Sx_nS|h)sqM`;W3() z`~{%KpD4L~;FG?;zLRsv;z45@VV1F<1!~AYypm!%KCs3n5Sjciy{T}!2i#Ai7pIVu zVI1y+_Ry29eZBLo)LAD}&deT4Lxb0QOi)mGawrQ&AQ*FYc`eY)me@ zkoa@AJap~#^%JSM`KLp{&PzCo-YdE%N>q(wqGIr|vgGji)36+m5iLv6@-?G$aQEi= zKTM9M!z3gTwEpgY`~H~+@Xf`BoWz0aca{7<&}$`)>ur=k*ol-Ka}~boJV0Py)1h#2 z&g8K21A}6a3if%Rs#VNQ1Br22*OJ-3qH(r*ixywusC#{}01(EJ%(17%1JYoWrlo75 zM-18J!njE|Vu^@zj^n(6sxxXvT+R+a1y9AF1gc^wrrGR_+Y&BT-s>?1_)Vz3We}6X zrAtRImXXz4AUw<~a3&J|+T`T6yh^CEhI2Z!NY=946F3utGweGi9*txII%TNJee%s0s?zlkA>S z7Ztr23&g>zkrZ@Et$TH>HuOW6{|BDG6^~PWSy$1JtaO#M;-TmY9aL*XzG9?ocXiAS zqT{c@&>wSVL=~3bBrDiJimQUiEBhy}wd_Cq$=-oOM!kYx{Tc2(plrTiz5^Y%dPY^x z!`t(#0AH;gVas>QC+|yWb7p@67j!da6twQ{c-&QRpVOZZ)@1XtT~>+P4R0_{wsz!1 z1e>KOyno_dsP0%5nZ_~6iyv8w;3J5&Qmv=_sCr^3hK`X-QH}y=S#!IZeY*saaaE2e zbr$lyvV()p-kaw}C~7N#d^Sm%tyh5esw;nvAnkOXg0P)%GzP3m(EgOcDG6@1PY$4< zq`B-|;ie+R`|iTT)te;f9)?hd_KI_biur0j(#QiqGF?*Mhj^>wooQ|5fSx)Ao9A{B zijKAo*~c}0xPJBFm{h`@#rHO9iqjur_ssj{oDaDN%@h@FFFZEWj>%1j`c6x+eraG( z3t+(~0OJRL_$<5|FVO8-4FN;c0Y`y!T7+!ug{IKSwdjPL(4&gXbn@qaVGQFYRqQ8! z(1oz7I7p$x4UxnAbO{xDL1-40&$=U#2lsHq2oCZ{y8-#tmc;AEjzP`*V0}CB6EO|2 zRCe^kkgDvJixbz}QbdvW!1*++w`qHzSF{KAr7$qG&i4RNr;x25V$`Xd zGn3nV>Sg$X{YkU(f8m<&MOnd_;)%)2iRiP%c%p)k3-kBSdM998k8$Y=pMw865}Ew! zh#bIu+Oo2#^GQc8K1Ap}@>-ih^CrH2 z*08TZnBD5l8_9~Cci^=6D*>8(;sD9V;ON%}&dTsdqWsRqVJ)vmVQpkU*^E7&TZ>=` z5PM0T1SEfSs!x@xfH`Dres0UBx65LWKXe2@o|m5K4Ds|Tt8$;Q4rm!!d#tXGk*H0H zX2j>g{$e5$KrhQr!?|hQQSzzDF-wyjerA~rO1Q!Y>Cxd5d^JgS-`*3i;I6y%e@BJ|&Dk5%ba!`;HIga~#p|?Cv|;9pJ5YKG zsxeX}p%1waA=5P5 zv}Qik_Fql=>HB+xSEXGR`HI_(^ip_7-dAzmc|~OnY5^JWaeC@NS^$9PhTA17#doWL zQHDxv#ypQmE3<~B)J*#{v{VfBawh4A;QP*xavQ7%nI8!=_eullY^L5D#5i+j2exPf z;b>|l>EaYMS5Z2D;k^CAF*ONkwGY+FK7^juNbP)rMX02@IcCB4P*Cku?_0Qiw}_0p z?LD2xG{9bB8TGz?DD=$sbMTn6>@~(d>;OPCq`>c!Po&qeYCHW}rl&IOQ=HY z3cDfV8~Q1}g>S$Ur0UL;z-9)rTo6yET`Ql~j(CM2^(t_55F|OGyUtkTkPD}jZ$B!8 z_@A*Mw_i5_Dmy#9X5{2;3xUZw9|p23D$hc_P(8U!pK*n{^>4GiLcG@MsBn%6ZP-?D zus`;(N9>gb;GLM#&y`nQ!o_8_8`oc7!EaJ5eD8fcE=9hqfcAg5_w}u)?1AR2Nc1ZK zVJg*#MhZv&YwAa3K}{;QdqInP<6z(5VUF%dZk~uxwWxO;!7PK!UY8WclxKXZE2k!-}}xx0(dxow995JL$2Bjgb~}7Pe0m{G^o5WhL+O zJ9zTe49zGXQIa{>b=T%Oy1P6;8+tb*E(IokqEfyjbZuhX|HqxFIt<=miQ-MK>)l3h zi|u{FaWOEN&Y!n6xVLWOJu|Z(R%C8+3$kr1QW+yu+;m3b!N-!m0sitri6V+?z#i%{w_d%NRb2V^w`q3S(h;e7PnH2hE6+uEdK7OgY_(8l1eEw%p&l|CiZe@*OWoE@#Sog}52&1b9i!bxL47V}iEyMv52ZJ^ zn(L(lrSx=h&}Ns1jHu26b)?{aB33#n4%j>s*IHmc_;Y#1P|*VJg?ulEc^V@nFIK_I z%DEH%v;JqGy+~WEHD*vx*r_i)J=O7|z%uoDu)d-U!541UDK|p{JsAR5p;ypI3)j#i zHH5093$ydy=Ai4;7Z7+VewwWPte*ZiY|+hnb20EUe;ANBzplS@-bFW|ahsNYc^k%Ef{MSTXW`0{p1U`wuFr^v7*S(ig2= zzGL%YXdDunzKK%jj;)VgDH#mi0WZw{@lqP@kgas}!#AoF^UY9;msakPppJLv)cll< z+^EoKPOOv_Y9Oe7T~!vav)=u&ZHTn8fB|k9qTqsQprzgRRiY>T}t*n8lFWrVTh_szP?6sf;HUsX~z6~dlgAB zhyrgT|(Dm@6 zu$EGtuh-oPVg5jynmb(bnH2+8$os_x7);J9oQ`LoV$s*SBV`)gQY>=KL+@2y&#=oF zAP;P%G`kB6>k$0Mny6#b*&yXa?a;WKC3}qqi+8#Sfcr(p-mJLYk%8u?tNCf)^6)_8 zq69SD`!t0#W~IDf4k_z7Fw&I{AUV9GA{OHGr&!y5~OgI=5A?dF&W zN=FfA#+tl&ZBf2FOAov8B1JRh>q$kAA!kV}N|B9_cWq8V@u?O!eq&w$C(Yt^?@&=? z1zkoGiS7rS#e?-acdslTRrbimGU`A-@bVk*sv|FJ7(+<_x`U%_tr2teZ(dT9nS*&h zJt-tS?{k*HFymeUIhSYGIj?fiYpYYuZ_0jsFK3O@kLCy34(1FyF3P;&HL12u+erH{ zva7=vSVPJd)40n*=0y#ai)|Ejkl8=1LtVaEw^@B8H;^J~TEM{FRB-)GOiIOd$QV>x zB#D0+kUnSN{VkqCxBh|RYM8Xn)>dBCtC%p3{)~TvuE5b%ND-PX#KCqU>{$W^Hx3bj z24o+`1uFZdO{|EbKkc^Ku9ycoV;@k)?)8VXMNP>@s0ykfqoW7?u|=|C%NsOmhwbLy zYY84=G-?fYne%+r1fd;Ywm_}~&(qr1tS^h)->)C$UC-U$bB~cmYOf+O;|TWf$~O#YqBD;l8??yYfy=3-ETUee3dhX9ccRaA4?aGy5LAYV zjvTh1Rj<`TOXrHOVo{ze551}!99(!k3?q((Zi(Mf8JYH>et>yPK=w>DWdlTlX}|87 zxHZ^J6q|v+=2+|ta?z~02L#C({4<*My(5{{kfZomsflO)EdiHOkIM+>g12>EFbHTW z*i?Ud?}n%M)X(nW@h0yQb|b4;hK9gRL?l}4q<8(ln>nbrxR6q49WhQty^~%cX6ifz z>-bbbWq(4+Z>0uMud>f{V>z3(YAQ_MN50FQeJJtO^=Xeu|;sWXT z8FfehSR0K1C2*JsmD#S`&kXcPWzLoVB+rXeZz5B~64s3L$U`luJU+l7$!MIEJ$>vX znulR@lesZEj1yfp1)6e=I#(Fs8ByZ__Z4%x#|x5Ei$)74gUWqzt>OW{#1lkuOsE9t zO)~hF3}gfDWHRfbAY=ebiu-zC28G&|-57i!eTCApUw?E>!gOPng73qISfuZS!{C@A z36F0i`jqwSD^`=Gf)<5EFS?OzvJu(Y2>k_&Y+$ZM%i_}4b31xC(0zf)i&lsSpb|U) z8C*;ZtdTWoGOw(6U4YZ2Gdh^6kM??WH;FtJHltb)0#$(3l{BSV8vtrs?pp#o>Bo;0 ziDj8%=_fg3)gi{G9xMy8nFiQ!SnfP*uoZPU`CV(wpEu4tQnh2bdb&*94q)b{DLq(< zAN$hwIOhaM!Elb=2Lc5zfGbWRQNiXz?)H)~)8+!S>c|i>Zk-9nOOY8)a6h-7fO_4D z`fP1529jZ=W`T2@&O4Uvx-?+Fh)cp4`lgN`N>4mDU34|#w-`-3fo_g9z}9HnK;9J;gRR(fT5x&sQjY zLFng@dLIB~_>8$5Pu`vb;xl$AVo26{OC(OYK_diWYYF_rp5ew!Om=}3>6xrcp0i(f z!KC$>Wb$ttw-cXrx5e$reY^Y`TUA%8go+r`HQJIKSz(AYh8G_>KrB+95(F8u|C|bDaxE$8A8QRQ`Zm$inS+W{ZiNXp$i7w^mmW#AV1U)hbX;E)JE#}5B z{kbyeBfMaZ!4qv1?b@7UNPDOrKc+^G9s%zy`ch_f9QERD*8`@fdbUb6OdyB-IiRKh zoATy&bQ66nbw)H)X)~)E#RpK|KO$Fp6o9M^!XnR3mt|^x@aDox%SxbeLDk)~ftLUU$1L)qtYr4_j7I>?pHOnu1(D&F;6I zJ5WOk?b}s$0p+bwu9(-`|Y~FLTsz!j}qqRy9_R3fzN?0~DMslh9HjpD%Y^ zCIUpiYc;@}nl-!+%*yRx+<>twipqfQ!tZAW4?4dT^!?KyxOV+$moUrpO_p{1!TX0o(v4Y!gDHE*{!^ouA)*u2mgIkf-gQ=xnU=}36BUm1e? z7en>8@~DBO7awD4;4|u#qKzpoF|tI_aF7WkKqz0=v}G*4EdyE_iP3ZSTE^%s|6F-x zay?PiXsZE{#T2Cx+h#osIvEdRee(ikuT+hWK#vwploJ6(->Q zH~$(jHSYMpT2g{AQ{!&XF4YjhG$>OV>b#y>eh3eN}a$&Cq>Sf#YKtsqF)>^ zf@K@Ku@zTENTm0arl7ij_JQJ$OV2N^+j`ivPqycg1kh$KpMXM#jFnmfRLeqlTg`v2 zOk5o|Wh!AJ>|@y`+Q#&PV9Y#I=u*48hj8ud8YDMVZf0eR4t`)C(Jz?LBr&yH&7mZT zoCU5_^i%lDXoJ1_)5(N-U`k!+_p#huoCDpQkSuuurBYS~^3h_D>DR&)1|p*baN>iD z`GvWnH|QhGGzDF-T&|Ir~b4+M|&PnOb#WK zD)&)doNtAlrfFb9kVgvPGQ|(%j29emtbd6|eVZC>0OxjD4Q0qRN^XCL6Mqr~Qvu0q zX~Hko=MxyhUW$4QV7E0cFAKrE0)nUSQ;L&~Q4mh^KY=aMl<%t$$UFRX<<~(BQZb#I zG$=n?yyr(Mr`tXUz?GM$wRP$TgKWbotQnpyx7RygsYWLHW|-sO8|71j-h@_O$TMdr zw`LeN7b;1>evG4NkiH^zl4kr_>gF7I|3?Z4DQe~WBeDq#Inr!93X`s?Th+(Vkdo8~ z;jwstz?0CEcs5evdt3Z5KWq&drI0z4s^lrdolevvl~V3nBLyDMmxcOPZ`SLkEULpH z-RDzlX59CSr@w$&*P(5KhV)~=`~0+!iWziXw2eQy1)Kp2%(xHw=J|R=e6)jwFAMbf z+yL;yb?)V2wvPbSz40JC*|kq*6urC zyBtLxL}>h~0d5ioB9VtaGg~}wup!VA^1c^`G4Oh;64fL}7!pYlw*Ctp8zsjlo;9N` zc1E37aT4?fdgdc9;dUcN*UWYSGk2SH}Yr0i=+fU4eJ8pzOPklS<9;=sT8bobK*(;+wP(1ldbrq*A)~@yLnHfKRV%~g6@}Yx8PNO z9Hqts1>KogCB2L)ue;6(Z_JigwxDzxj~3r~_?Zn%6YBT4E!&p_gRdIj`Nj>k0ZqM8 z1zTSzLEigL(FDPqc_08_!2cCXV#7cB48svuq)%3Cl%ekCi78h4VI0uC#h5&|d%O&M z46A_iiM6$Tx_kXY+vIW$*C|ZrkBwn%7E-91SEfxxbWFcA_=VN)$I@A19`gSbQom3{lup|K16x z^--TYyKwfj$yy*NZyILC?PG#%lh-`YWH}r^Oi0x#geNsITKm51n!%^_ zh;y6FCv2j5)Z3ADCI;DJ{PBGMUSm|cqpWVq908i8$!3@5T&Lq!;cA?gIDL+L4m#ie zQJ>c5%5-6IN35G@--Ij+_0Gm(2B?#nBx;Yk$$I^)cfFa11W)&4H-BA6OIvIa)D`i2 zCM42x`1O_^>6W>#1{L#|^T6hc#R{=f=4jllE0d(~(o{)ip*Vup6%dL<${qTpo}cA{ zOD@JueEq%VNU+2Ksj**9g{W^$_UXHfeLg4HAMlx^EykVpR=F+F$9tn|R}@8#1jd39 zYo)U^m426?%Pq;LJ2@!y{D=9DFyo(}dvVzH@eq8L-I4p*^wAs&L`Gz@&q@-tFsiK0 zoYTHO4|f%68C?)})66{CIqqb^FnczM%8SWD#jkY2q%FGEx-941IV3O!oGmYKcy=Ps z9>~fOyd&qT9;#R%|1D-d7>)gma@L1U@Hd{z%I_~q&9|W~ZyJP-2^I`xmK{m$AaI;V zmJ0Eb;J9x#=mOW|lz}{Rq{LkkSL>(#z^@`KfLVmRVOl$y7ow}g?zxzie}=R`-zLNA z>E65})j+f4&G{Lg~gqLH}N+D_)^VmGAJ5E@dfpA&uOv zwTwH$efPKZH4>STbKN|bP4H@g-Ya+#&D(nY5AiHxU|1mVW-`TL*Pf-RxnG-kk8)T> zKc$ulQa4GWh7BYRI2oticmv?luwCy&ay$CXUqt)3@l=uOAHa9HmW zMJpjehB-&pRD?QY*bx|#C)y4KCx%9H$yieblO5Tyc58n6+}cnOPz-icZEhj9cZy+^S>P+-BUi9! z;-o+LwzjrIn~x?2iN_ClaFV>&N^z$(MM*qOzxW+>eAoUp|t z*78H(b81?Uc4{4~wCnTZ8JXQxgB5lwk>uRdDx{0Z{j3xA%HcqS-W#R~5?8qWtJ!K; z(&YPrHS#BU|56k+-?UC)64g4_(D zSCK2jl58V1!-UF1{!`(ff&`>n3q-~whWiv}0?1P}rxTYDy5FR-fk>r%-5A$mCU@^Z zrtTYous4w6Pfmex@ueVhC~m6lcx+q(eUZB~qzctHR>D2+$)*~VS5fe70R_Z&4mE9a z0w)*|%K>b^@sNk<4I10DdAP$N*8yCF^JQ^`IwqBbyN#`Y46O`z*Yu{KJCHe7@LNzi76_DHH|FV? zTq;v(zQDaShAu`n-k)~!{7!#IDYHFfbbuE5UioO}G~%?vAEyrV?(~u79GkA>XTpN9 zm+dNnv1od2G#uf2&;|G`4<=t%{jSTC5He{t6$#Y? zZVKJ_&N?%knMG1(l8u<}V9OuV)hL^z9;&6?7o*a&39zoet8=VeoEF^R^Z*RngBKJI zjjaQb@z$?EehtN>M;k0CKnoy<%z%-4*q4Fcp-!7YzW=xi%su_lSJe0$_cxQ!&=Nul z<4FOfpPQlmbmRW8wOi9xucXzS0mF9)+#n$4>@7OcEN$}>>b{rS*xv9HIGyuFa>rbs zkbfteuwqrsLZYa`)5ptvf&}{a2>Oe+7}fSStRp$OpmF#zN>7nOP%F{clJ3%5{?jaV zMi0RKLT$Pgr2*9Nlp_qBlY8Ev%ql7s->W&ZdX00$PSuSi$&$;j&&jEiPzU0e>N`yi z(Q0OQM>xK^v9MP=1*(V_QKXZD;b^Slf-WeZU73P>M?#dYDo=Q+d23k(xfT{9$Y)mG zf$mfQn5B?zieKKvBd9Yr?$+_d_F)cNyyN_)xE6b1pe+PkD5ssf9;@Wvx7GQ&7SHhV zm`&8!;G?|YizofY!YPz!%aH;9BK;Z!avqycZoDjKDXtAvfR=hiK4p76N=~U;-dEms zZ>zRG{h32FtzJ1|G~4f0D+T{&@UTi0``p#$fnO2V5lO^@o*(2T)UXN?c*f7qI*Oq$ z+7p(Bgquv!zWJzwUs|^nA=Xu`-A=663#`nhuj>~}(Wx=O+j&Ft1@D99_U`N&Va7I- z&4MJRHs`opL;%3^- zH$OaCtY4YTd@xe2U?T9(1AddGDC4Mh{~r%%TT4O0%S2fM*GJr=V!QvHoJ#n`12F{$ zeUYk33ESK0yhSTjualy@KbK(>&*sigx|Rrt&0l9irCY;Z3jY3Gy~sYS1C*K!<`8BO zkv$e6bqS_IQJZpsa<%sN6VI=IsC5r$9mPYI;-3P{$x8362TV)6 z?nh;z!j2v$^pE7{OEoyORgf*%`t>Et@SU4msIe75-Lu8!3-Meae?iepa{t`FFVmTgCZ#S&Kayvh~-n>GX zDCe1imV^5UR&y_Fjg#RRE$*ZbGS*EAA;HpX@n=P!EcATcZg1nSdN+!v0);v%|Ok6y=BL zA^-;NXl5LSFsGf%{@TQCQuvaqAOKK3@^_#n0VEy(-S!SacLe0-B+MSgKdu0Irpw74 zv9gs5B?!;>x7e)KVDbWXkn?bEaZ!~@0%=T0`rq&*_J1zg|4lgqK&9ZzB{M3AJXCaTZjKVVMjH@c=8vy9OYt~V z@Vq`Sak2+AC_g`@4#TjktJlD`Yi#vt`5EPy@S&6DKiq9m6oeifBq1B=LMGQJ%K#=O z!KmAKI&!Z8$R{ip!4F8@7i-_{IP|NOm~0%x$`JVkG7XiHkD-Chvf_aT(myI|4tI1r z=vd4lbGN-X@61B$k}YmnU8|hZKpSxGpL+iP1Aw?eEJrUcm6wC>AKi=7Y7oEw^^8%; zJF8P{8L(9>H8_G?aZfp@xZ#g+(7sQIXV_LzvU-_haD{H`YiLB#! zHSMAri0cJ0h^N3^X&i${gYMJyWDuZQit`n`E4j^x%wAD9_2N=?LAi3$v#X+Xp3$k# zJdnB^eG@sbT8Ry%19^WSnyKD+&q~ycv@9ffN$hbkAi%bh$dfs>h;u`piPgJ68C92z zMe4)@v698!!e|eU!{ExVN#(<{{9h#ll)x5@j6qnQ{!3&thZDj?K72np_WkqQ7sP43 zi)oUeGH|D$yGEpdu>jhyS+=mEMe(@~8XE5@aK{fR`?l>t&Xu1K!{wDilYs2XOp}Z% zF(`3ubDXktRGW8S7oa@7h=lM&CYeM-Y?9Tc(Zva|jfGE*?($0iUGwZ_&PyfGB-y<% z=>`EmB{*{;iop;#3 zvi5A7-BX8qEZFWE_+dE52P?~d9pCWMh5ZD~qk0li%|k%~l__h&VZ zTd0Ta+$oA~{s;4gggGzH?Hs+4wbC6LKvNZUsp&s6%98cv-L{L#IvZfVT-ch&geB1z zIR(|pIN}Bzqi@hX+GWR&m!j{l-$yyx0!S>)KJBe*ID-xoZCV_a z9szaxK=OVbcl7%nkPMw6D~yQdfBAH_S#c=&<9heh?^l79S+gDyOjBkcu%GIy^%&~V zU#M*b7FUdwoh29ILHhyo%y2)UBT{KhCoKVg;q{a5nfXZePh3N~p&zr}f8_zBHjs{e z>-5_xm{9v(zlN$G91#hsQ%e1I%xhKqOS0j)$znGOyx|sdDNi4!jZ8aP>l`s9x~9Vb zhFByZ(*wDZ_g3i|1XIPqdbbj+=Y( zpIqbZr8bW`UG~P(peQc37OJV&3bW27dIY4$$)DqNR`%yC8nuln;t@r3wXTSA1jq1o z-Z373h}C7136BWXwXdKLG+pEqJO>pvuycr4I@qK^OZ_}XukS(@$1mm*$eZ!n1c?e% z@NabR#lbJ4HF7^!wzPhY;aCgqRYk4LtrbY6YIKvUub$(xdfm}nmIoRLQ(FjBhd@Bg ze71yKPw;|F^s_AFmhap&HEuS%aU;0dNoLveAHW4&SEI`;D>kXt)WNZTAyQmn9!vtz zaySO2y9;@Kp${;r0rZPcw=Hl1F*Lu{Cg+e0c>8+{uuhBj@-B-1+%kTm5Xy4X%M0oG zUFq&wpLGWgB~ig5N9J!*G^qqT06K5^0g46Cyoujo*TxQ#GF&GFQ5+_X@BndX2pIJC z(9>pK2t8L4){9a81;b{Q3Jk~CyVDGb<*q|K(q}Wv&bg$#Jy4v5;=#eZGVbh9TtC6) z1%d+vsn!GVA>|Vva6$tP47#ehhX~dm7>lQ5AWwnR{@`8K;S0#Z#AS&>#0P?fc6Ho0 zN86Dh5sCU}D1ZlOm4NCQb|NYc!P29h5qBIc!BX@9nMguCz(0_wg1!3F&BS_!-~4&H zXW)19H0bkB*zZQ()`=t^u~ZRVExZ`-d2o=hFlyT5HKTM?CM;x3pRq%&a z$!&P2U7plz1bZD%6zTS8ow8mz-M+De%f0PjJeX+}Fwx?1D3lke3K6ko=gO|_ea))d zuKUVwPF=S3Pa~}%%|dwX4c3L;n!IC>McU@2s>}GLQjZTsb`@VDgDX@H3uBf>L#4+q?~G+QkqmyJ` zD8FJYW5C@QILw=X)}^Rtq(&9sIjS8p!qMTh*Sll|9Ddhp)K^MQARtlBv<}elM`157 z{I7LhI(n3It)8y9KD{OnW{v&j9|Q(HOJbAr3;|_x3$E;#Yv0;+1r3`w>7@Q(=Uxl! zn45Itb5aje=J@TEh2?gNR^#0n$J2kiF*pV?SYTMMy445b8dOrWjT%D46cL~B%had zf(Z*a!b_<7s974{o4M={VwN589hP{@Im%_mj2|#P4o;D32CYydV3P;mi}EMDtUcf^ z0``S-7LD%Q=Yp@Gk5?58Znyp)U2h#0b=z)%4kDlf7a;-yQYt9jNQZ<-cc(~~0unAqbpj^nJhm?Q{0|pKJI%b=O+=x;N8{J#s68zht2WoO<78 zWCG3KKwoG9Y8<5Z$>6C>=7Tb`1+V_y;&sBX9ta4i;vP~8M_kVAjoe9QVQTu8_QLh*3%t7xJAiN>>X)A+KO+JDFktyu z93E?dpWo^YxPi^+l6Ti>%Cx#|LF9xof(floI-Z+gqFuuSO!-;`l9vecDG8;40T!bP-nZY2A=$14%fg< z3t?r|=PB`TOMTe8UoD7dMz%h`b#^K%03Cl+(kaffyFM=~FX(DJob5(!YXv1rpR}Az zZ52-NFL#vAmKKLt?&wcD=IFTXdrAqpc5mFq{XLM>L0h9BrC4=4J?V4%@_vo{r{RgS z_8`R?$@6-ZSi0?LE5Db%xE&5PGRxDS2U--CxS8#@Kk&|PRP!X0*KfE((gh3a4CM(^ zwQ|gn=ZGmxRsoHXuRd_8n*Lfx>{E9v_shH5*#E`U8bnk0z>9m@;!6Cpc-HO-h=f^y zx&!18SLKfH?Xy!BafV8$(LE+NXO;`6jVOM??P1{`_NAhD(}Q{WH5ip>PCRe!g^#k6 zq30hgU0>JijYsrl6|Dvoes_GL3FbjxR+YS|x-9%@zB#o6=a9LMG_DU(E-6gRhf)mH zPABROH0XHnua8))3$GEL*X>al=B3}qF>$uKGcSgMy|*|RDT5BOj-XGHOCtm)W#iB( z`G&WXd3?FYqLe6I0DogR_+?+v?O*-EQ55+$1BO82C4)tfP3 zNyF-eVgzZqS~btFGcbnEHo=zTJfU)efMsTTS zWj}s@k`sB|zs*-ds9(vD=+Dl{+pn|`YZIBQL(O{`6jAd}n)4C%jP$P4XqR??E@Ib_ z0Q5-!u4Xg!ombsEsyz4E$-kN@J{~T##1Hs+9(*!p^O53BF*OIS>D#d#lmS~_rdh7a zJ`>xYrWduv9v3HQPqOW!^N723^kpb!x&2B4uiJB4j$L>uBa2g+d4~X1f2FDl#%5N36*9Nvg?Xnea3Uky#G>!s5U=wYgn* zL_YPj8}~2|O^qey6Sog0FwC{v8nRu|B@#RF8+$a|8iV4-^+7X@A=nO-Oq$j?4D^@+ z)2^PfMU_|`I#(mmuKwHaJ%8{8TV^351bw%ktsDPH70@#6Mbj^@Vl%_U!mFW+thLO! z+CUTRW?uO(wI!Jzbk-i2@y~4H_up|)ir+wLB#}?(t@jPtRHDR(o!GWp>arhL(7##6 z!Yt_9@NXp!D<%1C)&F?mnqkMd9?84d)TxrRWXefk5Y9m z;c{RG5K<|>lgDnn$kHM+M)!;6_350Jq_vv{hqzWn_oj9wL09cdp0~UeGv;q&^L{5h z;lW~rPq7M6XtkX7hPPDLxF1^iiAK(Pi5hbb08j6u4KPD0i9jXqst2E&d z1By$m=y0vfGG=W&c?FXF=6i!Dh=oQE*K=wDC|Ek;v6$cC8Avev{T_UC{q51){ z@yXKH;!%}vlT?az61kHS=dwFp;o7t;N_Zx|??h8Sys>fLl;js769YO;(htb1AMDMC zZMyti?4HhaA#>yJ#hJmYVcm<@D8K$=v-_Ph48mR2cN(mqOuyKL?|@)33C!CI;?-;S zLijAJ$?E!1j>5}sfEd3)9e*qc*ad-d;Yj3E2+ZPEux&nSIGv40rrl9~Z6eagr+nSx##q z(W?7*9?BUq>EWgc#2(4+$K4)_J~(c14y6n+_K8v@M%#LYT?|YM#g3Bu8^OHk2khFnR6iD*nYVT&J|IB5R$BRd zHZkDm1rzc#o<_6V(gJg%6n+tfB1ZLrhNX!+tlD@)RXK7&UF;;AO9AVTunrhb#tvJ9 zKHBg{r%;gNgr-jI zvhhA`bxRm9rG{JP%o$jN=82Jl4;AhU*?}_9PAU3)jhD-VUz(c$nZ6xi^&5&DqsEPo z&fLDJDH~4`K%rF;&_ewmEt7F^nhep& z52L1zgEm0z{cEo%!jDWVoz0mB_6+vi;bU{nQuq2}Mbj>ui**BQc8$|dDoR#&YH023 zCl0}MJf0670Qn{5x%P@9Fc+d0AQW^dA@)1?FBVjJ*I;bKk}((u#g+VF89qUNR1^0k z4fMRJ;q9<+#e;1ielY=DY;XFEMCj4_xLx!ozl-R6l`Yd8i%Bq~(HgC6I*qJbX2q7l zV`qwg%c9mgXv&}NE&t9FuooXv;va|vQ3i8Ay!~MYIVcjgJ?7LX4;)10Af~L^3WcCw zG)@gGPM6PD`WG{Iz*bD|YTk2o1SOFt_U+6RDJ((wFaC7=f#HEb->IWnW=eF6iTC?k z-4iA94-Xiv9g8~Ax42h9z3|<^$jG`ZyUI1u&0+tzN!iN0%ug0Q*<$>uxD?3+YvvBl zDsq?TF}08$qYFY~CF4zSIrfVK&b97!S@*1ra@aih*^QBDeKJ3h_BOe9u8gtuz8~|t zYw*IzUDB*T#20B+w;1dN-Lx?r{^v#!So z?{}LPPD!ZfGSbI2!VJE_u~?7p$Bq3hcFi9jhlE@2rcbaNhc6iG2#^XB4p62Cww0G>Ul?Rq&E0=O1JE#B((8rx-Ic)Ftwmta84|tYQn*wt{t?t zN-;bP2qb~?z0g!%5A=2PY`AY`wJB_?9y?4|@6+oEzc`l|61pCLTEu;!Y7T+a41e~W zg>L^QS0`j=R=W2Dk3+rC69eUwq^!@^dus)!Mr5XB4O*2mnt)f8ort6ZL=gkktBKg^ z0*Z%vvttVNU1l+!u#*Vv8b?0+oqY&>d0N18C?n4s-`9C_)Mm0(QDX(smCA3_-}7&C zO>Pc^n-(FjR|SY#{DhoC=6RtYloWFOU=xBZw${EHcyoOs60VSztsG|%2^!$1gUJW5 z2?D{E_|=)7NS{9PBJO#&LLe&a7v}nG-ZwDi)qRwIv1Y$I+Cy)YHeS1N*g-<<{~l zb(|OZ`Q`Zz^{Efv9#mG0He7!@4XyW!W;)RZTkVCAJ-k(ni5yGx%hb&KL9j4lpt5nR z?MX)9EeK>Nv4PSmO6JZXb~+F(biX-V0xjU1>4AuxUci!|rm>BnMDPg+b*UronZxpv zW+qAsqYKzHD|qtVy-bG+k@WH=$|n(*>IGC*h;$K|_Nvg`^yb0JJ6=qQHD94|gPwaO zJbi_uD_>gKF5mM=^4e}|(x*CE{< z41GYXb{Fm|q|A}2XE7dj@!COXinxolz`JnLbs-~SpmiQgs^J9hRhj!{$%O7#`J;CForAm%uXqGt3%JsBDze3B5dw^c( z;A-PoOscfQS+h7aqo11!C3{)zHL;ZZZ3a+fk&XMCH+@9t5Z;%6uK#ne`n%kW?_4v9N8tQ&p^9JbKIR+;I4GGrb9#Ex40U04dGCx- zw_P}Uifo0iMR#C-e)pcLv5LM*qsptkkA*UqdtXAZmj)gQL5psl37Pj^?Ht=uPP|fb zpc3?YFry@{T4g;kr?syr&vBw*FbDlO*xjVI9j9DbR}&pYYp&49wXI}l9YL~Qk}{>R zrx43Dda7L~@v%1UX(yz?bDbH!SZ&kdvHb)AUax{t;qDIs zH)64J;}C1}0$4sT$$aytknAawi;`vBUzEu|sAEsH59l6Vq|V#Fj=}c4ekib(eaf`_ zvVla|Eb{#>Vi=d4zKZ7@ntw{v?1ZzdP98=5UV*dNU@p9HK5z$ha@9N`h0de{1x|LH zX>X`FAUDZY^TM;zkx9?m5rv`s}jt!|4D-go9U-MyBa z$B^xHnNBiZ?HcF-yE#wOoauP3zGBe%qN*X=%9d{Km+-p(=x`?8uiLC-JzMVBhS~0k zserM0lY|qw^hHZ?DVl6jIzoFAhi6;Gy`EEkgb+Da-R^xgdxH?pWR|p4eU~)f!%ttY zOeYlm_5q})3eY-|1D-Xm6Vc^GITjGg4y=`xm?xt_eAqJrJBW?!8f_N>3S4gvQ%h}m zeiIvEC4!FocTChjMh=&1$kC&--o>C_)0O)*UA-;5A*m#22Z!#qoN3!2%bET$C7(`U zfY#VMtKav?bXvGFI!;B3oqO`RuuE{-ds6|N=3M&b?RAHqE^asDNBVua6N7u8GW5$W zkwf~!oy3~d0 zaQgUC@)PBvDYL!19Q&%2j=amD^}_5FvrQ13iiLN5N#0v_Zst$P0k4ec?j+$SN)ed( zp*0iN*SYXPkM+KEJ}r@FrLu8e!dwyVbDjjHBs+TKgmnlJcYT!7^M#DrPe3_>{J=7* zh$W*HJBMDE%)rg2hm{(#$7?+<&dfge{WyutgUApH_$ZS?oxh?Kpb*GoF+BhMwrkq!5$GBgB{16B=fLm=7SZt&ej&8zrLzg&3w}^S;w#0wKrCpVSA}?KRjG zX8_;#fu(t{+GG`jP_pPoH!D?Jf;^|SVUQ}j+Fg!CNR@!?vsdomQ{Pvb$}}w|*1)U8 z$_V!55V7>hmKxuJXSOxH=CSWUbVqfNO7EyJci*w46;mP}Ss+3Q59mGKke!iW8J2qb zLLduW0EO^!u_!Z{JYL@0>k2HHP%)?2*><92WE5%GQ-{{KLYzqf|DB!Hephw@d9hT1 z;oa+ceIco%e7|z;#uqtC4dFBfx8<(xk$Tmmprk3S`LsN!+-PNbzU5#8rH;xlKle*Q zx&2FTL)2#vTZ6=bfA~1y!B8Ca@F{_93ytl88;i;uS=|~JF9+tJZrjx%5 zk4;utp|rs;p69#^VWT0>4h-ND*ze8VY@VMFI_v(u0_5v{=y+^FaHZm8(OMQ4qKk93yNX)$X0+YBf_>GXdE621nHby&V%_MYu!_wO2POW|So z5cyFy_yIivfugWrzYM5!BKF@60ntY>1yTtDnWK-}XTH8zV5Or&81u)^7G`TxG%|cN zx0)+R;i5p5w!v6ryfY9io7Q>2=)?6go{M9u;(oU!uI9~kgGu$&A?cR<5^a& z=Fdb~@g#AMQZ6Yiz%1C?o~723{CK!>@(V~0cp#U)ot;|d{9OMkOQsz)KT+ZV+uf?= zi7Q&uSxFAn?VmGYv@vh0EI5s^3#Jy=5*d^Ilg1ayQKOMFx`*$aU`&^w5m%H0z6lAK3lK=gKbxts&D?TxK9c#Hn507^ zN9#=vVQddBZYfqM_i%5~A3Z8}I#@olW-YXz1BeGbPHT)%sfTYWpv~58j~%gn)^>yV zNNr>Vdbylm&2M(RRw5z^LbzHU9F=4(I2?@}>aXzLmc{*&%^IC-TW?N6vTe?-rWz+r zq!Kdruq;s6^>?|0>RS0HO@UQ(HFS>0$w!D*{96zktSvYM0@+7JooxygF#GXf>B8G) zu*6Y69kC?KOY^6SC!djzKPD)RuEDk-Rht=s&V_-1mD?$Gf6Z>kO?%TZo@v$&w&krH zc4ZSpg8{L4V|OAhUsyFJja};T^ZXk)e5PB6jhzSLDjLzJYdSaMKC%}a_45-_aA|nhReY09vJ|(<1*AoT^ zK^iU9AFC~In_kkQCoJ0R7M4zw%Hf@;=Fc5(t-Z<<0`~|Tb@hFm$HdVfMtNFMb?19) z+gGdZEmK*q-+6~9`cq#eMnI<{;zWec<7>}oK1>*lFopxUAaqI12v(QR^PVS4A%P{? zA8jQx=$KlbPv>!@ftfTsufNa}E2XG^6#w#WeVJS8=oUmRp^7re%St&~>@645aPjs# zbQaRKH8Wj%a7CFv)wIY6D>xT~<3rkh`26<;mpvj@ADZw@%T>E@NH-9#z9UT3x~5~x z+PB-8{M`4eDVkr->esI@R!MswO2q6QP$`bTpQE_FIp05NlQ>0e^T;bGTO8UmG;{G# zTg0jDQ!wj9;Y%Lc%Amp=cXM$ZU3Lg$)CN@kA7+|nmBf@!VdnNizr2BfOZ8sTo?@v~ zIujI%_9uZll(Kvg_CGfV^6z0qHA#k84N+oY&5BoN;1MxV&;<$!xarJ_pOm|{(Qd<= zhbW5!p>!n|S@&_ZUw)=%PF=jOJy(4U2AcX1R1vPMv}$-yWWRGpUaUhP%?TxxNjr8e zA9M7yIuJOGZyro0d2ZYrWntl(!3w7`Q&$FOX{5>8@NyU5p4g!fixiMVa1ylJWG`&iD4v>s)%g&Sb$ zw7(sE{o25*x8dRDIczRUWGH9ywB$#2Y%-TJ6JuhkfKYXe%Cyrcmqf+VUITP9{SoOT zLn2L0G0UpaimIH9`(*NKsS8VIo#pwAgHK+z`%x1nCWlq?JDJYrvV5Uv5Lks6%p!k$ z-tF&VC^TN-{o?T6-Ew{_Jq|8hZJL5mwQ2eeLt?TJ+9Ch6?8!#rFfA2$20R$Zu}D-n zbvLZ%ehiw{<5QQQJ*wxB+Hj&bgq2K{p?75so82tqv(uB#wH#WyOm~av>v49>!e3&n zoSND+v1-#eyh2ip=M9w%A@2WlTHm)!+;_Hy%rWt(;l(QMf=v~k$2@%!KvJgzaVmyIv(4Lc%nlGFmu~bMN+Wl*$*`{$7 zE}b7s4CSYXv>5?i9?#2fQ(ojeGwh^q``L228@b|jU)Gf{F0Fq7d{mZS-@gtT?*c2= z2|RiPuxQh@)#snonZewj7H0wQ&e^u$Caz9L65iy&2ldV-85oD{{xvVfM!IlT!MEyM z`=XUo0BI#FQl;+W0gdD8y@Grr^3W^O3|j2y>8B@d@0jIW3voIj5D-s5i676m^xC(f z49woW25n7T((!P{&8q!oGTpjb&^)DvE<)ZZjfV0IV|V-cwF7=Fx$1&ziVX&E*k|J}672nYQAb>skMItBr@Xg? z(IfY40WwG|!EgZK<%2syFQmdyyt9NZ0dlo{JX zBnIL05pv!-JtI`v=$NSr0-P^U9y%QN^7zTR3d|sv-w%yPj%S4SdCIza0zB;o6SabP zzAe|g2O{eyVS;#&at`pRLXHHVLPDNYO!yHO;;)^!1g_+zAyA&HWWGT-{*+~fzv1fZ zp|~xb(43h*YhhAYK^9m>rl*z3uUV&|h8hh+lXo;FGUVGbm>hVsnR<-EVcMSzaUg6& zfSmg7Vb{UfXYs)2_IJz%0s?7EAuR|L2DhW1i1j#-wZP38 z&KCEO{oSXgFWb|ZT%n`hSN1F0*rau@6SPgetQ*l%dGbxth|LQ!n8(Fu2mf5u$cf!Z z%sD-jIfIaChfrD#=rlM^bJav`<@VLh7rQ>SOWg;m1g`|5lbKtb5i01iRYJO=`IJWp zXIyKM<$4xvpw7XOX<0@rs&h0czrnJ88^kDR)w^)u<>W^e78;q#)<0iK$8!n?bM}2A z)7xHPjpCqk_?334pVj$GHZ07GmsK{!0EfHc{bx#4`W~7#q8S#U(>tQM6E2;O2)GAw zQ1XEXLQ^Eq2&m-I8M-Z1GzTwV8>mcm2_F@lI~kaBT}>59ihYV%y*Y3Fkr#h^tx21^ z%}0UU$?CMWTVN(`3%+Yg_hL?erM zR$-4eaAoq1XjjR%F}oc?AZ$L)LTcgo2>SG-Pbh(*5zs7Zo?S5ty_{X~PAYsbU~zFQ z?4iQK2W-sYtH~jm6pbXuZ(U<5t3LW#NoBJvvd2V^#YME`=;BCAu4Ks|z~Xz?ecjFbIL@qo zFz-KDP*#&;HxEs8we9vGUiq4%b8S$gBsF`x+u_w5cS&+ExADOP5(9JN=gLy!c9R4| z@)9HwD#oi8}C(i<1AL5Am~#aUNP&c;re zHORD|BR^Os76|2^gziF;|D+JWV3r1UFtFRd5Dfbn=}Nm{2qd;4KDL?hlw`i5lbFOu z^uv{;??y%9apf6K##6WPH%VkNofBkIgv+^b_`w+V^s-dsBg^3GgK8`YWMc@NtC#0g z5j5#yb#mKPZbi+l53w5=JIyc>Q?C=E7@6z|wWw%6BNaX((i)Y?0K_$)D^mk}gK#r%d_tm3)RT948HYR&jc$MimLwIJf zacv+{DjqZHa@kJZB4t|K6y7pGqI1>!s>aHFZ{iO_So5^Yt;JH5(1m1_4T&Nz$6Zg;hLikfafDgmOP(4)q~W6QL@zQx|3bbJ@Z>_Qh$T%JFsWSj>Yt^ zACszhD(^8uAh!`GW5E;VmPX{AlqI+Y+wjxC0wuL-yV1+=1G%K3fUK}_arfc6cNk4` z4X3P@s3*h@%eQ3wexmk7c`}WmC0x^(0Uj?!Yid{Mb;_O5jj8%$2WGJ)!WAdUS;Nj` z^!7os@Gkk~y;5UtsSV+iieLi*1zJw|<>U=(ZtltA6Hk~eVlYyeY|7=kA`gp>jFuFY z%Qp86n-ZCZO{lG{JGa7#Qlqxz>FQf^?#db@SMIHbkv`T>B`Q3+W%}G-6Vc}G|Fr>P zc-$WCF$TQ~v6r5&Pv5gw zkDnX44bsM)&Xm3Yds~dmuShaXKkY;8^D4=0dWL5WUtyhxoTa8K6B}!BG1$tC-__HxteaV<%d|j|wbMT-uU4YK zX|CRa{$!}%*nl>agKNeMhFVv%>bywoTup3FZLcu&t-`9PZR~`|OHg_Y`}ef+2^b2i zsTwtcJ8D^y>k`sHX|fWYtO~Z z0-kN}4p6MF$`;PeT}Rp}7}gyY%Y$6SVT@6UIK*6M6oRf}1AeS#F>js*d2hO}lIW=) zt=KCj?Fs31#K5N$vshu-kVJ(h&v6xo!7b>_n!?F6`6O?Gv3-?}mE=tclaXg`YLU?1 z|2l(ZFWwTHvJ$ppkAA7F_dmEBi%(DaFzYlRKx|MxjY|l?jeM}FjXp3W zaMsKwvDaeaBTYBwcKaJ>ZMlE8o6S5fJ1|N3S>QQ=STW9tIMy!w=yYof%X3#K-k>KC zj>=pzI$VX+eqABM1$tddRLmK!su`I=Vfl(5i%7+ot@B6m1?0YK=Kx{@&m&>A=d!w8 zcD!-$z*;7q_1fAkIBj&#a~3e)xsyk2aJ}VwA((TBrXz~yU$O}Nw54BTB+bUfVBUDClf$j0Co!$5c|L|; z?7%1dB!A_^Fes1#q_6vh>I+kr*tQ-Zj1(tXv{(abeMgyGj|s&~DmHRiFnYp(v`$GM z!5-Nby!<4=?`CT={kI$QmH4M;|D?xk=6{Te3kZB_`9QR{9tA`@1+KVwsfpa>RDOf_ zbKilR+LkFyuJ-w%HF0`a`>~Kc?r$5M#~2Wwd5#jw!UX=@7YP`lW`mD&t3xg0tJ%`PLgRu=9a6ghSU&w%W4CxUk!sIz81ri47@3L(OFI z0Q;VJK}^UziI-%r)n*K{Fz+z-*@p<-uciFA;;i(icx5yK;+zl(TQv`-yoS4}$`Qol zV7M~T*;;3%=%Bjee)2&;wa8#pmzZ~9%H%%r(qjIR!T+Y z=;J{v(k~uOXJ3$wS@==$3tUyd+Zw*Ts3K@$HHveh#OemyH z^e+l}I|-Mwmd#0N!Q?{VcNm2RQ<7EdV3Y5~r1OAAXeOJXFR(EkUTRy0kOiPsq+huAH#^srv${l$;dgWG|9}h+@f|0jE41o?oXR`LYBpLS+0cc$o_3X_iv!1lS!mg@tR5Y;*!k7gRh3ylY$v_N5&KS!@cQQ-Fv6uUrGm0aJZ405Ic~!`)x7n7 zB4ZM>EbuPm?FkofvXHv--(y>YHkaNv7wOek-(T=nNjG!m4c<zsVeN#uP0E2wZ z{E(MguX`PZVg3nPt-=MS91EUw;6E??-bYGz2X)~-;ml0Z=v zF;sn+Z?YiJjG#;+g#h0Dcr30UdT!#T+Rd~(KtZ;WT!MVl`mjX1ed^w=Sqd%`bp{}L zoerZsx$_>N0HR+RXOFE)8WA8mgDQhy4aWs>6;x|(E4HqlJ zG8>vS#e22Q$F~cM2r$;g*hvPT-~+Znm{2*1N&1BTU8;;*psyyaP|VRS&{%?vo5Xdx zt|JqOz~5`~_F%Q8e_CUH_^{Ip(cK+3AJsK)SM^+c*=#t18;8SiyAM_zn(dyz$hqG% z$Q&*<_$ltAl`;`a36(xtqjoHYr6oEf;~$S}4BH}}Ok~URbxYmACI23o*jjta2dYIz zbmQVK#MlLmjvg-iJ))wk&&aD-4tT*+--#AvN_t>ag_>HSp)l?v=FSM^Dn9tR0acgw z6iuHU=W31cU{FXrnAy#1sR-~ld*82A(e3h#waXZ(Q$n_f{pGeX*WTd1wd2fZVC6W1 zXQA9B);UMAGYQVV6NQsFb*$FT+bk|T7F6Ri@cZ{u;>v+&nm~m-jBb++;`9dR;%d#W z2-iTBZQ=#5A8t;fa`TqiK$hOU*XY9p(aOlj0*?)n?QN`bYjB)(M2Memam#PZv&M7M zmG)y3Zoin1G2k&D{#lq#0eZ#PmKBeeK;-=R`KQP@7I1Dw6UdVSF=AEC|L`A zn5tUpgbgwJyUzd_1=CcKi*8ypp3!cNlV%W5YXC?c|2@VH-eab$oAbl;{UHyQ{j;1X zdJ;hm8KPegoIe0zw}RljxtAw}v@?oh&!NZTY8ITcOcd{Y9W}Su+GMhy{=vIfjsGzqfY~st&`j(Ya&0 zssF=f%v!=d+1a!**S}2Xq21Ei8Dpz2_idk0%)fRqBM=jW#+!DArM9o+M?tM90HF4i z*aWGLHcO@5fiDEe4+dEamIG4GZ6b zf{&iIcI=M@YKV5>+j0U24ki(1tDkrb)2lRJiQARD%c4y3G=o6?aW$AiTp8UKFNBg> zKJ~uA{rU@xMrj(h`wl|1;afsZ_pYyYy*~o9md$5H@g^cK{;kd&1xSwLrk-JM>8=gD zWDqtfym+VGl%_uZs4Dgmn74#AxA?l}7e7*|{_)OlhS>A5sCm!lPi9{tw?jIwQv64EqGuf% zUp>cjzTD4&8h$%3SWgKkAM1}=ygf!)p4$rP>Jfn-%l#+T`*YO)LODRK*VYV{NkRAC ztwbhidc5d`Yi>`$x z@wUtf&@X!?30u{L3;r7093qEla-8TUVHHh`4F$l*_VyMcqkeMJROVL-X+kOZFkvbTr% z2d_d~^&QDLn3Cll0K@RLCf_uLI-gF9Um_M;^uQyx?e=9!OtlP|PlaBDx&HY6YCRxL z07GvjSA4LO&0!r4a{sTH|ARsPi!E18h!ZhBD!7-hZ7NJ;b=NX0G(A<2oAV<+A!2Z( z1!iHGyby0a53|Vg;RT`}MiOE_a?@ho3%m3??B@oKkW9CY_OPiyd>sG$wA=ssY0fEe zzuRV3nzABbv=0cIn{B|o2C9DVrQ>0PAd+DPgIcKAQ@oMKiiN^OJUTiRG8v_k$qHJ2 zM37pd|KnSMP6_z9W^l}!?rKa(`@;g_Y!SkHnPd}3y;wI<-k#DKTyfC@D1N5sI2gMF z%xo6vCZEvMcjH}pV=zMVZpcB&Nx^3@mJ#do1G`{JLUW>T_||%@p8M@hkn*bk>r~?@ z3t@3HNUn+r&EH6lOv#@G*R-=%?qUX1%T3?7S+O55QGk+ZGk-0PP<7cbvsua}QmO2z zO!`EBRdn7wM?vVE-fxCi>15%F0Gu=wsXq7*I7wd^JEutg`e!EEKWHe*u!DLo0`(w# zQeT4sXBa$jPX_Usx5P1I0~ubADx}SvC4-w!J4c)#5=kT_XRB<`5(n+2;60g zo<5hH;X#TR;Oz^%cK(iqW1Fei-tmrz@5* z@WHqMH-v3}KNvFfysSz6eO7iezTIc5-{=p43>x7sXVOO5%4vb@S+?OcTj z8c+?!u3652C#dnpdeC3G4F{w2Uf!{52BJS=AQ`q{1@l-CWpJ5f6`1ZE6H|3nl=0m2 zMi8xdya~3Vhuw!z|5JDPd&b}=lQQUfTfMJF5v}N--^~6GEegPLiFFpO0Wx<@Je9sB zWLK6uGmX^6^lDWIq-or#*~u(WgF+%O{&g4t)2QZ@!t(@B-%VjHMa4&foIpf#Bgo`D zkeAz37vm@v6RO(V52k^PPoz^m)Em`E0dSu*fcuE>mKGWp3#@hDO+?(EedPaCjspj> z07aRfe+{$wo2xNE`}=)4dt>wA0j$;pw4!7!+z9nN(Y!nf@nb!i1b0TOu>ercDovNa z7d>Y^V+j^Z);b-oGi3Y=<&A;h-jRLlUoh`pUXz6(zKEE>`~*4#(9%H2{_oWX$cP;w zSb)I=^5xP0pmjc$^TPIrWvw^W&&H8+08dveYrxRjd$W=S<~<1mP>yD;>f?4EF*FIJ zl3Ta`du#kCt@gqwFAfZEvUt2t_GjlYQRy6J_7H~8zKL#g_Zij76#&Um%!k9hHOnM1 z7skl?%b>c+eCAS$WFuBf-88KB#2Y-P;g|#s69wIQ8KGQpBri zgdFU+7l07+m9fncX=R`%Gq*MRx~ed9F0OeE&=;#JDG_H3t+zk`tHV4(EjI8{ql@z) zM~c(Ep$MYJHHP+Ioy1i+q10!xin&=xD|ASC&{t+~uTVww|2Z3NP|({vFMag^0EM#2 z88|xUYY^X|!ios^4RyT^u9i@Ch2Cp0P}@6X6i5?jx(RV5RG()D!cx^>ljRz%uiL%s z13(FO62w-Tvelz;Ji*-9APiyeA;*D~bN}D}(CT$M$<&%EAt6{4#qV8%6Q%8Mfd4KG z-vyP%gzN`ahB}|~QqELt$lCdj7-Kpz>n1vJuG$M+1eVZQ;SW7 zDYez(v;!ktjU86sf?EgCAWTF}k|6Jq`d?00b{Z8wEBJ|e`n792<}9eB%9oubrdd2% zeMAz!BXYvaS~3C)>>2;**UkHEpT!PX+mR^6rbg za0mS!p<56w64wv__J{s2BOaF*sIkT~*xislCqBt8kH=k7elIeKA-S`32d52uSL{)$ zSO^m8@al(+affdRM!HtZ>smWEARrRA@yE%BG+Ew2+_|al%t5d zvvffuTa;T{$0rV`cBxqZ#}WZ)si2x?dvj)d9}vq({80>vZ!eOKHQ$$t=CdH&=KKww z=<9t98(8#HS|~!iHF40nuoe`5!>G6Y|N9iG z;IMqWk4=sqvpXLd;9gsR>|^YBbA`l9tR$k**IQe%wMRWz0o>(BAh3G;x4!Zx=FUj1 z*@A~g>0zi|_}(kLEi@IsH&m6fkAPzcQ%YNL#dtP}k z3=o7{KZ#KQ>_5FEe|~kJNfEE4&vu2vtIXDpVu_N|&hitei1J+_!M&ZAZIVNs^>o1# zXXk~mX@!z!wQzZpubZyJWDujY|N9N-L{dS_*kL(50#hgdE%0TtB1DVEm0O!8KQX zHD&!t^Rx_?e3r40M$x7Z-`cPn(B`%78T%D)#}0#2+kpdX`K%=T;D$=%TGjjv5ClQ# z%u-5kMNyXgvYNJVN^R;;tQZ2Ry7kX(7&BeHs%h}UWYb0cGXO!M0@=YCaS{@3TkzY@ zHrEZyXaM@naX#Bz@O}dBIUk2xa|1lT2okuJhIfa6^k>U-lO(f+MfO%*c3nQCMNe<5 z1C=Az#;X|U>J=i&3am|;*hMub7BT{Asw>9jIZC^{5dJ2?DYqa)_juQHM34MUGSCsuyL2ouo`Ew>- znI!pHfvF=zlUe9|45x8Mi>7HjZAh`7zwgB=aLhTnt^L11g||9qxUM;rIaU6NbwWL7 zj#CSYm-F`>00cmsa%4pOVM_n5=lOYKKl(}&mgdn&Ev5FH)bs)|^p)D(8!`Ty+XUCI z*`_&;9-tThHEGVE#;0959@(0H4JXx$uTWNU|8XMk)kf=AW+iq}?NQInGo|_h9L{Zt zd4l0o(&)(t|GD3l&O+5`n0Zcej6oM3VyTBNRXZM!`vUw2DnBV+gj3zP0oF{CfTrYg zU;NRi8|qkJUKwdG?pRX69*FfH|Cf;pvTwHMOt;h?4*iTgkKHi&8{ho33vc#e7PQTI zUzm?H787kOzJ2_V(u~a2elP5;!j1&nGU@)*Ttz)bPs;r2c;%vp@VeWqm&(NFr8VUnyK0ZRAr@&*r)CeU{Lk}ltam#HW~6#FL})7h5gi`u262MpuW}S@l)t^ ziFArXytvKd1(#98HRxIfXQ;G%2yWCL3MvXIX{eerSOg)KUSR_#2BaMR_o<_{La5oC zOoTT`fRL-vayO8r<~Z^AwA1p=-hRwxmp!!3HBW;{w(NJEXY?*lW>7(Yam4^8;?ghtHD$HHV>93eXyi_plqqCRqB7`n^-l3EDF zAEy88kAV;u@8{HYL0^sU3q@p6C0sjr3-=N8U~t&G3uimmiW9)rt4_!jnE)M$y+X2F z#YpL^b`VWvy9Eh^4n+mehKl(Y2XME|4JYn9o#O0&!v5L} zIc!}kv0J(gnUneJ1+>d3$)<`%kZJJd*(m;#80tta9*x!l`%S5=9i0Y`pI?|sFyns$ zFAzFY>$)2&z^z}{t2Ljwg+$)p zSdphmSM;)M)Ni8GtS*)}CI(!WYL7maea)>FafLYk_3{6()&Fx&J2ju<@;igS6Bd5F z-6XM<(>Z2L-@E-JmDRytSoKvO9+#1xs&dsW)wnpEQnB1(bGKMU&(#Ry8ihiL840Jg z=vd!xtMEh<7*#9pImh&m?x~C7&JxRhnx+Tu&iNF0J#W0<{MnaV|6ZX#*@6JZKUQ~2 zT>QRqh~WL(F~k*$hryqzo;mT_JPJ*X=ju{As^qkM>$#Y5cgBD4v=P6navbjXXi zi@lnt$D3P$aVJa|1nHioO00#`vbvPDHZpUkCWZeGTYupeRTu7$!(*WW7pRngfV6aj zv@!zH-QC?G3@Hc*2uPQJbT>n%baxF10@4f!3@!Luqt7|-`Cixi7womy-s@g>d_qUp z^HZE(8d@6W_6;jeOBKT207SztCoopMG}J{=3uygbgG8t8aC z*(WhFo>3x7LqJ(?s&nP{$Ww=boWvE{_GU2EcWuBl<5&E5e2{nx*NlJ~^m_CI!GpMB z3Xp~W*H8JEphSZPBW1XGzBOT0X0Ue-xWAmhb@NE8Dg<*%-`b@x?S6M}d8fbAXiT4= zplNqNB>ziln``r+9%R&;ip8DI;BICDnv<2}BUlXoX;H6s%sEq#T>d4lvUb+GoZk>$ z>p<%5ihI~&P&8qKg5q~^G=S#L-q_{Df`LxW*>*^C^RFj4a|eEO*y{8E-ONzz1Q^A9 z%f5DtqOJ7MHbADR`(phD0@1|y*Zun&g1DcDyHZw*J4+wPjcIY#b>vVzjnE|rgFRCP5|`k<~{?< z_)(td#zTX3xm$C$!Bf04@(;==mc6e|5N#2twDBn18#9W2n?FiptU4Z`HwXGiJH@W9 zsK65;U-ZJrtEZveM&tM|PD}+^ggkyLUTzOn)WD{2bJM#&Y^57%P1w3KL;Sh^hADF( z#(LRC8*Dfl_vmr0W0o=r4#UVdP#)Vc@U;wV+{er^nrYLt-n0k}vk=B6pZ$FDklzi- zUdjBF0V!i8Bb?T1_q6QL^8r=j=sC&W(9JE%F2fW;e&@)Dv+NuO9w=9f_IT5MJ|F zJYpZx?(t((GVIcwa~JtO&xqnCJ+7Y`iT`|8v%8984Z{`hD0j5edMMr2sQ2*h8tHnG z^lt~5jky}c291ktbJYA*7ShMn^s08L_5Up1TLr?K)(YDK4NPqm|3(HIANV?6iQrdK zxS9%aKMiw>54E^sl?&abC*>$Abh;k}QWGY_KwwCw)==&Jske;8Wc0_l%v|DcVvI6- z?na^%fN*~S98u62Oe1RSYYd8Uu->sF^EHOFaQUOE&HG1`3G*x^GDzKrR9`WnCOyMc z`*xq-RAV*K0MLG$Qw7aA%qYG}_=BNl>R=x~?^16}A#HqZtp1g`Yc+eDc+f4Jxd$h&CaHn=zhivim;Mk z%n9gq-KxGp=w$izou@*uhq1_+)+rqfF)ql|znOrk9?Y`o`I8Ts-J6Kdq6b_hB$P7~ zxT-rYMBCxAa)-b9D)Pj3IH+7-mSQl1tB^;AbzdVUjc}Vb{Xts!|Wrr z@XLBudYK58=O}>L>6Ew&@s9^&hXOV1ZPH7Nw&0#QE)NvUA#G_n?6HN4dTV96Re29n zXD#%dy3#HG@Bfn3Xt(W5N^9m_r@sD23=QYHyAQ2pNEqmZ@7j%EU|zgcQ8Sa>wEDI% z#e|>8)rH!&ALUq6|CJbLT3Dz%TVroU`$lzxv}mQG(Tf4CU5!tLx`Y_aLIWd#8$uuBvo5($Yt&X>9;tGPq9g@g9mh2u(id^ z6bWQQBGCVh32-i{R=91zKjDiR!EH6Sr8RUPyDS5zvd2te*1M>uxNGsE!3qvxzyG&C zLZX#Ot}T7w>Au1NxDxEsQ-o4q%}9JULMV&l%!A{8w z^$+Y-i;xnLBgnGF?5%!-ua7@Pd)ScUqLn4l%T6#z$ltBiD0krO?&6$OMKBqcK)J6L z^@}LD!v%YHX0+92zEFrK-P*ET0PdKhAz zlja)v(l8(_i83u;yY!1J%ic67Q}XASg5;`(B!LoMr5CDvmd>_N zhHWRv^S|BKujo%3eiNdhgYQX-@OJu@dk$R3%4M!oRI6hZ+5~^=U%x!$>~T#e*d`=0 z&hU=IXc_P!upM2Ho@!Rgw{RPLIfWn$FI2q`uLo72+*aZ(!PMD%~FR#@IA4KuG1-gt<*! zz<{Lu@XCL*ib;cPsX6-EfwdRR(l&{T3@lRpb&mjS5J}+cs!;|+5`$*_Tpb--TvCjo z>|Y&jjSYMZr1wbgE7@LA8_@@Scy};qypSDMZRTP8)Pk+q1g8ZXz~FN0e>MR0PUg=$ z2Alv3jbX)For;;vNW)r6PRCpNh^zispD6EfT4#@4Gh>Nqx!3rCs}-%O+NndeT9m3F(wB@F$bg_hg0@1HKU%gQMi0U z_TB#WzLs#dmm>PRRHuA=w;_6xlLb1lOI1r{-bJ3VH5N{o%o;`4?G(rNsL8&MBwdRb zh1=T=%a`J}6c9N6MDWnLJ+u)qT7%1)M%ROZ%HMWR#E=&5wBt9JVcK~qftJcMVv1nG z=4!>RF^U~4oc%=u+D)dkx44w{_P^@mw^e%tn123{i(U zB)G4mXD5MjuuK%d@e8mV!BsK2SP}k)2^+elh6YeE{7qz4ANgI^;V^t(^5b# zG$<07An2dc*j6gK+-`#%E2qp~+(LiqSR+^gKmL6AWUvpB+BNsEr*T@2y=_s5I+etF zw(Vx4+Qd@iMSxPJB-!VZKn4|=X`O|tmz~Chxdi0P9^FHp(YFj+{>xU%yc-%1YCd>( zIwUT+5*0^Dpu~!hKZf_s;(1rZ4mq3s_)1(ZrZQ$Z6PGfOaj=jGrtpNktav9uGcz*z z4RRDii@L~8?gyByq|=sGqP9p3M((dszuPtBxaR&XJhNYWXxiBwD!Qy z9}q275P`_UQE0zly5l8fTDkVqn`cu;Q>8~B9C8Eb+*dsjLC?!whc?qgjUeVG*jtSR zcb+~+caS9<0xFFi-o$3GZdLhG^VBiOc$5h^pZxYV~JHg}xrCk}p#Id(~F*$A8{%0yasUa$=<(UTnC z%QlXB$2jeTrGm9Qf&7i#mSLgc5!1ueQ~O<63?Fj)-_Hct{P%u++)cwISnPtdS44YN z#0lw$dB58}5COa?*tgm7 z-&xK=hch1}D^K_ja~QBQo^Da%q$Dmi57H4{G9>O*`lR!Qe~!^81Fcy;xd(gW!x@O4 z+NlI{)9oO;k9(MWyfc~8%h9jlEpyuk^(YgSF|y2UclCvP)>a{%_yVNoO>LnfoS^Cc zFOwRB8qs~kO;XQgzGgA5{m`al`{nx1M!in}Tl*qdh>CcXv&Z^KzP28IRbO!5q%G<4 z^R5v0)f4q{Rg8t-wDD0@A5QO}x>~8-<=ML;W{%HJt-&0j8pz?X{N_sKoW1|~#`iMB z`#$Ts*x{w&qY;#;9_~rMOI5$}?}GsFdONTJW-)RWDb#3r(|9+g1EG)@hwhU zk?|`AY9~!^Een<6PW%Z1dxw&n!r!Ef2um=7ywmh{XX<0&d}&*rhdb|s(M_RFja&b< z4$%XXYOyaJ(*3i^)Z|XTOf8bwt%WiZb`i*1b1=|CvPCTHRo1hF#ow1x`I_`-K1)LDV*#7_ zctJ=?mpVdwn|A!~yI5LHX3Gr^6_?10L*9 zO`Kus@ydkfm53UV+RZeVacI3S@4fA=p-K6l1}Arip>aJ`iW3s%`LR4o@TKQ^L$FXC z$lU9H_dgJ8AU3|oAt+-pf_adxaT8FveXciVE03Xh3$)xo!c8u^RW2ZKX{4F@bte9j zzpd|zF``>L`^i`B?P{lb+beOX?{_1tX`6rp(N-OrUVu;4%B$B6uE$W4?1;d&MRjQJ4Jr_{=K0I!-2vq8T12}N-%b^#=* zwT~q?ZVrVFB&uDL*5jS-<4z1R8ZUt~aovR}h2s;Wh7bpl*(lj*K{a?^J#(h>LEyj3fbCPZ=N zcINgJcLA5qz@+&KQT|U-ciy)|El`KewJ%|@4~jFpwV*Q#(` z{k5;72qVo7m~sT}-E3 zsJxzF)%yY@`jU$PSb|V35!7hwj#nBh{$L;ZR_3J=@JYH*{f&dwhS@o7M?P6kla7dk zpIbdQm8o@9V)>8~-0IG|bz%#WiYg#B_$Lz2FTdL7S7xp3sI*J%MZgeV7 zMBnB7_X=o~D>vvh#14V~94y#7;d@KVVBo@@4}$qI;zMIr_!sld@{A3DwwnecU*e*9#e?f^(jG;Yp+yv*Fnw7U8n(i_RY zm3aa^iySyMakD!4T&IuPvmM)=hxn730x>g4qKl?fV#E)yxLnbTItQkL_`b(A1mgDhfN#iVlank~x=Ri@j5FIEB5jWWPwsNuC-uke@U#<~zdJjG zb61oJZaOCxk!(nKNEkT4uLjPqo?#A{gRGu#lNQkqg4*9P@x})HX7M(z*4Hpj9k#@F!f(1^8jcRj}qA1(Fr4WVmS{oQ31#+fc5`x z+XJ~CUlaqfHt7sq*IU@^%X*=-S=gYA&x|PJW6sOkeEhPgm*xSqVz-wblHLJa?KMy? zan7#d$z>G1@JA!#hZsud5pfo*`fim#qm`SjjYM4<{-o|@y>G$L_Z%Y*x+$uM=DT5N zj~*Tm*)>3M*WawUag8?}Rt_A&x@Bmgl?*(b)=|hhsZmTBBS`}amz(o>%#Xg9_gD{97?5b!cjQ(ZVX_2x8A2n0SGYVK919I|=4osR zc_FM{7Pk*qiuKD*2II-7rlCF+rAAgJ8Ew8wU$v~{-l5YeV{8&Z;Z2%I)IvvOL0QK@R1Og(@<2g)7^>F=UHe8k{z zt&|mZjeeWui+W_h;4pcSu68o!>Q2XLy-6!Pm6AL!;$_$W!ze-qRv>o)kWIfJHHHJ` zCgpU938#QjZ zXg)QODVlzyo@|F#i@D%=X!&hy^=_yE^#_>%Bew+%i;u$_Jb$%pkAuBwzGEZ~%Q8m1 z^a!|7Is9todU)`2*)e{O4vMmFK0Qc)Kz7ZZ2v3E_z&<#N;pKy&^2D2VNqPlUl|gkP zyYks>adgTHC(k8FjPsN8d&bo(FRW@oFGC4Ns19mlFXV3HP?_lA>gjfA?0g%zP^?u8 zWFV5XCq*(-4_q7ZsLVqwpi9bvIZ8cB#fa zKQ2wpGvUsvkL3uPw8>3+pXX+UllP*D`-MwC=KEwc8YwV9h6w*Ahy0USA;B-YN3wGU z%mf{*@Sc61SWgQX&HTxR?WV~{;YKy0)FiwLFQhWjj-Qsa* z;NW~rBAo}vYY{AK4VY>7u>9zYzUbB#kAUsdS@F^K&d^ zca=r0Kb8_pOz)gZnth*$`*tTQP)4La43Q>be#~{|vx6a&3t@Kwgb=dBjjpDljiGVf zSF2Ltiq8A}jxGCG2+f6`sQnthlT{sZ%K zowG7eSB0f>RP#sX@{_U%s}cvMUE9YUD;yP{M^TjHH^a~a+ehg=wt5B>fe4yZtvH!52NzpDA243uXzwzKgTjt)O}~?+_%% zw*?UWLsmnHsdRINKV+Qe`X@#t1`|}Q)&vz6wlL(|2-H=kb_ms%+m^X>D@(ig1hi>X zpMCj3W8Fx(ExM-YE-<~P&wz-CWS}^vf!kTW?Z6VQM$6}J$(Tum6A=P}!;3s~|KMu^X z)A}9m#Q$!5txZ5786@Q7>5a-gVEGPV*03Ue%)xx_n%A1!E$2<@vWOs}d|aZ-+jw#|A@BZ^a0&d{ob+CAcadi^!-5Bd0ZA;a6%zEB80}9ibV+w(WzJ<`VzQ zgZX=h5~u%uu8PONH{)d9N_}m{?rvaWcNylU-F>SEWN>EahmQa{ayJ5v+JJm1hvI%G zk-qTKVLv+tD6#~~xvvWVSKMexO&xH{P)94GPE)}*Rk^>MbVnn&tY#+{*KJR>HN|{y z9J76%TN=PaOOx`rEu#*wT0BVueka<0#azvvy`Njjw}jOjNWaAY4k?sGCV(qkLuB!g zR-Fh_L1xo>VT&+=NhW2WWQDOU2}FffVW1Q);$bI~O>yW=ghDuZy6V<=LCG$t7mDvn~a3642!J`>2&N(QW7Fk(W!mbB|&KlWq6)EGOGZO44^0W{j%}-CFo%30W;6Syj1ykHP_D7)QKG~gtQCb!&nT7VO#8b zA=RRu+mq%=$)q5nrTrVUSF6AZ`on#qN>=%mfmX?tvy7m_UpWv}a9MRDG#se6bOF|! zz#}~OXB~mJSB3$fr6UY9aFixe#n$C2X=KKJ)Kp}Px`2_|kL}q&=x8jeh%&=b55YvB zO~wVn$ZYoW`{hfk$0kYG-#HtZn`Ar6B^VfM4^(FBg#VIgI+LPuEJYKLviYP;t@*sq z%~&DrzyD1mEb>u`u|!uf!_=lNYEPEjsg?>VPUGiE&;oWdco$D0jOY)@ISC4zU1Xrh z(>LvpE-ZUHI^1H9<34lMUO&2%$9U@kw3;#kcrbC)0&d-8ORp$-A_JjB8B?7ccnY&^ z+-J{Syeb`rcGMEGqA$0qULHNT*HT|ag1#O9I|nIlRTFkuM{t8BUw~%)1~60coN3Ob z-i&rNhX4vP7&Jc|i^%65O8@{<^Cr0n4w)JkpJGvr^`JAR`}DWUuF{PnjT_{~e4p#A z5th!BA+}1oL8$@x2h;-4+uPuR0q>EbXK|&hBt!ke>E>65e`ZDxpkz41kU#ob4U1fF z0Jb;(F6nQ_*IKdNaSF?R-sl1@punOd(}ZqG$1UvfWJ}>0xcq6S#Q*D_&22*c*RcZ1ksyPlC0^I+dmO zM`=a;SNV&#pJaPu)C2~%GxMg^KcQJ%5SPFC{{KqR{b0FllL$7g&B8sH(y1%oN<s+4D3JO!JEr3qkA-fcwGx) z4k6h#kKD!9%(&e}A8yULE|C7WWaChc?C`Xeh81LF%d3zi-TfVZHEfnRmn9x6P#=c$E}b9id0D1l*G0E+sUs$e+J9B5FEYxuui0jSd4N zqSHA)8{~4}Ib<{$xHp&^2B=!F z)n4+9Lr4GkUP``q61G;@XRWgzKP~~qk#N=u`1a^*ked_LbaNB~t|ofa?4uzf*hnN* z{e8w_>SjuA8f<$%_Q@CkBu&1M8Fb%05p2p)zB>tP1@zN}AsDY2*T?F4l5CKP$(8B- zq*A!f4_Da9&u}oS2fx(B3MdAH|DSb+ohb4vUylHhSG@-~!*qjk{WDe1sIe}wLUMUA zpIGS4dVzkAX6`XfPNnef9;m(zY}}ncs>k7SS!>lu-%!4_*^?xo(DCub5uyhF;%1)>c)!x>Vsa@`5B$ zx=ccu7}KxYE4kDcj{!C)hQ^xTfvKAt{+=O_g)#wb;GbSxKaHiDR%Ua}Z1To}ylKEe zf&T-!|K(}z;WPargy#HQ70bk$SOSyMCwB`$L!;F_XTa2%Q*G<#r?xRMlF6@wC5>mG zZy>!100r=V)6CA+!}v|9&nDqnB&?pGW>0#I!=w56BKX%(2l#ir>ho9BF$BF>^!jv) zC5!GAABx%K9Z0L_Wz)DrzZ)24Hwu6l3;(Mg_p)<;j*62Q|$v5N}W@-6^i zP>Tw+XgmaP`3~OsNlj=J(wy?&GW36#H20Q_)mQ#2%MwPgfoIR%h|$5I34PYzCv^s@ zBUs;Ig-l2-#4dcIt@!~}i9Qc!xm8gsT$cb}LJgvlR_5B*+@sL!v+p|}xJsN?j`>r6 zS6BO+_~fJUATPtNZ-&ivls0W8vX*SZLYEixltQAJb*&2DEAsInydNWGfZWvYeDo0n za@MJ^r;P92$&o!JuW;?+n4zTLF7{_JkwhsT(sd0!BH0~eCIASx7?b-O{;=WtT!>>N zIc7#S&JkK;NFx9QpcA{?4IBvA3lfJ)@|~wR7uxB;wB~Nbs0TNOMZ;=1OlsS`B#Ld$ zuN=2Lscsjw&cC#2GX2>#iYH!fTG}Qw+^ZAqL`rrFgcT9U#FdhTiI!b>3~%=Tu2&A| z8Y0SLDAZRszW9_~N~H?Gq_R2C^N9))v{3FCozj#0XW3qKSA>KQg|{4XEBM@s3gITH z9#X019_0?+X97&!tvBVfXrRJ)=OQtI>EA+JH9L?f*6JFKxG)r z_L)QFqCi*Ay}`kt$X(m`)w&|B92aTUbDp^|?@b_jI`Mog8qeX2mqpOnz_9f)*E1?% znGhlN*3p=2V;3_XQ~0$p;?t#wTVRGVWDdXf6|Ne%lGi}SDzkq-`{m0{RZ(=plY|TU zOv{CW8>tsRe7#R|I;>UIanr1=Ti9_6oJiS+?w%40f=*3*h+AmVO-1uENBz}kWjEGf4R2mQa zRw!jz?EyHV`*OnqiW5<7D#rdvyEbFB$WpO`jE7>bnFEfv<)~Yl`4W4-e{0rb^+y^731M6I^ zPz3Q})bf47QgVUmDVR|e!a6vx@KqlM1Wc*1V@0m}OWtBaDjN30+~OmsRdvzh;VI4+ z`8IXWAcjq73s|LcNwYWMPwn2hn`eb!ruBGr@S#);3edzph^Al~u&0a7zohmtHPtQ5 zkWZHK7G6N|Yr=xca9G) zI$u@PwWyHC8DN%DDhI-Hk?KLDnbQ_C_DkLsIT9x1;*dGlG3dMZ3D^Cn`TpRl_$Ij_ zS!WS_8;$=7H`L(-NSKQd12N^ z6cogb&j*1Ti1eJUu&UnELnpAQ=pPmJ90*<7=tmW15MnW)lPBj)Uc#U7Zo?GVobe~N zeFot^S~RxcW8hgLux821M^WT4{7JdAN}Lm!BV7KBSqXsvXAD=fp^o4<5EiD29vz<# z=a_rf~8Ni=f`pzK_OKU`*}g`Bggii2Ic1$OCjt{?TN zttTWh<&7qP7riy##t?1wi6kwJOMBH9y$9ua9>LI&@L|Gj@Zf=uLGzVESFz;kp1S~q z1p!C%TuxhSBHsfZt6umT_Tsd>%V*$-d+7`n!Qlk&VZsfGb55`Wytqd^KR22wYW9413b@v}3&KU>uoNK44V z=0!}D!{!XLi*ME9boA-F49Tmoad-Y!yNvd=-mm8C%o}4!LL7t-l-&BO^XW;YpKnG{ z^o&Fx?D#f_n(E~tDNi@28~6JC#or)^50zDvl&N1$4tB2%GA4o3OuX1nXfne3tnPXB zz*t~f;lNjcG1@ahRsGcR{PA*MEoS%W3{;YXru1`c2;?|Z1$US+)Ll8Z1sxif{f%&~ zx9CmJt%RD5tT3Moc5P#2nfegkm^NW@HYtAY#^GQtT`?XwC<$}UV}cNDc;ekMj0anB z-*!^1i>pQTJk{c}x(eF_juZX$sWz8{UYjC|nPZklLq*Msdfw-Fvua=0m(9XR7wk!) zE1`y1vf71tq4^1;v{XZFMCIZ<$gxy_0x3&l+Zjkur`QNBbVtHfK0N^uM;g31>zzTr zg({g-^vUu4J+_(%#})49o=mG_*kHEUw7ju3Ti^oDARmBMF31X3t+#CszvV=nb$d@4 zZS@YQp9+-JJO+NLe!ZqNfU@fcew|T|qPDxG1r3VQ=VQcYU|1Sx4GSH8G>lJ$ zhRNFYdk(%z2Y_shaS_sc00_&Ri;Z$QbGXk>rsg<_Xslen!6wq5Q!aJ4>S@_3aah)* zHD>aqD$&RUbL*HAQwDKI0YNThHA8Bi`g;unoGdmYKfe-%5QpAM>C*_A9AtS|jiBR# zZx7}#{rL4&eW;dpK%~sL-M{~KJ7EQSXHqfDoK3T`r<^KCQ;N}JyZ&C zKe-|BwRpv^yTAtI-gjt6)9eVhWvo-wC<$Ud*>9(QdjlIDSC|wz;waK@A5I@FN>1Rg zI`n+%(1;&iRs!zX^})F4?mx5!5Vv94;0^Yc+?XhP-oXZee6q;-TMD=w zEd!Y{vRI_-ASvManp+T(1CYtG-$O!fEv?wG>U$A+Cg>r~hh}huyBMdBP&x7)th2A= z?Mzm`*3=|Pr^c}ctRJ1s` zd0|&mB8;4?=bb%05X#ZNat5+{SkypQFa}VTcM_SQxN`93j%xPfDjo@@_*d}vh350V z_^~{JjAx+rA=hIQU_}yXEnr0w(p0bbuqCLL*|$(eJ-MSXIPX{RLJr9~yOUz0^gT1u zvzx;fR|$Q;+1v^#mM`uM6ju9-+$Uv)3kW*hBv#vchNYxiDj5DOhQOh&|KqADP{NS$ z(wR>x!c@()dFcFwa6upys5#h7zl#ism-Q9sa5O72MM*_rq!bt+BkdYoY zq0HKd$g=>kY{NE${1Pk_lU+40443Dz;|dUdh^kX{nY75poWwQ>T~A}OnlOHM+DT*@xK^PSlfIlcTS> zX?#lGB_R~G-^Y+^!-VoCpenJpAGyOO+2m=}>p0oM@0@5?TU8Ner?gzD3==_k!+|-l zg}ndd8uaC;8dHoWfjJGxZvx7ej8{XjCz|FZPiXiOw8Zn)#Ac zGnDk0)xFOv%;;-Fw~n;G8Hvu<@c!L1aolN}HfQ2*C-ne$gepm!9WMsrebSrZWdM`# z=%~=C+<9W>gZ_M*bw|aWjh7z7Xz{*(f@1$sdxwH|GDRqn;D&jfLuw#8CGF1oOfl+UeeqIeS3*Vnp-2 z^R)PXmKr)tYJUlg*baXPfBjG`fSi%n<_fgju&EqU9%(L|rLFzoDc{YU$=7ThSO*6k z3y?zBNzVuFO1Jj2-C211#jS=(Ls>z=? zRhwSP zqIy5ki&j<03-eURg~wI}3#b^#Pnn!3&+lOWO(;jdpb{ir0`HGYARs;SwYvB@n|7CF zHl$8SxMnJISRS*?CQ|Eiq|zy6J0;alJ*4JZgi&1*?gPTmv8g9eczmzipTI@1l{wh% zI_lVJw#)`;KmCi>XSVZ}{@N1zW~(*UX=pkp7e02Kwiu!@AsLQxkWQz zB7wAzpXfDp($C(LhrVjKCrUu+<7pn61#(ARrLgkg8EHQ8%QPn5y5Y{{rW=}VTp*I@$db_vlb!s^32UPtUZY)Ln z#9do>N>|UXZ_7Dz$fn)hepeAz(dOGH)%1?~L{W!WN13>Le~?Nk_gXSuv`@7QmmISqC9vdziq@)YiD1Hm*!iEWtP`&o4pQ~($&rR8E*q`!8rsw zcd7K5nqGFxn(7A_^rR@ha8WJfD`jQmIx>S!cAjw=Mn+85;2=NEx&z0GH|8rcDJji5 zm_S$!o+xk+l0+|4idOlQIeDl4i}abWtMgFjFr7MQ6!z>xhPJGk7`T z71Z`MY{5)h$3S>WW^%RGvpm>*Ywp?H z)Azh^W<869htFRJnBKYlR`VkI_aAY0kGMWMP?r+V{bcWQQ~t9NhAY#5+!{?i1LNiCvoAJlmN> z88Yn`O8sXGL3xHMTzBHE`wg(CpxOSrjivhZ$I|=qW~^a)$f9*j$W{9*VU*BYtA3~J zt)631{kO`f9wkv0{TL5gy|ms=EY~t9EEyg zR_ZRQqnW$2n(Rwvazf6rAcCEaKnZiLY_Q-C!Y0?ljd*0F;BdP-!^Lg{N*$h-+NnHs zR7UZgJwxM4D0iNKpk+z(PpCeF3QyM6xROvrSbk|>uL(6vl7QKKkb}N&#EUSyOq)_C zY~y7EE!S%W@hZys0})_ERzb=<4dv@;!gUZ{-YeR6{avKHgrG^^>M!KhVI+fzo;1{8 zb6=J^l~xqIMKp;N`d<0EEzic$6`M(sMNyV^`AT2yKass8p3Ve{Oa5mJZ1Wm?u`)EX_=CrtPL@hgWy=BG1caI5u zR0^W~8f)w1Ger1BS{*3HF|VGLeWPt*P?xE+UwafPLxr_2SK#AxRoudq8sU+tNS44V z*ff)4Gp?@9#5aMkBy?)qmBw>;_-9IEI8`bX*dFjNWQACp6nS$T>;7zh;mW}-M<*SIhK*!?TH03LqJf}0KZurV_uWDl2m zC(}zl{Hk!TgKII2x%^j0f2YUI@D-P+0X7-9-2`SfS={eEy}8^=EXxswp3>5F_Va{? zM3CyGYc_N)zRwv5U8L|TR@UhX4lgRmQ%9Amo@5VhzYVLXDOXGXBH6pL0`E#n2rZ_P zGRwD@Aq9v%V`*X+5kRmUzqw)(D<%kch#zGsSVsY1Qct3gfVPeErIsK3R& zRaq#z9XH^rI)ukm2m29>v>NAosu!Jexna~)V+(l-JU=QwU(Lt6Nq#fV9sbbQob$Fo z8cBopF-fR05>_qiT{THpi&Ad(*;J=B7%uA6s+-s@(eWZX5fP-0dOi>kO83I#NyC^R zcZ~6i9Tk3yFnjSSwQ!QGFKjLfh*?IG?Rc#{JyIrZ@{`Gg(B0lJ(t>T-*J&odurLy;3^~z+HgjkYK-z6z<9=s%HmqaXENbO=Db&2NUrisV z{9fM0E&j4Fs6lSIjk_SOb{x|dzJ~?re2q(nMH|nv%&5?cI#|A;&akQdW;|}8D$7(x z1iVGa)!AL~@J@srP9 z@U2I()0v*MNE=#%9#$#k*#YuhEeDpg`l{VIB`ueGD==GBVE{m**73uo@ZBj2<7u;y1D)Yn*Zo49NX7rdO`fj)DSAyc> zXr%P>vTkD0KuEh~E6avv12tHA~{v!(O?k@=G z@gFw6LxhL-kcSOUOp4#hZ}K4Dpe*inxNW`}J~2`57cq`5xKF8Tyql&igQUWe;#Jpf zXjI(IJM|?BNc-h0T)hmnY_5Lp%~0hRsb_k&h9gaU=z+N{5UxwL@WLBPxw1`nz&`$D zKyB;bT`>Hubmx-J$jgBk@@Yh5EAuE=UAVD1pVe3NN<}H_!fE~2PLFjjN`f+r95dzj z14zZ4y&Q6c8a1@R$cNOlIj7!5*bYix{mBHMrXzW+f zTZg8517Ff!&IHDW$dK{zDF_-O;hPVR${5vYQ%y9;5Uh0=wItST3UZTsEgLfpq=nv+ zDJIWeXtT-d+O(Eq4nvmN=OADS|zZ z&P4s@uXipHcOj=?K4Z{zXsL9fO0Db5vq%%s29uXMLmr(5sRmZ%b$uQX|6E&5+=#HB z^)Z%C^>^3bo$$(JKaZEMty)mwhzVCHG;6BrYjoc6d>5{rL)hy!(E|@-aBo7;6s=E$ z(qqA0hl!?Z8Ub~n6Zm!WD{A1Bvr6~o1`ftxWsl9TIVSdc^V!{!!>N94uhgYWW0lsw zg3ukTzYeaA?T$YTV7{z88?d3S+^uCi&x);Dl-Nu8$|8@Vh-WH%Nqro5t!Jao-EUtv zGqce9Q|9o+j5h-gVhICcc=I2M0~cLi`_EO7lK?5DA&vw_1h5j_b2?OND>isCxuBlY zGdIMi=}xfhx^i@W?pxUtCNG_Bt5y6`oz_dicyt1eR_A|F1q7tV@q{thA8+VhkQ9W7 z{8`RY_s)jJVy* zQ28QG4k_eQsVwQQKeOz_KvZeWp;@Ewz2qqKpa0<%Rq96}5FAjXMLQfFoc95s`gs1< zWB;7v^ec^oQB;<8zR#ZNx`#T-brLKv1CeI;N`>J#>bIF`n9OPu+N0LRaSc0fw2^DE zl1Q6))!TY7?lJG$?9xfn^a65BlF=z$NIT?4du?e zqAyu7Om4+6?9x6(QUMIZjYh|V?nH7%Cl!){!RXD`%Qd|HQ^vpYv{GgBH4C|dn+Wfz zxIML*q*;TByy)+psWM}zu_yNg?bh7?GwSy0-Z)Y8+cnU#Zz;GFDX6<-UTH3@3d}$3UUBW{D!tgt50SoVa`u30 zzE+M7-BF)dT2)E12!IbwUTmmGh`4&c;{bK9q%XB`pz%u!>=o3YU4THW#`B0yDY4-Y z7Z$k38B=wi;HMXA|O&ZoTv%JXx|A<}$3LF1LUT+;_FWey#XQWAS>LRB|>?FK2Y0&#r zQ*`aNC2JIKS$rnNf(s6t9uv>6AQF#oz%vML*v^c(7qXkl@z`e8F;qX#H)bGRoKd~h zYHO8S!`R9+m$^JCvtCAPB0hO0US+gNN0+I8xmEFUoVDa_)=sGsE?Jc^1QPpyC-4No zp)hi)Gwf*YrLOol6?yGMvPA6yk0I$F)>)O9W?gWM7{Pe5v(@9f4W5^ar|_6){bbiT zoyn)?^G_wf55ffu8CyO5PSH18PZ(}QvNp1abv5WPCM>dHs^|nWO~FNt<}qP>mjstF z7hnpijZIEZH}#%PJ;%%wU~uAPEcFbU_g+Wqlv4a3t&h{NJ=Zr{Jst{) zIAB?ZLuK5x2O`b!0?C$n6R)Bo?WOlWjhCATvZCa1a9HbxxV4yw=UJs|7fDLhX!p3S zTh~N{(1jwSFlxE&dUO9!I9F*n>OIU-`Gw22Q){F5jM?;Muzr7Ynb{e6n6&W~W<8O>35@g=^q4a(>h#iHS3iClwHEp63e@j8TRZ*#S*qMlW}C>>I{52^sLP7%SbO>s zcO_Xvr6uC(8vW@2B_;WYv>=5jErueekEif3i^d70_TYivx#$T{ zORIgeXDzh=RRMW%3UF>vizs;pvN!|p6Em{ewVBM2NI{hJ27y)vdC|1uwMv>3j|!h& zKw(iN?6Va&)GF2upGO5urRVOePe6ym8+nf8j&#tF>bX)e+b6^D?JS#SKSSpq3h0R9#yRDF>1 z&Qis(nqX>MQi=N$T!bk1`GDp0s*9RaE_{b`0;y`OPdv}*L~Iax9mi3>1gW66)yIvv z<&P^*F7f@?yZJIxxTeBwD{~E}#kwy3y~OOlQ|ZeDjDVlW3a8p@&`vIo-qiF$Ph{5w z(1N)7fREOC^^5ngdyl=%>PUg4*ci_#{}U!%1=rRU=8@tpTQFD$?yF3^g&~Yk+e7vc z*S^!X^JFbImSbw)Ec>CY)V`E{qkRjFafRHW6Y5#n?8t_#zPyEcbvNp3kCRKYt1h!w zv$MCuWRTKy0P5`pRviB={zc}9CTuJ9%tByZ85`BCN?0wQsCFlWl~rbzTO+r{*RuN) zYnl?Vlh4U-w@{1IBg@A+vNm5=n!gla*Mt1`%oKdWAfT@SQy{0%eivyTE@Z%Y z+RmC8CI-;3C1`*KSoaKwg>2ygi1JZirTQ!!T&rg`FE!}>u9p4&oOoW=XJ@B|Qfbvx zeAG)ywWAmbXRs45Vb#XR9QK#C-7B(D<90qQ^tZxZu}!X@xNukFiQg5bDIx;ncW_HK zs`irrYc||(#k1wMM!7N|NSJKBsKzn)!y2k+?#kl!#lsmd{_!ly+kI8{#p6-DpBvjQ zOmD4D^0PR8Rdaj-MFx7teB?@KG+1z9zmSBIs2cy70QvMlOtifReNg>djD5g7g4R{9 zc-AWI>V*lCaq-jqo%=lb`ia=Y8VosM*KfU$m{FkA5C$#cCYqvMNxmK+46HH78X{Fu ztef>&L5l$Te3lypwpu$GzLQzi%oI_oMdilXKsNDeShYWme0=-&ugR#!F~J5`$A<1b zUD{b?RVv49kp(Y+FQm&C$5kWAu)}`9B5x}5uAs4wRSMSGeD$mLyP19=2exD?VPvGe zJkY4K{~PhVx>aE>hA5Ez-rh$qJO_Wj_6slVgH&jsvm#=xY-RU!GYK*f$FtV61R07k zt$hY!o_ZujnUU#>Hd4|m?dX&5B1|k#YWu|A-~pnDyfAm!t8wS=*)sPNV+B3PzsY?6 zVQS`jmRrz6DGy*pIg8o<$z(exJXrKMD!avIW1TWXX#rk5HAGG5 zg-s@|u-i+jBic%LTK=YeDSTO3xq8s~p4&!3c!4F+fdJ~V!0#O1 z_w&Bb`}zF?aP7Q~>pbEchgHjJ926p`zK0~&S&!@Fv-_JrE5l$= zKHaLf>i8GcBjAh&2=OLh?nYf($=K~_Rm=fdqfW-jr=4!zyQkx3ELWSJQjocvzLa=R zPo{^hqW`&23@g${Q)cv5w;t2suQIvJZ#T%LUHI79f0_KIfqUdFdL7k<1+MO~E8of( zuLYm2k<8i$DuyY(Wpq!uN3wtYIf#-?(9Xc@$uHBi)=JCc(bDcmI~ut^S9g_7-L>$4 z6`pB=$9b%?L-HTAufGS4)4lh22YU zDaN+s@Uwc|Ha$IAms9*c)NM@j{8Eg5M{7=XYnCf!9_RF`^lQGnUx=naB@S6YFgLg8 z?PW2X;ioHcu7RRd>=@Q@wbU;6wVT1Em(w5EcWJaNTIQZ`o^7b;4%Q#U?bJO*paDHx z{3Z80?G|01$v)kD)#>rCuOU?@hSYowC7b&Tnx)rA0?WO7Z*7sx=#)@d&lEL$BpY=P z93@^A{a$9Ss%dqwt%*97QVf~q&`P2;G#S6wlySZE>TLK_o3jOulD9`rP0khy^V zy0tRQ*=a)|Hf8dX3{JJW_DP;hFz8RZc^e1IFDfg*Sh~M-7205xx{1%4ifZlc2W;Wq zax~Xn7pilI;KSJ(19!s7*c*LA$dkkYBk~5&JA8B{mU658{`6 ziWxSkZ}qOkyXS$cj&MUuPWwx?0>bWnj(S=(qwi54Uj>5ybaz6a_UF%^hBHO{u^(tg zb?RCKszfk%)?dE+MN*=V;1wO-O>dQ8@C%zXH#b>V+Oy0W%i&z9P{usg78yS(AwfNR zuWGvTGTbh3yZ-a}-2pbMl7@~<+xY=|{KI9;9V2>9Wt;iK+SY(cWt^!)!EOCy%N%df zw%S!>YRdFQPxIiKa|iHs*Lfvhwfe*@ML$l|%HxVPst14RGyi)%0A@82B%2BktKvYo zHtp|t?r^yO1~Ru$&7FbMji7E7xiDy$TYmvgV7q%>2eG`|dcWj08QQ}`WH5Mc@t~8d zUdeIihJU_%sILX*9t(M@r!pzxlT?N<0kGjSw4b`7rrKXe#^^KD_WsJ{s=d@Ak>FQOxJOl{OF@;p@C#jL~I?U`ol(fO(+WZPPeg zu?k74+C-1!@buSI8OGi2Y+)-~!#V2QQqeONWa|}l-_At@YGG1H-M{xJl~j>Jb1pQ2 z@$XAf+)C9VdsQxT8|+hJ=!S$o z8Jp4lA zvWD3j`C|@7ob)1$65#i=l3oa+Fu&+L%N0;Ma{Mxi#}eYNHL+la%U{mBM1EHe$J=DixU&26Nc_Uy?k}9sbLWyY>|_!kas|bUzO2nKtZ_Y`Mk)6&qA1>} z(|1SX3G~dz@qc3F49^7hMxAI3mlYV9#a*Z{Pj=9%xto|An`7-nD^zD$vAdFv(vc0n zDvg|%$tnprjti`Od#XE^2OZ=O)r~KAQ`c*7g{M+_V(w>|c!YO=m&I^K_TT&CzWpD^ z=G?Sj$k&pa`Jh-WHfh?aeREKV%OX~yx~%zb*~vg|7UQjFZ){Mzw;Pog=Q3Lp$7!ZJ zlJ!eBieOxuwR;8YF^`tvw72`kWg7qcih3|?ADr~XKPBH8h4_EGeZzw-cJ?(KKFlR| zmT~JbB^Tk>q6j?aNKsrG_r> zk+p;fTak6BNQwrzlR=Q{;Z7*8simaP`e#4?t&VV)LzbmD1dn%)o4Vg@HLM@u-%%IO zo`xHmWrE!JL*ND|W9Gb(PNd9yFWa%gG*l?4y(%urVo|PAj|~L+pXCGip2Ho$ZPZS9 zOedY7Rig_R)oYyYFy`!~Q(VHRII?o6EovDQRl)LeJF{+BCA1h68%$)nTCGgtx&xiu8?UA{(tH>pM(7)CbI4NWut z>N7NEfIvFV2=Q-497g5Yo0(uHJmRlh!&m*8(94P)-AQa3I)}sAMkcr-cfPn$G$Ea0 zYt`DJg>6o_CRv_-Ng3C8B00oWmwF*_a8&-^|8LR|xFQF#&Pe0U#-O^=n-D?9|J3uT zvH>j2MVLXWUto6*4bI*JUS7R8%H(xV;T!}k>bpqXaReU4LfaZ87XD*2X-DHqaVQl# z&Mognxh~l7i{k)LP_*#Wuk%YY&K{rqM6tZ6qr;`~>RpFy@-}I!W$72+L2M8sza zkf8)zX3_$Vj=kGJu}k1&-HSgCt@n6*0PZBtw7)zyzb&NCa@3{A0KxrmsWX_Yz0z%M zW~^oV=B$d&9bvaKyZ0rrO)TpcKfOXjoCp7|S zs=A$K;Wu9kn=CznHfx_p&5_l4=o_{9)QEM9AUoS#aPlG3)q(wpt-AT`FiQ2nzrp>y zlJ`GH?{KVfbisi+;un&%VY$Ep>?Xy+xN)q-3?8>uK%F&xfSOz% zihv6_YH(H*i*=sPzoqli(Oz6Iw5Oue9jw{u7_c$y3}Kx;36E? zsTZ2t`oe3#59IwPwhCaiX%X2LuM0xDXuD?(Yj4p(Ab?!Fo*e>P{haPa?9*bV$UU)) zCa7yHP>2(H`IS$pu?6N`w(lLw*DiItPg*MI!5GYl**0b>J;00ap;2f3^`%meV=-ME zYZh#)%D9*DhOA^~VQNxJaJ8MAcb_ z_u?i!Bn3)HAI=CUic*KEI+HryxOiD_3vy{@F}J4IsO9%0fw7rN(#t zGg1ME3t;j=8&M5LC1MQK*}Bbk^Vto8?E@hnX%B)`L{!9i#Xikch}&-@P)YdW=Q2$h zIFr|&@?uA|;3IVvWMb`DQe|b^Q(Tm@iZdxhrNd+;eJFzKV|9qn<7F)JJJP@Gykh!upP&GlT8P#IwylnFG65!6+# zG`ReX5PY1h$6J9EmusVzb$hS*oj?YqT~2R)1Cv5Tw*yxLFoXMDG;AYR+#C_FxIZ^+ zy41PxRrm4naadav` z{}c}ZF9Micp26{OU7bkP#EAH1ZF_D+oCWndU~&+ z=JiTKi|o2*Ju-fO8PIciP((hLYN=Y!#Y#l0!P1Y9ecry56#lnwK_MCd@why7w!kAK zP}TZ<$m_mx@*9BQ8!#*%CpzlC+8Mc`>U!06@eyS)ZgyHnNLzh(bMv?}^4z%ZpXdb> z5qoDtP4Dd&C7CTDNUqofs*5en%?|ullXRia_rCPe%DHtvs^cz^B&ls9RjgqbS{s?^ zEjC1u$Fl;Xa^$~3e8MYo70umG)#orV zkujKlPT!1TN00F#=&LVGV?$OK0L(f^-{t)V%^aklfMmOoN}li`_i9TGse7G1OxW51NMAR|i72pE?d?$>cT>plrhV>Y3RX z{E*eb;hu!>`|%|t+E%f4)aaNEGz=9P{d(t_xgp~wdm7{o;Kf`Qz9QW`d-~g|-~B`p z3MoAEi5}FfyyQf}`Mz|-d4t@lR-G!=QCzPXpc znNXdf$N1xL5Ng1Fu7t46^h+XgU)LOcpVK5D;InI6)Y*cEyH3EWI>7tGY2 z1pcXqKs1W3KAA^mpeC$dYJKsF>xg}n-%z3TfG5vf% zI|BeU5}S@|E*O*71{Lm3NLrw=b`+KiCl%VWDiS$d#Y)nE%?im60i(?|dRm}xcymJ$GLHr zEL{cF#*Gw zx}@{5#zrsRJhSDpfl++5`EDYOx*>UIteAPvAptah9A>6VY&otOxg3CY3TEEv5|y-w zd9YgRc==x4Mkh<*iz(jq@!GA0<{76M+0M2Un+N=R1}T|KCS!)4s-Kf@vzK}fWv3J9 z%G#RKgdpR8>ghjnxd!uQP;k9j`hDk4wZFfA6U!YkMtG0hb zb|wC}r^M0m=Qu^^^3+C?yBK#@Z0mqxoiUW{5p+a8#`Ym`kRK#5nAJ8a?=+oZ=zUW2 z{&r{)ihQ(_i?Q9agS;w-$JeD?WHsGOHuwiVG8~=ToBLK~LTQ86j?ggCq=_7hmbrnN zcxw^7FrJeb`)kELg1&*dwLPyI86Ne$^S~HbJxxG9%ANH^|Drg5z^@5CUyx&p?C#jK z?`TLH+$V$rvZ^2r7$i||uC7#veNxzcev;Wg~}7LH@~b;@mB&9Sh^c13A4>|R_Q+y zBC5PWI&qYnH0(^>|HdAG-p~0kzuE12h{0GqaH*&DnlU+gwaS^GFu#R8qC5Y@_rHP* z>>2L^U-0h!!ryucWW@5Qm~?PrjSx&im3pVO1wPJ7b9^v3f$D+^MN$ z0w4pOg&|;5WH{woK6C!vujUrFy@hJ`4hJK-xbCkDBr49B3F~Te`xWcBIk-6y`^2JC z1-F3h6BYXp_Y^GB21mG#l;ChL3Uy?Ls@6*WDb}OqY8dvfH6CJigZu-C3Z=tV!O(UO zWa7s9Rg{`X(XRZlO2Bk0Cwqz2oG^ZQ*&4@wfG}c=98ERTKi=1uccy`SN-YDQI6k1L z{aCCrqSx4Sk`BHD$SvgY9>Fakd&BZ|g~-~l&t<+fDv9e7LO6L8GjA}2FsYNEmbvhY zy(H(V;um~$5h5+FuBZ!4{I2(`zgB?^I;K#%}B0 zM%k76mLbzn4#~w4m>;?{;?coG67s*+6i}g>-oAZWJRi-m6$D&>9B5mt;%ixBa=7-> z0x;i^SGO9%gpGyCSqTV%6&f*XAfwBpz)zN`yThb04)THaK#_6DPDW2+x*jN$!o+n=5 zGh838mc)+EP-Y5C zlj#zfYeXMwos#!+n*LCHUV7Ve>)W?d-Y7k4fswlygQ?wtYF)(`e%btT@%Czra_?dQCieM1GN(iFsBo;IM`M#@>~Ol8@>xGzK=agK|{h z-nWIhOn*CE?Zn>+^~YWnxw9 zVD^2b{!T_INZZv{=v?TCm;vkNtPxBNGVWBVNRGOlIHda%6x-h1-quQxLpXaB&6*&< z5)mw8mh*FCLZ>TlUm`9zEDFl?p>nF9H8%>a}JT3D@vw1eek{2Ntohaq`^ zXK(dodRCP8cG~)T=tbo+=y+Drl~uRqL2GVb9M=R!v$C$ODPGwZNgxm#aL@Z{9EY*9 zhV${*XD;yF4j786%@<7?&T8WAWT#wB_w3yAXM=kTrrgs-mrulSc_2;!wep8s{Z|xv zxwbMB=I(1koo`04cX#j7u5A{j7lQ)}KF z7ei}VCig45(7Q4{#S(hCH-uLE4E?X>T!HMp+4T+AngAIRgd5eT+~((uI3Z)pyyqOz zLfoORYYJ*6_M)p(PjH@Eb-Ks`W`NC7c2?N>2Pi4V)Vr5)U)k1f)heqg6_%fKKL^=+ z3WyAo4F;}22z<0HW2-}L^{`QW2fstxa)jUyl~y}m0E|gc#XRjU9U)2lDo>iy==UpTeZ5F_9cq z7al2GJ2YFO(ylLG%sa>`T&f-b#an8|C&f~& z8|!#9W2EoA`Hs$g(G4yHxZrwVZ5xVS9SW&~qHW)ag-YWepsS2(o5vb<{Y`hQeSUpk z*Ya*OwYc$mFP@p{Ys&PEC!T^Cu*24+&o>YHhStq1hlQ9$LP^Cg6%{y!y-RR$;J4gS za!rCflAD0KTn}dL{{>oLpPApc<@$9^h)gCEa`Us-gbOmR zq#~j<;%HPofPA_GNE>?RMPpchtg2|uu@OmFtwS*=y#u9Tg{jq|kklaTI@!*bEvJ$} z$1AbNI~oU}h@QgP*Z$Mn-{L3h^2b@kYV_sGZG$4#`SQayt$jUju+o}LfnwOggo9jV zj9^*OJ|rJgw-yuGM7H@|Q`A|n%l7OWBordZ;rly5y9-yRo*6$eWG0*eE;2}$mrhHea zF=6J(z_rO82eNP%GqJUbNQ@(@Pr{#r&A{I&RCn?+y|;z{vd?g1S5%~M+y8d?xoU6V z4CzV?38nOE2R$saAJaKVyl^ONmF+d=NLEpuih^`y!~K!XlNpT{Q;Rur*w$d~({nUT+=%M{6I?FH(FxiG1~~d?TZ*dj++p?=BObt+;g4hWT)^tW3$y~+ zhK0%!R)YiCUL(47s5yBIurLGHjB}l2qcemFw{(sQEf5Qyf;@0-lkfTMm1_#`7+=1s z%}E0+PlzX2WMpR1k?Ar!MM{|wtK0fs8#2xuznbnQiMpU|b@$zl^bZ1{uGmCSWxGhHvs-U4!+4IwXPjk~`tx#KnBfd$Lg!)h;`l1gRS zcWe}1n?eIay?r6CF;?d8Ln@Sch58igN$qK42+~(9E*rZlG{Zc&l%VNudc`GJ9^2sfSq-0fu?#IFyu^DM#q zvUW+DoM6)gXtrkixDWEHY+zia4(*jelt3KXRersSPy$g;IW&@(~Lz zfxQj8XVRY)k2J^Nlt=IKh><|_DZ$R@bHvqC=w*|1)%>Z&*hJciJ}=dxXN^zOr%6Ah z4r4=*^D!i7fKl)SXtg^7*hRqssbAiGT*THM{Vpmjw4vZ>#_L2d!#A$A|IB4FYPfg8 z_ORc{L7vvebyMhB#hqyVtq%?wvwMugWSn94829nR9qk4$L3v z=b>ohFmZeILR~uu@!t=}OVdS>7U4gB*T%i-K=($E2aRk{d=)PaPQ04rDg`z%nZK~6 z;4Toasdp%Iz=_5@p1hN%L~)*?DX$&PG3N$HY$1ukaEXXu6L(E!#<;jU$za?#9V(p8 zTSRssyT_ZOQg78hJfNkAd~_)%qz5hxMbI+>#3PJ#h#e&q!Gte~K|Ghq*GA`lk)vgL z8joQO$@&G%g$DaFUQqFk)V3~izqaKgN0x|dj_Lp?Sbg2k!(-U_#jP6Mkgwq__g+qL z+^-)*gw2No$7VgWnS^v@M3P&|J~m;=gjLA08%c&s#;jkyOeA~)TRi>Dj)Jm@yYR;eWa8>G5anhnL(EUG$ z1BO<*LmT1(3!{{mJ~QeYI$eV7g@7f2JgJ(K$ZYx#5|6F2aveDysA(n7>Db4Iry?}$ zUAWP?944L5xedHF5mG%l95VqvJbb*Nv9WAR;f!L7<9C#@_+_KEc<=%hF*RXK74?>z zfSCGUnDha_q|vs1^Vpx3QL&E3K`!x^H0@15T(m5Avpx6ty}RN)A1uciDBNF~{Ob*Q z!>asWg6;qrk9pFCUN)t$@&$vDY}as@y~z`?aICqW?i3rsMbF0?=ds1uq)72yE6_n^ zg0-l3ZacGGX+Y`xByO1IaWoT{g?(6-EhZ+&fU{2iUlB1dFwgL(D=0L_ne@v!QO~Sv6bO+at{QE@H&*Cz>;sJ1X~O zhJcPG40gD??n3iD*X5xKW^qhjmgm5YI0pqygF+@R%vs$}Yj(~9jq}~?4$ zWs?-vrm9hh6wHIJ)c^eU*(LBFt@#-${vMX3O^ZVFt_yBdItTxCK68(4Hy_hk8O;wb zNBz(g(VGSD67yd7aFcHFFDvKACPU?@78TyR>k z2(Qq~poMARw`?2%t>#9dmzEW9-a$ogq`RG3Z5vj(-6U)fN@ zA8L!Kdv$<{5c77U*6kWI^ayC}L=i2-;8f4Ftan*8#+JafY*N8o~XOHw= zfVig@*kHkb(-~MsvXx;u*_|cc|3c#dWy2cR))v=!Rud`=$n#V?Sd=?HnZ9vyZYIS% zZtCYMo0oOO~jt~`%{3eT4x zgM+0F!e>0y9*Z$*4ITQ=<53iYR?(z z34t6Uf{gcGXeQFURO7D`$PJ7GX2bZ&F0*s#1#Fg8#hQlZ{d7F%<8&mxK+B>io zJMwLZf2USdF5ou_|G?ZKi1GY`xpR(FE?<-n@17ZY-C; z00E}}`Z5$YNxig>KQ_?rTC2$MiNu*m)+d?1y&&Ti$H=!DYOR7vuOe&#w9Ut53c1m?E9Yu0sLxCYSlI;GEELu4}HJNz+$QJz$t_OBr2!$f;Z`u5- zwVqhZJivH5&Np^n)8Y$Pf1u@9ZaVKzWL4Y;bN4%q<$wRnXegh(c}ku8KG&)8ee(|? zV{%mwDV-ii$60nV4%hG*-a-7#%S8)5@Aq>k~pn{QI?<7U!;o7w}IC}|a3lhi^u!;lljd~Kn z{9pm2=q;sDT!2|X^O=}Cu{kTfD{&4^kzR@7v6G-Kx06ix84s<~n!})~g@rc{#m2O* z*cG93otOXcB#dgkQZvL)C$k#<&_(WtX4YYQ8GM3`)?YAVLn?_cty8hMcVYF#hS8&6 zH?SdX3Wedp`;7{?I*-SaSFVF$HScx#V&<YdPFk*2u)17UL>DRe~quWuJJj#Yq)fC@KSdcOTD)hAGDz#Z#~X# zBb>Ykax+=D_Di)&30qe%7t>NL(~{=kNKEwq3W0dVISm4mzEDoHAg%TJ=EQ!h)Nttl z05a`PZAe{O$UDI5sejEJQ2{|71R{X;7LDVkW^{xn$+{K+h*Yz zMMY7)UuH@*Db9<&6s(t(1TcODTbRwI z;N=dK)(u_}{z9@DAoGNR1Fq;7>Gu(lI*^@G^rn6*nF$p$6y>vMf&yQikG`PP5O}tv zBT2#DArq1^jwPEYTzsX(^UBxbGXRZ6)#)hTruNfqUSX38Gd8pkR-=`~qR zxL1p^-1BT0K&yD;eUm=GNcdbfHH{z2`TF+WxShglC)>W)<_VS^9$VZkml$Agg!jfts->($5{+dWk56?l-2sGj-`LZA-31~N-m>s`K8>Nm&WCq$g4y=`C4nYc2 zSQ*M&z4PD;wO*2A;RcZ(4n(jHLr89tW0DdBm)lpRNwTDMu6;w zwh$oppWKlU&Ne>jdb3*l?gl9Tl3%3)RACN=pKIx*t}vjjlH$Ra>o1Ii zNOw^DsPRuJR8m~(VzvC*amQ9x>`3!mvf-+Kb$x*sk-b2g`u``PWIP}393mNdIcj5t z*!G(|YTNZwvvlW|nyRPbf9E|DcbDN&0l*9BM>}Z{Ba=%e`XyaCWRh8dY)6JgRWi@C zLJC4QRT}v!-`*3KbByJhZ&Pk;JnsDzB^8;EElRZy&?N=pa%C4&s?xKL!5Jh+K#X=O z_K@!~hCC5_3QM|a%8S-9TJ3&t7{M9NavNMr@!4owav4H&Op}qv@ChjCU1p{Av{Vx7 zUjLRGYckSbF)lN)zY8NXFlZ}rJLP{j$w8@eux9w7664F-XSH%D5WvO_{Vy&H{QcXU ztB;g=? zBf*t8+AZ?Py)nSU-b2z*a9{BZ0vfkCMbPu0Oj8)`me=7M~l0*3erzwVv*1%OmA^u$Rge> z1%{jslkz+pE+R(m?WJSJ8=a9)p_!2HVf2j+wl?>gewsZw5HTjw-o{yodUMHOAe3V7 zADe4`v+h+AuVCWbET$msLT2b{TP32&9do;*J3OQ}d%vV9pwPT(^XEx+yly?%GX%(u z$;Tt|JfkAJIrdw($rk_soc6$^LLq5`%g7gS--^~EVEH>)i0^~GEWNM(3io?;Dda~! z6?Ut-PU`P}WkQ7^+&P3f3q!rAARrr$=gE?XW-7o%1e*$49FAzcaZ=Ncv$S$5xG%sgi1X5;re+cnPmir!oX>^$wR+CN&aOy5D`Tm#^|$lA-agX1;zqs?$I9Rwers=xBcMOi-_w$z~^ z25^kFP694_&e^!_Eb*qQtZkAxQ8D-V`2ltXHgT0t6|_F`{W{52CA53kq{XkPvPTB; zQ!iUns+8kQRYgqg0T+W>`h5uZueA&+hs5fJ^>z{&h0f~#MXAw0+jFxv|RB_k!ZJzTcSCGnQ6Qn&c?bQ*%^4?qSuBwziuSt_i>%oBzXre70k)HZA)DrUWv6 zP91@|9gVu*UEfFNa9LxW98851CIpUxzW#@Pw>>)tOMCH*$Y)CGo|(?;AlU zrAsx0x|>hF{-GU*0Z3RA&ZtLGbYFv8(Ww=x{djTiq1t48LnDRI=!dgo7iG?Fyc}+C z2v{l0?Jv;FKu?ajEWl)ZGFKo#+4?b;4`|G;OTjILR~Ep$1So#y&BwpTvn73)ax{i! zm#^AmXm6q<=;zC=v5Xb+Ge!v z$T@QI;&-wE!tvaOgZvheamdt|@g8po@aG7dHujIb=@;cmG}#gK;{X+AH7KQ!ZhKhm zCY}(z?E*Joymt)ffI=GtP%@!!2(+YCQ~ibRP1A=B#n~FD}X6KU|U^AIab_ zuL&$gej?|A9he^U{pZ;LOUgpjs^n=Yo@Q60PF$UuprERuwQ>zEYN*pA^Duf3_Eb9S%emFCg}Kg0xc%@OiR(pNowzF)w`Eo9RMF*e-8;i#1WoZ7xEbLjJQ)`OKMdFRXJ{W9jG5NiC>r$K$YjMK9i;aU!5Z zB@K}i5d{7|cAXymkNP%kxNE){P{Bfcd zn6nn}l)*-2BC(+f3~iDM7dmq90sU`_?Euh%1V?yYAL%i_tpl}u?#1^E_0}8k9b`vc4!cE#qUwiZo9xsoY_08PF-*hgpcUT3xD;hID| zksO~U5S&^0VxS8aS_Zy$7NepNwC2;Ph@92;s($|KvaPwIu2F%F=ijX z(9(Vh@)oRATS_zj0;GaGqb86?A)Djpj?};P9+iQF=~;$=Yd3xej79J}3ZI&pJg4ZP z8Eu|vX6N!6T2vNkgMOsN&{I}u26WwXSc#u%0zkFrC{TjY-5G0L8vFqGmZjcBMn;t0 zfWM<_E@#C#BLUJB@fGr*TMPID4jH0>ru7xtmY39!kw<7qAPva)(f|XMv<4iK;3e># zfJqAhMz^TEcP+s0ZYc*y*I+1f0zP8=2cqB2mipCbFh-ny*oHelZnX1GeUTtAPDj+; zo|O17GJRz%jV@(}7qhj_nPDAR9F(GzIvuw&mp2Nf;xp~DHXl!D7uYz3l|6jxq?ZcN zsT&(t$duvH#SRHxMHEAat{xs`m$LwZtx zrcyN{&ev>aJ>FT}Q|=dFZ^T6K)B5bRF__2)k@UEyO#^Qp8u1T+0CFVh3R!wm$SqZ5 zowKwr#w}EYSES!g9C3a`Sh*@)!(P`8F80YUYOoLRDpSS)JKX~kQm^M%y!*f8cen?g zscVhz1%-d@0PDysKsu01PJC#+v~C)je!7uRn@*;zDG{4%qt{vVv7kPtzScHYqp9&Y z@?BLMp0n*{7e5Gt7Hxi6`wINM!*-P4tz%csE~7eMxb~bQPRB3>3jrAT+be*DGC$_4 zotow}k$Skg+s$>Gn|g??ZTUlaZVHdsjNoLm%xIenaDyASJRTrYuj78Z!elWTZ18ByZ9F`;`{E zt^z(ag#a3Nu5*x2g>RAM$Lm0TF54@R{CggG)$jsc1WXDFbWk2sM2jw?&$5K{xUZFN zGL+1MA6$@qH{VBeUxSaZMqk+^`~@$+dOQ~+>|K=zWS(ve1u$?mB~9-`1vFDi)tv3} z02{^048+4G6bLj@) z&6}p*y#OzNCfnM}T_zFH4ba#1eAMoEJgPeL{WZ;(&+tS`SEe2X@|T0rRaSxCGA?OP zkNw$6XaIUCuSg#EYRvP2u^(W(0MM9vRzy#coultzx&z>_@5H6#_(C9nOP33MJ<`Bt zmAUKFz~3(3kIb6y`mWPywpzsXChtT!0pS}RYtBcVgNjHlDl7v$Ni6x!Kz!>h&22If z9{31jfA!y0@7R3T`Yc}S>=Y4u)T0uIVqstwd=b5jW%(*{n}WMoau5MxE)@uOb$ZsM zrqhJeKp*l!ji{deHt<~I`IHG~U&74f3=>ewTHF!}Fnad#+@rLWoRBU*Ll2w5=({V4 zoOO&w1Y`{w%=a7p{5Od8{*p4M*o&<_DwK$H-k#zuc}&3dRTl*qwKg}A#2y)?SmR<$jTgEE)aIX$%wI7*G@@jdxrk~0aprkBa2dT! z#u}xc=I8mL8`K?7YJ@b%BQF|b#;NTO}EvUGMOHxduSOhL6ciMu7UHmYy3@Dd9B_k8`bWVJI(bn#iN( z;@<#+LB}A6;;uu;r}!Zw@}i}j$a7g(X(}e8clE&Khs*bYr>7?C%0mTL_vppnq303G zk@D^F2dCSu@@2~y&%phacI9k2`0*B*9hKj$2Bi=v6?F-?tzWG^mdW7N*%+qjDriLF z#-jb&$JWA!(jJId{oWXR{O}n3Dv>SMAMj& zF*M;Kf#hiU;5>6sz}BqB*TT8TZoN#x2|u#m9T$@(L)vPZ(ss!%mQ&`SD3m-);u}vj z6UiC7_WI7iSEa_#BV1<`sE>lcaIU@m*KrZjGHntRJ3As>Ek+|vJJ^aU95E>OietqP zZWLT_qm9p>t^B&*ys;@hE&}QjSZH3chk0zquQjLo9wZeHHI-xrEFas$R@TCqo6`I* zV4SIY1{h=R=-IEeO})onoN5Yei?lQN7cusciv$kzLeiY4Yd{N=Qw2lASoqxy{w_(W zalXN1Waos^v;$@N^3>(Zi^}I;cfB`-8q*$@77O7PQZmdoIuVYJcgy?Eb z_#6E@AL!$Q7ti~8WTD=6*bl{R$rdH1PvsZ3&gf8W%`rvMMXggrE+3CKQM*je3_XU; z*<>!?lM{e@tkeVkdQvgeZ0|@ldhz(#IX#p;{F7HYih5V0OkwUr+Cfm@{wbfBeheSd zuQ9kLu;~6EL-nzBO<=&BfMR{qAcffLe)r$1BT37hq2%%>;ln34cLTrhG>IK-7&hDy z{>LgS5)2r0!lJNLT!Q>3u9K!yOHO`YrSq->Z{t)jWPVX;4%5Cr7!^p^ zo#vaB#U|Nr$sqsGV*W;S?Y<0s$=ifcHGHUjX8e+k(uh1<&M7rY&n!PF{F%{w*VN0B zM+I!aa-+SY_r~Bvw!3?JS#Ai2q+_^(QwC35 z_T0CTo7YvcpV+=Po`}#6)8o*iwqi=tgW2Hf=);vZo#z)HnBm2l#3{kM_S!=k1iPRY3AcW=gxE$=pgkxMa+l3@-Omlm~LWr$py#EhMKDn z+`_r|M|G4Z-q=uAR%N;E*%}*U{3F%=GDJc&Jg$6o3mknJ+Z%3<$~ayOaG~mSDp9hD z*mZZxC|J&!`?f{TwVD4`*CPO(i|v&daza4%EO1Z@_(P1penv@`1i#!Vp=6|Iw>k`# zzg7_!C{rs!%jN!j8}nhE#oGKk31C;ObzQh5-q`UB?pN3}L`6$zs}x<{ym=0y(svD5 zpFTYJqHs==SAT@w4QPqT_(DwM+KUnKo(z^+&g!JMj6r#4nc7Od-Bw_2v!1VID4G|Z z9bctls%1EY(EO|5L9;TaPKnvd4g;;_=+ns+!_^Gy2K$l6<{x1jK3CbuXktV-B}#1T z^(KpEGqYS9rr0W6hPK~avRf%F-Z29DM)LpSF5o|e9QqdH6Df-gftNh6I4SnX>%$fO zqe}l`SBg}G3;B9yw^7ee;p9I2-3VCOse-gz>W;K;D%q(j=Lbnv06w-_bPpD z$rO1b#^#VNA%+T`Giaqw^$-A&hfyUyR@uL8SsTEP?c^2Sih8TVP(1K5ku?zGM@D+y zDm`(wGTFW8I#VwpD>uFNxwi-zYl|=ao<#ip>t_0x z3HM_+z)~$@R@A|Uz$S%@=bqi!du&)0c2n(jAbR;zc3(ny$Y-qwanxg~TOWJllw_FS zhj{V%xn8f`88}S8WVc`H4fekNpYw0aXEy8%O)5Z1xdZ16yTa|Tq@GRtbU=u+_kaBO z05}c`(UjgXK9ke~bbJ(~FE=9o(+WoLtG#4K%~}1~&@Ed4I!p*_0J`uMNBE$XkmR~A z0(_xL3?eV3Fd@c_ogv%6P0EWJ8VgtKwXKHPf8}=MjI7nHpaDXnk2ZbkC6 zRTT#T=P7}PN4BmL1St3B7hp$kQ4LGV>fz(afp2KgfuTg15ikAtOX0c60gSYT^Ng*0 zs;oqbji%Pi;N^7LJnTSyU^$O;*tpnvic!zJMZRHxX~ry~Ryy+%B0Lx-mvm&@Vb8c? zzN2yEOjdc@?CUlkd2&uh?9}h!#Glu~R#69D&ko_pHa-&bs|GrS%#$ZKBP-TgLl*oE z7VfN(01#|##WP_-K#RB&xRcV-z^@_&$am7cLzzIUyR4`6>z;dRR*KXXmN zQy1~J8j>ePkH8tc@ICy0Y`tYzlwH&|j955u0Mg|k-5{MK(%n6jbazRJQV!DHHH36` zE7IMKN=hTC^tbW8@Ao;L_j~_($XwU8_u6Z(b*^)rD^w4cVH>IHqZtFu^}AD-YUE_3 zQZqG&;kLhV?L&I)*kTuN%%7UaEn`{SGVzZx%u}G;Xeqf!Bk7RqOFJi3jm_prgQJ ze?4FJh~pE{BEXHAKu!Cn$m8hY7`Z1BFm=k_Y%xdvTXj+Pr}lW-+jCyHL-hSs@x!O~ ztbvd*u^bY?>7LYOuYv?G(DXB4>5(gOd)o3T1>ar)j!Ao@Wlc!JH3inTdmii=YzB>kH@1@uuoMcNn`eCA=}+N$DQ&{yeKSiP zTCF-NU`q%%3+tgQMeAA{@+HryWM*12&VLS+?jU1chW)hnAw`KXa`|*WW4y*i}t=2>T(V%P=?=tmbs4W2{LuZ3h z|5%O4M!*ry_i3o+W!CTA2`u=?;uzWe6<8=O)nB=(9fH;EE;ShY{G+en6bSScmhvDg zo~373?Ysa%lfVk!jwkngudSu=Qid@!5>>MVYFXY~!&u1UyXJ)`O1V&p`Gyl`7lcXT1}Pd?3BH=bd9dN1WuIsllJ9`GFw{A zD~ZBW6GxoxZb{u~!^3LpEV)G+gZbx}KYuo>vI3MW1h6iTpHngm$Xd8>0kN_M9ibTO z+;Q=%-uM#wYE}W&8QFJzoS~SLVng!{&!=aDarTPF7i9Y*9&wQF=638~b!~cCIzP6< z%XE;)RBb3*N)&HQSZ{=cABUXn1m~F(l9P`SQOzBE3agsbmrD^^V|mnL_k{g9oKW`1 zG3S}Xq1MQ*lJAmn_1XsQ(@%$ezv(ExeQ#hvHqeG+jnfZgoG@H+Uld^hc{rO=a_hGD z{DiuU9}FJ!xa>gQfkfZ)cOxNNc~m$Ujvz5A7TSsRt&i@f0%bYf+;y`mDmhq0Ym!rC z7Zu#GW8lqBbcZtgxhDbw20$u^zocu&su1(5b2*!l&O(6#F+RrVWohuCJ3K7lZ$m@{ zLn9A4>p{^o7Z#IWC9QRwB$O#jX5T({yMeX*ZqUiV{8Hj^acmwWCRJmw9#oF+#Qt(n zH5O@@kVx(6UqFA8?jz*nD^uWxADkVhv_MZ>{}U5#xoX(PlmvJBV(Y0rH~J9MnBJf$ z>2KAu{GXtpxEqbAwu#G@dFe_v>8ozJtU9nW@mui-zdAL8Db?M^)^h3P6CbCCO(pT3 zRY)fTMatkyPOIDPN*y0a_~2t}i$AJb3E;B#`nGbA^*!;A4bBi}EY4nA1E%{xHchC~ z*kYGqv7UKtWsE(LWM3B{F`JA1p0d_=aG`YHJ>V~yLJ_nK-1o3*LqSQs2dj~G_4T$b zB17NG(BDu&K}C7}(`r&I{Vx4rUF>&Pc2IU$U0aUgZ!?;`k27=eQ9^BDZNoHEe_&FR z!=ba0S^qXKvUB`V%-Hc>&)w`QW`JA)^?A{AXWkc!QL~>lENYh1zXHLN^M=$#{1TDS z)us;`ljRGg&%TWx^aj_PEXgg|S3LIZ#!uKZyyfWJGfbhFCgG}6&%E}n2B+*ILBE;f zlfv6aJC9&B9cSAC0BmS2D>$2r;UGlGLi4hGx_6xR;*lE98tM5ODjqH`K>S!MW1s@8 z&QS79p_D6JbomY-s(($qNoWoR8hC=J)1JsK9e~}A&L-}pp6j^#S>NnxIu4E8Ap%OO z5PtBkTi&IhhEZGf(qYW!p39SPACufxH_-cfc=(pB)d`e;YYhqy3zG&#C82M3@WR_f_bE%==0hGYva#t=-$CAf_pJ;$e1nI7Y#kB+ z3-HtrIv?bqllFq5^e7LH_sHtI!@x^PV9^Eun9U1P;d6FSA=cq?LYXBv)5D5K6>a?N zwu&j(bbO&4@>(LMNfhvOX>jFFRnd_eCzGF6SB-e2+cdx2A z8UcNS@MI;^yi|_*xT2eQY59=#5gxMulJk{`e7?2SbkI*(z){8elGe=a@%CA|Zdnwj zj2tOVm$=fPnsLc+8Zr$d9(ur*n{cLP3(v<%+dx_Rr@f`YpX z1&Rhk>?g4w7dM`mNPWc8_*G~us+9TC^YkL`%(^LyxLgBH+RW276|e6;RhBScSL3Ja z3<&nVVN@w2G#Xq4*UYSKWL$zx2`XyetO=nguN7=nv8EEnnhx&xc`FGjmwXmCO;}%$dWq=tb*Bi^*`FZakNV$g zt1D@))ZX3uc@P8!jX8h<4V!52=9wfK4*7iKvxZZY3PcuA)WjYO?+V(}_1UbeXgx%F zWxr9ss64-Y@LH6o1hKu)JC;rh`6;D!GYgQOF64TP_!a;P&Nhqeb>;3K%Y??uu)Wmc zcX`Oe>RZ!dL;Mb~pnNG%Q20OtaqX9KgF$^y<2;J_$FJWe$VGs%c}`PNh3xHY31zB) z=Z%U(>tyu0LFO&fa`JR(zxEoUHnPaF=BLnPd$1IHPXtb?dd=#c30CZZY{|gKwHYmW zQEZUC{?b0<5~#GI0L_B!q}bq0w2JyG-?RK{tXF({85OZ!mKi%5PKEkK**NEtHlbdY zk!9O;wOj=`*ed5sU0qtc)WrxE)sl+%`g0&2W|9~nEQ!b=?cU%lNe5&k7dW61W-sbIwy71T!@Qr&o zm%Q+pl7MeTyX&z{f4K+G%>U|$eXjc-QVfF!Fuk65@trS`{bIU(`msCjf#RT)mfU?# zT}oai`gaaM=)n~P1AoOj-nW{4Jr%>>nA7O^0ceHPB$?UI_e!ZFI3A^4=#G=qD0>NK zJpT>Kghw~elx&;1UaBYR-pXLH@16j*M=rTOKJHpK3DaQ<1O|pD$m_TDHN61KYV?2c z4GP99S!JhQNRbbJBsODmQ*wUxVn*!JO{223QpBGn#lpy$Wc6?P_tD*Kisj6%xJLH( zldF_@bbt^HXC|fao0{qqe>Yg{vR&%+G$b2JBFOd$8uBIorE3dyclgGclmh2)lNtMQ zF1TqbIR6tM0EKXGz!Mq`&FVh~?P+&uCe5_-4@W{Bx8Xb~duuJ4(e5&E&6XyYP63^m zvgNzio(AI>Mvs-DTuRBsZ$|G% z16=5JDM0H=a|ef}ls@LibEK%?>XGOaQfBaYN#L+-Bk^gp=z)L<`;?v5x244!3F+`+ z@rH0f1xV2Z#eh1JeNcUYOA|<6z``=0 zZGjdA4^tPh(+;@haU_ggon0O@Y0JC|^I8XTEPx4PqJlqk`LSEQb8dFf{4c5CuU_2$ zAr(9Uj0K<%1&r+!-|WCSJAS!D>9k$d_?sTq-prIEOufh{J5V6pt3VNq+97*0gMxAv z3t0Z$;MZ@2T?YM&sVhTB6+--2VZ#e6>^Xr=f9MD1gFkjA|DFJn1D&MNk$@y2 z#mye-_5Ig!E*)TdjeoN!L!9kcX92zD9z6}9b>8D!*BOP1vdaR57{)J+DHLf2GTQm&@qWE1?@=)Kuyqr?Y_Lw62Z3#gIY0O)4=^BbQdX=2OfwJsp>Kz}qA z0i3;g80qWTox2_sQ6m+sy|JlZ7swa}ptD%CV3>Km5{>k98!N-4$#6fn+zz=O1pFYi zEu>7p9?ig=s?eTOtSOICT47cPG6K)ZeX6mCqw> zS(lW2F4^w}9!Y>2pm>)_d^`V(2lyKw-#r!$rvHptAp@Ii>5%vhXbdjFGovvXydPBE zpMhen`XwvOb*c;`+0#=Z(ke+M3!u_=I0NQPE%}2N$CoZo@^%w|xmcC|$aecf# zAw2UFvij6JB-vLElo*|}L0ZobSR${IZL68{I*9* z%rBmxt)Nu6{rh$XJm>O8&$2x3?_vO#7R{5` zX!-_Nj++jhKq0ovw`D~}D`TM-$O4k52@QG(cdIa7cUBB#v*XCu_EgnFQ#y+Y#+sJf zfoR7IAUiRi+mtsP*BG*~+`acDbqyT+49CK}N@6P(i=;8>{WDMl1A1Y9hpW&u327du z@7Vt#dy&7eTi!5;4-_9JSmlq@_VDKu4cI2`qa0f>I;cD`&p$F=L|FfB+HL=;#0DE`M)4hfPI*% zWRc@dH{Fi2+&{Ckoj*Y2P4SR3Bne=!GR5(;O36#wdicO3qJh7%GgyLH^q=-@h82qs zP@h@a*oP|ZvHaA@)!0A7SO=#B2=c{m9%-*f0S<@fQL;M{tp^%Y;7+LYGW1EKuWLX# z9*X<>C)H2BQ1?#Usi0@@M$V4Jet&|J6$;2@$61>!MX5OJp&FRqXLV-CLGS`Ke=jP< zbUhhfNi2b=tcNnHwYFJD7{i-megna8`xoH*E@)%l=~;bIyJYnTb4~^J#XsbK2GmrP zO(fIUdS$;xrcVm!JL-YIlKu7fdb#}IIs%3{#oVU@!<2Bd`|y*rloEM!znE8BqKQ&p)4W)=cd{JT~Z2jS~t!0-?Y zDNI|tjhTH6KHute6go@izCQ45JW_x-hS)q#u}OJ9WksH*cbNYjs61g<(7;aabh_{Q z;jfUTOqHy1RZ_|-gF=s2F!|zU~ zt%A_AQO2cbANu|Hk-O0ndyPkF`1~c!DNcg2 zREV66E^ji(*16yROu)_rI{`dW_=y1Mf97sH)D4{0+4;mdMg_WR0!t^vem~~-*l414 zNG@J+aFd7xTQochrWIXMowIqc+!B-S8at#~MYO>CaH(Zjb z5^hW5JkIXq#7y5Q4T&)IN9ebn8(rgRs8s(1(Gn}^iOEY%t!Tm>mS{|%skOoFhJmPepP3l9uuWC05H5ahoK_7x^zt^jaRLTEIN zz-Oiif`mQnEV!4zwT zfAZ`p?NcoBzY&mgtF=>~S(V2Y#|_k2N|IIDFx&V5$sQfj{OUhKUCJt08Ut=?A|#-s zyDa@F)06oHiaHP>zW~}eF2r8g$8Dli8&>^uT=h!^9(i|dNnmLGu%)g;44zio!r-+U zur0+N^*^2>0 zK4ZD+&N~V4Z6trMjQ@A>g40JT6{H0S`0aG+!fqXnIUT14XQpT()LOVmi6x?b(oQyE zxck&C^g9j!3Vir%Vtq!iS?bGu1* zP49th%Cl>%+n=J~^2_5F5Ngr9x_UiioK_eCsIHTe>2FHMbJzdnB9wjYrYd}6{3(U_ zT-#mTk3&ls0jS5p%qh=w?+x9M9&zgXP+YPP&+8 z{lM-u@~xW_RiaY0V;}U>GV{g`;$&ut+L(l`0hzbFtv4rz zOIgY}o;C4O^JBXj=?)KZfeo&0oVc5+sA=VgEzeN{ms2&1Nf*|r!b)^^o;jd{2pNKZ z^eiVcI1QF2Cf4X6vbC|>W!ahQ){q8&H?$Y7Tod*|lP4}64{A*`S3 zC5Kyu9RFJ2Q>YD#3|z<=HOVXtJLxqBQzT6OI64{aOt8H?zAs#b`dR(InyA3L#n7?H zjgHw!iQi;}6#dm(M3v#HyUcSn{8iWaJ7*DF=|z zeHY}C6dz0?xA84GRfKl-H?Ek7cMeXH?1ZzUs=_D5N+UKXX(;-v-cyKkX%Q_)dFeRu zBq!pl6w9Df+=dq*tgQ_RX&KI_SlV zQCJ+dD4Gt38Eg`IlB{0k71u()jeNsoz9^xof&bWUd@0SDa6!t^Y);f_wDyI4+afjE zFZGYOJe?&SM+DR=EMZM53*lo8n(ti4QoyH{+dWz`6|}dCQO2SPED4s_LY^@X`%7Ad z!rmQcR}u7gN}jwQpf1xC1~PxEU7t-@9?&%jvXdWlOMfMy3?b{PtiV@FzevOAk}$Gx zJV11I`w6V-M%Ibo=xal3)o1i^k63#0E5T=+H7h=(Fr~PA47MmE^6%F$Cs#q?Z0c?? zHK2W@YKE4{nk9T+Jd($Kyp~+8dO9>|xZ}x*vW2_R`%1?-B3^>jiu&JIRKyNxYv@!N zvV^5E^ry9h;8%E%N#>7>3fKE*;oMsGz1&`wWWGoAO1yNX;j>OwB(u&&GYk;A ziHA8Al4_VUVzIRApUT{tAZO~VQu)h0l3w!vkGIPM!eE9<$6>SZg;6oX+Y8mm4)N86 zX|eC`d=OBlj=~guA_*T}-b{DR94JYCnePqq4NoG(NZ0>Y4<-ENiPJ9o0t#)Xd$t19&SWAezw&$xD8pW|Ftfsd7 zD9Ym%7Kn}J&EG=?zGxCtW~1-hRXJw+h4Du`-D(I`y&CNs%Nu;O;L zjyg6CrKIYYbQ>ZI`hqtMpUGiKEC&Sa(9wOTF`)n?yB(ylu&FpPgO_+f^$wEz7%SuI zgo@cg6w|=-h2jWwtFlx8V9&v04T0EI+5~xsc}|$i(RW%))%aT5_;7yfYK9Dfc>&YK zv9Q{{4)htZ^@o(~&y?@ykBOP7WCiy75M*y(9Ia&!$}x=dV6Aaek?9lwN<-m#sc7#wupLId=8F+ttu7w)Cpfh+79#d9HH4k2Yc+?W(C-BR zeF1(djaQR}^n}A(NTm#z-LpSjUi3#R0+;npzLxpRQgQ_doGOF5e1!Ed83nXe zfzKl)^XJKK^v$M^0a(}7|4wbG7d=iNK@Fo@)wY~LQcDS|A0vs?=_G)0R5&hv*fRqm z6F8G~#IP;KsDvKleuWAVF7CMKap{=Y&QIaShDP)Bq5Za|pFtsDRml=QAw-{E?*2M9 z#U~XFHa{Ty&Z14JVGmvExSec>Y}>9aU5gs43gvtT=G@$D1l`b2OL}9I79V8ym>PLN z=-}O31rI*~g^eB}t7ZtSX5yD09;@(pVAOgw3>K$jTo>5j+%#0%eUBP=Kgvn5ClrBE zG!sRLdF|m%n3Z}KC?nE5qz-e7S&z;1EjgL2D?)_S4)bQd!U`gIQau$Oe))!7P63V9 zt(pS=X`Rk0=FG@D@e9V8p#5asxanSFQMBZAaKLyLtC+X-1siV8zBYdIx%%CXOh9LG zHMTUtogM9^9jzG-E50m#Sf`NhC#&4Y}pSA}o>ge^h6nHa5#P4Hk0?Cw22{eja z@=~wOps}qy&1!d>o7-QzKT;CCpv43DA`rr@idm43%^12IB$)^@LY~)rq#d28z1FB zG~-jP!&=r;f}+_Q;;}^&y2npO!^i%l4A85P9niC73Gs-?)MWqUrTcD;Zw0w{zC90b zY^!Oe|4M_v_&5!5VTMg^Jg%cC=vyo$ipHB>Wy^y+S`i46-iA-ZFC@f=i^{NM!l5A& zo%Q4^BD$+RK!p>56=l+RGpO_Ll01JqpSnJw4Q`UK4&aZ9BV`gkG}vy_ba9#`sUxsO z>lDJF)+QLSgnC66F~MSC+eCq!Z+iUgrt@N-Wg`rT+*AePJ(h*GL+v(^*hZ;xNZh^7 zV_uhIhK(-v`79Oh^faG*ef4eN5F-ER;Jv~h+D9ML{4}PSXw0}fzpw0khE*1bJ>HLc zIvTD*6r1=)*Qx$j@$vT(xHVhj?bT3dn!o1092-7?i`a(}_n&|4oqYl8b6A?;`KzR6 zPuBta=J3Ocq#D!wI0oQCLR@u7GN8-`M+P$8HWI5*}3M2zMS^Lac0nCc<8M7Ko3p+#4}{&R<(bJCyJqMU;BZODSq!L8N+ z$JvYHcl9rSRI{=1B_WP{op#qL{iWv_mu$g!!(_*-i{_LtwTzlu<*sQ6yL-|Rd|!M3 z{j8H`AYl^Ydnuf?nS;U3h`inc55zYPPj5k=M8wXm-nwbY@bk=dL@)2%1|4|v4)|;_84=I9E8($ zaDJo3&;&9=wvkNPLV41-opFueS7^?}vDVoWTSbhs8_e*$KkV@G-~#*T5A&k0c>yJB ztp72nX1x*^Rr?C&iuXL>(6mqgVScCT5v}Q-Jm}9l{COZObYtL)7jf`Cc7`1mu^4@c z$}yW2@&}LACYdICYxK&wmB1jm_UO>`R#@&9D zKFu1M;x>a*i=xeu17qdjEB!DbhelETA_wZFBD82K5iACwYkG8%@hZ*ZEy|lf2!$z& zGS;)uj^SDTmGe}>m62&q@9m|^KP%hqZ|oiJUJu+61JyHMzPNduJhCn{2@=yz!=!ge z&wzzMvZV?_q+g^8t%{LpXvdH}bbkZ=-i}~=ykTqa&0nt-7AUn__Vp_%>=EW~Mh^oS zn|t6U69Yy9i6fK~l6srS-~txed$9QL0t|cVQOS(7I*$ETuebnF!jL`2-)Pm9*-^AV zeYLrov>Ns+Ph`Dz@4iORbGN$-1U+ zDKVe#pdD|Q3c%An`^&RtWQIJuehZ|oK?iQ0L8KVHs{m~N5^LFUX@7v3hTZV;- zMj^(@A*JH1u-hIF^F(G~?ctuMqv)%`WxS$Mhsf($zdX9YU5ZIyoD|uDWTFk3hseu{ zs=!?=+)d=@1G@}uPr{=-*z1S2zgW4H3-_rN8CC;@Nm~ksC_i(07JZ8I3zGSQS6ZkR zP^RCWvNye*8udOehPmg98yByj$BDXa>Fq{@|7Qj2Ig$Oz?yJKE+DKKvVOoH}DF}z}^U*PBwS;pyk8w zV$HfVtwno_k|nX+M6xPT;>7c_yK{K#{Bl#R#Q5?qK&1N1M96pY%*;$@hOkB*kJZ6n zLc)qu2gh3qSv-v;H2);(hR~w!?u17NZ6aBv!X>!{Bu2VRI+v?xeHM(=V@D837 z#!|a_0m36oZTp#m*#O0SpAhf?@3j5@<{l*v{|1w1Ayy}&i?lM-AG)5B)@gEVF~xO? zqEYu3L?okci>J|Mi>JRPnHcG)tAd6=b4m(d)dV@t2{>x&jtbaCZN-sif}d0ZLFC2U z^3OZlBK`bl`-)fE`z)$ou*V~oBW)urNVXyTSnR1d!$I2G6f{_r6x+n^F(s{h!ly4CXZ+1g?tuJF4tx7NC=3dl{P=5&I<_)Hux`rK9r#Wt{TV0_abwm#@$GLzch_sHgU zdF+u*5ZF8Is5tlm9~Mt!XASZ*q{7R5RylNuB(611uP8R08)`Lx&@7u*Q zq~7x?*pp@+8LOpA&Q80QIgh`~+nDeD?@#v5Mo^OA^*Lyac1B7EqJL4Z-r7(+ZfO_{ z1)qy16$FCm$TM7;!n@@@(gB%|!&{f5Jqtu8Z!)^qW_N*`7YM{z-O>kn%b@VW>qZXP ziLwWd<&MVpr{lj~@_7fRVkfRIt?mAO-T&Jf%b}3)gUwBM1r~3vd`S9w87UPyB~@9s z_qI(cy4FDf3d#By*@C6?;5YoUO_05LiO`qPvCRLWx#V*fvuHaKtKUF5uDVLiLbT@8twy&D&y!><+F*{b>}*caaDJ%!^%t%BP*n{jPTModq{Zw!b#UO8wHo+1*kAJ}-2M!uk#YbSQXRoL8P!}WmBi9;JS#{5lHN;1OFZ@Dv$Dzdt~?TUjj{?- z+_<3pTO$K}Md$nAvJnKS9ci!X+UIOu;Unm1@E1s^?h673BG0Xo%awRwGD$?DCS<0I?Jhp`RUyyh z22De^k1ENJl@HLq>b&B!Q)F{Ltb2+!dLjt?zg&qTR#0e)98-;>YtMn6U-$~D+(CS* zpCEn)4t0_9lM?WMP(d&rQM|MZ1iAUX2JsmHLC|#;Vi^ady9S*P}wpoLBh05p`6720V!! zd2ussHLR2x?E0q>6+@%NTEm(CMCs_aoo^8Gcb){bctWfa!PAKJunHElqv@I(Y1^%d z3x#_;#?fF=E~5$DCLhdVT|6PiO z39;DTp35B z*k}iIM;P)v|G2rnr*#uCg0qu~wV}3M zMYVNz3E%U(SAXW=E@%CD-}uzO5E1e4jAw*9HZZC+$ZK=^v(~+8-70qPqQtE=RjeWQ z{c?N?Fm@Rhhw&g{d~1%%`}VrW!z=UWFo;dgk_@ndf;Xsn4h7S$@uN z+;tY#)iMIohAGZE1}K^8%m$h1gTQV^frK?Hh7}uXnx#~!dT1J~Mwi?LH}wIl{G8!? z&ZHU$^zktXfa}h*6QND?Cf1*CKQsv@f@1G;T|Bi798uc4gfXeh*Xb+wvFeu$3b__o z0b=9xZwmQjprx^m+(B*1ANU=bBayBMP;^uAPcve=Dm}SJ;uyJ6EOZin?VR@eak+(N z2QrY~f(K$u8!dHZvvG~<{37$ovuuI$L2KNUfl=wXpy{h8v;7ue2Ine#ZSRx}5?zR8 z(COKFcV^n#cD0<{RQv?U(ndrv?y(0B{}O!_!3nrH^pO z-;Pxur(?Ef?=?3r+As=3qH5NHzNsvhEjioNB~9SgQkBw7#nv{R#iS9~3H?+oBDU1o zc;RWV&202`lWR+F2ZfO44BY+?e>FD_>h%QLVr?UfsXRL|hRxUgsK5mYBPc+WrPCbH zK6FIU^;pi%<*PV*i8p1s3Brb`%FQB#Xmkxo3s2V==s+g0=R9+G?XB5e#Qc%tK9&Xu zeUVgEX9z#+Dpf#UxxI*dCzlbGjj1xegqzRcQ4rD~S9HIlvR{96!x~;ay{)@FN8=q0 zSNXFuIk3SYrM4eNS})AAq1HhI6OeoUE4=EUKBfxVWLkijmLJ|uh>!9E-tF0n-p+R> zr@W6!ljZJFNo>0PR*ob@+VYz(-KUyBG` zk0Zw#Bus@bY5K8g8sd0pHWkK$frn`suoMrDClr@`uV8pOyr)f`t~;US?SYtog62p9 z85R8}9i?;U#&$rC}I<%m1X>AFuzc;17;tm(e&bIX2o(l2zZvtT2_ zpUyMN8LJiRHDW7GkV)9wg5 zr_DrG4|$HWCqXk0Ze}UlDsgy$_CXcCNMsA`d0mja>R2Z&4z~9i+Z)wO0W; zYWTyf3Aa6(Z!-REAY&KO!6_?`FIMCj>zrVotoy85&x>nXEy6iubd zC3EwS1nvs`lbp$drE(*++$rzJnxYrJl#YFVYll1R$$-)hh-JU2fK%8TlffFYqYtVG z?yQTNg=5hdvOQVn+BO6$6#&V%h;(HtX;C&)xCu)6l(MwE40$W}mBJ4CTKriE?1%&> zw}$+uc>mSWuEn{EZNNPqJtuJ(UV@xH#*0R-2DY!!GpYu50mGJb6>TrVdSd!?jU%sg z`EOO_52THf*%_#+^T&(q_3c@rd^qy@cQfCB!wV=elOG_o=-M(hRSLnzXK$2SC#Z@o zY=@faRWRIY8SAUN4Mrt&uq24A6m2EG>ARJ&XUZ5ZeENnz(B+NqoeO!uP4C5H^`d{^ zWZp!6>P}oBoc4?2791k&flAWu?)c2NvW~e+U3+q|LlsAWia=iy!7<*(MNeRz8pPbj zL&LEf?fE%PyLyMNVuC0KYAqPUQ(M-eOci?^z#6qS{qnQDNc5YzPsS0E*$RPEr@Wz2 z8h3%Wa!6P{?8PIn72Q!A={tjUre?52<5`*^i8HjPyY@L6A z9XY{V5$GZ!EewfqM-{{$mVnrJEu@@FvGcn9sjPifbx4~j48S2t3y|cu-`wwS_N7;w zqkT{UnyY3>xUxFVmU6pi3JIBt@u^h`e1qOr!(ZVSR~a>atlCb!$koJi{}@4WOru6X z7cXUj6F5M064D(l)7LExug+0_OuDG2u`ytG)Kj;zRhkK`5MZSO&W0RW)PaB22%i=} zAKL5l3DPC`nbsLh7I_XonIrxuWsBea2gN7}2Cb{9$7d@O0WV#E!u}}@TZmV|BYfJC zXz|7D8#KRhh8Rsf7i92ey+)^a2@RYGOkp~@Srz1^tDp$UXa8KMw%mcIF)VD(;R&@- z@LP-t=ST(_gcxZ4-S}u1e+=;-Sit((6t7N9L_R+c4~Nc^OwZ4wb42qLs!6RrAgCkO zmFxGS$7}jSu&eTLs3?5w1;*ond2k3mzAbawtIwL|=Nz@=Uz=93BzHkQtn@_{3}*)n zMwO%Y6q78%YxcwF=p=|I0H+1v5x7__Wq<={&YL7px!! zt7)qxfpPKHTo{zhd09c!n8-X}N#<%`1S3MdJ7~0E#M$Ts=RTdyiL!K*45!{|P)C_s z@y?W7wwcNH&rbY(F3A}VUwP}o0^MQO^^F!=pB>IvQZ$NY$p0>?&fSAervKS`zm`w3 zzWKMve9|B!M6a>B9?{5U5`gOaRuE;}HM}^DkXt!ZkKF z*C(T8t=e~ah=!xOC9Y}J(F5AY&8Dy#p;j(tKL5!sS9cnC zA~reW6sWW+BmgUx7XH_y{~S-dG_`=hvJJNvz1QSg0nF-8p70D0jxHJ4k>W6y&M24wh5yliZc6vhA^bmdl2fk&H3}9qcxPXXa#f6lEPPvT zW91&Q=lW>(=d=^jIgWj&IX*|nP zP_9_Wst3EuXmmu~Ih2PMe7kj`C^Dudu!V%dZAvMhlN|t9@A5R}zD1;U-}IBg@cJjH zzH%^|8kOuJq>p%M=_sIauE^N`Nl09SeF*53| z{=Ne0?|KZb&T|inK%!j8+eL1BZOQ>eDugBd-gtXiinzF%=kz3*5HL-ZI}ZO*JSO*R zSgd{DbPJ=6#TNbW0?1C;Crzq-^X2RDi&PjDbHTwV0v8^ggFm!XM@D5`5fSdKVO1i< z#-HXK5~PnkwA04l=H$^x7#A5b<*m z{#T-x!Ln10q37ZzHMg{pIM_WcX9EP!Vsb4*)mI5{w1_j`q2bxmZRDss-GmrYqQf?| zbvhv~`Dp+GkCn(!`1WaUiaz>ldtItfkYb917Wm)*8&UOiT(MN9uKuEM#cXF{Go(K< zktky>hr1ZT!*GZWA<4dNIy+jMn|N%2m4ot_0%LDhP=;8s`Og5>I|&=sj>&8XfGk3r zKOE)N?ou}d1<3IH0b+lJ4kGqny(Hol%vGtFRNiDkL!7?6QJ^E$;{2d(y!@iz;_lSZ zYZ3^^4!;MvsU+x1kXJN&!$BeVHDd?4V)LW@{WPvY9mI!s=LW;66Ae_gF;A5_*tZ{i zELZpZghAmQ>?<;M5sx~D3yPW4b@-WbdM_H;Zbi9m{M8>jRWwdc)`Y}~G>`|@UBoo3 zQuDtlG>$}fiz7cxQ@C~lY=fNcsIKdp93p+J_=wj~J^jXy5`J?W28(e9H5G$c_Ghem zFWQ`M%tA~b>f4r|(Kt-uRebIxS_C=ff=Mtq1jy*2yzKmZ@|8DI=Y$u}inKpMRA&Hg zUR(G^H9wvTIFk5FRqYGsdmrLUMff{(jh9#3Zx!|j+THmy1Ggv9h4|Q2b?aQleHh=0 zTB^zICdV9+I0bLwF&e11?N;Vbdoq*p7ADTVmzErSKh=B+;XCb6R?f z^3nM84w3_3+jSivW&(L6Kdf}cOqupKPm1Ok*;maY|5;!7$M22jM^x1M^35mcyi)cn zA|wTf>}S4Hug=0@Gh#?l9wW8=&Q}-mDLt_4JMh(fOl*Ck%BRE*rtiP|Z7pWm;AcJxBC)?O|eR8?|eFL4*jS9V`AqdE1R@u=6tTlaqZLs`tcG zi9o0JX3$e3Gv#sSMWeSyLv`Lsdo*gfXD3X0JZ`{!bk(du%~ow74bk{6V3{P^)=>e!V6XsN-{#lIx)1LDPL4g_uDiE#9$xj zdGvi^e0s289kGp0#X6Oo&V>b5ZPD6i=W3wc9&P@mW`6Dax9}HF)O@QzT>~uI2BSsE z)W90IY71o~qVx#Vsq&SqEZ4ewxu$QOt*mN=UY@#HLp)pucG_=NzqkE4F?k=3vS(M# z1?AR@i`i1 zX^vvV!?p^|K5k1osVOn0Usjjasa%$ss>E*NJ>|*3!F8@KlZg0K?hJhR(oJXR8<*;? z7sLud58N7}v8FXe%z;kbm2oT_gvYnQnqM(1?4KOJB=LX%$=t#V3@X)OAxjf+cRr#x z9DIo%$V_GreGZ^k1j89_n;{>#h@G0($BQoN!GIPuHK~fuL z?&I>e_@*b*sDP_rhz52_lei3lI&?H|MQ)YP2#5kU=Xzcv&`0#+S<|I+Iv`4>ZZDOW zVI0bqEt4PY1+i$=cOu2$Bkqk;?UkpkR`M!j&f$W}jb!Uj$ehC76ro3w_lGqc<6a2j zMn}VddMVDUm2|*n2sxW|0XL+n9sr=Cy)CAklw4%+?_Z{S9F1LW3i3=f?yPl`|DMyO zb+odmH?{ao_}sl(U{2{`3(1M}+>mo88q>vVML z9((cczR2dE>s#M?Z642Tp-sLI@bi+}4lGHrdlL$7)$^~b2SK8uNudMBd^JgOg2w{M~kOAt#cC>V$3VR+u*xeP7BTCuD;vhC}uD+L~Z1o1H9iY7tua+R=CcyQN44 zEMae~2`&ehj#$a2M6GFT+ECcOTSK6v`dGUhDnP}zXnK-Rh#1B^9W5PZB%gs8=r+>E^vCqv((#e2=o?2#nm?lNkJ#sw>XuoI-X%i&p`zc3#2^ zx&Tr5`cvTQIoLql430x+Eahx^X2ZvktD|I1->a1!wuk51y0b(KZtMDhP0{5S6Cz_L zu@Hv}2O;)X)9NuI?ds44|x74w{AaJHGK}sA#C!&n_g58i0}HrwY>n(0EBs}*g&E! z)6~_f@8-o?AB8FJY)pNy(rKf9M9=@n)?0@~*|lxoUMPwKn}BqU(w)*UD&5^J9Yc4k z)X?1}-Q6il58Vw)Hv$5Jgzv)ZzMpS<-tYb2IL|ffT(KX&eLsHv;ETXiiat$5&#C*T z&>j6ZC8xBFw9`foS0TBT`r^!`Vlr(+E57wyF>C`>E;~mqIxMfrasGPl8H0u`hmzYg zNf0>lJOSFZT<=r`wm2T`Fj zhi`uB;H%hev~FG^bvxZ00l-VSQ_iq(jjX&h<9y6yRwz2(#L+w1JSevH4@h=* zcc=7_rg=0&xKNxVkb(1S(A*ZZ;8}E>pvAMJzJSA<$CP*;F~S!zF#Tt7?+0&OoIib@pj48C*rbRI2AW6^Sh3<4n zDpQwMQsQ5)tKu>wjvC*K!8Z4Bt3fTFHhKM9T@|eKop_Yt#D^g`Mk(=bLXi{1p4~cZ zkH=FNKGW2eBkvac2dd+*ZR)+dk$qD>u9wXjYP(`yjVhryuv7(Vnc?~{mOT0-Q#YrC zHUhqYxGS#=C<7`dW6jMzgy2ju!zxX_xv_`2igcaTBvdafVklCDfYF4k-!|_`O^+d%tuteitV~T|%9O4%dwEOlYcEQ2mV? z_BJa0+e5B)-Qu6m17RD~R{y6~Z9S^Pls6QyN83HwSxlt;AoU$z&2w6J=^v<4oW%(I zc-;@l!&?laHZ141q{7C^>l6gGK)cv*+5`Vc$_GHL+yg#jkdFv;+_wpSk^YGp)&x31 z7^`Pr^X@oWpxUnzXMA;-UpSnS3-#(7iKgiVZrHD>Nv{4t*0r`>!Z@OE)2nn3q?Q$nMxh#tyqU{P zGCWy>ucBJLBNM7(Ba-Q|TGbSNr_?n4?r`}QzsZ2pa#F78Fynys-@C|viI9eEW{R9i zF|GxZ<`UI~SDf$NZ+xD`kGl^1&YfliE05sSZeJb)F-dhVZnu_>Y_8B>LSdwq6UJHG zXT#w~e8)&1Oc{-EG&Ge|MfWOuog62SREbDLw{|%-W<{fkP<}@)jCJS@U za%!ZUuI3}X=mDnwnue~fz#BFN;-uLH?1cmJ5G%c1y~FWG{TvX2#(fA}*qFA|Q0!gv z$cHUD{4tsdGPsI*zmxf{(X)Jrr>LqOM|L%ZUA90(S$CHG3r~yvre5t^=)N-F^yPkb zb1typCca&o68Q6D{ZHleI}C0jiV~-tGx+uXym7w?&%d^f{~|lpYIY~b$Gz`;qYP`l zQ;0CFi7!iKl_!-Zs5~zZSkN7)naGXfHKsgYqYT|8%Do>%lWnb3sCMwj&iABE56f4< zSL(z;VUp@Mkc;|~XTy((8Q>{g#+HYT)2G<9Z&v6z(Q2LasJ=~`a!QFAn-i2RA+J+|-?m`B5vs+>%LcF(Xb%_^Y+ zBvva!4}$QTfa<|1zYIp(M9TTJ*ISUPB#fYm1n5$btYr|ueSGJ9K(8A zCt%JTb4|2H*Ce;z^P7gjd#x>i!_$HGWT$| zs;qioua%G9#8=$S0R_8l_lRnp(NJeTuc$$1x!K;x(owfdM( znVxS(n9mh!{uM%;|N0=J+l@+Ba^x6FcdcTWW@*L`3x7@TM6s=dgV#sCx*bH{w{7CT zf1awZ3q_cFLBK1cEjQ%$Si z8OoS0)s4i}0CQKK4q^vRnS6TKvC;=zonpj-TW--4IC^zgg0fys-%?y${Lix`*&Y{I zC^R&d1L06bmtI$H?eXJ&!uX!0?ad&{d%qLrpvQ1Bj8BOmgZ^#~6aVGzY`nr)Oj%+# zfwq{>9Q0kzYr-PMmw`NzllhTLCt*MgelIGSQx;hHjNibGB*A_n`{fx(I0QF8P#_clwVO z?lr^MlWZ7JjqV>(9wUA4bWNQYBM_J5@e~!rF!FJ3AatF&^`C#GQE*-alk_6={!uSf z3`oI|um`JIi}mUp$WZAPpvfisxI6}=#ftpg_K`|VTS{024Cb}*n*yAi&;@c4_csX< zxMK4^m5gyZ>cq8bK*j~DGtgan2ovCT&}GL78;)Vt7DuysiR3o!+&CZdt0_H^Ub5R+aVB&waA@9O$Pzd(tlFHBZU;XpZr* zaUjebd!FEsKd-BI?+IE|`tkh5IQsA0rcb9auYHpn+c!W54{zey6wb$f#V$mi``Iie zTz(#zw!Dbxu`bNfI&!a|lxM~`XagOrFmrg)5RQ5ab+K{3yayUQO&zj}otIgad zZzhcmE>X4MAXIalR!smo#;w$2TfPXf&vx7*MiNo7zBB+%!21}1qEfye56zrZ?k`}2 zAkd8aB|3#zyZMw9W zzC521F|?WZBPI)H@n8j20VKGd{r*=JT;DdQdp(@rY5HDvk2kGUR>-2Hm(bliw;NAA zGQa*C@=THBhvm=6P!D1{Vlf4Rom6WB5#HrtUS+yuCCrHI_bgVd(t61g*yjbSo^*-6 zx-jR-@n2J>J#NG;yZkft1|OWsW{;;UP2!7Lm~3hNPsH#yMwT>qb|SwW9=rlKi4z_} zOT*-`e!x>%lURKVIA8`ZAM+jUli21up2E>hfc!Dv%Fwm0~VrhKo? z+)Qap)lWKyGOLNn?y1cQG~gvj2|wS<=6xZGDXT;@l4<(%e6oP#xdbvZovt!hTgf363;H?f_h~XHbgykVx=OaAp5O*SRoRu-)WZqfC5Fe zKG;&Gsb@|ZoYo6S%D5hC+tkUW#zI?J;O$U`L*r9&jsdx$!yV6}gsJ5wd+C^cY=egH z8d7_EjVx$(&SA=LDppGkkaQ|~noAXr7aJj`oI~qElGj5Zf5yS3e#T^88s5$7P*gv3 zaii!EVA@-?nlgm;IiAki0I=;;rJ&9r#MyX=|A`MV7zuQU%RHD&_Y2R_!}m}QG2zW% ze!LZ@10|YT5|RFAY`Kk^;!6}8AlKm;F;T3wYrHt*3u>f);7gsEn7?bg=lR%1HGPwA z`pfR7&Op8Tgvji;k3miO8NJFo_iH;uDiEFIHG8j#{#Y`ew8E$AxOe_ zOZTa(XTI)5Cp>&!*Gfd*C$7Rv;KR8w{n?_`m1dkBs%YAp_|RCi8l&K@&KyeWppi+J zdm5v;`kmOZnG@diQ~zwo1sp=t-t;ERpAy*>X_^_+MaRafCMYX#@cN~v8V4$c+`&C$GVL*iz7#fnMqKPvM})g*$((y#6-jt0x`OeMbU%g^)x z`C_+tT*P5x_+n@$4DtuBlB+A1B+$B4cn_8ijk zp)G3KFI36rezq5dwym-86Vyago|6Ah+^6UEe58TX^jo#OCg-BmDepzvv86AN(lc?!W zZYBGW8NvzS16tql-sOFH^(W_J#M%j!mX9Z-fRmNE*o8QVkBx7dyX6bPu1@`7C+UNG zE6@QR=x#U<%#ebRTa%Sh(*p3oRq%M=bRh!jQegCu#G}F}dN>eyo*o22rD+O!QN=$i z7JVw8|J3jJR`3Vi;$um}Ag7LJ_Y&eqT}iI_7Yu(vVc6BKgu~bF)#tz>bPW)mneA8< zM+rKUuxS+a%rK6eI(k%V)`=RpM9Y}#nvR9go)smi18P5{>cMbk=!eU_DwW&Sslv&v zdMt~>FeinXAhb(ri{$E!Zlo2s*cYCKdlfcmABRw1(LEP-jRgk?ZwxQsr383)c_yR7 z_GJYx2cMkWYv#dLZRO}$2ZQv)7}vV+I;J-Z?HG}Ks9tE3s+s{faUd)=npFrn(SzV1nnb{=#^!`tl=8JC52;`pZ5yDccHcH z(f|w~SqWn`%Ks?~3EMuBUB3oCJ4;X=-xVs|MxpOZ{3-_xYVzjfjUPC_cpLg%mx}%w z;U+^gG3*Qg!Y@oloP&OA;k*pdZd$hz`csqSe7M2Z?{{@>84-V32G3^7##n1gWm@Z%l_=VnI ztyW$LqIyZOVm&G!n_r(G3!lgp2l>{ z$U{Sr79peuqZ9K?J(%4T^^YvR6vX0YuK>R}gR;K2NcADucx?K5Dx}lYx7A3juV&EI zS4Y(Kl=iY^M4)W-(GtPWYu*5lJnmXm z__(IV6D=#2az1(%5mJ6yv>7x?b2X2MpPg|V+|71<&c<11O#R(arHP(}+!}a{o#>5w z)PH#pQs+xR&;!veStXH8aW_Nhr0=MwL>eJfj`GCh4}m&Ici=&><~0D{r@!Cy2mnUt z_b6G9)uGy)=QGa8Eu!^M(DrKlsa0~03#56{>cXj!ATYD4*`D2bdf#tuH2p`^w|HQ? z$XM3q5CFDZz{36h!rLQ(vk{5+qU7GjmbR$A5~%Ot?*8ysoF|=a=vNkx;<}KFL!Ic? zn}IgcH_~KWy~^^4FhMan@#6U27^_P#VhN@(*E}ro+K#_KQ4U8x@ho3S)i? zK|)DwF|>IPP#c}Q*nOR6xu?T(o{TABFDIt**3=&a&&&^^Kw? z%TaPEoKoK=Co>%ish&9WiO8{Ore6v$Q04djSp9+!IQhF(V8 zTmgn?YaB{o@W}5IqmMJ^n-9p*1OAInjA1)K4Q}h{@(Z53|3=ER-wVB^x>=OHNdHXX`d_J95R23=GFbz+m%-Yih^^X=AV}#N&P4VgTm6dQ;=Et zIfbznW_^2WV|TL2YyI?NWwfhsyH)v`dB8!q9w5I<6De_=pMYI&R)FHgA+?Js-kOhY z#%t=W@ao@=HR!TUkYRV3PcR<427B2LWt27hYR|A-qj=16kLPfNUBiK^|1LQmkFnoX zZtLLTRWhyVMtQn|Nuc1O#v9nw?`)~;fgtbByu4s7XsS=+ZVsYlOcnK$J2`^7f?nq#X*A*{Zc^3{L^{IoJ*%Atq%n{LHc z-lpe(jiYd^RQUSm;fi&B*wo7(X9!6QW76od_68| zL(}+W0$Gmd-eKocnQ;{&_WT2M2e?}~GHnD%tYQx-dJ#DemU(^KCc^#1z%>xa%}JH; z)4rG+uEE z&X7^U%jLG3583q>U1p1425A0oU`VzUYV|W03SDtOos5!FbN2EqlCv&#ONUxbmM-K% z$r`YA@?U2At$>y>QS%l;AcH0Kqp9D;UbpBC;kvz&Mw(c`Qq342V0y6T;ehJ%lE-u@ z?CX^pOfh+N)bbhpXEg}08I)TPj^3(Tmn_PY`=)9?3CDY(Z5hQ}FrlwX$e0$&9iER6 zo{MNt;%bujw0IVvuopUaJbg*{?rLhP2(hObi``nZczzWCC4PZvuCPk(?4(Rc(-MXg zT%_PuIOz_gS`PgG`8e){ZkYl#%yu^Z82wa-DP%A(GURS-oGI#LZAmw16*NLaNz3`h zt3E-sll33D@UtuJ_u|OgEQ2bTwpU2*Q6WN`nS(Z@VJ{o0+s6mvY<6{B9n(8{ng>jq z&4eHbyK_7a2;i-nofQ<3@k#iOw0zwD=VP8;x=~7%W!5F{x&ZUttcmXV3GxQmhs5Bv zzOnF+oy3y+koCTee`>(1IAfs2m-jZZ80eny4hg4?#QLu1L#6vQ|F38oa3)z({#A|C zKCdy1LI=b{IfvCx6VIZE3fSlOtXo?E#B})qp5I_UCb#*!R(*$ySnT1i2YkNMC4@zb zB?y`%klPh1X);TOVwP(w1B;J_nE-~lIo|R!+Mj%ypJ5H$rV7?WdQ;$ogD55tjoFJe zhfoUWVXWK3rXC*(M}X81CzPT)w63#$B?%5SM+guRU|ecQ=HH+p*th@Zz$;^_-Ch3t zHCZdcTUN_XJShz1+fiD;8xkbN?f_=jxsVTWa@6fg5rw&P~O|6^?>04!-YPNR?R5Y{IbGrYNcKc%N!zV`WR+0!MxQ&D`7?`RWORG=nIc?) ze1*+QVe_X5x||pZNL(?sb?Lo7;z>IXX&cGKqX$$mleHEwE$4mS0 zd~EJzU60o3rq!uFQ(Rm03mpaC`{{YdRsk(}`&z{iOPBdSwghU3j{$j&wKG9G? zIl_u;0no1FK>(`V1yeF4eL+}@#~Q*WOZ?#DVnp@iRd$s+334}^aFA|lKRdd?wAm(T zm6sL>)ET{t#49oYT7Ge+D2Gnj{Zr1&T3RVe#GBLlc6wcKLw-aGz^(UqS(r2i*fmSH1bk2AY4we#DE0(^_$B#eo0^6^J)*Jxb5 zwJ4Rg{9eLlwv+%{E0GS+1aA1k?fBNw zQS#H`02l4M-m}}1p`MQQeEtcn&TWRkK`G;m&lZK~WZAi~#HRea#i(;_ZbG}~t0 zz6S_wUa>8EJ=5}fn()@h$h^mno%>V$Uuj+#?B$XFy8X1&G`gXBxe3JP-{1ZW{#mv9C&}Nf32Jp1lW5HBY~JWdeJ&jU<0ki>2+1Cv z^DH7kJ#7soBBo1K71Z0Yt?{A7*&i-K2&21tTBJin4RSUwk%|x!w;xOPFkH-^K!oi$ z$-zF7r!{#wCF1m@%W8<62}~+Jgygb9P%yB%fFvH`cD~r|mR{HhKM|_C$yqYEFx5s> zHphaa5Y;vx-<7;B8_aYf^TLAq)jnqEuU~_;pYp5fvH~~15gw!2VMC;e4khpE8A_I& zNI=E{Wj>b%y@CT%L7TX9Ub$bIRn-L}S&xMZNdZH>B1R`siRQRmx)E7qhH|`W()`GW z1sWUeuGDyFiSZPlQU(Ff^1?j1@m($lot#u5KdH5_Ez7#$dBII7#7I6bG*QVxeJB38 zbW1Hx(PaLuu)?Sd7-ih$c^Oj&cCKP)O#d|I>@SXumXs7zJWWHVV76o43|*t(^h*To)riV~W=&seCTJ+2b8z9n=g z=D%6cvX`AElQan>A!ZebgU|@_854&6j#}$2(Jtr7#v3r_Yt2%^v|*uqp%$HRT`?~w ztrl?26qpgq_@-oP@f^E+R>agI+1pz=AuV}j93-f&2eQlFiuS(+9=H!((}bVkx-i@p z^9s1_AXPxLm=Fy2&#MtzWameoc<11PfA+c#YK73q;||B@_OsR3!ZpaH*%Q5Q_Xpi? z@~2D61a?^pO{mYugnwLg_AZC1elKY)bKB*VHh(}f(A&FEq*kpZx!140*-ahP{7x!f z)q_PnruT3s2MYN*o@!$LfI4mS5nPjK)R?u&1!h7vLRMj*(nr?AAcP4^4a zOyhZ(ns7hMxDICh^_%t05ySAWu}85pnH?T6D!=kra7)3r8KLwzE=hAu7}d#h6Wr>{ z0zhOCtAD8WoTg_H-T@@(b|+A+71&jeEg?x;0-aGcSn3Tk1SdCRd1~q}6iPx}#Z2~8 zDWXD6VCTT=Zt-;@S2cjKoK<{Qq&1Qtrlgr_G$0xjthYW)nyhnz?6Gm*p+*1OmgXCv z(+Qh_`rzy8U$%zKLSYXN0~UFQJv>k!#`0wWDaa_Afq6@ZBx&ZS2$$oSk3``=$;dyy zv9TcEu(Yh|$y!_SLZ7eQrSsC=>4gu1+x3F5a+9hDJ5e|77P$U6xPzaKGmG)(#s-i&mz4yrt0YOlgY`bXDn=JHElrymxxPnX4pg*o#3C6 zf2tbZ-b#q3R2S`0h}SQnLen-xcA&M6h9of%rA7I`Im+B1T{vxRv}Q7h%faA#qbm4} zgtjOtNQY*yb!Tvkp$+%M_OufjZvpX)9&Uf=!n$2!>BjeT*Wk~I-MBA%arzTphLF_p z+0YNC+Cwwq_Mx85#lqJQ*bB9xu!U8bLSipC>gP)jrbf#d@eytf_UzM2Jzk(*EQQX! zD2Ig4OUf6t+6^}>&m;1ndP^IUs|V{2j+QBDGH-}usx;%%H<8>r%*8KQi3{Bn`t6Gl z_*e!adkb=%KvA|&iuG{+p3SBL0cKusOSp_*X$_o_YeP3|%2<06!pI*+*uuUjXD;{! z1Y$5_hW8yBS zMxYt!#gP8#l=y2&=T}aVnFZ|$?E*Ifu9x^+^l2?B26%KoGM=O22+sgE3D+WaZYd?< z8U3WTCc3Qafh6s<&SFZhHC;2Go7&CThGjNO#VakPCu@RQE_VA8h`=L$PC~YJo(z&} z&J6tDJ&u#Dv?jb$BHLDwR?WB{oy&tZsx)9<1yX1+q5|~*A6hDOV$Ow7*l&DvPA&D^ z!O`>rBG84r_&(XHR&dp-U5Q{p5W}23zei^Rf8%m;7&k1Q_qa#Qu_Xr@DsaO2Lb%`d zRVY-tps<%+BHD}tc?>RVwNZXk$KYJXLKM{rBAwK?nJ?af27Yh>N&l|D(MLdUQpVIn zv-lz%<`CzYN*p`=zCud9~|_S zp?H6amh}zORYL<0u^ia{4OD#YO?uyxw<#dxIn5kRqj7YzD5t_Ioirx6fB^{|Jq1W0 z>c+cZ= z(j?%pF3L>`Ph+kDI8oo`y(eCzDvx~FKur*zu{eQKF+%<^(6v`5TWz#E zT1iG)Krg_lt>-2Z5?299mSe0~FN5}w$&*>%9;?=TA*~G-NSu$$R~6VqrJ0oeL^t#k z)DC!nMHiP!vE9R&ajPmJs-{1TM650WTE3S4jboo!o5-8%D+V_RYP)C?lSGto40^%`{n?E-^YKwHT^vS&+ovKzeWccrrwgc$KIcI${CLCMA&@jLTu47w0nj=Dm}yabbobJK+e8Ee*j)d6=xFwLxkq$H%3QT{=x!zBI2W zZDj4$qeN_q5c1-0V9xz(&%YG9EpFWLNAzo-DW*>c!#{541;x+?(X5L^MLZw;EZ>+j>81c^UYIuiP*CXUi@bW8=Gj zHnDN2htcuxp*3@!py=gyD6lgCX@KklA7<8W6<)UYDO^RMno>4#hw8Le;9VjCAI^^~ zR@ z8co0u+WFWy#b#hU@bCqh}F3(g|r&s&LS5da$%J%dbW2pD|l^ScevVdKu}` zdkCUDg_!^feBR<}zwG;y>4)%|Ga~41f|Hh;k#k{tWkup(B>L0QVy{irifG-QS|<{% z?4r;Uk>|{v=FX2TICL)MOa<7xlBJjnEZt4_fcI`sn_ybLrakK8py1+1W0|Tntb>;} z%9au5ug}M*fy6G(8?pE}>es~@_Dl{!cnc1rF>~!kHS5e-7SDXEwYD)Y0!;Z}>=v*U z6frBSmEXzr5*GI;v<*tMd1=uUJfHwh|8Wt$oz0$nDyxp?g8VIqCZakpk5{|#Qmk|j z#%rxZ7(Ya0oC6^lh%l0w=OMR=4Br<{1E1o`7#ZAe`zD}83dm?FB9N>AowSLalKyP$J=I|z(hN^jODPIbHr1c6}5*X6U^htKRS zC5-Fh;HvKOc}7Qk1YM4C>b_MDR>xZmL`@AdKkTCM|2< zdL2NgRp43qZ=TRaD9B~Yd*oqg#E?r^^3ob-nw$w=m_|uF)g_UW{F>!$8$+kk{<&g6 z8I6KKI~zm!jBvMw)=nJ`@AVUqT}Mu^53T|NPq8~foanMzH{}beVl5(0b~=4&4aSJD zn^Pt=WA|!jq?ea>vt@KG22cbHkv9 zX4Yz$j?^rDJ?+NcWU^POH5Fj2KM_ycB64eqf65bZ)R!1Ccv_`wI33+_P7BUiD4LB% zVtc~(z11gn8+nQ2y!QM4T)i0xtN8f|9tt(JubeOAqvt-+$kWxrWWZegbwCc*!N8CMiE#U9d7`uQt zV0=#8cp-tnT5cl))MIAPd}t`^D!PO*#vh7h$X8UUIsjumMGVS}*>RyeWm>aU9277I zR5kOLt0n3$+-Id4CLXgj;eIV4)fz^_0bWxJ@l)2L_`=4m<_T^tjap80L+rgM*KCRI zlBI`yLky-3Tvr<6RPQd8#d=FqBJu-G9CedhNEvTjZ{f!JH-)w`q+sAF<6rJ zlr7G5XKWwr2y7e>A0XXRDU8splIVm4Yhv?USxknw0rU3arQ&t^;O*sX@#$A_e{Ibk zgDVaH{c9Ls^Bc1Bj-K)4C7nNq2J!=8k>nEo=ZzEK7$`e&?$+^dknjJDAxK0ytWHDS z9LJxu7$b(^vZu)@iAC_(xbdRU7?Bj-&rL>CAU07kPla-~+mw=~Ttjt6S^mjb6Dj}a z;tZ$nn04at%Q~{K+*N(#I2hRXXyh}ylR#6ze^|oI(jU=@MiZ2WuI6lHeW&tL^2+(F z60J1wma}d=>*DiW(etQMbowW8Db^4aT^zsjmu)SvC%g;k0gYE@AKk35P2{dIoVBx{ ze`iy~$GYZ5?T9JM5EAk_w?^iFoc3d(JXUa``19&#m>Oz-_y05>uGD;w2llu2Ti&puHaQe)bQsy+dbgL+x>U(aH{)jTz9 z%7ip-@Zym#1grh7vz7tw;lr&CE@yLTF9rI>(Yo0yBhmzN7%v&KU}JuRLmRE$YZ z`9J7fs?(Ycdrhdc^f7#bOIisMh8W_1HL&l;(LBR;$l_GIPfZXSjBhlf-YBcIKXa<`Jgro=`{nqKl`r}8n|EqYp%?W1&COLYfRdoc~!w;N`N zC*k}sf+zPnqW`|3CE%R(i$!<0E}t|0xVK&P}~&K>#g*-cX?(n;7Q(-?!}FXv~X^q=1YL?p~`KLna- z%3sQpG0?M!(fA=Vh$VA2$a4dNrynbl62u-(KBO40mkA;|EK6U-K37cp&ZEzgwqH;Q zEfM;R#@nMt-#Fh~Lk;irZ3N{Rk4Utqb+cflQ=ML)w#03&Krku7mpy}IEw9SeDUJO$ zg-K1rU#s(}9hJHxa9gp|^gI_q_2EBHj7xYKy|GfF<(#zMh;=J>Ke%XGxPQm`0Pp_0 zk;?EaT(VP9<#y^NC0k~h3gx*^CqIG|rqVEr8r;%E19ww5FiY>Lz9I?G490ZyS=~P| zNs#v}f-P6tf7s=Yt~kt&UQCw;>Z5%p5{5Y7Zs4M&Py z^TQewq+zP5Js!{1&h(RDr~W2hY|5tyBJ;goiF{QoZuf&Pr| z1vNHvimdU^`aqSSZU~8VL%ojUF`Ndu(+8ZdQn(hqcAh0dKvqn4EEAivNLx2xIZ-AzyUzsBYv8~vur zNnU=pIYlpa&9J?@Ze_4tz;&(eL7;%=P(s?o23F zs_SkI40oBl=Y@IYjrIb;a+fCntqjDkJ$=2fPPTzt%6A03chL*`-!hlTn0|2O! z>M@uTr-|^Hy{KpbX6{qmRI~dHW-n02S>qToEkHMf3I0Y%3ZQ8SKQi&#u3^nj1vlB@ zRl9pHZcSP!21hAM#u=#eeb%0CClsk;Hwfyh9Kilo*Zu>E&U@bQ&U|x z=ifCe+SFNBwT-b<6~8st)b2G9z9|5snYQ;tVD{Y)T3X~zM~@zXkMT42o-&$7oA1aM zCw6}Rpc5U|FI^r?r!dx#?~8c8>q7nE2O-eVGJ#t6)Q4XsDi3|UK?KvSA!w#rTJzL$ z!j_}1J{E60CP8ced<>*7G3mHC>^>b}Gkh+(D7&fjhXKGq;X zNMp39jo9@qUtQ4Up<4|rV@XSS3Clwpj(5!B32UvtENX4EmcFbA82=|3tqgRebwhWx z1^q-b>X?l+x&=X@&(_Yhx?=o+SCN5y`vhK;bm)>BPH??^=9i+w4U}{*#azUe^NUA# zk@<+6uc=vPBy(X;hSchIrLLJ3qk75>FXOjX_Du5RBg-N`e|fh_AcSGBP;f`l?Jse1 zeH6Qif4{7FSLtlq#M@tjJnwv{cE=7$?s2bHL_s9iG1Zg^0jjQVOC42+FMB7J5;&qN zoGE(0OsB>fw?8vx77+!aJn#Ml@J>ycIMEwO>v?EI6JQbP;c5DHHz+F$asdA`=%goJ z4gg`@hBrJ#>1tMlu_wK6XFKI3H3x@;0hNXY48G;ES3R=^uRSi#?uDS}hZ_dL21RRU zinmtUc$`&8pv2H9D&ks#(2jnek3~n(B%VsT2t68TP>4`!q4Wk1rXG z%!(!OF;T%nmWcQx_>Ya!%U*rYfIN%Q&46dX+{^(}eeuA{+M?}XgAt2v8Q%y4ve2Sd zQC>%E>~bhV4a;H6RFKt^XOBl2d7sq6x7zv^M4ZPgT$E4oCPG8M5nIle`^~+KN(_?{ z6+2K$+Fp80yHM{6SJKZS57X&724CwmQnGct^RWgE&rK^O*P+g(Jn}XbR6!CjU9-Oq z&=v+&bo3;E_5e9{uW!@lH`WOh-MotTiV!T2BE4E2;l!tSPQZ0~Kg<_t%dx&?dZWNk zyII8#JL?P%LCUl-Gs5+~Q-e@5dIwWLh>lIYbS0ROQ=O-l2EgInkwhwBB=3~+@g8#= zWddC1q}}-;@GH;!vHRrp!KSi3*u9EPyjCc1+tW8@TkxA$QXvq z{t5CO1`R=bJtz7CO(j_|9JQ=7MvK<@>0R5?b%IZKeY9`3gqgSsm}ZlD?G`@UN55c+ z*kAJY^ffr>RI3)wn@gOc=()yu_*fh-M1Yh8F`VFPWYN5i9*3$8x2fTQG{jilPzuN@IeweuY}QC<8E;f3$}LV|q4Xv@J1=OpWao~Sgej9RF{NQQW!kM(3HT8SrNBhE^%(mf+4UJkdNu4qX%c61SlT#hAZFGtoPZtG><(kOelKS7{Rvf^AJ%%fvfuC*lzjx*tTF2Isv@#P>#6Vv&h}>K1KdZ3e&0ZQpJ5z zLNviiSt3}bz3&6$fjrtR3gl6~&+joITk;4c;|)DdmipL34g716BhY%NJuny*Xf4U1 zOrI4vt(rlERhZ-JjPYCNnP!-$lq$ZqhDU0A^CeYn#D-o#GzSPy0YCG-g$A-Y+6elZ zOdB1maDMs&R&7tm7H{jSAKDuQGh%D#9_97+0ip3Rn1mC-D@kVg;WC6ZGKLA|pUJ^{ zssrDyL5I_c>hXKZLRfRge^&4DIZ%- ztyM?bssd_5&ptM`u5GTSu&W%YYt8;ZeTF%F`&EeQx`Cin4O46>$0`s&u&MTj8YNA} z20oq-+?-OnXz5X;;m1FgT!0mJPkQYkG#Mx0&~&*g)rbRsmqLrivOGETrxqkBful9@ z*-!3>EOE%$mW-*K23ED$({RO<*xc2n1BAs zz2%G@%CA*+wPgCY=xr`~1HX-uZ5wxY^2_B1A_)j0+7bRj@1j=;?6db+BM2#~vi;l^ zgktn#Fv=m0&CK#Dx5D77o=@I33dt6{V!p#&D6xvV|25Hx{y>y=8cAS*?*#5&$KzUTW2w=w9FU;hfBYk0W04Xjn&=|lI~{bjg&**{VG zaD0v0?xXfVthF8*;k#LQ1P(=}K#u78IS4#=;Nf~3ywkb-2TY~@)S0T|k7bd-n80Z6 z>&mXG6-oW~g{!mQA>-eN?VT&OgX~5Ts+y8-fJB)l-F$Y#;qj48w$TI6Y8QZ>EZelt zL}DJF;CH^tc#ya2oy|Oht5Pq65f^DaYgCTsoeNX$NkrVi4-a_wtxpmLhdbu1pU_Rm zc+URr;D5V8HmEYiA5xmT*Op;DK{h>N5-(8)56>r)l8S#>T}Ty(w` zzYBaeVF|0wfaw!tejpG@R<5_NE$KpJEz5Wak-6p`bav#njx}Gb_j!Oz*WjAV3rzi< zpI(IiS#nCt_}*Eh`E<0$c0C^R@fiPdb@K6L6}qa}+u@inNvT2%t3*A?Qdbh2qle+~ z61{pJ*glNIze{bTJ(zF4A7r1Yxew0N^TCd_BnznvX(%bH+n;KATwUvdQ(LtnW(Ju< z;DNZD1NBB<-i!Nab$uXwu2m&$(n^!@eyJ#P6IN|>G!7whru52xfi0XEQj*X0z9tB; zG%(&KXqRBQwx_f6VzFw2XWK5W_y^|7Xs&TdE!0wa8j*goHA@$%x(6;yGtxo3=Y$#M zYY_O4)5_#SKTShrS!_~`y)|W98MEi&Eyj9d$tO+hj;fER;zb|NSzp21ewj3^pQT4oVSv$Hd4_)9JME_Dg6>MaTMqDZS4P+jh4C#J*bBmb4Fau((8V>buJv zZJa*b*F0O!GfZP_o*!o3@{VZr27~mUcy)&VD3%Ab=Kx?dYGrdY#1+A_P$-I|8%bvg zscVe(I?ms*ht*-2&|80Ht_wj{*QiE~3lW8%Cd#vR+HnOx2TOf+y`?C5og~ScRcrM1 zsW#K>v3UDaDco`-*)pQcro@orVKB;!_&s#V;GfJw$b?sq>b1p``Hw7FYV4`IDwdXI zpl~u3D^|)Pmz1gp+UBL=TsU=NEI%JAO!ZJ=!6Z$R&+3R@oE_TF}Qm0N7efcT#I&#Yzo zPrv(icA^U-&G?bI4Jz@ff^mkk0nwI(IS72^Eeb8$RSV1y8;w#hP9mYFtI91bk~w3f zxzLhb8$Fu$mJp!~iwpFhZwSOoe&DafR;lnGHt16{i{(L+oNRH-;dZ?9G50p6E#01_ zbSdujirQ!}z^^#|4P3t4YOxnfW8$G#Z=pOGJjq6)shC9CDEGzs`9V`3Dy6eM&M~*n zJ63-_6rQLt&HLDE?-nHg-**>S{TCSfpZ<5CEfwSDlx{U;JLf-^Lb*%?law!=X!W?o z148?JP$V6L^$&PjK>DA&b%pfQR&*D4^IL6AE(t2P2;!xlLScOksVS|rH04r+(M#k| z7ivu7+hHsaO-~rFJth*@LEy?grdI)4eg`mxf@VBhdsstTle~%nJiX49j`HR*nCVIcnZ3NIfHh2hUVm&YKztXG;q9iv)&Ah`A}bf zdXfRmqaj~(%*z?ZN8AHq_J*2rmB`p@9jMDiET%=)b6*2JYP_OCKrlbhA0CJKnB1fk zV@f0&y6}((c(V(<>I==cDu9ZWctvsZ$HKH5sHeT96i@A^M2venbrQjjl;vX{m5F0z zj!98G6}sNT_W%A;zkP7$62lc@Q%1IkE) z1dbB}?lyB}1!UsuAjnVTOPN0VjXFkEU)lotjCQ%o`Rf$%q_Vld-{84UvbjW(H8Fc) zD$xcL1Og?D;teQ-CG9}%fcH^tvvfq*v3T0!nO;XwVzh7>m0P^ZF3-*|@~`t4zWGD9 z-0T|{5nQbNlAw}b7c&9>C8QPo;;paPXM=LbpF8R`LUnA{v@Ader2kiQ1yK55?$*o` zNar8q_C!ZK(@PQteTc(^$mM$R#NqWfpfXxmLG$Y5f`p7l%M&?|1K*sXE<{MLU*xGG z(!S8XxwSC1)(g@s2 zm_ghWV;$2bXf9*Gbp+6LCJy=A+09-x{D~a6u31_fNU>dZ1ac2M5!j)@kOOfK}7e*?qWGS6bAClg<1ig z9zcmEwqB#9C6H4dtAzL~r@1(0(a>U29XgOQfOYoC|BlW~5yKSwvSrUzc#0*ZQ?}&7 zVhXo)j`7Xy`ZdZ@;tX=+=HX7iwf~V!ZzlTU&Ke3SsJ{TId`|u~S(<_ruDSD&Y*&R2t{F&FdXiV6VFz4*b? zlK;cjTZTp5wd=!!?a1M%G{~S*N;lFX-Q5h`DJ?^qNJ~pIbk5L78-#RsDLJ&j3@Pwm zc;C-{_wye6n;#f|E3Q7z>sr;uLXU|_Z)qu2w}YwT*X+5Fpb{zzy?|*qZkiS)Gu3CZ zwSm5w&pyXdMq9Yw0~atK(Z2+Iu(pUvpvp{+3_&YZ`=)zscKxu1&Wk(G%a z3$}TDC+ncjI{a+l6LHNtHr6m>9kd>28v6XO{sBoTy5+d_2oq$cJUm&hZS(bOlEG>G zm)l<>zDXTA$${QfQNcPyx(S6!>+c)(&t-MMWNIoRBB)#ljX^ulMBprCSKYY7HBU5bqV@{naT8<~DF zVGZCie}T(HJzW2-tY^GBiO*dgWj9C*XF&&t_Z~l#ocvCs=`NbsO(wTfDfPa$ zLh@@ZRgNVFhC8E=Zj&X%MtNN=B9`a~cSZflpLEZQ%q@{9&FU|1W~y3Y;NxEbpmLoX zEUtk$m*H|cXS#&)Px`kwb07;&LH0iEo7`%1q8_#+1ti0eNVfeqBCZaBVEh+KX9IKJV9rlln(*0_V~PF}I5{-^}Lv*W|N zF8Fik0;;oiB9y4;fElmKZ>I$>d0Y^bS$9cU{(UraT73yyD+j5MM(3CIF|yMANU;F+ z?n1}@-t2vQ==w3MOwXOtfGMNe;GQ1uMmTb(AP~+@W*KG~{m@~XTlgVe`(qIA$a*L- zVRyk0!ZEG@x*U$-@A4u%ofx!u5o2bl!t+q&st_%QR8BCLA$-8V@~67ucg>}$rWbF@ zY0J&f$r7w4Zg)XH*(wy@|LY5*>w(+fmeIKX^{QqIS>DhqZN}bf_F;(7oJi<7J;KzxU*%F!G-V?9a|hMcCguIW<0} z`N&YiTlO&#_u>oVUe%Tq6#Yz@LG=MWrSglXQE}ul<(C&0TVIo<+;Dh%?|OOIWhr>` z>ziz{A?$?H9#uvnESrt?W9Y~&^wt@P*!#r7Q^bgRiT}QS7vp?Zm6+cQow|K1?rAHA zeO|Er6@6M7Yo+4XF%I+_ypi7ce2)CD#aTIMBVw^(2WqC~Hq#?Mh(15Q9NYvu6DFqBB570#SD;9#c#JR7i9j!hKTbmH)Nmh}G-Nd( zPu1^1U*e6hvA66*pRBgFj)XE#(|@`Id3FnnBGJF11&*tbK+<><*4t*xNE`alAWw7B zi?v4IxC}9YJ%e3^Ky(@-K9$~sZrebit7gHhx$7t>&LIZ;rlZcHqKBO z`w*B4I%uu?RWa<#rHKZ3o%f=i_x8rw=yeTALLfene-2$7 zR+2TIZIw>Cm(KKMfaO?I9J~v@7<*@ecMi`OyRe8pYSXV&|v$fVDTxZb+~7tgDc5 zk5Ow@`OoeIYE()dgP{}jD)|F=WO{yPFq}z>3vSivkyB)|S~PAYJp59@F0OVE17vno z{2y_^q8k6;57Kw<^+ZaRB`L!nc|>~e?ADeTxzFBz$h=(_kZ(?OzBHD;pt`rYbsg^j zVTr#yAi@4R6gz0hl74o!F=u?<{u00MTO)lNQX1+Y4O43AAGt2VGay$b!aGqxIhQh0 ztQEFny>XCTu;^Fc$i7sH6&x<_)inB<^CkK@F~nr-f0h!y=sKdJ;?Hu;CMm+BW!B`! z(fYR7=2zVzjq8x``w?)vKas{~d1ZK0!ljx$F^6$PffND6u=lPgBtO7Rj+m9W_>Fx3#Z(tc9p|A+>qA3(17foMKOcrbAe;AN z;ZO*q6ifn-6kbziQJrQ#o?qH)Ko-Xdy<)gZEMjHsA)@KX@Xh{p_}5TYj;iYr2;n6W zVj%M!f8T_!d~@;p>#bI}{>-#|hr1;0a&ds*&*EIoTplt%uaAG?H-cAvH&SvdbwI^) zeOmwm;kb%Zg+K!7|NgT7ugKgd2D_=BW+chfHcAn2MH~8kkSnrcX3BO~jH4LSLBM)^ z3NYUbDYeNUka*aCGy!O~&Gn15+zx?aQBt)W40Dxp^_0P_(^QoJre4Wa_?UI_9Nc)| zjsN2(j;p9mCRB*`Y#*rzkFBq}F%|`Z-1)D=x!BaB~kc~V4{D;dQ z@%{YUM#(dFKs(w?VAqzvHOD>`tUDf?3vlw|DCL2tiTrN=E_!A_L%8u+1J|$P+;^c2 zVeKmZy6XX3RO>d6_@1B08VS@LPaV-1&~(Gywl|tE6(Z!|7m$tnQ-cyvAM2ugFv{7% zsJh@|jnf>CD=*JjX|+fVRwCrjR~H2~y8G|mgNlR7?|PlT+}o-Oi2Ew??$PnEPSfh8 zd~PY&DNXYqm4HjgJ#Z6A?M> zymg<(n3=RRA)r3CVMdBX-PM{7`9}2YZ0d=hT&M5L{R~|NYOQ^{LT^N_GL@}V_ z&fDm5l8Y$kQ&DM-=Fit04%yCYlWT%O0ug`3(xd|{ZKjTCz%tO;&x9i)J?)R~!~pas z*1kwy{z)K^*^1wX9Wc>vLU~?$MVQ$%vEwZ&l~>2O1M4_j%BRBBzrk%b{Tx$q`g^1X z4mz+#!f3M{AR0+Ok~qa)v(*2242_jIsUs|qU3l1|c{^LX_-Q>Ed%Djn^wUP5))Iep zlqC_oiZ#_4GguT9{l&7Te~j#CjJVWyw!z1drlV&gB*7Sx{M+;jSk8+T96Iv%P7F=7 zf=WPu=hB@A_Rw(f$Uc|J!k~l-w(XKB}~)#n2NlEsuY1 zh^G;V_tdGGc#wP?h53*aOJb;p$CgeK#wDdhM4NJ>CxgdGzDid!8VLT^UBm169}f1)fpmRR_g#_7yYIR!TY(J>?L^NL zILJ6;R_q#;iM;uf(d27yTvqBiPa>sji*Z=J0vW&DF9BkfctS8fAM5{&Z+s~O^XA&f zV8k(sMCJj8;Q8{m8~qYvf(?1iVtWd5_YqoAZ$sdM#3if`-3Y)31|_`i>LtMX;B*Na zRTJzU-jP64oL>Dkniha2Uoi|1INw}d)k!~JPj4%k;_oS5pL}e;vRN3n^Udm@RWikY zM0NbpNo(KJO#{#R!waVZaTss4BD(6Rbh$#`=(M$K#lOwJjCWuj+iL=TI$TB8)LDhVI zzJm9CgaM7cq*lL#Oh&-5Y#kJ`nGvKcnQ5K&P;)}ctpHd%&%6KVx6jisL9Rk!y29XCs*+TU6$ z`c7;#Wn=_;ZE%A?x$!HA5k?XB1ND;BJ`5lAEW)(d^$CI{)$kRj^~*Na+1Ls8-LHz> zi>RWRmo!wNP=p<{qp)Q+I&eW%rd!#VVLYn1d7i|_lzG)9uw-f4c>MC7{;QCW)(OO0 z<5W-Hn`u{?GN;JauwLCzBxIQ;!Hh55Y&S#PP4lBRTl_UZ1!K~XeWYCfadYwDTYT?W z|N3!k)|(fu3udva!9^|>cA{a5R+StBq4Z@!P#BGhp{HDrc>xr1Pgd0ZBmyNc}pC-UBVkh)sv>N-+Z$3;A zoEp(HBfLO1%*dEdUqn`Yclhr<&(-1 zU3ky9(1_zEQ`RW*maYck)rXjob-Yb{p*?*l=f`$>rb0y&*QZ6JmTzYSn#rvEy}2Hpe{~K9%6LnlWQ8sP$S!)w#^-6K1DuJ7N*x^Vi*QS+|2aSdcbq zQ4QFBXilhy0G+;u(StE)DAFc@>v5w>-Bc`Ehgw{3Nh?X#webvvpe{%tpFEhI@MHcN z5wlfbC${&yq4DtLhUZJ#(IyXTbA<-um~WoyjVoR7?+hnjia)j0LOH`53qCdQzGr}Q z&K+JsueRQU?8E-rBI*B6Tk*eexS|kghE>$PO-3~uzTzNx$BB6OA}s7M7M3kr=mhr|?OQpEYn0sXqWkuO z%Z26{+kJaYplXaBIy4R9rwuJjzLl*{YiO6L>fv?7kQb$YC4=YnKmHSmSCxu0jN6qG z3mO^R4m%B5LGJ`IC0kH#!E-3$voEwo?OI7|qzrVz(jfZqT?~39P z!ob%GZq{>gpgoOY)HRc=2QI2*;tHwOe~9l9%{+0Puh1Nj*hAM_)OR^KqRGGU+eJXP zl4>Yc44(8$aeYP0(L*ybx3wo(LK;YrdHqE}%S}0PyzKsLZ6(q!9LzXX@*nT<{dCmU z+XEwN3S+^#d^%${?FS|B)|{1?BCknf{j-nu^Wjdj5%_NC!k`EI>R-YvzAIePk4$XB5=wm z9T=v7c(b4N5jjET*g0Eeq^B_ulyuZ5kMw3%n515w4+i*P+pH!FQR*r8y&o7_ zBICT)3S(=lTnX{8&D3wp`2Sk8U`|#r5*y}b2%hZ{8{MR_YYqU8$!rW9`}O}mVQd}e zWyVP%*-Q>FW zU9-5}48O|ob=yz90veW47%?&kozUoC!|4lULvzSH_)Ld*9QJSM;X%h3(lNE~ws z%HqICl*r{B@+U%A*yqLizLGKLiET4uqik^6VG3c=LiPO8K3aNbD=X-mDzKT9I--Ay zbi0Ws#?=t-+!x1RuHd%9z(#eUgwLmVvm{}uW948BXb-UV%}AeF(cQLH;1%918+i3z zg*^UimHK~x2dSCALQ$^1u73*jt_Lrb`$j(%5aK^$y*CE+DgDeMMeC=wagax4!W}j$ zLDZwb_I7jrHSU9%XEO@d8BxnJQWWH5WkQSV|7)}jLZFB>)bZ};iPgD3Ek*96A~+E7 zXVKi0OF;}pUS;}bZ%7oLSL4+>L%n%L&@2MD$0;4!%qyR{m)YN6Hr+#FQ-|sstB^t= zOxcUQ9~K+5RK=`U>$uu|7v^n5G+kn1JKRYp@%na4}I~$(a2nw&~8xfl_5W zBEv@Zr&Zoq<<^0hly`mhc)B$co9I2551Ee#2DB0t&O{xoN9{o5c%Rq+%!YkY-q;?O zRkZ12Ocm_^q2k23ZG(>QkQEH3j}j)Y4l|$`th4pK9i!5+K@&tVaiYTi#VUUtWo4ce z7ds_$?}0Xrd;CiV7z>^Wtlx5G>CXwWQ~L9y(EiM)Mk;|hLcS5z-!iWZxNm*9BB@ydY3sa>^IlJlWNRKK&1U!A^m=Up!1l( z=(~iDxpbLzl-=m;k@fU70R(J>vbQKGA{j%eR~~mAqF`=|#J;b9V?6}nh*wUepknUjub@Ac zvmcrv*^5m;YHBHZWcYP%+`qh{mm2{9d3RhmK1&@De!31%P}hM!)Q?udN#Q^9> z0u~}Xl<)U%JBSC%c(R{2;nn&vnY#|zYGpk( zGdg()*YM`pk86`@6(j2%Z8x;uzOWxCbP%c6_q87y_oe5)plO|Q<4Q>)2S#(Mrs?Y@ zRC5M!fV6hoK?#Y?7;$Qd+^q4zs>?`WTqXB>u@%{0ry7~j=aPVb5*$mg65D^&sli(ZxeUR%{y^q?+Da3ducUx#(^g{2_MjXHobLlAwB$Wh zo4$6mw&|_zkW!*aH}OFT<2Q%CG;W^A zlj7W2T;%3vB+@CSYbdM{wsbD6O6SK)#9g}Q@klJ@vCZD?;=#}%`?n0eUck%jh*r;S z?dL=w4O6m8@=j)@ufD)lWcN(T(NZc(!FtF>PkNd;KV*dyC7hHhsh)jm9a(4nDCV=D zmx_CMq+tbeb4zT!YMxAT)(TCopLo~U52yTV_YIY8gC*W43gg{a+Gja!*J3b7 z@{uCr8$jG&YtkD8h3d5`KHlG@sK~(r|FbYV0n+3Yuh<{4`_{YB4guPHP~}xYnOgZh zTlqV&Uy_Q$lC)%k3lBk|Y+z<266AV~00DSAuu{P`8{wO8g`}G-JGEtOjGB!a%bVkk z-ajhbLHD;qAX58UFvqA%_~mA|+o-#n+C9d8mJ&VDPp$!+0v*(56JIolR*s^&TVZ3- zu{`DNw*@57f9T9)&fdbWcg{GHBhFWX%2r_%;+N;hl=4WR-2pyCv zF`f&44$U)-3am;M(a$QFPgXJ}95+s&BIMF)^xJ-}ledVcbSxI;wKmN$#fvycFkJEW zw$qFOR;KuUS_hp9^Rrt(VrpL=pH!gkB0`*!_vJUjD_4Gy4|v>dOvkK}2wrQPcyaBH zM`MS-!7{Uy(9K{%h^qBAzF&S{(eGCUUQb0lnKcyCRE~;w-n#^0N#9&US>2GV%G@H( zRVozR-Ao$&nYGxSfy(zz(1goWC4CIS3Dc3qtBmi@yu zNsv2wYSGMKw7ai;9PaeG!KnMj+jxKF^J(4sOOEcgG3c&e?NQ;r69>HPse}##MV?Zp zfAE{isk}@0l~P%r7;8PEss)!6$;NdTe$HmP1Z}7Q96;gB zF2SD9*#e(lir2%C7^BgcKtqD=RD**!RMF1zjD3LeZR=nYBk;6mLCPNe^b3z6b zwjVxNFTk!tA*!afqmPhSRbqN8oZv-dGBqL*V-w$)tNlo;WtWYQ#O-dIM3gmB;rN%} zkN!5PSaZYhLe0K6-Vs{|k7CUBXvbR9&dyjO4JUeQpcLs51*>VEFctRyjEj8*}>5uTR^ zeAZxX8Cq4}VL}AV>jh>Py1xTaT|zcztgPJ zduPYs81Bb*J?IBT7UtrK5EEzJ^eP+YxQ_Ll#}}i`K(Gd3@xV zN3?jg9$re!Na#iUIFf|2*SxWq z%V}J>d;wOBND#4C8`Yu|IOQI>0ZhZLdJ4#J*|m~TNhVh@cG#7q_O>w7=Z%XW+CsBJ zg7C?2m6fb`a^@`JirH(306NDanBVqJ$?%Bho0&1y_(MZ)jSHBsPuENqea6fV@~i@5t% zd+^D8&#On+Bh%*f_17bi(KTkK$_CHJBs;qi)-fIaV+y15JF%Z&^Ca>Bg;eW-4?|Ga#l3=DT$L$JRc z{jsp!tW_p{PPQ1-OqjfsDU3fdHCI^dda74cM2!+mB!0|?-ptxpKJl(T6;;-#T%=E= z_qqvz7&;lil!PnprB|f@63FUy-=A(!`dKzrAgX1gRO-l?KO3y2JXiolRjkh^nf{SS zVO#ui6p6)!j32_dt1bm^#eCk?i_3mCZ&259J6`i0DE8c2WLrjs^s6+sy!=m>RULI0m5Sebf_xwgTV%G{61w=oOGw{V<&QG&FB| z9OUGmN??*c9ta1x!YiEkoN(fgcWMSKYpCGPRUh^kX+s^YwYLL7P=>oaRlm3=uIk^f zhVoL3ubGSRpx>WH^Q_;_7F;-G_#PTsycbtvY>Uaha~1OGhbO-Oa85jQ%rx^;OE;yJ znD+ht%y}YcclKAdb@TW(ot&Ap+IdnT$^i_HS`7In*2p5sfm6a}e!XUkB{S|it?`KP z*N}`s0Zx4K=43`oT_$PZTSjYkGH zfy2&OML~&pVyoI@5X2!rJ#yEsRZ873b8HZ4+g=P39jvN8~L}>3eynkLJe7uhPF4D4f2*+B(}lP5{y6 z2bdQLQ7*z>7FR%8*0;LrqCk0{KdP;*o~K39*^Zwt^ppYa*!azI0fE)(;oCRiLEE`h zz9F@q@1$EO{($oSg*FSOU17109`3m=u*F?orsCD==TQQzq*6K0Kfvfl{zch=Bccb3 z3g)*odPb!bip+1n`DFhd@7Kq15u*|d`60<1jvP!GYV@wwqLasV<3G&tF)@A7&mNZ{ z{kfPb1gfi#q5=AHqZ%~*&TEGLiE8=dkZ`+RFyyvZR%=9XIHQpR5o28O8pvSq*QjEI zBR=cdBRTZ7dF7x2PA&{+#rt_4nlRtt!~B*Av$7}lg9iNm*hw*3suOn|q~1En=wkjB z82%Tgjs8u&8yY)hu5;E8wWI4y$ik~G8Rx&$C=5$cU$6)jk-k1SZ}*tZiS51MuCSKJ z)$3@C)&_FcfDrP+27rG`?q7^l+9dn+JS^yZftNqu={gV7lVX~6+wp~Wdvb@@U{RZ= z%S9ILWHn72>IwG}zN5QYB;N3JDVM?GxE=m%=MlF{7r12G$csS zu8*O1w2erd75)8#KRZ{uGOsUgH;k>GK5?u_f(RS<|ua)qcuWrX8d7<(AvoV4YQbMtVUm zr~9Mf5w0B%s3HNXGUcq{k2?<1hKIFjDM|L-4dr&RoZLRc$`y>a@XGa0%^TeM2X#%B zeB|JDJ9TGBp#MdksLu=%753>r*(5^REIhgl`SP?HR6C)v&V(b9gwZs{(Q_}fT*Vr8A3FIC zsu8a0;k*s)7nJWY3?qK$;*x&@aBw92-NH+K^#r!HixsS191~@`08+hdJeJqi{Y_Q7 z>qm0It~{Ul|LgNYs37^niiKYjZ}NSNdXvNe;SmC1a!|Msek9?DaBj~1ooJqSqYmo) za#tvXLVAraz^^_3vB}RdkHyjTN~<+LhUU`g3yob&6TnmM7xJEJd7-WgGtTTOhj-h} zG)C!0tMb^qDM3~bgt1w~+GasX5qs>e@`tz>KLjl`{ac2eytuT$H)i!n8#I>0p4#tl znN{t1Dh0m(6M5yh4%ZJYx5*(7EXr;VFfoGpFF_#s?HrWf)!^7>5++7%*dsg>?d2qwB!h&5) zQmb6d@wWjD6$FItJ?kjAXPXVDNPJ{-x3NH-pqV)x&pc^9>u#7fIpjVIV8}4r%>abC zu^Yh6awUcjH|?yYMQ~g;n79x-Ly1W=ysl92A1=o;c0lM|{+2gnp z!g&hpl5wV85$uI`QTlk*0_V!bPHVe36NfycP+JMXSRaw`Z#+({ODW!>8@s+n>n zb?r8bActjF9hRU;6TwoVkdcgz`To0yhx%plda0gIIJs*wgW8@P`u}_+-x#7s2;qnV zG@f8$a(0o^)5Js%FXe4?Iju`&_bKy&Rs}TXX?|Ijk+_BYLhabpT4Qc5sY68Yq*;LS zhR(@LH?`tVIk-nL;o8)%C!JRUbQh{6sW?KIVbWZoYypjn9TflneG{h-KE2mYYJnwV z84{b(5cOj%5-jrzgu1CB^A%{1_F-#XzdqD2=vGG&27 zS6zI8>nGo~L@(aHx5_6F_5I2!1!URG9En|PPa-SL7SuW7Q!>gTU*t5-K1dU@1+18SO39(Wogb5EHb5-C zY2*40OY&)~Vm-X`Nm@hEw82RIyKfrm2f|^6pM+Q=)@#bN%cI|Hy-U&M-!q|`;2=_} zD2l2j1tEV+lfHKGfj|RR*;Bw$$*56;2A9q2-^e`%Y^sdUg-z{ody33YtPyRnAi@y- z>TELsRIim6V8mYu-hXA6Q}a!0&D;e?gr~r&(bMAqFmtLY-2{rZ_^Y*>CfBRW2~4&p z0^xT1Sq;3mj4ON_9II?RK-u6={z52a#jeFo2GMAFWy(mi(h1++1DiZz4jgLVH!1fs zE-m0xS&Nmbb-UtwZ@Ira2NujTzBnjJ?*JsBK11xIb_1lVEKJJ^ii@;h*+gN))$JtV>^sjKF zg*iqT#Q?Sz(YdylpGS?}Mdf8$!ZQY3EX`(>|HZ}r!lKG`iMnuHbg`xqED*@Bz*Y_FZ5Tr!5g$zbH}Ro2>Hy~o(u#$o8@SC{8oX`t<4212L>aO;lbz3h0WD!?#&aa$giN|q?x z;Z4s}#c%Dy-{giIGyX&$-I??ZM*VjGMfvGHNNy>o$nXViQ)J(P?MXGiJ>8)7)%71m zVYBzwNAfC5wJT4+t8SXnPEC&F5Xk#-R^TJ6-#zC(ifW;cpfid$pb_|D>iPg_Ge}Tkxqt7>{G_`Ecg^m(c1;!jS!ZVInY;d9$fZ}*17mEtf$@={O&?M>m5MgrRZN{NaM|AQzvt3w{4=x>n{BkaK)g7qcV8s|lX()poRq3G zogf8hlDDNW{F2!Ofdd&qTY~pQ_6Sj(Y)J|^AT79rQw@}$9gwKc{K+8qdhKBXfr%f_ z8Van|I=Wk`9e6#2MDciqw-qV1RV=-WPm@2+SV)h>*WH~rN_C{5C@17Z1}`SS30NF$xbMQn@lKV6hY zH_3H&m%N#+T?}_P#oOxSvj~B*5*FnX7`8+A7+w6+Qu-LMjs-xZaXWl5H1#6DE6Fp) zZ(;|y-KDND29^wF23;up<7_}yI_loY%@h;{R*6CniA99-QW;NE(jEX zOdLu0M9yDxg^ZK4BJO)1MCpr$)}70P{vd@Hx67 zOZnc=xU^GA!GvLVSm4 zK4Z(Ae3+6>00|5RnZx}DRzHnzqAd_X0axFWLrW2WSRfbg+2VkjUza(@lUGamXfsAe zVn{UHI-zdVLv>hrCQ3^s-kkl@$D`rqSfu$8Al{KL04LLBhy<;$E0o$S4>ldx06X6d zJxbDe1Hf1F#EUN|uRa|K5p?D>e6gdNpO^`sv_y_)=T6g}(9@X0dp?tMzKq*E!bMG~ z7?ib;y~O{D(CzAw3}F_wX&TKnc64b5AY-|x$gqQ81wlC72j=3N6`?VkJ^R)JZPy`z zE*Cptn5;~B+lFVqzR^Ij`xpgL$k2g#!1}c$h*LA+g=+|=ya{9P61K%hOhQ0{5GW`5 zRqeVD{<#JLewQGDt)K^Fa;cxOYy%u(_Nb(YruA;Z?>d~GuwLvMn_#v|ZEjmG@>F7P zI-wR`81Fc<;l;d)P9O;`-GLv4m)cH-mws(g{jUFvq?!u^xj!3=EHvNx$@0l0aLt@* zEZ`h7?U-`OpqEB0#B{{{*tTH{^dl1qxbWhthcWLeSu+)^fw~OZ0v~#A85=%Vt|GNBQf}oUHh}tSh8O-g9%HOS>;P_cYZ7 z#tQk{D{-N`K&cdRfzsTmYSfc*72(l7P?ePeWyd{WHsK@f1&2Y}mC6@XoKK-1>nP|8 zCIWkK=i=IK!KI%pU5}9Y(8aVu{Wfxfm;EC0tD`J`BQjQ2(lv2ZRyG7j4}dc+xFhz|-p7NK|+W z-JwK~ftRhBZa7+!tNo&Oj|_Qkw>?cIGdpM{8h!UK?P2wARpLLS8NS@0$qqrlb$H2o zVmadVH*wY;NBrf0y6;}_WK(H2v!7S{yZ*7oeK2f-7n(8#%b4pA8f})_p9Za=s@=86 zqHw|(xS&}RI3kX}O!mNkxk%k@fT6)3L@s&&h>)vk%Jc!C`40kd2%G^8>vXe!K6EfM zH?pY0N@&*i|6Y_2o#~2*sr@wUm|2cY*04!(_T0dW18C(RZfmS2`X}%lo zVZC1F1>IBiqEn#Q?>D$5fpx$NTYUk*@sTOFJ{sidVq0UyNhf_B67zOepfQ<|BvlQj z#k$^D^v6bIcrw=9N;&#+@+ib+~~Ai{BsHz#a!nnX5cFe2t2^>hL&e!VXH2rtIAcRk~wa%sAeVj@ewG5 zoE-!JW28zeJx`>6e-mVL55!A#U~%7s7JLRC00iE}e0C&0szy)O`3LExDkj&8?XStVUcI(h= zf{KLbPxLh(Eh*b}?xq#kpu}mPVTNJM#Wg!Yp>^93$j!eR5$+%b4{~u%`j)yg0(ai%0L#<#gGzm`C+Vn;Q|C z_TdTkz?IT{%l>miL{k|9mf4pXB>y=@2S&|lj8A@9dI?flkp<##4{$y_%zYf@6`Vd@ zPQN%KA|lYo8@{2K)5K4Mfal5yQp-;1(yV)bti?XQ``~d|^=q^LS1IBQSqvOWVJNAy zZ7IXe8gPVP0i^p+hyI>&F|Li33&6SQIcg7<&5e9!jvJ&`Q5KEywDqgCwn;-&s=-E7 z>!-y=c8&BqK}15vy@q1TseNQCmK8z4e?UtA!)AZdo7uUwTNt-lzOQj?UVLxp{c;dv zZt;PTK1|DI!mw-IuC%pFeW*LRiuVX4WD?&WL&0MvUGB}@(;vz8X}q^_p|li&#xpM8 zY=qg8%+xq2Xza*#cop<7G6@Sn|0v*e|MKq;{3M=vMeIGk3@KF#J z3eVdRO&cJoq?W?ddF79kq{n*E3xG_Luze~QDcDp}#d*Dot`q&Y>#uN@yEOQPG=&83Oi1 z&Hb6!V-!|V(LEk3k)zp~xqR4#5t9+qpax1IBJ6Xgk!$lnQp^K0IQ}j)uQ9cak9T=~ z_>Y~ABuEw@)@&lf=dp^pd$sGVh>8TJV^Rr4vHqX_H4{ilxQY)wfSt5Wk9H~04E>_ecF~XA+ zyy`UGe#Zz}+jI=+i+yK8$j^*%RuLX6lc*kSqF%LVwRaSbLWNXH9RflugASTC{Xu1B z_i{s~MDa?Rm$QlmZ=zYF6J3;kWX~MS?qBo!{-%@gV?R1b&`K7WKQ%y_lb92dV8Fg= zY0;)E$%giBzGoNkw^o#T(PsrpD}wu;f-a#2Q_Xk_PU!rk@3Yj^c31>y4!pfpv4h6p(dh<(g20XAK!~6 zzYuqOmh4U>xi)D6BH^35gvK&rT->GA=Ma-e^_Hyg*OV7xd~!dO^A#ZMZ0X!gyag%s z25TpE?3S$NCUTCWwt_5IM<&`r6_W1<&oXtfU35C|sO8R^6lW6l#Y-q@nNgsEwg`^6 zr*9x_-g(GCE|05$lvGPF&Y;Gb!8*DH90x=S07if=Sz$9ix!puN_F-kSuL}D5B4MMx zAkFtE8txCMhWg|U2+j#K*5kiIzMw1qY4tP~JI3tHFS&`CHwTU7$A6X*kg{g9yN4A%|_ z8dY5T8s|!MuXspIhS-n%)wrjpO=2&R^D5O_kOm<_s7pjiRkGecl_ji_F!1(ZnA;47 z*Ii%idjSGAlFGZU+esd{ssfk&;;x4q*Aei38NCr}D6(x{F7M#wpo!MF3_0%1@RsBq z17XGUekeN^WP^Xbf^=!+5TA7pI*;{(+5a|#>N$1*?p05fvfSHN3IAADr7DBd;yCTU zmOO#UZ}gCkwRbYNxNyQ{T#T>6#$X>M4CDg6kX@nP%%h>v$ZS zFE8~&qYISG^;vS`=@sbb9n=Pj)=_0cFa1aS3>(HGGr1kc$TM4PSN2|fMZEJE92GA# z6fQn+Ax*5Y66-1M60sv1C?zNKj%$_BPUg#QP)aw4v(_H|Cf2bX`RLu=7PH;I&$e5D z?=5;c61iV5_TjDqHCbo#wSjHU`ARZ0Og9-?$K%qR^y8~tz;rCZe)Q$x3of=aI0JAL z;{pKug8Lno%Tmq*JRL7mZlp~#_@h6;&0J)XjFb7*vxA% z_XKXYx{>YlO2v56@SdjL!MEP2?b)o!0)m%mG$Rdr3=Mk%t+)Y*mO| zUfk1>qDb&0AOikvvQgaUdhrTs_hv|+fp2wCFPTZ?e_>XjfzE&Nh)3%uD4uhYt!DBO#4*NQs2 zcQd!Eo?9IZE2(;#iYAQS+MdwT?L@@dJ6_FHC#`DEE^RBg7SojJ%ZE#ob{_itptfP@ zmu`%Y>4CCc?v}Yj1v#BJz6=Sc3TCA5pjY`YxsBwYi)Bn}4w4e!#0qB2HdQ#c`f{+(UIV0 z00N2qkc$lBKRNWFY5+t@k`nIYM5iT7V3tfKY(+E&cy+d=ii9s)buUnGm(tO()(~1z zBW>;`s|{+3Tq@-;)5&lZ8ODD#^Oqi>Myk-~FBL_F<=v_!wNt8_42#xdd%~dQ&TxPk z{ywyHsrcbip>e{wbJxYnS2g1Ww{yxTSue-urm&RvdIj&&!k-6<{8xuCkVDT}K_&+W zoy_hoSO*XNACFZOZPFU`?8bug>+K0}$GKDI$P5x-L`_WaPV1T!Y;HM(Q^ot(eg$ zb7BG#KD+r^xc>Gr019`%9ap3gd)T;Z-?YnOOeQO;oT#ck>U^AQZ)qAj_`(ko$BFB; zpPxxrwk&Y#LB1V(!DZ6=Gu$$}gWvt_Vl7PN!qoj8w8m7b$=x4k*jr+PcJ@uXDFfWz;vCu)J*&TvGvtq zQFmR}gDC3Y<){cqi-gi0f&(hu-3;9+DGX)7C?%Z&(%mI7fFdB>H3&#bBQbP*XYhXB z_qo6C``hc1IlptxK6|gd*4nm>uiq@x61tSu%^E>&lKl7i(tbm2b7cjv(tcHfT4*l| zSff%1H@x+P`ui~jeui?1xw|BMFc_bi<&KX*l^;=f)tNVG+5=!y2H!&xHM2T{)S{Ti+kZ=ZK7qGC6l`K zXh~at5$b5O=4lO(ee~e@DGngsRIs6D0%S@7^y?Fr)xWAYt!=i4=Zu2 zexl;3`Gi60gefIn)7qno{`Z?i5dQY6UFEr@w?wkBPO)l3Vr_hUU~T=&_u;O?>&N4> zVxYsdYV;DT%)=jKk$X9I*o&C;OvhEG?!c%iFE{4vkA=d{ea@pC#@Gx7i8eI*Yni!T zY@f#B(ZeJ~gOHl!1^mSQXy00D<{4)LxO#Q2gkgE+-X>Q>_(M1QNxPHwdzjyRTN~9p zonVBFSRKI{H(F{0;pR1IL%%-t6M||wTTVSPWNq99jL2%4bmK=s++6YCjdRXgP2KW0 zL`|XAuL$ZwNnIZLluY^X(9)_ws^sAOq)pCaY1H6l*FZm21R9RC+-1N$R-`x;!fy91 zxUUHNmcGD)@b_-4q+)ozfJ6e&>$dd6a07j{?4_i%In>i>7yC&){956Qvgxri zdHG{W3|2WrStvn4v)YKS8Zf8dEzgFO6jfeZ=|_;R*OM4J*AylzwsKYc=R$07Lr^yb z9poNO5lRh@Ux(d#{0Oc-;#Br*|KI=vB~<~A4@Tf~s`VJ!p4yL38>N%wyu^3{aP~|F zG6r28Q@Y7149H9%*)BRK0kVAN7%sw|f+yon7moz^Y+}OpLt>N2%H|GILhrMgpfB#0 z+5rCZ2k=(rD)C49LStU*x|>)2*i~4jS7eBhM+R87Ln-flSmtYlFSiMl(<= zXymHn{mwSJlP=<{d-qYN*Gq^1!3ce$DAYZU&oUr!*m-RqR0Ky1OmF|S)&+OW!db2$ zdc9p05X^yY4ke3y|J-=X>`lIOKd0+?!*CnQ>(%0Lw=5fT90(sjTFQJlNjKSM#Vsm} z7{1y3e$gLM$)5IP{+YrK!Mf7nt~DnYemX5z=dtW!(YG2uLu&kvfV&9&iLKitmdrcP z3>mdYoi_IBlG+DlH8HynX&Z$Rky!t34QahvtD%E8^d|aF732n#Vsp3`^qIWjN)ZDU zml6Crf;LOzGfNR)(^qFfYz{^uPQ*t2t$xbTxW?uijf_Hv8cZni-7D@E)kV~`ts+K1ZmZ5ba+3sRByLbJ_ z1XaLZqKzYz*08J~!wr2;b&8_4IO#S3E63`q49i;J$>0=lpthj#GkuHcPP{5odn53L z);j|bwP}u1QS3zV1Gu{0hf}$&Q7?|+8?n0PSZJDa-WM}*0{kDK4Xm#6Hn4Jq;sc02 zp8!<;7@%VjJKJ&{3r?r=0U_N}MTo0IwpC_d%>!kl-6*o<5~9&Zf~Dyub7Ks)gN`UO zwJVpN!@70;?n3Z^0G?4ZYlp5kFx{E$X3x&;ewjB}?Am~}p0=Le_rF0}R$3&qpV zDE3>+$ubej{)CFIIBe<$SeV3D&)T1}G3_=#O0RNR0JgMUbG*FNef-9)I0pEJ{=wpU zk@lCPIC`%dye1$H#oZP&|P>7RLYv8yHY%yY`I5$uFFXAwqO6fbBfDvGekMrw}g zc6QeFXN#If_lkPsYhIThQUyATo1dJ(!xOu%5oX7XTmpcR%zzTrUcjgNQn?$<4ec-8 z!pnJ8tf`PW#Wpv-4-L!RL|XMcPmcG$k;&IQ6LdR6 z)~2bPy@h$t`;v@CPsKvm=bT7I=^%+2S}=|K(fUNDfF%6!+ zwH09bB}5j&x13tqw6(4Ywh46g6*%S(o8>!mrrDs3i>H zAt3kqE_d{6cr8~NfUOv9A8zXj7Si!%VRu(CvrZcj+Ew0<38~@l6U#0Mv$UXX{;_3N z`GluLyH70k16kFX5^8+0ovi$Owa635tLDpaSNyx>nUGgIfIhN^r_&I`-c+?TEY@Am zocE6UPt_N);XHcZq`(OmSJz<}u*O`29lT#_!5aGS^JB-X#Ue$J#Bk>%eLJfZ|(Z z3dqev8OnTpJVH;C?{-e?Vk?a4oucjMMfh2i4+FlkTdPk=ZyJox$ColssfYv=g$Alo z=z8p?Pi*tHPNbqzowAM~8=Aj31S$J~6Pv!c&!FQr0H*DzFY<4O!F<%p>L5~6VL1`B z$^se8lWK~{v3(%9QyG`?BHXagH7ve040 zAu__i;IvZG?=JD+2tfAvVX~D2a!*`e*6#K#%S8nr0vi1jM`_>h(FN7ZLDmNabK#a0 zr6%XsUJJU8ajw)UY2=T+ajU2Wox5Tj!s7BZpWXc-fe}`| zW$do4wDzYU5shhozN?(8g;2BvEp`%HnOpLgV-3#xo|GH2Gv{srvMy-mT8nDP*G4ct zNc!Q!W(pnp**Q>zk#STbo(w7K7abaA_rDwZEWm|HC$ysW8Spb`{|4B!PIBrrD#%~>cEbhODb7!xk59dMa51w77|hW_cQ zk8}R)N>y+3G77X<+L(LGRAO3SzTTP-8^-Vp@GrLZe?1QJ=92;0OM_m;{7=E<-&>c8 z_+`BdtfG#D*hN9rxHqDD|EDC}RRfw2-a=FtSZg~A@oi>i)*3r4)=!4rI~I&-10aS( z_}=kUVekn{cuyKi?XMEE%|kuH2Rmg>lJmhX!mt*mYUJ9!q(i#gv9f18h`HX%dNYV>*XjGI&nDaDahK;Mxj0e-Qvn-5ULIpLal`ZvDAAyA%j6u?E9#K-~_3 z*cx3&TFDb&qBnRXCDGd1)OnXYzpG2&byM-Xw8`gc5&Q2yc*i#E0V>UUVJK_tAMbmf zhAV+?(5F{ro9wL10LI@JVo77 zA%hD~HTQ5Ji*PRs6>ck3f?=nD{@>G~yB4WYa|C$FmifFU6OHk|=`>mVS zK?R8PJZvhP9=eRf3$pRqN^Ferh1Hrhx?}_2zo}7A?q%PG-`%_Oufz9W1_2sND?YA2 zJ5^*K;J(4y1AqXd_Uahn6}}aMq9lV3m`&OKILg&NF?6xXQw%7ab{RU_>=p`5O22}) z18e%pZwW|9j%d&OTL0fa)O8;|zT}y^?OEZ%*<@_mamOVG;?eXul zc#x*o<-qsx@dGWNasD02yTTP?o1m$k5Iv|Lnq5elfzl1SYzmS&S>( z_2>=*m9;bo=aSXkQ(G1Cc|a{>Sewu$y>jvg40h=T1QJ$$3$A`ip>8-gCaBK6PIpzq`)+aN%eE}WStbP{Ub>e&yVEX( zHVVj`f`i#HX7s$m!fB{>+7y@87}jTTX3QuUT!txBG`NaZ?$#KAC=v^UCyGAYk`)Ng!aS07M5rsory6=JN;rR_wh`|iL@EWCi8A=K>N*?Z2)wExOu*dl7ewbh zfB@!`hrP(S7~LzTT{0!VshOUPnKco&NXgnxZ38=rF=>4>K(SasXQ%cUiq?dW2@27n zHvuU`fjLylQxsv#Q{MqDnO@O5MSu%l?4Rw(UUtS);oPSkI3Ep|ee|8-u`^dZ-sOIT zh^g&a!4cFMZSZhMg@KCrZO4CNCfJ2qTQmJP=5MHL+u}kT3ARBs_EUBflmYG(PkbMK z=77G(T!z&B5Lr%T6N)N`n59N|Syt7yYqm3eshlVi9qjO!Ddd=I81Us_yu;IC=Q9E+ zxeACsOCRHDaDGpT{0zdHp#Y*bRO}Nw2hToJa=Y>GLZ=!}l84T#d)+36+m4lzRcA++ zA&?;R$H*m#FhLg74W(rr)!c1g@bgCeFH<>w4||tUtHKzx;3iI|8-raz&k#}Fh}?QK zWdDR+a$&aM;JV_F7>ZpbC?J1jq%3Ku)$ZKf9nR}HRX~~|A@N$_(lDlXmdKWk-tgmh z6B!O-*x=N+bQ%yNo!(I=2utC!0&^=L2J&Nv499!ZKIo21yfx^L;4H5_09c-80X;hK zx6YFY0eduU;+FYlGu0Rf>{?ex8;e7@l)9 zo_&fnM3X83ST1ZebGMEC_4fAL=B!isoXDYGaX+ZZ$T3Y|xN|z>8rOdRs=QR5Ay-WJM4l%pH+`nI=Svwn zpx#Mj`?MN?qc-pjTJeq>rS*Q+U=>)06a zrmBr8%Aby5u%Rg@4^|jY+16X5Qu0x4saq3Z=yt`&qXC@QAW5WNQbqcXEg<; z28XXcTq^pgAve?i(cyS-tkNNRc;v9CX%wOd1fGWB*X#4LqIGBn;B^F&4=6zU3H0ZN z^;~^rIC?E&bP3xPhi>cP^^3(e1G}CWsoRjx;Q$bPbYO2PI1bK8en)}Hy%z2*zxi`n8=GDxr*tJacuCk zngLhXuqaKAsp+}kEn6pO8Lz;nZD(X-1Im-d*gD!K`wOj3VmyU_DL#bt9nf?n=kD|@ zBa|RpfF=rOR4Oe=s?OJJB}}xxr$F1dLY)*Ld>Wj78bgz zgUlxqU^83Z1}4Ch2Y36An&5Kaa@5P-FG-hJOD02df$v4vPP0PDn`7~I^8_!zZ0Zq zSo@rujl)Yq>+Eiw4M`XR_#_%WoRl64Ko^O%)44MGMFVeBNAQD=`4=;N;(<33ZZBoU zaRKMVEcpwFHTR82fgdl=q;{=*Dfme|&(o&6-~1*v=c4FG-F{3>(nCf z)_43)2RZAy&I&F&`GDU<{O4OMsH68RzeDLYx|V_v+R-LG3ah-41D_2I6+*Z&NzX}yrD@v!m*%RI?Op~j;{-Wp62MuoEV3RFsu$Yz=Gz7F)I|G;o z_tEzsWiOqDi3GmdJWSS*nHtM{4W!?gJ2&?q)OQq#^juB=E%#x*hto-`_@OG^4D~{Y z#SE=o-4Vp>g3xnVWogT8%Bc}fbz>D02-_7I58}Hia}LJN+ddM6+1=0{r505a@p4T%Q9F z13zteR$9rMUY8UqJ!n!Mv0?KC+Idi`YG&d@x$I~lSv&&hPs{e!d*(!q@RnH05iAIV zloPSjY1MxKSKnY2RPS0#^eb*uGIMWnPM=a#Ut#B)!qs|5AugqOEOgn5BuTti3!9dX zA23vxiL;r5Th+RVRX(NAn~r*fw~8xp8L&3YlX-yBN)R-cOM{DhriD_|K591(DI#S7 z5N}doL~4Axe;b(-RI@iYHITkz=QM9If&89&@_sfKQ?c!tXuzEkbQ(X=!)6EniAXYx1-t$4yo`MCh}IQ?FY7 zJ+BW4X=t!H$Q#C+(i~Qw=@-V%k_HG#PQ(S0toqcrEa2Gww5Ouy#pmgn(>ZpG`L#BE zVtSfJyFUH#9m!@grNX4pdyt#)Ei0+cbnDwMqRbf4xkadsOy2%%9JyK7W(8cZp~>1^~k{OSMvIR1dGqwNnkEbR=HppJ(Q zWiF+YU->zESQ90DsLKdNa_U|Gg7xJiJ&Z?k!J2J@G)I9al+lup$~SUhB+bX+wsr>y zgro-?jb&NDSkQX@#;7 zwa7-w@R%h`t}CJ8a>tkjYcW%S$R0suW*9xW5`U3Ks9CqSK-R~vnFANA9X1+>P3YeF zu%uc_2xLkBY6<#`%mVbhE<#1JU0yZedw0ENf2{I=LE7N;L(V)+b$s9{v3N5%?~X+6 zIJVDwLjs^VMG~vSVia0N9X`2T8^8ozH!?^y&5vQ~{(1|t$oJ9UYja=CJg$cBlh%)-=m zm512^95x2L`^E5#*#Gra^+wX_Z@R#FIrN7n?>?-G$QU4$c4DbgE4YK=s-tFRJHWX_ z(qnP}rNDRuw5W;iAq{!gB;gff+>j=2oH@~!0bAg0ozoxbiA7U#x^C*WJjk5$ko}y(Sb%L3!g7S=+|Nr~jOh;xx z=><5omf^=J&E4)Nqh`ThY_;l?$%-pM)skwWm3fjEa=O=J4jQ+8J~iUNu@7ybhs?pD zow(+r#uBqjCS?YLy(*xOOPu#DET!&w$>WoM1jKDN+hMGS2bs*25D|h;FN-G#bnyRx z|A6m8R`4H}_|+;B9H$p3mO%7y^Py#g^D6B#(I+$WIz+(B_oZ#@wO}FkM@|4f%}Tiz z3Shyjld*CD3K+Ak%0~%-bP@31^8KE#D=qlxWBnyUKwYz}CNcUg6`8~LKu;))ODMAp8b5$=2PCVV3N+R@^PjuiRYW4pHjrYt?7bJ{U7PNrtKE! zwrEV#!g-wzU1Md0bDyMw_hDX&Y`6mS26~0~gEK||frzH-x6U6iXl3m>o|9M9MYxvF(CA$WxkIP)0S*O!g@~tjL^?so^oNnjjFie;xm$f|jLAhrmz6Rq0_b z4SD*H#WpZ50+)au3G&&ifUN@Y3NuUT{|k&71_{;YW9JV5%kt`W-tD7@r9Y9JSfFQ8 zh88D$_RDlh8FUA`uCp2%LK;tyEoyJ$Y25v?5NRcWk;{4<1YEN;5!w=@8umUJzBYf> z2XmKF51a2>Po3k85RP0lzC$0vFF}HV+74%a?-hEle6+RlS3n|}t0x!<)Uxk8u|n)J z4ImmQxG?1+PcU7dlfoui>>uzXVDMSKUi;Zl?nZ4taS2lJ0jm=8ko{I^7sz#fGHk~>^b3JiRj%GeZ*Nr4K$NK2!F{Oa6X2UwP5y!EHrQZ z4#PgZ%p4<8i18Jvn_8YXU3DG}NllD=Xc@MZf5q0_u=h~5#V=RFT$R!+IO|-IZxQF7yrm;9iU*2F`Fb|+) zp=AX}39MiVPKM-Eq7;)rxIoep0F+L;;0+J~*73b)4?vDdo0D8tqjt~VC!;srlRQQ= zpzhpS5dDIrQ626P_1%7ZOpL^nLDXCyEJ7JvM({bdAuEc|Z9h#0f&r7|PjIBBD$z3e zQ;u~Yeo-0>udsYrdA75Xx^7GCCGYHH({)HRAd=*5CuHhREH79?y7EYNy}iNqxct$a z&5gA|0-PR;|A9-vWJ18@>S-t7&!4pTdAAR#ND>!&yUq;I4w`DQeeA1iIGuN2+9`3k zn0XzZpb9Lc9X|Rj?e^&LWH7amBB3TB@hD;;#$1#Qj7b3dlul>nJFjy;z1(2*_CmRM z?>5N6ky@8zxujv0)Wz@qTyk&!GZa%AuK%`tyv0Ol{zRJ+w}zz_)ZI^0xf)RlzZ<)X zQ2a&15_*scjjR}c#caVUKQozLtxcNe?IVbfX?z<*?fzQbx(ot)GnZcZn6n^rbl^A{ z0-B*BqG20|svNAz`7@TPw!kG77mn6p|KF`6pVO8k{$E0@2nz{`4j9jsbNYQ@u%K=TgcS=EFJ6eFZU5U z_WJojunr5Ar$emU(mz55t!qe&WDPHKES~gtFW6DM*nOr*@RN9j42-$~(HUJfs;T-~ zetF1FwOFqry_>u;zIIaUBca(^q;1A{6;@f=)6=k3rvc z;Z2}5EvE)Hp!bhNQdyqCa1yBL4V~)-7F5!tJe{3zv7NOv3l}Q$>9ZEPs<|I+eWAeI z#-g}J#bRs|e1G}cd)X*S`%z4Vq#a4iP(0fgzV&v2Oy<_1Ph~Qzrw+hM^rd0OOD%rs z{BEbtYmgFRz;S?HX|%ub$c8^5Z%8hoaCEqAx8Sxz999L&P0RPqUIH`T0b#af772VWLwW~&VCFeSFV)7rY z5o>~T`3S7k#?i8WN!mT6wVt+rFZcVEHY8zR+mSo)@3q)wA@qoi=RjtlPk-KU?@{shq*Kq?5t8zcKd zkXN3-mZg?>{>#gYQAGIP3b9ECnABKs3{J`D9Ec%ZmylM3Wt-b_Q0xu}?cJjkql$=l z$EDPsFDKjp%bNjuW{F?z9879mpzCFEDY0_lSdk&Zh640t@9+9N*YaQi?B4Q`HD(I| z24tp}lL3K5S4+pEWJ&XNpp)Am%?*k53?yPv9)cDIk~ul0X9=wjEVGM_1;}v71RJLO zSn7MqpXA-78{g{d^;?yd)AdU0Bx;W@|l?(6T1~5oHz6E4W>Mi*)tgN{y z5j%ZiS5u#`zU#X3YN13EuI`~eCd+tp`7L5^2&5)n<*K!axdKxX_Dk*z-IQonG_+^R zQ8;}w$aP>Atz7Q;iV=*Raj^nFa-B8SfT?h&aA(r@4XR@>Pf|z~fH(3e zSuVyo02qJI^5?cqYwYj7D0z#XKi({XzpCL>lm5 zF+pdZ1ySLiWsEgM&XUul@dE&MreEk*+?7L2r2|ND0U)@UdAvL?R^Kv}kvp^ctvYj9 z1j9NSYRz_CC;w3a`1Ylt5^~enlG=?)0?ovAc++8{P>Q-BoSQOtSp<&GP*leN^jHYb z8G4E!HLiTV1%n_8c!fC}4-(TWwA<(BcbWq77Pd1E_k|^!G{?N#TFgMh+-r*vtx>tF zx-hEqxL#*Dj*BekQBN9}U7)H;U!VC3s0Xg* zfOmRb zc3d{RLar8U6>;dcEp?kl?Dmovpg>zI+p4C$bOM@iAY@tikSo^;?!cBAZ^zINATVU! z1G5-3L2^~IlLZByD=QAE-0ZV6+xcg#7^*{7FhYVV@UjC=T>V`8J;?L(0Oi5hts4{Z z0rkF$WnaQL{SLmN#o}V~`6Y-v=(h9)?Q1e0KQ?v;_SDVE`Dmw?S6(sn<)8qQ$P4Fi z;;J9d{~Qtnx>Xqbc<>m*t9O8N^C2)L^W^o!}$2FcmC@b5`NfpQHP zQHwr4+Xa(A#IqH>c4FUsmhjg zk*|#46bWf9VALKGvnOfcY#h;YVn>5n1w0*XLJ?L?BNAHrCWfW55VI720>|#f$pwK? zoT?iOL`-rP?iYr5wcNgv2-R(!A+cggM7O!Pr;p?_g<7*It&Ol8cAV}eMqXcs1r_xb zIFp-xxzj*5Y)ltlmY4jB&w5Zu_Bk~%-3=hh=hk-|lp~pg{kB#p7!#E}ADzIEFc?u3 zl8(LY;)9gXu!;j(-Z3Hw<(NBp0nYOab#*pfk^hNJ9jC6j)?8C4d!1={YE;XsCWl1~+o z3xtN`Pj`~*7#7nbc&xd5a14Td^CDE9Q)0rY1H*cDU`UuapRXZ{UJMvZWY5VZ@`Bw} zHy$Wp|4eD9LY=3wpj~0X`9>`b*SG-mVpwR%=b-T6sjs<{!4uLC5-QY8~@lRE!c?~{uB=0N2o#N;q> z?-w=X(q%kIRSy8z^^NVU#m~Dmd(9Xbc7POpLtLlpX1euFpUsG;@x}FNLnG#zdVjnd5G=~eifTVL z330U^F93+ZIDwZO&$DM~grs57rlv*wi_fQyc9n^L!1ah9Y61zrMu_icnZ%m4xX<@% zMYfkrCo(4%2V;TMIxFtF`pYU?p+g49tHOU<`45TxQykY0C=@M@h*8v0WE8N;!iG~? z^qFnkt>W%qkBS~|39E@VdAr;9j0NW+CfuC>qKqq;`&55-#}rr$yeg`}JTg`k2?qHK zp!Ks^57?=|?R19I!Z3B3E#X?2uHTO$+VjFqe8d>ihQ8vLL+?6G9LfD=7|1Q16$>Z<%^^|gc7 zgl6BfA`++DQ<9YW0iMhi7MUmHgAr9%i4;l9a)7s_QzmIIpnhij=2`EqOpv$4ku5s^ zQs)1cpdmY^i|%EL|Djj@8%8xWNxcL*_u!-hd}0L$(iQ=90}==d0$ILtoDYsTRU(UD z&Vx1*oNHWq>?|lzj!GTQaY}|lvsji5@X#H-_Im_jrTiDI0BDVOY3H>2wVd4HuF5X~ zEx6bfw5c@;P2$Fvfvf%fLz=Hld@}xF*F@LDi0W5ZEtrP+wGy}zDJlw@+ z-GuQ%_rAFRyg7k={_xxi`VJC=+6Z-Zg!ZBAaXPl|{3E*BGJMr$)~8X<56`;Ht7+u> za}!n55+2j5&L$<1*Y8SyATTT{p3%<`7mT31c6C(SXe094$^EEDeS|mfdIlSD%NQE{ z8d0Gl&eY}bTCd)ioNVldag}?ahw>_sL;2@*HZtXB!9!04i_0hT0k5CeK{h8&C2-`E zCM=pp_N_v%ihVqQ>)rmkiNTqSXkdgPM2(wCN>r?~s@SC}VpnkXG5-f*+`nzt1Mm zPyH5}uZ~D-1`{F*ptOMu_(E9aNb`p$^n-x(Q2%8{zV~qttTJM8kA&bilmHTU{a>4s zPOTeJ1p3)oWwF-{sudk9Y@=O!@g{X@M+3j?^)~ud^ZF)(qpe`y#-k1M*_)M_lxXIB z%`N@uw<3i2W0KaD@gX^eM(Ci}y7yRwJ{a$4W-%ZpH#@qJ&hpHM;xp>#X^W&m{RI@m8edDj zLNq||LBSU;a`x2#TQ-U|^y^Q|W@y=-DTgxGHu2<$#=e^Dx-%yofPA=6=q6M%9p_wjt?3U$@iyunA z+s?njQv}GRB2#LZ3i{HQ8`Hy2`_*?VGRnqT8!kRR;+2p2L(D@1HQ_ax72q9LWO%PW6>JJTV=E!$3@JJTX{9lns|Ip)>=%~|8C_ulM> zWP2fbSS9;_haTkB0?*-LYL?$}ZUS;=s`)B8Swb?q&{G)Pi$na#RBW(w-*<7lqw0OI zWHvQ&F>0j3oD8cq+R!7JQRPwDq8?OTNm&J8!GwFY3A!-8Q>`QDT!f)U^v#elUMv=P zDar#9ZDh>)`aoDnwgUmngc*ps7xFHncGs2EUV|r(A9=scQ_VV~G~*~%!9<79Vq@*z z5V$_9Vw#*!*op$7EEC1ZW7Ymy z4eZtFI_O~U&>`SA%qk69sewOb1RQz#ciI>-x3~MFywV*YY<9T%(*@=&ilBn zuc{t5@Ah#TFx`)nuVEI)EeqH?_~m(_@2z{K$im<*9cB6{l)ia$e6Y(jx`7C$n&jTs z5J(bkVL%IEAGySHr8`{UI>borp9880-#zj9V$wHi)_bSt>+bUj&xk3_{CCjMieH&Z zhdPzzc$3z)BrZ14qtEL3i5&?67`pR-8NIjG*$iG4Oskzp7_32e$@ZS(wQT$Egi&A7 z+p51Q+l!smD%XB72=A(KgghCJ$khWU_IO}aQX~Ns-DbhmHa1$f$WoFUcJszp(3DxS zpESa0Rzf_~9U}b-1FydjAzaO`&Tc%%X1AmrF~|HE-N;zaCWzCt8nIb2w-Q&w%RXAO zH1rj@FH`WCJ|C5p)#1S=sexd7`6h+MKFgH1>@D1-zri@Lzyu@Z*grVgRi<39koZ3POD-Ij9xcSxOG7xuec;(>*7i~^8Quf+9G2Exk=!RWnB#j z2y1^F7T&`<-&!;}UYyq}yDX@Z$Rr24NF`2yLTsWti?M282F z{Li$cKR0%zHYpLcL=U4Sk}cY9J*SP&+Wf*zJ>C z(~h*A_ARec)be2;*Jam%@m&qrF#*>8LEuc&!2P^u#FSfCe1t}N8&34M_7_G!vx&fc zayf7}rc%e&6G>5g7%G5xxVW+z+Bp4%3j#^zTO&C?+VpdnKGfOMsZ9?*eRFcOIJw%x ztZNXKl7jZ&F3Ygft|!AiDX^ov&AXoJ<;pBJY`N6Iqgs`(?0=rP6k@|QpBNQF-E%`) zyl2}URIW%R$+B(gZE1U$jV7!Qy;*O>8czY_`P%<{DJsI-2t5ze=>z3wep6qHV}8LQ zuO5#9ThBH0PYac_Wo-LQHi+8YniaSDE3dF^Sb8rVo!)@-{V1rD7_XtEHt0B;c75@J zi>0;Q;oG~G7l`A%#QWm>F;OY@)pyvrfI-4p8->yH42L@TWx`fHfMVhK`R`FMEvKUO z$y=RQ=Ph(sLH}A)nwVy!tZi-zmKq!ttciXB4fX=Vxq1Ebw3` zq=d~5ygOhL_Yv4eB-a**yVeAguhhpw?sYNj?Cxd?*0``kAS1orbuIVr+62#lSu=h- zl$sCfKH$fWKZT;0V}i2KI7guM2K9dB4!ws0KE{p#*6$mF)#XD*(Y@e#$PEf;u9DV) zR}{;Yn?8P0PhVM|laN)4#UCx{EBI`;oj=J0r?gdF0`JoWw;5=2)g_!RDVkV9UzUx==?xi2>K zZ!5@vYuaIJJm_KO925GDMMnaxqN`PXs$r*`f6QRu^4I(8WF&i553)vY!EUl=tsh?! zx#t2!S{cT=hqeT4n#-z%4K|b+Cr`C!&b&__m;oGls{fo8P%i(SJ3Pk1U#VB&AsMt$ zfzQG=Z2tj|L5_R2oK)$J;%~n1s(E@mQxqlO9u~_Lh8NsJ8iaAHApm2keUMlU%|KN2 z0P>3Of9^X_^!zo>MVqMANf18g-D0P3jn719EL5>2*;*IID~>)8PuPuz|8!A9TCEJk zNOr|X3%li)O+C`+;s=rIZ;J`sO5Az5Xc8M0Yfm`f28sKf?u$xZv)ElWV8JZ>im2W^ z(SNYy%0`}M?uT8OI>PqV%280rTvfdtUf%W!$b6g5E-D&a82YcDwJ|wscz)WuwFN_= zVm1BcTI$@TEe)_UPBIEtVX~W)I0hk>mc4!~qyO275K0 zJ(v(mxst6_!)0LUi5Wm38t!|MPY|sG0OG?j*be zxE$k{41Bk4Zgc&dF9gO%1t#%!s?$;h6QDZWKq(RO5&8RY{?8yWZ5o6#p$6MG;IIUu z-K|Y|vjV%%yn?0Zd2p(HfFJ$jj&ru-IP?G!Y;V8zXuz6EuqhLNx6e4Qh)*@Jxzbe0 zbDkJdMgBJ?mNUVJQtToW7Rv$Ue)R2f@{F$x5N^gLP7dNK`^xhnYPjFpW=aibGiXVw zE%A%2_&~5^5Juyy$uv@EGhOI*etVS87JGgI+-qwdI4^D#V&pn{-JEt#nx8$i$Z&j8 z$j~D19)%9}Yp1?mbUCIf(&1s-mkI<7>RdvNmoC+A_1Q{uYsem9zUf$+zqSc6%Ks-2 zB@T$4dmJQgylh1s*o%`B)_ubR1_UNS^rtr8_>UvK0V%AnXJa{apIW4^F=w2zDrRQS z?^N{o&sTaXpO+^-Rq4X}n>Ho}9GwJU|CC<8Y9nE-+6UQZ2n9Z5qSL!hBC=_o4&826 zc10P^<#jjfith@)ET3R*M1W^iY{if7!(La^++*`ruWy%EMn;==``R0x@o~8>aCa~p z6h~QfC-0@p!N=Fl3}bKhiSkuswNWuOSX}yd{PF0|#R2biL4tna zw+{w=E5niil@`(BK0dA`zzw|CymC;A{!GcsatTseMIaaZej`M^@{gpaMo=nh&)hze z5F*@FP}kyjb}DQYPM+$y!OKnb0Lo-^sD+IP5##SGLuah@l$k7m{ygq^JS_PbX~@Pr zxDiX=6IQL+CcJjtct=V3o>xu9(0eHXbN4qNV)fCpOzC~^wIWkbQy-F0BqqOe-f(x% zjA{X9To(iUnj%2=IAERqYV|8>p#jk<&xhvhkOCrb%;TcsEf#!sPf8o^ZZ93B%QaIC zp(VSjGeD!|Yk_5T&Y`v1a``uq0U#ciIBU1>z;uG6B662ST57Fs3up)dwR94@{a5w5 zfek&$SUB5|>%dUyhy_2#El3l|KgN)th#&9yp(s_7l(dGK*BU>)UgomJky!~C%Nn~| zxHJ*VaeIuo9X(b)5hvsT)R}Y3Nu35(Tkg&aL3#jzwA7{eCp1-Z*o@ z)q&XWr6c~BMff6Iw7`3AOgOg9GqKCQoYS`m4?-R<3p+h67UjF8noF5*2=bEpqsgs( z>^G2%2Q&**rfG(+fZPhZkQo+C; z(~fkGW4z|FXV0kYM~CplafI2D9KWo!;XqWNp^n@M-x?)}qx_G;`D({;d!vLiaMqc} zh@L1r+o3gMBJ9U6E6;FmIXykZGv#3Wxbuxss1FD$jdWXAQ^9HX-E%U5*EQ7cRgxCY z{|1Ll*6(%Z?czX!LQcJ{?S5k0Y4sm_ogbfLZrcjy$Gxx?BN2Wp))ldv2|+GFn3JzU ztnlExuc-61mc!Kt1;oheXl`DwOqY182vWR|e}XT-sHz^GJ-Ri1dWEbL1x0>kxvK|W zk_HaI?<3<-u<=!&5Qr|~%6-jBnvZ?NKlYgE?A5*eSvNR5S~6hyYT1$C`A4WG1;=B} z4Ku0VC!(1Q)c5earTMfdx1fIV&!EYA`+$ou%YYbr(gF3%y~+V;RB zMX&Zfr!uh{y&VazEOceDD{t3b?Kt2=H^Q>&?YVi^TPXNHpZqF~jX|yX52|F0xk@(@ z`FdZ0%N3S^{wk6Z`Ts5tjPj=WE7BgAyEOJTZWkJGotLqdyAuJ>K(wWoo6tpd=Bae zp;T=9c7kT&&Ppb1m-(#WB!M6dl~X-b#E%3Xr#iH}NZP$F0Q6 zyN4$FoKLw!1oLsAenPh>tB;2IHz+3I5oZX_@f4qECDmAO$k*Qecn3g(TA`ZZRQk1zJa&#b{hw#FfDPl- zzc0})fB?y?*cd|L!^^hj<{iK-arkO4A@}$^GAH+SCQ2PmpZC&ER2y@obIE{WQ@U+$ zKx|zxPs@U0O~ZG7ti0TUx@dFv^i90k3LZp=EFGo$Bb%XxO=W<++?@AHk+r|h?ezjy zS@0sRE0Q-^p*^tO?|$8HcWXrj=;l(dltY0QhV}}t^3XT+!QJ|#9QZ7Qy*Osnt|{v| zQcB0T#u}aIXZPTFBKes${^%{E&C7$@Y>iHTGJeLUWC}z1_+aXb2xR=qART0lcqtWc z{6Ra3@`)a1%rX^{X{Nm!Yf?Np1 zg;Nq%DXJ4AQ29>AF*<@|zZzMrZsGqU0`F|`9-No$6Ca%he>p)$cuA^e9!hueR;~?$ zaOUs3H1-K0&e(5h{<{`ZW|uM@2V(_3cwMKT7eQdj5?19_euGo_f}w zgeh_2vp_^8|FYJWHAq>nLZ8T+N&)I)3%54RJ~k60r^_`- zx72IfC&mV@IM=R97|(L*o-N23G&NwWaqi=tL$wRh{Bp@MErxQnddpnV0XXs|{l$j> zVZ0~AZbNh9`JG8)Z|+R2qXjnJB}4nwBtE>tg*D0IfZ4<|31k?SZgwLQw1H|$S3n80 z`x{pRsats+#DG!}^Zub%)oYtcSB?u|x22vUsF04oLw)x?$+<2I*80 zQ4o;s5{Ay9yQF*Q1_5cw8Csq_`akD6=XuYk_oE+h?t9;B@4eP_UF%wPmod0;508ch zN}UtfWTUmS0d!9Gukz}Ic)E9x(-oxT8jS1d=G`=$I=>(G4YkVxFQ^25Aywbo3Psag zzzVAA6Iji^g}Q|ao@WkF0yZ77^`e4xp5l2m7nb??oABiA6zMe`ZF@C&JDaNL784f- z{z7Y08aUAmi>aWjynt+zj1FBMhnY=yUg5N|PSQz9p-Zv-giT=(J6ggnc~-!|@7e0w z@-o%?{)Qg#SPTZ(RNG=$Z!P0jE{1AF*JRYWDMZ$^5-I6ZQ&ESNHc}Y1U24PX8o-|v zQUy3?5Os0;o;gDMai%Yw67_(E%y4P!H!j*yvGzcC3uNP0mZ>2Ymg?WePLpL%3rX4; zk8Wlfuahnk?}tBDo+S7Ys(o2V%dZM9VMTUYY!&ID{QBH4ajJ%@dD~`84vxFLL#G?6 z1e#ZX9~6;k4>AW7V0Wx+lPT%ruCIrU9=YEwDeYMa6%?o+wMdN1Z2G;w$7B8K7F)W+ z!hvzee2swmSo2^9t1{MGJko-|l$uU7pRk`+caQ%kn%dm1YHmT*FINkGXyKK~4OPmm z$3e@W)5%772mD%=PVfC2kJ&YZK2ut;I~OmF`UBezzQ20}yh@JkxTo&O=2LLvSurUz z;>K6(Q_wJeiFx~acXM0b)e`dxzO5sWC7k}NE~qOe$Rw(26Tv`W^QdRx`3J{BBF%isi_#*T>&`$VR5 z3Q|HXWg!i-;BH)}^S)ed|B8+D~_&7Y!z+}`7D_Xa$$h;VfP-$BU8G1)Vxon!n>ex)&_C?c-&5pM!1;1}p>x+WTY z*33_<+Dls>P&M*H($mbEE9{#rOPOvJ8~HyG8)+VV#EWJUHrtN=9HV3%FFkJbM#;+p z6!VgRbP$qdzl=IrKV9y94Rg*|lEI`3(@}U?=#n4PM?(gQtKv0pu8Mv=P;Ni$6J(3? z-2^*Xt87H5^o1UV6VehKO}W^vXfG*>O-}g<72~cu$LCbs=C!KATFG`*B?ZxgB(HC?^>A9*}%Kk=OPlCe)^@}Mtm!B8= zoQH5eiOK9VLbry=Bq&o1-5!bZlPfHvC(f_-EH=QPX5)k_=D{zxTn2HhPtD-!*~Wvy zG1l!$2YIearE+->RR`5$e${VJR)Hi7Ml;{&r|N^@>r0JNPR#WpRBMn zk=sVYQcR#xzr+*PAIp8|lt^S+3|L?APN2 zh?HyiHkBK}rG%*2cuEV-*iIh#IMF|SVmHEbx+A+`wZ>5$ zkgOy8=eY9+S``3J9ZTy}i@u%bLk+!&T^iSqu5Oh#@iWOYs$TgGa6U%%;R$xUVy7v( zByNqlq?jJ_v1aAhAo$BFy9cU@>^Ds#|Ft5-+PD0<7?~@aqd-JF`~u9e8U*Ep1I~Jd z<;=;9(6tT@!-3RADo|8}{<6ll*a2Y2ZtsK*i}}ZzusjL~Q2jHMSQi1l^(-Awx+y?Ey{GNW~c5Jdk!GHv7w`o+~U zFbsejAe#O+n<{yMP*x%z_jdyv#z&kLauC*;%%=<+M6z@RrRBuId1_}dR2=A@SK5>I zn+uL|vYPs(9CWp3-2eV@P7W=ldU?@p1lt+_7b>N4?%Gj8sU4ix0F zZ$8rQ1$-MhTQ7s{N4Bhc33kev!Kz{74$BcOTM7<0u=ugT=klk_oBSQ#rtV7Ula_o( zX_7Z_Oib*D^c2TR3;UTA>?` z(3Y73e#PKChu}%}`vUeQ$8Qa_dge`trg3={iWkWRF@ZAIun=j1cKl$z&4wv?)s3H6 z4dleFX5h>xK{Vqsb^2N;cyOGFK~~2NDi0 z?gc#cqZ9Gwx}Qssz2pK0gkC5j=Brt!;#Jy!wpi@P#WuzN`MM-ofvv=be#-QwjGSXs z4`wucg?epYzX8CsJ7${C8R5AmmIenXOtgb8d6ejksoXBJHP5%_4g~1GbVjV1ECU}m zkY6ST$!&1)H)Ys6Zc{=1M%aBK@i*@E`lN<_L>c2{0sVvBEXkxfcYdI{Q<53o=ckYH zvVXGIf}@`Ex$X@$NwHd_zkvEL&U@lAw=D#$qnk1pIB$+@8V9&JG_}YeW9j3J^MG8b(ecctZ@D=)R!d1v|Eg44L}h!+vO)wJ;0Xb&w5q7=)&N z?`V&2q$|)^JGl4MpLcytFb6(=lAXQS93oDsSv$3(PalmytL*S**p86@g$Dxu#%lu6Jv~OX6c{RGCf4Jif zBX+YoAPPW@M((`b5@=6$&K*iwD{iyNgtItRK)Goe5M!?B&r4`hEL{-)z^&f*E*Yb( z7>%WOG(NRVh2+BUTVH?Qi3m&XoOe_AM8z}~X0tzq>X6LWhnL+ssw=mnC&u*;WJ*D| zlQNbYZ8VP*^Zyd`Uc{fYqMPFpwb`CF8~?~!1;ed^vf|c(S_~1@H~~_Psp|cagYEW6 z>|_1U7mO;oC+7$GI9_O`rWB8(LnEGZ8vg58Bv4O_$@H$lnA_9><8eaC&#A&tV=-l{ zS>Gl)-zJ})*cQ<&5nuu9HD~%EF`m^)HcG%Mt5%}f(Yl@=PC($Ze?#U9vg;)?D*tT7 znM$LyO1+vn<`Su~zIz^}%&TqTF!_>;DcVd2rGnms zE2Ql1)HTgfb59CNJqT^#5tA?j@e`}_>Z99O&C?ha$yH08Q|)VR{2)WBxC!F&>eT)8 ztz!(bs;asX!}y*CPcOsU|By_Y81X*d+TEW1p1XE7^0>IAZkYH*^v#+ z52*a)%rPN_Cu(9Wbvi{^Ll7JHAnHNn12r9vcQhpS=RJU+j*dzu22*#AhCp39(h9N~ zmCKxoZTBik71xfSM{dlMo6E~eWZ4;Wr9Z!2E0Tcf-cR;i2Wem22gu)Z;Js@Z z{X?PWUmLwlO4|DHy?i z#{8wsig=u@>`syj-!@`+Q7<@q_#ln-%m_O#@tVtUiIdh=ImgTaCVeoT#*Oor#~?&l z1Q=#$k^zu#ID#^5SpK2JDe92dUXn|S?YBoQST@@EbHD9}0n+fSb)MkfZ*NjTlV>Ew zP=|TIPOG8FE|ScbN%{>uy7fT$^(>%amQ?u*I+>z4@S~CEh*P|k{#o-5SheBD8Y^b! z&gJ~$zX-ZmK2X*^$6yraFGTNix8tCOzBXqcwsZmh=Ij7-+QERDrry`-=`D?^UOp>f zt2g5v{-f)ctZ55n&+>+u_ceyt#C{{u`Rtk^Owz>zkrtx($@ovJr?=dU&C&&HtbM4V ziQgr9{aY>CKdKF;BzP_@euF(;UAt2@m9k*j3Jx|sidi9yL<-P!e>-fw+Gjm;C_C={ z;FG(6JV|b%BJ5iCprW}fkL7G(xDk@V-@XID)rR}>X5q2*2TzI&M&fyuH9kjtHO!eQp#77GDNFJ_$k7|W^Rwbe zoBaGDE^=F0YRWjWud|JP5~sxD`tg!_RxJq^)d)S~`^D>}k$0^V59~kfjfojbzXr{){Y;(JGRId#Cw6BAw;@-ILr@iX+v)Fn-10|JeuZJ^ z(+hgt#Ekm!0^1%LdJC&xMmtJ=L!ac!Xm#yfdYK%MSzO-(6BNGVoNCHdgeTmve2VZG ze%RZPDZw#zM!1$!YZaW`p3-rm*fibQ)Qg2vLMO=ii6Z%hs{b!zkCVJ(41DW+SO ztv-Gvgimp0I1g=0bjV7d%ad2wkE9xV{rcuvCdLX!v>zO{0tsju!9Bx|8_%V~+lj>M zeq1e*o>$DJ9DY0$Yv|vRxGvk3bu^Ura_mh`)&>L9E4C!bIGp_el}A3W^Jru! zUBNNsZ&qK$;{nY&8#h^!){M2Qmgl~ZR2Vgd09XvBjdY|}w)Q~svsi9B`5c9JH{BD8 z3;H`=_8M4atghV@9DNvpgFo|d!=Ry314+eS`b(PLs!nhXSn@$^q@lL3AMd{)&NTe@ zj?1PsZ=D=aL{BHx?<;E!E6&xDjM#tPmJ08k5QE8|%ik^jxTu)Q$b&K|*0ku3JqNIj z15MVc!^*R>Sm|%t7A;h(nzj15MMd~LUgB@Z<5!r3t6;Ayp{)1*fW14Ilek%r?buE! zjD|5ezWVHucX{u_Ht9;8banBNo@v%}%4wM+0Df@~$Q!dP>Gb;h2MeV+O*%XCRRZ5R zH`E5}4g%?<%OD#JHw;TYdCaNhs|RprYI}H)*)fXrEpCBwJ7>SLjzgUwlhA8uKnRdR zaNbBZ);{M}7WE02GLr%k_`K?SYSIz< zRx1*>?C9Xnh;Tou-S-~j#eeKH?mQ^JmZ?<5{opBW=^IBgCeB{5U3jE|mQ$sXr$1?(b_gB|kkYYq`zz;7qxkImf5+oe{RcBvu zT>p7T?!5T6BSk8C>l#}X&{^mR5Vlf@i#udY!Yu3Qo+DKB2_F~GM0#5qj|yGMR2N;n zv@ifTxjB$N4b@-BfTF1J&DAfr&V_8hHnB8QvZ*!whT}aEdRX*k)^ulF#|T!{n3qVu zmgF*Ibt3#SFM_%_>kNkW?kjusSc|B<3{(wpM@OYz%amoQ?D@KZ`uh)`V^0WFMfQnS z*1E|j42=!8$F+|jc*{Z&8tn!ibRXGNi+TICzjYBp(yNod0BUAuEF9#pxPRCVP`d(K zTv%U~_R;WrkX_)sdzz&9qKb0b4xIwzK4#ga50+E?u41^Mv&RO=IRk2I;4}twcdKS} zNtH^_Xd|H1rkQE|03dV7e)>~bL3R5pAkqBueE|va=lhng7TzyXy^p^}TQr|f3kY)} zAsI?jO*LZ~)EE#b6-ESpY=_thJj-yqG{j7w+P?MPF$ z^w&BDLcs$uMS_VE?$)~@U_P(hcDU)+>3V7Q)zGAX2vX&IljffOzwbXns$Y}a{Zm4I zf2?6OcN12dsqS@TVVw9I@+S%qK5tL|V&Q)nI&{#fYcNfqDLf>t`m~LDT5L7ilt8b15;UP>n#W5yV|VPGH(SK^vGF z^L`k?C%yrpQ(&kKbLFYt*CQJFG+=niJq}6P=6WFH?WDe`6tqN$YbN&Sd_Z(sQc8(Q z_jl$18$+3?V@fo%j-bcAyIT_*$@m?WuXHbI^M7yb5xde%WzyUr6X_m|M3P77b+>Ep z&EVZbTo(D9Ks3S|=sFBsakdn*9!uk6XJw3(!rzMItL^6NLb+^tI5l1fb8=d+S5*r> ztl03Gu{iY*fvVBM)a^HGrPOUU?{F2&r4(>%g*sgysO)@b=k?omvl9{L(Gr;fUsqimnxdCf&-fUgU6(5cATwgjT=Zu{dmg71FF(GK zH@pHll(~9`a*M@MQD<%Ugp1Y8l$%-JZzL75dCrvFm>?+2K~XFLu}&*>0AqN`$m<5G zF39TnvV7jg|JMfw>a7SHL-X4SdxlSp#W#kkThS3&h86j=disC0Tkh>WQDlDTRfFkH zUJ1GC1UopRitU*a;v>+9`NtGewS0g=*iQI3<(@c#UmT(a~)_* zMcaYiZ5B5RVy&ZxIu3aB%wa_?m!k6FFbVt5}^82Gg29`n_)r?{9$IjKaO<0U?;0EM{VKtwHmm-kbQvg5F(in=sHU=SWdya06f}VI zsn4<{6P=mX5}@_2keGgx^N@507aaEtFwc*JANUfxpUf0SCgv`#Ua}P5jteF3JiDXn zx6rBt*k+@``G;WI+B}a2l&dPvUYn68QhKXIg)K<|$~A_F6dvU>=?kK=_mp{P>+^%+&*`~&tKt%tRH*2 zU)lzsJN*18J=G2*2iur@ODc`!ruo8#g(GMKcy32iB=wqGlUrivn=Z5>w<-&O(>rT9 zD$wYlpJMmCL03t)_l!{uk5qdL(3!1=C)3=?Cd}k~!X4Q41CRja#Kbj|X-^|!kK{81 z=fxA0HE!)9f|LnLD2K!hY4H-~Bz|aD1-pg?kj#W=-!3`)uR;i;loLk+adjRZmEP&W zaO_m?`_^fh6#j++r`)g3zf1Sb(``{`NO9U-5y)%XmwMsh7Rz2#l^*Q*H;mo5D-a zlv{oWTMwwHE}k{T0CAd)E137h^<{u9fmVfUNHIj}H-!Lya)U*hzC$q=uREXCL+fjq zhHuxX5WAkAUg#=eyQs8J#B$77ceen3_qf0l=ax_ zv(f{f)naV{NxCZ`%M8#|USigI>0)SL3uLMwzvr>zZWj8lO}tHv&9q@|XsNNX2zDVk z56;g;fQa$6Pc>`5tpNJDy4PRPzV(+Q9dgrx3_^>GwI6;j&qC`NiSx0(&9I z>ZYoxvHm2*GXF7+Ym#A-31Aif8m0W-Yxe|W-uD0NPe4v|xsO&j*zI7Fy4$9nKL%nC zFkJwF2V8lLuanqSBe*qc9gT_qjz|6{Yb((PUO*U;2x@7%ni^C2u{_kd-zIc^aEKAx zvNB=1oqq3N{%dj`v%i+w|G+Fa>%@WB9w?X|tx?12Eu&|JplxYPuLCmpOxLeAO1Q@al{m}czeh$)qLv$du6?= z;S;lQ9KZN!6p%nAkmJGD7o`70^3oU(ykOrljG& zu{Tnlv!2cmq@(PHE%uO8uTN`R|9Rp46OxtkP%gt^zcFQH&MIIrq6B`p1fv;3xU3}8TD)*|gH%u@;P+CPOXPmjzHST>zVRw_BV2Eq1@}vA&%j6_}iI^E|s_^to z4GitV^V~kHY4g?0iF<3kLyejJd-8Zf@38)}0R4NEnUI4V{kEx9Lavrj0=ss5J|$C! z_5&f-Lf|sw?bQiy}{Ni{))-VypyghA<*Xxpyl)I+h-1##7RkL-@wkOwz{# z?j}oX?&tAad%sGy$AuOu9>nex(%)2-AA2sN&6>#n;USF8@g<|`t{}H7JJJYH}h6Q)W@n!{;FzDURH*1i$%R| z+T80EXS_7b4{5dv`^~l=a_B|IixOmny{nM2c{rg7Qj3nM-F7V4d9y7GOBPE7iOmzU zv-x2oB1aC@{dYwzM0^x{8-`OS5;oCi=Gd~O5L+!n+w>oSXo+dkz3fLCF6jL_B(cZx zcg-}rvtK2`>`PDtPu8yJ+`a#CL)HPH2q|8;J~HFl6As^9QUl%F?SY=yj0r5%B&@Pf zCPPSgO!3-o#qdpv&JOsr9QXXtCR!Joi&RBqe;|0~UcfH9#q3fne)A(gc84_$yfjGY zXSvYljp_l=2DiK&mi=S1Jhlf+8A^1gApSV$K%Qrwf8*}#1i~$6{)o_9gBxAd&MD+Y zo3*s5&imai+tdJ- zsTv;i>5Og|5ju}lbaEjh;C*DpOOhn`8EIZEr#(b(`L&p&;BZSH;n04EJwCaD)uESG zXJ7dizue`}e3!d4h^Dd;9zHJ46v5wP-;X%)SUoLh{}a7yvAYXyhr35ZtAL-7eaPsU#OqkvI{!s?i^ z>=p({`lG$9%y`kp6$#LYdeB7`22aIx znYILJHBZpnOyx9|_%j;yqC zw@t^XLn&D28$tB_6NAS__4y1e732@)lScOjj|`;48Uwf>1=9wr6)I{lxfd13Ke2$^ zk);rl&H=Iadb%Tfkezl^WRqI$(3gM7R&cdSdXJ!P=6@_7plxI1`w!WTv>5UU>4|&I zXn(|4#|vI(-^nkF)$_CnzD9JFY4lxF)1u6xU`T0WsJVdtuKXp#Mml_`-VkUhX&idD zZ-hVpL^raT4z`cWmU$SO0*019->%~L{O6%l?$r0lI>dzZNH=nLO290YApY5lJv)%j;je%+{`XeXl@hld z0oGfPp^t}o_f+7L@qmABlm9zw^86{vKC;^Z1ZAMByB#v=Q%q+dWW_OGEs1Yw)G+V-er< zd|p60lT9$=eGTi&hq*r`08o_5sS)Uh;l6WH8xn(k?pt9vD^bCh)}p>9H`Q35Lv|l> zI%ZN((pjpf9N)bAMOwtxlQMO8fL%F@KUaCtup8^1&ih*tl?KK?bN*Clmvre$cKaoh^GL0_sxSCNQNF4;k;x=?YJmzdWk`=ul>{=oTjEs#xpqTHl@ zJf+@+7O9G-c^v=9LJhz)3*9pOPWr!5J!X^evse@U3{o4Drz)Ghjqwv=mq%IUxjQBb z4^Z@*An%Kb&8$Cy(|@tNmVc}qD*Q#+x9HZ({3KOFZ6-Mr`gM2PIBsu`ZZiGVBQRhz zSu`Z-eEhu>VXo1S=!H9V^i5eks`voL3(?J+q*1k-&Xg?*tPGp*PXK1HmA7kf9C*!hy#=?pQb*tW^t3}b#D>2GuALo- zq45DogK}~5zVOfe#{Tk3SrN#~xO>Zi`|_LDc2_Af?0a^gam+U z@^7j36olMh(#iv7qA;ZWvJZ_mOZGp~+>(PA*Oi<$^jWb{8 zTI?sDwXFchVE2(5HI`TiO(Az3^KL!u&Pm?$29n*)9vL49+TM^QUb8(d<5c+W<2lDw zI5-qfw9~EI6g-0uCMPBNv47t$Z(=x?Pdav`dpUpf3;7x8Fs=`U)X4G|V+cd3>L^%`~8`JLMqXhsgd|ruAJ` zEfWgv=-pThYDxe1xsJ)^cCR1)7#8K8D-l-qFH6X^sb-WMAy=G|m736_MC?@o9~Gcr zDx1Z_IoEF>wh_Xk*pOLj6z~1GuO(^2f~-L^Jagwql?f$~%hNJyrr4H^M8xbT$gdEc zMpSIjTRn{Z@iY`h^#rA5*7RUmSJxxAxP{yL@ubQc_1Lh99wL2q2|gq|t(9PFllh?G_kEMXyn2T7B2ID`T~m^rofK<8*>BHv0LW^hYPw>zTVBhlU$^vm zS#(j)v>(Bano=|(tsvkgXUqHMkfDu*#f@QV-0#Ge4Y-k{5_IaH$=aarTF+RV!0?{n z{Nv#<)P;jmTm_~vh_LlhYp@{&fbYd;b8-%(#geOSj=cw)SiY)>2t~27WgZ8jc%@3h zFH2~f-;sOL^-3YYrD4E#YgsO=@}a@bNraEN-*VBfbM*09njm+{2Qk_mAHj~(NKWKL z)f=87sIID!@Q%pc+belPFiZ%%m~kYSkBnxl2How%!VKh9HQ^38IU)PtHmPJkI0UVo z8%|cv_*l&naX?;CqsjZg35JLJc9Xhn_ZYRIGEzw?S{MSw#X>{=6!;R{z_B-COw5gB z#xpP~rR1e-+%kDYe2G0}J!3x4@d~sx#>hSdxxf~$$n?^vl+On>#3D41y12@;-VO`{ z!j4ynOB+u*K zd6sA~wLm`Jzk_c*z4yDx^?^}sA^N^_oxu+c54?-Ch^Cnz>a1wzQXAJK%jiGXyv;W+ zya&6|TYW!=HYX+Bpas~iU)oL)(*wrB={}`iGT3cwU#%;}V*(dEJKM0OS zt8dg9Q>8Te0;;^YMthWRly;{rx0o`x=H)~YaLMukb1$!yi!NMD*Vfu|K6z zn|T+EZkyM#joy|&x;)zx%XQzGv2PWDr@t;-uZyI=I=nhI+>T@0ME# zAfaoxAwHM@39lU23Wx|t1~^lYMa{2Q%e_rQbemMv)aI0JQSnP>b}SGH)P znK@*wvN!oGo5uFFEGkN9CvY$xUOFmlb(>_H)fyY=G@W}fz47g(iCT>`y+V$37p)+85(y64JU-Rx)3p&r`> z5U3dOxPuf+*5xTBXk3uHQ;C$(VkW%;7jB>)@@~Kz*0xn>O93?97k>Q+rw$iM=d5@S{Ku(*~oeVEquv zob_^V`QD-QYY`)Sm=qO(mc}Yl;rubVgX^p4d#bol*SLz0+t-D*&cZ78OQlFfOZ=KQ zQs+so9xjqxjXr3m_lPU8_rRKD`+H4`Ky}%PpVW$<$L@rP&DvJF>5XQtc6nQyc`b|e zA4EvaoE+P#U|xD%zYYvxy%E)FDQT?hAS-9JvF~>gcGY&JMOY&`;rR`2-vnm~*0v!P z->60J@XVKd)v9!YN35Tab`#3-fwrOJj0_&eFI6h16%4OFSE_Pe9nlkDd3C9JT712( z9fgoj9w^#ds#M`RjJ_<2S!2j(Y}yn$|AlK4XXsych!h zypEY=Ig0Jnm>?foBLzz8o0HoAWFEwVql73%>0C{0#EWTd>RVW@ap3g79F|c`2TiFz zev%Ek5@@-h>?b@Z?lzHFZPiUej{7-8sJzeF7`q>G)vz}r

IKo*gQ7f9<5@c3Gt=tZ#&tc0^wLdp~RKwLr%k z!f_Ttlfoha5Ad04N(E)tX}@7Uu++a-0|1H!!l0Q5CweC=u;~)DaAmSzAsVCG0EFOL zU*`bh?;rXzfOVt231b#yyRgD)TQv_1hr%Ye=F-Y$MLi-IT(wS7_bpr&u*_S<< zlC1R?Uzvk|=Wh)e40f4UaFc0pD=fFK%9F)r%Gem`qWH_Z#7a@dX9D2ko*RWoOFD7~ zR?7?U-Mz-Y&Zx^mZf*|FO-(^uA(G{U5>`-qg&$O>FXA%sG%lY0@ae^Fmj4TG{^LK0 z>7PnqDJIBj)$!c3xFaa%BQu!MC*hcHn3R;Wne)onY~a=Wt9k&h2G zF0J48{d+`9+r_;b>jM`Jm~}4tuXVPZ5G#{XF9XIl;`+n+LDc(2&JHG@92nb`aJ<8e zWZ~+!mI}U1XwS2MJA4&-!w;vJh(OWwk-MMV&}j;ReoHss2ycG zUj15oFN=p!33aYlH_icBQlLFnB>=?OfAAB)7yz__F&@mn%kkP7e$%K<*UUklFhSb% zBI`B$$x^h_SY?$y7zuLnDj0PjB?YArc)DY!&lNm@P4f#R2}UVqlIqfTi$%u9wx+8V zOacb<0r@o**v`*nQ0qa|S3roW~y@2T210HX#Msnu<5N-S5RzX{Ht{Tm}&M@fcg zQg0;`3^8XngSUMpsbssdDpq+U^Tb{~czecIQMKQ=&HG!s=jpSV);QAKva^%T^Yqe@ z65t+kKHlB`RgBl`w4F{3VG6c8XxpqB635&ssh}_Bqdy~XLz`9J0)_}cB=_DuwxOV< z}frjQ%< z#haK{t<%&4-92^x-)#uOLo8vuL*Y6oI{PQ+yRAe5d**EjMy$8lv^6|O&!ZQI&}bP- z@}KvZ#(Qa}T8+&z2R4`UcLO_W4MkE5_0w0S=Qtr1FmQ&7fsR{$?g?dT$rz02_9=@@ zxQ_^$e(pgTJOH3f;5;Rd;-#{iavCuEBuKE7)P}?VxgrEczlb9(QK=GNXZU-gAQ2+6 zgIVRjJkh@<5Z6&|HeIt;&?O&*gMlOF!5){xWYBLWxxY#%qrdv94;B!#q|-#8t%RTH zqbSK2?=gT!75O^$9}gR3XgP_o3o9KuSUpP{E~sE1ewr#t7sr1ReIcBQUAf)wF#JliPIuE4RU%^xd2w(~RA~G=W|`TP)iKVqiuh zeg~<;g8j5hxf$b1Yo=Y(S2g$Uw{@V!jI>$uZts02vObpD$Q%YoojGcMEKaFrgh?bt zZ}nBTgtaL>yog1|Q4|w1!e1uD$Va-#MEG=8Up-It8s}NRcc?B(RyIbCO$&&xTkO^{ z+>4LUQ=f34t|b+4otCF~m)u#em}`cA0v_+yC#p=KUcE}pXNZPA49-3r^4-`Q>L3<%&&52d<)gnb(tF#O;)UbV;&k~`<9LtG zjp#Rd;3=WtDM2J`UFA7TOy2ZR$_u={bVGI_4N64t!jeD#yw<4AoazeK`EuEvOC(p|X}0{v(PVB9b~EVS14E_(X$xj< zG)GvDiusSCKqgw{O>j$8jn07edBnIoSxx-T4{(%8N)?VxW~_nCpb!Gn66~Mz1fE~d z@0E8A$#)6pAjSL@3Id2zlW5tZ)ooV3j7mkX22nEUAvpLLJ_ejyzRaH_4wbSk9fx&W z75IZgdw>IwEz+8o&w3u&!`V`lFM+JV#y{PT?iJgu_u#)bpJ8VIc!l4JrNTDq+|c4r zVQlN^yZ#Jhd}aAoIawOk*UF+XYfpbduNmTE0uq@&`uBfa6ExU?PvoF!t<~*td`(xG zcV1b+0UcsG^I+dCU>t~c7&c`>1U*G7)#?yEFbjPawzh99z@CwCrREOJ6y2Vwj}bOr zLdMCn51)dlMF@zn`|86v*qbAb9B!pY8!hP!fL)wfXphO0Zf;B!sJ-sa&;6N5xig*b zkimmx03$69JQK*tFWRep^iE2*_-M}SWKs0Md`J({V@#*YnpxC84#5cGigbi)()Tk{ z3?e8D>0$zhM6GRC3_3N)L*M8UeOLzBs9*hMWaS8Z?_>Kyy_@h@vPM)S@hIy%yY7<)m{9O4jK$rhsXWPP! z(#PxmEpNj)kW$>IC6j4oG!3|=lhZ7u!~;sY4Y6*fRv(-p1rXdqN=m(m`S!z&o?+S6 z28jK|2p5)3O!yziw~d7&BnmL%*{dv6x|p`{J z`dolw3Xa3%05)8whF8qs7Ij8{5dqpcCR1Yv5u#RwN$VQ<`+j`HB| zJY#W@kdJcGC*RDLxp%q$>NkK3xg2%9jA$W=8ZbJt--ffO@TIZM7S6mwQy+5w|nN2~nEfUZ>gnA4c?kGiq8SCI=a!e3BTU zO|)Fr{JJYVO_;ntrA%H>6;%Lyn_%y$gwGG&P|dGHbB`(*Eo~o}1dnZE+_r|qL+*?| z5(%-DHKz9|dyH$(%6kj+lT>Bz8gy!VsY`Mv>LJ6cDg$hS7LN$SPRoR3-tgG4nLJgy zq^`KAJ_D!ooEZd|M2D-76>qhb#k$6c^X`fjqc07(*@l6UK%U|2Al0tvqy_{(qGK~U zrXmH zJrc(P6Vk0Rrph+uG2vlIwe*?W_76y~=?peXc+cgNP+HnKigi^}dUVRVVy9-ks(&?w zq%12qCZYTswIrGCi@W3#LGfueDp@ySNbQ$uhtSv;=Wl@@g4jfQqLg|Y3wFQfruujG z4gRPqs6gBvA!vZ(ZDP=o`2DrOJjsdoQu3I!Dkw~FRSR<)O)3f+)Tb|=_9?DV+aBJ0 zoX6&s@>7#goMeC&BBj&N!uOEcwtm-uwsia~+DOFVVr5UI-+^D_T6x)PvEBp;4FdVH z0rj7DlSX%z!B6p(7j$CQk-|*y)TyoL@j0Hr_O!Qp{5D7Vj-etdk{8Jyc?;5jT+B35 z@j?|ekES?VjBR%x**suV&N={yF74P)90AwfC%O8D;a_wfN3ui=Xu#^aa&!zQGfxt+ z=RJq;|5?SHz+c=;OSL`N<&7j$D%Y^kU-v!NTRl9_kXPnzK;xTh^6ANUV4jz3B3Re{ z)sSW^LeyDL(LvhjrOX{8x=gkta%B%olExN*CmVNOZL~GF#2pnxDx>!5?Zy{XlkfX& z8s|@oTD|Q3Bw8loipMu_!ug6Z!a!Ez8N8MWvkeY_ZST+qFrD?0)%q#vyH`v|rDZgk z`GE!DKJR7sH|Zt-?W(bAl}zc+@KiC6m^>loZ>ND5bd;;fuoh{=1T2-yQs#`vwAQ)8 zRb}@Fv$9-fnoeV5WZ10rO7L~RKub1lScw)r)u6SXVLiwb1g2Lp^QBOQrSTp3u?fgW zmCW8kHJ|MSoAg2Ajl(k?>nyDk46Fz#JZMP;=nRwZ`114ovo{A(L(bMJ9>k6ZBQHUE zw>8Nl$l1@3|KXk}PqdgzT>)^FlNhhmW~4ZeYrOwG*#VK+#8(l0$4NsOBKlzYWl8d$As6WW7#4J ziT64>5q~wSjPZgKVr{f-XX+OJ_Ysc3$yH;_w+s@8RT!0Zji=vjn(^zH)>qKvc(b#$ zUsP2Uw1J8ZUJOQ4jvVFvhEcf_)k+#8&X7ohuV2s9q0;g51b3tEr92}!N&p{oSs!xO z%HM5-F``49-94bMT=M-PZuuU@Z)!W3?c;@(6XJg5MKgDpx{~^G>ea#(ImEd#63ta8 zg}TXMrhM_Fn@^t+5BsjyW+ zsjcOZj6L?YRK5bWbj0#IQ~P3Vp~;88aq=OJ+OvW1$RBlRD18^!YKUUb%|Z&ey&9<&osm`oBx7C8J=NU zYg6y?4mJVV|8I8>YE4JWx0dvaXRBq*UhggJf=y`t4_|-573bD;jlwY!Xc#~UE)9*l zLlPteI=BRP3GVJ1L7E^5?(XhRfZ*=#L4y;dal*IQ`@Wy|dB1bU`2jupT2i&DX3d%v z$*9K>8Xq-Mja2NV*k{|G+x=c))iy8C6o3caoPVfO^zdK%_64ok`8%!Y$MNIPB$Ae| zj~{$uF(yBi2P3}6fqL61z;xjivy<1@()Ay~DmKji{d$-Cuh-$B-$rR303=tKy=6^| zQ&g9XzYC*I2)TKaFp&uA9HgF!e;=*li&W&_A=2M1Pmt{Q2-Y{DR}rFP6%u@*l4?Ef z5vOi#qByvMNK;e3@iYkw77m{1pEvpm+X{)u!dP8_R7nu1v+VkXN8%J{v8@QBl4;y-uYWyrB*i326i>GaHfQfQG@a{P#VO6lU_tYlG)(p5Q@Y`&O-O?%ddS8TEB?ml$1#X z6o=IlNJ@4NS!}=rxC)&RsNGWH<{nFSE{cTaTRMfq){0-jHa46wX{(CVRF7#WG&7VJ zG%XLcwR_DM2LC$?pY3BbZXY5wkMlD>NxC`hlVmy0fC3R{ll$;mUG|sDm3^ zxBUJ#HLV<^!1JLB^dg^6RwLMx?T(4c2J2ZDCG(NpS8}pgNLgpivBLXJ+cEf;yYm01 zN-fg7Acd+wQVhQ9`^jXx^z8U)QSwmiqXfljzh1$7+Gt%6Mf-}xR_FT6J`aVZImA8D z5NXIu#8r;7d$9HCLLUFCZnh}r2mgU42@H-pqZBlKeg7y-Lzb`K|C&fXEFz^K5%H}) z=ZTvz`29(eNWLk`_O*&LQ)|J#|Fi3wSiyTz_+!G z`cKaFeq0~x#`V;UUn-_Kd6;am&ZLRV+#AhiIqp$ZfLM-NkFch~M=?rP$fdx>GZx@X^YGi1*Sy~klF?5KGf zDfNw*i-AR_@NKDS93w2gtO-7T?tFGJ+Wi0VwR0}PfL)!x^$I`pcm6x#s~i~yrfiAg zs&S^ca-$!*jLs^=GJ;{>_>{4xfpjf6=>yj-rF2ZAxAyQ-)aCJbv|bJ_EvUPN*m}-Z{>#b- zVp(}GPmW9aNlS56aUrk1?y}I|yE71{T1y7Y`(iH8r~21tQZIO3d{`rYpa|HpOf|hN z+tPqR@#w!Y-}_JU9BIStrrMCk$nJR6Sf>Ze|}hva*2}~Ui1F>vJWB_^zdl$ zLQIxjx<0n*+On$3tz3%Btm#Q1C&1F}Y2W#h1))y`m(t8juOjicCvH z@FUmTk)j4fmRenf=7zUqcatL?_p7VW$tA90_T28lEJv~#Khp|g8GI8qq5+opY^L&G z4#@oy^-~jQ%?E2t60b07JZI=mkOBpe2Vus5d<~`p>@1gq_9(CWwe8)t+TDTmq95Lg zYvs&7c<7mV3#L8*s(abvBK=yz=95~;1gH@^vrypvVe_{|wySNdz-FZQqhkX`XFss> z2%z%~r2GnP*07K^qS_OH>6q5d!3q8evC25Wt1Q>1J|u*hzTbF$UOd?ng!XJSfJ)X^ zy#*Rcn;K;`y+Sb**77oMAK98i=Y~ly&{b==7ymCr2srE(GS}g~Z@$VB+Ci>Hff^DR zX8|Of@45A}BMP5Tjsa1ZN#xx_T7!c{gNwH1j}utE(&HnHrFu`&(;b2g3K*2<@_%rL z3_bNt!F$)PkFb3jYB+g<-5yh31i9Wyp3%UtVtOZy^U zJbpI+;>XIc7{+~@1a0l)JjNJYl26jNM%DYcu0q0tC4!?1Z=!TNWd;mZOBvdM2Drj4P zP|^#6xnZAtkSQ455vs6YK4)Q)*X$cAaZom7BexOzRO+!YBr^l7UTGsUs=b{M4$Af?*3-^$67`Ycl=D9`O;83f{ zD;HWMw(XCei?s;V1su*hscXTNV=0vNZYjp7SQ78Nk< z@B^6SYRKSdPxe#7WRB%2!(b{Z5$Yw0_1bv+1qWabHu~mOMarHgG!bW)$R$QALg%`6 zXi@;mhcm2N0+?1T^`E4kyUac{9#eYESYjA%WL?4>5zb^ZCyIl)wKpj@(#jMo6kch& zIk~qGom2x{!2QMLY&gp~^`6MP*!6`pL9kBt%UGw-{>QZTe8+oS_SQ7ke7eI1lixg= z*6n=r^L*b@0Pv5j)kOQWAIzY7W+SE`e?jZil|^6+7joQ*{&b`@4S~4{F7gha;^w0e zqnt&9+jkP*lSOfO-{?MyoT_m4?u;N*FwfQ5vG5Y8?%X_iN5=k}TeXxzYe?~t)?uCt zgD~;l1gFuO38c@4^+}`3BMc2{Z-U+nJkEW}aL()(nu9&uyXK9C#y@nMPtkL@8ZHIs zmL`9jL1<-PF=Uriey34K_i5gn{d8rBbzBfz>3M%e^}+D8|0LwnSkc4Kgkq5shaS2= zd!`>Q^JqJtTw`YdNg}VH-JA6ybB?MXDd=Ih0-1w5vk#FGOT2?w`tUNW!m}guftg|P zC+wP?E|SVcijh;PoUY)gQ}f5xS|2<(;V6V&fj*h1no zUt22b-Ybqd+k@9DKmKfb5;9G-$L++8m)JpVt|7zO4~lU>?dqx4SW+{DJs|#6evzFq z*^@|bMvi(^(69-G!OB=lU$5dLbG0GKyc}_hPwDB#Xj86!V@lUfa@MukVs0&#k&&-Y zr5+J#aMmGZyoJ9^qXhGAzO7Vlesd<)@)G@+Tz(0ZLnF0MDmsF*(Ihe_Axdg`WuE2s zi}W(j-~C^ROzD2LQ3X>1cqs^K`HO;)|LHd)MvnB2n*m#CqqFwxlS66UJIS~gSS07! z@YUGXV7qiPRN48S9+UFyMSI12I*T_iuARYNCCksaKIR0ia};2N#xqYa%tHXk^#WW+ z7YxL``Y79%Td;NCeFvseSY4t&BVbXpW~a~+ZFtkaot|TO)&4egOdSlNy5E<8t4B{i ziS^KeF0uc?`A6Z)KRm5pTVrCf?yQ;K>j}MkdG=(pejM%{56l9v66<5B#=UY^)Soa= zsCcm@G8CukoVCjIYR zkC~6;1emNAe>PFh?-FkIXcU4Ms-B`O2WkTmmp@JFSMp6+WrwR==XYr;<@_+Jl8<4-;c!|{hN&vHjRE60;ysJ!d@?$=;!r{l zy^x!%d}Uk7o217E2!k#C7tQ`c(7z@)rmwEsv((KOq_b-y9U)yIIx>SbnP#kHse^DH zr9m+R@BE#Dq(%&Zx!}{nNgh*)o~9QN>1(hfIlZ6T-!jvEJ)EN>E+`7JTRtxIQ@B=c zZ@r8D#=P>q#axMZ^8x0APx=Gth&kaTu+XO~o1mG9Rs&EL@)y+vl@Au`KTiLCpGHs_a$(d0rn5{$K2{saDN^Fl)s%L8 zhUT8F-f3Raot3x=I=|bG~Y6jLk$euW5 z!Y7*@tC_SghAiVTEL85p(o%b17w}Js=O4+{pAp*=aM=X`fge$Wc9!)tl#j4w3&l%Q8hPxE5UdfMZ?S@{fHT`^PvL_rW$VRSpNHcMIYz^d29ZR7#ir{K) zqZWUCsOydqUbCJ3$SI}>YLQa)Yk4e>NBrpWSu&qm7&{_$%6t?Gg?3$1amm~r;o z(GG^l^$LS6cVX_TZ`=$vUyEWi84U}Pu$l%`k0Q3>%C-1~3p@ccuJ4OML_x!SHE&;e zr2>cC;(*hW`@~KMOC^2W;pVESC1+prUaG4=vN^coSL8+__}1X#a1tfK z31R}J4O52v^jHtaPt+F8ljR`3r>DX*9Kdtv=6=P*Y@yC~8#%7GneOPljH;JKB7&!?;X0*LzmVKK;6O;Ow<=bHqIRcttCTxOL zqrIUzSXx|Dpnqsj5dDGaKTq}`u*sXdy(Yn6vR<6?OPwJC`P$0HfUFwC^TCoMb_}y0 zv++9IWvJ9M*6;u$ft@Dw^ZKbCqAra=LJ>>t2|In#&rf0E0lHx@X_hD5k*6rcyjyOk zbhzR1(Ma9jNgt0gU+YA(g=kit%-JigzlA#<)sPE)q~A&}bi^C0!GbBG!v~ya%~Wu# zqllBCK}~wF08O+R(dmqmIK-bBdKI{wv+Lluaw}?>AI8ux5Be-}f>KlAxcLGb^r1Y7 z43BhzX_TmDZ7ZDvM#jz4k=j%_=LuH1kr-wPzm57y6Km%xw0yY|U7?2OF9t*gL*jkZ z^u+ZjJCAmD&E)4%Q=mJ)Q?95qUGMD2HMPBvq~i5!ROc_}`5F-zwW zxV1RSQ8~Pvpfp8giZM=E=uAwIJKl9Vnqe!wURnXG+CB|pWS|0dq@4|E^mi2~M2KKS zr^e}5ksJEye@#eM`hfJ3$(9Cx$4S+`lg?XfE&Q;mGh$nX#|5kIVx&)3UhE^;do0n< zukh(x6zmI=v`Egj=9qiFK_0PWZVaV}#2AKPswnqJcipYZ@q8;3fN>hR@@vWl{w0Pp zhqKm=#!2z7QLDKu?#HJ?rFtmjv1t6TMHthee7r6%`I~mtJAhs1U#N=;=g3#oDEy#!JLBk)H%aLjVU`IcrlLpp$P2!zGE|-)(J2{} z62wgmYdG!Eq^RY{o0`n(4t!kg{xw@e@N2Rdzra&JY|d9;ZAcGDkVdTV8$F?h@OfDr zeO?q67_ znS@)Lv7DKc$zwT_gzz3z&sk`zFKW6~S-{!x}l#_WwK$jW5t3h(;fx zS+fzuQqS1#Jgky#xhnjg87|HL7HhB*bV5514lB;m#VQ8E?AKt1aXG>1$oEtsQnJOW zJEPvx;xjBVRV+MD5KNQ~t?^Zhzg8++2D6uZ9aakCKjyaZQGCjH9$1#ZeE#Q;RBHDp zY>}s?FpoSWl?~ali$#LcY)n2P=6m@Xyi+eMqJCtK<8L?j^`Ice`9%|yxn^pp#5Q#dlA+Z>kA)NymZ)bb2=VD(!?r9$bHc@!m0X^ zGtjwCC$4bv>A6UcL`dyNvlR$eAD=o?ToGtH>C@FF*g8#Yw?*IJ-%TGYT0EH;b@4W2 zx_nQJkf1Zc&ER=90iXOTp*Yh>{S6(`$MwNbE?Kacw&Tr*gECzeCc!EPuNNoKl4+gBf6cUlR2T4>=;-7m{HiWDyTk9Ap|$m#Y>J*t+@?iI`C z-0|3=IS&ZI$SzDnlyH_i+cOW%B^Bg#t%n@GuH`uo{O1v zJV>m}g*Pu~b=Q9UaTd8mcFB;M?6D+;Rh+cmSJEiRl|0V&LWKE$9k>hewPLZSdQY$` zC)V#zM|w50tx6H!{`dM9yNu8HD{ihkTX-sp0oO^wNV8PXc^u9oWKloWcy9Y)xV3e| zh$!o`4v}oxLS3j`6|FO2Bblb5GQ-@o9^Dk&Sq@U+KvalGAwqfK=>NJ@L2dt!@lsXE zqTIw6GC6*d_o%RBB5f>xE2pDhiWM=TmE*M|U3s-}Hn{HQ4xVNieSKyhU!B~XIu}J- zmMN(CaXe=2v7))#E>+Mbfn$kgkXZT8nrfpsPtGa{!OF^(2;I#VX^QkjU3nt4mz`@( zpL*_%c~fO!{hw90T=PBG9{V2oa_3N_xh@?ayWy0r{b^C?+=UC*wJ(^3d}h6&#BqH) z*QY`A4m_RVJx+MMflnF^sf|i)K#x;V2w!ZRy_=gTF>v!|Z;cj~mwhGWcU56C<6qOK zvM>#Wu5o_XF>Y?Er0s5(Vn0dtr`k?uH0ztOta#Y3Ea6)tn~Ru>pEig)k($IY59MH~ zFVl9?A+ME2g~2)MpcczqnFCe4Ul=$WW^QWbpb>fsKE_Uhi8h^0eS92F#vKe>Wxb*S z_RLb51%%a=e=#x;B2FaoSe@LewCkf;6+LNM`3Mp9y);COG%XX~zOKi2{h|MEM(uY% zlJ!o5N}!++-bhK7mhVTsV4lbDkGOW zPo*q6_vYQ=8$%)V3W@;Q-^Is)q?LhRqQWgi7n_wv_FsvQ!AFw?m7S(8%kf~s2DRgP z2u)*+!tS>^6ixj{-EIZAd}d}ke&L-C$(ke%e?IX}qajc&IApckQmEP+VVjLG zU`%6dzIB2mmsq*4{mG=Uqsh{H$$F`RBCnNc=J$qZews^-wwvMzB66-iANA^Z`a#q@|^mYBUSgmj;(Tm60 zKv-W6e*t37en!*M*V~&E)k+>>0}rk(eP0>PFzp}=gn={)wLBjnABid{SwMcjUV|Kjq|k*w!3j0C+SU)&;E>> zaAl4DkNQvAPxd!)XkUo*o7-tFDi}L0pb*SFAc@ZiKeK*EBdR9jN(MOJP8%_^Re9 zmCDO^fAW2{au9u$;hsrVM}(z2-w0bYUiTt(YQ0Ucxf1)|$^H}E&6p)n93}p;$WK&N zrvSIwD1M+2(cp^gg77E#==ZnWIx(`H`4cz`{;J`Qsj}U(CV8fsso-58FPIa!y>Q59 z=6)0?74KZW8>)TbJ8EiHBQ-!ZQ8U{o&g%Y(ZOMhvmt}c3D}jNFl;BGBtl9TtkKcfF zHq^s~wQBZ{ASnW&)}iMZ{@sJ2_HJ!97F+0&h^?OeJ&9gRGC-3p>xvFz_q$Y)vxwmzop(3Elb63d1) zZ@j5WEc09&v6cn@mzXRwUY+Y^#?AZ0QLWjC=X1*wivH zsb`YosKyIX3lqIG$*k7nF4M1its8BS18FE%dVZ%M?9TfjTcjhct-E%AD&^o*R#EDH zq2l(<6C8?ZfVsm|(f*V6X7jJim_FA7)VVl+OWQV9G}n$>44rkSb&HEzi|K0AIzg#oe9bx84V>0UcLyo|XLXWmJ%sEKZx!6^IZ;D7WkRJ?L6!dbv>_?R zZYZ*2M#PYfY@qO&kLy@xOrb@Ku7BISX^R}j4*^yPKTC&?NZb%w4tRVSy-!D^xFd_@ z^ed);e=(o4A*$mXy-5c78sqTI=C{D69gsu^UkB@mvDm(BbC%n z0`Y0GyEMI%&0O>4a?cyIuxocCuYCRx8baF z6Xp5w#^hY9H9Z*1@Hi$~G9=Ti7c-QuxB_vydzN5NwKHCtNF&=_^~P0lk57faoFo66 zX560T7b{-4Afb1_=H{}w7g<8F`}!wOUaP~6-%=jmhog0ZNmycYMJk8HDktN*E|(94 zj6_UweW6mspVd4;7`E3%-5Rl$#R=w`hgz{12|*#KrSNn^yaZaYS(OGD+_KRD17j&91mBI`TD9 zr;Wh#@v>JB^C)6yrfD!I>!8b|K9*_{T^J2aYLoZO6+qdd^d>y}OAQ2woS}wu`GuoZy5yWl4d8toI;=GhQogDt+Rl|y% zfVk%HYu)J{jdx_JVSh)oNWY8IVL8eXsRr%fGlF!A_lrAHp6TsGovoZ$x$RIw2#wmP zb!xaJd#sE}SXX3EA?6R=;QCg2Lg8dl(JqeQ^EIF)+G<|?Fn^fXO45z)yCZyU*CR%{nGQlG(FF( zJ`^NmVj3kF_a?N}{yJ{oMC;HHL6xkq^w^rKqf^=>n{=*0p1vpHXCo%vsToar+UTTo zgDb<})rEfT8J(XPJIQJ3i&mncVe^ zC2ilur;4*~a&RYzviCu zJ@FvPn$IMAKRG9?5-#XOU6yt}$0jsvBNGAAm!A(^yIWh0QPbFT1xcLgls?T2ugB!L zNJVlK1H*#w=OI@8wYB?u`9cf1`@1_{n>-Ugf1E5miFe3(5R`$a6UmecGIR>1i_&HAzSB_K2-GtG@N%Js|B(@pY*5 z(EnJv@L^-J(;a2aU#$4BS&%YAd3X2r zy4Ei)F54qp?#6z}8xteBC~pfM8jNiY(cRx3VL>PBsb_Nd*0q*L>C$gEZ&q!5&Irj-O<3pmsTYL33Be#b#7O#jUHOrw?)Rwv z{vOiZm8Yn|Qif7WH4TKQ6~WQt+AD0fEL0BGE0Fh(4<>R%;W?dJ++xW7FJJ+j@s7RKe%Kj% zInV~1Ig&478-H$2s|5<}-z$npyzDx|7xMXQcQ?HJ{hN*M?TY6LIJrBIL%n*GFbCZd zDIylH^9wl#JuLHa7G%`0=0;cO-CE016H80XVihouNK2k;5(*V3C!Uqm3n)Xa5qNZZ zGU61loZSsb^a2iVj}lq#23Km&3VtXo^ED?+uSe|V`4kQ+khr$RCnGR#OW+TvFylFL z4I5-~k>V>RuXPxpp^`~Y-T!BmE4X4>MOx?=1|4s#2+q!nuo+TyW=u8=7We-Gn?d^* z?AV#rxJPq(Y&Z*QFSgcKnrC%-pf=Kj$0p=*3-7kFAqg{q`d@Mr($0~I8C=ZpOp+~X}4pZo@Q;dOKw=PRdOko{^r`ZuTW_$QT|W#~G=565zG zPQg)q%vgGRTxk)`YcVDjXH)+biRU#1O!sQazpV1I#ndbi8^X}HnYkOGMwVj$V@8iuA;xJ2S7)U}B?`Q7ot%D8CQw+4c_)S8&!P{M;=F5)#ip zUN7IN3A#HuRgRVEL)?ybW7wnE8Li|Bf}HJ=3Qiwd|n!JFV{RzLqz zvC=2{1q0Ne3QVLhzs6-@{#V557pr`th2!suTFs-Utap z^h+F-Q#&m$${VhDPPK-&qM-|<3lFAE^!M12J6OxZeIDRhE>@{~2{LqH1ftUb&t*%nN0bgDQF#zi*L*ws`GOkFIyHf~n2G;lHk0*eA)? z2u3Gz>9o-75ro#12pAsBUT^-H2gx_nIR@E{56cZNpI69y z#HqYizn59U*RVBi`)xfS0(}CGxc3^?t0w3#r}x)1>Y^-H{`UI1RlIrRlyGf4%(nCY z@*x7Y&q*wyWQ)ua86&Ld*H#t}0|P=wV*|HB7#uUNUI#ps@B?XNNszfSfa#e1z+Mp~ z#)L>kMzWS!BAstyl{gH{;;Q}t`w4kEo(^<%tjVbI3F?s-iJ=9sL%`tc~t{I!4 z&*dqwRUM&*atH#wDoZ09!e8LMQ`ex3r&_P85{zgDuPshM!s7B%5zwP_2ZTkj-2 zQ0ipRdB$QM9X^wi+8onm90d9LkpTJOlr$lcm4sy`ceYDh&i-*#69EQOmAo5mF-MR9 z3GsWrja$t<@H(P@{x=82y8jdye`nrOh6;|_@16D0QCX6JZQfNY0qx>1b8dEa8vQfO zbrOcbb)(@J|Jb2cueOI-;a$OLnMcN|i>7w+F7x@{3t2mTOAp)*hNi2v>QrUY(XINS z(8l$uS6TM;xP}|+H*2x)Ju&-qo80Uq11JoYRfdqpxue?}b7@meACKR@d9~<51qE-q z^d|nnvegh!8 zUbs8!K}vcOMODui1e-G-GaT;0QDKd5$pw{l$u>|F&8pwo5trRW_sZ1ZAdyM6a;Pw# zkS33_-sO)vkmc0C$6pFxF?9BIXrfd<4_dF*^XZbL?(b~Qpd$LmB5EQuPDkkVqrL|} zi*>*>R~+pjV{J4ShK?QZy<93V2-(`3vNdLT8CiUQ@@T~pJPFEDU+C%doQI?|Ei{85Fv2jwO5|{X+s|E~{n`hP0o@|dEtof9*d5OORRp=w=K@MV&F+nZ}mH{Fw0294TA)JTxeSWz_Oc!WH zzZ1<4gj&a97+lq!>#c2V(f-wn(%TP6L29^K06y@aKS9p3Vax>jDW-ad^n7U#=_z=FhIytgWK&5J;|hXl|iM#dNNIE2@2Z&-be%Cvjeqm*NyI_*0` zdNj$CP@B})=HpoS!Stj1rxU>c;>0LVI%d0hP_<|eaYQ6cpMp7-JB3Jq>McbjEI*0^{2s(u*fTTK4mW*sM$y?j^lat~G$^Z!2kQgNh@Nj-Y zajq;%_I+q$`fTvLZNtluy?>$2p2RbiSfnS0qX`)269*;WpY$lMgCT7~1*cLaQtb}Zb5-@wQH%G65{ zZK-YH+Be|MP={;Tm9mp)M}Xvz zxWb_~{~MpbX>XjpqZwXCwKkaL4AA)PacbotHf1uPe630Eg=$xmN2#d%s*I@xxgp_a z*x%dzzljJklg^x1MvFfkEZ^J4uz6te)|D;v=Uotk*ZpJl0=ywsFKzBdK&zsyjmW#6 zjJ#=hCk!uEcH!;OwjbEbG6}qoYrR2=G6aJe28K1{I;MpiD3=)1oHZDc5Sm<4(ciD6 zl#62Dbu#jpCq&i9WyH+{VT-uYLxZ+2hK>5v%c1M-X zV!Q&5qhcnC?o5GsW28Rh=eO+ZYfs~L+8z`Tq!?j?*s=n-aJ^QGZo;E;FfyWWwFr_T zDM4jzp*>pztfT9pW2x2dVRDClv+U|DKRR6)ucSTVA|h;M-FHx99n&0^A0)>GnORoN z1c#{>!Zckk28xjJLzj2hYOnr zuV8-bgzvFXdIYuN@l?G8mE$*zKhQtM#45#IU@|K;j*hvHuJx^Z^Hi%n>Y`KW!)^D6AUslO}@e3nT?ZQDIuWQD9IP_sjt>y32 zJ`R@8v#B-PX&O&Nhm>;@7J-`@X!_#iBElGPYr*D#oI0}3+IRNX53n4k-0yhOR?hD# zIsfDSF7}os)plA`?bx6DBgR~&VLK%8ld%;o|NOY0gk5UB;%*|fB&MV=s1*08m0NCX&h|rX@^8| znz=`R&8)Idn^|?NP?%vXkG)lPv1dx}YOi4+x7yTQ8z0nWASQ#7iHIgvPDYEx1sD^|L z<`)I>ea1hB3&514trML%^$!2T!?Gery?Q>Ov)(%URL$IoG7QM;fkJE|+gB)2tpEHi)< zqUz$8oR_x)9Xp$Q*NjbLtpJgpcM=*SXwoj z<)H=J&i!xEQ#wZht5Ypmj#xUTmFS5GeoUpsLwZXdve_8)PV6q!NLmsU5l%qzI4NPc zwzRpEC&95i7rni>gai4aWa*3=@4Qq^LW7e2*F_O#ibqwU-+`_?Dy-jBO0WvM74b3D z{wb#cCtYzd3JfDcBNWO=o-r1LPk}!7Yswb0r5em?f+rRTHGERts`-bwk=?y3{?Y(n z?@6tNUO9m!PL2cw?&zdYODLz`*8lxsgV+|UNnM4WatNTgWGY+O%GY+sVOLlJM3AIt z)Bg~E81Ou1QUANNBE+0>NoWEEH>Xy=jo5ZsH6#Cy{2q9BBSTkL4BpYvPSo?7STU>PEP~_&_TY6Wiqs!Bt?=ds=))2 z8GzRy6RSJ|rt#*IWzGd0I9MwJ_D5I`CjcuQCP_65Tc8kWi>iM0S85IzfGprFVp<~1 z62RQ*Up`OzqZs-aQa?F761a~saaw4fRzlseTo=gp0 zoVPg0-J}2chDR=c1YXrKcN%0_0Llo>5D1=Y_?#De)la=9tn)zuz2_JypRe-NJ}?>y2s(^hxXr>_CC}$_xLa@Cqms%<8TG$ysv$|h z7TFm+lra!t7vc3U2i#DC0RP=|r0p9N!PB+hSTm?%SeMn4f71bD#o)d?J?UG<8eviDNif^s#9R=730;N7W* zflRCNYw-=sT4A6k3R_vdbLK{_xA;)>*cLwE5x-)Ir&DOxuE`vMGG-wNak(geQF8YXy2Fv;;y!L zi@%IyLu=5Y5qWNHWE?f0CA_^0@T_@*-WV9?!Qo;0QLh;6Z79q7rV0hyPU#5zALc;< zvs#yKDunRTdH1mis7Cdx7eOH~t7zB9&cQOfv=r4=uc^6m5gFr{0D{n=tD;tH%W!?y z$-9#-Pw1QlejOA&jxOF*EoA?T5EW;rYF};APS%)|uI~$Tt9GyCeH9j9TiA-=D8zng zVs7c{TiaNA zMy9^Z)LunIsW3r~i5@1Za(DDj)|I+WFM-I_`nxhbg>$?+tl_Uh(^Ky= z+#`G=W`vc`L?%h#5=24N{ali2%whigZXH+nfpf1P({;6lo6Rwv4Dlj9i1YvBzw!{g zoPaV+ZaU+h32k@|CUE$30FWgNx{_uiKFN{g2XKgtB zEQg1O`4O-B>9K<$=_dmcO=Gc6e)>WAc}(rgFZK4@;=)fyDoZDq-0H&A-}P^D;(;nW zYnc(KTAU8H={sJ$4Y&qrh@?{HP+kPhndvCj;^_#;h}rz^F6??};w)+bw=5*HN+fqD z@uG-4%~|vE6*RECS|QKk$A@Tb0!^(u!a4?rIj4D_^wg4LO**4-kq00yeDyyMhP9C$ zQTB(K`S-aE0(GYS6Yy9J3u?w39yj@3z$iATQHYsB$vtguUZ6?4W; zg7i4SWA~y)sjuwN*Al|}GZ$NL>}xS`LB6->TI5h*La~3jZO%=m^T|vMsT(2l>MukJWJ#DRVKkWz1%}_pif2Y(yH++q>@aL5Eo87H(*+eh z*F_f}pj?8AZ&&)a#5$iHtG406`d$D}2N-~h?)B{G`MRJUfuiO#me0G24BT-mk-WH5 z`#zw`My2`olTDuF=TGxDwzPkd;~y+Y@dg80rdfeH38uzZ zW#OFJgyYpl^OdfNBD0z|Uw3CRC3e1+_;=~@f%39}LS#k0w#v0mpPnF*p)D|T*R4#1 z+yF?r!`W)(nfpGXl(p5|k(Bb~&Tx!>{x!IsX5r9eAxVN^DgInV*^}q@dwr?MK{-1n z^xHNFvqTkkA7W7*fnBi(2y#1eG?KOc?|yB;80263VuK{%VZ1aJp5D(A)J~Z0Bws0_ zi>CBd7SC@eVD|QjQOIs$))H2a6;wZ`TmyMzBZx!m>2J25R~XIhq-Q<#Q(O{k=4#}S z{Dn&wJqs#?GMqjjiF83g#^6k!BlCuijkfw7S?42m(t97w{QYSt)m#h6k~F?-5C=t` zE}pR>9Fdx6_a@QxB@Kn4!p9|fgO9Ra2NF_(_tB6m7#eiL<*}6mli++j*e2=RBbSN! z#qGuF-#`Kr*R8Tb`bbcMqv{!sBF-LeE9c?dRM&t3*S{(;7;C1L)=6T9gdcACX*Lr zv5rjUhmvc_`uOHATq`H73u=|nKVyGA_hSPJ4F$496966%fT~(iW(Da;X01SHGXfD0Yc3jiFV^!}nQs&p6g0WA11$ z=?}`bE)daOzW6i{0%iy$! zHpkToNuED}QsRc?AzaLibSB`}>KpjyCCA-Y3%=4h1iIc$mw|Y5>jEM+k^Ye$c_D3G zzgNSS8qrK8DyZKihk`~%G2x38{;Z5--6{s!PG0AbRg;DlIs#rgQ*#xk5_I!#cHa$H zbhL|KE-uneSI@lgUMJ?aR%A&0Nff!DUxqUGCQ`C+uehovpEA{o6wCK4MT@%ByIw|# zv)o4RpRDBD6YU|(mKys@`^ zm!T>(OoviRGhevI>hQktcg<+SbIZd}32NQ4!nE#pAQY+@c#CVg4xFmJhRL8d9{vUp ziW-$pk^~gF@7qXul1K5(AMhxXlwX@8t0xSE#gg-UR%H-kQ=)=Za9_e?C8NHhbPruG z`b(9rjS0#gFG9{N8tZ2+n!i~AfBn3)>if5V(k-^^88XH;j%b zo<(bia}(8lF43Ge@tDh9RCKA_uh~+o#j7Hf(9-kk6K$wICZ~N}mzc|Gl$EHodcmeu zUOgtq9X!usY_xZkwneWq{KmD|m9ZaBUlk1$Y1I%=s}k`Lbq>#z+ic zmEr?@jc>t@{aHV3;eMs;4(g1wn82~-=rbWlkVTRP8;iP2T`Q@5yXS<@qa?Ga+!3{{ ziDWU`tkiFmZ*x$V^hA1cxEi5SJ76ecRgwh&|NXa-BS|Jv%)VS1u*>aCh7);DAApVxnqPgN-%r%i@%Zl^c~U05xH5V3XWzs>vzflfd`H&R zqdJ|V(wLF9SMW>5=`~DGED;Y+7sywr80z4t>Ffqas-nBpqUpfb3TrD(F36tF2eom< zdllF-F};{+K)~Foru0ndh6G`^&!l^d{#&>=_^1B)HDraQ+4D|JX7Py~Xoxv!EB6)BX3auHtIcRGC^JKj8V(aow$BjKCXQ3d~*y zDV4)*l9<%}^*1?jdGIOxu*V`p$KfrY4$Z0H9CZI=?eYm$HMatZdhn+6C@9LHYU9r> zsN^y>2)-nvU*Hv1dMT(}`&FSVyzl=<)mO$v-Mn8b3hKg#?ozrtBwQr~LAqfn=|*WO z0f_|!rMs5y?hxs2mPQ0Y8fgRspIN-``}cp|@`9b2?_4w2b*^*HlzZe~7tS00$nwT!;s9tJO4q*LskU{3FAtE`4pz^j+1AVi97FvLq_oQ8~dpn|sje z?qO+Y_0cP*V;@G$y2?W%Uy0Dc4r_dSg+m^hQ<+|4AeaGY%YW0kyhi-WMYnjwvQ^RA z3io}%rVQ*lHT6}8#b{%291Sp0Vhk#Aj+WDb5zZ|3=dxC#22oK$KZEuGa<8tk$wO{f z0M{Ij4P(<`n|+@E{W(tv3Jf;By@#-1e&;0g_5)3%yTG(K2)AC46rEPH7EG@mE2p%U zw_1FEynAc<&L-mU_VU}0wZ@h^Io#TbO2LM_!hxfcpjEQT{8*c2uZ=vsE*ZE{2P;hi zMdh4r1=aB=xhQzbYuKM-L@eEc*NtuaAx6NGb-&(kjkrH|FYb2W^Zq45MEpxbAufeC zZVXg8$vT^T1gL`ILN)SxABq{VD-ijDBzF#&pj&ov6N-6!jXYMi@hP1JohgbY01uAC zL%_)z|2wW|@M-LJnM?NtEHdBQ*%B2?p0JuiMH)=JbC9&8TCQPePo*uGe-K8M!}kyd zI8qtu$%B!nI7rWU^&Fco3XvEGorQv-hGvg`*;>@ZQo~+bAZFA2Ij~yS`4XFAPjEUe z22P7bM4qhnF+lw3?=hPG9X){HQ0k^iHFh1GaO3>$#@2U0qW#VOGdupW07sXaxOe@R%Gyds>)^h9PBeX zn=HhPg488{@R(E|Bg+{f5FU#LQ7Y6-StsO0XX0AK7tbepK-HhU7_z5_5{?+n*UMz! z6jsxnnYnxx&1<43*fW-L>Lx^;2#DEh|Dna03yVrHuRq+ytsjxd$RCb>`m6N0gZ_oj z3;rd1^m$k+UfS3azh_wyK}7rzTnb>oB~ao6kk^P6J@Rhn2Z=0Oo>`OvNg zDY1v9P0UgSMxcohq&gJU(&-R;qHO677O1{NU_3#-=7&uU6HV#ny~|s#MnL0PEh~@GU61%uiy{m9gwNf~ks}R7UKbSkkkUqZZi8?dZ14 z&Yr}gIc|b#i$^z0RFpqhXeb}oDtmcLj$BoI_**vC-IqBj&uhPCQ#Xpl!zX2gKMBL} z33Hf>emBl&oC`qS3rub!%5m|Nv4{!k$zeG96hMW&`C(3K#vZE9bT87A*#SPy-bk8@qTwfz7-~VL&KnOBVwmi zE{^iBoR=mns{Q6mJ5ej%`;n(;9hAutwr`5VpU`WW3Ef|v#F5=)sja#Y3E~m%b7dc| zkHO3A)lh1ohJ@I;aQ0@>c0aABW_{c>9ECjxSae@ zqL=sI=?Fm8Ib#9GVLc3m+e8pnZ6LOtmVaK1LD)unEmmWZ8FIn|Y}c24K2ck%kKs$S zl&XHe@yvQIq>F26SG)Y>>|gX=VBoz;qRdFJ%i&ibBZov7;_<+58}}Zz_4g+j%tuaz z3xay(TP5-KTRi;vP(3c2EVu-FT%3#?p!!J0L^C2>p<(tQK2{J2J`Dx1hKOL zQk_w`wKO_clhOAt$QXLT(aR5tnw+tOwYOy;jLblpy~lW8qshg~)73;f9ullc9(TsUBkse6j-d?+Ls zx4^F_GS>zD;EhR*QVFJi`FXCPR=`6dhOdv`gZW8;#|X9tq(9gEr$gMU=VO==towM5 z9+vi{kRevp$d42>0bvjT5`6jkAvw0?=wa)1RoW0aY*~})#nlF#CqCVMCb3@Zf7YC*uS(cR+d6ztqHXvDg2uC+<1K;nbDiU~~_R<}MhGSkMS) z-0?T@oD|Pd>PDEH9t?o`)Kr8d+0z2=^8AzGpG0=w)*8^fGOvq^z*ffD?Z`YHecF92 zn_3O}7X+RW!Qb0ZuqBkgK424hM6c9r!*9xPRnQic=^U){#b& z?JM+i==mNRz67ifkHdI-1!J~U3UAL{f6yA)c~i}`8rwy7T=(i)6|L@7M^18yXzoI_@B=M#*-KTB7=n zNBQVjh_Sb|1T|-umgMZsqKaIAer^u#4yMCfgej^~PRJL(7!O#TKKbzBf!6fjFA^59 zBx(}?a=BJ!`(nkbPZRJ6Lhr$IviIH$FQNz!X{q)4TLo>xLsW~d6?Xw|%kR$ywgZ-i zODJ_U!AX>~w8d17N&LO- znWanrHNqu>UwgdpZNzC*`%>b;561zuu`GheBf~Ap**nafq?(yi>Uira{UpRt+DC+I z6?e6CqxrxbZf93yrbc6nW`kDbKX`bhDM0a?B13=qlIJjECtcWUqE(5c>JdGYD-Ff5 z>}mp8mz`_IDxUYaM|P%D1UxOI48$O zQqQgRhA3-D**5y15LD0@e|d^G1N^0+ST=@LI+ZAqP0`MMn}77`3aUpAWTisBhiwCkVIsu{KuLdh$)5XmL_9eDx33NzR4#;ChU7viwca7g?a99KiNq5 zq_tPv(mMWuaWXdDo?Q_qR`4hFl0$@^eFiECg5=^O@qcI z@uZXHGtu4M5SM^#)*jT&p#tz<&KR7^M{{*X$$c={#L5mmoujA;bezX5MMi~Y_f=J4 z6K@7I?kBi-}6yhkeQtG~lK{%0=W%jvRT!5HZ_B1=a;-khd%8ZvNzu(p#o zv(4KEy#+xA-o4L+<@hB;UTiN&(s4PFjHYTgbsdoJP&ev)QIgGdgei&`gOz;wzm=@v zRTjsW64PtzaBLj;2AB)!FM;TJCdGG(IN^_b z_q?`@ z)(EHwB#6=feqr>J(IK?24|xff<-b=Nfo~4|n|QJ(f?nJC6OFK@KkGkLA}W)$Xzy~Z zIHwzdhv_B17fu5qZffWStn_7FgY`~+2Ao!{bWvI0F^vjNxZAy>4D6clH_jtLY*xEr z%hk*~^mCPK0`wLb;`R2vLO)g6dd5-{k!Tma$WNTZze7R%P=FW9Q5y~nC%mKNH#_@X zkTLN7Bb8rU5=H7BVPp8x_TsGq1h~!Tg^M?#WVmL{^k3lb^t1^2kl5_3-`;-V{p}~ z)%zU2+JTv6*C4H3jC_6q+SF`b;A*{#m+tH6CwD+YvR6?BkTCx;WADuymZ}ygY#ZVO z#Fcc>bpx^1(FOmQ2d8!8akc;yU*c*|vnGwXc-jL{*Z1$y^fwq#9m3SLC8g^u!#(e_ zjx&>KRzMct3_SX|3%8C4yK8^-?A_J+PB$q3s>dZ`K?C;{W)#vLrgFP=>h(+Buh)q1 z2H(a_go+bjvbiP~b$?VAbDEL9L!1K-jZA7|kyXf?($=TD9E8)N}no@2Sa8o@dO>_U~BEf;wMN>%_xSox7%KAvdnnBZu009`JUoyV~hV zdDp~&f>i>9oG*+=c#|i8dybOqtW;P(; z#Y{a>-Y_eK(;8PBO!?sl*ycd}40OuHC3!(17TsYhMdu8w5X-n$xGNF1##JeI}BDSKyBo4fI(z z-O3%p|C*MyK%ihLb_bYp08(s53EVC>g2z~V^-Y-(3{ zB{kqQE(89n%7UNc-OZjf*{u+Z^#Ws`mNTyEpwVW{184N&Trwm>g|djMN^vo~nhz zG`BbJX$?Ll!j{aHLfZFp(LO0@Xr$Zhe~0id{=dez`l&@QUeL^aOv zsXUc@?hmt|<6J9D@c~IUdGV44-+Kdff3@Tq9kxM%EkxlRYnSr}JkBQ!6@^8}m#7aS zKxGuB7bR2Bm#r?jo-1)L8NvDQ-ix=CK|3nNWHe$oWSeruxLMiwD} z!Z&!0N`6(RB=LU6JuzN=MBmVEl*7zsxbkK>yrkSOrLQB9A2cL2CLLWyb#UxN!6@5o z6-;d0oe#OErA)jm$A_=3S}b*Qs9A|<(6$)bz6yBX!kCmqEH|p$2~H@=kZZ?E)UXl6 zCUMaf79pI9UR%_EK=a|BwD$iDY>*SfE}9x#>y8oNw%` zP-RzfyP>Ge-)ki76}j4DT^&vHnPJ3CdUc7pbLo=aoT)@F+JF0}P}cG8`t!l}LWIV$ z_GOS&xA$BH?;=t*f0_|U+_y3{fF6T`(dYLCswOyI#96`w3>K!kE-wI6hCY~CRe367 zG#Q%w48+YFfP@f7gsSLBCLgwuXK8e1zm+Z9nl_$e7qeMwE^|b>%voplV`S`uG`DBC za8R!(9DH6Puh$EwJd6R(St>Z_G8?eOnIllh0K6*?D4i%v53#rYo<@QfPnm;6LVBoFQzE?r^I&#A%FYGyj(?8wI3k= zh23KVl*vF|f!U>ShZGQmy8(x!J@|0+n=RS-KKNdS+zrG0zJwP1Psa)!1;hAfb0=e2 zr?5&~etufg?2_yk3my!Vq#etTu@yBDzz`Bwga7P~O3_H|Tfpi~Tx}MvsN99>Cv$g@ zwj}Rl0=PfxJ^F(MiI@nh4C=z0;nUY%U#jeVqz;vp`$0>sgwyq|?5fK~qBrLM8~JO| z?+hDhdtQo6s02d@fG^4!?*M7~LvFynn~@Jrd`83>BI`M!{zCC5pu4dlkC?R{VIh z_DsE4Vw$<2kh7clik7AvX)3T=4*A^Y)vLHdc!%Go?01;8iy{t^vRClnwfulyh};0k~zu@Evt?mIzxl&mO(CmH6$R4-_$;lMiS*B%ta#G12q)0z^*b z+Zwf@>Suce+2;8BS7Md>Z#|gJ-_8(r21Hc+6JImvuPcg4Ir}v_>r(fcfAM-4{1$hU zU4XPWgU+t&C4khL5)E(yGhBfQjB1jf{r$cXRyR&P2k+AF+WJ2M=&WB=>v3pmJ3-{T zsvbdycir$3{Rt$3M0CJ99Ai~Nt>jmNdg8XlqXPJ8L!NAdFg0wfd%3aWBNcugDM2(- z6BB&_{H2ZHG3krP92EY@5`Fz-nE|XQGK5pyfKnnc$^Ebgk#UP+QD=?Fw~bCNaI_6djefdOM2fQ)ExcF_k!sDLS60dmd-mzRlwPCiFObd>7woD56_OCyum zs_S!#*n{u~emUsE<8hy~XlQ2d4`IhZm~YMF!shKT0JaGC49!rPS2Xd;|7r>4io35V z(#dRlVHgu1HL7Zt2Z|v(UaxcZ7R!yCw4FyGbCaEH(MmJsq#s3UVj_E_JzvODM1{#GKK)rS(jgDX@m3zpDMPg{l-8Y96z!G1VV)hhc72+{9hilG zC#8F;9&zuH`w3|Bz`lWVNUrHcK!naeRfTp;oe;im27J%w+`6&j7C@A+x{iSbT%Rd! z&dOw*-bc;Re0+(85bIYo-H@S7`35?@@JtJ=h#hGQsB=D<%+%H!C6j@QH_h}lnX93> z84I%s%AzWQO}r=;GOJmH%dFKlvks{_J{xr2bhuVwhDB@5%0WMvL7C4emMS-uxObwc zEFO18dZ(}Uy8?zDfkd|nn9OQk?Xf)0hj*T}Rk)oNBM-bxA2fp=r2S|)IU9{B`9GCE z@fyd+&fIN8IC1C_0v&)gz*ob}7&^&lFSTLVS-=6vu=lqD7}h=lMmrM?k~s(kK^uoj zE3*dv8g0jV$&X)$ZG`#)F--5BI2-8bD|Fy;pG2y@#n!o`^IS zpl2HkPlxKo^4|1B8+XNPe0^Ias&yU_r{zpam*fwHLi_Yz=yP%FHZgOB#k|W=P{$kK zQS~x0AD9mC$;`wC`juW%&?bd3gKLCVe(|-!` zf15X9>l_jm>T4jKO8v!=o-)~vDjlp36E;EDEq;|ST@g8DZtU35ORUOaV_hFeAncp2PuLn8=AY-|<5wf=lTUSnrGWE6tVUMNk054+oL!PBJw7TOh z;4Y(tSzxFB*EVAul?2xhcoaP|eXRpdAu?1l0Cs_l&5JWNRE zenKGc00+tsF0!E1kq9#3~oI0{50{h$=kEuabJs=n)w5=J4Jp zt53I2Mh|&hz4D(hsq&JniUv{7SvP~xCz9Tv5C18l2{sTOJ3oKYIFE&f0FsFYZVcb( zF!1A)_(Or2;+&cRbK2^dyW25@#GO99Qyn#kR)=$?;-aK;lMbcf&wUYlbSP2HM| zY;%r&0ElEW{_Lz_SyB!w^F=h1c<*f%!iGITTL(ila2U0N3I%Bq6>P;OEQ7N5V4H}B zoqoFAhjT{FsYe(D5{=^jzqA_-%Fn`^mMAl_x|f2M$*w}BlGx`hH4=tvW!Cl*%5Pzz zPM;+~E>1>2*Y#GvldU|;@`(VfEKN>oYfbX7m&FA-SrL^5!>dV3ZgN!1)JYV!ayhY z2_G7*F*hQD*mZmoO_R8IQWEn$-RA&j^9|`7S={mv*smJp0gZ}ott~{6F-#vICf*64 z`}=E^HC;mUOesK&ua=seBeIm{5p9HW{aMdzk4j3Vd!7-$s*BU7qWQj9$1Bc686vc% zMtoEGMep=^jxDE^wsu;Tsy=vU(z@MD9r_jJO(|<~oTEm>({U%%8;Fu|IpIi2(J+#$ zDfk@%iHrXf^&1~eQYW&jWPyUJ8)FmU%A`;bb;pbq#WsNPK`M(mPFIjs{V??JH%f&a zRHIVCYj#WT=mIGCI=2+gDP7Wm=MAy}4V43~HvbMFZM=YaS5;=sumrAc0Z9O7`fR7{$=W^quPt3|WTw%CE4UWQx%#lDmB~QqRs_gQIK5PWCapoTLx!sAsipjI35J!z0pi;$4h0`9qbZ5 zrMK{vCkbG63$DX1;~w^vCuiiQZU}$*y~WZ+X_}E2ufXOz#KruZ%{{UL(hP|-uPGdm zE54@Bgs6T^!qbp?9KB^f|N632|CeCbZq z{QBX-vr(|3v~Nhm?h8v;n2FZ9mS~{tsTSF1g3EaXW(18^vVc1@pBtdvKE$_;Y7b zLpmqK?U8*V3f;oMEw#j)pOZEg4aOVKJDEF3MOR`ud#h#ANXPLC3(HZ-WYEMh%;Cjk zt#sUL%^|T|!|x^fN(-;QzdblXQ}e^)B?ClPW3ktSocqdSxu*XAc1#I?raTD?6J;h~ z5ccO_`x&^46#HEPqoDiEo!!blz0>U3&DYtBL|qD^<98eGP_IeLVjRMG;$bMLhhuJj9%V)HmqN~SH6j^9^* z$63v23P9*#sbf>oJ5si%;*pyOa>d?GtRlEHk9u@nz43~^w1#t70Bh})(F86>k4)Wd z=DCUs$HB0>P-nVa&;r9S^*>fN`ZM4dulchZFdnADB#23zAyidkZ`poHA8ATWSMr7d z+O5n(z$(nvGS;w$9~U;=ITo;&ZoqprptUs}Am10}vGH+RNI=mB@=1}}S`;WPEFKbW zegSUJ-IVurkD(ijABj&Rj#eXzUfM>AO6hc|V=&L|OwAPOL7sbCR;E#;5%Wf8N;a*r9$}q?ILsUsTDY#-IGcZ1~-RY6u!xoG7zfQ$0~& zgDKi;t`JX5Rf%t!iavUG;CffZo@b?YUR^yPqA!0^64*&SQj8OFUh#RbViBU0q^rZa z?y^=w{2ACA{a76Tf(x}*Q%qT$2|G%!NqILWg5oG zf$jtpqf+B$r74o-{z;BLCvU8b>HXn zhcBLXC`^^BP2;WTX5F@DbP^6gRkiKIHT~=XdfdVCHBbEKLDr$dxgX`#KldGeNv+z97r{Ob*W%2dLIqODp)di zssV4{?)F|OzPGA6Gs;Vqaa?7s=rYyGl#Kkdq>-R6^lv79BM`QpL7p4KAYTZ5UJ|KN z#4!)kHFGz3I6JGA0{Mo?nHb(5%swy27dbs7e&EE6#nJNl^>wR(d@_WO+*gPD%SSnQ zuEs)?zSh97E`P^q!gdiiocU99QxztV3(=2myD_OIL^Nyw?TBf^iHrU_n2e+Sd<=-? zXrvukok@WWP2yAL2H_9YCMMJ-82USVJmHbCPG5~iBK3ZPsUi7Da5$wBk;qEc^4L#n zReZ8;DitQSx@oBGJaIBgb^9qg@vS=tJSVE09w^a;@(m0p5htHT9h#G^Xfd{0t(olK z&7`4s_|P(A<^A&bw*~_QJd^9byrub)&_eRh)4-yF7Oq>fuX;mne1AF7tcww690ix9^;va(XfFX3 zVt&p9sSe-z$%9ZfPp+RM#xC;C5F(9F-9z&8aZCXb2+#w@`>Xhm{Hypk`nS;tI<8C2 zv1bec#36Q?l)bkxPps9U{1~?Fl9S(oflSqerc#&KY4#>EGW7&oytd@K%m>!v(8>r=v!5bLt>P0%bu+k1*nSj6BeswGNH;mmHf8l{Lm zSR1tgR>!v1)J}8cn-_124*6KB|0~4rFhjE$xX-^!kpJO;y^}~}FlAI2ndL-^qr@yXBX*jdQri-k70?sVZ(N?&<>0i7Z8ZA763IyN(1%fqE z`g?kaLSFfXI;L0|nG()WV6VXG{Srt&VR!7nrH8r1k)~m%!f#mqTA_1-BvxJqe9H)3 zlj77e(4?UO_wWt=UKN2Xa5mRYm7d3IwzVqx<{{ZvgO__SrLBX@H|tZUKyhRf>rl5= zBp{j?E_f!SQ^gbA*F3>VO-v^-z~l4U{$=#oP(TC^I0s5UKLsvpFr5Ry4%HpoE3rbk zp2ZaJ@r%dXP8o#iyxAToK1%w*FFiHr?wz?<+cK~ibI_0FtEX(IUZ=I*7wyDqfw~BJ zK|AyD{o>Vt7i1`B05Y6^J~(jlE}3zA^G3MAAFi9W@%7xqo#u^veF0y% zbtRu;Hl1r9Ocw0-MVJx}Ls$)H1F!}Fi^97LRh&qjYm79dGB{C0%@vm%&KeZXCRe`u z^D@t>@SA8jYU7&y98oeH*nKk_77dSWU4(QU0AsZovfBMy{HT}}NAWf+?a6+#+UNdG z8cahu!@S9d+dphv&`MEjD%8~H6Fvv6^c`Y=d=vmA7|I8Up$0xOAdf8>x2Q=->JVrG zz?XrE1dq!zkW=we{U}$(8FHbrX~P&)LPXA}5c=TVv;Iy=gH4-i+d$G1a0>}0`HPg0 z+)bL8Jj6U6vq@1!C{d6saM6t%1wDlUUrwevaWp4~ELp^;6iK6VS!tkYuaN@T8c5r| z-^$~0+!rp}T3#*=#LL@c~n; zhR+Nx`wU*%%WSPaVM>`L){C3dG`o91VE1B_KaZ!<+2zJN+%ovs=?P3LeY zqZ^(MBFTRnAt3rp1Tk77?xJc{iB6)j5j8YNDjk16Un9{HE2hUPtT^Qeo7$$*jp?x4 zJU#t$Ejs!4$7YQwox--LB>Nv%0pRwg3~{1UKy&10sAKdiiyuTo?cqegory(dVI!YI zh3=Cp*n1?Ho_pj|X|>7lW9nBr2o_(2MBA;GQ{oE+Qx`J!wQwek)%WB-Wfc*YiL(({ zN(yT#H?jg|9_F(u@tEt!qkvSmeNO|Mm@xoL#s@lSS2kO}YckoKQe1m+5zJAaFr=M3 z`nD29^XMzrB;m4(zECtV#m?(?-Pew8S;t6Dj!1$k>7#vZLuHWvdSn2TcnHW4@Z z&Uz3*88N?qw#l<>KrRImaz2{}cQ-0s8hVIHllkY};X|gN?opZPq@%9P;fXytoTltNSi`d#24?ywZ8z)AfC|FI7!;bwIi_ z_n$SvhF%!YgEy~*Q4T!kwC+o}I0XYSPe;h9KDJ=v)&dNpgVUkS+aVIThy4Fe%SY7{^pTT!J#deEr8= zj^4p~IHaGqkRQW*>KT*wv9kQQE#%DvT<>qi~26Qk!jKp8qFA`nvD-3EnylDE8 zr;f$K@fZ0IGJhjG8}LFvJx!LtNz$6N{94R{_sw}kMtpNSpmh7|#{06qOzWl^tzX*Um}kIv2>wUuyT7AGlEDqHB+|Vx+xg#)^V+EDaRh&u)*JybqTfz9I9EU>RL`pj)WCAyzKMR zQXrQktN9V4u|~qAqFuTrOQaO2>24O?5vC*)PHlYzG{%C7jl^!6knO$n;JENl5&Ep( zt|^@lv)1Yr{?<-l!KRItWTBipKl|JrmQb(5%wS8QBzh`s#Nhj$g z3w3&R0kY0yN^xuYSKL4VN>lh{P8tt?r^jtUin~4tJU( zsqJ(qTe`iUEKf4mvS>-`3G#0f*JvufXZwU4oTeND!=IrjG&EZ$A1WSB(kwYwYu&he-2!`iRJ0!k zL|gDd;eZP?`#ISwIzpW~1Mb>=--g=pt`<_5L)vBixZGrH9I^% zUNjl*!HZWYlBoh;hhbo5P&hWa{Mti{&`svWm|tMvfhyb>6z9YefHVU@DQTptBuVt2 zlV|6bW!e4iZ{MQd4*CX;8AY_{xNWBZkqn5GgR+%;4aB7QmKG^$nRwI7sZxo4s{bB8 zBU||99`6_Sl^oFVl{q1|4rgWg_>}tt8I?-=G<_CUg(*` zuy#p<-RHFh?p*?W(IJRh8UvHp`nAZ)1ZQi%?96wO*pN{CLVjwKd`zowfO+x-Q#TH; zhlIo5T7=u!IHfIaEfl%HO!ZuK_i0@Q866khNAlALLuN zkABMp7DR~akWg=jQh2+P++VoKTY+m**Lz#Vee7>0uBQc{`aU)SEPsctf{Xi_^6xKK^u5>0-? z?Ix_l0|FZtSeuEhO!Wt(fZI#C1ADc{>oBPi z(_1E3EyamOsVUf1A{fTjYieVzkPD>W;N-A?L1pgYSn5Cwn34+?!Ozf@)pxJy##JaC-4Ayg zfxA3N7YuM12JTj%RH}pa^4OgfjN!$7^>U6Ng%GzW<9Qwr4A}vkO5x|^k{BNg{273| z`~ZFYrHs=w%4$@?+z4pfR8ylA0fsD+@$oR%Cw2V78D9_Q3ZLIE^qmo&na_xLa|k#7~cl!x9);2a;3$h7W-hf>)C1K0-T zo;2W?0~4BH+Qf}o(gbfK5$er6n6yf=EHS{z$&= zBbP5%w}l$kdk;&5rtYS4|A$L=z|Pq#`bG{itMs|I_25Pa-zKgCych!xqLONk@)`At z=mS9Ot7SQioZJVPW5Z^jzRm+0x(XYQe0`;4rwS0rwmdgKQkfCL(AmJywnAlj8|C{M z5rUwGFa_<5r^cN3Fy5_@IT) zLN=n?sj6MP7d-+%D1&-{MXo)IG+f&Pw!_kX3tyAOAVAq02BB?{ug)&-CB}64o}*bS zYdFPSz~F)uw0psHJJdqnS&iU2K1beiJ~XE#^t z#(vE%5Vg#>sv|&L23E*5<)B%rQ@C&(uFsV^!xUdG8}L`&z1sZtM4q$j5JXt7Mt=BM zR68TPWoMeL%{=H+%eZV~FG|w8KY$C~zr>vNv+hR~tCXmp6$Cb;sT`WCA`I$Q0Fb|O z4prQK%+a+0I>EJ-rdf_Cr0!p5{D1gW3DP(&0FD1ZZS6AtH)CsK{eef7ohkz$IU3xx=!QcG~3O>G635WWt);EG^23CqzbQj_vg>`k|Wtn^rYl> zdc9|jW8#(UgCXdbDU4l~sO@qij=@#^-@x*z9Yz#TI>D5Mdjt*E2#Pse!1?YjDthN( zd2fDH;(J;e5PY8MS}p^9RyQ6h+Eaj6HE=V{{quwA4y#Ro9CH||fJ<{T-YBfQaU=2l z^=nOSbI<3R>knps@a(c5n|vAHIFmSfOLZH??&lloR|@veA6LN9PsUX# zVbkw;l@ieV3*ZY8bU9(6Reg(61JSc2iY$pxd6iGT64IXL_>C#7U?~L!82w|K zx%KZ>69X`j2<<0(qb&Kni{*L6x&q7M%B?)OYdPdH6lEzdmx&G~jAuO=)!-=siFAZf zq7;t44+rmxvP+qCy&lE+2o)e|UV=5dAH%!^l-@jfdnmHNIGuC1bg6a>6(x3XM%(Q%CuRZ! zMA3nJltSBizlEwMgftezcw9R^=&9c;x>V9?4h-qI`=V+~Vr^8DU)CQ}9*rc~l(u^Q zv^WqioJ#WPPI20G48JPoVMK*D_D%a$x9dKj_|H{Qm|dUlPZKhKFXZo!`GD5uze?g=5=W4XmV&t&58nO3KRW-iBcQS$!KGR&+p^wwzey(=(y3B z>3^pQvMO1zgD`uXP>6JvH47M$du6T%^WDzAhb|sQ9jgF}ntcVv9*alDRF@qo5CxPh zN2aXM_Z}NT zeh}G?u=@B`3(th3YZmZV%I$pkXCaSL?~o&*^DITKFHR$#;Pn;>MvF9$jYb=Tql(r} z{DZ)nu(v%7cE*^=veNW>4KPn5cZazKh5&%_ZX(dynFf}~?TU?a21lb77t`az){F&LkN1v4OfVcmDZs&o#arFV}*R}`uYk=ZkA5f_m$e$c~>#rYj~Bbw>fuID6{->ta44 zC?M&WUKaz%!_5J{x3RxzvTGS2HaRHz1af`w80C`mAOt#4pu*>hN570cAgH$zuVfpXUM2bghDMZ zGPu+D?~=1UHU(4S0pB_@VD{Zt%GPK;uBFdu3xZ%JO0-3x)s1uqoH_PIuSR&Pu-fp< z`}IJ&#|Mz(`Dna z>vVqqJIqpfdrjxu(dW-c;yBmi5?He?cwvhzI~2>|K@gBynFy_}whc)UwDw)O&^sJJ~(cQ9%nCXv2-hk;jWi(M=EN>rlFnzNB z`N!*gj%fMfYq;UNOQo0lQAds%{g%s3_s(`c$9ZVf|At~ce>ch(dW^hM5%=_Ko0B@$ z(B4$M9HNg3vnVrRi3kNXdBQ+a$GvT#JgQMNvu>lV8`?IVdT9v|n#|vMd zpS_MDVZxrv5se#=)3j#ak+GJ&46ZM(8rmuu<4nQ1FN~z#ipyjn>4)qW+F6ULgK^&Z zOQ1{SWANDckhOj)0P}oxPicK{&drR^;A>xje4?XP&V;fQ#7&DOTLOnFaSM2t-zN+I z=&=EgAHI-3s;Q1=%iBDH3=TaFi${gU;+Aq$R0P$b5I3B?9P(DL-B2|tIb$Z3meF_B z1s5jOq4EXEEi~+7FkJb8byw68J`0{s!peh7)XHsoi2csWf69!VE0i`y^(8#w(pi4Xi>-f=462Pn3gufs_E` z1ac(6QALg=h5~=9Y_irk*^Wp<#EZ>35nL1`^&PHoeJcHKV+QxE$pDgUTr@Stbcpr9U$!8s=M>Q0Mw1O>Ka@57JQZ9Y{ zGaGmy0#(n&3lxBI@lVCSHZ0Qnh@f%eiqVPh(SBFn5JP48GOngf6xLDip>?VG_&FDs1G3FUU#taFr{ z!wuR~m9tYVRSoAA-_8iG-Aj&=se>TXJGiwM_a|!@F|dqxTv?UU0WRZ2uRl;BHi5~-JL^8cbAL^M+HW@Q$U9tI){z}2-4CGN(>Du zDe2wFIluSb_r3T2$v@0@@4fcgYdz~(&q__uRKOm#y`9moa%sxPn)vxw`<}%?CjKlr zkTaIb0wg;cJhAM63R6h#RUtt7Pcs7WX3bkjO|FBdEY^8gRX5t|J;RVwc@`+0SZ=M$ z&S6g?0o}U(Pl$F-nRbV$uT9Xx8pZq>a+O4$6vhL_QWTIf$6A)&p;WuXlE3mpk5CR72C0eusamw-|9tDpqlGnc9B8?29MOH>Djh z%p>@npJp7TK2JNo`JTJq-=9&A!Gsbj7H`(csUqdoqahoyfdL7Z6By9D_P`Y5twxtV zRCCq`lA(?30PN36Xq;9IuK8j?{tohkPy$Bqu%tjUhHqA~ODka{xt+7#EvT&#|^}Onr zFrG)8tzoO~$~Qjo+UrOydcwxxU-NHY4k}D$@Uqm#G>WZ6 zN%h;m@HI57PrkAyF>nM7-EXb-ITmvSzsDN^HFTqE364J>udvkc&iUX0d{|od%^h=p zFn&Ev(@FVYXe?LbYP!5j*4VL1suj;}-m2UDE6=OwqhTGXCn;L{@^Ud=9_eE3i;_`z z{%*A9bo|O#R40f>y9WvmhTIdTbz!)P-k&NPm^~iE+41hXO}%q&awjCdlNv&$33>~3 z0FA8Xu?%6^Mu;ugfQV~G;h&FUkedND?@z+GMd8pw3g6w`%W4J6$g2VI+J6Sbw@AMq z{-Zno5$KLzT>>0l^c zTLSy!xjTqwU9s1DfFv02QtK=v3Wz#?S~;AbzfcSd=J*7ZiIJbCWpO+8@=HY`1pZMX zKi@zhO4Skz`q}~u6k;8`S(uXUgGT8F8~F+8{V?0h!rl9YL6HJcOC6JzI-jFTuVO*5 zO22FOhIjQ>P>hf^3c*Y*(F`0_;M!THMRXe_0Nqyws$Y0}TvV(5HhQnpO*f9$BC7YM6R?JtQ=YCyjI38G9Cm=vBQ%r^EWp`xBMz!BG2HV-Vi0YZ89&^%t$G1Vam-H>xL+ zupA7@x$|Tr*wdacb|~~K{wwoMy)xNFrS^wf?X;nftNYQpAR_qVFhU(lR5Mftb#U(H zeWynAP|7PFU$)2qT|0D{aL4}HN6gN}2Sk-sVpOF}$$A_R5c8;tQ0OnGJM;%ESIE3~ za;&v>ESMcRa(#bt@HVd?mhSX|3F!<2aOkSKfRsa|!ux0!Z&MPl=u)^6+TgooQ)mEj zVw))>zKZ$Cq;S2>UuiV<=CYtnrZlT*%W1M1q`J@}G?(umzBS724aRgfWs=Ug(kXOj z5K{~|9JVd6_3&cTW)n9!iw$>z;KFVh+=NV=yGs#J=8gv>Akk5}?l302E|#V8_yO#2 zcpoG&9WS~9FE1#*-q%~}yZE)y?0Baxp-HdJ%e{c?T7(<-gLqBny%A|$4pVjxzRj8& zkE*I-z>@q?6VkZRne$?GYfCqS!E3erTcp|Hi_9T<{CJ0Ucm{-TTI7aQk<3qdTX;ll zcRqgPG5y-Oh*R@uWl5fh+p-n?l(&n2D`$3rP1Bf@W9S`BfTE^NHXa)04KM|P>V)8T z@erT_wu^c88H73i&C-CsCtm{TWr%4FZ8d+1)VPt{r#vKJMkzMg zJ+!`?HKbVbq~3QcFTJ*RS>pF)$vEawnyi^w%PZoQ{+{RH!dD@@*z`NcP$}U*lax_c zcRCM-t4pME9Pa;XWf&y3c)QR!X&YG40Zp1ZnzP_)+Kx~{vr|NlapFEg{!32V9+iT$ z7JoPH&>iWGf!;t6eB<*}Lsq25&}i->5iu|K!rPm7dRz6Tz4k1=C)wS^YGWUIG)hO` z?0*J(->x)WA9v53=##cks7Tu;lJw(d%1Gs3@uZd2mS4W6=}cl*E;bu&UdXEqoIFHk z%8l{$n@nWduW3{+&*i|oD2s+VVCsKh)y4(wCJE{IYNsFM$)m#2Ph2}vGpfwHCRNyo zAo!?thum!h=&k1QB!#@(o_tgr6=|NIlFJ#%rqrv;C7o!fP_2h6YeMO9FRU=??(Jt) zF7x<)X}tjeL?-)h7Za3&Kwcs3{HdbxES}&F&6;8A2+||x+)+K?{9qxk3muuQYL~`9 z-&g9);3UK5{yJ&o;m8iV8lC>EGNXG)GIubSWX8?)8vc`#skiHsozcP^BPYTcS4dCs zdS&2MY^~uqI@D)(^407De|(jlm16jQ7Lb814T zU!nPgmJ4&XYvHJw+b6hdJe97|N$a|IVv=+c%rH+^6xJsT;vC|%Va^|SmtLx%&K>A2Q{6&+4hxOkmkuH`YRIQ^%+42ZBlls>uZ1o=?sfDNFl$? zhSNPJ3fW-hpP6X3TCDqMC%+8Dho6EA)3-SKdFj)%zG+YQb9HKe4y0e|3Qnayz~XiO zb&2&*VQM@jrl>C~T{6#L^C)hLO{C!R8{4bjk2F2d&{EUE%^(gk0^21}&lTza3!VqG>`GSdKEtk_f}6cX&tR4EoP zPPH>HA=UuSFOOPSasvSk@l~6$5@=J7iT(F^;u{A9V0hW(;6lm!cnSgx07USd=V{c^ zy+=8d>^PZ#_cg4LgRg_|Z}@izc{D&D=mntt+PIx_gAS$KJ_`%K{X9U!kz=ngJiG%; z+7%?{8z7PYq8-KKzlqr!S-A}YL6C(1d5f#^;OmO4TiZAQTG}say&U_df%y>l+w?Qg zfyUCD08M~#Q%5O@dxGj>Ue;1FYm~nA#ByM32Gii-Ahq-o{D{b_xjDcP3S;LOE};)n z`8S*_E`u^R0f%Sq!6W?SGA-iC7!YC(>W|?Yk(TfmyTsJ~*5NFoEGO+OF4hVNJVbET zlaT=cfdCtLJTZX7#2i|`YVM=~ly49(tpgw0zapRqs=xTxPegwzdg9LtVhw5kbck&{ zY?cMp%*Af(w6e=n?K0D5A3E3tSjxmLAeoPq`tK8Wy~_#Lt;Bj<)wRDcvuhps(Z|Q% zjhlUBry9NYYZ0w^TA96mS4hB*w{Opeo9S~^YYjv7#$Y4*4v1cq;t2NkMkyksrVY#r zE&2)5N>cWnakW$Ays1Sw$1>LSca+P@8*K$}i zm_HU@34lH}09QplMeVvhnNN28Q1L29#K$+#qY(`G)<9QXy?(GhOfJfS-aEIgyouLi z1OXm?g4^X=xddmhNd1$wudO^uK$DnFQPw!GYj&dMoLPEZg=*&U_LuDxZ7tB)dGETG z@;`ogjqOR>#*$9P*z>;u-lQwy85=PK!E9b$Qq`Y+`_@84P!a&i{gO02f3dNNX3^uq zAt-{ySO2B+I_ZAB^Kd+L^OHtI!_EsZ5ZzFAe(1W)K(2oR07TiNAxYSIS{Ri$SGzzh z9$k>iwIGbu;PpN4{c{dhMWlm9bB*3Sg{JmU{i1?r?-H2VQ3MV%gM)^~Z$=Qx{E0;n z1urI3WD&GsMu6;P(Zx0r38#%q`}z#RUJdD1w5LLJaEj_UyEZjNO8DnI zt1Q58=&vJ*YKThr6!mb?7dEgL?gvfoG5~yK{O1;3=YmYva-<~|9%6(yLy%sm$FwXu zoD^@#Hs3Nlcm;`#1{h`*m7#eBd`u5FGS9n&)HMS`bOjPOuOrJPIJ{=O%S<1GlHo4-pQ7Ty|KPSD+v~OAkMd$RFrha{cQ^6`!lSudV-FEC_oGf))fk zbzX4q>PomV8w8KoiZ~FSfgCHlMmM5%X0N77r%|iCC`YR_}TkE!2el z)H7P}N!pyqvPv}J0!xTF{GWC#`Bob9;@3*7SfI=C`4wCpqiSyF`g7bY(Be#)68GWm zGP9aeg{XN6@E6#hMM9ylmjB-e4~fm6B&Y#^aI0HzVd=B_cWTPH&qoP(otuQE14GiY z{DOJVneWUjS4*Y1=H310oUV}F38lH>2v^?KAM2^ab5X&+}WIgyDVnIguD{)NcmNi=X|4V*2t z?;`1SnWS0G>$`RH5xesZsRf6?k%H$16mmLW6tR8o;auQ>6}8v2>xy$ZT8 z(hdXDVj^z;1OEKS6*SOwtwo+(j8nr8_s}fEn;^QlcH4%&_x6ZEhzxQ?>Uym<5Enx* z%4IV=S2w9dvF9uFGHhb=UEd#+JmdwRg*szwzw^JE%21)Ap> zK7gu&)nix9w>N=%+5P?%K$_+4-}Pg`ZcGo&wQJQ;;gKb1yqv8x`r+P#~2=w6wNkZ;|7L4UMU6 zGosoj4KZoZ9+KK$dT3UQ9hrJ}NrLofPy=tpD%YIbT9A7e+#SNYr$v}8olHlQ41e&S zwP?Ov*|h6w5(*$GS(3!&Ml=`S1u$+q*20rVrNntc7vSO7w66R86a9+ftq_s(X9_gs zZ%@oidyxf?*jy zFa14<@bDo>`sOF!fH4(sz!#L?gfq%~aYJZqvy&_30vn|tlSXv4#5O84p_L~H4d)<9 z{WWC%jYI)ID{uaY9+|nWh%n`oi19WN_WE>RrcEQc6J`PKXMVe#O&afRs5@vGw@H)5 zX5 z5iR6de5Sa8q+KlGMsg{njxUptFRQ?Qoutim*S{v26bTU9+uLzWT?C~DvlgGb-5L8o zda~`b(C+KMgI5%Nb7I#1)-K9*iQQCS{QN%xU8&LK6tMgvivu{xvM;zd6S6ij*dfC_Stm&4$9**N`c2bx>494qTmc4($Q4 zwCTm6ZPD*McMxD(GrtGL->OOcpm$FQc}2mrb8W7A=q9%SKh)M|Fz?8=K<@nGq6Nlj zNp)9wT?X(DOy4F!JlR(UilfIXAs|Ct0Stu|2hr2&|i$3W)wQ{%WO+@mN09Q?ND?))E&Qqxg<;HbhvAWU%ogeU1JYSNQWvx zUQzy+Zzztb!uw-!tKuAf{LNIy zY+X~PeBcPW#cQ`b`?gWtZ4ARbpj~GL4`h!2qQ2Nq6a-hUzz?nExKu&9Nq2gbvRiTl-8GKiK~3 zTf&~w0I=#HqUAINp4CxhR&>7*dL>7i$9I6`j)xnxCqrIhF}~ojtgNG81(nPEKoh}) zbIyuG3pOoP+BFvBtxQ%PfFKgnpMX=lvPH++gX!AV$04u&xwE+2CMFWOo2mHfSsR^E z;;R7e|ZRu#$J8L0qZ)H|JDV-Jb*%^BoXhrPxxSe7jSW z85xyxn5pFw&dV5;C}^hk9*_E}^msP#dvTa&;CS7lE#|&fMVOr5^4|~qioQ>CmwfZE zS#v6cd$*==aXn732NJ$43HLf$R`io;9C+s%!pYb(?0e3pxDgE#{BP75G|YapH&JJO zySumE!?@1QI=y^O63}97HY`#&Q`nUneMDD_GQuigx1E!JWVdT38!(}^ldsa?sp!~& zo>12=l2H14KHj_0K`(H`XuuOVBAfmT&A1QREROjz=xsf7qBGBA`)M?-WrdZv@9aMv zC+QAiV?BN^He(ogA%xyvIDO0xQRlU%moYXUp8xcKaZm*ED#hTbV3>x}Uf);qGxoaI zXsh{>&$X#fdTG0YP2|uA%kl?SnqOFm$lnP}K{4o%g(oy1LhG)EqxMtC&0@V5V%W+u zZRm>%J$uQOVc!d!m;Z*aGvBc)1W|%_Ymww3R@|@kuP@N({mC0X5%g&>M zh{)_g>X`oRo-vAKnOvtx z(bVyuo2&z>G1{SQzYXZVFzcCB;fn5A(WzS(rbG64JUV8WkDS$Ct*K^)H#EW1D%+Z= z*R7syY4unpPJPt%`nAUaTHXDYJ2C{V8gx{X0(UGkUlLNblZs+&GW#ng;+u{EJ?GW4 ze~cR@Hg;E+FAS@+=|a58ctlIRyu6&5!R z44;-gJNA$q@>+gFA9sn zwKA(%UtL{AzLZ=t)(hU!pKt#AYXxSH;_=Lx%|970aI(x_s_CM6kDULGLvS5$Lo&vo zCO%x~P+CX=*zH1%1;NU2T@wOKfzkmZg$MAn&6&~N| zUrak)opqs~87>oALYYkjllA!c2HHqLPDnr6CVxu)KT?<>&sEP}T|IkYPmysZ&>fnsdlHufr+y2*I zCvisYd@ilb8y31J{af3?W+~q=KJ|pX!KvzDjxvEm??1ibt^O;5?o>7mN@u20Kbz-_ z<9*1`Y>~Min2^)>BRY;Ms>r2tDT)mt@P4YyKDR?eRU*U)z0dR~xyiY@8sZd<@{c3M zK52jOlw5H*@Z&~nhw`pN$5$ROv>y7?YEpbs<9a+=`EnxeL+rf15w=N5#7{k-GCXhT ze~DjeW{D@3wnw~3p5svtVB-eK|2qB?`AG5Spl0^nC&WTV=XIEASc|}{{xW=w-q;Qc)hyxxuf7@To0Xb@+1C{oOQ^A#qd5gFBARU6x*cD`@ec>PzIE@5be-bq8;MhK6+S0rz#P_|*-Wty=;ij@{U_op1aiBf z1voT&qVZo7wLUl{cJ1oeKx*lBuy7cGii!(nNjB0Kj>=MB-aL%3@9+H;F^u`!!*#s$ zASfm>Xu*O8;1R!%e(0anD${~2I!P`Fz?uxynh-Aa%eS-BLT5im&w3(L*+59Y#oCjm z=7K|G#e3y`Nxso(x~dUW7@c97)y}LN4+o9kGJU8>?jotsSC<~|@zEJBBY34$`AS%o zzi=s$@l~@WMl{)EwE3KJP%FUVbzw(JZu=Px5qc)&1An12MBsNgb+nFu5%lEm4v!*c z8*w7nEd?+m9&8Xn{BV>ht?olcIEQc8;VpMsf^Fl)K;^7(((myPI1rQU(=FSoB z;RVtm%cfzw7P_;k9Fqjv;k$Zl%pncOceKcQ_8JS4=6Iz2d9ywonC|`<`-&KQ$4wo> z&eqtlIC8LufS3FOH;tO$s>*WDKyC@=)y^xd<{>Pa+iNKo-v()ce6^VBfEc?iaLI%` zwG~>}hV%e3H1qcW{s{y94>4?(QewRE5WZk+JeK5#+Ej+G3TGU*rs_udgdg?}IHX98 zYSslic3OCUa)@FV^de$(pFDP1aZPM@(hOF%G4ko$rd#uE6wA!Wh5iSZPZ$+5 zE1g}EiTx}p8m}P}&Mg1{anmBt?}1AvRbQ<-LEiD;Y9%Dte^vsCboEeP#YJ06)x-ck zK>lrhIqrt%;`IJJt5^x`ybhck?>yj+IF!!tYk;!UUi7HM_Q-8^nW?g%HqCT&0k)K}w(v3qU zi6Y>Gwlg>?S6y*BJ)0z2zO1pcb7zoqy~+7R)vC#Ko)hhdAh}fC8u2j2^+wn1Z^{3G zl@x@=;iy@$X8|GD%X{7jP)biUx#pcbHdb@wPiCT5a3rDB}2#0z>d-f0tz!`p9D zCAy-8?3T?RjJQjKys)6i}`dj)Xq z>1Y$lA_rmV{=l9!7Gv6?CGU#Do&H*8>Wq^(T^99$`J-s9OL5lx9fnu^B26o9_cc_@fhmj+1HqKwKO?p&dT(BT_EHmeh(zf5k9=sC$S(�}|YVt7a{g5ZM#*AVIt3qQ}i_Fw`zd_j!&KAM(Deb|HUUV5DC9SN}tQA0`q? zSipJQ6o!-MB&waRPXL;@pf&6d&Tnyzg}{0K>Jok}Y$9L*=UbR)+cuyMvrLqIDOSB3 zFFr$M`b(h1vacY<$5$b7!E>|(%pST5r9B$9{@~c;6@R{YL2;U&fX0K~M(~Omi4FrI zKhux$Mx--Zrc#gY?|`kZ(3tHJC86o&vPC^=Oe_jOCgkTC%qY<)-45 z%!Fuydlg}z68f0bS+OUVHIl0ikV76)d0kRSn3-!C8*lz`fS~!8tIBE|B0qK% z9k-NMG5&HDynMsEKiXUEO5S1iD6WCZCqOMrO&gzp z1pUfaYxl@vnt<3S>=)qG){3Es@k#@J+eibVsM6;Fx(u|%4V6v-9PcC+ZmGPkwgV8PX8A=4X=a&EvhW{qii@SoUP$YHreoH#itVUa}v;u8DWJ$4m0 z)a(LX#JLA|*iLt$&M=$WJ!fP0h7e{xlhep66oMgCj==|HOOeV>gLj@btm}*PcspqJ z#MQr8u;Vh4JSJ6Qn{eAV+dJ_{RTw@KJsdK7G+UEY3|oA+$&WEUe^EW7Rd^aNK1XGG zEKs7{S5vC;j$#H-KL9zW4oz?!3SAdWYr>v2cY^oY_mTZvdi61&8atV8L;-vnpac2D zZ*7u=H7aivu)GR(23S&H96;;Yg?@FrNneFDEI%)FyR3=^<0T^)mw@zSW8%v>hlc{cOEK#Y#a(K&4gDL}k&!%R1`F1j zHC#1xMS5`@`VBrOFR<@JH+?aqnBDlUGYGwRYlk+4`@}_Cv7O;}MPHBiw37S(fwiyb z*;f@V8Rp?mdw$JGIZ*1-CekW$xB|)`c8c{4t%35TV7bxp;ona;fQ5u_zqb3#K2g}F zUuN<;<>k14tc7EuQK{tE=#i#oK#lH71eHPt)B!RIkWrU#LA`YM;l}Huf7ibw3ZV_c zY14tD&cr3iFKHP}&c~KMf1^D%fs-abWfP3NO(n#~rlZxs3(ae*o;FSdV7AF$nZ3Lw zrvuN6B>f)vhEe`jyWt|6wHMQ&%B@4=>nm%`ooWk_8=ZCpsU;7w?gTeepvlSNYU|2A z2L3r?;_4QgX$25{(#%RZE6=%e(1jm-bF4to(MgmiYPcgY@&YK=nveha4(2Rw+c1=JBzSxZZx+}NU`(;?Ad+>!9 zjYN=e9Vyv-tF9V2!U9tj5m+hFTuOli>1*Xj{zS4YH zi9CfA>ati$%N|TPa4;#yyY*-jP|msUjK4Q#d++E)gk?MPaY9TKPA?%i@AL7DCQ(>W zoq5?2wa%tiOOIoFo7SO;x?NFiKyE4ls+nO2a@^?^-cznmss>jzUceDfXZUd+x)vzLBM1tAi0&3$oIvf@$_aYFk7YMBoq3T zb7cI)k!zm~Cx9#W9y%vhSGQRDQVgiLeEC)UeFk4j_;!~Ef&J@}FLv{E6lu(z2Nzlj z9V71`)vO%Aaq=7f1Plb2et_f+*3He+8TQAJ+2Hc&2on06l>?&bsp|DJ7kW>F`qLE; zh7z792oLULs^7gY8~k=`anH)81u?l>Na3o>6|r8tRa>6)zDLh-*unLap3WUa=?Iyb z{en&mbI@6MR`2@FuQ@t97@Wq#}{ufVto?DEH9-S|@+@+@&%<^zqN7b2vPihe-sfy2C6zmk-*1S$@ZE^c!feJ5LQZ#r`xt{>n3kPSKM( zm??3>cL$4x>R+OO8ZNrQw5#V$U~I2Ee9vUQ3a$-`1<*5|OUrdiT?5lBCks1d7z~LB zq024_&IrMfJmWS;rFxit>6Y564&tg}jA*JXfq)vllMkF%NlIg)dtyv9T!NIUz(kL6 zb=avnb(%iNiPUpKn(uFBj!0R7%MN$Y)B~1dTd%SiCp_!?1HNWgKA_lS<{Xf+{g-80QRqua7THj z$PuCm9~cqHWvMK^Ce_9UiW_;iLY!#Dw9EQJ@IQg*4Ro>eCKt6Bg#o&oCVO)MgI%kB ztyE#&u}=GaOQvOJ(-xmjc!GCiQ8;4%&6!23=4Q#3K0TYtAkzhZZ|_V-#C!n{OrIT+ z6Ew5%jD=%d52qCpqe;6~^1cg|47@4f3=?>g*W$?59WUqoZO)&~k8$f(hU+@pnzF_k z3H0w2`@yxfoh9t(YE@Ih^k((rAq;G{k953w=mo|BTQ=MB``%j7xG2e>uEQhl@ggH1 zn$m(+O_v^W2~`S3BeAjE2LsfnX^sY+r#bxLgIEu&(z!I(x)(h1?(_ zJy0l-vPI{_(K^*PDr=!^>$$y?k{RD4#Q-(LYgG5{V5}|;;IXgkWM_p;Jc;5Cl+Ypc zvH3QMN(yW6`@R4Xk{IbaQG@`7yrN1jC~II%!{+izQ}1-L`@it$V?dTb9n9pMMR_YC z;(O*o9`iGnJ%v@#4qiU`J{1f(vg`l%izEHh-D!>R=p8J96 zpEn-j##_qe#3>Hx50O1ls)>1a2zcb^b%&S_%xTCm7km7>Xf>NWM3Rws8g#Q=|1d*c zD0EWXq}&z_-7GEKPpqs`Ha}*;nP3yAs>8Hzt1pdj5@#(IUo~{{UVF}N!9*ScM|C^N^>Q#J+wVjwwZ2m6bQSH1BQ(J*mkHy*KBJ>XUs-fiG z!EW7Bb$|D?91JyOm_YImhR$D`D|siALjEwvh5qCn5fP)(+J| z_dOJYvI?9|b4xA;+ua0W_{h(6JO$N1?R&=}0b5I_;i*vcUqc*U#mlZ9hXx*Xv1;Gk z5V+j~P~52I@GGod13V2!wEP!4z+hwzabA0fKmQDphTRt)4`zX-L}Y_3F30(+Y=T(@ z!qTYK@~Rl~eKZTFOUv9Zv@#S48naCM(imzASU_k;Cahw(-5{C2nCrKR+`GLbM)l)T z!vOK!$9G2=*BVA6Rde%C1}xVF)L4B6XEJ=e@0(JPHB9Z6@y%=^FX*GaQ}wa4RU3yU zF2l|ns;K^~WiAuBS2S>+D2p4_(ErDa?DiYu?l^i%ZzAcwVH!Y0bR_D7`ryw`S*Omg z@+k51nY-Lm_P1)^KzbP;ofb1ps*S7r&1Kz^f2={zmF5VANSb;+{$&qFLpF{7I0Bzz zD=SIGB-GE%)@x1Gxoz_;S%=hp&ay{Y92s{q;uA6k0XIb(&e)Z53+}uAX!9frZbx68 zgjebJCvfEEcKJQjwcNh9#P52044|PdIw$*0FLYnDjR?_RRrT*_v%ULD(_+f_T=uK+ z&SZcsQnzKhZp?FxRb7vr5Laz(9A&B}?!&Yp#hq&?^!Amh)>|T6u5I8x*g$4|R6$9#%LyU<0M{>{PdMkZ<@#5K$+ zSQ|k55L_8t`Sq>-V=%M=oQUNf2qmc!!bhmQZk?Te#IGcdC_^+fQ{i*XD5o6!%o}A_ScNodCPW=zmi`kmFfXT*j>K!`!-W~3ZsG;Kx>+QuZc82_iWnQ(T2lxt@ z%YjL6`f0Ei)$bV@=o@GYZF<{<#yLEB17`m^&=8z~=cS^zxKB<}4bOjxNfv>bVNfJg z*znvid8Dj%(d_$4AdB{F8}H~~ct6FH0io4{Q&zT6x%q{{85Z-xmdTicN{l6%t` z&#{-6)c3rGV>@!iBeCg&$0OfJPZqi{>J_$Wv3|f}%tct72yY?{xLvBGy7~Xqhr6GG zYj@t~`n$fxwW(%Yd5q;2svags9RAPl@<>>Ou75#oCRVLFwYeN9jB>v^PVe}yqjEcR%AhAxC zd#cGmcvj89CmrEBhvIeho62Bg-C2wD^<<2+y!F$zJY4sbl<7IHMg-L>YhF8GW-!J+ zB)0J2N4K}b(T`_4Kzmz*O@j%om0)9XZsM(-qQCYITzrEPKH$sRQI|VY=Gxfdf2eQ{ zpb6I{%B8X`KgX^gns9IwA{6L8(0Dvyjvq4C5Y{z+o+H_x$dZJHfa93X#ITs zM~USfr}pOxua~yk9?eGSJTpI-z1nb?>Rd@9z061)w|-K@gj=n>iIxg;3k(_+O2gYPm1KhI(rxz6O2A0x8xKc)_iUmR-1<%ih!e1P)CbqZlJUap1tu^^xSKY15 z7jXkFp>RIM~( zolK1zG^y8cR_z8kF@sK^lVoT|2Bq@CtQW@}x#pBd)cn1GNGSb97FWpC^Q~$i6l{Bi9TxII76fu zX2v4z@eB$j0HFxq3igwjoyO`qJO!#(;a>f$NA@sf%5mRqpW2gkXc%Z(YrvywK=uQl#61)=TmV6yb> z7xTUkePk4338U!VzS5k7AY=Mxbk$pCmBv$ZDDtzi^@1PJGy`&qY~?^_K?(~09RS`@ zQVtzBCHENg`AqjfrJbdp3M$qy7+P?9G1B?Z6CqqwMN`#~4?c4o@-0DO1KsEn;ooDmH&Y+W540wbCpb%>`)s`gk@uX} zIQg>Nvf7=EVv*etA#Z4%E0GdZbv}GOnAu^q)Xl6(N2NtOYu`To%8%eY`_sw`x%eSW zCtFno6MOh3O~;)pWk~YNc6w*-;t{T_8NbfxW(s>yRU&3)5SX?L$y-3j`Y0vbL*!7L zUhCjW%53DENF|=2mtin4%5o7FJRD{0yDml0uo(aue(+fix4V~Oypr!L$D_Npk4PNf zGOpeVlSXR}D&%)BQtqq;%>- zRw71{b&@&QqVy<^3)e-b_kDS&LrH;o(o9nuM%he!#~Z(;4#GY9j@v|Le@tgTSXZj% z&OhW>rb+3JzZ?2*e(q&@U(+^5H>s&q;Xv58ca)4}KG?3ZZL1XN{e}vr5ZP>8QZ(Cl zxbnG~Lp#oRv(tXEfRBSOt35O^ z8C>r}Vxz3*=*JsgX>;S=aB*k2!P1f)%qH>Vz_tjXG~ZX@TwrbI6NipCXJK$&F1aP7 zO^fcMg8H&O`d%<*G{(tyOQ?jvnu%o_=zey4)TLt4L%JJTCw>wy(Samx&uu7cN^Vw zOoVO;aH%2B?}!na=P;Gv30We$!Rg9%4(Uqa6_<r~1zDXs)bjnc5D z*W+?+w8TIpD}SS%_GAKK{D)jeNWfTpjEs3)wdacim2mU0V&)4#o>qPA)Y#>xQlNV~ zmqV!Rbrxf^of4lS#PMAzy}D`juyihm%DX6?ds$0)kmS@~8aUKN1qJW-;i!iYvN-2K zEB|{tfTd9r&M7_?zzaVq#^(mZ&t0IuB-ja<$k^WQ&q1p0H0`LIq{Qs}%be{6qPsh6 z$;nzh9y>{7HDStaX$^$*5s^zlC0*w{sVlWiPJU}Yt-BI82uF0Q8^WI_k_}GjWg#50 zo{HEP*r^JvF|`WvAPOEZrJ{8DElvIUw|8N6dEt*|oo9);feD|eJ)Dphm(fI4>6%M* z;{kV0^BGWzg+R}Abr}7TPW27K)Ww6L2)EEyDHGN&H;|C9*}#hj7n)g{^M(Gu@-u!k zK{xfDCX5uzth+qm&9ZR}g9+Rzcyp&61y${H(#D%*>Xb}3aKcQwX$Vd;8?v8zWS6(* zai8YhO6vS80$NDmIQy9q4@o&lw8{xjp6TlQtkw+!xzoNRF|E5$hrU~9)!#4kk@0u) zLmoV*cr7t&S!x4{fB$etQ$f8TH-K%Ljjn3ad{e8axT$2@-9g9F&lWkp+41o;5yGlf}K(L4t6Hi-V=Y8SGyuqdWSybArO-WB*rb)T2#$lV}F!$tLF5! zo$m4v(D~yg#L4KCR?r&qtgg;z&oS(2gRn9;qOPrd10wCB8yV>m9NO-pG45xwu&veq$`+Ji_<={5|T$ z@XC~~f%i!PZ8FviNYL&81v)0A?qp+r{Y@FOBAexpU8CWF$oGKKm=gnbs7IYH`ld^` zIz@X@!^$8Dlw4=0Nq$Do2agcFgE!ZDvtbWXX z0xAJ&ZmjB(gc+|r_Gk-J&f^-8_vZ^aX>!Z}YnCOubsd>1TGFuQQ|csYTm{Pg-bs$K zsdqjJg&-WXf`xTB^bT_oHq4tJtF4$Jy2^5$y*h7^f(BZGX^KdH^J6(N zUX{dj0OQ0zCwVxZJCg&(uGie#K~o-$%1wFzYo61L6;{5lvhZFvBA`@ceD-J7{cN@8FZ&_g~{K6Az4Amij;T zKI<=dD3qW_aX9qj;rA?r#lGGol}n#SEnwEx#6%8DV}_eQp>d|aQL=I~xJ2WUIVsXJ z7IZ>H_TIJ9YwK{Qf~FH7MRbp+1xh|YCu8>1=4xE(7$|cz@FIij-M1<7*@JkznG%K3 zA~n--`u;pd4mMrZ?tqEbky5w|Zo2buhFk|prnE_ao<#c-;z7Svs6r&lEh|fpNDk6h zoD_~^cnzJIkWh_8!S|#O!pV&Ud0t+*T{yB4S_l~8zQ^Ad$o5ZkckPC`JcTfrC(A8w8HH!CH+zKc1m|ge1@g>5#hKy9%emwkH2j$E@gx6{fe7K{*Pka z1Y7IIqdDby5yTH_Yb%$ zp$?xh4^vmxDJGW#A%M(#U8IAgmOzDD-qrY3&UZ)sHShc>6JbW_EendxD@te2BTcpd$ZZbV!sXpy!K&WMN~1VgZ|c z_9GXbjpC649|j}Yzg8c3k8d_I@{Q=lf1p8^I2?mSnf;&$!8}y2 zbNh{&&aMy;k#TnPGu1M_3%64|)4M3HDs=mG^0>`IOvjn!rxo&jqh`+2!Ske#rRBe7 zBJUlb5Ftm;GZ}i4i+Wzh_UU6*|HuWz{qvS-b)O#&4IgDtwthyE8R7=tCKY!4Vch%m z7dXi*&{3o&%N*M0c`HVDnmf7uLi!9&@BYY^*?a@=isql2Jhx0C3FVU$jxA9flsj}iX%}yu1(t;F}4JswCT7p)$&wx(!(axo2o+I_C&!* zHQ=66E>~9ll{Y5|8IsQUasPAv+?O|1p;VkATKR~Y%BBkJ7k)8arQhefbxwX9lIj+g z6p{w42PJJGNi~;OIbf_hY9?>X=bB}=^Q5p_{m&ZCYk>9unqC$`P^!=hM-2uRmD!b} z*Sq{Hq!nndi2|VeTy1K3D54m#gkEq?F}e~ok`fyW4W;{XgT1*B@(u*)?{(N83C{or z7x?nm*0`g-lFu#O$4-keJZjbi%IPj>puW**FTC85*RG*N5tKsK7{A$Gnv2a4qSQCz zN*d*WI9giwW3;o8OVC776j{oo#@bBK@$?9K%?AUh(PZ6)mff`kid-lZNXe+~e^0@GhG zDs5!wvj4Tg-rYWkCel15{PE>*C~{mc5%;U?Aq+$+5vbvK)e;UuT@qQA-wlT7Dn$EK zT%KkO6=>aUT3`KK@*Thc50z}t=K~J?9bHc^pXA_Qvtd9NIK#HPUDufO{;ReQ>nm+8 zd*x8*DX7e!-L*vCNmcxo`ekRMT7Ty!Ajr3zZhZmOd(8cOeq!->nc(t_j4Du$S9%Xf z4ebFW&+_JmUd$#Kd%!VIV)%G0qhX98p^!H^UX^Li(DeHS~fKv!-#YY9{Mn(Syx%A#Wgm z*+;{+aW8G=jX`OzjhC+`3%vKnJa2Dn3{z1FGo?7;>`)uWq_n=AK4dnw0B_a{pUW*r z`4re=((FAhgMzFx4<+oHl_&IEh_sLAg+>Yd4-4@s+UDaeGTGCO+hfe5UGj^T!JftVm3KvYwz2}lt)MRV!|FhYkuDmzJihHzohviGf8&Q+K_;S&*rC2EL{@&Y6%{imk zAJNrR_MAXStwog?)mS0y?ddd$5!3r9=ioad*pDJr_Ul8&qejDzD9lpE_Ba(OYjqOk z_{av8k57PPZAq34uJ@vAu#i)U%Ce7rzcHk-kGkY2uwS04!P0iki8qI<&@E9Qj`}4t zDUaw?d+~5~365uY$|FB*M5Lt3|KjSsqv7tpKi)|pF)WgZ5`svA=)DJFbRv2gz4sb* zv=mID*U`i1qxW7Cz4tB%LUhqP_jsP~^SgK5e_4yqXMfH>_`?W(l*W54?U*SY% z%>7i$hRw3Cw9WCg#ADiU?bq7xv@qop9nERRJ>Yl>gkmB6xCCmxHXh{9;sx^ER_?M2 zrF~Ms83S379%`fn-CcMLg@1MUg9o$Je=>hW+e}yq%LRmC`J-;8d)hr3<*qC(LX~$X zLtRg%xJd)L*Qp!C%Z8@oBR~qk;E`D>2>^rMev!%ATTeHgb)0NQToGwO4%Jv>?W^Xu4rKECG9zF@L^9aT@W?9Fwg`H}B)ETMkr z*P>g<+A+;;ZC3@O(XjiMh&IzVrO3F1F23l5!uH$XZ>2@Aq8H3U!T!M0IAA*-Uy~uO z5**OsROzP- z_oq245mw?MFNAQ0Us#u+*~xG*3*ltVPp}Isy(O8WKbYp0OqiRAyF|@bkEx-f15DS8$ung%M_aeD{~Pu`0P2W zA!ViOqju(8ypD1$&ow#u(gi&q)=T4g6H)#dDwTocs~OjhJ?}U>+$&4^+OO=+*;(Yo z!JYY~%LUi4g`e{?!%H3OWJ5Q)AY0eCgga0ak_z=#Ig4#uTUYDLwClGvN*6WRR*v|Ed{shSs?DF>O<@JY+X*Fz?RyV1eg4RKa zUti0~Fo$sm6iTteIYvy&%*LZmI2wm)1B1RLnq8WNl3ybhKTfkG$?&Df%HH92H6DHl zf=Ir{D?Mryvh=;}9w!Ivxo?!L>VFF~AhrUd;=!67uFo1921BgrqZB^%<_M7Q6{*#g zC$Cm!`y0pZgN#4YLy_CwVeWP8JI#^rx$FtHd}Ut@eKfX|aR0e?$V!sgj$_$pnGMG$ zOs8<&aYehheUkqLoO1ogkfe3qnBnzemb*kHNjzWFew@b-ld(+AIw+TY z+~%U|CUUD11T=}ak_Lf73v}j{W9eIn z$4n^_w8gWCmI55)2qNfAa?x++YGKx(*5^g~_8jQNum76+#OJsC0{JwMxe9})KY=q{ ziy7-BgYGF8s~2*4eQ4ZlJjsotJmmDOdD@P=EUT5|Oi6T=jg)QG1w=Z)m|J#KHq&0L zz~MZsmzDzLCCXZGfuawz=odJUJspWs;A>%_b#v;$q1Fc7@3)_YJMwn9+^uO#>$2Z% zxGPq$tA?{|UurAA!Myl!{+nuq^V5%ySX%+)!E_H9zO?{a9TQqQ6a>f99PUwp(>?`2 zH1_?p9P>HitcvwPVxpMhxZr+=@?2?1Uq2NIc78QZ`6+I7)%0G{6^JkwQ{HFMGWpd zWAsk@D<7#u$U*jg1h(8oMJMGh6oXiO`JK@@^jjlg&jTf~PMatC1peRY2uhyFlm`iX z?f9ig&{t0~T|{}NuMctEr*8(<3RW^Vku4A4l%`K|e4bSL6~j0LBUwwT1#1RGG?mTU zS~6ko_me0Y3Ja4yGMo)G`PR(>A<~Suf*lXFiKpfZq0y{6RxS>>k%2OE{W8`r`h9FM zBcMl3v3wS-jgNjwT)RZR20k))%z~zHgh#0q2$XI+zjG7Li~^8xc~X4>iMde;n-Tdz z+2m+qz~#8t*@`s#_SX}Pbuykg8f(4KgjeXGk<&+jTU{q!mzyWaa03O#r3`^>IL8A}INtFZppD??a*j57MQvgNP$ri^oD!qM?K^8# zx!Thnl_(l;Bh=DbToo4evw00{@=hVD9q8)^9G`-6>C)#0r8MnUz@0eAt^O002*iA$ zKx8w95pkL_DIaOEyBy3>kX>kJT^yGnV5aJcL*$Hhe?CmRp^F0QO8L{>I`l{v!HZ4x zvWovT8G<(XHRUB1h55Uveei%PH~@>$O!g1nT-wbH3{C~q)7_6F6b*rZm>?4WfCC29 ztT7;M3&2i-#$tG>5-Vdea6?dTFT=%~?>QFHQz$Z1_Za>B}TGPyhy5PQXY zCDG5j-J#Ic)Y~+|``1lx_N{-*;Wk7s+;1QTfXM9bd)*I0XFm||MnJhoVcb!{4`@|f zwt&KwzRgBmZB!!nNex5O^d1ZDTfJ{lc?si^+Tn$|xKFH^oyMN1Bk}JYb;@`9iPP!S z!Mb0_e^T%<{#dLcUuVErxqh6%bV2BbrGouXY^D9_fg+Z+dG6m>B|7r4s;nO8N>O3MJol5h4pP^7yM6)sB*WC-Dy2k^!j zRhbyCFe07#x}nJ>P#Y&Qrnjka7(IChHGhydBU>#lh{*x1{L?`{0f}nnUphj@|Erpn z_$@qUTvP9SI8D@<5Z*xi7Lj8sMK<)T6);;W=vUox&VT(9ZsntY@s{5fUreuDkS@c@ zFWvf98bf)%MNSsCp6vMB^f6*nKC&#U4vQ`RQ>9pEGgdH39sb=V(6YQIo37v`e3;3{ zMJb2)OYsdOm4jFEKWtj|6Gvu%V`xuNX*dH_>`QLEq;h^^T@{u?J4PX{5o0VK6Ao2~ zY5i~z>4+)QDfkv4S!veP*y7e-ZHFtkC;g8D-t4dt2!b1D=|8^VSN>0)HN3z`(f%QP z0Yq3(bHm@XED~7V;C<3>$J1IsmtcpJQ~cIFJ!%#n;k2BHoM=E!n3VJe>@7+TD%UDM zcREQ)x?7IPWRJ9O`5CV@OP~Y&Ntsv-6-ilND$ujy4rzYxuSsl=qB3?V=$x6%mp7;^Q9sSHLMrYDtL|iMWYE6QD=s zf#1lCjWyEQ!yepA_q5}=jSB#l#3pqilw|b(#1a}C zAe(4!hF|hpM=QRin4~r7+l-LNbRU4OC4wo;z=Qs89RjhaI5%Ked?hZ9e5G)diOg!1 zy6c{+h5^EqRIK~{e1t1*{^dyb;mT(UW$aX}0S14l6PzkbAY9|}eze^N79o8`ZTn@m zOY$4EApl8aba8n@=JPL2$EL20WHHPq{%mlza-!?5M*i^(`v<;xnw73$n9CQLPMSO< zm;}n!rEW}bUt==L(AM3wka>emBl^PnFE*|D^+R29Tc~GQ)}x!~N9KPW{{QiKfXV0Y zP8Tq%m^#ohD8e6dzW9pzlGxdnYYIe)tM!AhA+uMAfFFsrqVASvEpM42hsEr8WhD@S zzI=)dJtlqQGP^zU3CD=Hd0-D+0$Dz2_$Tg^H-~_i{TSA1rHNO2!*Kr?3@&JIGeOA?Ah~ySly}nYuxk&4XT8nTf5*PLly!u23UfRm zoR#RbTZG-$BKe2tu5t~;2@l7I?sx;Zjb@=tO8YHxaz{6Ej(5%~bTtx!*i8S_nt6(B z(!(cmknlC;pW~eR6AP;KkpN5b_>Q4h&SPn4rFb7xlBA19dWLh?XzCsobfTYl#NubW z&rSdPcru9VOAVjhSN*2C<>8?>wm&qe1U|V3;QLhlc!F_fcbDgodp1{vnA$J*68y2H zdP&I#CWy)7K_QPpXY4>X)7Pj7I&0Or5Bl8XtPHr$*b5Gv;Uyr zY+jGTWc0x_nnXV%Yo%-up4_Jg;TiQt9@(cq_3!IytEnNFE|s<($6gHd}=tCmQkw6`!?)@{wN+rKrhpT={z=z)IwV-gxreJVgOlaEVS>I&pz6dwC^KIh3+kBJlsm|rF= zehsHyy^5$WuJ7E5O~cDTej`<5k6~>K^yZuDW^Gyd#v;uAqRKG+T?~E8HW@j_t+Qnmz6WthaTcklu>II$^WD_;L8laU^i4W#g22+;V z)qH#a=jXRNU^yg+36+O~JHkRv?fxQD3qO&Ya+0G3-c!Dk6vhfnd}#cl|~5{U9Wo# z?o9x+=L4i#0Fm-9FGZrd(QOGp#G)Rt{{FXp3P?@rsnM5Yb#fB#yWPt$k zSi^UcTH3nsjiGgCL3CG)AA{~ny`SRRh>}5Yh<56V2G6vy57|Bpb;PcBF)`A{#&j=| z+wf%7I^^#5=?9rSl=y6NjnDyygO`B7)$UKW0B}Q)ug~bVs(p{F=KqrHClJ7Z*3Z%l zdpw@OTlkQ1l3z%b;(5XIYq;?*1IgJpe8S3DAYC~`%uyFKjrSdKut@Sk4`AiXyZyl3 zaNhaIc>>0n+)bd#&5J|RCnnujpBnUJr4j(xYW{=vgA%1X%Q)r-x~ObXLqqPT&<0Hn zEGac~PCw5}(2)7C_!-$W>@`z%iP>2$Y1aEkx)VbaI*h1i74Q4H*qmM-4zfh4SD7;c zhXDFFpgav19i>oMIR|-7PuAKcKzbjOeU_XN%A#cUMCJO=Rzsvu+iP}i_#1dYw>n>7 zqybD7)Y6@j*a0ERKSW%Q3Z z{gz))?TOO;_xzz5^^)B10VSX9=U-h%VSwF+^tbvZ*KJ}ecc{iLpZ(p+W1?dJ=>`fy z*K%w|{-@yfI-1B~hg@tt6eN2h*;y3YIG{y!pc`dOfE;FyMO%~m;{$kit+6$bs0XZI z;;B0&o|g${B3BcK?LNufn265`+$#K~4v#^O`828OcDr;U=_ruf7$p)tZ^=*eXAIg~ z9wDVDoqnd4dS9Ps08baM43SfIk1$BTip|X$+?n#$OnAm_{3$%iQl?P>&v$c|1Xoo6}>WU2@k|pFAnL zHi3~;ojRrXMFP8KJ=}!IwLK-{P!aRxX_G~bsM$DoS9-0zl`Ge#d z=xCX_xJQcg1gbps@LZ=HsZ;oC*hB&agv!18wQm_06Z0sH1je!Wl-ZeTzkP96i{Bn= zmkqxv$T05Ks{((}J&Yns+T6?Hq(T+*ou zS2LTr8Cq$h6)MbPXF^z*zUmBWMuS%P_O=Rx+nHX62E1YDL&el7^*Zwh%4t5LquEiB z@JzcqL6v4R(KUB6J&BCj2tKoDo%UAUR&W&l&QoTI5AKlvEpjj(fhSCHb-9KK#%Isn zkwap9hcbQ5P;RvlDS1cL_Txo6yGu)S6oy*+A>kF6XLCPuGO`6GvaT@F&V zZFQzO4h0o@yfoZk+1#G2pCoH)LumfP{jJ@mkqgQEL_hSWD^q1%bIt9}tTsh0v2lOk z3Rkqh-LgIpJKG(5mA{Nk5Nlf1CAj$rJ3zjxLT&`l?5z~>qlEK?S856!0EVQZ-VZV@ zwM-+^8HIFcCA7c^U9F4vKG4A;!2XD;=y7Mb7p-Qo@C;2?jd>^i_13nK|6m896R{$dzl-!jg8OQAN| zZf_U8;ELj*F6PTP8!oy??M}T2BKZLN;^7%)@{vas^oeU#h@qiqd0hB7=K{W{@(P&y zaH^JtMYENQ0oik_!~kC-ak7h`tj(h$SFN5u3{UZe5Wvn44-~y-QXVxo+g|}B?24#O z`der%@I6&LU7FGFfibp%Aw0GJ%BH}kVd2~`7(pJyj!S(sobyu)7Zk{Ss&@imsC(VsluQz5z(k?S$x#L?H z!Pq|8;a8j=k2-I2wlK$F==zx7`$=!!8PgmU&9Rw<{K>G(=K$f+*jc{GCU z0%Qs#+3*ZCQbWiil8s7X1^>s!f0^&%m5C<1X7DtQNq(M|bSU*IOlz?eB=QTF0lUcb z&IRY*)5ggGKO@UqUdHovlyD0xm!|NS0id1u-Y`nQm_faAi|cCQ+H~!8VFM`&=h``M zE$jXtUHv1CXh$nr0sm?1&rnBYV)$T`;kb%LU4l1Bb4s1iU?~|Y@V=dkN(EV+3gxm_ z&Q@A+%#pI2Sq&xJ$ej9%C-itYW?_|1=OQc-peulSkpPJ5=^dv zks8b|yrg!=OxAq=JB=+1gn2jJZM6{wJHhLh>I{QYI`z1@MOf1m;1_}L zj~oS7Q${W`tstZecy6YdS7aFYBDhceE(sO9>Mq^o8anq>@{WOF?$!E%;$38by|9$A z#taMMgyOb3Gm$i|fi|h%2G7U74DogywCt&l#Ekua=6X)J^t|##hS7-G^Loa+rse88 z2#c?ng0q-)veB$yVyYYeRwY%bDlNzwavjRCaplT)#3nl&Y}dG*M$Tu{dB*5hFo<{8 zsWxDaAVa<}k?LOw zYc$u>_7}0Nh5iT&AVd(l9nb2lnLj_V-kHGw*JmSlb>^E|-3F05xD3up%hosf{K)e* z^!e7P;{zI;6!yTlOwFb4Xt~#~h-baZB7j=X;l5!(XiIcTTNo_Z(A{F8mWFRlhCpIx z$VTB+zCh6ktmUAF20NOymXJl8o4mX6iM5KYfE>I}ZAIY)=$`~URffr>cV0;#%G6%# zw(Xg8uQu~^4kdfbyr#jcEx+YiO{z!0{8U<-AsC}Qr9PthYWcuOvw{*z&p=cXgi6QQ zC3nW)9KfUsDK3pfKg&e;@o*|J^aP+WL|mcXW6A`&ZKDIDwIE=oaV3si8)bG|xBsFy z_IKFJ+V0nK5P1ci@jfxQmav9nyFTo>Fuwex-jTHpgKm-9VzC zktlNY0%W0laQ3!i{G+KY?1b-`_xo{843p@ih2OfE_DTD<=3aU?ge6m*=gQx(RJo1( zT4WU7dj9Jir->OR_2ZRZ*4tL6i|`zz>g3DSi3?~Q{|5&Kyy=M_rv%Clc7(zpIu z>%cUO>XjyBbsK1*{x_0Np#FaX8Z~g=PkzxQ8Aue+@v<1jKKR6&bBJezEhpf#i>44U zIxQ(GJxfgzePrNvP>AH2){^dyi`)&UT-JWC(L=(EFqWdTvIegVPN4fwqNmo;(ZjWD zK#o*aF}XjvD*iqj{2Y_&bv+nt@)fwci^eB#&w#PBH~CuR8E$)B)AGQ3*3d3;2Irs; zKC>IhtM)$6{vN&k(LMmN3WPdnzwXy2Y22VfBe#+}HVb;#iEi{$gcQFuZ0=Wg+TB_s zRV8>EpRhwxYOJ~v2dssc!A$h;$1NB9XqJZS$qw9F@!4{Lpa1Hs)q}ORtn^}rPa*d4x2<&+>M2oFRiZf75)zD9XG*HY zjJM#!+uQG!E0_JnOn1iLGM6>^c8rzQsU*3xwL^et#6RVWZJcQyZhDZwpR z!9{|Gr%J zIUF3F)WGo`Y=myVtal(%-cUv(%{H0D&G`=Fb&32KCW(5hR+yOdf9grrf|4pod5eLe zGqn*whtw>H%j!sR!@~q)v7>*CehUT!U9Wln{XsN`EY0m>4kM!%t7l8u$NrUC=m$>O zZ2=}?QbFK$(qa>Q&#y0heI4~ogdc;Qtat*-ej7!g+Ra<&AN6?GdQ#BL9dtPQLNotR zgDS{-tl}t}*mt+U;DZ~zRj&VpXio!kwS?|bYd#zIn0tXcy$Owx=Uc)%< zFOU_HpECdha4p`L;!_PY_D<2g=ou~PEETMtt@Jd>;tiNi%}Su;L<*!#nRbN?-<0B@FKbu2#kgm4x_N~0F%G0 zxpMHe_E2t;5=EI&oVtz6omhP(AHxi=A|5e zE z2xBL z1M=zVEkV}F4$oAz!Dv*NT|z4UCtL9iIQe>g!Q(yoFGrjKmh9|rg4WCkJ>>S7k&R&# znDY6P)tqI+$k)qRxm*kr?#?@IVD6@g9I*ep;FW4VwM%EZR*=u+rp~>j{|H?k5T$g73~V7+*P9J* zgNP1YeOhfOClsag7G)7A>3Vh{C4lq9g(F=46ZE6}-OqfE zzi^-M$=*Youaj6*2kA|;Ic>#GtGVc{C+$Bb=v&LZEIrDdg`Zzo71;WeY15mWi|95VZ zh=9*?DE^FE#_XtUQ|03L<#~C%j@s1oI%cy!uj(i1wtCcDzEskRz~Z!7Q;v=Pnq_(K zY(jVuLn_#$lF10mI74PiHgsRnawdk2Go`@;T^ZlI6|>8R++s}rmD1e@WpJ<*`KYy8}~h`_kun-bgHO7plTs36{wj)PG)0yldKnz56syT1eeE6zV+pQ2>7qhwt6B_ zztbs3fd0&=D4AF;8Zk9f7g^EAn5d@!mHIM~_q%3GP`<<}`)}%V9y!Cy&BH;%s_&8{ zpUel&R?&tZhLcAh+1wwOwt{sv45t$7l~Y>vtIi{61n}OoAS~*NY-lyRc75+dil1U{ zp!Is>!kiCP;asOJtkRzg(H+G!%B(7KmkA#tZGRjj8yNn1C2JSKli86PdU)s|`1x?K z(arS(xv7Ny*`qi8*?MGVnnCw^ul2;sw3*tabqRM&;(UZXjmtB_yM37vIVsqfB$C(p z6dpKg-h!+`34_phl8UZ48vvkHA( zTSyVRG>#O0f0kW(U^)0LeA$rWb$$TvqkFGm0qh9QjNL*1#uYNk&m-ndS}e1&ay>lC zH6|K|N>fGk!(38xd1ncQq-(P=2_}E!ivE-|-GO{3g&z!-v0`)@0_jqiSKk@GT$YFL zp3eK8I=s$fRBO-Zf@;38uu44Iw#Dtvx;Sf@n8)ubvK-Bo(ZE#l8N^**9lujl;;tNZ zdr2iZce|%AagNNEjv{CcjdsJ;hw=o;5KqR{!Wj`X8p3%3`Tk}7`NmgW>*%%WQtS+c zelq=IwXR5FeJp$PDCRrB?aF*}BwzabQgIQpYU`nNwY(J%gNlV^=LKU>_cpw@veeHi zD9A^MZKfzu?ab-L9~6atmq`R-`kc&)2gupa85f+0!}$05@m-C(F*&DjS#UnMYNhv?bBPmiA>u1F^94 zWQt$yhHBWP>OUF{rDsZ5)|n?w9uPN3gvN92L643?1$r`M-O?EuXtsuRHf^%o+)wvy zE(EvES>N>ZRTSO&6FFuZ_2&Q9beH+zpO#w6^~1)^vXn3}?yiA}ZrVq?SlA-^rw7lb z?(si~*dkP#jvmwfY5RwR-@-44%P*yk#>ik3VY3W+iW$*S)t1O57+g7r;K#t?@3YiFZ*$AX`6n3CzS z#UcBq&Olll(^C20XkEMq?w=o)t_Et4JD*9G)7T{#3ot=6UyQ2~^mTh=au6G>sWlHX znjay4|GFSQYM<`Jqg)G0*kYcMmOGa+agn!f${0@Qw&~82DJLozA?IwThCpU;5UXa! zY2<>c3eXuHA`F>912BU{2Nx}miQiY_d13TycD`$cg?{;26hkD7RO-*%wigEysF~Wj zz_$d6Y*Smh5Q8PHM#^=pj=-1j2^e#UEluEvJ+#PNJ}&Qz+xQMBC2TmGU=zscS|cnx zdzfE9`*-yUOoVZ|&4TLc@r3?+igsi27=`_ql?i+Ob@GW2n_kb#O6#pf4(U7JpMytQ z^>2`AjNq5{^*T@yB>(l%++Od1Y%fja>A=JDKpSQH3cBXe14Yj~#ZVd>WQlE%)T)1` z@g8+=UEO@&{fAhS>Zl?x3Wj4=U?gW1EgWmJEZRvjLfSIb@+t+_V$$U=ik7 z@%jzH;g-fX6pR@hHXkH7v4jrhudm{v0!Q|8{ReGG}cPdYI^{309?oWF<4^1*r#3OB0 z;sItPmOxIE%w}fsA;NGtTO^)H=9Yn+W+Npc;Wb)!vgTD7m*`U7DthY-?%r;#gd-K` zb|+Vk=*bmt-TXL};{To$fJk}J$lDO6FZ8SE%Jxl9JnbmEg~)L+aXQk#>f~LtO5+QN zqIt-{V51zHAkUkMA0koBV&c54d!Z+TeP0M>f6)t&WMv_Rg|2i5nCPzTa7n@jzr1bx z8=BW}UR&j6x-5D7d!*J^N(7>@yu^gW^+Xp^DNYbW?N+z~Oe$L-;F>)My9FWcdwig% z)qbSh8f=JTP*7*N5~lm0G<-g|v%Bxjc&C#fD*P8NWThX-#dbuJ50qJWWWb}Sz{*q$ ze&T&#DpHv1x)|-X59i<(I@r7jk@Z07^?OFHq7~Ch+56_^h#FcqiXb!Xxd)08l$P5R zb5*vC4QDk_L{3-~k%-@z)TD?rfIptQ5B>KnAW(2I4EZNu*p*i#(4_@`%ji$gVz^#u zbj_aOvg_^d99jjS`3N{%4eRegFN%{D4O`p6y9PHkvLnmKq z^Jd1q)3kD7o+#9b(f2+L52#}C>{7!#C#t|&6DS|7)(Fyp1|05v8?Wf&vk{+*@~Jl~ ze*7SedoH%-gfn%y0QUz$28ZN)genzhpyAb8Fr)%gm(JA45a(*b?{33ua3!u&ZW%E8kaUrM#Z%;El5jccouSRIyD1#re-+oU{i;<{F0@Gx*_|Lr86a9 z@`OBW9C| zz2WR+BIR(x=ENks)N**vKRIYTxhO_G+K5&ZWin3e#frK8>P3uRW0UKcbW{^1 z=n&=<{4v<2?koR}K%g1p<-2>76*nxTX@m`#G`sN)$n;IP^r65AohKp3nA!^(j#Jy8{$`i>p|PT7M3A#abT0%s6=DtZsS9vLTqHl((+AF`HZd>d)v31T)e@ea_oDUS6Hgi)5w7 z^O)Dhk;c1x@~5$qw$bkuptD}e*dvzn@35lFsR*^j(hjWCs$*-dkvu;l zxppM`nc|2n$-rEFwPGjEv$3`l=gtsjf^nE&LoQPD+nh>`z9lR1djZkIHg(SEd419COonE$8q@CWiQA-kx-q7rp<~p%3`$SVv=S(h#@>N z%R5vE=Zlv_0^E<;qwy?_D>S8<&%t*c8E4tl=`~x1GN3Qc8ss)p|H#Sc-+S;}&0PPs zv3FdCmqJHQAsfw5P*@1F_H4c+Cg(Au$cUU)QGdT0+|lO#e!29VjY=hf4gD=v2xRpC z|6KIuEBqsZ@Em^ZaF8 zX*Vm_!TXqFZE+Zwjxq~l^UNrzr`kMigIrJc=J!JF_lpH_Asd~0hl(waO2$WW8n2y) zmGd(zY(_JpCjv1(0wnpD#OEq&@4b4AA9(hb#268mCJ=M#x|l$XfQNx_Du?Nw$+8+; znCVuZJ7MJ9ckw}a(Na7n+k)H0PF!K}1D~)Ijb0ooYUN#>tkR*q)wol;&Gv!Qn>wCd zR^*8t9j=Yl_E!=c#l}Nxo5I{JMd#-r`Sd{}u(yS|OpE!!$z9NBJ?FgF{S{vlQ7fuF zc!RLFf4GH4r{yIExQ>chlS=}Lec@W6Sj%>fR|iL`+jU*7hz)H4*=*URSJ)?X6sm3f zWljpZkjdBTIY^ci6jLc11ow8#@>dbopvOWfPztbB5U->m%~JN&Uh0Ov;WvnZ_J|UH ztNs3a{CjkXFAUq45NoDIavgm~y_Cr(WHXBsm9oBi@-;Vw(K%T&XDzW>%Vl#sW33HR z8IQGw7A~^M#^>G`hBbJh>^8KD$VpRMW%QMMrI%otZ!C+MjdYT0{pSYGppK|tf7(vV zb{o%)isl=iW+5wsjpBU429|mk@hZ5(d7xM($CjDQSsC2?%)w#h%^FwpnNmQ@22_aVOw5TYBi=${K)i^pT zJvjt(it8-?lyLd>*Q$!`w1Z8i=T*SzjkC$7BAa!Jxw8i7O=ij>_wPXr*l>qom$fad zcS!CcR!!JLESFJW5!WFl2VwU#rldD#b@?xjxN@`NW6c=HU~iYSYwEHHrrFg( zw2Iccuuf|T-8kn}7w(NQpyVW&jGwvZrfx?G`F>XVOlTD4*@IIlMvzR)12xG6G5@d4 z3s#9|SL{JFJ+j9xxBvcQzKEw3BAAmOkH-3cCN{{qCTo!r_ZtNiPrs7Z8V!Q#N$K$) z3AJQ4^f2;b8$1VLXKp8Kwx#7B3hBDSBOV71mHDff#%A2_Ygg#NcoUrH&EB{_`>sOH zn&-HC=Gj8(HW`#~sy4RkROIb9I0u7>uEq`?Rvu z4Vhbz@rbrHbdO&}J68!SRNW3I36112(4YAAJm&+YKy|m|Fa}xp(}g%Sq2iVhm+5yQ ztVtVUAl9pC6QkG8pUB-bDauT--Np=S2L+pwd*{l>yG~3=%Mf^99%X);=o4Q#+_uPu z30(f{clSkjGKBp+(kx^ikR#{|HTvKSHxkh{lD=iIKgnPkNy~ns zTOEp6?HHiq5*>G{1qlr4cwC}?O-BnVQ)glX1%EgDa4SH^1f+ZMKvAVz_G1XD&X`A) z06LrzTT-eNFN{zcD+#28bA0brpfcKu++M^A9lerr1tckR4J?Y~^2 zf1kB3K+*(<$@Bu+%m7c*1uYL}dzScf{X!}ksL?UW47YjduF(%5e1u9$nH+tgE3;2a zFsy6}J{3)#*Lt=!`kM75u;I+MCd_<>%!;?Dh>Z9L&};Dop=iHOH<@jgLTOeqk&OZ# z$4lucg*)>nSJP?>a|@Rs_(&oy>lH(hN-a0&k>%*z700S1E8qwhNex{dys9a@Gzp36Pzks!n$dH&hN7*`U6v7&WM1z{P8 zaT{B4652}pp8VVo&V_F9`?w~)(&uQ?oxlU!Tl`a6-vuh%R7PO0iB*UC&9t|dwD{kR zni=cq*3f`!9<$A#dVjs(3D~@^KnXKN%WmIxRi((6N6vX5j2nT2FeW=UBszAyv_WUG zhV-B!buj)5v6aURLz-UEE&OLE878)q*6kCIaBah+=cAJb5R;PYF&)Y!!|ZMo6~Uc% zJI?CiL{VcfIiEX|3dGsKP29VtY942P6*bv4Dv7FumNBdize^#_EG~a0S3lU<`&CD@ zDKXg`YlvZQggmP7-6dh85W6gqr$scww3w-zQpzpOuubyZ28$u+B|=dr*IGtme)JHV zbu`7rv-xcHDc>6cTPg|t>sOV9tOW)6>6R<_w?AP06DYEo!VeU$n==X>O`aHq9aoYj zscB#uA6kmOcwlOZ-kN;g%+MX#O01|XIgQhtq|a|QAtfp|Cfz>xrLf1QPYvNR63m); zVEMy3sFsBg_ma(Azlg8_LDc(=24PY8U2D&*0x>)gW8@I`W zY3X4PK8it@_OlWqXAWh8!`d-$8z3w8*!kN?QdU~x*Vqd#;y%7xxv_#Uqk+_M%U*-Q zp3(;CCn}#>>lNktiT{l} z^I>u=pA;3uGmvuHziZKk8tPDM06Z0%d91Nq&!lWqVyQNqnG(kNmO!g)QoE?pE)%6s zWTuf|q`8KrwAQaz-6#Abp_+%hsy1IcP8q>EK~>A3lOsaDg;Vr~0E~Q<8k!J6d)J^b z?C(!+gPjt{cEH`3egw!(9;vBAeQ?6D?WZ%He;92vrgB)U#2;L0Yu`KFa~dQ5HWe+1 zp=4+?!7P#pmag)|zjMRk!g^VU;(s5M&b}6G!_3;?*A~m1#q=VaDjGTkT33qBRmXAN ztM0w~=1ozU2#l&lE^#S*#-vPxv>;09;M1i?UUUuT|NNw^U?6grk#-A-<8VZCUZTZ_ zHHydl`qxTe)tJJ5_SO0bJ~Fy(YBxcsF^+pIe(aPfR)4x)bqLnb!4>N?UWE{3kck|b zVd%s6T+{8a-tRl7{@I~W*6^-8j;ER~mHE3ZC+QPZ1YzfYm$^W7x~Rw22H3pQI6!& z#hkw7d26}%&U#OC)kRY1ApYku5h`Ra&$mWn;NC;dnc1mRLNmp|e8Id(Z@eSixtjV9 z8l`MAF6)_7r)hlo1;l>_6g+?HWqa6Zx5sUFO!Ecay5fJ2JGY5nT$%NX<`>q7w^;w2 zQ{B$%=&OcqXHk;5+VXwO8%xvmy1mn7!!O$MxT9sHGP99$kB_`|OY*dY+E9N!k35O@ zFTLtUJnO3>%vf+{YJi$dpnZO+H_X}0pKBth)f4&}RSI@KW^Y;Krj>iujwot=HcuSm z*c%C2a>e_y-8-FyoEuc`Ui@q3l#p5-YdfX4xxAiF2?tyOrE9sW-s`UDZanvh)Wy5W zwV8^a*l5=60|p{Rpq?qd38IZ`SnaE5S~2gkb6fQXUyK$rvcrcG$e{RrgB@Fm&G!ct$DG{=dC_5x3~Cb8Kfa@T7Pss zk6%A8QV=(;9qth_-aWax-p4a1l}I!tXrytu!erJ3&Lggjp?T+!QZ6~0khQj(1oQ9~ zGG8lsY`9KuxV7o3;h?d|YGMgy`*_%2ll*98*RA8~=cv!MY#BC>I`Qau-F!ty^n6(o z<+{*{EhlEkS)SgqakxFRcn(YZYR2|0H104~d}9~wde8RCoq6(V?eD(S+sM5umh4@$ zuyE~83cn4G@quE{8>X)@w6*cjC1Xe#wG&Zao*zbx_QJ!Ic_ygH<@{H_rRXR*+xJ^| z#XO_36+QX+It)uN>pz*u(0KC9Ip$ohLsv5G+%=CrJP{$U=lb-n&KKe=GE1nEDaM!v zXf`5eiYcViyui9Gzi?`&uGr`D?P%?AU8rieg|y}U+=3JHfBXoQg=G17tEaujm|%h|u*cxTh!rm=z1b)K4PGocA)~&|8GpsuE zbm9Z&L_X6od~XNwv%U=un@vin3_F%@;e!#OmgXtqTw~XnTOYVhD-bz$bcS^btK?w` zg3`jlGD9P{vlq?w@DfbENk;9jNVVX?05049PG(DxBt?Rn%6_*i)T1nya^0oM`Q3nQ zTXdkG28L!x-WhPesO>fz+@;G37ep*m@d$Pz+$S4Z%!JUv81c zoD9mc(neWIS;iRNdHN=(0^_QMS!OQkjA+!%zR;)<+;`H=rUI2o8-!jW^*VIyRatJ{ z>C|&x&l~eTNeZ}x&z?>2p~NRvDqSMf@mhM%%zJNk{6QFr;Tu<%GS~c{DU2O+$w&6j z!aOJ*L&lSd*3p?;FE2`-%E8C26MyVUS=onY?Od|F-NA-vTCXE4(z(J>U4_BTltHD~ z@}F1WC{>JF3_RgWMfupT-Zdsv+-M#h?Xs$Jzw0B{-mgx`2}rCX5!Gvv8pG9F>&t3_CSoWTi^DlWcn@MyO6{_Pyx8!`+XCNQLS@kGVON} z3pqPZh8)f0uSTXk_<#8N>bNMkw(CJebl~S$fV7C9bR#t&Z~#f^7^HJZC1prS1!;y9 zaD<^d2Bif-x*GvOX%I;%;oF0r^FHVOp6~nnc!quNd+#gOTGzVO0CoaCj=OR|A9ET} zcOqm2A97^T6;ZO{Y58O;f-|L!?P;TCCm-Q)RMLilhJ_3cJgG&Ahu@ALP5E)M*ZWwtrni~Ga|=s+6Ka#M&isa0d-XWXsVbur|CeOajI>DyJ? zCxhU^(MuR|KA}$dw1nrjY5OA_F!yTCeB{f^2GG?9@l30jPDS7eKY6PUzai2kDQxR z7ahFEjEkep4GHDJRgX4*BB~Pdt>45rwVGBpoA~@-eQ!TN{olgq}jHj(4~Cg)F_k((;9_dZX)Ynfph#KBHC1g<{Xb-X7m(QT76_O_r;gC2|!U>k-><267$aU z3lZ(#N%WhH;X6a^aqAv-7nU%o#l$*0eH|p&(Vvdil-`sAwqt$-myP`@Q_~9WB=Y*- zrcsFi>UsYAtdbF~a7{aIGm%)XT+UqaWvzYwt8BxUI2;8gbqFvS9zghdsgP()>a72! zl7zu!Uq2PG7##2mlzRcS+Cz=>X1U*9tq$ESM)hZ8j*sNbk*e zRcsHuyL9hs`U|D2wiJ4;tC$g_JoEO`usU^e_vuf36aq9-ruMQH(iY7=Y?exH`EqQ> zhwF-iW#vqYBUuTci(6^eWFz&?wPKxf?R>#X&?X7;`|xQW>xcdYUtj%C=J5`-v}Eg( zM>7}3^5sab(YrAkQ{T)8Nq#X{|ClNxBtCDfCL@}8lyNDn;gSjDy+G+Nej3lN@1qFEO_t)%f zfaX1(52o?o^oAL&dFthgH?h~!5|pJI7#eI@VA+>~I1UkaeKMJz%U2ok*nV2Yq|TKc zm;hyzV#E5+P4<^Jm8~@M?zbCgKt)nE_?0A9hb;Z=>&IEzIS?@Dxr#KUUDd%Wm0Xny zp_O;E;%9Ax$Bf-j8I|AkILB~vJh4PxYYg8WuK9v7lQYXepc_o=_r?0@CnKkKgqJUi^gjlso8zJ~%G%UsS zk(*7yLKTT9McwB10RAi~HA7?4=^ZbYRveg356U(*k_|!&e;Eb^=pvuyrm|*|D^eU~ z zy0mqk)8cqFVOd0`C@X;0n z?F!GbY?so4QR+5GM(mV~_n{HoZm>N%@frV7%=O_tt+-xEDmG}x;I%fr6;1Im0}_=S z{z)JD-q&MPLpgS;E938PCSO<&KDgzr_c+i(+eJ2vL+@yc*B08l@$LLXPg3L;xB zxqT|+nk*inSJx>RZV;V`hDt7G^IN-rsLjksL+?tabBuekcT=*BghK0I?c~EdnBcK> zg?sLITPE)J?viy&QD)q-TFXqdQYd=O4@(@M4T7fDIceRqV8F><&;`-pCWr>|QsvHd z@*})Bp0`B-JL<)$@IpyZGd9zyP_;)L>N-J9z~^qYh4ZC-*_GJst-)_CNt3ym=DPUa zdU2uMUU@I{?*d6_gAxnFDjGY4u z7%WI5GKKDN!}s*rdKbOZ$?jxAZuJd*0ebUfI-lzgj7rtn0v#-v#0G84;K`XW9fpQE zd5&#k6!ZxQ5hWjh;ZBU_zPopRTq_x5srr&-i*bEMy7-7%hk3^$O0y%0V8%e{!w)u{ zQmnBY;G0J)Zf%rYE_wCHbZH~Qh9a1ta#RXhqdT}l+-74 z6#~9i#P5byYu#Q8V>EV^NnD0u;wrT}kq@}1gN>VCcczQk-C^AA)3~dq1;7=TF)6LQ z1nt~1n%JN`9~HEKH^Dn|w2_7m>8d~@!G00PTW)w$9xefu2>*y(ULABElBVFf-z8CI z*^83y>QO;o$yk97>Le6uS2u$GIuvcPV&hu;bTzY5xWN990^(I_N3mQ-GILY6z=6es zw-NW79&WQ-#fWEzi#=PNQzNH3ggC+xU)5W)zem^C-V+utx78J0s%|W%by2%cgXZM1 zG-{BaoZk8peV8db5G|WGEm~`YdjGSc_Il`tczOtgqhbkTW#rU_vXB(l_d|yY`J^ky zk|~i4LQ2O+LuAipt95MNN10g39S*%g;{7b+ zGJ|d6rR0FG{sCFJPUXitTx4xl!q=HGENzBY$y0v4u-jTqx;2UQTOMO!;fjM)DmLN z-H12{NjEenUr{~Qm7}s7ypPpDYtK8fF*^^tGo;TeiBy#v+}mq;sJgiB1_!Yhvgetn;2aEkH}5KRGK8A(V^y&$7q?TF3?BC= z@w7fJeRsFiuqWM9BR5nBneC#b&+XB}EWM~)5l{Rm<%8}9#@tzZ!)Ma|PpvtlZ@p&NsNedx*Jl~=< zkUD$prxS2PRi!z%ewJsnUlxxKZkDBM5Ya~Ic8brZfdtxBd|6d$Nl%s267 zLZ41hJ%1N~{d$kGQquNWnL>1-sU2{@7uTbf-XgmQYE%_U&A7*6VK919TZWW5SH{w4 zOKj_#5F6_|+vO3#9r3ksvXv>Z<a3C>(7BVVkn)dk`8}^+#V!HJq90YKe`8OeZP3Ohkn(aQ++dL4zz|CBV zcr3i9^`nD>VCkdNmGLUJ$@2OOx@0MZA;~V!j=reKT%#R%W>gRqEpNc?TDXi^=YUb? zu9K>_zs(?08n4j*{5B+FlNHj~8UPqIKX>Lu|4Sat*P@Et>X=h;eB#Y{_P=s#Qf8U}2Q3*zoCno}#*%h8IvYwotM}_da)Q$&>5I4x=bACQqnL{f z;uSibgt9A>2}fGDhopd3D3M|bLom28zzv_QDBURaU0vv)tzqp#Hoq=Gz$-=#=p@W6 zBy9${Xv(ZB1=d!pxE3o}7Gp|xpMB-=v7G|)sgz`z%TFsu;r4GWzd93$En%ELa1naa zf_fX!%X@o?P!x{9d8jQ@A41)lsU61l=|lqYo(YngxU>AoQbrvt0PN^tJ+NbPR!e&w z;PCD|+{JJ2uGYsPN4Ex!LVhjS`tX)t^x>X<#1}V^J^iBJgrL|PR@o_fmzuj#wEFeE z8NItAUm~oPW)yBTGJOh}h_c8!h#%GbrKIQNm9wGajw%yHSH9Q5e$uR?E<1n2xQyT29>jHw5^^Hyqo5&HBhu?!DN*nHqtHJz--vZUbNKh)*Z5dR%`a+Sp4wYZGrRR?7JP_9@mfi*ych%p1 zNsG={^7jiKxmow&)v3mrbGJnY)8bl1sw><*Uh#nF@t=CC0&@5gri6UxCj$yl*M>|M zoQWQGYH;W~7LS0#30@H3sj~@>wCm)ICJu6@e z1}yejL-n_Atv|mdGF<{hgU$~hrhs&f3}|7!cJ_U-{Ao^xMGBN0$3K2ZdS_gpgi5m6 za4fUw=bOjunC^Ayz-Yy2sKX{k@FcP9T|7xl>sBM3vL%Tqx71KfqdRpN(O!_{O2GBj z?HwE(Z!~y~s>}GGSFqC-nG25u1ng>JtKWLNq+Wd^7|TX}t`P#f3U}`g-fIC$03gG3 zNMKiFv7*QW_6rUD<6#aVYFw6#0&t)``@mTFV#2V=V%~=ZCuf7C0u|ZsUWgw5U;xTr zve{hT+z@qGGmN5SO@Y8wA18cJvfm?#nCPdEJc%X-uT}%H+}thxUB}T1+`L(yDZnIyppD-HhkW>4X$fH=Z zUU=9$bTtygpEtnb<=m#>+Vbp*cp{oG4Jb9Qz+Ih25?hlPS$hU zCwYc%58mdf%l%*=`T1v-jjpx!DnCQz#!}DgCq~e00j6Y*zX%pOfe1L#_t$ujukZQ_ zAk+Zo&%$9XsB?fk_j*I7XGZ)Tqbs)L2_RZ6d!l8abe@C4odu_+7c$o%+Ve5qxp%epcIT& z__f~K**%V^?#LB0hC-B8xmj>}oxt3c8MEZUF&+A^1M%-i)nyHIwqA`g6<)o5e-JUA z*v)gjHGlFsNHw;UrB=uGL=ZD3R1S*;_OD#3zOY_qpW{Xm;fICJT1w%*;9&7-lGBKg^w3h~~*UMTodNz;x(UM$ihYi+-=)$XR5Ha9PZ^&=gX;Wb*Z6`tlK zva%F6^0t)*Fd@-3HogWCaSWdd8n{qQUSKm!{I0^{yFgE`2>ERrUKgyMbHwO9;#WP) zHZrR__f0w7$sut7ZT;%8x6nf0d#XhA;adD>SCL%3mKZSRrgZdhQlDAK1*97XoBfZP z2FMj~{ar5Poh42#pJ3x09HJ_x%<8uh#tb6`q^8lP*e?=pbVE}R`EW|@u`CbCrYi2nP7aCk`gW%v!_ARynH zB0}OBR9TS#wd1I!fHAy<3|e7o z@}IHDjam~EyVt4Qz?I-h2{)iDq@#MjWzhFzg=hlJ#g;WUg;>HgKc3+IN!2;_?put{ za1>k#rd)NzuO!A{KRY2LvZLxp=1&JDX>pU>T~4b%-I8FWOoBi}0D?XAH@pt1@B=Ft ztko8Ol1ODe4_R%J+U*15maR89Me&e(zMFdJu)M9Z9xV0ilRoLAYH++N6Z(}sRzj9B z4Bs@22I6CJkCuSkeQ#l}q#q1!6kOTqGprTy7(Ljq+Iv^;Yc}6nJYu#$AnFWQ(~fRJ zNTT?40EJ@I5I!kDAbC>D@c^Wxf@Aqh5XcD0PM=#uM7rJBfRb#*w<(=bf4oA@@KT-4 zc*n1S>3KAa0K&?SfN7bB?*Umk_FAfUbaQa7pe-h(=c&*V#>_zh`CTA>lP6QX)up$f z(#j}%RvES|6-ySG#0{<)8yHNWzzMB;+HE_qli$wke>1BCf#mQB08D=pg}6SgN_5ADu<;8bU$PL~wcfaLw8o1`c{y_l8+_xwr zqN7UhbwQ`ozFSBw8|ck1w}S`keXT95b06TyQA^wjmX6Aap5Ycsce)P+E44c})(tM5 zvlXP=XuG80LFje$J_V!))I(bUbgy@qNPy}ZM|@~_#mdHVz}`8G)+d6LklU5e*@T77 zyAXpZCkR*?Mg6f{?Uq{Pr;mL=YGzL0<9&JomBXV8s|*#oZrs5RzV&K%T^1c>r#G6W zU=7~$Kr}`6g-D01&CBe@soEnAI9b7~_8dEXCY&5s7YwbEROWef*~nLl_j+)Gb7oSD zLME)&EAhqCg|m{3+d@zaR#;qa{$9-p2dD~jKRgXQNbX{&t*jBF3j8GF65 z=#h1pHHaB^4yfD8yB-Y3^gbln$~U%!9=x%Ni^|HHPR@45m^<1J0#73Hfj0Z9iv-& zE7($}KAhcDXq`wQHF*hF?p&HceN+YvF^U!S7Yx51@4SB@Jsb7-{?xi=L$|7VeQtGf zM*<;pm!9;S{P$12R5>8e&hp@y9`8~A-e2o5J;v8$;B&3FdbRsy;>BGjO|xCb20ayR z(|RaG^{0=|Lm(FcfMS$ddvwxyDme=-VzVZOp8nSj!GemfO+76I(D4DMK50O1Jt8rh zsCgZ#;nccE2n`uaf|^*iL&EKBUiBa0p7WfHXL_6~$z^{C8%DqRo@8wrHKW$AC_&yS zC>r@Bt{O3Im@uq}E2GW=qB?7Ffm^yv686d>mTS)RDxJ?1Q-gzWMzqBM{~N_}I2U{S zB*S?uodhdMF zOj^3{6Qeo=`j(50kkvD+_Q=H(vd?RnBWr%#f<12gTL=NfPZ%&j-XO6N{bU*gO5z!# z8diz*SC-}i&*fpz)}0nh`2th3&a99QrkX>5IjE0y7Bl!RA3eIOt&8gC9tMfo`{)Cm z=;_M0sg86vS%11}q0_|M4Fpd=LQ*>Xclr($R7X$@6Fngl=*yFVPfO@n!#)k@zjHF2 zsA}10o9%TM3U9Kg)6n}8BCrbz!a96xo>H}gOz-%0*{oJjIdrq=4a4iLkxx%Y zx`#scppRI5c_E}1e(RS2s)xH1x9D;DDpl4!SW#Uqt@)RNHhE%}*3lOM@KigayZm$6ax1~{&pqB9=U|4_>bxm3To9Jlr06g)^RVn4V z%d5TmSJESmwK5Y0ED|y`Z11`P@z?d`wjB+m8m+iHf)LBHU?(j9EU;=IZXRS;XllQr)VYGG z&rD=UFNY!wSoltY&o$oG{d|JIAys{XqWs4k`X^w-89VRFv~=HD*xBikMWGc#`fP2M z@NOvD3um5rsBMq1g*elI!^4)^@nq$_$>KZn?{7 zYRw-(Z4SXyUvstUYa-nufNMaPH&aY%{=zr)bB2(cq`w=~jJ1NuMXWjU zSIm@YMp4L~eYc@VVeNNoE}NcB3y=xMp5ZlFv>nk?96O)nByz2pbQDqP2~^7LwvOYg z7z#JetRN1SqGb*3d3*!9^;)a+ii8mpNAcF%GQeMHXLON@nUm{kjNC z)%O*Q=*b+eNKCqV+n>M~ASB>~;N@ABF8o*>V$k61KZ_Dia<^<*9!^fu>=#kyOYQ6g z#a#*0tA1$#73aOmD}s>0E6P4Lj^lSq3T~p3V|fcVWBy`WKQG_8GhWb!ZAz~wj!7b2 z1UvI`KI_fFQ0_=vT*9_#+6BbKz2Nz;_I7TZn;2#afL0gNE-#cU(4--=z3@4V3%N|zUsAg+PzimT-3 zAJ%Lj@X$UI6m>dPU1vk*b*GQ`sJ`xI&>l7Kev)BvBe~<`FbGTOj|y7C?v@i* zQE6|%2?eK{Y#OX@CQWWKewCiom&T9P9q{VHc0C-9g89L)&|5Vhg%<#uastAS`$d>& zJ^#$%oDh_Saw$gdS=LE1RJpPVt1PIvWABzpm*)!NITx8K5g*%HGLHyUWW%5s<3S*@ z-#0Lpcf-~o`%;wm6I&nw{!Rj989N}%CQ`)bxH)bpxSeVoIhk>qV%Kd}j2xk_VBGkWPv}Cg?3_Hst`0+|qbfh^03@}F zWL`B2b816ZMZs$t~|wW;QcYq(c*P;T!&X^mq< z*{GUcdeK#V@#E-YFtta{luQREvOz`CNmEmPMJ@aSwBcOi=Rf-frgfB~U#D83c(Cfr zHNHz~OrbnV`&C z@3J`U1AlXf#Attu-bmXA6vD;vM=KcI({Ba6xa^TmaQ?}T1{G8CLRj&*N2~ZznLxGx zC;c&JDP3KmEf_@cN!kYT;Yss&*z&PmQWT^FaaO?qMFa5JNaV!}Jdn}Y3J!V+-x9~Y z9i?oVaYYzyA3|}>N|BTW6yHF3Q5{gES(YjH;+G!>_6X z@Vtj7;VR3EAmggE59A~35aP6%A&9v_!%(z9j4T?riV-Zbv(BR&p?gR5d3bEi3s8>~ z18f{X+$1G2`8}U$Z5nC3ypO2_BBi3j@lf9aB_YS7Z+p-!B0ubJvhdhj+iUcf0}1^*kDy&z1RE#t1Itl_kHCKu}2!#L|Vaa-ih_t z7f|9J9#?_!^nG3vec9M_Dt-J~lZ|y^nuoZTNA+zdEwZTeYUpe>UoF4+s7OU3e5KyVPOpK8-KSZ-HTY33-_#~!NI+%_pp+Au)$}OLq!; zI}bnb&psB6dvIzu3}U@-MRo8I$Gl3gwcw!>i&iE*T(>x(G4|PxvWJbGG*{$9g0TRV?L@KkqdJ21RS zrc_3(&%xt-Aj6CMU4L;C6O--PfCypJt-$5KyBc6$=Q&JgG%!;zU=WX>dOt2+VF-jw z{_;jx_D>jhmSw9K?kdP;4M^g-vjZRgCsvXJQvyXx1eZd`qFm%@_9Z)4E*0Ug`S_3~ zo&>N%uOVyYSjKtjrQ2~;=ihtlm-`JGqfIB#3Mv1y{Jdi@a7r@AmwPX8sD1I4q>b@H zu12(f_0T}su(E|hGjB%lHh6V>9|>0g5?ID;yBox@>NpW07?UR9+L1wzSb!!J;p(78)~#E%P?E^m(-mL7c36IJBl#<|?l&ds1$ zmwolk!dOQ{4x|KhF$56E-+?6@m4j(_s@oEpVFjV3Zwt$hTQAg0o^c^j3zP9i9Upbj z$Agi!@I>$_Qh-uqvskSrNmVLwF%t*Bsu5(Y`-!66h!8< z-rxvuDK!%_fB;T+XQrNV#@ywmKFNiWz#|Yc>cU( z=!i7Yq|?x1%dgo9Ex4XSJJ4~cp2H&`k>8}QzZLh~o&%*^x{1loxZBJ z72wLKYY{Yl_F=V7ipCJIjbp+yv_~NK?skDIJwSc9w0Vjj|Fnbr4x*OjyM4Z=M{+v% z!K`~QAHc12z<-4l&@N%>p1E$RoKDsO9O!ACuIY5E**BkL#qSP`r7xf2@gQI_B7*;8 z5Y!UFOn+tn;tYspmVqzMHNHMGqe$chv|ZZ!KZz9r*#XPvBEMbzj{Cu!^k@WA7ZlIz z)gjhM@IUa!bOaK77DfSHVF-hZ_C9A^0vyPZoH*b;o#wR(AdMpabRvELq?dnn=b2$@ zZ7j>?T6Y*){~RRM?%1XjP?f8l`0G0zq^TA!WdkmANBDU^*R%O|;|{ws7YlB#vs9jM zT)89(GcaP;8Up_Z7+|eqGmk#!_x=xHa&|QT@D^wEn2Y!L_u&;8(Zeab6m_L%fI=(Ismv_4D~ypJ2pi`! zgelweHG9d`wN5U{uOh@V9s0N2a=&@m8vV#fOgN?Bq3@x({b0RETMQ6rm;Q(BgINDD z0|+W2PY0xzo>KEwK@YHufc4Xx5#SZ3o&HMTviso2>H`<^iW->!K4V(-nMM4G@d>g$ z3z!hpOTS!gs$L0@< zZEU6h1H<(Li-`-6v&SW+SyScQ%t+m%b+IBn?; z0p~V*yERE`V8Lrq7?`H~xA$L#;D4D{Zi2XuCIPuFIf-|y6yhU4D7CyR_kUoi76Pt&Ijx7h%a5Eo?L_5n5#w4yAYs%$uPB_a z(gsZ+U^6>#3_0+9y8Xf7F<>DCVfF7Je*(w9&v6xEXFy-(T=}a4Y$|m zzd_w%uqUwa?rP=X0A;?Aacy{--P15^_%N@fQp;U(J*30$t>Vt9c5eOr7{rLPaln6h z&4lT5plIy@8JaQUBd^8Xu>CdT(Z!RDo1K?jS^aOC zcluhoiNSB_QvJ70uLg@9UK4u*{341Hrkfm6Qsr`ni#`c-n0#d_ueNV)ot$fztqO!n zQ-4~`C*3}kS|kM5haI@;;Aa*8y*NV-@zW!&$#;Vh;LNV&rN)`M4j^m`LvWE*EwSMa zz|^Pu%>h25DE?`A&t6Z(*^lVAIBACgaaS)WSaAYiK7x8>TorA@x6^lkD(mN98wKh$ zJVk7b{BQ4c!DbU+2jC4V$H(9i?6M#W<8LPz)|JX3ss~dzldtxh<{A36E@Mlvn({Qo zA)MCYKqElOX9Z}4Kb8EyuEO!~9H0UW1IllG06UGeGfAWy9gn8?dLgoC5J&LUe#bnF z{hjY>R=lv#yVda0TZ1=ZRSU<#7@KoC4E-GehR*+Azx&pnKKC#|<|2+nt9eH#_MBpL zil?VeJP?1}1ox+oJ;%wakvK4K!nzf2G_o%B*%W0_{IPaDjYfjr%N?6D0Jc^HZ3MyR zQ;=@|9dOyLEBANye}aF)ADO=h#Er}b%UZt7`E#kM`A(5^r@aX3tWTiFQ&c7NJ~AXV z$f28X2S2@ovYvQHpOKrMdMz(ER#cSY)4nfedzSqYuQJcDtCub(#11Hx@omPx4|)Y+ zXeSf=a}cKJK;!tQOfIp@F1{8l~uUk|$! zz%vMHRE3LV{P29ITAw3z5@7v;FJ+5252Sk(kH}?&{`q6xqi6)u&wMHoSl1Xz&@P+? z^$^dTfQXmNL+*@FAR&eHfpXaV52bkHTQf-N|Jx_%X?_d9eD&|8(^7p;;5Y@kh=DEE zc#s;tG#@HWcZ3>+26+WTX5^y27FAHNb`p#WH{%gcb_hsoW228yIE(5K98B$XDpRs}{ zza`wHb60g11T9qKVoRm6CPf0lO)$qsw$RzV1N4Wb$aW7;pkb`&e1Ksb0PiS8&jjyIb;D2#q7Qv1%Lm%o1O6LQ;+;tf zYk7~W-JeOgur_qGSByXyy$wn=Xy)CIheB~Jd0u_9fn)mAmO%sJg{J6NO#Jr*+bDC< zQ;seN5rBXOb~+&5{PV!K0f@jDJ0LABHH!B(;57`WsrO}kXoh+y%6bEZ=Jxz7{!RlR z4p&%*%biT>I=Yw$=nz&HXL@yTLXF-8HMdw#knflw0!`2~GSA zV^msHS=fm_8o!TQL5t&DlJHx`{ol7NAS>QMn)2F8vWVr8ngYQAd!q58MWr31Auhkl z7ge-MWYW(TY{J%M+~DvAnPf~%&BC#-2q60lv${S4!o%z^XuRMBXh#N_B0N@hBdatg zzR~Uf_xI{(_5e+Ue6IPlrovqqt^BB$=pBFU(2v991ggQkLAX)?4YDkCIfd!{6HeKz zqvw|TsxSK{uLNsP*zi3Z&@Q-kf8|ng)^e?)8#|YC>JD z5;D-dgo&r(Iv2}fgwzpoEGq`RD0R_1_xnS}fRdYAOWGHu*~mz$v(reEoXV@1ZPSFU z)WKHio^>Jr>vRqFO9!l>p@cjAVc_ZG{b@v5T)$0n<@$iViLpz_DoqWGW`LAW5pqbA zq#{cDa+%)SH@u8>0;@#*_f=AXsSOjq`Uhs#-vDllk5$Z(TCAm^9P0^9WC5?U@nMW( z&LAV2A#e|{^lm>d-%KW79Y)H-4A5o-5W(Li*`J!-xbh-sCfZzf`T%29`vrZ0VQ)fi z3&3f3Wz62_nhC7{j^0JTxI;d2oD*o`#6^5~r`w{caNc*jO{51+>qNS7C0?Jvm>BRT z0?GAH8UDfMDo~^SVG$eoWj6!dFT>OeYWgHxXV-}Mzg(l+DC>v0DDP8QMC;w5x)LDpRv8Q6&5x6x zvXkRj*U2LWqUGo!ZxdU$l4!|fJNFGgj9%%UilS&ZXE(T-)Mstj|GJvsH#?cp;^tex zQn!3PQ28NtT=kZXdAU9wh^mPs- zc2p=)h2HB9hH@5y^**{jC0NPV@^c^DJ+oJ&h8?Ua11I2osSnr$J^si9=O^tJ>l;`` zUfZ#0iC-8a>jColpfh#A-^P*!cszwF=>^@2MqZCosSg9jLC}x?q2oYS&^;(vxKyy# zjGE$6(|Uj?(sg(%b5nDT1XK~V60L1luCg%Ir2>tt$M%|f_PG?=WG$Ei)`d#yua=Wr z!G;qxb^(ZFGaYe2HbLxvE=VE_`r7 zMi{KqfRSmM|8nSog$_2A4Q_Z21giH#n%e5@v>>*dvuVc^Tjt+)v+*>&EV#uluQ;j8 z7A~w@xOF#xSn7rKd{ig{>UYF__+KI}aQh7S96yB_U_$|wbzCxPZ$U=p=m=OHr6-QM z4-NPr8GBUTbLRvGgp0u=pBLr_4mhneh6Yt@SlvXdJSUgm0V$PV#rZ76fk%?jU{oh6*v73{hVe3lmS@fF;n(G;oJ$?oFI7kZ{I z>p0oynN77A0e^CIs$F&|BMa~4`Ed)J2fR&Z6b8%10kC4wfB6ajKKOs&Xv#Ms-{Z>5 zvOjgu%aC`&jI0E$<7lyo#Z2L(tG~cP58P_0s2wznwE9Q!3sFi4W(fpcWvppE%Gx61 zx~NNMjQZQO`73LWx#W5Fo$Fpnz$r3*#oq_6b)47tg7ntA2>hUc+XQj;Z_gba81xci z^%L;zKud(OCr9bv)M`msR{$9GYGcY%v`)EBvqjYal@wO&#cnSnbU7a8b{W!m8^EDd zTgfAlpyJYDvctNm{H1;jYD98H{g?ivt;PMV_vQ{tsubt1^6JlRkmo!FGjlI;6D{(c|K zuT|Wq{=QXvn_qF{f|q%|m%}4TQb@`9g`5y^u>E_d>hpNX8dD@x5(Yx^Cdf)?iN=fK zHu%7**y8mh-^(!JSvydFj{h*BtRxkr=E-~eBt!pi{P{m%;DF;%cb$%I#X!H!|N*if*`=UmN>BGO|6hE0gxAfKey3v@=0)*au6~g(6L)>4YK-T779Ou z%fPz>E}5_%s~rI*@7N(vA7ZR^R$}u15n%!SllVL`d#{QqkSl+6WtJvDT3UNjSXP5` zj+3hg0r9io1s@j66zh(^G%0uOyVd#9XW^z2qL=R1Ij`!XCAGMxjH@7xdB5F;{|3$n zq`}?!(qK+~WpW=}CBPe9O#af-BO|;GO8hcWnR=h2fvx%uD;7rjTH`7(K+v|~C z2!I#AEaLzcAf;=nn4~hn)T8hu=au3inb}8(k*q8$VHb`iZHGxw#S?YxiO>;aPVk?f zP+K(kZjrZBWC={KYN6m0aJ*qdguLe^qQ8~DX81-4S?N;5N1uNU>p?d2<_+;wA|9 z(|?`ux}CmTi=bETJ9+p6G&Q%3vEaVR4Cjf}kAN;*GGI`ebi3svH;dj1-nV=Fea@&} z)>W3ZRc*IcQo6nmc}+Fju9mgrv0k=w@dH@Rz5;iOS3B+=ez~bZY;raSk1eBL-Fw(R zdvCb}0y|A*P3(}1V|4b!sJs6+`qr5r(7wdPgPBa>HL^nK-nqo%g` zZ*EX>NA)zNHgAGDWA3QvR6Fw%zs`Ew^MorQfdqTu7x#kO!|9goGsGLmN5|7V$u9UU z|Hi-mgso-J4x^4GPF=NS_DKRC=b{v%XTTNs-(fScV5%FgU!d`& zoH5YwkYQt{di)tnPE~41Lnooq`mm0W|9n`QOg&1l?FQtFoe$_$2)jBA8G?ah=fjn_ zA8Qw9eU^hWcfSJmcCeV~A>3?7{Vr&RDrvZ*4EI79Z_a!V*Stn6{Nvh(OfV6&E?Ufb z-}XlZGS~WKS?eZb#r&Y_4ndG|bb?aT5e*GK0JHanEbA_hwTk%5dV1VG3CN&UzgzQt&q9wV#3`|47 zO96?)O8Jn=MTCBp;jP_T!;EMq$sbHmpy#=#wX;9DY zx&X;i`$+E#e)eX7)l~gFu>S#M`txXoVIJY)1|LwC<|PpI59U9U%-nVb#rU@O0RkhL zekeeuYqfYSQRcM$jep}JS@j3PT>be=Td&C!IUap=mYz!L+!As6!j$=|&(cg28K%F$ zYyZueTmGk7WdsTwPgjC}UC)<|9yvqt0U-%?OEM|lTe6(xIAwhyzAAy{`K2IaSqcL9@f}YI0=I2-ex_na8oEZ}JBFnGxWX1AHC9W>VAFJX!oIxJk zKj$Xi=I^ukNs~v(U9#|}sPU~-Z4dt?yB5}`8ENVj3;WNlE-~aUJ7lL0P4PBPX1&F| zdaGmdx1r%R00TkMo(Xmph<}A@`dLC8-CF2&_q{?9yv8fjdIrN!#hEE!=Q^DSv z{E+4<>?Vnues0o6=D5^;g{HdZ$Y3OPR#wwNuLl1ll0Umpj>qh*^G&o~kzf)DFsoFz z3Aok`vlNZkHX7wECJQ>ygS6sD<(>jWHZiZ=LK@gtD_d1to!fJKt-8_WSyjDtqc< zN0phE;vGKT)Syl^+B)^JQp^3>k(CdDqydAU@xXj+M#4=LB5Jm_HCYSd&7R4nnmabW zfOM7XG$BN8h*TK2NDW!FRLu%jiaL)q23$6LId6x=I6gy;Onf0o3MI?OA0>fve;*}l zxsg|g+BR;@R9ov12)jR6^g|zzwiMc(fDS@TaZY}9HlB&8GhJ!BhKi#_r1LyA>l8K) zN36`H6(~4$Q44w#-PjtMJFdvEQrrX2_8p@qT1`7~ zhVrK6n`nj>+uWddQx1z2o-|kgxhU7Pm#GWfB%(rp3Wf3TahdEeE_HfgRcJV+jpUg!cdS$#4f zv;IdETTlE>*^_|xe!lsrhK_0=-c6h^@O+``a~A!5AW`AqsJLOvGT8Yg?#FO?8mW^Z zmFrFOcZdDFuh+0o%HFbSf8XNPnA|WMIaN%N!8jD_!+;SzFu{2vF|mMA_{Gt;H#U$o zIOMO26^&PrD{F$DOM+d7i}+kyvwQ#T(ys{mwl77Mx_jm??PfO#xzs3~NL-sQc-9!+ z50^SS@qh9S_%hV(bmeXtj;Zl24g)4V^$e5z?J}$2yztB-uE$TM@FkhW-z8Zp^YtNVdkjBO06^$NWWn&VV1xo-wA|y7$zE0;B_cl3VRA#Mbt*HMbkufGl(O?JU zQATEBw^tyN%#}aPz7}?hEe_y%cB3%t zvT=Xz*85$f21<&L)o{SrQ2&) z{8_4IH!`9qOBZdLS>~!XDyrXaReih#dCwmPw~WkocIx9tzLCC-R~D$w{8}}eg-s{8 z>WkHaQH8{3c8nB7ESc;Zyw^5UQ0eXO40_N^ftOz&)_DR9V_;(O;rKF{%3$=PhHNXv zgDXdKrHw{2ICjf8hdv>+Tx0phi_hwto>?REll#g#^2?7NPN*QInoEmx4?Y&7Q(Li> z#HtrZ&e)x8@8hn= zjBC^r`uMDYs(`8W=g$)U6b0_(2#_RykM68-O>8*J4RnrTNEUXkeAI8#H=2Gg+tX9p&VmSaD8}|xCv;x(F*f+zhKtqn(dw)(&#UslAB~nw< zplfbAeu-NLTt-mgiQU`!a@j1SBjYb^`{Nq`IaFNA&0c29ES~S!n7x?I8v>g#x|JPT zMRR??1Lkkd!XcBC9otBwJhUd$ZJm+N1}5ec@8Jwt>(IcauKa!6Ko`s04Gp6h8A{@v z2AKb?=py|dHj+9XyzgS3!;AGFW&mBcT9X6uW>5Q^re2YOnd#+@>Ro{FS^Qzer+OXJW+5`hh59; zHB0jVwASuirpQrRQd7%y)7Vs&VCE{K@wY{k_32s7f=n}3if)SL7iq$I%bz&I>z(np z;kO=lh0zkMe>hBjjqo3Sgw4+P@?DFBVq05_Fc}%&Q(08ghYuEub$ZQaYP-`_Hv4;x z^?w*yKczNq?@#Ye76@0VuXQF8iii|m7Hi&*eV#C7WtO3_XqTSBygnl5Xm$<5ktsq_`>RE4 zWEG+>I?0YEt$nYm;NazrYyrx$LDh(7Fjc0mp)(9iWJUL7ug8PaVW#kKocCcFIp8tH zW)q((sPn)+wGO_Y-uB60cX z6#DBOj+TaDfyj&9il6tQJsZpj50est zK{o!ute+4I3XeUaKXk54T#LWhze?D)aQE01F8IU6p+Ad1TV^Pen!)NleQO)Q>77XptCwzAw5i6*!wH&>m1cBJd22oPH)^?~y(RVH#+ z@;n74F4FMULJYajB46#aqP*%(%C=`g5A_^~&yBz__H>0mJ^e1x<~d@W;yMYsAEw@e zaS>%D4!mQwN@6}dl}qze`}K4hd}6taI8~b>;$(*e^5Sh{&L!=GE_tR0Y)K6y{}tC`D7L7ZSYQ`z~YuzD#Cw^Q$6wN*ALUiakC136w2{Ktc(68A`@gpTt( zSsNl(7zDe?wc*))ZCizN)=$~)yXE6Um_Xg*%g^(6m24~FpVQBpipY&H-H;YdSzW^2 zt)zH1^0dw<67dL%Hld`Jn@2;|c&6}PLW`jAL$Ms*qtaK{kV#YM;p%+-RnFZ4d5<=> zuk~(ppV?=p`582_c-7jBkEw)8?oYHv6bimce|g(N&G` zH)izs!Zdc)I_zb4kr2+VFy~=i-kF1cHAgW{VCuI#-r9lEVx=vCiwKDqlogP;p#Q!?ujy2yTUrxIzv%658p3 zVoXb9XU$icgBGVZlio&2VDZEa7s|1E1q+f+Oml7OAoQ@KA+vkQF&;Mit}6Z1P4<`sFk8}DGrVSlSM$Dc zJ=1TnRh2IejQNzuat5gwQFX;P6F%>p(MOnz%r|(_MA!>8d;A)~S>Bs}tff&J#?w_@ z>Bxlh9vNRwsU7Wlv|JDB>{)0Y>C7k4kRnVgye6J6H8W4Q!THIQE8n_-b7HBSi{7u0xhcK{(`-`yL{nh4 zeCcJ&Pl$E=i1lCd-z+UF%%x;>DITx~$|^;%cd78}1aI6YOk}H{C=S2G zGPfEpZ4W=N#MP1~+Dl}ZnXynk!;t&eRLh4qK_O%zYGdN|yK{CIP7?-%=;~Gvnu@pg zGaa=(2a+t`;a$I{>_7YwM|BNCSec7*aXi)Uon4tz?nx|9*Y(+rQC!G->9U*lWd#kn ztH5f1-5nqAR!9?OKKtHs`TbT3s&4+&5!)tygRduZGe|JcbY=heI3XmC_4%_`+}y>@ zRmY1hkVvCdjN(4$^|9JPKHfT49Nhl?n`7wC@6PJ&gj6|G_&~hn-TT)eQ9SeCO3-Ry zBqc>M)wK4&Uh=~&vIh`|=0n;g7Tk=a2NNr?DPy&d+F4$Q*DVH0nirOxON|Epz*l5x z?OQ$a^5N9CA2P*Mfs0v~OliGk#E~@g6pW*Lq>z?lDI&}@<@UB!xzbP_56^ezT$&xClYRjqPBQZ;GKeez}Rx zj|~ea8-`upwD{Ch0)Jsi%;=wQNO6P%O}oa%0$7C3JF46<=Hl)LPczuHX$1I zhk;N3eez|HJ8`3s*TPs(iZ#EgkP!s(^168uWaC@U=5?vrn`}bo{Om%8T6I^yev7HW z<9827Ic}%(nNGfr_t`mc)sIUSY;9A%5D47SSgF(4R(&1xHRS9*ZoPIH5kfWCzJ>kuoULV?S$J=z-V8e z&K%{cuov2=dg=cmr0R0?(I>OhSv{XBQD418U;i(L>VIZpwXFc23LFUphz|>MXi*7nda+E znVxV2*Nh~&mE2(9WF0XAO}@|Hi4M+FtVW=|5gd@*K(nbFBvwu4TR_SU!uuFE8jd`q zqj)W5ZReRQ=(!yx&LE|?UxBK7t{d1>;lZmpVRvV5A8`}H!?TniI}5jg1RlD6ZdMK< zoeD8Rw4wCo8>e$LDRgb&Drh8XDF^gYFxBI48aM_xosFf$HkQTSbN?^V%E`iUj&vm$A@r}v4FU4cW$xVpaO>iB%P4=zuSLVY># zqT{!0zX*N#oy_NKf<8gd|CaFR|1tx3f|VNDdH3~WvR**5 z*wZw*)%(qbou9IWwI3K?lF89T-ZfL)LNT&D2isxjQ zZppM{x=A}jV-c^kudJJ87_x~Oe&%Ajrso93f&fjYqQk6D^Y6eH0b{Vbg5$RF?p9*f zRzIQ~eX4|%RBQ;bMfbe%JARA#oS!{b)Td^49ycUQ)ClF);Bxm9JWk(+p}y1m(+{W< zvgg`^p6eP}&u|rx(#A5?k5`7drjS)d2JX_O7Sv5~X}B|>4fONcj+T4}xf$HQ#ZY`O(mb|7FwzUfa7eOzX=v--(4UOYqHasC3K=d(VG_l*-0#vfwI(RTM_LofjmN ze3Uh}^QhZGieAW>wvEo>9N###Of;rETrwGAl>eUO zOJ8vVS-V$8d3C!sW^?nEO*Vr(&yZi$4!EzFwQK8sA23UBN(dJ^eLLUutj;lID)>YO z{0W$B-#&bpIYt!#BZ(w zbZ!kyLTlMlbnY+{LluO>*$x1>Z*++D`;~8koND@syoQv{MVdU~8t7I(5<6 zc1uxKPJ@~*jmzbvY;}SlhL3w0hgU1}D${Bt@8S@e+_g({;c; z6o+VUj`KUwWh!qm9my{~!ZLJ74^%fKFrO&LoiS#S7!wm+20_IO(EPS2G$SxE_2t>Y zwx$d00dVR;Herif3yv(VclmE#_+MGG!(K9t5ZOj7)w$n(+Vi?@CyZ(IKAN(xaa?xjad4eLsh zY8Vi4V!lHF+barOizCjhJH3ZVwn_>W+r8fGn_#nDsbw@!@7~M!ws{{@Vn7gfusw22 zh7Ea3@oWoO@HBzNfRMYy8mx9kbvCj84g?5+G6RE~QN9m7Uv+RFjWTiu*}E*Q*YufN4LpItd!$(=q)FYypy!# z1<^%Ch;r86xNV%-6;EleE$W=&n5@@xRYDNvfAC}mF#XwiiE1FOBrx$o#YnepUq$iD zk2oNX#|R2zre@-<1g~nEWn*_bF+;LDId;6e2+y3&^C4uc`sdZViDSivNoqf-{p6b8 zxvnQCe&$jH?TYTq8&fZl1ZxRt*+gp4IrS2+#Mp+><40%q(68DsCr1-TS6yOzSGW`& zoOL5!;SH+xYl4F#J^kc%$6LmON4k#Y5N6TT>}c2e&~E zVVPbWl$9089eb#c^IlZ5vW6_zehErytt`~Q`g4qJY z$kjBN6=+^Kd^o#FY@bNJUIkph= z{G)6u)}srW2r1gL6J#$e7_9^Wfq-Tce8~ zed-=XpBTI2n7na=TpPKeRC06zHy`vq6A_roFW8>0RQ83PjzeQr4)m@0Ra|n9_L9axyHn2Ess z)rkdGJtF3g7o!p56SQX<8u}YC_`fih9+xG$%?+OIpJEM`&ugSvIBF};Z!WoPioLx7 z0#jZbRe8=jMR9eL4+_k*y-_Yx&v09Xp1JYlhlS%9{kz#XOzpfR z-GdrupyviQ_HLmd2|K5b0=0zpRqI!2rf#CG$TtPiXPrv;nQC~byE<&)FiZuA;Zk;p z0?P@OOmOGS`?BpH_UDki1fxbN<3K(I z3@_qMhMua`{`mavNpnzzzXZnJ+S~zd`J<%0PUjP~R)HI@pU!w~w}r!76C>4hg>e4u zd+*{Bis;_4?81pQ=;X8a7f06#n~<~Ca-z(r+ii-z<~DCd*mQYn4@o0Xh{w?p=-@rx z@&4}BCmo$i^V%$BlleO7jRI*}@{iy)-qwFA$9_>{NATmHm6Y{3_H&bb^s`=<4pW#_E32hO z+`)WpxzWAGk&Gdt|EBj~rjx+owLR)}!NJCG);A`Tya4Q53xoMqd>qb-2JlJW6Oqqp zaR!;qOeoNgeJST{LRdYpPc;8ZJ++S%oyf4IWt;|Su^(nj|MZyQQoK^~`q@@WtDBga z1+$6OcKG!PEiO=0GZZ@iTUK6y7p2{y=W%x*CuY7-VUDHnp_v(TFIi!Qa)j)fIq^_+ zb>n!>Au0A6F~zoCbMFLY8GhLiVKM|FV*+yKSZd1AkQmp-O-x@jbNRT=(ALKq$+oY5M>!{PjLE!Ahoj7$6l+BBtfryUzSK{VQ&uy4miq2a;=9S;in+olvQnA!$IY?Fd z?UBoiEGjEi8*MEw0x`s$zlf7;f;wzWNOHY~B+--1)SsPsQ_hRE`v=$;P5MWQgu8X~ zP|gmwq*>*(xs8(?o#(>-{(4zX+Xnh4ToT%~R`n&?BNFo~d~B$dvmC4XCIJtS{;HTG z;Tr&M`gIo(`+D3o)96T%ylgXGzCrB;cr9#hnv>5$l5ecyt&9pklOb2&@U0#x+R&&T& zXQUWwT#I=WgzkEN9?5B@A1}~nhA<=YHj!H=?!0u9o}2bTnP2WOeyLxr4FbWW{!m}v z_-#LtW!p-RUoxL=Cw|eK%(+YODa8Njg{G)`302+CVdrx3QLC2}1bIryWt=mcP%V0_ zkoLFV-e(a7<(xt-EJufAr49;Ic}j-<7;G{0vbdD5 zJ?L(Pg&Up(d z6FW@>Mi0(5kSNt@d~igEndA}+C!cRj`Mp{$YeRE9Q8;Hyh_Uv7E5#Z1b4RLd$G_Zw zz0~gsq$DdTMqGA9A#hBWmQ5k-UfD zePDS?ynG_H_mCLlzr{PN7ZeMk`8*lO~Rxa2x)Qneq2Tk~5L zQV#g!e)Rcde&2ozr8V^t{R#CGH$s}bhu=YQbOx8_3r-^BvBdI#4|?Hf&wlUF-zv_r zAj=7lhCo8We)0$Mq+6Al91`0BTBzaNm2ik=aE9I<;5@4J!1iOmsS>=y)@ z2mZuON=6$!2dyz_B?~CGI2YgAr%Btvjws)lhrIm}4;+YXv_Rm9IMcX}amR8Y<@85M zhv{RDQE^UDR7Lr2d3CdPeR=xCkEp355hY1LkUlcmJyLW~<1$qyXA~NfXh{GwuZ8AO zoV=j-l3_xtCdZ+=43CF(Fbj_&p$XxDV5yHYBMS|E|G~IZjLeW(5+fP0Q#lcyZ_@k4Gco!{q zAf;U6%7j%S&9a-BfoB!m2;AXM9LKo7WzG<1Qe?!> zs+-?FP$uds=`-8y&i2{d3A`{~u5bW*qaJ_;^WSUKn%YTFvJEAg#qoy)w}#KUhP0eR z@gOZDWEzC4=^ZX+?_ka?HE%`}xP!9|8E2h<+Qkxjq__&AB)8vtlfwxWY314}J5`i$ z%XYz}KKEJBD~}=VLy1LpGbN*&TZx{WE9E+rhkPP>wIk;cc%GKCG9P%Z!fQ`ZZ=oJJ z5*8i{-$|B)8m2rQmm=&>g7d+1QyLh|%a{_xmGFk;6Q6o{ZXsz>sQ3&fpX!Od870;sxUCIqPg-ekeUuj6RNe<{;aiJ z(GW0mjO`hoZrj>Ix@_BWXHqfE4>OX=-ifJqeUq1$20K#pe3aP5`w|DOBg?HKlTgs@ zn5~x53S_AvN2B6NZEwIk$bb~8S`}mNt7zE5$~$7=o3|jLq~Jp>zNP0Seq{lm#^#i-d6paW#`KWTzqhx0 z3t2?WNf-sje!sZOh*4~>*JGWJ=&TH*za)Kr@A5;s&RG6>kdFv@|Fm>ng3PF36h? zW=+lsKfe!&{SGP@_VbM#ymI;{*g}TrVO?oZ8|v7MZVQarUdqn+c%x+l^i7Q!oNVQh z^f2;#&|fW#^zt%e%$TiS z8d9j~`K8n>(UH&eqoVT2+0^wv5BI?xm>ixLt*>kqDpVBlrcXcT@!XEXoeqKtB_#P0 z1=z!Xt-( z?(Y)e$>ZbFBo%7zw?@~fy?MAR4bfQ(wus?+5VW}ve7Bn)zcf+uB!X3z9{$LfRMgmt zAU>M($lEaiZD*LWuG_4I_HrC4`tC`Wx3Ru|X}PvA)!tW2MprG5%c%K7aZ(Cy5G`%r zMkP2*w7Iat82hYPN(GnF;niD?gQt8(EF;~~?^FohRly5-{tyYeP=x#;q@683(XeB~<{v>Rm4XpTcC2O3u?eCkD z*?75tJPqXzU~P)N{t#pZ53F(&-rMi~NHUZ{uDYC9_yIC-8Xp^x|EMs*#iIXLH4h?H zsS*O3JomtJ1D4Gkhi~cyO_*!k$l?C!4-TypSrSRvvp8Xk@j{a=N^N17(z05 z0pKigPoVO0>(=$&i{Qr`7+lq^_@WJ4(i11v3VBZ}?a^%l2z7l`sMoE1%oNt6CAr)y zG?

yceUsDXi&Nm+;{}vz&8TQ&Gclw54O&bhCXnR+g(|eHfJlN+Cto@YuAVWeO7# zEzgxd@w+gh4m z8d0rnFx1Bb?==OT3qxjOwn54(6Nsj}ZjMj;&6=BBDJO?1I*nGU+Eu4%Uf#U2YgDA1 zt9JZ(Z^=UQBz*<2gcvIuE;Du3X?*`GPa596{?aw{ASer4%W4rGEuq}wl;uW`+!vm2 zY;|=jFD=KH(m>IxK?)C8bOX{t>y+5}*_#K|E4tp;2iJAC-VE2Jw)ml(a6o?%pJZ+m zMd{U*Z_mWpE%6PYf7%2_24h9BE@<1ts_vP5vuyJ^En#p@oxU$v_aMB!kd|N>D*sIl zNH|&##rtteBNnvfDkd&}U-h9qqbDw%>VHQxeBB&mO_2N*Aw)22zI_ zeWBUTrMMqeg{s*dL%N;H%%>&Tj)3IsSxF%L=mqO9Ed*-SELfp%YgLd*RM(UbjAu8G zE`OAu!%S;l$D(Ub$Em$a?T3CYV{3fKl~Nf&3E#ntgBW4Nf9o49QK!xC_3G!V@}sgz z8B)N6M*)6-RP!4p^#%<>R%?hpm2f2+I`ZlnfgU|}Gy=%|kOA0|< zHzBy;6z5&Wmviio$&!XX@JIk-HzbYaPSZ;Fb*Jn@KzHxg?ns{&r z8&dex8(ix02K)F1vh=f*^S8G5sE+TRaMVe2zte0(hw0=+n3yEwsDFjZ2q!UoIEg25 zYA+d6t!e#uR6NzDBVtZz3X4YL)Tfx>sJ|j?P|{Hy(HVQvaCeC**dt}S`E{FXPDyeb>dsiJ*5HwZsGEA?PXce66 zWZML;O|AvV+jkhH2|+|~ir~3M-G+EhX-%MTnz&*ED(u-RgW^a|%&+_lPa8e^AoAtN z!FIX&O|8oOk^9!u&OEuB&8-Pp5D1eT70lV{GaKsEyx#mNT3ya($}w`7#lQ}wUErL1 zu`;2|G4vyX*6B_7E_<<%cD5-RMkOb`e%3Eyo>qD~4XZH0YPt89oJnum1GkhkzCZfs zpxf_;?0yB4{*Q<1_o~Vc>?F5c`!fwHmPlBu1ux#xVQbeo9MCM}ubfATeC|{DY7_WN z5b=E36bsUkp-UK$Z4?y)0<%z|1X|{JuDs+P$;Kpn6`*t1Qx_wgyV-YISLNo3>HcCe zV5t0Yw?UY2yQF`2MmTG{B6&?fRb zB^il!SdV20S(MB#-kM=({d_oxi#Lb>kwyJ3X6TNw@sg>+d?h(gHf^4Tvh3 z7JXM%MW+axo~2!p1BqC*+@hEiVAydUL%mj(DXi4i=4t8htGNw2tAQX2sVpUU*H`3~ zB7mlSqO~!yh*W(A-)B}2=r3EaAxA1uRVPu6S6!ltTEXyhJgIbyW{O12&9z$74qLYTxP zyps&%DUh{J|3-riVGaZE&60KA_;`%fTFh=Yc&Q|=PKLwH!&?c*fEw{C?GB{n2iP>I zLkWub@tva2PAr2=hu%04*|6*NjNJ*BK`_MeC~8EX`bIwmgeFr>7Fea)pms84{$$V- zG(pN{ZK8Qjl{W2tbf4w8W-evoFwr$`!XK+d$A|b<6?c810zRY#7=i2EYxLjKnZk^# z8rrKsHz=f%5TARYH*ROjBs;x;z3q|ofI;1 zh#^RXfg1HcOa}0D{?@W)+1knvvV@O+YAOiqJs+s8tZ>q|cen?Ih}_BCxURd(T&dHE z6L4mv#?AYMR*4GD2*EclTQhY$YnDU54$e2drD%M_#@6AOg#UymDz7>}vU-wOht8HG z1SHYjT|+2Q&rKdaV*8erj7o9eFVdGq%ELy|A4|xQg5ji)>-r-IVZZ!UA3kii_6RwK z&EL~zv4y8fZXk7p50_aiUV_$~=Ae$+n+Pg4=ZEJDpxO_}d|ak%Y+DKHU~7`4wMTT- zYEPVpp)gfR@qdXZn6C)1#-c;o%_1VayJ)RVB5N#RwGd_1JSFpN&Zq~pTR3&|_b`f8 z4Fg&}iDZnDu|xa_l;mbz9|sTodX-3WKH@)Cgmvf1Dv|L~svX%<3Ku*xzW=PqMe zRk`Vb`+y#J%>2jtfK}J@XKjwDQ3lkR-rob8T$Oql1Nk(GSSoEc$vk_`h= zFoobbpq)H^lz$T6V_H@!LG_E`L79IXwaon)DMGc)YL|f`&Th6hA%d&X*B`O^<|dC7 zRtTSMk1CKx|I^&{KVR|A{1Q0T`*T-Lzo*fFxpo^+QcsVzf3wLQt&RiBqb#=#{J6=K z?ru^YQd>=tS8@LKi2pgG?)hnde!~#c8^dBpL^ZUKXT6UY91b&PAcC?lI6!QL(!Sgf$P*sze_Urw@Xz>n}V6fTChh{{6F9xRuKaWw<{z_ZF>fnq@JPmD< z3ju?p7>EnW$MMPNlMV{3P_D26SW=p_qf!Nxc10mmsmR*(=Heuub*6AB4bmGz-Xs5U zS^x4*0^lLQ?$iSI@Z~qT9zfW;2qavh9W)S>HUm~q&Q?1vUUlY7^IL1#N&()R6vnyx$ITlFrXA=jHSeq(xq6G- zLO}r?jV5!D-(-p74akkN>v4Z>#DS3E{Ws%EGr5M$(u<<|YlYLiftTaYN!~I{k#<%& zSJ^TfTixxD%Ob{HvfQEDfCJW7F8QgLGf%IEdi*^w?UgsAKHq>;auicSM{}Mp{`mL~#yWM>qxulfIYmYf{`gHk5 zfRSri5+T&1kSksS)Wxk56V@@pi<8}-Z4n9#>i|;>P%R)5q4hosk&Xf+%4>*1>N_wLx7C#htB7U&WF^)<250h~JqILUmZ?WD zXXgu62Cd+k+y|bx+N@x>FFCHq2WEpIP^QnEB!;AiOL~TYPfJ=O|GSL2h8MQ_h}da!^-wgE`MCFzBikAK)9BQu;j7 zvA{)q(ScPATtBEm5#y(v93N~;XdQD>{ z`lry@$GC;m(VW!m;u6dKXJs>AtmkPl)=o877QCVbePXLwNu{Pn`4iX zze7;3s{yM-+zp?3G`}@}{WJe5AzyQ9_cTY$JP-F`=E2-TAo{$48OkmThFdnxTo=ss zz@(fOXxU5q;p$r4@|1g@-7en`n0nLv{Q!zEMY?B?YBrI2o}BCa%R=jq-$5Wh|N5`% z+7|}c+$HNf;M$BZ9cb%5xu%}}`co*D+&Df2oi_`qk0~x(KRsUqHd#*3>`{x!x=9aF zrZ3TT=V=pq7zUWoOP~D+P_0*7IRXX0-MvoxK*x52%ARYpF$FGgt*6KDV70E~le}f^ zRZvDeC>VqlG;Y45-Q6Umd96BQg(;>Du9B<>HOmaM%~mPLpZU$LNDX(te{V*4Q|ry>d_6-=QO=1 z88tEIa1dw;Qn4GR3!7sU*#o$_&}#acPiNCloWyp!d03jOz#xG!%}UDY70JY9E4w*B zpGctnP+~m+?84vW%chVJ)-_8G5My1kM@PT4bvqU;u!i`0d~#1(N`C!ciO9wdC)NH;q9}$p%KPLByJ%bAY6iY zlSZ)#=>63t_R4zcj@BPdhAPyLtqsd9yG(P2w>R+ifni9CBq8}F=n*X;4y1$zP(^uNtVzicC8ucTaFIpnoHfgkRvDZs|~fA7WY z!lARQ`%BzmX0`w~e|+Ij1Uf*I15}!LXC)wl$jkfW@?bA!O2K1bjGtIR4!iN{w?Y1E z?JT5Z3d4d;zMZoo(4FJ6%LRX|ccl1mjIQfQth70GXLdWasaz;= zk|Z&I!qk8r#ci+srC;hycjJ~IaO;}0r%2jLz<1uNx?}msQ^Ud3@Tm zIx#;@zoJZFjlt{nJsU_psgg{wYvlk3PoZ3gOr(RbkTY+o+K5oXoe-_Wt?NMN0S-`_ zf)Z&k;a7BIu$RSpL#>N`!yn+F2WeMAbmIu*h%ngbs{C~0bm%ipV|{~4F-iOT?-FO_ znIBJ|OI_jPLaygj81d!Suo4u~(2mGTz#8#)sKO3iWIChOT;2 z{`-{xN`l8Zmi3jqp(E}KNl^i9%&6F78E0O+yGKt7$YIWt!#ZJ#xql0{xCtB^bk9Cf zl5QhWZWijh7CN@%py5mT%j+u9`;Eh|`M-1Ya~K>x)a2$FfGLtC*+J%?(ce{!6-tZ$ z4Jsnf)wgy0W{VrOTC5yTW4)x$9$j#fL9TVe0W{QhdGHcxg#?5a1i}H1nw)?bsGy{1 zCkOy3^Zs0Smx#s2SF%~fAlc$HK6-nUj> ztf~hQJV$h{R-pu83itXL&`ywm6b35Ck~B*%V2IdKC)OPXez4Ltk+v z2FQ~dEJLs$g;<~{bF=Rke#13Q+X6HvhnO-ciqnUq!vo$EOq<3Xz%$QMu7%s{xjT;h9i zDOrN>xC2QCJ-{??pgeIWlCG8M|1?7E$r~3JxMSoI#`aRLvg+g$c$qQJH?j9%m2ix8 z2#YEqsg34W8`_FU4R;G+FNHGGbQ{o7qD31xuVWx`&-z$CYJDRGL;{Iql7x~tI^{tf z++S_S!xR?Fih2Pc6aR4O#d6DaYRBubeW^S8ZK&dSRrwU==Hz-c|L#|1k z8bNcvdg;M6NMLgZzCmj!6@J$6^?~nY$;6jvpgpBvV*G4TVe(-{NwVX=R5 zx#>tDE$08KM?iPbZ^Pd1%SDYdAGRg{yD*ypE;A|~k*wkYC{goHU+RrT@EDGcuNz!d znPy^!fV`tGzXzDzzpU38v7H_-A1BNv_%Z-yA2m$@7@s8FOI`>d(`mzVtEPd#Xe>Vq z^eBGMkIVO$)_B_E5w;IP_3iw3GdX;6-6x&$pyIdTa$W0@oRXi8UJ+AXc&^F-PtFxa zRPJ>Htxsgwi1@|)w7ePAO95nbmP0>4WJM1~cqbNyQBH5k3wi!2pDh60Dn)R|#QjHK z;R}SD@+4F8+k{^*2R#9&G&fV55ayU+y3O~j$WGovLkfpqj}BJ3y@3W#g`GXooT*#N z)Qp~#F0`(Ro*aw@Y6T!4QUY$Gcu8LU$7o+M>yjPb*%_!+9-IOCedZwaI*LJ2GG2zf zeBkHdbRbqjUuUJ_vsF^fppmq(NL$^i=0#rX1N`9py}&N`&$h-*u0pjA@h{bm8e5iT zfobaG?@=$BR5a4YMXS7GsN(mx!vimDu;x+Q~I!ITp$3+5ydE~ z2>P3-++cU+`AAvU=>3XqdI0@CMEGiFU)bx#*{vr)5yc5eCPF?hV!x+0dNZVE^2@DS zy)*A`4XtBW^Ep#({9r+`;(bJkIPr$Fhcg1db0qZzOfZychGXj1wPqD+$=KQ+w(jBH z&17FoX632`eGUIXH=tT5O6yB)6(zS0ruYwJjH}I;PTg1eQ9+{IC7oLKOHZ}99sIIl z;z+O`jMU3J%1BQ3)@!I@?Nq36Egbq@4z8*b<1kuu+|YyS@1@1gbmp5aSx@=l0Tmb# z3}~sa|M)YbQy&S&s$b`*N6Y)w=UjIyRBFa^nl0DkxdMFcE@tJwi_!s0@e;^9BwGefD5rZbxD_KcFB@T6%}$9zlWq#e;&y-&~UUhAv<6}pd% zYoN-Sp=ldjes)+USoXnd6RpFfp5uk#2MUf=@`NJQiUH;quW`*{ z5KTF|e@FpftneP-!v7-hf0ekXSAt(qZQR|=;!V5`iN$A6 zt-Tkc-_$e*J={hb{sg4jVM9tYDz}iR7qmxG5jY>Mqb3|zK?v?BGrbifKd0@U*L(tC zzHMQ?TYycu@aRJ2I{Kjk(GQJKy2N)v7W1Kx72_-^OT;v4y&xsA+nqZW{d~Z$_=3B5 zl<>hxg(%P5)L>+H@G#SBiYHB)#!P75Rf{I4W>%Z0-0hj6aaQAp@x42p2ZMV1JT&CE zka$3v2LVXHwW2mr1YLbFovKM?n>hO?act-94bY*YUORpEhyOOR`jm&w`OJc=unG$@ z{$3qc$pmr+_~laGx$bNZo&bVNNK7?Ag8@|jA}$#Kiaj0yF4QWBsO6gYUvH`Ydc|U5 z+k_fth?phGDRfC)%`D-n?g(XwX00&Juul5|B3zk&nwv+03Kc1z_0IDsO~TzT$(_1c zAZhsiCL;i*v5hRl>4ECoWfT|CkBM7MRn~zH!+@-}aj%qm2!v+mN1&d#ab&u2U4QZg z=G2IVo$UztAYZ*lI@Oy1=q-1ge|n8v|HbxGt#yq4#r8SA4k**P93xBD9buK|8~$X1 zFO(+!Hmg&u2nG^@)Yd0R*GkKD1jrJvY1%97bDWd!ZKuMn{h{GfVe&O_|KdJVe&CxF zu-w)t)+P)X75KdB=6XAR`MK<15!|vC2bbObZH9cobpo1ePI{zhB-EVeJL#=I8zPJ# z^Ex{>!jOX$0r*>J(Im1!h^;tVo1$&|7T`h_Y_NbQhkgTjCCICIgWi`>Xch%p>l_9Z z;+JbxRsn4hzgBv4Ym%&L)AeY8_txsFgx7e?rO^T)pMT{5XUQ85V20xKK-ZPnyq7Zp`ckS`caTtMT!eoT5FUG$8inr+G9$HZILd-J0bJNE>kp~8_S{O{jMw>W zzLpXUGa2wXf8oLTHR5r5NL*miyG%ZN#W{(=i$clhN?V6?*kz%S>9=PY7&7oK|nXymo8l|S*zSLOi; zU!8V(PAi_=7u|p(FV}V5jvFcRp}@;>U5jon7q{>HZ-;oTSsar8yi6-^j3YF<6a3UC z*P|ckWO}zjh8-@%1bJT!*7em9pvd2Ext4uPK>tu=5L$Eg{L>doqy$Fg{6*LebgmJ0 zj}&Q^azfETIokYEU;)esx`o=MShq}&!+>O_QTgtGmF@ar(&ZUYabwPaa~@8+ z4QYAB9!v=bI!Mf*4@VdKvr`~mwZCG=A-D1OD*7MYC%MCa={|G6-6+Bpc4XWFG#1e` zeS9@ymvRMZiK4t*j=}84JD}G5&w#>zRiK(I_GR)@g*Mz{7@!wFI&U8ho~;I`?=Fjw zr!&Y;=Fc#v-#5U`FmwXZh0?fXhxe&_BGPDWT&p6aD-$LaY~ruus!7fN zx2^zm+XYi+rvVmTy~=AnA;VNqNXy!bU`oboL@wmbyA4z2R~0HDKA^a{`k|DL ztGx>E&i7gHh)|V@D@7li?ZyAEZg8>q z_mW8i=qz7P?|*~wW*mPNl4^XiE?mT2i6oUk7_nSU;bUpL8lY~sySwp!$olHAsH3i1 zEQEna5a|?@E=dujr9-;AYbXI>C?y9Kr9_&$K;x=}IRJE&k~flSGLdVA)zXI&^}YBtI*m_p# zbE$5mLi+(kE^~cy8>5sKOnxUQ%~A-=u4%rU_Tuvt1aG?%w3e*n`x^+m9ZcWAZ3geN z3j-I-;l#jjAPhSo{@LIi-}~PC0y%4~R-jQ8W&{o2fyJYfX7^i`hyB-=h2^xirL$mR zL%bP)6&08cEX~0GLZ3S-KUTjnY!GSYI>QANI`F>_o1RCcG_}5g$W(Vcpo47uQ6zUD zH1`T4rnBoX)@zzLy|DTmGDf*&2EJ+?vm2z`-Z&^^_~_b#V&dr>u-0S%`vo05PHEI< zQ#m*w2V-OVPwyT+Fof*gKw z-i@I5E_^fuO^F7Y|7L?>Q0};{TTmOYpFslYc3DRYt-)meUggUu_0PRKovnntE%#D5lv13$U zSe^R-&&I2o8|N2mz@0r%>_0aXVu?@IVrD8s(xP`j3SF zZS}f5yX*n(4p?cInjml~d1NHl_oCHgSi_t)USd^#qwo6`PvSA1t&-NDL2ifl*Ct3v zSKE%eF92twud!j8c zPfjD{=Q5u7rDO=2B=?rf_)Mc9$vS2UJ?T| z+D!gh@mwI{a|Wt8r-kC!kx@WeAuNrJEDkimt&^TXzjVdy(Hwm2$kQ|BK8-OL?w&78 z4ueW1BoW?F7#$fg3)YISHLwx8UvmH`<;lJEcTA+v z{ez&DUL0nF%p~y-=iMo={h52hx7<12_P4&Ij@Q>)`xuP5$9VV0q?vSsNIzju%~vym zV;X45%ruH=#X|Jdx9xDV(jVFiKY!-wAfw11FW^>&e*n4sv@by^R`T4=E!%LwxwH2+ zWNf4htPN6Oo>oZnnpkeouaKNLd04PdZl|u!yc+rJo@J$1nt1Ytyano5r! z#J;`g=ho*uX+MZ&Xlhz(_Dgq19wdG8xn^0LTopMlW0NuNh+=EX(eAy;eOKuht7r

lD#<&_$PXOv6D43Nn4xZn+EHH4h_ z=&X<3QZF^8x3=u1T?&TcpCMSF2AK_qRns|31|0GoBZi%dAR?`pc3H1ALHP+3jw`9{ zX6=XI9tVMECk*K6bN|rvLO8!y!Hwn0JMyWf98k)O8Z2Qq`wa`qc=}byzOB4P!;uS_QyQzcfD^#`uqHd?LD9* z?I^v=RgiD`M&#eytT~X}Qm^)*U2ni;`}Z8{;OX;QR;zNdvf^l~@K}1fcs{4=eOA_D4T;IW*4Dk$y8GAq0N1IE zcLe`6a9Lze$^-+>6a%kO?om5u1{~6`jdj4 zrJ{V+GEo~Hx`!E?=(R%rtyM1L%1rGspx@onJL+Fpb?XEPCGaXGoj?LV`}T~o79L6; zz4sgAb&Fc+%Q;C0{ygx`kL3=(f`l_BGmrXv7lw|Attwdn$?>6*6JDeJulyzTt=5M# zn0R#M6^a=xifm7vtXe%E2*H^C8-2;(1w-a5o`gc97F!`8+2RSM4t3*WqsW18(>x#4 z0x9ps5eTV|&d?=fP5_FE$shJF&}6=QxjdY1(X|Z_-Jo)|*mfsl6?b5op zAchx=<`)3B2085SGOM#LwH$~fh8QRSP?2|G9g%u0fCUz2l<~7)3k385`T$Q~LxI)F z7*k<Iv%*eL#ku$*gy7iVXDZJXz z-O56NVnc3{M!4cZT3sdU+541CzPrPcOSR{c4!7oidu%kzzls0*`Jn*2^=(R1rk^FQ zS;U^Yy&39xH){%X^bG-0#Vvl&{PNTbBy`@w=mpnJ%#G!MEBuQf1Nv# zUQwm8kyp62y=}CEQ>n+ixx_6Ntwg-v3X}fguzcmFHG!U7tt4#yJ_h^Mp``Dph+{*z zA~QZ+;9aiw)OL2>c}t78LT>=3CP=}@nfT@Lj=n4BanD;DPH7^&4FZipAeaQ8bze|v z1R*6>^X0{{w9zUNnxa#{AbK@Bl#^k`&r<5=E>40F`}k+y zH2&MmG0sC`|7+bLoxg6fTh9vs$g|{iU&i01;Zi@fP4+jM9QNdvi66Kvz3FBh@v`Z(_`thz=?$cz&>j+kB z>Wt#*ClHNV>N61MUGmk&3(ndI*HPOwpKa=N{rPTPuh<*kmBw$>NJ70aNU8q&@$q`PdnhS3WtN z%`T3i`E**`FW54+Xr2rHBA7TO$S}}V-dKG6ojY`J8e4&NH`zl)F z8psM9QOY`1900I~C&`30&J^{g&Ty@CjKH=pfi{Er(HX$t?xD%0?DGqKbS1BDMSaA9 zdKzZEN$xV*N_Pla7Qu5wX!?H6{p9+=;Hk*gaGo-e5HgT*;~mk4Vi*zMd*fn-pP3HMEmh=v4M1 zVgGP>+O62-r_FUbkK^yVM;N8XkD=ZsoQ81+$-xC*Jjus1-m-A6OwT|?E~OY`{Ip3n z-4(%Z)vBK*%&`~bF8FxE1PZpHFn)C)hyi(8&fG|788EOZL#%FVp9kr-$Kf~-(ndA? z?Xu|TFi0rJ0>z*@c{VLa&6FtW$$XMFd2%xH3=Wn?DBosP=y`#+U59c}GzMi{B$_`46?SH2$=&ji5@Qix?> znCq6}=_y5n>|YoBEDXGI_e70SaIx!6py;&aO~hZc=>v8;jU9KAtsOC+7r>IP&i$9m zX##Q^j>Xf^XFk8&rnJ#_c1Vyya(;0Hjz5NH*r7VG70#fImcOIWW4WDm{z0=$Y}&e( zI=SNAbi}##gLn#q-7(+PT;73^wYV6bLwUD{@8n(|eNGV&mQs|19JL zRQtfE*^?d1_^-{P3sD^nH;eH9V_X4D@K>bsVJM(aeqL*RS(2FKy5f!Vl_eek!>}<{ z8_@j_ZJgGe(tDB|hXcANviW@O#QWBhPs_Y!cqtSQFQ#heIeeS5_etxgeaj8*70(eg z#eU-yL4M44UTO2tbieruB&ZCU%0$fpq-76xkjK+&ZW2);oMp;+i|TpQLhNiJPB}j4 z2(G&DkTOLUIRSI8GD7a-5PI8fqQ<_TJ?F#Oj5r^_Zav1MuFx2w*U2v$8MbW|KJQq` zi0pliudm5`ZNd-zI!}6wbWzJDoOe@@mMn~jYr1cLoZDZnKnnXglQ?HsC(+O z#c80qQ+&*Ci%%-IiU2SEuRr{EWV{bB$Ai*B$TkpU_xm18)X(#^n9>hitSjR8W-nIa z%ceL7Qzw_b6Hbf4?-`%tuO2P>>c@RGJe=!1924Tz^7>02;7rgh!I%^&&uLiH^O$L! zwb{0JfPUiu$-SXPfMK68$hFtqEaLe4!*ggvAAMIUUPPUrY^khMB%Smt!}7-{7qWQH zKO{xH6lE<*f$fg)w!hL59%gLVvfKSie>*l>S+A}C5!l^vjef~7%yXJTX4(G30>w0m zBG&K0K@6Lzx-VYo@chLyzUbcu#byhsBb9 zCCri`NlR`Krjc|*(D)6)BK}Z7dCw5>x4C>ttLp)1Kfe15`^z&(RK~f#m1s;Hpec** zjV+CdD<@Sj1}`1B!6#DJGwcizvg>8q_!0Rkk89p`No2Lah2w>@pI2?e*iV0EtKPs70mJIL8;z4;q zh^#>mFWwl)_^y_ity@rX0HDo*L48OP(5D5FEcTBcABi{Ug%L#b0LT*2;Mpee0vn^Z zG-(gf@YE#YA7-F7JJ0k{bfi23)TeaXsafZ5t{S@B9)47MwoHz^G~z=LYG0#*@= z#~Ul@l3w-v;{?hqTj~6MNuHQ_fYW+ z_S{@FZ(i}w=ymj6xjP`)?00Q;d7>0pC~?Ln7Y084?2sfD-Lo*v^?yY+>)F0I1Kfq} z+MQmM21i^N@S-LzKsYvJp~Qpgmy8Wq7$~`sj{eoJa}0S_xW#MEv1vO%F!6y6Osy-Z zPG&oQNaR@rKr;VGEQ$S-+M8patPb`S^m5%5c;pCZR?G<}HsGl-JOM(RW9+={)+-mQ zxxmG^gR1rpmqiHA?Di zn6LXK&T$+a1B&M)8t_vFD*b(1{p88iJ#|MnN=GHtPxAWmnBRc&U-|=4{?l26G)SEj ze16FY>YBZ!pfe!j9`{oW3|VeaMmj`V5Zm~8we12rVy@SnC9txds!5=GvOAKiS{Nva zv$C+ju|U`Jw2XVm`f7gX_f=_8o6DY^xppAUB^K4upq&A)CyzN~tp)Sw_0~Y=IpgVU zf4$NKPy_xOv!elDG+6sZzhZ~t+zpV`lXuoZ-5-_+n#M7N$-tbQPPk3SXY$@Oil z%6QsNYtcWqxA)T0_ZB)M(_j+a>ITIJow7>RGZpTPEE+x2=Qol}MWRb~c>Gm~G|AfN zxGGN`_6r75h>LA(T6dzP9G8`7he}t>()2CL{B`_ZG)^(TApz~F|L^g&%{R1x_dN~N zrcLC`mX1I}5}GdhJL6W~ub{IuvuK_yw54D*vavr~=wQJbP&)EU*+4BhvGb;x;<{%7Sj{ck!Owz#3iTzt`IbTCCyhunK7b&Bj9AU_9Z?A^1g33BJ z$X788%O3WF=>PHvNL?PmxZS`7aYtJ_4D(RI7$VITtA7r@=S5sPPbJr{kA=`EFri}Ar48g&oz#Rvt|KcVz z>W$w&ZxofzP-EN%X6B>dHCwCZVPQT!$>3*}Zaz?z2bllWPPMZtgFdnpw3v7m=PZTu zMel)2uVifl)9r`x+)xcAkzA-Rw_QaL@$V@m=l%vz9rbBkh$YhKZqWBz3X|Hel$E)GHC><Ip9L0{SrOEB?Q0PGTg2T#DRv+SN4 zA{gfvlQUSG8XAm3*fcRP4FBF_pksnoLcVj;Y_2clmYM66e5+n}XfKZ;Ef;TsP~d5g z{S*zwDncANkO+7^SYQnd?t&S!$ACPM(uwp0J;>3j;SWWI@dj8pmBsN;<>>JRUk3kM z>iP4%K>7t+Ps!|HTzWz?nnXJcpbMDMh<%l0{+4d{*gQUC#}A`xU=KjV&nt1GlH}2kt0AIS{fUcXB^8T$)fl3f~tj_{h5g_|IFJb)wbiFSR zzF-o_4(=nVaFbtbpB0IV2RW$?02g;F_Y+(`_&KNs=}3Cbun-o%rPgzN0HVw{Ie#wh zzqvKtWMJg31kQ#UN}dtmXJ)D|IjrX8mPWxzxvP|JrzcxaI^*14k(xq@}J;m3j(o6M93lQGO(xa{AGSX zZDmXtRKA)1&7S=04M0BbHo9~uS1?gnX^Y+3qV-HIv@1G|1; zYoI*?gt6mCq1`f~baXs8A#Ey2AHVB5wq>T{aYA7CtmqYvbzfD+G4+UhOt^B@xp%d= zd(oM3t%;t#@p*5for2a3R_S{WTLqHu#t3^jKmaQP)(}AX#46e6@~SPlHx~i-sFdsX zQr9S;s+;5$27B{Q2=VXU@Vo~K0{GLf!8c2%*!S(9ffM@_5PTOi4~i)s2b0cgi}fh< zAuOm!(%(ysqO)~c{@l>sXDwPGs-M`)j{j8Oa!Dtg1DhFQqxV^n?SP5LE2e(3!5$o% zo%FCID1BRkfu08`U4r24)xN%ddFpjxf2H3zk4%aYc=d<7bNxH&wB&vwa7rof&|a+@ zgzYB3ZV*4yr}h9l$ptKTXug6U;4#7GVQdPf`}BaJ@E6}m1qBlq-em5UbRfH^@!4nk zXVGSm3d)==Euq0|yx=ndR`OME_d~z(g6iBieL5`hcQB!CT4@ZFtw;~yhD!G?z-M_X z8?>n9h-gImzDDtJ(?yw9@(qBg)gg3Pw`hf)!LD0($O6s4d zOHuKadJlc?&04rYpk}sj7wmG8pr_#ZnJZ|xP6m=&*+@u7%!@m}Qt6#=?I}Dfm%p!2 zd13rR+&`s)3P7kQ<=bT20K-r02_!gOxL*}e?_WQl;T|k-9nwt@|2*w8ZpCfv_=`D7 zd`e5{iH=5FZ1+n=>IBj!vDg!#cptYc4nof`Fh=Isi|+za=>1Nw&h|z&{!kxI2H5s9pFVa$}0TUs17E@0DO)=DNeb7utvx&sWvZc63X-q3ZX{YG#H=mHMAXlar-g%K}BJa zViojtsoVe<3q0m&dq@WS&M+S+WIy|R2)Y$$DcN7xul*)At?j18w(PnSH$tjitOyR; zMU+jKOdPA|`QE!jstPf0Ge+2fU%Yi8M&IQVP^s}eD>tN#D`lU_5_bH;r{Bi4Fpc`J zFW4m>!xYjQS!ruLIcOf3>jV>n^1;NCT*(cJZ;|O`=CJ1p#33N>C{_OVoi@UUOlkxm zUDO_nEA;{ieB8ZTBYap4>?J;6=)^v(G_=vas1T@k3!W`rUO+`WEJd3CNE?j4u>`L{daYRDpy5JG zQT#Wwu>9f2g)F5Y5R*gkP&GWRhN*;&Ir`2E>;?Zy5`}92N)knj46}A_*ps!%bZZ-H zK~VCf+FkWm@FY6K?44;Zj?P;`L`7fQ}ZPgNI4=zK_G{BFJwc0%&j zc)?pp-m)|4a(s@w#~LKvH=Ww#eOxWITSp+%FInevCoC4FT)*mN!^OgI6%!p;NqAm$ zQaJC5j67raF{gZ%(YQwOZWLH|)<3Kzv1g#mKk$iU#J+wIa7TNKeYxFNnPVq6J5bEH zJe_!KC4GiReSP%3Dah9Ndkk997mT$Q{^&aEXhFjB)?%3~w0OPB&DqR7z!d^GSkaf2 zJgPKcWg!2PRB9p&x-8JNN~?)Xj*ldBH@P&r{V!Kyt~CSk1MOzJKF_uumD94x+?A{Ve zUr1Bg==ZkuLm^CkXp~=#_gm8S2dv;pf7D6(y>OGYFOxv@9$)Uytdu03xsmR`<3{>d zlA6yyp>5k`%U`Gz2zn)aiNdEr*=`j4PU)@RYi#3~jegbN5J3E!hj12KKKC&}iY%4r zR<`|`up^JGU)g73r*Q#=Qm6C=0nZH3Lu4O6A;+5T@Y(vm)W%dGKEcK^ul3$(UVZ6g zUbyl^mITV`-YOUJipG|eCYxE<#&<-~*OJIcNOSax2U{=pbCzcZx4t+zCV}Z3E^)5k z(JR*912K$+owr-9onVxsUan?ue+r)estcuIe~kCJY_{%iJaKs2={_jwegGPnhUMwW z`WER0QT$5lQF8Hp3{Pre&4e5dp2fwmK-HUR#jP^S{-o7wQ>xYWI@ zO9!~GGX{qF-+Wb>2F!UNa9~m6=_Ds~*ytlUn2RwpFmNkUj$gQ12o#9@Z2tLuIi*10 z+ubn>wV!f%ykEs_?3zwG1}YXMHtwiz*&T#h-v%lw4N~ZG08k{as1e39{tamU;DzkvV@6IWU}N3LlqtmWUEh49;n7i*K9bhJRIcV z5xy2kW?+czdQRn)do?hn@h=4X&z6C<1Nt?$R?gTnX$FysSnBnh_LHJPJ0JPX?7N1B zN`^qz4WvUlqW^tdSJ#`3qG3c6V;$#4-zi9iGRn+V1&L_d=WYym+ddG_m@}}Uo@})W zpn3J6vE_;CkK1N+{8+JA_sq=ZXmGm@3NTLZPu(`FjIf{8~5;Uji%XemF5UZO{ja<$QQT9H7y_*DHS=({RI%S_|OI=h@Wq zShTdmlIXwUnhys*Gr{zqUjxncwkh6s&p(XEH67zs+MGVr&&b%Uun@!BIx79Q4SX1_7r@p9*= zw=u9Dw%k+wBTFa&Ut%;0jMI(?9e0N12T&>Sa9dKZ*5X~AWo7F!kPtZrJ>`Fa*Ed}d zL#YO~f#iRGs0Lh$HBeZ0W z{8nA*D;E`E-nipQSLkn8mT*brPg;_rl`Z2;sECj7I{};{XXs)7FaxSaeLmCX)+W2Y z;m}8XiCoMh6>xmnl;C*qCHNuIVIX~k`(KB|mi%mTm_jhXyMMVVS6Bbw{745*;~OBg zpUsts9@1RcBwI_rDG#JQ58lF^E`CkF%d0#f4JeIbV(X0^4 zZ~!@PvGAW1ylcK(3}2=Rj}5pm2#&DYD3%)eVyAnR_BY8eu$X%}*Vq1(?K_-ah@0Ixkn^{u-3FX|iu zS!`Mhk3W}2q8ov}fEHOM6{IZjNV27_fk(pX(LEvdi9JHwSy36Y8!|#diPFE>X@iQ$ zfOrt2s9k{aWDkz>kJ*Md%S(}96e?I}Rs4Z6$O3gk3sehZC5dV&-F>s}x>7*f?LFVq zSTt3w)PlKtcfZY&+YNMB=if%6_QAAVZ~@d+$31ErvKpm+Q-dMJ z*%^KphkkCq2_!lN!C<8I?y16eIf9QgQ2ER5`wPd(HCk-~2CSks3+=PYO^ig{{w~YA ztENo7rg28jw&`IzWCa{$dwU0Y2>L;8e!Q*bT`r*@ z$gm53A^Q`0OM>Dg(P!2v-C}d!nD)C(9BQXaWZ~@w)X~ z7`sLlEtq7)?(m|Hebe7YfkA4yMa&Lb6U-E3p2)9&MO*&vuU)wJ=Q2{<$!eQeL;SeD zl&L>ET93C090R8vv5*y$`u`dYpp?Z(t6aSNuwq91YddOW$BUYS+yy49Je%@f!q^nNVg zaeG-U$5ch^F33z9)JwIF*tku6wk|GLVf^#z%(ut&^;|ucL?^=^JJKo5Wl-^+S6Y*$ ztRQD-fAP`gyS2!ztpn4}MhRD^N!e3^8)uncKGYhuKW2X43{(ON?G?;Ud>L=H%%72mb}A@8>@QEZ$3``-5CG5?8# z-Q&0yE$-U^eAT%c$yabQmG67NMav*ja^ibSxWwL9wwq6R^~>U_cC zEhCzl6F!V9xTwqW=>GBQ@_h-}W{p(@nJLqAX@4SJGLO-M2)#F9L+1p;2GtuH=lQz@ z`W!pBTpPPcOmC~S3q>s3AXxrVi?RQO$F=DG&jEJqfixArNx`R=L?~eI?bhKX9a$8T zShSHus|e2#I411mcZOcz9f@DteH7a${mD63pX?h0$H!i$!&TQOYr;lzGr38f6LAMs zyJ2A{!S*VmETEzjH)N4Zk7;h;vboBs4Q?zD-$u=WS1?g>7SpkW)RungCoC44-~N4D zTLMd$adI8uXlQ@+ffNchcw}yRkW@qd)>KnT0J3Vz-PLa@ulT31@Sai_H82Pj{xgN~ zZLZi8y!mjwU8jZB1OZ@yuhurh=5<>;PcY}I&#%d5NF}gbip20n9u--HVNOl0WGUdQ z%8Y7aw#SNodQ;he`D`1$F!GfY5!sMVG%Rz)}8g_-lOJJfnumeMLtG=5f` z{fHnIa&~}Rc)fp6{*+U?Iuu_5mWQHV52(CA2q7G9erJ!6f={<|`6ijx8|Hnf8c`oR zpHB1aTdxUn5EzzZKdE+cQ=m+yWa;32r7h_G@(f&TVpk9(czd4>0JDc<6 z8<2ANg<9GgFx2P-duVqMoEG-yh9!U-rn>Y!p}O&U?l+;A>JISj+z{tegvWd7u1Y;H zK7hUip1Y`wcAeaGe=RoikQN?Qe*ea_?NUNjn>&unOtJd9V~Dq5N>lFt{Ap0N@ZC!H zviH&#a--;e?tO4mKU47o@EIeU+8sO6Pv7B7e9?i~)Xa1F*PuNPhZt61u!K@+wo(`G zRHOvj09*a{qXF#fbMBDU87fgi;4vdqvoUyCRrS4#40}5JdY6FxePQR1L219zvMumP zXha)d_bE5av{c2cfB#OO$frA)8(rmiA1|oIb6DGqV)V(k=g-ItwKwbfPIeC+;y+hZ zI}$R!XQZ%ft9qP zU(+8fH2~s7^m&rq{1cXR#@Xh;>-g&U*Bust;a1jzL;*X=GOe?z32e4N@SVLPD8oCs zo?#}v{X=j_5m1Qj2Js49S1z ziL>P3Zod<$)?C82ykfApx52J0oIMYCE|Cb;a%@@B=1J( zZNwwZ7!$?Zo*&GXq=1z~sNOHxb6!E@wsdFw4!Pqsh;|K^rLbrp2mNtu+?IN42>v>Q ziUO+j&`7ID6#{nE+{Ks}tI>VMqsPMC^eI)2Wx3ry5G9b6d0sZ}5pYaN_bI&Z-RU+e zlBYso&5kw}M}%FnhI87oDI2}j$E3Om=e_5C+Ta-ZZ8qA@9y{s2;bA|Xag=}kHBHNi zOQlVq3R#>z&Baj%xY<40C0Jt~B?>8V9~f7b)NQjOe&0L(hI(e&3(Un6-pQ%-nf_z- z3spG(bHA(M$%lzOC4=!iYIjGJ7w;!gT)|Q{^hM0?Fil zlt)KON4&l>_5hp!~A}tDdDapQ>a7YT{#q+c9Rwj$PXRkk?)J zzYS}1hpH#H-YRfJy@+>-^q`jic1w3Dc?}OiH$B>jAm3)0&>}5yubx&1>hUds*DKf5 zlkAe7Mlk1`m?LK#3<)lc@3IsvzCm!*q@KjG6p1ize4R~8Mu@PN=izQ%tJy6^l-~&~ ze1>Oc@8FnI3lhY|!e(|LpZbEQ_Q@s`M7NeG1B%8M_mb|!>0%`oNTS#`A!3H?6D%6~ z$}(W~)^iXEzAHQISAXP4%%KU5yO~C<#~tKbQjE6YR7d>{Ey1?gAkNnN8}lY{qYnGq zB}!-!F9?=@*Df{%>tawE75`#CmW;#Pe^rsB6Xy4o_Hew>>sGn*(yN0FTOLO**F)J& zxnFE$BgSn6d1TLwgTK;nv!>nM5BT)`J0uKoa;N&xhUlF~b;(&lEcI6*dwZ(aTp|_z zpHkvodz>ZnFO|0{(|QifMPpP`aoL;AY_`g?kl^|t$0Svy-CeZgG+!~6Y#C_>4_k@r z>8gv2JnjZDG}2u{v=Wy8Kym;@r6)tugXlHlzZUt1ndfRJn73gJ{qiooKvJ4>huzIY zj>y1G=-P4}443J=ac@JX>h?D3mE|YA)SXd(FGGUP!Y2wlTQQ;T|dWwd#ldbmc z%2q2HRv!SzCY=wD;jp=2z5g^oHv)eNmlX>{5S$f*k~1Xn{Mz5&VhrUVax&Q&`%GpW z@;&5wRN#=5;9J3#&kZT`JM%Ta)UP^^6Ma>V3+JHr=!#*Mndp34Ldt^p7%ViNr5V<` zh4fy}B#N3Dt|O(H1ol|IHs>epS6}V4)eup5?>7^#%i|n_03`b5la;}Q4=1c}^hZS^rQD)FdYP`!b+4zlstL`=xFX!<3l}6h+|JFd zj`5&VDXDl$pSK6kz7$rN8LZJr!M1ph2=qP1{p`*)rYzi0ENqE2t(tpP$B!V~wHZ(3 z$V>L2AMho(!}H`BYgMi&hv25E(|Fa5V2Jy?&fOJU;DbXp+bkwS60eF}J#p`c*i3DGOt2 z@eLvj<=j1-jgd7ZVZ_1aM&+z3DPdnAcNlBb@1W7?auC-gABf)uyMce=k@u{b_#uy~V zI!frxGg*6ewZ6PXqzG9ZDD2(Z*q#L;JR*C1;ABWll4jm2XPSHZ07K3Dd!6W1O#SH0 zNKo&4FrET`M(rkD=+E_4Exd?gKB+2O`G#^;Q^eg5!?v#;^MF`?)=hSHT;#G30rm6A|hC3=}z*#`}!N_gRihss)*OeCCgSQ zSFGQ>cK2+NqEpm{N}b_4ji3d3XLR2~njjc6apI{ug-uYrT#j3UMd;1o(dD<<<6+d~ z$M1^wVfp1h`J~h6ly<`-^OdWTKSMW<4J!j&o9K$SO1H@#1$~$$Q^pHsNsQTg(@;}q z#}Di5DSUCm@iP5l{jr7;Tjis=_&PnMF-XBaPxtQnr0BCDmnNu8$XQ;it!K{5iSUO= z4(Ufh_%UFFavW@;pF@HyWBqZT^sOf^YRJjrqoh!=Y1Q zR6N7UFeE8g9>ZUd+~}oO+m`f}w5o2k_+Da?Ap-AZpn+_yvjDQYtLCWzlVdaXn#~2% zQzYjCjxdep7yZkL<0U(Z<+k-Bl^4=spddHi(%aY|YJ~qw8tq^Dz*u zClL9j7gWIy!*B?(X|s)iC{}ITqBBR#xJp3fdT3j@n2wng9Z2JRUON4hr(S|anvpwIb7^sAV~_wEY9q5C zQ>*JsX1wb4`-}E9k=tuN+5=z$R=c8(yojyUl7kfZ30+g(@>55&6GC1U@VnOP11-g5KD3PBh!NC+ zO46@Yvu-f`=2bcei3SuL$QDTyy(X_=lW9$3R$G_RFwK;T8wsc{tn8+2qLUmmX$)+qp>h7*FTwCt?*?9i9T zkufpmcWRZRoTh(-76&^cdXoiBRV5dG6|rOwG@9mU`3w)7s5)vHx0AqTMRs?gry0SzAdWFYl|yC!(XGr!O#dG)dpojeq0~^Qgsf@D@sO~*Z+xV9RBBLDtKwk z<3_DSZEZNBBuoSnvO7g;c=2Gyio+yIa8q8HeVgTa#JG&&y-_BPrK+1O-Th~rrjdSb z_FfdiI$vjpaSh@pKB*VSzs!l?PbgdbY6SU`3)}9IvcYG!!r3vs!(GS1`{_loRH}|) zIRFMa<;tk_%8(|tr7@E=Lt2vYvucTnXzLMI+3RdLJ-=R``@COEwHtjhzm^e!dYZB! z-f0S^7O$f@Gz(wfanx#Z5o zEbYn>$*JRaa={x`Q|pMqz!~H)LVVR3X0wb&j)^3N34@SaI8iZ6t>1L*WjeZ+_P?)Q zJqBpBc|0tCN`wA6FF_es*bA=l5CX>F;nBwgk`Q}-CQY+jHPDjNg&0C#8S~i0V>9;mJipGrB)4LUj#`A2iF67!L22- zf&qSokqcXgM?5T)#bNpm=Byg-8gbkSQ&CmbKV*6`>T0vH2Z7CuDb%rV`E31E<#qIT zqx6DSp&)%2CEXFpFGoQi{S)h{tjeI?NFxB@&c{s{+gYqhh$#J~}IB%ZK0m4Kef^M%~-GXGWhL@Xi{n_^^}Z zNCkUn|N8d;p%g{AK+em^>od?5qOIiQ)>mW{GJAaQctDX(y|z2FkmI97t@fp?)VO{9 z7~lT7+BbfnA9kHFR#(pi-4V?K_kh)Qfj4a!eGhs|SzW(Tk@ozo;b!v@@$X?{l4Oen5)4>JDi0B{4QE>ThU2y5iz73| z+HoYFra8&z4~#@L1G<{d*Sen20IrYs_QbuA!c|RJDZn@)X$j^cO7@8KsEKS)g!c;crmXX=6hf=v|+vnlMi z$IOcX@+7ZJ6N6%vaRGoEbX!`Rl`q~+3)tHT1s=9u7yG3I#Ut%%)nz(bbGbtn?Mv8E zsG&(}QrfvJUJ`RE+d^GoDgS-fhsbVbmy+1)QbVghdz3(g`-|E$wfVL4*y)h3zZvIn z)Snb~Kow7_busf}DO*%}B9@okNP(5(QaG z?JI6Ci6G|spf6=GmZFeyhfH`lXX9(SwCd;A!h|$L45t8ch5Utr(S0bqqFP_n5oliFJbO81KmB-xzBta_{Q#Zx6d61sy9MP^6Nx$IPMrzO zX?S{ju3)|X_&G!V+rpqS@-8zY(;Aknu;^r;$$IKgG9t&D0P|*j^B42(Y(46)(zN*+ z@SH!Mo8_kTh%o6BUt!*#U)sOFFHuKE<3PS>-}XWb!J3R|z_v@PX2PxP;L9$VYRluZ zB0F&ctYBia6dd|4f|GSpz+B#H1vu<{F1vS>j;uelQU-M37L-H~ouqG;H}6?%(k{JB z8=Cx(ssr^|71Tys*)_}ey|E6QubUvj`>UoU>+^OJRx&cehpkv1+aFBS>Esy`mYxPj zD;P{Cu1`}t#>Od*AFZFH&D?3Hb`_~OempMGrW+=OQl@{wW{YR5K0xt&ncF#QGKYQD zLezcX-PEdpQZ0!vAz9ODa0>uh&HmQq&@)m{@42Um*%>WW9|tg`ia)0RW!D^IWBP;2 zkT8ueS66N4sX2xS%dq4(u^8}p!1SX0SUz>3w+RLm!VY(|P0D3nJI%@-84nhfMf8O9 z;EuJikK)F;S3Z9RtB5}t9YaI0MIPYMT*?-AyKSFQ4j0xjGAr^YweJTqRv3S%G74A?_~=U7axT89g)YYc0+J+R5X04(irK;xOywqs)Mw1X|-{=ZwoUQo^=jxUdkopjN!1!E%q%wgso z?*YW+A~_%we|-1&m3DAD`6W#{2A#{npNT!9)!UMa9DL!rqW2lptiE*Yg2 zE14Z~iG&WIo40wsxx0k%Jp$^b$IR(2gM$DZN9mH=$uZ;Az{>3q7h?(hBaT`1!uKpR zpDk^VL@=wfvxfg4vfer@$}MdBwuOO%4h0#yr5hZO8M?bey1Qf$6a5ihLjFz z=>`P>X#ojQ;#;`)exK)kzrQ^Wxo6$$zSdgT`8&^Ld^xPw@}1n5^|B97iFCSv-h*S? zK(TLkQxaG6eT#P%b9B%iej*8p`qWjz{K0 zl`46XM}+Xcf&c1-I!t4JQEyo(;enp}G?0o1o;A@ba5M+TA1^jT=e08a%D#kI61enk z-3gq&uE*ByaX^NHY^vhY-}Mi1{qf?pyBXyC;N;QapUqx8cu3F~4QK$X^*uRJ(dM)Q zSEE(5Jc*~>p*OeNP5Jwc1tB+^R=0<_`J%v44+OOz`_~EPL<&~zZAI{cUUP7}bqvrk zn9V(rg^K0zGTp?pTXxqfgPdBW<0Zt-alLtt2H-Hh`7CZ z(K*tifLnIz5B}d+a13iQ6|hgpl&(hs@faZWHMb78&`Ucxw!oq&9 zFMKbnc}Daof|+v~obR^&lbx?I#&|zR%vy!FHie*Y3=m+zg68 zyLqI$X)}*)<4xa21f6={l{+%eI!MgT0sMfhILw_5^mx{%&zc}dZ!d(KWWo0b{g)9a zwW!r8KtaLB(|T^;5}4PYo6}D)%@FP5+}51aUajU zpASCxGMo{{nJQ9)_V=B?^2L8Ld>A@{Wan5VB-T|1w}ki6xYZ<-H5NSo;~3TB(KyN= zp(iY+8$GRHxAENC?Gw-|z|%DEWXVJ-M5-k{nXmh9OKL$TbIrv31ZK}})q6`pVqOCB zym#mGLR;z8)<4I7rkii(U%|BpOau?)CTQp*r^3{^x%OSXKfV9Nz@hrMx2mPfCKmDLKL{rQI3nb)e1Y*FQ(+2b!1g8LMjM(bZxG#c^_DJ!oUz@A+myaH z;&#Q&ZV?bOy-v#gbUvA|8AOJdp z)-F;=>*YzHL~j?|wEU^n!TMcvH`@xF`#eb@c{ksi!#~p3f9iNufc4>d+x6n>gFm3_ z(q_~`1HQzynM#JT^q8NWJM|nV5f`ONi$JY`^x9_rE_zWR92pwnDl{K{8+-#;J1_j54jz(R%x1cyz(@+{fvcGxU!F9XoozsfAsJBQ zkFSoiI={UjIn8oIZ;MidvggYn)#Hq(cRf%IH1S$oN%7nBvv0r%gOaY-0jlKKH5)$^ z2n!6>I)+Uvg8S#G1*=FDxXDQj%Jw=I^*Qel%;2jXKx@tDBAeiLQ3w^j6l95fOTV=DUNo zRxhy#AEA~}ZD~+BYr3+eGoD*x5cmWla85=cP_frdg~IH{E!<6qmjOho_kvd*gV$*Y zqGG#F>ceZ+(K&54(XML@+evpPzR;uaxS4lnqH@T2gh7@pWZ6inzWWfsM9NmzUPf)s zez5j4p0=gy&tP%lh9GvbfVzu&eKj!^E4gb!Ec-F~`QfAhVWSpubXVRdYd9%hlpZO` z6j(l*H7tpSm%%8t<|OkA21==gnG_`18M!t6hxvP?P5GbpH^;09Q3omj!IW6$Ii1ry zaYIw}j=u!u9Y0@>3nf3_(~X|ZV0?HV5-dIQv7$}RN!9ba&vVn~(}0+$W?g*+aLt;N9%Ic8Z%__!Px ziGQsZ!!?PBxq8f&Vn--rA=O}DRFci1@ra0ZbeEo4pz}fScOZp=QMoyIGplE#=BB+1-Bz#B8Ux0<(qSUuq4KNmm3zdVIw(YJq)2U z%dh71SLBOiDNv>620YpD=?9a3gUyKF|K~2iI?geq!looBO5PadXh-=y>vx@Z$`v&wKg)L0pcsWf1dJpfaXPHSJ^} z1kVpPvrd5+>*G!uLj-y%TMjos6_|LsFaSg`v5{|Q6`9LksAtX(6G|iuYdD>kaMQbG z+=8t068;jjAjBF62|$uf`JmGiJ@pSUmcmVsWXk5;e zd}ovI*~`q!q}BeV3V+W{Qj~HGV!UL6v)NLSKUiSfSu)%1TPbxq<JzW=8kB$T|1!FFqxlgq^o}kC?c$6>R7G#PhiuvfpIeW?BcaQ5D@Ye)NwDj{#!(Y22=Tl$yvo&nx{pAT%j`a4(Q3~#E(C*4Goy$i5rnk!^-5idw(U* zA*_FuTd)bhT>Iub>EgOmm<7>X^xDp%>xmzv{R|GJ3_Xxu`0uXZq@g@8BMuA?-P13A zovZI198IyRs^{GX3HLt(WOHa~u4d9YV;jxyKGwi(@p7(LeVpD34ST73hc#UyI`720 z)Z5h?>Jq;5cegk6pJv>@nKi3IK<0n(Mox5p=M3;#cDB?3g6DiqkS_oNLO*;}jIds0 zybOe_Jv_&7=yas-?H+YC`Jom*q6F8Q#miUVA1SF+{BiZnL9Le0gO^BfjYOW2dnas< zs0bBHq~5yZHiuZMfO>X z$u)TSXv@C!X%B~t^dG}QDkAQplU0lFvL7}5X{Ic?8>MoRNleXSAqbmHL?!g~v<#V_ z;%1~mZ9#C52tn9-c8Ft!t?UgfuyOxiLc;u5g*-F(Aq{uv3HKl}FGYO%-}MaJa#=!xt@FS zmZW4koiv`V-LkxhJY649=?h8|>~fO&sB2VQ>K6OyTXd-^6BijAWMS?SdP^Me=}=Jr zcQ^5UE3CmyysFhMFsn9jTg#lK;WrhcLCHnidO|ki)^L2DDIvKHP`l0f{?nV$&|>tP z^jnP7WtI$%DL>%rR^-uomm{HG;gq2F1s!|t=e%SqMK`k9P*)OGDuv3(z^*k|ju9`@ z4F9nnCAXnDZi(^weX5Qq8M4bC)_NPzrOf%Snu}2U0aIjY2BIyXHy@i8UQ?WwYWUIt z>?=d~Wk-wsj*2!O?NjXPGarBrDqs7>hhFu+0tLE?841*Q~ob8)d^#B8Z#qx zWa~GFm#c}B>cd2h4$1nQHetu7M{<$U@eXaMMP9 zXI24@CoVC5;%xoYH>@jJA!-C`@(w|#WYken;4P*<-$)v4Z!u9bW(!4{Fw%p%KLXBfnS0-TPDH9=sh8V^Ayd5eH zmbZS9y?tbmzZHfs?WvgkK*={!k~@rdRm+;^fGR{qh^k`G;gj^ni>r3%*eCiMq{Wxh zkTa}t5e5a+2^GD;YN2(*c9$c5qJhxEF*rIYK-&TAl z;=`c)wXLSLGi%9q({Qx+@&R8ADZvAZi&Nsj4MIH=%j|~gGKm+deHZH#{p^8_b=2x@kNdB*`eBexi19l+y5=B-k^%EtM zdT9D$LlAG($vGB0KIVLW2hNJ|?8ri5_8jCW*lv#9I`WSbLFjhyJ2yrbh)Jb}^Keb} zQ~K^@2KdoMM6x^$u`=AZvNeiy2tF+c|Mc^`?Xt5}dH$k!*| z!Hs3=ag?1~GT*fZV*EcOG5i{mbO%G|O(wfWY&C^w` z+EJ2qODp?mK^CN6&So~Mv+DdL8zTo0YV`9236}U)iW0bNDKC0G(enGIT@xMIW7dRZ|@h7%=xYvTR0XCV2DQ$ER_?Cw_9 z%KNm_%Wg+qwQ|&a9~05T^*xzzoCJ4|c{N1)_TU}6 zL4f^HPXQqYYfKR9$2osMT(tOz-LDt*a#bDoM=cfb0pi*}4(`Z_Pn9KtlTV5dNEa1| zF+7v9pp|%)HJ$U^aZ`<(^w6HA+#PQ8?IYO&_L}mhG`qdi5H3VsLw9Qp9NL8{Y=XC) z&z%@P;|Ry|#$~E5&1gMy^og=hC<`jGu`hY@4O2DFJ+<;lc~=g>Df2Mrry%BUrG|4q zY)dcn_Dk@5%8ogf2GFjQhZZ4IBb*$2kI(QU9WblwyhbfecFYaQT!qdrR2r5>Nb^@Y zI+rPIKBS`gm@_HE##|aNNC%vb8+$UNd|jO<%07(>Jt^_(5S`s*<9#t^L@@jvMIw6O z>25#{FF8O+*N?M>ue4iC8vX=YC|> z8m+^er@Z1UZIV2rE&oSzLQW6%BYYwS*j*U!&zKQOKjPAhVk3{5noZuNZ{|Pa7esFb z4yCRDKYjc7w89( z-;qvmlD}casX*<$uZ`SXvp=DQ-|fcX=d5CN0t~yOy70|0I&>7g+BM=b%p$5341aSL zLww!`1u4H<mN%flFktyys?_v_3m0C)f&i7q+dh1W@bJH8x zo?{47u|&nX2VbdUDB(5>wmM^?CS`^rEx%kOy=nuj8!Nc$hhQsO!`LTJXO{VU2{m0F z8rCnZS8nc2H+7rrnHDx7X^%x{&WKi~*XZ@ur~-X7LIp~LL%wTC`46NQCr750vvn#I)2eCxfQ%_;?ld+ z9JZ#y=Cs33R1!UjiM6*}!Ko}Z{E99=*jT*%3Y^KGp5ySj%M9(iREye+7{e`xfuZ7K zn8c3d(~;#QykCF}BDXW%#2Uu~y8+Bik}Y4=J=cLrlcba2ii{D|ZyN@Tn>CRemjW+ zl=RCJQC}^=vvyvQPA0v#r~xZ4BxKotG0Ubm%_i>T(R{eJiP+rOcT{Xup3x*aTg+cG z`~I*Q;>hrcuqDWQr$L>#Sv2o>lxg4p6S}DQn@J`(12u1Dg`|;GMKTcUr#wt~Lv5X- z4a%QG`irIAquyCja=vLvy?z39z8ICQWJ)%K zDv4W0_jYC`w!Bl|qPN68Fj@B-3x~$aK6y9~rlt|Yk_i8u_Dwy$h~y|FkabFfL6*Lw z{@k>gCkkKw3QdW2&mMHa|E*a{2HplY?-bJdynfX>-?;2E9M>bwl^;rP`F#QV`{&kU z6>OrZ;PmNl?s=Pa5s?q#zvOSmsmzwyC2sN1K5N9RJJKwX?RfE2kmIn7f8X^X)};!( zWMQvY&O09%YD8G(8D3-BPjED=%z|4J)or(0J*R%H8=WnfTt?X$fJV?tOEBVp@VIwIcxY%4}o(42Rt76WW=*n{JK+sRr);1 z9}vzIp)MMEbF?t2g^T|3ticlC2W77`MdjQ}KU!Le?YTbG*VQ??^}Qs0WuMCU`KNJ@ zt9`w-XB%f>Cqm_e- z1sWwK#OSSnx0x5%zYu}_i#RE$=xV+1=>GQA2m?W%Ex30sAuYp+hZevK5;a&m*i2{M zSmg7-^60Hgp@J9)i+6U7Tt!ow&+VNm*EQnf`yaESVVi0Vm3chGj=&C({D$LwMdYD zn3ofEH8Ki5q4idl!cD9c;Jd4Bamtxs_ZQW*C~YOt(UTu-Lw1$B#%KP7VhK27Ug{Dc zza6cdKE7$~CG9$8?dT8ry>VO{lbDK!E(*a1FEhcJN$J1K43D8}mJes}X6HJ1@ZjWjOubj6 z78xv2Y%RH@h_oQ6t<_9n4N>aStflp9c0I>0DdPzF z)BMnBis2vWf`w2>qmYL8;wBhJ;y=H>&QHEAXfj#3%9{RZxc?%HQZ8iK@m1G1%e~(5 z#xEib%|1Val@za7#gcSlUt{Fdj2H*pKUaMn99lB3Z>tOE8(UEQ)xJYi8^}?r2@}p6 z@?_p?=07e$v0#Yt8Nkz%b@g{1Dd8&aDcU3qYY~;EH&`^jvma{5m0NmdJS@eY4LG;1VMw_7KT|ig;MtoF>O?>YDHH6bt$Rea`Iwg z4B*l6l?LU=U8@MSy2R&Eh+%#AHe>L>q4Blv)K#$!z#*qt#}<}5T9@Py<<;56;VP97 z7ZVbM(Lzi4io&Ny)1e>73r0EzDw^KZ3yO>PmjA^Eq_q^pJ?AVNRdSb`Yb4!aAS6T1PTnS!pADSiRZ}8P;Ud)_vI@6dtejCxT5xRG}8L1m-wYk zJt6wQ4pLnO3OdIAdd;EXjW=#PB*OnepNBG** zmk5)J-zg$~vgaMhHUckeT>zWfjBu{<*J<&#q`$R(P}_9x+oG^`Fp zFe0x;V_0oMMXl9sv@OpJJTd_CNOeX57XL-OekBR6v8e`{Pf;o1=eaOjeOZnagaifu}6BI2Q%9_ z(CyfJ^7&B@S)?0`EyzZbVsj%4dn55cCNsvr;AlNb6%wt>tKSj{31jpH4}Z`0iFkMbfBO zsd<&c##U?jFS->?y?`*Q zD0RMBJ{fg2HjyA|tJaL!LyxKDd0tC<%V=DyK9vsUZY;-rhxbI(t znmpz0qV`fzAT|h{87(q`RGVMma2JZVdTXgV?C80c#-|qe0 zJ(FSUmoMuy@krMcR_;bwo<{qvsdI@UUypS$SkZu@M&`EV7)%hdwfxSLP>L02eo2{b zGS;q&B3FxKJPPk{PDfKT;U__WENb1yJy<73byaXnMOypqdRz3*d8Nv|UAa?-+Ux@C zH7VRO7}rtaep?ZvMe4j}1EuwHzk`nm*B9aj&Sxw?O#;YzVZaT*>cfjJ#WLuLD0o?`^PM! z_Lqq9Q0in6;9uY+LMRi2QDbi!;zkZs6!Ggs>XxBsq(-nZrsY}v9)Z2)+7=+fQ-56K ze43sXO8US{3#)YjLjLSnI8-=LOgR$rz@aa;=@|>yp#b2ngowB}?6L1C#dsD!R09{r zrJV{Njf zANe%8Ko57==?8(MyLB8y9ToY!EdMQSlSEy5JjApNdvCH(i_o60nE-Y?btuwo5(!&- zWxW?Vc9cC0SFaHr5^T&CcsX?chiVGP;;z(NF9FAfZ&B}Nlc12Kc~v#zVDmSKNii)& z&t71+WZWnrUlNnag!HZMi&sZEvRFOF8vH5WfvGG1KdedF%P0@>=Jfa=%a`ch#~;%N z2R++jnc!IpV}|6&_?J(G?|YemG6>NGgB&3P?k}Qe)ug%+G-nmqVZdDmY-Z$%>)is| zst)D3;nNS!}h&sN)^L7=FZgTk<8y)SRx&y%1(p% z9*pURE5pll^_sRwmpOcK5ckzfi_4#v%oTY`1>wFr{^FTZ;S0}Rh|QM^al$Y>#hrQu z^E%@b=bks}EG)dmxB@yVt@3Ja9=ho7`yC7f@RL!PZmm9gnBCifuj6P=JZylGy7-~m zw5?jP{s-2aK&7`Mg;u5GNnWlC%hAr;r4Wje*^l!*Q7H+It4NvXcd;s*R5_^N)chK{ z^bgDNO|N9DzR1lU)udxmBpgXy#qkr z&hrUW@Uv!xO|rzU80AgP-VsfS?&hCh`Wvob{}ezPLQIU!iFrgoP!Gi{x9o;qKGqay zI#^$@O4hEH%y;{yBeK-KtHqDI%}QLRhUwMBrLyrDL!AsOGi6&ua5J*+8I+|rk6$dP zS8sKy>C=a`&y+BM-;~$yk5B6HJPa-KWu8W|Gdibbvgj17R8I;-g4O8x8(k(k*~wt} zBR2f@Q~hyu2-D}=_BTU>CTr2`H7$`R%P?5h{{=y;jE-^OeeJKCOLgdY?(4x9-Qn$} z>%QeOU6EOQ&wePs$O^NQElSjJIB9vOLMa= z;0BMoA8H6p%kLbqZ_6x|O&9S5Im|@7GPIaN@S$s(wFPd+6TL$+Pa<3xQu#ir9%rKn zvZ+2Si_B6kB}d+8?N#?$0d?t>6HgO5uoU_)VFQ#ML*mrUF+ zjD8`?5o45_|JAp)qAZ&TLy7I-F@)+6zd~VmYr5Vi^v&O!q{TSZ`!%$^pZd#!$;smb=5LnM;r4-j_n1{B?2x->#XG4Thy!G9^FKyrl5!5%M6wG zIo#GM{iS@Xd}7HAt$cpFIYw`bFmk5)36d4y0)8F*Nj2=oBa~9R38x{cQTHlMseDM=~C840}1d-B9P_>;6sP z;bOjS^U~hK$(P4yZF{fiKPkVt?+I+)_{^sXxFL2={w9%Ja&rKoWQkk}SF_U0#>4#< zOd!r2a{VF|kbM`skO>g*5Lo&iJgNg+wlqGVw`M| z0xrz$SX=1i>zOjG5F=3TXB?`%VQyGikf3w?Hy*^&!Kf41F*tx7BPUHHelx4+)&b~3 zJ8(ur$+pWJI+~HT*ZAK3sBOqejUFzV(jxor?k8142-r*aJuj_?h85PZ5k{!}Sp{Wy z2v!ygcuG+}B*(R5pzxL@H!Vy9-lj!Bob0hOopSW+d}1qCf#3#XbG1{`4=1R`j38%Q z)&DeRd`mbWp^4DIJI$r~-lV=2xFy?u$fA@l1@vZgL8nahfG%|-MU~S*oVs3cbgE`A z8ztx7=v7I{E*ej|dz0E=9_(}cROE`dqi4XzEfwHOBI7^T>25FK(beN@N5xk0SJa_F8$>{pgyZ5hMkC{H&T78f8`+Yd^XRP2k1~s9{Q*b5E!HJH1 z&vb&#lpVD%jz5m7!-_=ksA*?-H%WH1g`pZS)ZTU=5b1fH=;q*#or!twmT75>8DT+@DMu%CV_vw@QbU>P@W zN#Gs`GzwcaYDG$Z#?>wZ4<$qT|A0~yY@*j^nZV8${gTLt4!ZC608vV99WYf6#TMR1eJh>Q$*B^rgTtTKk|z6RB(Eh05rdws_1 z-AJ7pK{hoTtRXa z#Uw(O_9f%vC4xZ!xrk+4X1Xl?fb@lRoXP(~PerG2Ti0UTcCq@dCUxSb3O!czUh(>I zN+1c}iW@nhBY2i0VyK7D!;+kh(0qWe)&8KFX-3cSvo!6OIzsVlS1IB8oo7A#h1rg& z#7c?Fa;tX7A5v;SfdVcaDwnX2MOt5Nr^=z;6C?*aphh0;++=6`r5%aDB@Or`12JDX zdsGQ3JU%@Lj-SfMHg)^M7U)OZ4p`8eSraRDP|VpxPojvEU=|QsVy^OUZpOI(N_Nky zO)D|9>iY!RoUL?z3N^Fa-shhlC+%5(6DfGsv_i$Lch}%3Kj4*G2|;j-Q;)>4c`-w5 z2G(lEJ0%2;T49zm=DRw#&Jb}UvfYwYr7%zZ5CYA+j3Gv@y z)O@r=fF)5i#zxH=tR}eC=R8Kkf@V+h%7&Ecq2g50WB&YjTrr_r0fN~6baITz!Sp8h z1X4Yt6M@N(q*^@)``;3&29A3u_4a=pwJ{v~Q3KA!JVAfyX>JQ}`GRSv%>rF3updda zC}f+(v)R(m#A*f<^hsXoa2x*ey+a)ssDhhUH!kA^tMy`}gu*6q{!VJjYE!VKnP`4( z@_lu)H(H1rq~E+|>z^Bx{q70FG$sNm25M_ zKHO$Bof2m3A`e1ZXL*AWIsKmz8J(yhc<$QjAUR=lr%Hp!KIXa3klSEze{Q?*Hs>~O z+bC6Fw3Z5PkjAGy4E3)W=E6#?=#OO-?^^qn!T^vBmYv_A`@5M~N)HyC?Yqx$;~)>h zNE}>dhSD0tk02G*!@NN}XzKj1SOU=x{=^C{+?iW*)}AjlPb8iY@X3E}Uq?*~oyXq{ z(d0ikYYI2G^?qlQ9*=bl(SO{bw{t+dYzh+6ZW75H?){*fa5+-`a{XDb$xY2#=*#{4 z%_d(n*|s{LkC|r0Z_LMIIa>!S$XW;K@PtBy(ZYCg8`*^Mk$`s+sQnlYowuMtp1XQK ze1Jmnm%AM?-y8~x{(C_nXoe}V?DjbdVvM|T8|DHjfk=xCT*)Hw4^g!TzRw(yf-xJ@ zz0KZIN)S+`a#n55Ui8A@Sfv{|tA5vt*NZ?u2+rA4p2IKT<_;tBv;_YLsOyk_>N<1W z7=nH?PEe-LDV}*On;#LRZ^O|hcfd3jM|GHgIZ4nPJFegpzVAen2>|K>_d=LFT}ZW9 z%Jb4O=$6F89zWKjx9|J$PJ%t}W1%xEYw`0#qmJP^$@A^CSi<)%sFuUu5zIg6np}y5 zusl)YcKmg#&mcFFyh?SlH)p(#frmOU-E-oGuDaU0dL5`Rtmg1Slhfb?tlY4lz>RW& z1nlby@Df{w%Qk9>Ch*Vy0@nRT&eYchzH)aRz~1FY)6@gu@+(#rv35Q2UcD6M`H^z- z0A{DIDc8`w#Yji7o@;A^?>Dp+e;<0psVseQHqGP1DZd4#zSZ!aBI<6G#Zo5AocXjA zZcnESQQOoeZkuV15=OqBXD`Vhj6xq*va&{SP|qW)X+iAotSAM>P*839;sJ{9ZaIi@un6<2O()H|S-_ zj~^d!=)X(|(*^yw6|uKqf(Mg*0vn7>f@^!dLsj z>uZi3l3}`~7H@<|ZP5qojU%bs8hToi41pS)+0Z7hN?h-KK&j;tvW7KsCo@GAQQCN} z0Ov(9HGHNfHuF`kP_XBR9xv}h5LolH`XK>}_Sd-1IdtlW8tGIaE+W{%*wig9=<2S; zPo->M;RN*wA;a(MO6(vDgQ|XG(Y!L=bik(5JQcgX83KQ+;qZh!I#}DnXagU!>E*zK zJ0ZZwY>u@SyzZ6&s%ujy??C*@z-M7bQU*Vg{1{;M*?10f?}?8m*CXd8h;LW#683FL zGSPQdm5O~<4DR)q=E@7AncM3Yxs>#rtjqLV{BEWf@4Il_ zhUMA;_ST$A`48$i{ysf@?^@{t?Wt(DvyctQEPkK-7HIIjRh!24Tp<{oKBUl;61$m!6fYpxl7u+vVP;MLr zo7FqOOOqVy>`JtT{%D+_WpuOkp2$DgNf)Zn)@Mp|5Fml&tgv31P;OP9Rm5l zH67-j9)#}OZcILNL?Z`A4fm8`%)@F&Da5Q;lHcoEbQuGaWVFYsyR>@b(POLaVc1rL zW-c$pMtl98y+ggZNq1fish(+gM1pe)2hAkidBs$!O9P|Ut}HQE-5IM>F-a@QhhM1o z_Q#EGICzW_Y>c@v0LLW%)R=Vb{0IA$c~0lX29lCKlDW=rgWXd(Gp`C6BRciET&pi>00zz2iSJ z7Q7wHgq_GUF4ZGiwrwB?XnRxZEotP0BehA6QhbY@urHBRU0y6}D~(E=x%(pyU%Aih zUbB3`MV=+b7wf_Kay++vvy*E)E$Ul67OqS^4}^YKjbL6+uT9jIQ<0B2-=Hi5Bvw`L zKNezv&Xz46%XJWoRRsthS$%3SP64||=dq1Xd{k=P5Yj`TL^JgCYPS$It#~i1YBuyI zL2=34*plQ<`jhfBNQZOEO~U9L)6ML)+0OD@GRq&AXQlF$dMJ1QBPhgAA_2Ex?wB)e ziCNDr#5RpM6pNYU&o2n&u5-8X7b~>6KrMyfod;EDJ;;s#5BBU%#jtU zo#t!95d{e!r@A2N9Ozb6=i;kpE;})=9dXz$!9Av2#u9PY*N%o*slYS>h*&S?5F>4V ze+X35nn(Ln_oH9Z5r@uln&VF>lu0#)l=bea0?aJrmpN;qV4I-243~&Vg)pO8mW^#B zE6KE{K?iX7>;Q-FCPTRC#3VvBIj>?!(S6hCNR_J3p$&ZWbdovHFwRf(6LUaQ^_5fF z9#_v37MmowZ%cGSViQ!-{T>3V9euVi(bfkHPKv-;EUaA)P& z1Duq8+dp}SAL3@yGO2ZrKf73v;vQhl| zf{z&(zL69L{jMqduweTk?m6!8>yo!NwkW_^A#z)VnW%H}I^SGuJ*;M*aIh;`dl`94?J?zqGbISJBQO(DxorTuoxUnYoBdw_WO{aQ|bTxkCjsuUu zEc^P1O*!zEkUI9mq9l54bVi7Tnv&$yqMArpiMYm!dAD6rws6QtwVO{K5c=AAh*Pu0W9#YZvjC z?G}L;wH`i^Roi2gdRnV*F-`Z29CIMsU`JS<;7Dra-?*sD*!XwMh7E3KdptOfj2VZz`S{58aiKB}0+R(uBrZ)%Of1s+TNzRnoS)uEH@UnN{~H zIz6dg_flqNDJakI-yD-JjsJ2?vUlk8@q?YFp%gUgwOZt6)2q=J&{A$Y_wv1^aS0Es zkLF3CTFvELw?4`H8LxYTeqJOqkc$ z&o<5=R&@_rvEGw|TokKaqz)2wsj2z1QK%NBv=&jZ|FYF^CR3>>|Eu+=c?sJiVeUN3RTZ!@zupF*~2 zeg)#TthY9-NgS3ZAutV6ehJL_S4)9CKW|u6M{bM;162cw3AYMW1q|xTYB?Z|My9uF z&YvlJdq~fbq!XzvIQONM5pFFm*w;EoV&g;HfQ4g^K+7i(Z86|d(V&_sA#j3`WVedv zB(YGCC_3L2#CY1%JnvC-#IX(mZQeI<*krN3=uAN#Jw~+cBP2{|0(N4?x_1XDHQWAB}^?&4HpkFAHu^ zr*+HXq&oG;OfTV_7!ln27bKXx1+WiOUef0ZCU9;Q+$HnM*(t}2w{ak3aEuM4z{moI zh^V5w2tnF6cc%P5|kov>$oo>m5lv zDK`3b`+}9LQpZM^UQN{P@v-r;6xc>5&mi<0_q*@?Dbj3>))J_E0YXt~^FSy{O7QQu zY-tlrmegIK#T|4(wr60E_#VD$-c<-op-_86zB&0c6|#fT0q^rNX>lO#&B#&u7n=$Y@4?POfWde%|7s0wKW*2<<*z%&eorUb|A~K zWOS}4F`UYOGT&6_mkYg& zib!kLnK_7LB<`&`Fi?20z-PzAOf6j`ES5^LtXv7w>5UGjqK{f-xs^Dj6= znbR{w)CIvzT(Fo0VJWtikQW)l@3?n+5^gUD)%+Naj8ki0mT2?Wsk!5t#iN>ldAVB~lxf)95OB{bT zH92U)dtBMlm@9vuIux?6My=pQwpRr)aCpq<7_9zAjE7@_DdfZ5(VB9P(O|zG?c5}it{Qiz< zl%^`k(uj`AZNav(3VSg9EcXffNG#0{v0sL4@sux;DeNqe*1i0ExZGZi4)neC9x|=^ z!wU)e3}^872(L3zvEp((eRa@i58Fw>q$YNsM3kj6jD<=4SsGw~4r2 zV6}TJpN7J{G{!_^H@!GtfJlAYsEnZA(2(2eaOZ}6F06NFI4$k9> zUpCT%Q93lVmJHBXvciCm4#+_L4uJPB2-AIWDC}84?B^>|NSZZ&iu7dxx$tbj*4;m$ ziVNcsjuD|#h^u5G5(NnCg%-DCcvn2^)cKGMF5?rw20dMk)2gu(=^$`w6ZW(6dRc`^ z$Atu+lA=k}Qr%t*fWhl9W4}v^*sSC8RDL4Z4I$lU%4KMLpp?e`nCaEg-spa3Pn5B7 zL^8$|4{qqqKT#S|1IpzO4bEZ6Gd|(?vXZxP z(dC^y&vzE}Le>4Gva}Ut;(5SuL5jDw>9riyb@_|)VL+KtQ6i4()T>Cbxs%&^dL&1J zc5q=}2=nGwuO6!-__iRNTcz*4+*$4{u%!6ud5V>wCJbn&N5Gk>JQ6@w!qxwoX|8x6 z#&8ysnzn`kl;Za5CM`NKQj~VOtAanVS9nP~+N{dT}&ecd685~tLKWDP477F^iL0&>` zSwD#_DSU4k(AWy8#vL>Wi=lwHu{Wl~iR_)M{46COO}hJxa>Fj?r^br)&FTb{G;m2p zHB_%!RK>_xRY|&U4OK^QQfcjmzfe+(MSnVbQd@@;HLVf4njamblH=p`_p*zAko(0Z z&6~GJw!J z0v*)hGVDz!so>6bWIi^s?e3M% zcK$FFxxZcxdH8J9hq*FVoadVH<@!RXFpq(S$>$2_fXLR0Qhj*egYg{j4+GDi zw0KpDHF25uyaEZmKQcf-_7ML6&>H9l#jDMm`$L%8!*k4D0t?mDB?EUmf0AZcHq28W zubDmOrcLYq`?3Z z{jWe7bRB5v{1YfcAh!nBKu?{SV5E9}`ixzO4!9r3UHH`%PVT#`iaY$P=I^czgm}3B zeg-~CtuJ3!et~-$z$4)2hS>5K{z<@tZ-0Q2^#t3L;RM^4+_S3`;8Aww`H2v?$d5Dn zZ+y$4WJ^y#&X3}K3(%pqef$6M_0~~Qa9#WGpf@4|i&2yokZzEcR=T@kXz7rKAq^bq zZUO0%?naSrBu4@12I+?Hpx*EEyzg(V@9$YNb7G%;_TJZZt_`AlWe2<9P_fM3>&-84 zyl1-zeZrvSrR7EqK(qJaI1~;iHEK{NqXh-A8xel+8_VE=wtk8$aeqvUL{qLTOZ_ zi*E{XVaWv_Gvt6D?2s~cTtVZnEG2!1*yl#lLs4qvf3-R>G3;%`#$eb22GM2rZ=aL*h$O>&Jv&jc zN)ku6sd2QUk2OGXcUWbyrON@HU|mB;o38pjIKVpgu}Ee!t2qmN%1*4U4Z*gQ4M;m* zTo^AORF^%*2C9YsTZ;t@4IKNK{d#ty&hOf4(7_?i@X3uzMULWt;G2+Z;*ESn=e`Bz|QRiHnE{vBPHw z^A-gCBYJl}1jeBnbt||Ky8jRD0Q`Rh+fwTlDcpZMk+|!IumM=T%pl3A(QuV_m0W$H z!o9V~+{D$Wi7u{>^`f+_CVFQrXwUEipCE#ev6?U&t5oWn2*CG(LbQbRmvbZrq+HGF z%yx{(>*6#ys?n|5o05Wpnbqa_*0cF1QW7o<-3?wrf6(-UP?`thH)iuc#EyzE{LUyW z5IK%GdUgL0cj#RrJs!Sk_LB*q{!FiA0Pld%A_EF{k?O@gKs`TBkaD z&X*^87my~(sgPg8A-jN|M*3=z_z1Rd``iea*xwuU-v&i}{JL++>d#1d0Ab?vV%87A zVA`NRGpr--PW7KAFG%p_;T>l&ne01=XJ#Ugv@EGKOagZmP!xr(=QbQ^UBUiH18GC> z^Zz3yq$3p!3L`@0hfVUc#Dl=++*DmRFb;;)s~N<*<&(pV?*6BHNdzEC+-P_FOD!=c zWhs88c>>1c0tEs#xOTq)SO0e-mOubYTt0h_0z2Pk@&({#671ifOUP{QT5rr#vbheO zwE?(R@z0I+ZzCP;=anZQJOaub*MQxz1RVY87$sPF(2*d1A8ro`4;$y%2$$V z#+SLi<1>15P-3Axhi~zuk~sgUS6o#yR=QqVZY^8zrVEBOK=OY95I5sDLkxXc$ZLN- zcPD@t-y+ru$S-6}?(c0p>rNk#OW+;=ieqG#fWO(L|G!Bm?3R@$Ky3<;IEY(*RjPi} ze|^a{UDo7t1sGNzh@tGRmK9K9g)wtuRl0#y{S172yA&+h`uv^GQ{&?@E?ETDCT8-d=M?&7zp0uA2xC= zbH;%wU~66Pyv1|DkifooV1bFZw1P(hXhqIQge7KZa`mS>nAhA8@(FAcN2VrB3Y)>4 zwRA?@rSNpS*4J~s1dx)xt7_?wMX~Xk)jtzIBy`%MWEm`GIUh#0q=3amj1dN?#z>yuPhXwwHou$VzJ zE9q9ik@(vGq&|>Vkdof{jNzF*L$NOCT~}!P6u7GF7YQG&Nj@@0rZ{!nu@VV*3GTE% zC(En{Y@#tGg5ITOm{gQ`G#_({o<|BM5jRg6$9@drsrB^RXd3n|ay(GR;kV*Mth!%Y z+R|%@LR(6|S*{nIgZXY3fYu_!nb}$2^8ji!9{i=Qi&J96Mi{3mX%jjV0HTk-jh5sS z?;j2k2k{Lwu7vZoT;A=EfRok4<4_ znUjyiNndyt07MMfQT~Y4d#NJeek5hv+X2fD;{D`Xo0!$t4cy)RmwjPFJ7e z7*y&Dve>s5Xyr1rds9xG-T_TDAZN4XxY5=j42Cjy3Iw50b92LDURQu?yW0lnHez00 z)*prUt=|DTIThshXIc-UfKjk#I=mw>L8WlHQdmBu!@?nUq9o=1AeurJgjbq=c{2tx z{69V=2m5dc7qlLq-?-&Y#vKEu9!Lkeq$D|DMOIQ?#vv^A%nzPC5akyYdU%jQ7gwr+ zptpY5u&*obUgpU^9dtNEaTRknQJ_sCc+M>iQV6}@tKD6)I8=DYM^0+!p_@T2@?AOY zjVJvt^_Is!w@x5bSK`TlZc}9)Ly(+xt%dw$n|aJ%dKiibivD*4LZCon;A>`w!nTwF0=-%N*PuJF?{Ya z+Y)<^;{}M&0c}hK=x~9ZiZ3y^4>~zr1Ez(ljGvRi4V}Vc$7pt2Ek6x96tajRl-Z?i z*Y9<-ERmzs5Nax^88 z;!2||QM-aehc0WhdQ|=ucxVGLiH1VCgS?0_Wlqh_KCU)qbrHPij62etxpI=36HyU7 zcyV!0dv3krxX2rR2L+9S98vGiUqw{qX5KWb1N}a(RogBp%VM(x0Ch`(<_Wz?ex@ix z@3ECD{|A@&%<@73v-$LwI`j8(kvAowP|%S8dyJ{>iFL@q(D0S$V9nv3%9bb+DIu5D z`xD>G-o|i7kU?btU2OzxDbGwy8jYq?utT;Gan|_KJ5b7`e1jL57sfBdr7q&A(G2Zh zT?zpw9f*wmR?GU9hs?OQI)9E6n>3Plzc7@EM!a2^jkv8R7nfpwab8{|z%7xVagWH( zBG(iUD0mkEWZ+Y1nn;zxWWYs@Xpn$n>Kw^4CB^oftq_X;zS@GQGeem zm4Qj|02>58cw?AEqA&@4hNCRTHnW4FkaEmK4N7tMF-npoyc>GMT_R9b1Q8x+@iQuR zKc?=UYGJ$X6b@yQ{`@VmCZ_U|P!Ihx<0(b`x*ijD zrhNrasw2wKh}<=kePfyC#+u03kLnxeQuL9yEh4?JJ;+I6R{lpdCVZV49F1NgrqJiN zqvZ5aR57(_)dO>xft%z7@fVGk!GvoCy`mVE1uxRYJ_3CM^uv^1oq&EaXHp!Ip?k63(wj_AQX>&sB`srqk;*|%zQN188o0wTE0fgBJeq4-y=;xpqIbxI38 zYW`=j>3!7eMOe|xn5KXFiFys6tfs@~h=#s${fW^b zjKOz*vis3Jwh>IOr@uTYnb^b3FggOuexlLcAzBcBWtaXeQt~cs^a1*v0nv>ypSYu$ zDzAyO?SjM(Akaj;@V+(+ezyakHcHZoX42Nns0^Uy)_xKkoGMS*MrWYI4#g1 zMh|{Buw_onKTv*Q=oVlUWPpdOXwWDCw3$MM-+H{?dtR2Piw%B)4#E0Od8r__3S zdFP#)3E{{NX4#Bg-wjs4X6gU z8PPy*=Ml+yOO>|JlP((&1)i%&zF3L5aGZKn=Qvppffz9kiJ?ItaecZ%>gkE-CU`QH zH2>`1Q4OY@5M!coo+yZj)RzHedeViwd2zVIl2tN)^ivAi&_E0)jE-QuUaS(y)$}X7 zXD;uthg^>Aui7P;wX%~rXNaP1IHLpv!%EJLL&&V(oEWM_ zITIuMuX{{{ol0z=FIA>M!;nuR(d06}GCr0#ef`454jmfib#io4;1m(`&0kG-lY|)* z!#6!WWGk4cGzP!X24+Jbr9S^zD2-=YKs6%ey)qIlBglhDf zliI$Xip3sfeR&bb74P&C|CmHlqx3hEvm|~ zTi2xjLvhfI@g09wtK#7k3LNNegFGSDi%)NFh`ePv2B z)?k9`T_Ovtr-O>fjZx@8aI+ZK)LKY2S^T|ub&5*-MS?zzbS)1|GKbZ?i+0a216km( zD;qj1Qu%aKch;@n;KxO!u(^F;(6%P4O$Ku&^42D%>A_INPTtok{~=mWHIgbItK;h( z0_z4wLU$JH5VC^Tt+6DJ3BrcO&~U+8;BO3yo8ZM4KWlqUAT+9*rl{09prKMtD44`< zuK`ah67gqLT5jloKw9IT!_XlRZ4MU1s^{A2n8u_iJLB{5Phkig|DZQ#C z-6O+-BlZy85bnZEgWh4W*jX*UsF=2Tv4QGBPVwOpSF? zr-@p|3o%{(l$gQ{=C$79`|`w?rn|npBf|o66ahT&nOI?E_c8kvT=#V+>qCEf(T4?# z-(rQprhWfM=ppb0-CXPG1N#I@EdK;^zmD2cS>Lt&LVGZz9WhQ`&La7qePK*9=IccA zcM+GYOt7*WQtTow6hNy*)@CYpumMx3(l>$}TACIzA(qmat7M<{qwe9Aoa=py1pJD7 zLR_?7sCC@wirVXCUE~Kl6&R_JU%Q--RI(sCcxiDmir%9~eN-5e;KNjNE@6NqIJ*Q5iR*GDFi(C$AdwHi+%eLO2*k@6bka9D#>Pvla`avi*{zHE{2}iv1J`D^)2!wJq9Rh*KnfsHi zQzzF+8#CK0>6nQjELAzQUR7so);D_07{aztFE|R)`1x8@4!^b)m)6U{?4~qxa!4P9$U+6bL<=LInd_OLB+8@@WUAwbG`3#${5GQpjqJV^eSgsWYpnJvD}b^ zkP3kjY$}4xdRXU^fLTeEgS4PSi(={{VjJiof7IENCPKhbS+;zmsQan%Qb`;FiTLX; z?rfw7TGH1Q2sIblzTtRBjq%M;yxYl+zCbE+18k-Absu>rcn&wfXz6_Wkw#jcO{F;f z#rbRtswqV}NY|HrXu$oKZB{(6_~lzm@4(%%x@Fj6DTT5+^nqv-Cl84|u##6*X?R41 zPG{f17xfuo89${JR^0KTTENVo>};)nkP)8RBpl05wY9T%Q95j)*1iYH*|L; z#LF$Eh$Bj2d(;Nu{*Q$d6Aoy@L)>KxaKsG$+#>RD*yZ8e;IZQNa#Y0Esxg7j^r>qI z!Leh%QOg3e?@U-F=mBF<9U0=WJM6?PA=&;D>*=b3(NX~q*j?}{>(IjZ2g@C);Kr`3 z56>QBV8l;Yd)H;H!mL(&T<-^0k0px3#;Q^^VPo~Ec7^_i^c_2h5e4?R7`foZ+EI6k zete{V6(Se)m9uVj;bbP5SV2~KR=pPLb2y}(&7)(kiawED?1sc15?hMUhkvG%dl+p&Q3$2lU=XymhF@u8km`Rs|+IcheuX3wMyAd1FnU6ayPM# zi5SVti*H3LS^HE(Y9p}@_txm_+z8nBrzIK=hMq8G59MgE+=HBc+w-qgb>zHwnk6ksUH%+&VZdKykPha40RGi}X z>lYnKsSm~o>l-bfBUo(2q5#jCOvTs3PBW4I-|IXmdMgJO8{!~BBaBnwSG0l=LYu;M z?8%B%aJLA$Dlmu${XsuW%jduHvT*)-wF#nmI*Jp20%-5U01YXX`Y!aENk{!ooh3EX;hHjfqKEc1@dx z8>eWQ-E=(W<*h$-_mzZwefK9#ib~QuoE8=lmXwb>6~whDd}a_8p!#+nOzw*#U#A5rx8!n zyr|EAz1VS>MPJ-Ft#O+O!isHr1UvMuTughYbj@6Sy)^6>tot2YEHz5o)F?I8fHA4< zDm#BT&><&iwWeFXH`G931qVx#O@m;vR&&S~O&eFlXCrF3(&aKu#0_`Z*n zTD6tQ*p$E+H=lz~<}yj|Ame@RL?Lr1L1)NSA1Q0a0{32^6WZ{H$NMoDz}a+sw-JbL z$hI^aIYxzU%m}mf=`}(}nObTN37=`@Tl)+B4i-M%KTw81{AnsQVR!{=C~cgB9lvYU zc!b<6M~=^;)oy<0PW}7_=@Z4w%sufg_O2C4HZ)yQy2zrMwUymy&E?oiA#;((kV(vr z)pXHz2NEo&tE<7ZbybJc%|ok_NM2-eq%=~E&n&Y8dqefu``ps=^`h>@5j_rTVF>%Y z2f9^lo7?wKgtL=1m#M?EDlhmk59<7}N^5>wH`nVwp(yH5If3BC;~9ZEfd=+_o`=iX zhDj!>j1c`NAbdfqSN5F;hqi*`+iSX3OL0&b1IutH1|TtWYVvwie$BB7~NbzQ+go6!BjNwwf;R zwt7e3TxGoF`f}s@`L&fraZp3_es}1GFWj8r1RJ7vN9Z9>X!RqwZ?`6|t9JGebf>Lp zzf}UU8T15bh6Gq*$-jxm$idJGTWawgQr?ymZ?}b-?Vh6(B$d)@+F_aU3iki&b5WxJ_KTp@#h=AH@fn7JmS@kn;~&96!5b<-RHFxAmwy)Nj{_07aUi8y%oMufF!Uoa}s7Oi|whKg6P zjA;?RnCcW1zG6)EyPD5W6X8GeaGOAb^kLojq`!-2`Fl7=L15sZJ$fV=|6Fw{xcW{L zz?b8u%;^zcFi}q3LSt^j4v${q=c&iH*yGw;tm7J1TU;mkv^D5&POmlO!L@F z8|Ss3<$Qi_rsGba{Gw;0W$k7PF-n_qskBrH`P#5pd)mHoby}K%)V;lBllTaUB-iQ8 zYLZZLYX%+0!e|)_mR)0&8_dF#nkplM%_lJy_Hl$N+nw^`;K)ZKy|8!1D%&F+cOZ~+ z$iG_&?~N+t)KTC5Udueh<1aZ+pin__yEIPbKsmmCy)#Dya^4Mw5+Jk3Eq+#7J!9Xk3-Kq!r*=%V=RsE|Npr-{I}1;W|}oeM(W#=ELImYvH(XeJ-%r=kg^PHL5uG z<>mcOc6&5PE#zNY9jap10ksRg5)Aaxmlta;s^Z3Uge6EsTn2eO4y%{%Y85lLIat~w z1z7BNf`nRBI|h=x7#s=zx+%*_dgy?`*TyfvEzMlaI|mrS?(&1kY6Zk4Eq^=WGs5&#dbA1s=R!@<|GGH$w(2zHGtF_(K zdDukWoY^|~=>D+CBYY~3l*)v>6Zw?&RoMrXI`zVKlHE#~Rza8|`QutC)E?{JhP@!a zFcL{9Y#2Y>XiFm?;l2&A1!BxM*BWOgSv?c9iy2`V?EKIPfyZFkS)5;Xss0tr71j7A zjk?9ioSOEu{}H)3hBhtLp>lo%$SLqiJ|a`?o?&={fRFsw_-=f%+vZzAVIS2NJqU2j z%NY`b5IanZp!T(BQJ7P&2FDi*1w!z@fQ6DZ zoX7!4H;ch~FE}dK$L`B8zo3=0CSh(7Fr;!T2iS7Yuttq{wXsq19X6z)S&K(rJZy@eoWmM(pqy>Q-ybv2U`P5r~Z)V1%~&CQ?e8+$4fb@% z&Zz~wiiM(v!@^tm1uyancb7pEdJXp~tC~idak3}G;0!-Yxf~Y5%RL$9^(USp1xXuW zC}OpcmyP`5q$xlSAB_lHz&}hfis^K>8k=nF8h3%0a+D+Rn~0z{Wt$gkq;hxtFr;o_ z_wWaYv~Z4BYuQ9|qG^M(n}mYF2$QOwR<`4wSKuo3D;Y7Elc$&%EX= zu)VZc4v`Tsljj-SR|m@$;}f;67ulC*ASQB@6!5!7?tBX6tu`2cYW{qgF}-O6|Lo^s zlR)&YL)wqwpKv*Cn--FxrR*%n242SXfkVUXM1VlCnz+n8JiMjcouzT4drVJd?{oO<#P!Cmd^eiBeF5)w z&}%O!C03@s4U1jhr0*8R%4#2K+U+sgjXf@|vb&b28h6_o!W7OB{EHxj-!=38$Qwsi zZhlp|k;^Nx4^eiOfmQJk_h*QZ2o{8TCXQ!SMsk<32C$^s7#h1(UzX&BrYpre!}{TklW5&7^)`0OEZl<<~Bh!6{_+XA=5G#`7I z;!OFAj`k!PgRTi*H;vsx)-n%=z1Y_R%43KvIGfamaI4_GwNKBr{C6_j_r4smJ=>f{ zP%N2s+r&q2q|aopuJ`Eigb|gL_bmriX&5}9C|_Eqet@SnTH_c`hVrm#EU1tLRK6c4 zXvcG&wOd6x)6o#l^259jx$H(FjYRCn|bw3>EjT4O`(+xSv*h~-)m1b!y#$5H68uDUc89~xKwkgeD~6&*q2TreY)8 zw;=i+%Ohf@qntkpmDzZO#RMKVxtJX{fAZO@_K;@{wD%kX6)%u1jfsr97D-Wz%*{!) z#}zOYzPEJ(eTj1LGk>COga(#LBzEgE(iaQR4Wu?M4HsT|U(H*kdM5poYyK`&`9ewL z-Ad9xjgW#aig_7L3{i>WENYSp)nm4NbbKJAjB*&pJF9PPZvZu8|5)$tc|9JhvemMF zg9*2>!l$pj%3ow;bfQQI2*y0D>fMNCLv~!rgAB>9^c^6j|5TSCZ!$3WD{X8qn!F{8 zAaS9Ckn!rQ4ZG}rvj9pn=`Ev@x7MeS-z4jOGw^o_LA7E#Hz?l zrpD0A%4nJS^>w&>3IP|Z!7VATje8uoTbXTvBH4-Z>E=rK5gru>x_&4*=|oWS*(fMa zRyMC|zp;#6OW%rPvhK}%hnAVb8$*{df(2R_@{rR!)Sz0#cmhu{yN9psa1?((Z=6a@Hc5Nsn zD`z~JQH=rpi%`>~DxY{xd06PI%89*zaHLn8uVxf4cM`9gT2YDF50B>y;>)W0Szhv? znV>(*z|A5r);|qc4wXr1+7?USEt*2L-1o1WY$nr{3QDHr4jlrd35p1cg@=~!0*RRh^WMpR1KzyhEVhYDWj7ZTUlhyU< z&O@}g&hXuSVW|VG+7(V|rbB#~Q=55_X9ZI7m#Z%%l`E;<^C3Y%%q`4QAeXLs> zHD7KcI|?7PoDFRayTZP9I7ydubZ4O0LgQrzdKor0?z;l3UEaYjL2nh+P9iIaP=J0k zYXC{DCbdd{Y3w~VUP%i^npgx2MNLb)+*ama=+F~adnLM7!#?KOqc^LQPp2rQh%4b# zG8wMM^_RsENJ2#aTKdXd|7q@V5!tck2n*i>b@O!=2FD!!xEm6d-~kqP-)LcN`Ng^MAi~B0u90{2(n?*SL2wO zfmy7|v(z_>xsGi7GN?|ucl6tGZ4Q++O7)vU*@Kg*J1l#7^_VkwW^8`Dgk_aq{?AR~ zCMIS zcjEV6#&CxZ%n-bCb0?BDm4%<3sD zmOZx(LPJC3jX7P@7ID?5CNc|F}U*XH?o~Xra0sJVCWpL(Q5RYgKDT}}L zj=|TnWzDG)xAJ(&sZ|WR*+A~_VT5Pjm;Ef<$akUi=HxH=AdrtKRRA=Ikh>@yV(7jf z%qZC#i7haPLzVo5JN$JgcDeNfM8`&YtO1-mOnd_2Y|3a#8<*#A{i4I<w<4RB#_nlXN3>zmyxo&cVR2YMiV>^O=$p@rb>kin55+~8 zANHGefYr-F3$QS})eG)t(7JaMerc?+8d2kgZtJc9>aIZ);qtfDe zB6pt4plRM@Q?1o|bWP7SR8HtU z9?`jxewexUql!#AuCj=eUBh|O>CS5Up{cg-Y9qq(^8I=1GVIsJGgyF+(K*5ryAxQh zj7i%3Rr37q+Jg<;HktkgZXp-{OFXtiQajy0Fe!u}s%R~}^yLA2vkhp2yG{>jH7KJO z;_?jR!c2)`EH_YF1$7Ob3hKA|O=-~yE+L&Dio_pYeBo{KPmD{6EeCEVv+j!rp~qs1 z@nrmcrsLCH!Lw(coy4%_M-a$RumNZo{&1$u5D%>g#nb5mtWMF=8Yra`Qg4%^_I}w- z^KmdJg>Ghxt%VR|t;=EpjtBRf!#+2~=2@Gs0gAD%W25Wb9((|<^ct=T>N$j$lcAif zHgjW?Z46~XNb`}34Pp;kD?x~>v8jgrV;wAGnFh1*qF!_ec=62vAF=r}Uxi*~e3SJ; zB!b%DYx~fALZAh}`wmm=ArPK_5cE%jUPp)WR90DLMBjpJQry_Ex7e2Qn)b!~ipbN8 zCnZA3t5NK@-86FH)er9xd7{JnQ(eOOQpaiUUqzjCC_uZQA# zx*-)6FN7*tS5m6h(!*-hZ4*^t`$#mCzyAR($zWw^e>{}ulSz!s{;wRYd0V5%4YpnK!i<7=Jh|(c@=PEfwWg(O7v>FuCEYgEzV(j&Be5tIbpwkfS_o~Eyz*NS-gZME4C{5}bG{Af1d1#JH3p?K%y(d+9 zNE~ek`SrdfGLoT-j|}7dbTSCMg+pZ)a30l}tRw6D?y!AL`ruA<_VZ`?Ac=b(QN@Si ziym!TzTHNJY0AwrM)l`f!rjr@`=h-*;v>+dBZE*3!=z#_)u44yYiUA#D@Lmxj5{16 zY^DkDiDIlJGt%|&IA2sWxFsDlV=dmK-*?Wczjic_6WJFk& z^OJvlJyf+63nD3Qqu#bbkZHdmOL{=nV9<%4_d27rot#F&7acO`9G8it#nZ$P)SVg= zic2f{8YLr{Wl~nW9opc11fPJ2P^)aAFv2GgpQf$a?qGm2G&q;)bXd-0pmecA?Xk01 zEZZW&bKDUHF z(WJbt*xX08P(Qg!ftWuhY)PxsjrcW&Xr-p2R$D^=hq!&+#2L4@+LJ+IC1ug^r53 zmYwjU$Mqc@!!%aS91~5-FkpUrPgtguzIE0_|HWAioH|A2xYbxPjR8~Ud@emSPTp7~ zTLhCNSmQcuRXmg}MJ^n+0< zBo?>3J6xZ}%Gf!_Z7u!wxDAiA3L_aiOY!!jBHsMEQ8{E3J3#V_GM%t5+ZPdeph6ns zUV2B;MY=dg13FpEQRUL-Ba1qxw$qhW(p!QN}Mes(ItS_&bkCD0Eb84cFbeO1HPT(n~@Z}4%-WvXRz3wK2Z?FLJ~l_O6t^imzGzN9ZMEFq_qd6q)JyuMN9 zmJ1~THx;7H?OJ&dNA7Cw(4}kM?=t-Aq==e4}=Z!Zz)JTe_ch9aA>T?jr~S?N1*b6>?lv8hC!pKrV;>L%_021S>B| z64KM`*EeKZH(|fe;c3(76xD1Hbu73@y27i+YM1FESnt(SiIMis9f73R8{QP#d5evQ zq0cR`U&X#p>f5d>jAhRhaYpuT3UbByHy<&WK>VTLJq~d0T}}r>-b~SNsU6FG^R&u+ zEVAQlhy9DUyH7hZ37roQK_Iu#0kKQyBu?S+cnKV0JMd|Fgtn#(y#RHTgRisP0CF~q zRkj18m>9b~qBfzQp3*7xki5$w{3IUksKt6qcAd03a4}&i&tdkceNEq}$U=Z;CNI>z z*T18QRbj*&Rj-XG{%I0({|#0jc*{&}@S%FwQQ5)Pws^pr&FfC3-_coR`P-x6hv+p9 zSMw4svjjATvxk#N5ASmEA#p!u8yf1RZtQ1rM}+Xj;CHlWRbc%opG46!_+2) z$LVHi(GjcLl$dLjTQ#d3^PfL2b`h=G1 zaj*ig`41$l^PViJD>AS-ZnHRQXEADXnW&*tyxoSk*qtciZtw_iL%joN{&-G7QKFq} z8_3c3-~XwY$->4aAE;tDTq;}F`&nZe1TQr@uRU^47pJ9`;1i#X$)CZdRVtTOaqv>d zChjH|dSF9J@&9M4<4f%)n!BFE)TZoi;VUb?mlg0t7s3ph~6H_%uGiAZJxYv11W)p3cHd-ezPS*?fcmG`GR05aJRaAe&fG53c; z8VyW`0cNE=TmaJilJWb0X>Le=GJ_#XTD0@Jsl}GR3%YKDObyHFJpk}xCw0QZC5zq$ zhjLcL<(u#O4FwLa2Q?wPlRBCeyu)HrIN)yg(McjZTMeJpd=mzrwRd_Vd!MEZ$L-;^ z@gxiQTY~KO+v0cY^u|H9VEz|{zFB4ZsNEt#PtIizVUH8F9|at1sdOsEGuH9MbH{#H z@?Qncs|vmPoaM#aH1cgXr}P|u0TjBY>gaBMS8Nk($wwprtbSuGQHbQ`84yAO=_rvqq%sw|KT05R?#sOMvMV{sT z8*(M{^BcswlCqU%r~bkn)OSOulR0*LL5wid8YYJkzf~mIJ2KGul6EaMA;mIY_;6y@ z*OYzu4N_z(Slr6aQDPW%c7JJlmrQ_(W=!|?ek@kX_29LaL*LDg#e*FKlm$7!CV)VW z{t^e`J|byv{QwjPnKv0jn!^}K*G89@eBHYt)21_)!<%Q3?uHx4s!mWwy;&&7yw7CL zdykYzc^0~EZZCr0JejQBcFZNdbd1`wucf%ztx*VJjx zV;)h1Rod!n09({8weOXlf?LK~4lhMgXw;m`G-%1Q)9aIm#5{;*yZ`@wACN9v03s5p z?iXrjf{vocLinH>8=6Q4NkDEZUR7Mo(yQOrE$O=C79k*mlL1`W~J z``Y?mBNO9!E~AleK(XpKRuB2VlK>DOWcAj~Qhg-7!TTne{ts&deEz?_bN63p_r{6+ zLFxY&Ipcr9@b_3iJ^fz_%8?q(=WuxmKdt7v}qQO0sjHu#2YdO z1i%-EUXxejfWZ;hK?oj$Y(nH#0A4)W%~vo>jS!@t;_2^du--VcEl=M_|-uYnYrUO6SnwmXD zzPqR_0D{rW%?=3m@~>Z1s^aMY8G0fpF&qw#fRM;2aAQd;u?^O2W?Nu}d<_A7fT`i-~joXtn%b9=_LfQ8sgM8a_|)^^Ea@?y9q${sn98w)D{ox_(MQx zLS2pWl(0MCFNXA%BrNjo4-a<&Fh3alQQwyvKg#nACiFez?g_a3g_i-&x*r{^(CY1d zmgU<9Y32D1WLy5FU;qa&eTCyA_w4~25U&Gt36diKJ6rIY*PJZEhr3t?8zMqER&;$+ zfODTN_+uH&;Hf&A^x6jMJ}w{~$lbny1H%(-@y^ag{F0dB7~b&%*tvcQ90;&ke<}C? zYx~P7Nx5trfq2E4w> z4f}V%ACUuB##a79aut5vnp;qSU5<)@Yk;jLD5~z>a~LTAd8rLh2PQ&RE)=H;D2=$N zI!MJI0?FSYfM;zW_BaLf9e|~sEdtvGq!B-_YY{j%^?!kIgKJQ?4J-=L6|FIhC%I)m+2p(CCWhWOFA7WO| z{t?LvY8ccn`x;spnS($%_h|dZgI)kj*u4Pf$8GOha+(g?0wBOvoy%3bcpjaN=Bf>= z?<~PTIe6O;R^LmTM>VuK0vI;xh2~dr_uz3S5QhXAyUl1?+s!j(w8k60uC?CKKDOg% z=F@xwGkARiwtAOs;jH0myRJo3*2_KESQ??3I7FYs_-$asQvjVjoVv>3Flyqg@1iQd zv2okVlVLxaRy0ULFuu^i1X83B$J&YdyLdBVUsXVwwiDnKU$H2=q+gZeL$nDY)! z)c0xGpF$wEX;p|kM#$A0i2oFbIC2RNgmS2dM?Fjz3@F#y6!utB}ssg%@h zJI^H7#&fO!dD7Bf$CZrhv6tKq8JVwH=$6H1YRGJD$LAyJn?`tjBB4ieC1rt8pSR>) z%()D2Wc=9LY3W3xMYcStTo?wC~!N3LDqgi$1QwAbyB_ z&hTg4@tSsaTqtn0qJFAa_t{i->^8k}jl4jx2%e0(WA3gKz>fV4k>Vw^G%wvHV6nRW z0Dam2OBLQIvq_MgX30B^!EgUn5q65>f(DX%C^< zLeMot4~^igyr;&R&k^Oavk)NK5zN2Nc9wxam{} zmx-ZK;Y*$Y+$>~3YOH%EcG804dl!u4HXz5c@>J=NP3(b!n0RZRE-ETm&BHNEAAP(a zb1-u`Axlq|rAlT&3tG1<;DPB1s;&J4E3|k!VzJ!gORVEuZb}`Lecf72GU(=py?`_~=gj62Rd9LRWCG3R_|JoEX*JT_`9Y-rBt@~mch;{-GMb3qCQ+GOWD2hZJ}LFX3UPnX=<3V>!yfBu6%V0t$U2tf*N z1F;RYfTOXdq-c09YbBJP)UKQ1(Uzx%a$vxk?kpE}K`Z}AbKl-!b2oFTbU;Y2uCfc> z&=UekkFT<%+Rk^$vu+A?tO?2|!ubP0(~t(4JLv<7l5p>Dkm zz2abT7X2l-zp?4(;SPJIFv6zLPJlUuFR0ug3tgpkk}l%{dJ3ijRUCMLxEO9^y1asJ z&AZpW?FaInIU_2~$_|^O8V{|0k@$_{siZRhEN%9x9Gz@C3Sg7+)v8TOrx6>VE|?qA zS?--xQ?@eicdsnTP8gs2Q3)w?6Na#wR3c~8QUZPD9E)-u+eSxOaV#OIxyNF3+jv+| z3^J_u->doT_ci3S2@)?JWJ+|{)ramrFz1RAsk-=Og60Rb(=q_ehz=@N&KLo!jIOrkGs0ek7* zkMi#8Ru+RU!rPJkfX&m68y3Fws=id9q4;Umtet{E2s}Jb4Uw*$|B3X@!#AThzA681 zwugcatRMpV`pW|giV1S1;LQq@{D2fzL1{3>Kj6%Lg~bB2dqTdSArZiPpeGhDudK|M z8k!-_3pH&JY=s&_%_&vNmTzX#{hq{sZmG`s@`7PU!AH%4P#V?2q)_+TE&vNU0hYgIihT6rI4>?AEOJvl;TU_m3)4Fs< z%>Aq}D(Xt{rWg9)X#|eO?C2j3AR_5ZqE}*hX$9N|{2?j}rd+b0N%H-K+&wKY0|m&~ zphcFS$Ny?vPZa-2A%)5Gl6?cLt1RP&Z=n;;@Wu@V zw%#f&%?-J=DQ*(H>ZUyf0+xx96h8vB5~oMaCXsB$l65i`(M#&ehxB3EbK$AgdJR?I z<4JkdamXqIPKFhn8;@vaPgMwX)8p=6<%ggT0C!py>k`NWM34 zNx>lEon~;T4!y!p<@ZDSf6o-8jOdz0qcu z_z5cF*o~%NWO%^2>y`XGGUtu1R9A#V+$gmdprJ(}AUptmq*PO==WDO7n?Y7Hb0f8V z=iI{e&Pzv4w>rM}04I&#t(Be~P3oNRN;HM`mg{Gg24|axgT{q!nd6n3&I`!uC{OKv z%xHLyY!ETR52g8ClLbO*l?q*>nNLq~ZLuw)WOAeZcKg=Vt~k_pCAm2q2+&jg?7|yo zq@c`se~`dSaLkyhp+}rPc;@UHnzjV%_<4CvZ-HpS0@1s`8ooX~VBZ2jaej1+L% zKbj4RB%-Oo{FUy1T`bD652<=m`AiRs@K}YUKD2i%tl2~z$m2g44kh9SXGLtP1aR{L z1@1@)va7=-P1$^;x2Z|oz4J*27B-D|@TiDiUP?4HPTN;%UUI+hgeKTkDo? zf0k1&^|{Phn`)|L>M=bT&=I;c=-gq5WKbz|0n}@$ukVa;+t}hpj$O&vkSulN{!2mL z&r`SXw#fPH@DFkjYu(oMdM8LL!QnB+P!$~>?|rR0kEBdH_rM0Ib&V;#e{VtgE8x*z z3y*w|Kh1Zc$mCd5WGne%mKneH742ML8RTm|v}&Xbb@C#+W`PMzHcWMJxBVZ~$~Bz& zB~o_AK!`l5TPe9~kTD>V5jKBApXzrwsfwdwR^Zgw!L*(X&?Hl}&-lJ#v1E-2F@MD6 zdmb=X7jHerA_^4hFD_-T?)S4@KysT9g<@lTV+5kj@O_3X+|BHFA26v0;i(LcY;#$O zjr)Cdu!rU$O{FU72ckP{YSO*4y|M>&>~+#z0j^F8B!j*q?J?hpRiwLP7JAFplkv@2 zc6tHQUBury^)9YQbyGH&{!4x2y4xmjyZ5B#Kbd%me1V5wy z7e25q@{oyWo6|Y$#lYd2;aH05n8rG72l$`HpT4Tkt(ATaL&-suGvAalMcmlyq*2zU zFIWO&a#MBzbKIZ4fa1LRy;+y7*SQOKA+6%)Dv@7XDwS~s@W?OCKVN!nCm2Dmh=FzE zYTCKK-)DZOt1*G7#VPWa3QLH6AhTl3ApTl5pS2!2eR+woQ5@JompkQv>1CYnYV$nH zUl}iri_5RN{YRindgj}N`pG3Zgye{M`%T!R><^VL1_TqL%$blukyE5?jo^Tx>Nept zoRSb8x=(pvpZ9@;hiRBAOg17jQ&G0mZ{9VEJwc0K9Vc=b3^rr?#~V&RebvJ!io;MF zOuZICPaLOz4xG|k==AS#yMIaIH^JX&k$COQB*RUmXgM$j8RW`VPa~~{9Y^{H9QLx} z99Ef5aLoSv&QS?u8v{0mKlhQUp01p5O}Z|_JBmHN)(>Is|}+B;@i3KZ|sb! z4F?rRfQQ}X=c-QP$zGwmHGb+oOSNP7_#+6u6R71{9a*+0<1p-^+ zo3kJT5HfpO<_YA;1k#n_J6m9LQxTtB+q38&(`dFmaSS-3mbc2bpT!|GRBarI%g6nO z+xL>)R^D<2m($S44@3^>5`LdKXxPj^L3L_b7@df1Sg4Gj5K7EDOD60vG0_9?_&`3b zX(C@UH!*@3@O~8{;y&aYv7(JF?jyjDo5}2~k44#PIXF;P;0sSPqBg@;u2r z5#7O-3!_D-_)E6eLyvdoMc1IqcBAl}UlZ=){_Q#{=?21RsedSNr>`a5yQm6I6_tbK**#WdCTWnoO<2%p^?r{H*Hf2CGjT2=h|h2w@~s#v@bWU*|LKgb6{_YR4sKr9w3oe z52e;Avg>yt<)sUH2umXXM$g$_X{S%uJ4_o^wuwUIrOrh=vs08}89!Q5Liy4-y;tZ>UbP!?domZL(qxjz% zT;F@;Jiu>kse?zGpV2!|<|V>lJoOiS^waG9`PK)O=Gu-Dq}y#-ozIi1Ta>b!6B5 zw~$nv012E5jGJo3aMSEMfn>dcGbgOTc@ zvi6Ds$maeApf@-GM=E>}SK>Pop)cT??fMhMi)$v!t_ZNRy2hKv?*iu%slgS4HV_zu zJqW~kgFPt1H4m76&CC#<4Wd0FtA4+@9#flo3v`;KPsHE_)gzsPa{|FUyHT;3z`}sM zWKYc@Zn z!v05xF(i}Dgrvt<*y(tf2w)n-V+cM-7vq=Kjlo5HQ3a!Ahdc1FC}6x_H9MZ60>Y0b za1yu~y81zS*W5$8@dYv8I{mH)uOKJkLz;Y6CE_=EiN`2%1uKV2j)up7a=pnbej1pP zy7TkRmI!elevet_P?jig!Z3Sn?v^R#h7z>)+Bx26X>_f4Pq-9t6r51aOsN~BVhQ;h zU}l5^=Sw5`@%1ABEEeZG^!ArdM#3KX1kT!Ed_!sc7BNR<`2h@b5DbLuPYhm{%W}7^ z-PF=F>F>tWX5J%e>}sk>eE>XXm_FW9q)~a4v651OLRK_d9-U0uOcm$~broAz2R%$m z1dUJ&NabkA+0C;*dp;asUOdo;Kgx`%pd|B zoU=O0(t}z6=~@XaO6s7|@!fr@6Ph2!>G{`Qn0rgXD1Fts(&29M<2dBL+`;388yI8k z*E;KC0Mp(3@m<-pmPp`ap2x_E1LNZkNN`ubL*w=1Oz&>n8SKk@j}4pAA+lRM$CF9& z2uX3qOnDH#z@n#X2I&ytDqS&f43TUqJyn%3Z`RPvC^q|i4<0A(i5RhII%uKOCkE%Fe2 zQ05c%4D9ax(W1$`)L^hxNxug4{tW?c2;GXc#LdnV!%GB^a@no_{AnPu{~|u6rK)0L z(;=I_2|(#s|GC%;FV@f+=UhxOAaS;Inved$bNt-Yn#`NG+7-x)@BZhHwR?2Xrw2WE zj)A&uwj7MZlK>;ajoWOO;lFMd^cR5Lx)%^p-}>Zeco+rVJNj!BeCOEuRYw4EHHu)r zk4@lc=M+#KTD`2@9>*J(YLY$F_PUr`-N?Zt`UXfhUO4q`dv-uY-2#AAF|3}9qt0D1ygx*L7paAE@h zG-zZc@cmT@e|uW^K>0pu<3u`{w<3hS;$IU0d^w*`{~qn>8#YiFOgFROzafFHKhbdV zKb9guL3#5NWhL|k;JW8s%93wLexdQ?(Q2)$!5O98M4Um;t0%xknl7dIrGu(IHY8Z+ z%QVs32C&;Tig#O)l?VVymj&?|z6RstMZxYAazp4SwlD~-z6(53;Tw*Ye9XV8`6 z$Lvbj1N1T%+Zo@X7ZEj%fDBlF09Y9tPB*W0;eT@%Kx4`eiDWGP__2FaC2tWZ^k0Dr zo(KU zj*K4%+`00W%g6Cn9UfVbP_9R-ZR@Ypwk!SQ^@(@j`Rl(-Zhhj5&`3#yI1aFK1cXoA zM3|AbGCEZ{+a1=V`l+(>byKYmms-G*a#F%dFi&6GJjc<=g?8vbs(T~^haNXclU=4g zX+U^>7$FG1!hyk4*?wy<0`Xu2W3rZIRR)6k?7rlnS+{6;46V(J_h3msIEQF*E^7} z+e<~s=iByxCCq8LG7%Dr|>-1d@&k>fuVJsnFcAM@n}|jwy;DX45tDJ+)dc? z8ccN|Af!8=*Nc9adV>t=rEHnSSEZN;9LG*VY1zRP34|YbkuQnK_tfnhXxr_&t-x`( zoVm0VEuzZA#5!>$&RLya;%sU!A2(0@&{27h5aCSR&W|f8(dgp%_(6xv$rx`hSL4-} zVFMEf>dTH>&G8MG`_4Kw>!lAN>g~~tbzJ)R$3rHHx-h;gEET^eneom-Luzy1QJG@{uWV2=*GnRR+N3R=A#XW5sY1<=;QY!4GJ|TsV<&5qten ztQ8O0GpAZ@0e8)>CE4b6J30oy(K!6Z+s8mC8`fUM`SPwV?sFgsLXjz11n*0=OIFS- zi%N2qKe7-Uc+YUx)&lWR1)kI?ZasM|nk6$LeIywqLozAJ(W``IT$w7Uv4t#1&W%lG zQ#l#)3m|Q7;ryviJXU2UPTuO}lqOi!5gS~?Sd zj6bzBD!xJ6UCbaJ7`Bog?K<)jr<+vbLmrh$Hr(*x@M!lPWsIDbUGc^B_c2X;o6R>d zR<7K2o>A_tCC?vD0FN>CXBN_=e+kLCh&^zZt%hg4IBF;Lse8CG@$e4Dl5rlC>=LEtMDkv+8O$J@%k zX=o0pUM6Y%?+htN4w?Xx=V|?*MvlSV03gmahvTJq*<7CWQ&s{6((O`S!ICuWjJ)sR z7YS6toJh00@72Iz4ldGc!fal;l3cl7^0`BMIr(NDX1=n(h(jfHNA#K(~=+Tm1Y+bSG@Z;ON{sE9WaPHh^U3j?Is#C|J$wA&FwNycmeWv@g-%4`9 zI>>Dxf>D5r1Xc^?(Sy0AFw}7+R;l?zaD=yBN&_sid$^j&!oE`gHX^cTR%^>t7^?`H*wGxnv?0m?sTYF5*ei#K@*O$NMMmFwPNsOI7kRAZzwng$pWWD z0QYKq3OcKBcykQMn`{A+PUYI}oY<2&8Z0D{)v4W1QR4t0RC_f1$~`FiY#VHKES^Ak zRA4_$C%+Hcb!_h*Lv`81Jfh5NsPyle*)} z3~vyy!DrR&zdhJ}rS_+#&H`Vf-m;d(NdNTU@Et2Z7Z{Ib)wV`4uO zQg6l4O2L`Kq?Sl)5}X7b7U!>z&r+=u}P~ClU;1mKrgF`~ffJ zL0@rs|6J)ty|TZV!k>F>nJ*${)*4Y(BQRc)i~&aT;(p_v6hEnxAY&I5Mjp(0@K_79 ze&Q`(1alQ0jV}$MZ%|#lDWzW-`(i`q(=py5xE#z-mdJ|2?ix{$j2C^(bG+j~@iIwg*0h@i#A^aPtl){HZnIZp?gf^-cz6SD6 zTH$?=1mf0FBjG~V7|6_)!Adqs<81iX!rZjPqg>dSLANHbS(2^m(g3Myd6LnTs>_G(7jZybd#WfI zvEC1L!cJoZ30j+zcQ-n9_v5~&NZdA)%ru*q;6kCA#j+k`SGN@l0mLpA=T!J|Gy|63 zHt{^gz#@vKgn(=Y+igX>kiWns{>C@ll{7y-puAB|k0C?lIN50DF<6j{0~aRZa#|W{ zH?yhkVnr8KD|&8D?8rb-zVHlj)IhRB3l^Dk+8?qxeiMNeg0NI+aR==cWeqh*Cj99g z7E`cGw8WPNig4XE&Cs8+Wl4%J@;s^8oKm3^MZGNFZUO+;G0aq>mNCSOOuL<%-04*@ zpDjms$6$yBB8#WIOA>{XmzyS?t2|_+n&=y(aLKi;J1+Nu$pu57_jkuAITtz4!@(9t zdvUT&6@PmfU=Sn~W+fB$hoZZhn_+IiAbyR+%To~XNfywtjfS(`$*X`mJ}0eHBY{RD~H>l)Q5nKwtR`s5=cJ4lNP!o)|BB9ib@18O=x|3mr$*aNEb zPz`I~BYIx*D(dh3Qe{waS(z|OE`1{((Gx>4L=p}#)Zm5w`je5_A37Q?)GXANO zNlMdwAU|&6GYLzQ=*E;tDf~DcP@|_;@*#4U4BE~eh8$I$S*v$7p$4TO2lc@hO5oRrs&#VSS!7Nr;AobC6p4- zr(_m`z?hi*KdNx;zHl>KT@T3J;h{2n09%uH|55c#XpOY8(&v4)_zyoSnh4u143KRs|fxWA34 zUK;P!zC3LHi`;;OQD>d|TodcmNBFdTX_akkdkj05mtTRK@EXfV<#2mVhqcg)x&(tm zZVby{pa*@v1~Nh*rLi4<4^6SXS)ec-{v?R;&(fF05Cv!h1k>6{?92``@!T;-K|`QnG1Pi`w~R#BND`pb?lB_TnM zVe_KRDMhs;&XU8;(w0J;r=G8f>H5dD$H%Q>*6IZ(l%vR^&9MTZ}^y@TG25e77srFnkQQYs^=;9}Y2OVv0~|D&cO~ zF6z)V!_UE{<50y!A&%4!CMM*Wk_9ooIsKLh{&dR}V}Miy0eDml2QJs>bO8MFaEa{0 zY~9#Q0x}aFZ(ED0Wn!;omoUKQ@mKjJs-Y9UkF|AH45cg$zr5HG#fda<&CIFuOgoN| zk9DCe&#;Y+wCm7R*!ot}5uQZ1^+$I7SLEV7bk9eCo*zRQOMVOuW*bJXe``Pfq~}AE8c+!*6qI$xXibW0ieZSq*0HSrYBXS_j&8EpA^& z<>2IcaHN5ZsztFnDdMrl5^r(;rX*@5X3+x|>OEj^ODgZnYkb?aIi~1b9@&U4#Y?;# zo*ovNU78=$h?OL>6(JLk&lKG2?&KYql@4P`yx%qe_rqu`hWr>2S*R&J`g5|Oo8>ysjR*mMsEFW?f*5@ z7(|aZG~N#4=jXYtC0CAw9|l-y2H(hm@`^p6R-+zutb9D~KR`Y%^TkldUCa%_u8T7) zUkTN;+_uS@P#hTZ-V9KwHD>Fvs*H<-G{Oku8H?FXw*CrbRP}j)#p5X12&Oe@6SSxD z)2K6=IpW}dJe3`W>DvF4wirHXW5SmTl(3K-5-})V9z1?A#G^1f^*!^kE14S4fMbbz zU#Yc7KkrDbdc=`HYF`Uo&+KYjyW~s02!b&FaW9pYq>YG0d_hiI*=AhonI|*B$Msj} z>OZPpFS=e4=ss1>r$faD-Sa_r0U>aP!P^iH4~%|NpLEVjIj>S6)=alin%I6R?l$e$ zevHhX!00sXx=1FlU*t(>!WLck(#c}y zUJC;0M>5r2X0Ha=>0WAw^arROf1z~TeA*(UQ#ah$CFVz)O%hvzg~59F_f#*B10S}j z3WkHThKhRLZa!(13w1MF&yWmEiG#su^%b#1HGZT`TBYDB}SM^;9W|0?m_IdZ71;<1XBOo*jfgowyO z8F@ltOP=OShd1v2(aQMJv%Cya-ND3>t1`ROW4_2W-vIy=&@M8c}tgqi<;lX@%%zxf-iAF)-`5=r=3sl@@q1B(mO` zz9*s;#hZ71+{4%-v}yD0#X*pn0;bJ)DMO>7d@MO*j{r!px<#KJadQI#3@qNfGxvC+ z+8t&ZNu5EU1ROHUaIQ1)02ZSz!B2Wh2F#@RhLyVAxr8YBKC&s9-36e^D;&fVX=~eN z4b_-7>AR(%VV}Q#d-jlSg5XfBR5y~dWydWOPJWmovr-+lW2iYNM@o6Fe79(O^$;*9nxkChZ(LL^b>uQxqrx9IQp^0AA5t^oDS1L4mB(i z=rd%0FR)BfS?1w@^QC;b=sSynv1ye`5zIbtwuAOkiJMvegpAKR=B;l8z;#n-Vt4m@ z1kpiB$CWU+CR(K{xJ+?c)7bK@%v&e~|AD>6=L%G;db2HCnc`V#@^a=4jFT7F$Q-b+ z*%e*X6l0nFPHFKbjGq!04?&`mAkomXM3royMEj$IVX%b)3AmTEojPi%qZFpe>{d`x z0;|37N=1!+k-e`f(dt|_c>eP5U1q8JAOIw9LHAdSq;cJ7#ds77x9NsHKkyY(xiL_O z)-eHdX_?c7@45ZX3sa87JBGQ2uoZ40p$oJxZ_676;Gr>w;yc;8XIH2op?ik<+PS=& z+*9Ik2V)F7FaYhY9o5AM6hmE95QTd?xU2MZeVRiefeQXZDe8;qv}95e*`hpkSPS|Z zR^J}reh;G;?C4fDi(**=!4q)iY0rb3993UeM5DzlwITp1nWn$wmdPa>)LzU2s*w{f zzk&85isA(xPC0$M-|U6jmckG>^jSgYLi-_G^z8sUY;j_TD*gv86msa`b9|S z2U34MzInOY3*gbr7W(GE>r0k=eoBwoX5idch~w!(57k`xQD9zup7ze`Nz3k7{(6mj!-~b7j)8uhT6Lb8ef*)=wa%JhGO*ZZBC> zJCe&&sS*$z$R|-({soKHAXaiSLpBodrX8c03)xJv`Zt=n#C#XROK?i{W~N_c)2C@p^KWoJHxQ;T%$ zv|AIJ^@>H@=zQq^Q1{sW^Oy`B(_7Tl+T<+jj$PQcU9D;kH*i4xdf;b~3A_-1E zTtiL&QhWeT{)m2g2^IhV;duh1d>=(oXX^Dg!h0glTkJPBXs%Y}f0K8wpv}WK(-Qs3 zvdQ_s09^dgkV-*UADSdo2-^q5z8>ql7|PcH>c4^i=uY*2mVaOEq5rLFKydz+`d@t3 z|Mj>5^xyxzmC*(Q|7FwuBl`b;u4Mn8s{F^N^7b;nwz?HgI{qC4Qp041HSs>`D}+{l zMfumwd$bPp-zslpU_)GP+{y^&jrEA&w`0dzQF~*+Y;iPNE-59$gJb*ahk0T9$)n?E zUOHl73n0g7yep5<7VdYmfMJW^28ARbf@(bh>0bd?T8!#B>-!l0^P>N0g8%P(!P=$X z%=xxAnAQFpU*CvpE2~bV;1+)mUB)wEFo8*LxhVPnM@_oNpc+jGv0ZD~Rxx z4=QB=cMDuUc0D{?i0+Zi%+5f)n7lnt%Q}LiEZ-b_e|WI8wzj=Ji*u=Sakjg-ah@g~ zZL#sHMjyO+J!$vq&EHt2V?7{xOkgvf`7b4N!dZvwglQs3S7|(d-F#8%r=yCue7oc%gZ;D zPziofGpl||;5)bnU=|T-MzgDFxr4k%db3Tj731Psb(CNZLSNcpJ<4gM#E(yYUerY` zCnX8bYU`AGPuN3Ay6xCBx)z6N=~8ORdwVy3wOkA}EDKW8^fYmBPc-cUu3@J$721LX ztZjiiTT4&A2TPdt=w{PSo=#4B{ZYIuz=^q@$4<9G04fpocw$|x=HVVWIdnqb0UV1} zR>)zi1TSO$yBIGDyRmo_bhNI0UM|HpIqkq0{ z{%jZ?E68sZq zf<~C#Ly#LKoBBTG8CrC`qV3TO$uwO3y8@ive~B}|tt_g}ImkFwTgyhD^n`|IbBuK6 z+iQZ51(4QW-V+SGvl?2nAO3!~T~w3Aa9|o`d$`=%I%a1|w~mvJTfFya@igFmVB$75 zX2YPbtG(lJ@HQ-3vF)s;$ww@J+KJ3J>xT8|%?=Tk7jZgeD)f=L{XtUA5BhxKH#1lh zH*vgbJ=E2_+&#%cwHb|Chf6$42(7qW*1Fe&oxC=B2Kk=8LM=ZxG(P1XFh3?<9-2Ou1x!b9 znSt?`-TQO0bz^6!>e8$>ms~Ep74va3;^Ur3MgU%)2C)qrlOZaD#XsbLaY8Yp=qMx^W zftgRe7flOlQgeth`P`6fl^|(|shm2Nh=GTee6zN;4m#OcvqeklUmwM_{iHEP5ipT4Yb8HGp5(ZH8?mEbFT-H5djR_PM&b0* zdbe-N!H)BqG~u7Ot=3E=E|nnw z^*fLv^Yk{WQ?xybU>@K^L#PN5u5u2Zf-9KP$RF-MKY5 zW@7h#93?e|nY*}N`pc?zDN)I%_KYtB|EgjobI+YkF=PckZP8#4a`2Shl9;5~Gd?xC z6+Q9JCTHP3)}iB5?vd5cUt~CiwnfDreP0YWxp=jd>_`j?7&mtJms;HGd!2?&*|;*1 z>;0x;PJg@n<$-}2bQHCI>{Y|hHbJWG>f|i?j-$}=$!jO49k~#I{ol104U!+*08gbIONsi_l&X znwyBL0w+fJ$tqhs7G2LDgidZA4K~b#+_TTPv2of$O<4v|F)Ehx& zKE@brvKHRMCKf97U()e5A^%`R=`?x2;($Eyo5N#g=mY+apy~wRFv?QjXMQ!!Vmx}0 zdGSZk=BHHf6HjRg3Ws7gEA6PYiI{HW%o?^&QE~ViFWlzfv*yFuyd#+tu}MuI*((wr z8Rz0|e(#MCr%z8X>Y^Vvm`rUjYB{;M8UZ;B5l@K~*iW@FmMt%2GTrSfBQ)XZui5Pt z`g5LWohszOO=~%uOh7Y*Av}Ds1!9rnkWIL67qi`pFp ztI$ueRzK!hHM8Ydfs<)&rHiwprzUTF2E$xeM8!;^H+_E>?az-B!*gwyGJAd0)BPsu z=h2%>lirW59%3DZk?}b_5aW;V4pQM=D@ye@(e{pd_+iuUoZw=9Fhf1rs@LD(;-#}E zr?8G9Xr)ec5kMIqEYSWqm4X4r?JsSCdOwC@vEYr27lx4YKGgV{|MhNWbNt(^Lv zN1^c!x~{Gc?T6F50uD~&x|xbO3(3djkQNKuduIfol!X9BiN6K)I*^t#lI}=9Qa+|3RS8e(NM=hAUEr0<>_2u;f^v$)I z0USqlyq9k?dotI4_M>>EAykh|W9vs(Kw+!Dah`y~wCBMnZ$gY8cG(+-SYrng??~`W zifZN47Ls2gYF7>Nz_YSU7CyK1?)FEm-usq&i=)%emg{Ke%wr%&>~xy58a?f-FDKi^ zG|NfNg~utiMlvA_`+M4XEIY2-Wh})1UHEyL@Jun}xy9K1@I~x8t|Bsj)WK@j-W&Ig zPhlAh6Ku$WZFD27#p7_#J;|P*$irtvlgXL|}X4vy887@tFxjvc5NOUf*kFdgC zaxiTdk+X^#?G-s~M8S;bg%PFmaoX-oyc%0skjK~S^^Ze*oZ(hXKc|nMu*DM++gUR* ztb#I)e-)ytTvygkAv^nZL+2~bljT`ZPq|r1bl>bmy@=F2KTpP6ZP#xqJ{REh`qp>x z)L?pxRx7aG2ItcA_Am9*2*4a)(AhK2DJKicCK0O_aAe*!m>E%+bf< zb^HEcc@$S5;`wCGVzP9c+0Sh@S;0SZV(ypc;@O(=-*RePXxW+RP$6wW8Vzp=Ln z3cC8jwjO@(I*W8lU0uJeyNwRUjoLQgXFks{*WdZ`{RbJ(^)Syi#}lO^(mG$s2#Q_3O($M zHg$NJC+pd4`Z{_O>sdI*i`nz4KTGl?!nBSv_xZO^I8G_CfNMdUbs<2`Q`*@bcN(!oa*CIX;p%6yUnjUleIHpDN0) z@!i*T#o=8Drgw(Z%gg9{n*-#Z`1*y?*fRF|s;Dwztec%%Nj6g@-Ao@A7Vq`B-Z7X= z-Ru|?mUwy(K4r7lccHxOT<^6q&^tAmHmJ9kP5FELG8(S6o#pILfElE|tp8^d-bJ;Z zg5`3u8=1vWRCf5wrseaOCwShP75SQhitDnfTu-~0lwzt%ot~*ycY~O@U7t@hW|*8X zimpr3SgTNRkV`X1aS;QWK*e2r{=5*mvQP94;9O37+HG0b}s=ZRk8%kl{4neUi#*~EKVV*YSDj>FdF zza@ZkiA@X@a5Yt4*8aW5gT)lKGuyn$5mZms1l(Wds+2LQ(LeKg}tOU^CyAi=A_cEbQI#XW#C2 zeVu2{L~o}z$;0an9mbi{jILfQZU4pY{PFR8W8*m1-RrlpPR8ftfW;N;VH&}py0}+$ zegD79&u=~Fxkf3q>PfIzq?SSirI2net!yS_1|V39X4HHLtn zcE;8Y6zt%yiVzkVWv{=CncFw1)6dYWvPjw(HA~x0z;Dz=S+}E#EG`6>K zv@R?8}`4s(<-vzaW zuz?q_Qe6KuvVvTFJ^Bv12v>gsH?O`x)CQvPUsTb>&e#OPO2GqR{pX_K=HlYuqA;QO z=N=nq2=ql^{lD*VgA)JSJvMewj(@+$3##xR?{RZ;bMS(q{o6e*_Wy9t!Oprv#-Ma8iZ(V5SJeb9E@^FIL%{)RhyGoZLQ6pGsVI-As2CUL)8`zl?CjiJ+-&UJ qVr-l**tuDGxVgE6DE{v+(YbC`13QPSCIQ9dX6J%XQ;W%oL;e>CTeRi? diff --git a/user_guide_src/source/images/codeigniter_1.7.1_library_reference.png b/user_guide_src/source/images/codeigniter_1.7.1_library_reference.png deleted file mode 100644 index 7f054f95f64b76e6157996aa0663b62c8cdb23cb..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 111747 zcmb6AV|XQ9v;_*swr$&X$Lu7XbkwnJ+qSV|b!^)m?4*-)Y}?k|@A=O8e%(KJJx_LO zSJkSu7v`8_jx{UlyRr;20s#UT7#OmgtfU$k7=#w+cnA&#^r^4q;0F2!X0}fPt z;Y=ez-{Bo)wOzo#T&Mo~125Pz%>$hza+T6@Rd+CV^)PZa0~0rOFg7ETwsJP}aB#M9 zA^WDz1=BcR00u?|CMPNW!!!3h&%+l>>T7JPYw1djr3V*I_NoUC0fNHt8x&ztvrIH} z34CM%g(ehYF!GP@;Lxf}bbn)@;Gi%hBxI@c?)Q_cy81*fF~C)C&>wD|&IRkbojtmE zIRyn@W-R(R?}&HYRZ~^J|8HrxjtuYs$NJy$*>}?gl};71d#U!n*Pq>LWewp0m@O3J z$-9sL|Fhh+T8xWwY)lemrL4L^jU)m)z1*54H+_ICJ~pYMO}bi%LJK0 zMGnazh8FM(2rt${RS3~s^xU)~E0>H01uov+IQ1(TD)5x|_Jf;Bg1GD(_$WKYj9HoXma<+^2H{39$V({qZxg zo=R>(9z)-p)2N|AwmodHPL8sRX};CR!&tX%)ITaP3A{x*M5nl;NLe1Dd&>MhIHW-y zqjhWi&0?Ix4S@2?f=fTQoUDM8V51KPk|FK4Y9buqtXURApy$&ghFm*&_S6*@KDWP~ zZ9#yz2L^T2l;=xv{X>;XW#d?h=AH&qr}#!xd2+*?iU@gEvxbI_VmDgqhLwDhqp>`e zpav&~irk=##8i6}I@WU=Tv{n7oGdy+_zEbIOm%9SRS*d`6%@3ffDvS5`b@ITY~$=A31W^mk*y#&4r4Yv%H)J%X5YnZZ~VcSbJ$rlJ8gUe~NCrwkW zHL&}u3obUcL_eA3G;m;pUR#)Wz6U5Qb9cGXFu~!Tz?Mu6-$lj#@$qCeSB1+1^vR(m zUV`r9k#qKNP9CmF5LNzaFoBPaKg>oUu6Wu%x!zyeZgJAT{^c0MFIQT0#oTs1I1r*I z>du4%WUr!{Yj&{!thdI|_PvC6=(b+Jp3HMyEL7ffLYNq5cG}{rT&+jR7hBzzeBda{ z4GOX)uH^6-v1QfEVQhkfEB@-quJ~7j|MZ7(oCWuxaeaA5fEvEMT!ae9y-Wq1PC6Lf z;{k3V-dR_0hP3g5o;8s>os-pMh1oWpEmcD+4BkeoeEZ%hv}Bp#Zw5cLagN2tsTxl6*(-ogMfGoqbgF8Aw`F^J_`504rmCC>m&8L)D*@2R(=6zS z*fIKe!Y`9-Hfx#rxN4(l(32gu<@>Gttgd_`5IolNoSnh+#p0s35SiD}=+~dd*b22d zzkaZ`rF(?6r2mX{FZQB?qo>~cNbG-Q}h;#9>P*k}2z!dI5L*x1NWv<%K=XNHyu%v$Wf`87^a;}53qg%XCYb?Iv2ZI_02HT12aI>9)l|2hef#1>0c%!1575(F@_qm%}g`0rH-tM@NJ5nA~ zlgl)L^@Tf4&oxBrtM~2Eba7)zD2-A!8XCIzYJ%vlW5@O5gA^Lne-#9rg1yUAW|s6P zxqo$0{Qj|^`Gd>5&$Vd0BNZz>oI98%uAHJICEUUUM{&7gpFPPbw@#+agaUn;WMt^CYZy9q_b zlA_M+%@9~ls}Tg8Emurve0*8uBhp70hX29f7d=hG2@XE9%vDXP97pU$l%SG3j9-I4 z*8i!MnH5N0p)KbzHoP{!Rdx;>u2Dzf)acH;4a1eSS$*qSj7E7jTH}F1A^vmGWS*3h zB>pDi=V|ip={!HLU2lbXKurxLBVF{*dO}6TVpV~4hY%~2pDHxgWbFB~rmcQ)F)1T$ zB-8>hAj*aH6$$q~H1x82kkMha%GDT8O8eVRH=2XP(`lXW(&y7_hD2Dt3mlR!BU^q< z#EB& ztSn=%hGDd%H^klJjlNk+%-rQ}wzoTC`SG6FZHwPw0sLF*;UJPJoO8FbGPT;Clq&3F zx!S^5{&;S5G)BtleW@oO6K$!lH6D(u@3^F}){13ep8V^V(pEb2go1JzA7e~J2J_JV znS!AyRr%9Zd24rW{o%9~ry-b5NDxX0th%cH%txNU&6Hi6)6@IQu-nPt%e!xK?-$?^ z5>`zgbdj}ZIAth;({Kt8CYEq)#boT5%ahHBjrZJ-#qO z%8H`pd|Ao)+8AsM&JINP`#W4@BpDlDX6&HE4>8XeoM#wl^p#d-ySE1u|F2Kk{{1EW zVm8ry_a5(?)sLrQ9z47zM{+4Iuk|KVct%q1NTURiXq~EqQ5lk*6tBCA%4*3{I3{Rl z=&&zu7RLJOM#T(6?2l~g2C@PkxN45sQDKF4nxvZj8%>9`P<5 z+JpQ}M$zWWkP)xiLu|5nkLFrz_&rXsMpjlNxoxDoK0i9D3`9rQoe}dKx|5=dD4L}y z8O?z-G#trUggj^@1oGc)nH-d}B{PhMv;?fNU_?a^eP8KgKz6_SS503@v1IIe2Wo8i zdT=}`SI8TSRaKHYdifViQBlz>J`$FNsooFOB04o%IYqtp#Kvx+NB=M3UVw6)5nj33 z)g}la^;`c!4i3#(wrHK5R&P*Reu{|>af-T|Jnz<)=N~@yi!mt3dmhfoz(d{_$)-`EV_|;#arUqK z^`Z?bEUdwDU$&M|F#Won4?rZG?S8R(a}7&+{kKBZl#1$lGz9f_xA0qaj$j7l+hfE1 zSsgx`H&?^OTGPix+l%>wwZ5o(tVfyhfupZb-Q}`)!azur-4-C#?@jCdxOfU=<~YJW z7;Ck}QdwC{dBTLGE!j6QxR_YjBfAYIC#y}g>ObquKZ>L*1A*x*)YWDRo62%KA6|FM zk28WGk5un9fg!S1AC$HgpmMg^bKZGi%(4@yX zS*x8cM(=BME+(xOj}H%c@O1=^?SB|g_wEJ)c{#BwJY?$>f)=J-Gc5dnI>s+a0y95k z->bTU%*~NCt5QDM>-TbrGw$cV8_DVsm3DLlt|_QPBH;_9uB(^x<)w%7eg{F-obBlL z#q<~=t}zq{eqSmpoBMWP^jL7!_5JaC2KswdM5(K_Iioo_99J)%!$TdnLgA5!xT9NQ zaOU>Pa-N;$X`*eckN=gxhn<`}hefEX>qKvwO4KZ>IerQ~sbq)F?-=gq@*g9^BtKmY z9q$cgJ$qurlZ;$J00S{2Ef*0KG_W;r5Czs<+PI1$HIgksPg)Ya26K6P90B7q#ZP0R zM1UY5YqnC44|v*;LWH2wmM)%Wcit2NxflKx3)K9+M*;zrUIsEQmiUs5E>*9~Z(2>} z=lWggA|9I)k8N9{Cs`Tl>G>*(Z;wQuyNJpM`?DQxHkX;45!u-U0{Q{MIq6J=UI`@c z&np)DI5@ksa3I2jwp583LaTDP2aSjZhKx4f%4`5?C(7r^xM{`mZ#Vy9X=$o%4HRBn z1vddhO!Rd^6kxd@HFIAW$L^}U`HlfgM+4WUMneK8OAi|JX(sd{Wg81m~ zD*pVOm?8V47>}(|U?Mr5pYJihHP**id}(KO?D@WFEh%sO6NwiTvc1E?OD@qWXfPa< zvVvI+Jp`;aYY5Y$5lHk~kwWIiKOfGVb{_fuEiPQ&XR_<@+TwAFd}iL^<7+W6EVmg! zn)e?#7O>+*TF-~y7Ev5N90$!zB7$a?{bF^_W`XWMi(I{R{u@tZG&LBOyWRjPO!qAW z0aU)o{Aub<*NMXtG7#oU3cKYGO?!tgmR=fJ=VxxzU=drpw78aYc))cOd0@R;@(6Nt z4Z(APGi6J}9t8l-2zfaQA)(x|JVDA1y#+{rv8Nn|!~W5@bv`qM7Hn)hsG#0rnI?x1 zZ|?-62@8evdY>zOU#AFKt!^jEH(uL1~a%k;h{AE=1NiGGJw^m?`WgNU%+^Z{MyROCX9 zw(=X>tFrP3xDf%eIEXIi2}VGAS}rp5`rIkaU}J4l!a+$&f{aeeN(ot~-;^iC{hExz zK8b!0rW)lSXgE-{|$=v*@^suYb0v$DMH%hB|{(40h| zBso5_Z3gO8jS%6CCe`Rpj86@t+~bQ7DVR|o^w%d*I;~zrGGK$~z-=%@cTggY(zu{s zc0mQ*DR>jz?$O@26y-cRMU`@d$e1`OG^x|7-?KhmM$pY-Up`j{5l@?Yt6i5AUP~+s zVxSu<=vis$xzk{Mo(@w=sA>s0!&?+Gj3I)Jjh8!p`6J>V_o*W95Ilo+$+UmL-G;c73EE*cTMn*a8ks&?MQo|78n)-%yjfhg#+nJsH>dk?H z0rFBbd^|W+Bf-#c4|hY`7jdOU!JWSu(v@;x0uk}JjUYY?3*!#vJXe)Ke#O@N(~G*j z?!TB&G&Uce3Eact2V+d6zd*0ZkCEDDZ)F?-J_E`f*2o1uDiL9$(jjJ%R4l&A=8%7s zwXwndON>ANe*Dw*a@!J#zPp>V;qq-WM}880V{*x0rKMts#uRj~w_0TI207rnzSrnG zZEdKrQRl;LaWE3S*4WmyHcULc@$^y!_N-~sd_HjyX@!f8E~>4K_ep0Ge_D63bQ1s# z$t+kBv#v9UVP?CZ4tJ=Ruj}Wq{POht^mVV+9VQwh?XGg>t2;Mr(TxmaZi^}3#yUMjL&6_C2e3J;`d?}8@RcaW8r>v__AhS ztlMVqO3W3xU8aQpbUSJ5eaYWA|Cc2@VsSgFeU@|w;vE74E;811_pENOevRMfnaxc@ zqn!u^Y*gq0D+HK7#>$rHVLoHJlg>=E(uvLeU0Y4!34~T|eg4ldFr6c2dPF||YTZ=y zU^y@`@VJa1ST~(uy;T4^?ChY(SleHOMkQpN&pTBY#5%Luw#uY3SaLV}@(YeFnbOjJ zEG(j*pT&3>l5O?fq1e4X9i2R!%@H6~8+2zTS2O(wLV}=mC%}p-<0mXA`W8#BUUog4 z<6wMyLoP@k_07O{;KJq5k%bzX7!40!&PyB|81PJPb_7(}k)_Z&EO4z7R`r2Yka+XGW8-C4=! zw#t{w12a!s7N=cT$@Mn4K|w+Pk*L3a=TFx9MB79@`K)M_(Uv;7ZE%?>s3?L#yzn$A zGMzceG%IAwe{y>w#p|{>fsUE3ptmeM@9ZD@eqn^x^AnmFY4Y0^rYA~!K;|0=1=dSkUBgBM7&VJXqKNfd#=P6go6@$c!lU}{Q zQqh-3XzdiJZfRLqSepOsVi8Th-OQ+KydR;oY1l;onVERI0v=`E6_HIc2^d(|QW|pb znlaGgXo+CO8Mvx7Iz}y8VrY&FOX}Kc!JwGc#R7=2Se?~HDH1>uM^~g)1s@kfDassI z-_93n&gr(ei09`wp`uh;+xo~WjK)!*RtZuw29D2S$f6h0GrD>-v9T?YVea+y|5LJV zu6l-Ef3iCqRu9H4tW z73;rRze_?-vk83td@Vss4kSL!43C*y--6^(5D$0!!(pzHWs8Go6@gl;R>}7As+OA* zqgh2wCy*U{?+R5gR3N^5cE;ZlAc|68_jLIj5tbBi80%A;M@FWAp(N-=!6%R%yEiuR zXPTOa0ik?D*-H*yq_;Qo{e67$&tSpgU!!d?Q*D~FXQ$}s7{ar0^M*t~qL`8fws>LT zaI=HT>Ojb)dkGTef7-`8WqWl$L`52v{rR?13LCMFM>?h8IwLeSzAH@7T#v8pOlyN^ z@nz#&BemRMxUQp>Q(bzK0*10>?7}A6-FUo@tmNp0IJ)E*lq=;pXN(h6Yzft5>+JI6`(Y{sG`ur?}kV>)Mb1T?647ybTZ>8A%#2 zQ^_Lu?)BGMKQVlpJ|k9;Ciz?X90G*0O2H&dv!2(F`*2qR`^Z1)w8%@}zTpcUv?yQ@ z0MEj`Z5`!)3on)3_|jI(VIKNE;(w6{q(&!WZ~-_b0I#$9YNO$qhSvTBJnmjIDFn4k zDRq0nZ&V5xn!u0lYeD3>DJhknkTun6tHx216DMt zkOAx=$});w?h8x*lC!d3)yFkdK&)y^Pu`$C_I!Qhu0l}e8l7Hi~x%?A(W&p6mWR(Hfkz6ype zs(8ixY{o4b9EmKdsFqa!pDmW>nD4K8AdTR^5>^#UQU8B?F|{10-arOg=&(Kvv*ez^ zMd_@#%4?bLw#lHwjoN^%zAhw$uMkTp?8^$1Xl?a&0ysW1N7#$+CFz4#;?iM}^54y$ z81#OHIRkp7+B6pCv(sh$x+VaJ1l+ys&MxrR7$KrQYRf7Hhs__ zfoYuU9kjebH=CMjTd5%Qj3&QBZqx)6WA^t__GQ{7&O4+0_w1vE1=Ra`1N<9(a~8OWgsAS z1Ge|tx$+qK4R)@?{itat#_^yi3Akk2XW23k!{8WxrGh zSe2SO%c57abtHyZl+~q2>G0+XhoZ523d+-U8l5@eP>{uo=jfzw9i*fsp))PfWFSz0 z?6e%UF*7*doqDU`(&WSPS5Wcc!MUkR!zwfw-rwJooXCyAxB^21;o1}H9Zy6|?BUJ9 zs(+R;GrW6{!%@&E0={lyMtA`#xxtXw)+%iWINIC`ffi@PaRmdRxbC(U-$Te!e&vQK z*NrWW{j}o!x=LcLr^VeBD*`aCbj@yTLQ$vkgBE!Akif8dGB(s5f%LLy=&r4~{ZZLa8>WPdm^ zK7QKKSZomgmw#~Vf~&~qzPfe8b|Ufk_%obHNv`lnBQ>j2Z+mEcq@(n@7b9@WJ2_6& zmYj(U0t{E#wh83-axe5Z2B{1a@>B92st+?38aA)m7 z_W^StgLv4qy~ztFt7@u2q;!>d&D^%L0O6Mo6VB^~qp*8d-g6IZQc%!0hwVppkKIIK zOK4{Ih`h8(eOmq-DhP-t6(V34qo&haPjUO*zpe%&De2L8V(s)fPusi=lk)XPNzL=I z0D26LO}rbN;YkDQp<@b^ zjJO+AWwX&(E7$W`TAyh0agOI{xAe(ig}~cZAg2g1H6=leGYi7Ecj{D~28PsW{YjT9UtPz4>cI2g6Rm-;iU7}M1gelwSm zPex)F{Z!9=rlbS|omkFT9zml;;~0wg;h%u@skN-4Nc^IHf`W5Wrf;sdkFbt-NaT3s zJguC7U(sCPKkc(|kqjwmeHMD!WUI|iXaTZ5Hq?y$K`J~sInj~p-ViuA6w}WlT6iP` zyhP>E8;5eT`5=e3m=ODLFB z^e%yLi;&6T#BkBse6(>;b?k4)TH8}7s-l=D<@{H!8;aEw{?qL#glN?zFoM)8wiojC zW-sU?mz9OQR?5Xzi{FVMX(|^9WVHx12r-C!>7GzI)8Qz>a`d$PDM>IK(a0|{yRG2f zd8l>F1{1AzqJ|4^JEYsF6-i0xH={ew+m8w-XsVQkgNOCtF!J&uRG^TOSc$+-lSU|F)uK#nmwmRv-LKKy&0CADL)DK&%a*PzK z%~OJZc6vbdyL_@ETORGKtaaBlIQu>ytYX-$@P7p+$IL?&m9>R_87Q%NTqqGk1B6%I zaX8E>(*Tt=5n->77qf-!{mx6j%)5JE$S z+vm6L24jBF_j=5TAvrxgOp<(V;uak#Q&XtDu`LyQdye z87e%!Vv<@^7|};N`H=+3_*NG1@Q7yP^*P^tpqk)`8<|`-62b4!)*^~mGB8$UaoADtqV}b|Aey_}?$i7F zcH=+w3x|fnU=k7zeM42+?L2#9d!6xVSpA*F^TAG|+?@|XR-Sanb`_={;8z8yO*n%(ydG{sTv?dI#V#iYfTgws7wvBd#T0N-9KP7wCJEbYy=?_JL6 zt#uOWw%P8yya2B+4^cZ>bpv|0dg3Ck0wQrWnM;pa{EoLeVgIvkf4-nGK(18&+1ngv zEhVD9FM??%pEZ$NaNOG$H%UnK(Z1Xd4>e%DoCUpmfytL@{SIqH=iPHLl$gWEg1xZglVIPkXwV%L- zP)U7nC;l_u>cY;>>`Ha>*-{0Wq9V$bb|X%UznmbPp=I3k&2u~Zhlz!UG_G~ZKqqV< z9fLCsR?)UttQPhB^2Ywy+aQZkt=AFk(&6QLwHXE?Yx=)F1r}SRTy3{V@S_B!H)Wih z$kB}&3gD^(s2C(~8-c27Kc>EUB#dpF?N^!s)#`Y^C+5gBrB8#8%L7ZwI%nc|YD7+k3soozxnY^9B%Ttt- zk^n(iyafk1?05tzy$?z!6+<+KtZSl$7cAH`?px>MYxjTS6X(&*a9x9GhNmzv77%$f&8|6>7rdFiFc?GUA)9 z7lW&-iOfYr;sC;3?5^Xoqp|pMZMDK3AO8fsE*=hid%YO(Ejan__s~W3-pFZH0AzxU zusPE+l&HW_ATWW@fe597&-GY_sl`nZ@D679Z8ScR7gPh^cTbFhf{`hZP$0OQ5Ky!HRq+Krac(wY2{$}Lz;S7T+4*Gf_E^8J%)L@C}l9(pEl39E@P9Fd2?S z^Dej8pyqYC?knmDTnIKpZ|Ajb9j#EaHaZ`49U}{5^Tdq^Unzj_Idp0wR5CoSI}101 z#pEC79b3-S{=uPfi%yi?CKkS|k}|mvM=s5rlBf5Ji_pzNidF+CLTIngygruY3e=x9 zk=#~vW|-D(A*1GxIyz!KylB%*PEC~UQYOy)+LwsFMZ_1_r2$33FHbHpS)z74KxQwP zlu-qIiubW1a!N|X79Ax?EvAS)OgtW6xMG=v5zwk47JR(^!>BOvXKHk8ECTWkrNMB= zc5sjakLTRnniL98^CE1-Ouf86QCN^Il#IE2`;6a)*;Q8B4cjGxW$`~yg zHugl@maWBOu1pkMg7I6{TKiW@4%ExnQOhn&c`s4|Bwe@Q86Hv4tcTxG&<5hx?n9hn?v0-Kw?dONSYVO!h0 z(CIM9a%0M5kq`^=@7IeSRBLPPLjnAa=OCw%cKq%2}CkjP!g0w zbbJ{yn=ihtzE9kweQoL6vuKJHeD23|o4p`yKBGXb>Sk=bum_g?EeAb_^ogXv?X9(1 z?@?d`T1x0)iW9`-2Pr9KMf{TwYihyC{I?QZ&o{%O5`>0J1jkf$e#S>e=I4tN)P$>O z)(xp?Oz>_w9Mn8%Zr88PSuRXviKLv|krXS`*=Keu=1%@GS~zB((&Ece5z!m#rF_e5 zGX!so@5oD7s)qh9A*iPzsi%fqo~$z86{ib7{r8O^E)La`$87LvfIPxHmkK-Wc!IS3VwQMx#R{dTi=HV91;Le%nRb- z^+0w)MOB^2W3KkHEvQEl{AtPZva)EER#8G-&(w#knNpMKOWS6*gXfq~eLiUkg8`65 zWNM6y$=RtAW0!eRNQjhNR7A`I%Cx0q(G*5IJIg`Eu)8NKeXOX$d`Z1MuO=hWR050~UaICi>?&l3Td*o4#1^eIVH@a6MSa#th2lN=z! zU07Jyws{<|t^rY@y#4+8sZ91f%qY2%GV0{Kw3wkCz)ZcGNX}#6ePCmt?ponkSviC^6E$L^q#h0LKx)3;Uvk+z898mzwQpNd%MV@XmLt= zNwKolvUHNA$K4tB;urUMO=;w=EKTCo?V}?g@(}Ev#HfzL!7Djr5;ZQQ1Hr!j7TLr) z+q-nGENErj<2y3Lq$ELhJ+gc4LJd+5S}oRclkXI|UMv#BVxUBX_=nW)70Q%3y*omH zqAm9NEi#C12(8CULZP?eKDk)Y@VT|&z`~H@)hfXYK{w;^>2F?EI~ZWn8=~PuZ>a1p ze4PArb)^?nlp507HpANc8NxfLJq^~SHJri_WZl=}JcwvF=*LZ>GD z`Wo$UN;`1!V1I==2G4CwIB;0E>K~iQsA4u(RH@C<%>8-Ra5V2GNX21u-e+d=+{Hh4 z7i?P>K$@kytNSdBjQpYfJJMz@_TR#hV6bUd*&^WM`DFQ;3 z%MT2iNXlye4b~eCvEd;JwcKkrTUMr=eU9p=K2w^SoAY{i0W(sa@1}Xd(J(L+bx!d? zrW?kju+Dbu-Rjqs=W_`N1g)L6EfI*WjTsZp^1XwL={q3nK{n1bJqyduzcu@v^$sC@ z?N^~OOicdt#PRixJHCM4)HB$7N@nJ~2vUHOr6n5(8jF7a&R%IEE%ZsKW%4_5vnLS1 z3fYVq2!Wk%S%Z;AB9zk8<2*-Uq?AUY=Hkk1ZwIAL0Q_I^QO-q&r^d=T-A?=J*YYfz z3Br-^r$90E_00{n08KPHWq3$q@au0!DI)^O0b=q|a(=cb{fh6ZD#QY=SQ_maqHj46 z^~O?htHh)VXx|GZBqb%vx{FfD`p`i6G*r2bnBr*Pi$|lHZhVT!iX_6mxffvkfNKX< zwrU2EZCBlmgxAb1UfvF4s}@24z2T~=NK~L}XD%Ms1M(Pny==+!NeM-;BIx==1lW{CnqgU1bT!(>dL|~d5SM{*YZe*&`|K0H{ z0Jrquh&{(oH3nw=>zSgUY(^(cx>&mScChEi>V=*2mM(b4x#R&pPim!+Nb z24yaamlM9!{23KP2$ODaIa~#pX;OHpsi~jea#X9_`10IAv~d^+RQ&#(?DJ5p`cWXB zL|EF<5p9XfMp;!3y>NiMJ#oG2)m2AQm5TcTX>LwcQi@BaD1C2CxnSuG4jGZUABc*} zA%jY5$c1mUR7N~<6axo$FT-rfm*EkgIBU3I%}t?WN<_r(jZ{7_p23ob4ps5{Hw_(G zYBMMO!ooicOw72Ia|I_=c#D~m`A#K9i4YS$7oM!{ZeIb9%g7a4yr@ot3fM5lA>y)~ zXsC3ucP#Wb30CEh`lKYnFqA;1N!%VBXmoV+CFmh$T!2dlaJ^2-Bfc?K-jUTVEs3Bao;$ow3F&EW;^Pf!e=-c zj>L$Cf{dF*NplGLsdnco41Jw7?qnCmn!&~C92c9Tb~KZF+j`1iC%>N+u^RD05)yYc zX0oR*RpBC#3@)x!UNUSQO;J^$|-Burm?ecuc}^w*QNkU{eCq`gB5 z8Qk%lIxC}sC^i99x*$x9U?g38TuR=Sx3e=L1?DCEF++cND9D14!~c9>!Cay&N3Lb^ z2^~$46jKf&lZuGH#7!;23^26K1PztAdhkk)*l zRV@+|f3zhg&B1$f4PI^ik!Hp7*DMQv5)k*0dSQHjfjgF!Q`+et@XJ+HrV^x`$28lB zi~O{BvxJXaCT2-z4hUj4@SPbTeNxp_4G$!E+SF%YsH$4N9kGA|OshyD*}i?+G&(m5 z6(L9>5h*Adu03s$8+VqNHqtu89km>zTLwrI!^tN1uey;MSJpkiDTh@}I4CoH)eL3$ z8=zS(OUO`K&LIdmyEHz(Hv!q;!bc0GdJ1G{kNq<~l9T2TbdZA4^9pQ;cDr>zvSohl zS7_0$1lM4xZXccAFQ`8ZGn5q0z15kG(Hym|ZU8~F*-G+dShTRw=J&qb6wW0WO%@*}8_o6n9QmujJ= z2G0T20c!@8=ED-YZI1;)KXk4*!r$KT`a~kWi3?#n<_cB#(@}n02Jw+4T~H!>8-116C!-@QzOW}7pz*K#>1hpsZb(P+zPs)9*J;fI zEnI z3g2O%e6E+gy$xQyc$6v=4Z6X}VBT;b0n+EGG2n^>g01l)#=%j5*mBMYL-Aa&KEm(q z$?{vT|@na@#tMdQW2EI z4frNX@;Oh!@`d}XF>wYkA!{@m8cR(}SJm+a0Q`Jh&MhJQ{mm~s9GGlGwTJjs^eQ)( z3?@$>@=dCm)G{+vfM?!KZa|OA3152p=BrhBbnKRN0w{4whgo%f4dr_NOlJjt?zBZo zX~~_zu;Q74&5JIpty0PhUDsjrw!-;S|7-(lF)J(hO_9ya7Jn>F?A>NTI7EcMbD=;`x+^IzG)mX2MyvcV+`)dLFMM@^+7ifDoU>9oi>vv__x7?R$ksY zGTK&rFljF|ECK@$Ev~}-=7M((Utr%nTEY4H@n*2%>86?ui(t(}TZ&#^U;mg(IvR*u zv}k>Ehb%cNZlw(`4o?2#N7~MTnFPprs~LzZDKQrgC>?KWR2yXuxfL&?u5bWw(6W6ljli5R6*Hw>c8;84%0)~B(1LebqGCuvUAzOH&++RY5xDM)Fh*&Wg- zX=g!0#}T@-qDhOcj(!Z3`Q9_IQQ0M&j{yzM9~v4~q+!({P_1Qc&HnbLs-YcKp{8ol zfJQ{{mru0%pN2w$jnD1e8fklky71iumOnl^ahCQ8NG+c0@=%HOhU{{8pyXmo)nr~( z)zO!glA@N98qr%TM}-i;P$3a_?i{&`!jx;*W69>RnmlPXX||q&d3vXPT335A5WMVA zmF}PTn~}k0^GNyZ8Fo8*#>#ma)D;D16Yq0po_8eZ*52jF%+F8zeBQ(?#O{H9>GeaC z1%ObvSN`%7xsDL3OL1sj{mGY2knC^MPY;k#pm3!R`SmXU8Sn>N%K6KCJ|otDn?z#h zo7YiGT6e=Pa=OqL(U>yTY~7X{-z%Tj!%M~-VVv#OD|21U*>x4DU$L#$ zx*=$b>xDE)M90ta)+GkAXi11Ul7ZgMIfFqm1lIm)r;4f-?lP&V+KYL}Pe}uSi%quH z@H>+M((QETiY~qyJT`As^?rW&o44{lYzj(n%@1IO4B+wFjtMKD^Z9Q~o((tbEqj@i zcgt;JmGie^KA~h9XM+WSsfN-)EOdPr@3HY{@jHAPJ4Xm2Tz1;sADfdQy|DDS%*)H; z_qpsj656u0X85hm6gh2vu+;a7tiJ{4<9>BCno~Pu%R~9* zlCr=6>2f$z(%YM~*7w5f|Jsya@BRVPdU(0*li-(+Yv3L9`RTvAXQB-;*hOw`JS1qSFsKH`zQDi92%|@) zN$Kf>wHs@d)z!wH%YQD~wxpfaIJQS<-#lN(fJPiyjsm}YpDqRYU9aJ|Tez8eY}s{P zJPf%A@bK`c1OyQ3#)hUrZ%>pdzPPfqvfXVU6%I1-geqT)nlq(hr$s)~9g>t8yS_zaH6(0x zYV1vl!37>|10cJ(?s1dn)gz4L zMO8g9L~m>_7sSoH`4lwd@o%J_ndmF=nzL%Y?{EhrW}r=M8l{}6&LTqKSni-sI$DMQa^| zn(|Yx=fbgZrDMoHq++C)uycabs4BX z>u3c8!Vi8jnOtr5AR(i;fCAFl1-+ro;1E0|@8FPNOY7go0R=IY>K3mlXQ0G8O%M?T zr%?jP>ggf*AR@pgz^Ye)o*O%c((j7HtKK+TLw2Yd6b*lPw&ARu~ z#Z-?eNx<`p!*~`)(EhloP@~$$wsWT=|1Y7Z{Vy~e^ci5jSNvJ87o~@&H|tA>7Z)#& z%kPe`uncD7mxrHoYx6_zBZ%$yf6R{WVZvcxzLfqVeSOu76}U{d{Nw8e*>6(pVay;V_s)M3Q=XM4(Nqg?|fs?mm1@MWMMjdvYo&BWHK2>c7T{ zq!4B06^&l+=}Rn1oaW&LD81?FSMqksqJj+pNU!Q@g>7he-s#xFHZIj zb$bU;0luNcUR^id!oJTt0=t;I^=r}b_w%BXHJbBl^Gcfk_|{o? zBckIAG^;#sBNB|7Rz2_M-fkv1uDb6~hK7cQhb3Lkm)Surf~FsF_wN^;dSOvnclHY6 zQ8FM=QqNe(I|R_NGOyMAtfq&8E07oeqQF9KaXUPhmHVQ=O3uljHoQP3pOCTr;K`?| zCatN-Q$&Y>jy)kozn3NGCD3rw0GbXAETUMt-bLb*E9qCse`>^|ZTuJfj7w`K~zgU*96Ni7S;@R}W7aLEnPL`y+QC*kLeE@($dizynllDy zNoEYm*{CDFtlhEcDnh|R?>%_lys%*X@a>(zyN3aZL8_`raKU2!pCqx;oFsJ-MIjOF zSyR4OZ>TpRw4XVRe-T7pEiqAr9C=ZNpYis_5{heTh>PcB9Yvjo?EWtoz!A>Ms&bfi z_$H&TThY^#FA9DlQ&Cz!;KJ_n^Jyt65{{OhJPbV|L{#L9LZAm>f) z*4vr~8JX7W<>04Qi!(7urlsKG3TO=U{PQ0HGT=vWvpq@;F(Yi< z#dF$r<-;c-g6KcGQ}w-uE2XAwKPk)k?=Ahwk?UDDu%2JSLhr?6e2smPc`^u*@i8|E zQ<7Xd$Z!R`bnw@CcEsKHw=tH@I_vhlMRbN7S$M~U+sS4b&ZYtAACLY4@LUxO)_Tgc z)GZqKPY)@Xxw0m9kZu|+P!Zu|lNciTs5P1qRC2N+QJ=m3%G_<+?j3B|EY>x;AocZFhfHX%?tO*>1FACyXgL-M|Y08Wxp<16t+4B_2Uf1puPO>-LhR5Ias! z8D$kz3d_qgs;iOQFPEj)d$Fv-PVCpp)4SC1|_AhJB<*#xVmCu5kY17s*FItwmx66+Z%Jg z-ae|TYMd+)HrAgl`*1s~i^^!z!4!gL{*9PF89Z^^cI}XUUlMf?8MC4X5MOiVw29q` z)LPpiY_3J_+MaVb&q&lCO}ga_RfBxI0c9A#r_?ebsUwce96bfrm}Of~)J&AU={IIu zus`agtJDk}Wpi_&5R*YMM@u+{CIp?7cq-ZJmIw4KMOv6d|N31F7y(%ARu^^@DInG% zJ8$pc$S|+4ff#J;XuyTY8e{X8h>Gq;G zsKKq$jQpm)IS(!1tMnzrHulJVdg0(2w)?f;==K-%Ta}fY0CG}^LCJ#oGoXza#xN!4=MKp; zLR`%ML8Fi@|J54fS{5Fz_l-I=Z~jdAL}M^`kdk5-yK~=eU1~;@Cw)a{9q>1vZ#AS| zKCsxoJXBf!(ly51m64b2H)Y2pAdxba$Ev!Y0tzl6D@9&cmp=!wGuAg9A3FOhS>k$7 zXlQ&^LXcl?^Tl^~RMb6z-`=o+DkC4>usWSj7*O(X9|)q!Zz)!E!UfIa%V=5_+IgPK3D=KoUmB^P=Rb>wk(_FqyUjX8YpDSjOd|pp@-tXS~`=*8SP~a2< zO$fO&a+;d__AQxXiL@NNyb=IX$!VcT$xoAzltkraK&qpI4~!qx?Jv$A9v)>?RW$7E z!3mfnpflvjEI!=lfR7#bOg{uz4q=g*$-q#jy^;Bim9d8|v?~<_5L1~cxR|1lZ5HR|)+almZ)Igb`^9v&5k8HC%OBucF^h%l5 zkASkAE#NM-a+Hn7L)QgxV|R z(=)*<{)NDJ(BfhDKy9$?uMrOlA6Un-YEZa1R&@(s|t> z7`3X&DJYOy)&};+Fm>9Tk%hX50heGjkN!vsbDNtW2|xzOXlO9Y%8oTQH&|4A|(A`X}UEcJ-d>Uep!zu4=q44Uj zd}c)uKWAF;uLS8BrAw64F}?$5@VPmUZ9A)8 zlT{dN-JYCY6HX7LhJ!Gllo>7Tmbv(R)8_@{^@U>?9fM*6;)v@p8;pj7F@-#Q5o-M) zVfkI47U%_AK_;RSre~K^>dER?g(E&;$UF?{t&WA_k*M&bn<|Ef1JYoQOnyCv;H)H# zmhr$>CT(8j&e;9{ZwU!$&<03SLV~KEY!7(N=NSj4gQoQIjJ~f1g2%HvgW>3AA>%6@&@_iZ zDTPcNE1EQ3k%mKwD7iLGHdJB*4;>i8R1%!3@ww-eP$_C@30+>so1{VPdKbELc}z%4 z@>{`^cb6SxJZx&R#IN!=TSiQWL9*n?k3!vFc zkS6iT+7kJ+0fy$b`xJrr+K))#Y+tQc1hK+gQ){uQULz5YMDQwIPXo1i2ng}OKsO-+ zG*K+cfPg@ia`oJm=@o2_dM3&UpFf>%q-nlnbVsLK`3#m!WAF3dBB9lhkWp1t41&vU zj&h#7Of4+XNpRRRo<1byMSE$Vfi+LV#f6l93*QVK5)$Iru~BID0Fc;W#$?KZTYFa= zT&C25T>YpNokm9%pSrVjblv88zJ9Z_v%bsq-~CFzaB&39oDG?>1M@&do|P%STpV<^ zqA$u)bsiZN7eCd?h|wn)K+5C7r1`uG&X%$9J0`@xaoG9WQOD~A2c`Nk1O@%ZGOk3* zb2+D97Bg1u6cJV9(!xgY%FCFIjM{ftI&=7bgDOfMH}x~4on@e`X4Y9(Kv{BNOgADn zN3>#o_ueh7XWQ7gK-It3wzxo$jO-7vUpI#?jDcPG>tVa?5ePNslM;eITTkoWE3s2b((aYRllb_+PIaH6mGWx7|Pum;6 zE$ytOXf0>_wxIpoE&gG$ZRwEKO3ltLt&M!I>3LxPQ(NFmXN-oFltN-LQe9;Udd5Cc zvFQ%~1#i z-pxRxyg!WrfB$vI>ah9dKVH?ap%Z^^t_F022Bq!I2{F~KP@m2In14_%|V@r!Ie~8I|bcIZje)A>}XUO*CXXQvDH8h-)&q-jLZy-$S3g<~lgQkdYie-ACSXZE^{XqGN8n z#*yu$X0FAD0EDrTPQw>Q%>TGtWzUgc8PR$&06$l0Y)Tc804cz!kwBi&5`-86`jfdA z8adOd-4u{Ayy{`_JRfOEbx^Ws$z=&D5R0Ueg+lC;Nl1V!!C1h9resOQ#I|m<9No&2 z_Hr)ZNM}4oL%Wt025d6Xd18#mKq2vqg(|7uPz-On`5!g;xM%koQqL|FKB(;?2gGmY zkSuz)5)>LqP?t&dTs8*aROJa3*7y}7-~^Oc|1o}DocAZAi}~UhmB-7|l{Z3%S6<0f zTGIyy|BEmv$K6H5!S4<%Cys zA@7Y3(ebD-c-e=mzE>MK#7LvhkB$9{(c2D=H0&Q|v2RAKvI% zWAf@a!B_SlI853>WD;V7WO(muDWF#&B2J;~jq~Nk=$K8{hs*Uq#f4|;7~%JGI5?me z3aJ`6;*u+QAZ__;eqVv*)y7Gx{fpNyytWrinH3MuDaxo}O_-J_7E5diO2bG zDAu3N5r*&o{+*njKA_Ga6+T{Bt-jLAZ9`pN%)eVJFEFc{eEfN{i_wUgb2lYXT%dH! zr!xoogCpJE|M^Onf)coe6UQ+RWaAXsJSSKKfv>Gce-P)&FJ!ZCrV8apK~kk(09%Y0uyk^iPbk zfrGrBQqKgxlGn4%zTqLW$jJOFOsok=Kgd0@Lx-%s?IXM`RfH={b zMFR5z`&JfR$EgHkZOsTgfU&NwuBe1&&yiQB(~^&nyPASUIA(jB?8enLuf9HHa?ezj%NcWMXb1`xmh*=(H%??afcE5gUg8Qq%?d53FC_p9<+VKt>eG{p3yY2R z=*bLsc>5MWtQpBhfNWZ#^q>Vc4tIR@B&A%AReJ2Qg2ffCse|&%-S(IZ$E#jEKKd)< zQ|)S%w)~D??9I69H#x@EiNGThb7EO%Io7;K-3^p(+~9K(lbbB!T&4+R%50 zs-ljT^s+EK-|6+GEti0p)pmk*etw;HM|gq9LrffW#oyAj*>>5D++TivipQb>*(A!A zY@RWf7H28UgM))t7ymYgsv+HpHhsg=TJbL5E`5RCGA*01WiOGsz_@@<&n4{Sr@3=k z8C>ebSe4f1AR9|k?f#u=PEZuO(1;?5$-fwV;B7NmHp@)#Vo7_`s*S?^cf4I&eneFu zU35Gv)=$~rYTf7jQo9@9H4cUX5{YGf#ho)#_qk~A{akN-hri`uP{&FoCKnP&BvW9+ z5H{_lXYBiKgvLw}MYCL?oG&SD&X8!q&DL`bgxAYXz6$y`fTgsk~w4AejcG?kw{#wMneU|#^+{^DCNG=3k7!B ze$u6Gz1@74l~wKbZh8ZrMdu5Jt-OwoNISxx^dc(514=?tmJ)ct5^pC76uHb zvY~d%<4U{Y?^k1!zs~(d^&3~F1B0^=F>yLn2~6M za=tH^(uk-(cSqU10tTzA1dh*+i?4cpyo5=oq7^FNjlR4Kd7lGm5`Y{`mms6nbc}-G z55twaw|q7iGH$i+;xCs?bF9X&(PilnU_d`e$?O?htZD-W|3Aq#ZLUMVvUr^W_D1C3 zP*8T4>o8W=1hjpIoEK|8!x(Gyq)a6mMMC9k-e@f z1b_|kzyaH-slu{jI8@;)G!TegT}#X9qDiaXY90q5)wWtc%wvcJB9>^;aR~Y|P zup|t9MN-HRNvjQJK)c4KvO4zHZdskz!)IB%D&u$fYJmP6TrkY?`PT5Gzd9TGd{sl# z!-GM<_58;~iXEN;zwnzQGeC}-Jmzd9C2Pj@RQNfqtW@eXW%NTz0xwfmZsNzq>X%Bx zmhhlKZ4^=l^Rs3<2}xvk>jW2Qc@)OP*p+#ZgTpn5OkXP%v@Huoo!vxUPzC@#@bzK=Z@-wgf{0Sc$ zmDkagnEm~>^=P_-&+CqjdPI@!*9{jSsUJ*1Cd7AI)d9+~y5j(b;Oy*L79%Deonyq} zN6QLWnZQbK$S)gq=uA93g6(&nt-i~8H64TD_`*>3G^EC+W_F7Qy>&YNa`(07I?oXl z-8Egd?@V5e=Exfx8(0?ty&+$0KqoHhDeB5#_5QUr0H zEYI9@a11r~js1ey?tHl}(rUg$)zC0>?cnf!X{+xHx=L}N#^>4d^ps#Zz9sU*pG43A z^%~x3|Iog)xGgy#;GKv`Fp5gHsM!2=0X5fr@%%(vzOT?-mr<)r=_H(kf#FZxO2|r` z32sg24UKTk-~?-zl$jZJJ=5)~&A(aD=0GTEHKmOn!OYunsk+8ez5SFF5eltAjfA*2 zB!70wN&`ztMQL_>yT{?QPA@dlq{sl4{D8$Y?jL1#OJX1cm2*}ktj}nBIMcrG=oSQU zXvzONrPbbL0W>z1NvB_-Wplh?<~;~AG}h^Q_cUbDsc19h ziOc{Gqx)S~R%yocL?hLtWp%cki;9NYqzReRYFKhILnIaY7B_$X1h5D($W6$~C~nui zl9K+ss4j9^wF)1Q0mdI+SpAUt8 zZ(nE0UNx_sd%gPqyU7myh}8PH!+?X>^4(Us;};5jAU1WgOdBne$$8sUgJXzKTgGGQ zy5T60{{av~RI>P8?*iIizX}4h;{N_Vo4p=RG_rz=>n|YwHTYXG1v@)9psIKx`P37Z(>&qfvsycRj$J1%bxIW7h$8 zl9p%Fh1t3(gJ;t%do_b!RW)&?(TWia0PQWVcY`N8o-l@^36+$7qe{Y}CT3*~s)=}I zG&gfA=GY!;U&A9HMvjh6o7-HXcnO#K(uhj_RAU6*lXcIn-=i~I;=12(%FD;j*R*7G zbf{BV4Zj(GB|_iXVKS(Xd)(BQy-X3L*_Yq$^`{64=}@Wo%bQ&q3Hd=RFC|rs!JeM% zHJBG?1h}nijJcQee2BF+S_5|ce{_uqY;@Y5|EK5)qgS+V0q6Y)8Q0nPpTbydgHcGGY7#{-_W!{IX-IXT)v ztZ&yllu0qcAsp5SQ4CCpSjB~Kedk3f>t`5{u@TThAP(R%EOm2SS& zNOJ{RCXRq#q?KZ&OARm4kI8)GVxo~TT>`%olM|yyE_RH5kjutj14lV50MU02A%?|7 zlhd%I9PeAY+OCH{6T`Y*Pzv+Km%K;;0Awx7_vd+soDoZo`nT1Jr=HxmfZagp))&Gh zV~%vUf5|OZZk<@RTax-+_2)kOz2wzx5BxXW`!~A|A5mkLG!FCJ+?9ILZt75EoU>c8 zAlrhb^5oGpng96ugk8+@sV#ANbtdeQ2>?{56=X=L0u0!{HfSze-vt12@^A{*K(gvD z8V1RDj{Y+gH0+LZ`!t`HX0K@9=0@29gU{VUY@7KIHg7fxfNj>TNgtn{8;>W^%V%>0 z?~pTY`M#n1Jf9u?w`cbCiS6zg>o`sQ-IpIN`ST~_E=nB%5mimgFhsYIhMxl(9+iTD zs9H?e&G!qivjznR$7OazUsl^+cE6&Kcx?-3vEcT+UXb#+*9T{1*#glLwDOtU!7W=a zU_d%0usJi3Y*KGbGgSbx`!2hhjLKLPFk#LshPQ!UMvby*Inm{8Sl1`w|P* z*n7_P;R;dW2~;TOo1u9DRzJ;mT|3JE^yChZ{$C5gL`%;Xyj_bn9-HcHxg~bx}it4e1prk~pv?oku?Fq;jw|2GL?7Nyp ztLeVs=(zn2Fpy3i>)SJJ^=lVEdE>S0YbMB{15T>knaF|a*~Dy=&>OR-8^$ba8;t}- zZ(#}W7Y~ng;omqOh5q-?nRL|*@HpUlHXm_%KOnudd-CZzXYK6#C@?X>t6Pbu!lxzCQ^XaP-5rcKSN4g<()vk~kbptY@0Qll{c5-A@rn&4mRC`c`Q4!{d7;tN z!2R9pKnabn=EiCNL{8JvCOrWBFb}tCit=f$^VAOWHNWOcxBcEVn zpIHl)BTK4i+hp21{GI$Dsh~Q~GZcbVB@7~rC^`fnDHTeLjDTuLqYj`DG9=4rPV)klCNm{ZNyQb^y=gFsgV>i(9>Ea$4Ir$b0E$2JZ-{R3ZivIC zJixSWTx0`c6f_Kifc;!-F5Reg=XoCZ$S5+4aVX$#0!oZQn!)(2oUig;Oeh_YRf;2l zk3yrK|2h>8pO}EMbvvu6iTS1&92#7>be6nQP>E!`XAH7yu>K~DsnJ}$k>(t|KW-fa_jJqK>LI~oqbGlpz>>W4fD8@}b>FFB&0m7{ zM@nUBgX)-?20Fay`UzH{LfV?8K&pwsVJS|F2crKrOmqqVuu;d#2l9eKO7Q=*oRj9% z+DiZ+CP-3HKmmrT^nN8RpUx3Xo8y*6-opS+XN{?QksfS{dtT8pqelTXTgD}y{tG?y z5f`++AYtr*0Ur*p=P_gkXmvPemqvCEM2Gj)~E8cmf5W}=q> z|HmNG!#|e1uBzxtV1H-T8SM*zEGjCkKfa-+8Yz9j?D$d!Lc_s{k#h!dE=)*rmY}EN zNgG>pILX4}MM+Th+D{z6sC?1v?H@ z@t8EM!9~JRGI3-9cpjjO0gyfd^g5NG5y?6AEt%mU`2~hA!YiS=6*L?)5y!1~U%!e2 zY&$g_RZw|D$^75NzCkOsG_GG9PT}xD(voPzgi~{76Ljk>xtJrd*S+GgjyI;17y1{# zKOdiv{-2-%ron$Gl{NoP8=l>XeNu-lHLupFvmTe29~gT2_-&~Bc8l{4o9zd969+#2Pzvj>-Co79DD;o}|Ozbq!=P`SO@b^uW3^% z;Om3XF|2n1d#I|KzMPyKC#QwN(Wd9+POm>C71dz=-_zx~p90?Rkn7${*@J^pb?)=7 z9xv_7?Y{^c%%`^7&uXZ6e#6S8u$Wp}rojWsJ6^WYze{>zIy!v%8`%=l(&)sPW56)& zesqC4d)CBc(CHU;rR~d-9P-g;@9aGMgSa^%4lQ=WUK&f1Mq!*B5T#W*;om(za{9dS z!oa|2x8JE&Y7+ka@)tOCZ$4g0*(|1+{#4k2EY->2@SEVhQsPB>0ITTQqZ4=*c3xf?b94Uda3?BiYBET4^qpg5 z4`7!cos>T^`hm^?;pBvFyOA+c)v^&J#hjy+d@eFSZ9s9iLn$omAJWc`fJ#b5PaO>4 z#VUXj^fE^Aw8EzC5d`bhmOZJ@MH&d|eI@OT1sv+}|2}zyO%Yr#hE3Uj0s<$Xfc64g zwg9@6-ELU^Yrl9IONA+r7gBU&%Dy1d`*5+=dP>MRN|Zaanp~l5vw#-`1E@X9bxtIP zBsf{95z(*vCvV~cks@JrA*f!0xCWCXB~s(@77yoJpt(`A3TV-HD6Ydg)~hgk#CNIO%d z@%--Ql(J>K`rQUJXmm~j1eEgw-~fOM4RSoeP6e%OiYd#$akAzp{Bl2_I}zrhN&+A` z*Yjyw>MzOrQCPrK!G2u_oZ0}^FaBJI5ktyySp9kla0Io!O5pS-R!rT-^j{7%@Q|bk zPEX5uRiqp&c$&U^nKX2UZ@|@)KLKIliAMp$6&f~iux5p%1Dg>_J>Vm(g@Vo3tOyH> zC@OA({uu||B&DEa!LvuJL&iRzcPOm zRifC-zKm+b!mP6ITY zO$S(rhlc$?1_vBGym^Kp)JuT(U)LC_M=%1>e275E(A@q@@lc4i#JH>NK0kCwh_wh; z=gMQc8NmlEZZGY+0`W+2NDj6DVsLQEZ&;iEPWJ9`KVp{lB(Wp`nH(a^_rZgoDaIqw zOQ=qm=uXdK4*V|5!)SZZ5=h7Ive^_B+|`47&OetFezOIj!cyWXGek)E+9l8AZW9`< zwmQ|FUOWQ*A#eh4G>p{QUOS&JOP`E-+{wrkhG+Tz@7elY?6`=H5PxIIylT0}b(33{aDV^T)|-ekWo=!KQu=dyUr%t3j!;fodq@{o9)xDGecBn}siq}^ zu{*2V_&SO_T0cqUCpQ06NpxtcvLnlDVE_l2wN5^&?)f0N<1hUD0?y&(mt72oD0w&9 z`t~<&+-bBvv)kVw20Pbi#Z2ob0nPC(X%8wi)A3zyY_D@|7*z*;GfG?swNiSOV@I3i zDOQPmM))Kgf;G8l399nGkjW~1Cv9@Bpu>-~2V`}PzgJx&Id25>St5YY27$uk&h5%* zSR%AAGFRxs#OHZw3!o1R8#*~SbX|Cz@}y%CaS0k*9gPQrFky8Y-QJR1@YAdNSbQGW zYo2lqKanCg15n|4SX@4AhAv7wI~)t7qH&17Fejg{rompN7#r+!MiwUkD_i zKA#u&#J>iIVbb!u_#h-F+~iA6#O8Vh2#~a9HZHiV`xtCn{H#qn-LKB!9-m-LkK-gM z91EL2ktqGEqN*AJGBO^Q#B{%lr)|9z*pd)6eK>Dx{N0F#ODHF)fxY;HvAmofDAhWT z`;PxUg?S6#vA8O4d0z-%B7;RG`C&RZe1|`O<?>H+}Jm^&lwSR4F|$nua%K9T$KF=Nl;SgrV}!O6Q23v}Te z6cKfePfGkWeWaDYA6+;FO^K%YtX)LGWS+EpNJV%k6jK8q zno-c8sB&Y0-ie~05>L)pIMoC`>nLWLn+XTeJTaJ6eEQS+qCu=MfXoj`cue}IIOf<1 zeFVbbk!YBR&38&mOB<13YAU!wvG^kVSFdfS?V7MK@4;%g%}5G3G>kuRin(1gE3uHH z@aX8N=LFuqM-U1hMck5Ng9pxYYx4pg%)ogB9P^@wYFl!>z>RsPA*M&AFD*)IB3Ih9 zbpAyX7henidRZIh+I$f1>j?|QE{Q8i^Mr@XTChzBlX4M&VcV#{7=!zjLiwQ8ObGR! z)$|O!Kl^ULBH1==9$fIuEhg(RW^bgqI z4xpUFr!``L!LCPY`6TdmNBjlDnHzk4U_~s#4-A4=iU<(naxqNdkGOODUFM1jd{7;4 z;GR6rZ{99}gcY4pCz-sn@>q-|hIddAAd2qm_^={w6Y$8d%n%7aAKIwR8KF#A!9!u9 z$j5UhK1{w~C-=YlO2$>_fuDk^{HR878+vggy$p_aa~+PPoN=Md4qr*B9V@XLKk#kA zH%iM?vQ~P&vhsT`+~6jhBRoa2?qx#kKeKu=87@MQ{hg_2t?16jP%i^*_m|fa&ZxHY zk|w-b5FJ>?aV|=5Sv&{y3I&U>@pB@-=*{ydy}s?eXWNbc@k5*~@XMGHj;VR=djDsA zB<73@eT|gh;Kz3E0Na#DvVjA93tLKXs|VKX?y=KKy{0 z2kG0X-^WVE9EGtCsjOURv|E*GP}=+_L+kU2gFEvciLR7s!s6|N^ZZ=6$Fis1%csG> z5Ec^z#I)7ij91hs1Ii!d=wEP_(y1_Di5%8Z zMV4R+U$f*X6-OgGN9WOdcAtmN<<@1ex~dc%W3SkhO+gleFuMr~nX(6BgU@c~7B@rC zDYFAF7Lv5s9bN>f#-xArfk%D%bC7+a(B$o?e@A?M#CD#KZeh12Hh0q=bH`AoG?I`Q zNMT+B#$iA7+1i$Eu!{@gtduTrYCjHeeh<%A0P_v>3jwp!rwaRZw&ZmF#4f=^m-L&N z0;kyHkf= z#P|@c%n%ezmH!b$EF`2va-Q*g2{1fI%p}IMBhV~%HY5PnvEz3H0)KBvXA^(d5tJyi zq~gB11XBxCVX^CZ|91#GXqZ+LNTEWbebF5QP2VfUw}$|daT9c=!dHX{Ko~G;^_xIz735$ex@bzDn)ZqC)hsvN7V}q?yt%OKCAZG~Aq36EaS8_YR z8~Y(W-^S?VvPI+-J7M3X);F&8$t{b87BDE}xL?v%e(wkYaP)IZ?*A-y!fx;Sz%dKh zf`CiNX4mE;HA@e|Nk8I5KCV%hVXCw*xJlgJRJeh@{W6AyU$NtV-PpzXEW z)BRue@2hs91+69L*RHMnH#d3;3Uv1P!FQ2|X@22qhWCLP;+ED9T7``EB9^2S1m!Xn z@%GW(Zl+qM=3bUr(sogQh+^fk4i$wBwQ#OW;cHX9%YU)yMa+>{EBfPyYf2*N>61c_ z>*-_ZkDW(CGdvtfpQ65vqp~O2<12|4Y20SRzQ+fbnx*`*mlawyrHzeQLy@>9Y|Yo( z;*X9Ddt?B|ELHKB!}miE;_aP1T^`8KlarxR1)_UF?#Hc3`_%`T*_kUHM_`&2!LxBj z92_xqJ_9gV2z*Nh0>P{)KGC6}F>SX5V^dSb%_TAE4d!#Ji~A5(A;Y^n`IL-|k>Ky4 zWX3NwUBVkLW~%TEHwezp=I=O6nv9sGiia{U5lKFoK47=x%FiUNh>~7p?6;7`+Hm6CUB_M=albbe3=TX zW%=hT9f^PH5nzz<gwv{j`gz1??RsuqQ^HcY7(Kq_H~o1pEAb7 zK>!hGowtuXY1|Gl(htNG?9_nhO4-F4^;Fk}ev;92HA{!9@f2N>7JSoxf%~s9dwMur z(O2}-&ZfSd3wjJaN)i@H24@t$qM&2rMsHY^wpVA& z#wk~#Fk)jL1O&FIG}tLKrd#G683%$$6RzTp4e=6IQ8s zYgtK)S~W&!MmvY1MHaQ)C>fA5R$ft2)L4|1w@p^03jgIx6Osbq*OzW$I1GOf<;d*n zrbJ-3|1b>Y$q6hTzb#vJu`KHOv?jvMPuWXQ?zHX7>itBT^Tn64 z_yP$QpD!5Po`m&VS13D-IwE0K$Cbsp4`Zr0>%VCMG|qObHW+o&J@;K2CC*U0cjr!g zvfGNgR581#H4n}^J4gES#R4!zu2?j<9er;8m_Ll($2|ls%np99=@u(2PbSW61}SUJ zO#NofbI|o|uG)~l+1|9(ZHvh~oEjkiRb2TuAOtdWu1=Q;=`45nMS(DG%rr~TIiQ2I zHJ3zI=n55?ibF60V6{NYb76G@y__>$qyCVuWehcdD~|2*PsQ^~q?xw7x!2npp0Fid zGV`x2evgD}Oj_6C*N*#K71}X<3e57V@;!f867#L@E|2jwO!7eJd`adVG#a@@?^{ zcwtF+Esxr>)$UHQ__$$;{CFloXIG(mJQ=h2=PPe;=>CFoIs=5HJ)I`9;)%FZfSjDP zD{)XtN%Pw3!WUCC4>#NqYXqMmT0|Uq?tlGaDcNk!M#2{&N>?8b`E>>$$#-&uqQjuX zg{1}1=3>ak59v5KI_z(*wyV=^iKR~4WWo&S0^E%OF_I2F6Zt~0yzT$cRNIoq3!EPS zX3yP;9`^B^l8!5>p!4gvoL+1!o=`+#D9R4*_Dne??Q)9=&#UV>H62r0f2APsfZ#q; zqod)AEJ3fVi?bGG72WA-g)KBZjKRhG%+V=+B{NBAaZf-4RKDkRbtxxt^4( z5BCawx+#%}?57W;7z~4$g1sX5=VQN(dQwv2Z(&^EHoxn4>6M<}tk}iaSpwc6wWE%T zB*J3$2HYAN8dRkvwZ9+jJ&I^<7e#Oqam$nrl5-J9w2G<8f=6669gV4U&U7yBFQA3>(S(_90Kk7JCN-MQ!nbVV|9$vP z(npLXQdnEwQ5nx>$zGH^_4dicw{K!16Y>?c?tCIyLPDa!{DL3AN5>`@$yix)6B1N$ zSiDk!lr4@KGmhVzOc4af;OfjKH`@P&Re5&7$*c;E!ujqJ0LGm<|nDEgrYK3g#;y075TN~qG}u@LxqMypy3lrN_)b7 z_=7_QLB(@B!jWCAz>;!0J{buf}m3XcgH4BP_RE5+Ix5<<7BG0R};4UJ39qI zCyh`rFc<^`Uo|w4|LYlNrbcF#fJ-jt+0x~)a8ubl?%?_d3h;Q#L}=!RR;ck04$PpS zp)v5$CkDf{3PEM`Oms#U?O(XKxC#K_iFK2NM9`k&D&SuO;z-&?O`RucFrC{3(ivMt z<2TytsVR0HdGWvOFzf=_lp0rPVQfjWs7y8zpbZF#B9JnkAu0P}{b!tUrPZ1lyVy*I z3IppK^uS0A89zsePvGmkKshR~i7sd^&MI$->MJkiM@P2RMo>rrnvEoMz(0SWx3-S5 z&3cYkodFy5^WMqp-D`|_G@pz%w=sU8jE>RblDK8o!pLy?XdjIfGj>sY0=T2g%Es>C za^#ZESIWbNJn?Bkys9sE``x7^1x0yb zd-&4uk#N!s$r!*ULOCPc_dH3|+0_{y6P*u)vfLikpK#WasySqYs52Z?OJ5#LUaQ#} zbopPE!O2TuN@7#fC6E9667cbZ4*(I<6les6guvswPGIB4u$L>j6^TTGLrY;}gkG()1w_wOUX0=_%j3ibTw4fhEq zayXqiba%1@j2@$EO2QLc244OR7BlgwTB8Bbx9KAPG_wGPxOjIjR-|ujDNxwkGk$>* zJv%gEC^8i=toDDrhibRDVgeyLfIfWF`v~&kaz*LuSEAR4PRT3V|7!t=C9uBmW})b2 zd~b7^S8nlP)?W;01Q`Ks&5xEf_Qnov-l{3)qC454`L)QBMH<{_J&L~N9{|GxTrXEQ zU}gbqqJv=-Qt|FLT!vNJeK$%y`=?`=$Cm$kZMk;*Gk_Ma)_#RySRvi-ngUZ%z;!nf zgRk`n%&^)((Owh9UFWF0x{`vIDe0%h^qevfkj#J(`8Q(Bvft=9ud4~UO0c_+xxqftqUJynmi3eAVh0I*}=w(7ChXt-2=-= z=vA7GU{@y|&j-Pr6w;7wy%8H8aD8%^Vtf;$CI$}nbl#2?9umwX4JWZ3@p3I_Zan~- zk=X9ySnwBAFbpOJ&bY>sywTMxxuuJ)ERk5-xcHHQdp}A-Xn?$ACte_FE>4De-{Ob@;@StaT&Y>4 zO0Sw8RT=e@>HX#>7Xh+nWMm6%yv+I~Buge`wqmF{L$S0TN6UsMtd1Ep5HV7yUS7LK zEMvyOrOT`u9A(8bwcq?|Z}D7e$YH!r$Dx#4*j1H%+^bDgu%Rz_QB>80oCpdVvhB0w zpiKUzVzU6;dQ`jpA#infbJ~ASmxOTFbWb$H7pO;WaZ)f-R$lehC4!g8^&3J2Xlao= zal(;b@4ne0#*EEz&i z5c5aV1rF9Cx)~YQs0dGE%cQh8yL-FOMj%)q5LaBI4!o-$2*n=9o9?dN5E; z_P+t)Li{&<@Wu&U1b+V2XV;Zfx(HyG=5U)uGw^w)hCw+ERp0eU7}$|0RG9~XVusE+ zPjyIshSKO zV36=77FT}Cn5iasJdlwW!*+l8xIMd}6O#rGuLb&D8NHz5%UJhpnjRdodAw;?69|y> zD2o6bVElx}aprv^*B4IT2RrRr7i`_tI!sLB$Zw_nHlat%c!clt_@3fcXu~P zcZZa8HwZ{~qcqYD(k;?TcSuQhcQ;7)x1RBh_m{&V965)**IsMRdtMi&hel(-^5ZQg z1tg!-#_7JKlp?k;-0j}MYj2j22XbZFXX2=DF*0Rp6bT9hqPv93#3Es%R^}Tu6d}@K zn3x!0ak*&koP{x+w#eTLMVD6*j5pk54vA#SOKCs{DdzEY#^>AgPI}oOAfrm`Zvs>W zyS5Uc3K*dQR8uf0k9k6Z4Ef_@VgPyew<(wRwk$|z%~<~Jq{RyIOM|BOFpnR-L~>^W z{3E_a$xux@Jr8oIJ>63Biy#zQgD?PMhJmu8A2GPf!+Vw2#a|GjkU=yJQk;^4vR@O4 z+wMe83^4MsD#K%M%I7D_Rmge@0Wcd?qI{ae??eu~6`An--~cFC@&pBZ9uH`}?9`n# z;Yj2t$giwS9N{K(0<5qZiZXIK@cyv3Q~>$}_R>@-a`Fmt`AK@ln%doyFX1+hj-R$- z)DI?^LjNVYfCnqS_YJR5}mK1D_JU`rC~uNMmeoF^wF4vHNY!U zwJ+m00rQg!KM5>U60KpdBIE90Lg5Y`_U8Vvq_ez@_PZqTcq@{hzt}8Lp=TT`Z7cX@ zGhHoP`R|A^Fzy?&`M{W=hK2^vvj#91r~W<(PgtQ7PbC{lNTd~AfC0WL2nK~vPszC)*T$T}Biijt^J%HF=A zqbwVQlZEDllas5ena)*Zu`i;oR_i078lL-{xybWh77^ezHn$Aim6>3qm_cpmGc`@0 zx{=Y4B$`NU(mD@9r#{}XF~1J$Ml~jZ8gcc=}?yyI~BWpa(X6H%U=s z1fP=`RweLDk(j|Lh(~VFrg*mKM2Ho4WW|96xU=mUl2d%o!#$o#0#Dd5Ecv?7cTglL zQld<(az^!|QUA%ZBP}aAE)*?z>*OY_5pmSy-SmVP*g}gPo=okJH^8L>m$Ize!+j)= z5#Pl1p$a)>*j-|^FTiC>DwY`H>rpBrc!m&gSYvD1>D1=Aw3;-@olshh988$@giN9Q zU8(U#x#7N%qruc5#F^e-*;%4ETN^$8$>Cz^xkPMV@#Yi5G)+5b?chKuBoMS*GFsaA z;>qUBwJ%t9jC$7!rD|lT?Cwn?8IC+~Rx+6>jb$qi6>(* zN2??PG{bk6I52?f1j2WknzIfv`A8l_#MnU^v@~>d;S&?+kdV(DnWNV4^%QBb)XJbk zd+IaU>F$VaQ@*7iSRj|kfPxHTC>xVjfVib4_tpNY!Uug4d4#f=xis^7Jp_1ou`-R8 zVR|VGP6E!z?;|I_!956rMXPABAM1!O>;XLxm%SCbZ~ThV`re@IkvB*tFcwtN6f!WQ zdV^|L>+2%O$pxfm2)PkMw`8eKlzF10-%n3XNyMwvME#^$V(k{8hlZhTMJOJzFTOB- zck)twJRo-_N)5pfDjoWs=RIZ05Wwu&+~f!+wRRW;exsJ-&{wLftJ^w04mKz`7&9{b z*djD>z&7g%!6wLX%wo?1Lbp4=&c~qP;SE0|X0Onpp`jIVE?PRDOG!2MrJ}T2ze&#@ zP}a86_M|Pxei8Ha74*nNfrf}A-`L!J$d0#wfC!%!_tp2EuV+X>e6M$EX6OQ;GBk2O>g~DUpB?#m=Wd@5Ywpr` zOD^pN+134EDg5!X!t753MzVJDHdv(0{Qkv3erUZ>zac`Zf$p|K2i1_xTWbpcy6(Iiw#tp?Jn}B7$bY~w8v#R^Y@9eXUqrX#~qFssbYS3M0 zbxT22jhb&`fPXXnE^Su&s%YRM@`$uqqbHnpCzn4_ zqBn>2FRXw?@29N+HW4jKId%dRzvtU0KD)8=k);Lcr?^-;SUre5PbPTON-}i#Z=cog7Wq>|i$QjL6l-V{HCD=>RIV%oi*|g(sD76_ zgRi~#0@3#jFKjci2oh=j3!X5RcyG|!&i8j1V{Ejgo}`61ZfjLpapCVarLZ98ABxWWG|5$r=h)tW-a4urXEX%hR*7orO|}<0YftxvZlnUX zKW%~6W#qd*77V}lHR%K#0{}Kgr#13ILIM~9^doe0YUfJdeD?6i0(!IGOJeU-it%nn z>+c`#&GA?*TB+q~1?_Yywc2LZ-Vbo?=(ejI671J)zO zAD;Mvw+;i6`;mH;{U&GRob2C@_G}^jA)P7BYTU@vh7;s140ZFAnQ|L$wfuzqIF@44 zm8|@P{dAk3KZiw=_Lrm(H9efc&XEvi$%8d=c3Uaf)(8tHJa#--mX^C9 z>23a=ke-pzwChWN91MvP%Peq`PL(=3YPhhJDw9#svq!{FkcXkD6z12W28xPO%h}k? zZSP}=DLc?&ic7>51r(K%bmo~O(nSUKDZ2r0JW3iPqvH$Xrz5+4eW1c z%RefAZnk@_cMnfz{%FG2vNw`9bZ0TAjWxeZ&8};xi%(As8L~E;s{6dyZV6`_6V~gC zhE9SfssEX1@{)sIQ{m{R?Z=;*BTa|2S!#5I;=K(d`h31ZP|*LCg~2@4&h9=22G-D0 zwHD`LKZ8c9*2P>V(&20;uR5L4cyo^(PxX?Rk~_CQ+>QC^-t5er1{NlvjI=HRLnOnA zXiXe!drrt7>K=0{uRGy1C0#o;AqIbS`SlJWV`EW3Gp^CCgoX>B@O3f<^a84DZXcg( zh5zb1S{mOpXg9~6&cyRIDP1$6178l)=y4DepRTFd*(0dnP&beFhsTtb!NE5@TBhUi z-nGr&-|M0yJYmRkMtc^M2-jEI@)tGz#PR2*x3z(TS;3UGc3(9e4GC2fc(_|K)4w}I zZ4YyT;3%hVs2OFn9$`RRTH?W5TMLr-Gqs>A?MH&a>P%vPOUPXzpCOz_(X%yray^*6j~%KSpj= zL|iAET3PbZKLv20i%_T{XQz%x4k*JH5YV~0LB#Z>rO>7aNIrdLyqv_GK)R+*h zePQ4@{HNR8y3W?f=g3=`Ot5betMnri_xl-MRXtTH+qX5aT2*BTL^ALiji=5M0T*Qf zIbEEGYi9W#0s*KH7R8YE{~;==`81#m>GwQ2KWlEy>vU6(g)iX4hcSsUqQ{=5E~}C! zA@dl!YT$l4JJP;wrA*4-U1mOTd3m|*r^Q1XjM1#7yx#rN?64OToxvGK(|aH(^zaOx{W? zU>%WEH^(B336srz<^mV6v|9w&AAyP{0jCf2c6B>!ieBF-+Dn3rKNU(UZIRj`j{cP` zXU65l^+q3_5wM9cgJKmt5)$Y}hV!oZMNOK^T$~u^mdeIK&sDC<>F7W!mnJD?Hc%wV zAI>s`O2Wmt{F8#!t4t+XKcQf!f2X2?*5I%zMWc$L0N5N`?BZc+R|8ux-6)%O6-@JzvZ-Rq^44(3|(AY zbPX?Ox|WV5`m@!b83V>91~h_lcoJwjf_cP?%d7mVmQ*N$0o9+$UQdsC8jJ=+L0JW@ z{c=GH#RVNDslBqOTQ!1~)PvnHf-&^vMd)-Mg_Sjo?gy@Mmniw*2Az z@1_%&j(#Tw4qK+C6hM7-wS~lnfsg-1;|MVflq)65$SEnKb-6xWPDtLV8X6Ao49z=j zNx`;y6mvOm&8CmgQd0KdbGuNFKkxF}@nn8xAV8-MT2_7fi!9UXUd9@=vsUTwvgDGm zLeiwezS^qOax;8wpV%4^AyG-q%t-vUAyy|M01jRgM|Jo251igd?w})*s2@MvCg?!H zLy4QKDvFtiMIb~TlLO`J{CLm6`1fyQlnOKfsF`7+V=A`hXA6?H5tSZL(+MWoxPD4Z z{;oKdp$LmYB%x-@`L$d8noKDEc~r&Rq|_yDHP03ZfeV z8+#86A74)124SdO4WHK=auz2gL^cd76JJ)t5BU`$;QsL`VWpLhDN1ag<{oS&)X98(&#f+1|({vXJ|lVy0+t*9Lh7 zE|a7T3LPWs_oKgzu*f8es&eQM9T4d(w4AXy7LQ85o!~o#_cqWHR$wgNbMrcFdBM&b za3NGGcUKu6Mga2b9EZgqd56v;NPkQ75m%j9NlU}Tpu~Wk10&PVrq`AXyR}~lfW-p_ zpg4Y(5A*x7X5M;037~P?+uMVuKf}mp2{RsxF#Ic0w>U{Jr1qAubG>G=R!?^`0(B-5j_L53ZtJg|pTRjc?=%#X&neq@Y#%`~n5Wa$PJhAt5p1 zU7r7ZjF!QIdPJk$f97v+T<)u%SFt$#9@F+b^?B9ehRH}2=RM;WToz7?h$g4#^#&4j zXoN5TTuU0Js5WLsz>JoG3i^{0^x9z#cBA2_T(}hlyT9^-SRJB?N%XQDKEQKXeP1F{ zrB9*X5v}Y50g%V4cf-<@sZgj=%z!t)4axBkiZoIhUnODi=_5!i1@iAymy*NMnb%C*>b zbes!ikGp=u4|lzuR%J(xBVXfzWX>b6rn^qP@e&PBqdJ+bXGP?Z>0THE57wG{6zC zB36dWA5Xq~lQey3_@IT@1Ai@Nz zO*=G^WKe;a6{LOa;v#a{4~tEOsNud92#*2=8g zmJS6sjev}_!*(Ys4tjr5p?|)J&GUDstR9_olEV+ec;DSF8q4FcVYDD%HX033-RV8Yg&XTtVxW zlCn2JK5!|_5P=k5k;NiQS8-Q5g+q#O(ZZWMv| z7GbWy=Nf^^7S>M%^a0~H?i@`k-N=w~G*ia@SuK3*ZU$DlU(f5&9xD&RQ{e>z*|wSv zI-oE<&)@H~I37P%Ij=Ufu5XWRXP@y17)$!jb6|?+$*Qq|862P%bO8rZyTqBpoBQ)$ zF-LQ8L-kT#y3%JkL3qZ@`aM)gXN8V$5XeM=LBXxJ01Ihk9NzIU4wj`}lN+={!D!*P zB^1?Z-lLC5w$NhVut6}qqn4E4#UcoqhVkh5_=inJ0UsEwN~aeqD)^a&Y7U3UYoa11 zwyqI3WKm?iBvxQn=)Bcs$DzKi8jg%NtMfH6Ohy>D9On0;RB3g}sM+qV%@tqW-Mi`1 zQ8CJdnzQ5C_q^{hNHJo)hWK%;p;=feM>S?OJZ^r2OkhL9+&T2Q`|0KF~CDlkq6-<2`wB?{-UK%cz5~p!((!XBi?X_(YG&Q zV30o5uK{_IfimydXAK5_v+vY>>9r}S{B+%J>&SWja%`E5!*h(x>%3k1Y(DQd3XSjG z$^LP*)<+|)?o7vLtPI7lFMElvFV!C?ElO;K>rJQWitMuZ#c%acbSG2MlF!pdB+0Ew1dE) zx*r_+CPg)A@+%!(deXk&`D&f2ncPzeakaNeF`iBT)XReTWCk{KS+&0$62l)Vw z##K+aKpiK+xRpTBhy5#O0g%TQ5NZ=@+K=-zvF1|M)a~v;Ti^3jMkVXKgy1X=`dn%( zTL{KNUVNRmi-tgROHEI;=R|bGd~KBXYNjx-XJSp<-kl{l3~lpJJEu=_;&N{*R6|oE zAz%+)@BIq$q@N%bAe z{Q?ap?}zO9i|gwiRwHjgvw+W-6Nw$?L^(eH_~$C$zSngZGBA!6*VRR!5Y4;1+^EyD zvTQs*2+=BiADlP#m$9q3^aCVcNYOj#?6hdk{~?dG;ipss%bb< zre4ax$lSlYoS8rs{@bk27R-KT@CKr~WMIcT-`ddvIS#Xa1LV8lvK-Cw&W(PX`N^fV zeo(cDCgln$l?@ua8@#q6V%V$NPhgC-rOwYnZ$H9S`-5*}vVFX^-2E6?) zP3;)jXEJVQcgwWo^i!+rQ6JFP1X+;+NpUTA4x_cTduu-i7G`nEgbgQwA3vDsI5;DJ zHxn?wSrEjDTz!IUgQ72Ik}g)m*uaVS_}-&is#uv}dCrlNqZkgv^{9E@gt+TxHMF(z zC1q?3Srk$dy{h50&h`EyrK6zur25sRV`#_po7Jl(8vm()alMT9*^v4Za+#R^fpu`z zT@%tu@rP2gLjiY$^^soC>>6M!e|G@+dvTQj}2Joh7{xd*rf)l9g(WuYbOe;2p zq)WGBz^-|AZJ^|uy7a#+KyuRuBv$70&VP4lO*akRA)z6gZS<{+hr;w``$3bxnN&Tt z+#1xk?!-Z+S>EL z@yf&C>UG3nBn}hX+b&FrVrQ&#Z&krZI~j@}x}5E4m z{BTsRsn}+P7=`N}GGtc-?B$}uugJY&sOFagAHZ}i?~rh!_ijokG7(S2k3rIRb}LO^ zSFXH4UJ1-SGSCn1M~Vs$2crr7sakFI-Yo`Sm(xFUypN87A!9B{bv*A#YcCgQHQJUz zAqh7n49L68tV+W$zy!CpywuIg;n8(6Zknowj+~SmH2CfIH_%Rbp6vbUF8tx| zmL=d3WNI!`V}9(hw7i6XhALZ<==`|AAQMM6JcKn+R>4R|$^6$)cK@&9?EHKJK-6g} z(d2jM6Z3n7eE-f!%;$AE`3W8oX>%q4OU?q)Dl?St4SsCT%8WDpAZe<)+^b!Gy_(F3 z(#>)LrNrYe)8ET~w-Suj^bAa5lqq>yK3nLO_)4(XC_ZgM&*<^fGX38XO*A|FrzkQ3kxV`N;t5G*li*D2=AMVhTQBxBNhDFtN#4T@kx#hI8T6*K7{y`}0u!CzfF778nh_ZYAJ}Wh9FuSF?O>N|yivQaZE`Gyrc;l)w{)G^s2&Ihhnb zD5zqD`0@5wN!JEOG7Nd^W`2#@|IK49;0g+tC z|7tR^XO7yf)P#;MYhe)M4>yk>#}f0$b{LKK@EUEFWbnFz?$yZNSb>%xLFqV$dB4Ux zPm=J^i5gX(yE7$wd+v^owS@|gpFclGs6<#UH;^c1d2yq}C?%(+Zj)_{M{E|pm42$w ztMh9)k^}(&?^l)ai!LlQQ1_91j1^va>GCf+U+w)~ZJ=AM`JqFGHjQJm-?{B^>GMdl zzX(=|vf00p<0k*d(Uq%%7mMs+v%Y;}4n})qTEzuvqHdA=XhKok?9$lGlF{wU0aD-v zoK`K}KQ=E-_dhoH=X!PjJUu>fD0Fdq({1WWo-{l(HVR2jEtFjOnfIfvkvQNJ0m0x% zI!`9*(#OKRcI|aqkfQK!&uRIoC-EG#P$B!0`ydW4|QfX8?JLFi9*LkO)?0JOG#@u2e=U=!zw2 zML<9>yN@sh6Dt6xF`8c63)1wZ?XzO)u2kwJ2Ez^Z`j^)il$?youKT|(|6QA&@L|>0 zyZ@JS2@s*+%ToUNdAQ~9;tl4-nj--#A^rm0Wy~^3-82Qd#n&VtKHHcI#t%X)we@Yh!m2+&h?k?Fz&)a|^6|s|FSLi}UKM`t6F#yRR}7oNuz#C^=Ty7KO8TugS37P3Ky9>O z=P*GkVAp{9?+TGXz>WRg{`fuy7FOTOop4Wib?3+m|JC9zdzPCUADLL<{)aY2kbrIX zxrN#|*xZ&Hkoss`UHbN=V}axpbfP(|odOkxT|r0?C>}teVp7gSnKe$xN7S+7lJ;)J zpDZI|@%ktmva2kqR9^m2+`&OaI1vki&*K_+>cv6y#Qg?CYRuAV+i5{w;XwYgK8}5* zJ*aiH`M1HNy7}L#e9EHYWJXsFA6K_vVd&ntn&^71g%3Cc}LB!Qn}xzOKKq}re-9Zbl~5a zVr;(W=4pQIkcP9N3U|ITYy{x%A4M7+*_?}*$IO_hpw<69H#6T2Dj))&S zY7xW_w(q+Ot?Tu+Ffmm>a~l#c!=VDdlBb9pTarV14=6P2*z-_hB7iMwj=v9w(}9WK z%S+S#?GtY87k&-1m|st+1egKfaMMw z7yGy6FprV{sdP@j5kHUpN>4mRFxZC}OP0>oSlz%r-jPL2T3g&4X(p#>v-|yVf<+}9 zY zBo|x#@z4OfP7jS_^CJd0OMv_``|(_J+vCWG5w@IgNjInSTrz5M_AfI5?bdxk68R<@ zHQgXLDdKxaHRX8KjI}n!G_A^jMCN zQZB>``=(f#Dh44z|7EbO{OK}M($HXGpx2kXH2-L=a>;MWrA7g%`=s9AGI$mH4xKo+ zjy^(%!%qKpWP3z88s|N3i0|;{4VFdCFQ~}U&hf!eVM8PJJHlwFTKp4^^cFeI@bAF* zH3aJE&2Dn9nhB0Elov?CcE?qOWc>}9K8;(U=b}d`mzs`#M>$#cjNjT)gBIU-*v~Ch z$+Z9z_wmEnXO#cgGTvK4qP7Ol<8{RLnMqeW?x+Oj{AsDrlsik1@=)d>A%Uf&GShAM z!2vCTO^PNI zCN}n``jE<8SUD>7Ss!V;Kc?W2RY$L67J1kk0sGGyGgl!ysCw-1MNP z+wY+d(X7CnzMNj7+L2mB1a-c_0fu+Qi3Qx+qmC<_C7JK||kfZ*TX$xg@mWFj4hKZ~eX#?N`sY94I+mdE1eE z&&v%WQn96JbRMlx!QEYhm*#x_C)ifO2vOY;&bb;9@^_L@C6}i zF&g^oUKlM{a;xNQA03sHqp#0-Lps~9F&#UvXh}(Pz@C^~dobN=bT%Xm=IVBtY~%D4 z#A0P=lP2fpfRLU1osm%vA8~Bd(y__h$U{h&)V~>Z6;7`UF*gA`M!1-J}y=8a-vpNREbq;ZXfQ>))&_mR1lMi8iNBFYAX^XW7=?Q zYzos3h~9hpD!ZYQAgz0avXt}I+C1TQ=(T6D;raLX2Mem&Xe>wz>WP0SFHQjs5HQSl zG5s)YWg}UsvHeG0T9?1$wF7{>ih`1lelh|rJ*&`H9$%)E;@zsR>O^0}PY%{zACYE< zx*`AL!Rh{k0r7gEyJYtTWTBso4=#s@iRy{)h^R%5>qh@YuH4;yN`M^j!qi-+(Ue;j zm1KKU_Pns9BsOJue(UtOFWZw@tXQqab>GOL&6E*L>t+e2jn*es?;Fh7*#7+7Y}LaZ z!DnMT1%m$pRqYOxjKzfUY9BxT-RjH5!o`&UhN|AMH&Nex5;Dt_o6Ga;wJBdZiXsen zIay}8+OIIJKRz#O&d;~B9353vS-STH!KnV}H_N|UlRsdYK~F@V^37Ic8-E($LJ((Y zsor(>40sr!<5Fq96XF_Q;lEpP4d~1VG~u)?5NVB(x9I!3`=15|6SHTAfz15uU}H|- zk(!Ds*hal{`_c=a>z4EHFk|!4-^&X9&Tq3oL4`%sM@HI27S%UWmFrxK)Yp`hh@g=c<>xCQK#MfvM5&X0%jF`p+ZgWWC+cvYfv? z6A`by$w>OJPOAr0Ff6Lsx)3A#FArNm$V+Ssn|F?22_0VJ zhoy)6`t8}NM^3reUU?!lLNL3ks#^%bd0@!&CNPV;j*|td_~_Ak9AcYhDhx*Vk_t7^ zG}Cu8doF*Lru}zJYEn;yb^ld}S`Qui z-e}oxz;kShcyMS{rY+qcN6@FOu22ll`hxQF%+M2Z7Uf~lak_fV!^!U_IVdQQC23te zmFW3;pqH9d_z`o@!Na3Ln%8&dl}5nNKs>S9c5va8ID9;3?CUyGli#wP$Wvv<8@V>w z3vbG&+-&O^a%6hdt^Sx{?NG}M;D$oi}itB3t20`YP;fdg&%dauC|VG_)2&RCsRWWK!C<(zC+Wx%v9$tx7t6;Z|EE z=xiz$hsvFK>#)~#=5JjmkgPxh+4YXNu&$AQj@Pig&emM(9h`REFD*0l<$S29u5 z)NT^tuq>!2){{UuKdPvZ2D`|URydYA*4~^K1OU>+4+S6p|2bu|QwwFL!rDwFTsQ@NpVI}rpFnaEk?j#Pd1h~AakNNz;SjFgwfS2Qa%;WmNt^Gp& zt05Os0^aSQ_Ju5)GE{YHZmwsHMX<@`dG?k4h2TPxn0d1AVTxgF=0&G@g}}ftp_J^K zx@f!+Hhw~}Gx4YTLM%j$rgmj)#9i+d5zzny0N>C+ zA1Su|)c98?hrDkj2Z$FBVH%fbZw!jn3e?<39F5Dx z{1xoJriO)p&^}>~Edwcyu9q*(hKwJIQOI6^ju_n&@-ZDA{i_HAF*mJg54GZtP{PUy zOmawecVFm8a?q*+`b>^)O6W@9(UDQ?ks|-PQ?)F0SxX5im1kGwI9H1P?OaIP?ezS$ z?W$=^_U^PaR`g~9Nf?A;SiFfoew!|b9(OnT)VX?^c!6n!_-VK$1{)90y>{}+*=lfP zuhc<0gWFJAQj!XA49&(?nu&$n2KQCnNek)THjGFgx6M!1JtrC~<`0u2t9VpgSNy95 zNvL3aw5s$JUb|o5-9&CZ`)p3#Irc|31({?wJfUMaG9b)+>(w2P@*H`|Q@9{VeEI#>8}`_m+nWST`9 zdeFGYWBS~lmWG7;l4o11mB~IIl{}`=kna-I&X1&lQ`5cZaX>m5__Z4azC(MR36G7+ z^Ch)vw|$J`Bi&e4vk#BkQYGduOxQux)##yVYdhUKvt2P6+=h4*e5_2#w zub%o64DW$vu|O66S`P{~oAkyzo9XMoc78+0QkulY_UZLj|8dgsL)pUS%l#$axpg&` zkH`7)kbctI#yMMO*V(GzVgps0ykp1M)NT|wpN|;xWgg}#?ye3w0yUeBg989A-+8^g zcv{=qnyq&T`w96Yo_D_SDL1Tp%+j8m*TPHv8Z;ClG}9P`OCsi0UT>^WDM?Q4@b}0c@okt!aU%uC9<8;y zm3)TE@2z*biC|!hzgCE}FQzm?8EPNQ#Z6P>i-n2>FPh!HO#HOrYJ?B~(f@EXlH$C) z_^>dUmVFEP#Bcn+@z`x=im%5BphYC4CwIvYYxz&$bAOj~ed)6jH!<1$>pqh8z^xn} zqFmi)GC?(AQmgCiyGlPnh4jm|cA==%NODoZox%;^)<>b zJ%Kcw9gk!_Lsabag&JpW`#m0uAyWUeD;ndwyKJZCRrRNx{T2s*TmLt1H%`&vMDdoY zV$J54G5hSX^6vd#ZnrGwqVB@k)hUK=;(f7(&BSbsV)y^1l{>Bc_Wkc#W;%{FT@*Ux zmMiU9;LuJ#J<^e>c|FT%>$?#7U=KbPk`B2pJ#F?$$~iID*WaA1can8ny}HW`YW}$3 z6G~3WDyk|;6{~Y|8+>rkt0P`Wikm-{jtK*ZMM!CK9J=9$4YKnscLi|Qm(PA1*nZ8C zq%NgBaQ0nkT6I9(CzB}Cz(mK7AjCn$t`l5ZXfZ`%ASm;?K&O<@>F`1z;;r~J-eH(7 z^-eEe*iccIUKNR3Aph6}_C_L3?}u}%;lX55t20%r=Lw}0G*%uw*oFVL8HGhI-93A_ zR2T0sR;tjcO?B+Z31-$WzFQp!#L04hbJ=}i#=zXACH?z-qVp|hBnvuOSEEur5w&68 zq|%RCAH%ll{8U8)KJb+25LZvNkha?iIMSSj{k`-`BPOTg|PI-hB&=_pW{6tQ%`d8gp z_=6v(xwuk>s@wZk(NEH@ihS1G|aajMzq%MgdKe6`wDD zD@elj$dH(rDRiPs-PgD$)?=27_ z$@nV?FTOk#Xq5q{ThG*FH_M&kpQ%Z4OBArLKJBPL$oYW{Xv1jMf4Lu{_Vo1dc~qd6_bFIP3)j1A3f-lN0zH=>kHbRr z^zPnQxU<5hrigamD;q~H*Ubpi>&`qj@osT&RpGK2^tg_ThBgGisr6VAazyLy9C@9+~7!%Oj_2l zSmKvr^+6CI{y=m$F-eWjkD9DlLCMNTfW>}PLrWteD@#h#9fg9TTPloBP1jJ--=7Na z`ZzA6%eHZ1W<~;JWM5ohRke-f4~IBeoAStjG(%I9n|yL!6icP|n@3`Jk_kP&F^XUv504GqQVWBWdJx&*8Y!zsk zv{;IN{`yXr>-7z*SoTtZbZUAU0>=N*0vxGCV2zw6ZSGPPe$;sAc-@gDu^+^otha}M z=#RA+dc^rp3jib$Aib=cy&!9X^&2k^ySfHY}`qBu3Ei#$uatKjGVBh_bCn@$io?7p*eZNB?!7liUBfabU+imj-y zJ-b8lkt=Y|uArb0jFU?Z^r`AUhZe_rh1i2G#xNK}r?M#DlE{G*G01zeTsL+kaq zb9=a~oqLGPBwC;b({vT<>(p#WEa3I!=RbvL2wLUTEb20CPNTRq^Kc}5u00pxh4EXS zH|-wsorC_7jNIu-)7@EZBRY0fm1-kl`SaOK=_p(bZ0v}|m9NzDfIdA*RaP1oxgcrn z#B8}sv*I@l9ZM=KV_`uZ85!yKGHM5ounV1U?;P7iB9$_Ez-=-LYMEZgr@ROAj^qw; z!9_*Tq`uekw`Z%;K>G|jr8o7h8FAUtga7P1cS7SLlF4Bc*U0=0TQWLE2;MKXg&o&`_MbG&3_Z2m5Q z(X;)0%hOPB{QXH3?jPE3r%ko%$9HyGa7eh!{bsfQ4x=+>=6P$JUe!RceId6qx4fz?^@|vZ zz5OY2lL+H&OT9+;es`}Yq~t3s!DP58ljM&LUkk#4&!6o5pH zWHv?wQ4I{P{)*`hkDFSU8Eh(d%==XB#bf{1^7=;teTqPd|NHEce%!e#eMx6$202Xo z)6tz>`+?)HMWm6|GcrGI|ML4> zSgT_1dpX@k7pp5${!TsK>lg{zbF68a(crC;w^W~ux(l!r^unyToJ*N)nK6iXWDUz2 zk7WX|l)1TZU+6&Ox5$E$mhTV7<0Z}cksU8CAZLCMlJoKeoS~v?-N&~zT#kbI7^cLc zYJ*Ff*XeOC1VJwVUrmb~2;`o6JoqSct^IJMGh=Dt?0r&H?Q+=;b}`0KY=R3sJA z7rdpVC7s_sEH96D#U&-*u=;QS^c*{G$6_FM^@oP-(x^S)%_OF^qPWTu?c(4R6&GWY z<%)@mLjb1+tj!??(hCEt)2HhL4!Hoh zV_sPP!27HZA&A%j5&^*5U?$7#K9mZd9qpNe;`)?5t)3gF;`(c)KXuL0nbY8jsXJ~t7_nsWy&vUUExSg z&Afy6z!zBlqoSfjC6^i0Pc9K6N77$m1U*lsDz$R2geag9L*tWtaTFA3q4FflQ-~>k0N4XN-8RXE-qA&A60uKsMs^2t=|)Z7m!Ix`2Jl0EH4wskO$e>k;|tt`KlAV zbVThU5nU!3?`IC(64BR_kXR1}zCgS<@ey0k%47^JZ*HKWt@O@rv+gfD?xPbE{~^IT z-#cq{EcHA`u4?sw1kZbB-CseM+toX@vbkn&uTTqi9F<` zLJ#aOPy0Y2zyJa9^+z%zkQ_xu#_ZL~l2N^94gp|9h@PHaohBy=aMmRiPHauzV8LYq z8YPlI|IP7}^|Uy21%Qbw1D{8Gdo~JQb78{WUUbS2>cnuP$SbEXkzWSau2d}o?vm^QHBWw?KgAsYWU7l?N|X zR%-(Y^7oiyDS!S9Otu=6y#um#%Tb(#Q=S~}9hLt^FTka?q^AcwA^V%6!ZIc%pj@Nm zt1tKxj=Zrbn_JM)K)25=J0WVxzse={PNn$=iG*0EU`J>{zyR1 zUgJGX8!bbnB7B29uhIltKHCrA2y!Yay;G*rWg46=JAKb*XUk2OVVM9VfJTu|0nSjl zw{spqTE5usiAO_YS#+%^Q~B{~OpwfEA~RjUQUH96GV<~atsbZ5eg9@Pw6tp77Ae8= z#@gN{luY-}_P`rimTROcxy3$w)5%oAf6}>;4qXF}Mfz93$pT9t$I)L7WKs@nI95y_ zY7hVzx<{D5Je)ZM`&`CC4hUu-Ja}+UGf65%)x3k+K{mCFPBSBA!Xjfb}j}6W=c+hZ!^(G zKd8CO=PL8Ay%2h34MOnH_@SP@e%Uc%xNav8M`4=3T$G(|-b+Q$NYT!lw2t@?O(nvS z19k?3`i&Xlz2RGbh9*pVhYVZ6ehGAaNu4%Iqxeckei#bIz4;{hP@1X~)4Ts4t8FeY?EM(rhY1LrYK6=>iFm zFZhAU17!UAEbBJ^di!Y!7jrb|3EMTVk%Q0RL%kzWSXe(ULGDLDVy$l&7S#dAM03j@ zbxzy(_^fyE4Flk002Xh<7$O(C_t9a;;_V+AY{*nn$M!v^ooefRW|o(~EZM=gfrKVD z2}y5vh{78Y(2ohqfVx9;qiS3@95lD`bqg$nPt4RnC4Bf#xu9mtjvMX<7gm z>i)x8Gk%YRZ^?>=YGhGJ!~aZ#Pfucinaclpr0{1Mame%#@ZOGu(S&ch3MbGafnc5j zg*rf4pjYjrthoFHBd|bOg$OvM;Q4ucbTVOS;3>4X9|tM{=-RF^A4Ue10uE^r;1Vt8 zo(p1%khjcqAe-m0?ia5jZxlLuc-e50>_S0@6x|>EzTDzZ{qR40=E1a?kfwKN_<%g% z1axgXIo&U^2>O~!Wb*HsAamB*9WsZb*%#Hc1a|TW9hkML@#CvT&%Ll&dZ($ZY|tq;q$*R2Hkal$|Om*(o{*nlUjme!m-X!cM|= z^bzgr>&FI#bQ}$6RXcQ&Sds>&q{fivn36?n2yV*M=kqsUJei7)LbiuaZAQ)21oD%Z zq2s1z{XZH=mwf`q#6JigqtntJlOqrp{VZ3W{>bY{`^p);P$fwP>(cQQo~RQyVB+xx zyVbd=aONm7D!zZ&1P(MV@!MDv<@SlZUsLWp;E+i@71RI+z#3OE?sRI0`l%SGd{0Q!Sd-mQ}k)WKApy)iqeEZNPG zc*zms>D-G~7gc7E%0&@?zZP^VkPjiiu;FDjZV%0pdXB;nlY6r24ad)}qBU+*iX}!W z9ql;1v6=e#)s8SMDy2M)`@E++G?V)0#MeiUVWmq?KczWrXW@#B;jau%fVYc7LNr>= z(bo5sLtN(L$Bzrgvlv8x4hxM}zVP49V$HUJ*RF0xrarj#CnP7E126cm<>hc%F8~sz z5#`1Dne`6u5yOr_oIQMFL&I|7=}Tm!pP?!%D{~QE%PRB-Inro2Z*)O9J3j!O;h(yimxl>- z5pQ`8Fj!dfs|5%0TquHTn%6EVZ!3#L08so>Cd^&yUBma8#HJw?fHk>!ym>am%a?L< z)d6el6QIV<*=%i@S_^no^L-ZKs^J0zr$Wr&k^@F%74@XVM0pbvte~Kv9fzfGt$aG( zF-1*Hr1#~b_sVJ~{mo7~wIf+=|K{>>}Filk>z&{&yu@XeaN6_FtKK^@>%@|bR#VY@O8u{Rn%6os_1$RN^x~qT@??(r^?2VWk6QCnY5?XftR$AP zcS8eeQ>~i}JE$ux(y=5i9E`JA%ivqIcMmrf4eoa#fW|JY`k8edikj82ON_@%T!A*0 zea|+1QPbByh($~X{>$6y;}r4T6$QoqVdrZYNT;};0lQaK4yb$@nfNiN;_VJ^ z6tC)NhfB}z@L?3lc7&qlj08qbSZHo&xMXa!;!Htc69ZK=seL=N*jh4gb1Zgi9)}EUg9Y=Y88twKO@|K<(?M zx-K>#03$ln$esbCBu$0;R_7fSHZgT{rj1*13Pk1CVV^(uLaaglW|D!G8mmO{+M3Yq(aR3>$ch`ey7jpv8hqBlV-Y@m?l*&!W$*J3gR)dEP2>!m85%P2b2XrYn$=-(hv^93=u1FA-HY zVVFR@ouYW+-TlMm9eGlfded3PTi2HoGPXq(l3C@A=<-+VptU|`@~ z5ijFTO^1)+07Z|&BBYNj;Et@lN4t76)vNLRj@}+{*0FG0_WWXh=j{)aJ6zW^diml& zJ~R|GR%BRQ;nOHNn`rvzle9lt@NCvz@R~?PA@ebddOB@M#&-{@o+W*9ow}I+zR+?} zxe^)o<)&QiNii$e`mKVBK8!*pn-n)xtH^XR$M5=ZCbLi> z9*Z1b+4Zd`U6Gux@V1JP*RI7|=BUOSesGTk9nc|U;AT!hA)~8HD4dO-HcF@c!U${B zlq$f`-c6TgFjO*H*%!UL;O+Bt*K|%3DbFVz0*~gfTC6nrl!YmsCm)MKuvX;!(pjkO zUp(VqyrT{g#qnqS+KLKiZ(jiYdYjj`>3nzD>rdXJxO9Je z!NK&hRs=OXm`kIe14Uu7sa`Wnc|S5Ba&r9?nqqqypRP*o)4>l%9^d8)Ceq-z*s4C@ zk1Bj$-IhcU8gHNl9bFWXx`&VZMZ2^dl!{ug~WrV}ot^mwe7%v!Ncr?nN+e_<|S zJ={%(FsPl7>UW@2?Z6?;Dx;mcsIor`@=U1nE_+RuCo+&{=hn>M{=DLuc2b@nnQ>dq zYPo9u^QWd`7<*`4g}_zKpsi!D)L$$q!pnug`8m{9qx`ME*7iE-ORmc9-9>IJ#s0_5 zZPP!lggYAB9Bc*;E-JfOQ9-Nmb%i`+-O&+sO1p|lp;A-|zCT4+mGgU|_j&ird5|4E zmTL4WWD)wob23PPrG*%#J|O?6wkxEy9IbVnU7<-(?B|ONY5Up8zOR7vSxQ?oDLbln z@9pA&h`mT|Rvd-ZK)i|bYYk=xg&xvMJVS~chTzjINvG0K?qjD6&QSzKr(m1ms7fcf zzeB{}nZ~oAVn-*B6bI^#!MtIvknd4+oONE zZ(1M}vcct#NJ)s~jH6)N=~j3tW>J{kb{P}y-$v`{+UKzXh}wyFIx)BJh;x*=1a(HF z7aCku+`u%)Xj9D19-22PmFY}%55(NS_P*)!3BiB=&npA%y6JT%%;z-DHj2)7Pws9a zPv^ZD5);sH${^NJT2?|`q`(YXa_g7$n5q~Hd+qjO_l-6W@_RRg@PyvxTh9Fa3jk{D zE!MPLPEJ5c7*SC-m5f+3+3p(#0259`m{>Kmw+nAgZoUas`%w77@8n5G>6P67`5I8; zzoz#k`U@g{_d!2XdNCx`>qGEZC}!=iP^E8R{0Js+vnBW51FFPFe~_pN3wuBa1vhiS zt}AeJ!CU_sV5=yg0$@imB%batLTRtEh+=`W93(vChcAF0wWV=1hf6BjQ`-_9|78G6kJ zwJL&+yt(0jgu~H@x_1`n6PFmG0nWAY^KWIfc;axhmIQHvYm18}l=C~U#HaIZ0jSQ9 z-3SW*r$Om_t*NOgNk28VlwG`4zuR_N+UpHKgnN34iaO5`fb=^rIxI~raOCfema{{QcPUm7}MZK6mghI#~dLc+)^%xS?m zM7~_EBGK!S_Iu^4LmEoc3R{{M;s++lB-($P01Cz+%f_v`XdfI5e63&a`yBthPu~0H zIE1)e-82ZpBg1=}tuI~C4OO5u0|eesTdWBM4E)*Lv~1Hf$(thn0inTd{OP2|O6e#) zT(1KBa$l2wg-{V-6gRY_=%2NRsFg2hzIzX`lO|Ozf|j`W4*r|@HzvC;!Q=h1P3fy8 z&Yp&nqTC-hz9OjU8=SZCk(KP<1+XJW9H*{`tU<89;Pk@NQOFRnYu9(cScdt`3JS#;h|cLy9m$? z^1Vq*DBu1L6A+@xzppfi1G3zqYr)$x-8yqRwOBPEn1CZHb8L9{vaocI^mP7Tg{prK z#~TT?5QCB8wV5g;JxXHVd<${t5s&8uinv&5UC$_>Q{9f_Q-w%LqEmwXR{PMBl zZeHgk54fWu_rGx(Q#*OP@P3Ac1`W_$fgo3^0nABCnJsu!uu@+re@uQumY%9whl?R} z;d;C|?p~dT*mx5MQ3V~Z)@CpEd3ygS`n5W%8p$8Z(eadguxRbjc@J4Gx-ouKdyVg& zRGQfs3}AUdBWG>U7=`uhkQxhws=J=iyt56(7pM#<-_gw>Vpiv>ddJeumy4kJ>$hhKryg~SAMzpN1AA4loZ1Hj-FNFEY{TpQHA_8k} zEJB|Mrsx|AaJ)sEH4A#!m$(pNY-Rcy%hK~_f`9FLVv#OS)u|-!sYlR5(AZP-JsOQhcWwJ%hN5UtGM{D7QHPCh+ z)ZIz6wYv`egq}(vA?E)*!~&O|nPl{njdg)l)mvfVvE#9|iJ@}&LankFbt>B+V4y6m zEcrK^E9|~29GZicrDUtL1T@5`FR}EJB#w{>MMSALLAnPA)Fp6=)n?i7vf{uw^3McTB0vzWZbKh)!XlmRrW<@DPw%aj#P|%_UQPles|T-z?IC} z{0{hQ|FVA@UmzDDBj`Iw%!y1xoZroq1uRPKQ-wI*sM7H&%^Ju>pEJ>c{)CDAhs4(F zGDqP+gfb%Lzz8wFhZa>)x+j(-d&&fto>!VB04q$jo`4cMUF4O-$n*LGfM`!xQTVFr zxx@Qm*G?gl*??CkwGP7vPAP17QP1@I-Tmt^#r~31nz!;MJLVsl;@55||4kew2-ZQk zscZE^9TGD7-quU61`3&QelOdqXBfd(#IA$7X_hwFFOuL5DtMl6+{cr`1~3zb;=_@L zeooB|_{ah3v%mlMU+7ddCF)O&?>vIs$n}Pzr)yLi8#m4OkL$+tR9vamQ`X;KU4&Xg zgWrs$(u3*HNFogaQaozEHR6VymQZ%jCP(Kba(BK|pDY~|d7Dv`*VSI$Ta=z&)4Tld zrOvkWapa>`;~DSj8~L&EaJpHl+LWbDNlmCE`rTe`s5DGv9=g{>QZ(}4GJ>vYkjens zEOG1)l`n?|`+QBjn~81Kv$g((l0(m5>i)8*Z-}nF7>Eny)h(6bj?6gtQH6?5C|XJE zw`w5vPwuh!E_4JStbs?;+S(cb3|_WETe0)xV&6yB$9Y+O#-cvck!3u{(<*lz(xWh6=#^c(5;2Sr)G~P>Nwio_RuYHzhZ2h z4_42W%S&qq>z++#=eA?Q;nGrAX6U6FD;Af1f0cLkbcaM>?zZ53ePH5z#b4ud2JyBi zGUIP@IXIVcKVBS|uh3UiJqyA_-on{F-&%b}vHvS0hq`|@L#|&&bFyr(jEta>XV!i6p2oU?LY2{{ELN6X z;NzXI{Lp)vE#i5bqC}_)zg)0&c?oS78rlVh5QXLA71G2>%KS<8{>>3>@Uoly9 zDmQ@;5&B$4{(%^+vf<@?CMYsN{y}&GD z_UaY)noi0Zrjds`qOEi+o%dHQX>UATO%13KVvigB(a?0*Lz?tdI6*dH_*DsTd+(&_ z)QJrtzrA+V9?*ybhpivd%~fIDBhZSpAYWd&B)(n#DuGV{wJ-WoNgB+_648DDQxPWE zB;!s0ST7wd%~&mDM;WBWRJW<_w=Whf9TF9<-1Uqy@-ch8JE=i~rEJ7W_@us}3D`wo zpaHl0wUWJ5QpHJ$>PX-X6%|E+a22j~K=>@m zhxNA~3x3|vGAKub*kVy>OHdd^MehH+0CXz&iE9j_6dHnPz?W&10gr^#prt0M@x~aE zF6BLm>g;X7S@d7PKJBU7p_x5(UFs<&RSI^9hKf*89*RKi7JlPn(bNeo~`)O$bq8(+@ajTE( zhyNWCdT~f+=aZ;+dz64tuB@CKo{q6tYE+ZD>>ILF{L_|wD1VRJ6QD2czlo~7G=1T- zg>TVsqzc`*V4$GqX{Vs@dlL8ZT2WLV{W!L$GG)Wt_WGj0J1=l?fP;~gIv*Vr^1$;^ zQo_<#IPB+7FiR00X}-{L96Y(L_TN^<=g|8yZB0$t)fa;CTgF-udQ^vX2OK>uRZfYu zlIk2=?8dSsGV{79f&C_3)C(H{ot#>fH5t^Yu(DNDvrZT?PQDK5pqbNCt1%tAZvJyNL19CLcQ~>4&p(QZH(>rFHom&7pY^3^^ z;`-*~oWpi&JBPgb9oT0C49PbYd++sZ^-Dfi%2a61@Q4x#7}@p2g*LHRDdQItG&^~) zA=&(^?*3#2p_E#Kq^pc>G)g6A|IenGbytkOvqyHZY}6dXrfF9o4gn=#pW|1Y z3GYx}LC^+gjvueJp@U%#!Q4y68>9O#*(2{ii32$qbXH4;;jc~C`ejGuCZNN^8yn;dZJUijj}!-WCFp}U*v>0;A|h{wC_ ztOVUW(Mqj}C)=>9{hQ{;HxLhZ0(RYzf!LN+-)*wBRUC{w+RsPA85tQZHyN3UGtj~_ zxR4?uM$XG$(HylFF68<7`Jg~j{PD>QdrRAIP}%eFAT=1OcB+2)b~X4o(ya`p`NH(7 zh-b>8RT7TT>m|%;snK49iYni8l|3AltPen~Tb>)&gVfy(PiKy2w2ptr*Bm{x89u*Q zZMR{uau}&DzX>;X#$rih-+vZZr}EJac+d8s`#D}>=t^C*_eX_3h}-z`0rklD2=5da zonjl`-<&L}fsiXfY)5jF@gsv}Rm#)ay{<5;`Sq~rhzJE`@T}ch0tzCyR)97bVC1T? z+tdoi?pe%kf@vKEEv`Ei!)F(}#km)K#<}z~T-hTxHb2xJ0wci4`dcV1X%bADBMu?9 z>_8xR1mNGSG6$T5}8r&3pbZ- z9b}8NF87Ob&1Mf&S`G)IJU=NE@g}Ar>`$-v6=v@-m^l2j3*|$1{bGA%OO!@8YDX}E;A$lOT z$FDr940cS5rC9HS|9DemTRjn=Vx|@VL5FT9PrfP;*!c)O=%k&E7;nim`Is;UKD^gKqfZy)9r{! z(Dz&Yf3DQj)Qrq*ru&sAeGGI3nzkB+KWcvl8@9UF`stI4X?+#)Z%g2_eQz>FlK%4Y z7K{cRMGTX(1(m!k@Gjc1r-OWp>h%Fk$*ETealP@%1R+zE2x2L2Li(d2ba6I1- zx14-Q-JAF3{#AGHyq9);vXXiHd&yVG1s-fFG>p3OnPzo5Hh25ejCL;=UWRO|I)=er;mhy5qPG8%ysoThHfe#vC*p2T$MKox zXugV$l{%86^C|d5q%moRgCt*rdwWJ*x6u~~E3sQvPPWc#6rSI~V6yR~1(kS_B8>B5 zK*HGScbgomfneI>S!=w}r*^OegIuB*A-|oVvEN^~=rq>8=&#A->A3i0mdo{}xOfzF zBCQxKI&9m+O6!0k@^CgPTYnw={SFfiGP{gB=ucbtBd+X=quK8|UA%lX_v1e_W3f1JOm8DY^_BE`1H=6zd>KtWc=# z8W}jS=$bEm=@-4)_*!4j|IZ-@JXODa58Wy|Pvk2JotQGOnl4VBy#D>%^%NFvmY{dW z%{K}w`F&3J9Yv^50K+8Iy3%5X0cMY2q^Y6jorK5o9tWQs%=4HCuf0#(j`(Z29|0)s zLyajMxGm5!+;K&i?f#t^`d9LAA0(>e(1hPU zljCZjmiy7n!F0(m?5wQw-Tf*-l{q~R;I=!St-9p63_5Lm?7*N0ioRhi!&)WYSR#ubdIevR|1I9wB09iCLG75&iun2G_K5OCVogfInflZQ!ZN=1bM&xM1q$(q*w|Z(%_b;-tp4&0 zkA;Ob@WrAW5cw#%sV@YQS*WHQY#79uau_K5aX%YV$Qy8FbV@u53hmc^vIPR z*Uz)-_YdPROrdz=1_ux9!N2#d#tnD{K2#DqxPH=QkHG%3ws^e?`J%TWv?Qihzj&6; z5A}SXpY9xATCMqnLDDVbbJx_;pTm-cPV%`;cstUMpizU;N?c zxmhav6Jdka`0{SK=UGD&=w`E=9{ue6M_1UV>EuUgJ{D-^XBv`U8^K7$-Z+a`JEeTQ z7UEXV+1hSeSE!iJd&?-5k?&8b3h*nk)>ML$HfAC1DBVb{~VDJa(hzlrofH;yoby(v&qTPJ#9`%_~1jASUcEvtvb-t z6)_B|lL8;(ucc2#m6c!e@+426XJnF7@m$WtFfKulCfIKa5VotqWlbzaE6 z)zZ=me_y^kA#|IRlHGsyIioj&@5o8WLZ*AxXfR3r{pGUlB$)f5=@N-D#=2{Z_&wfi z&X(eU!gS!j9x{G?@`%e793yL5SBWQ2Y|chD3h;x9#`jm8+`(mLDG%WJim`6{F)A2! z#OFG{^I~&9x7u+DL6;35+_3qT zQI(^WbvvEWqEme(9}>4!TMvatzNp+g|CJXvY6(5bY;;~b`%KC42n`1OS;83*J5$m( z>4!w23gKVf9$0NEh(jhM*MpwTx46-R{bUpmQuyS{Q$U)e%Fowz)co*XX=2F^Vwo!w3m>Sd6KAqr=EnM=H3=^l+$W348MaHZ zcp9C?g@b#g5fPEUx0DiP_76NpOIQvK@dA3>Ql}Ngkxqq0-`%vL15(rDf`H8VjN%(o z+#Le0RWn)epnR2yh~qviyIAEkqgNV60!E+h{Ua4WKN#V5d=44Js~oQ+y4?TF_r{1^ z-Sr})V(B@m0z+Z%+pp$yRwAS0cjH7(yAPeYo!=4z&=Ih~q;fnam(I}h*v_+&3j4-@ z=6mq*dN}Q8H`RC@=_MuY9J+-`OS!3KTYWdGZ*aSu3W=|_9EZ1@$O@XXpCW$%~{x11S5> z(tfV#>bEFK21IH|aR~7wp`?nL85%G-e7`;&rZ{_nNlBSgZP`<1#b-f^x?uhGihldL z>)_D*LQhO=yHx8%0$d!x4r687(B%DI_Qic?dmkmRsY*aN1WKhCd~7_}DXB-t0AB0k(YS8&~=yed!{t zZGsJj+?P_q_Sl$gSGaBZI50DUOB)SSW-APQx&01E&ZJ7g)#n;U-iL0%At6(Te?7g3 zm>3ypZ>7aK+MiG-MXyLf97*)@Af)XYY>RLRAU*>g1&duPii_)+S6Vu{^y_O>ReSm^ zoGrps{@{ZHYgj0-DEoom6?0>9)hmA5q)`K~wybpte;dhz70R)7_uTBA1sc7!$gA%I zT#lzN`_8BH05gw8A$Qhn0G{LjY&2;6dPy0aMt6GCMJm#g`t(U?SnO+y#e8=2YlL){L{WzTf=UuC7}zsCd)Ila zI9$WSR0Ui&k_KO0NEOfKzhzE$d8Hr}cjldB^-Me=Y1-J`?%#UHa_H!uH*Le^?c=nw zVe;GXf(s0b!2Sk=&!svaj4J=?!1`&LW~ZC8NEPLeTi4}8!Zw5_i_MnHuEHl|=A>f7 z#;+HgcznC7VlL>JGajI)^Nq5n?V(SbL;w|w4hMrUf9jE?fx5LP;bYSom8fu1r|5-1 z4|Q+L{^sL!S%aXH^KI{K&E`x)@)mIGFSl%7d|zmp>Aj> z#@z4)k3~o0-MjHcE}Er!C!T;5Q{5|7M9bf7>g4YZHY zhj5yil`vNIfihb;6bWit+HcQ~7*04Kj`SyHPC%4*SFBBG`X74qH_i&7=5 zhj)Canmlo*@gk*=!o-x#_nFHbrK@`5+Pahc_mHQ`?64RAkJd zl$#u1EZaB`xj@Vm5eZ{Ao9;~8SZDA*p(ZEuS1RW^XG}P(SUsiUmJso0?fbimTOwgo zLM0}#(yG!T1y|mDtj$QqH&I5zO#hu3jAv4?(n>JIzsMi}$CzWQf$OiO?7%AdsI+*2 z%ms%6&>D9>qFUvqV#Ud2uwl~Lm_mPSYENu#M z)L&}j9lEKne!@;sf-=&@^FspjoFPi4A_j(;870UeTv8}lCiUn2qTUzN@Kcc&_eMdA z3xAZsgEw*=OkQXH(z4DjK}pxr0tX9wNA(4|fzR#fZ@16I?UmW@wqh`9H@&g<;Bh^W z)LSmA*8LBaNH{^eSlyKK0Gw5}x#*e0AhtAUv1)|vF`z*RbR~F9v?L07tjgP~iA`&Y zl~k1v9y()hEQI{~NOx1r05i>Wgipt5->^=Tai{9^zhhErn%)o1=W4;h!8JnvskS`m zIec>hGA4Ku;eT1$Fo5!}jV?sVZUAKWJnu$maoR(LM?V~q}=~a6KAQ$g(RT) z$N`coJ~~LjMkg*F1UkPH!=m?i{FY;z?~NZpio;Ell$E1<6ekDM@#A0+44bg3774Qy z9gM=K!9Xl5qUB;3Bkz5_8@r|c(-V+8Ek`d%0 z{Qo7zI(Emack1=Fb&3tI=X%D>Sn+UWE_*$_ zYXhje^{2Gu#02wI7-kTZ_C%!$%j-H&I>r%QV4^nd4Tpv!u3yVZ$3xL`4GcvQKv(}& z2HWiTiz@w|jrROmAW2BqofLv%1+fCg&QPsV^Qk;2*t=WFo}QZR!J*+{Iwq#X#YO9$ z9_gj(7Zp@^vfl9G8jCA*@FkCoile6I+73{as%qZ}WX>xV&tHp%UUb}+8!D<*}4 zodGIyQBnn7201m+W?qlfV z0%TO=%VTihTM@(TU z709Mn88b7HxFszZf@jVtCm3^ribhuNziclLeZ8P+l@n0YaSMWRBI2<#G1YxNMT=dy z6KSK)OB4ao#=DTba6nOBURa)kCTe&%OVl4aRxc#JlLFET1B;Zc7q47Z@Lx&tw@_V> zdva(ZkpfbYD`?UWdIR6xmE$K;T2*d!`Mva-^jGx5gD~?b^8pr_+DAvqC98?e-4i)Q zSwdvo=EnYS}i=yE6>Hs2tue z*WqHdr`3TF4)!7GXlrXLX*shtt$7RV*ZvZ6J-`g`IdGcD5gYB1Lsb&-1yxA<(eZ zLqk`iZxt8<6MRyYz7F8ve2omuczpH67*}KaPp<(!5C);i<=L$X=*FhMeO;(Z{Q$m{ zSk-b*=)GTKhI(pSguFei07pbY0d{4}9&=8>={x-PNBnp1cCSxF65y`(amaASd9IAk z33Zt>^fQPAZfvw3e{kCWaU&J?#f*I~cN*sVaxnxm*5<@Nn(8+Mj_|a?KM_FNJ0dc& z<;qP3IEp#WfwXzmX9{xvJ53{>XD@oSwt=q)FSc{9K|B6TTKS;X9^XAP777M_yDJVE zPp%&hWLmgA9hWhJMc`m*k+|cs^C&rTtE)LHo4uitrGm5{`201W+-Kp4;Rt$~C=2;9 zvg%OgnLKYq5~^uJWOuhajNWZu+S!VpAP!Y)m0SId>2Zmhaj{$Q;!b#bs_-=5QR&~= zj{U<{@A1fg&6T>~$7p#7Wb*9&5nG8hRCM(0Z>6ykIq7e8f2!@vQ-&k80Y8b`V0jihLh8JP9*8mLScZkTavZP65 zfa)3*%|2AT;|0j4iQU=AxN9tXyutGH&1O>PZKO#!*?AVdKRNzUd8dQ8zKIz%fSI>j~)2rnIl#S`&?~^GeP0a;^ z-XJn(2+q*-KehlDr4waEeg1V@R!$l|8~duDSUHpkD;bDdKDF&6d?yh=PHuK`qp&?k;H8Vq)V8()(qi?)^-0by7mI>MoYm~;h3b#T+@af^!9uUzwX%Y6JE>UKNeH7NIUbk20<@_Z zaxb_gq2dpX*F3bt<0YEChZ1=d3^VFnR|D&bE}NwHaA5`_&+wp$_)XH6Y>_6HO=dm(s?pdSi}p< z$}&n0$j3TP@S&lh-+)!Labtgf^xT97is5}`c9BY|ww{)}t17SAVBGZ>GZRrN|Cco% z_iCqJozPHNmvui65YFj~pa@WPe~&ID6*QJ377c*7VChZFO5Pe?O3n?D>u>SBp5_L5 zej527SQHcr;8=;npt?~QFOmOWeayFS*7EU0Qcg}tD?l&OsWPwZd=UnA79}?~Htip( zrk8Wt0WefODxB5V!B8agD%6M`Y=?N7AN#-PJ9~{xG1j!6P;M}pT|BR$1P7ACC?|ux zPpNpn_ty5Q;O^w$m&&dpxy-=d!n%k)hwY)iY?lw}97tGb?_1MB`=+mNTNI*-B!4*j z{)J&1d+g5dFrkEmj=!o$%NXQ^h>}S^Uw>fnHaq4^$D$p@OOq}j3*(Y+8%g&B?;0A9{=x?n+(G&+R*jhOxGx7l?; z(P{Pb9HUFF$%pHwU{dRjQy=ZBt7ihr$Z4mWkgtR4$agZT|9Js&_M--_T8}pjo%(hE zEo_!+z7hLbkjZ=HuAT)%n1l=TxX;H&&g6&U3nyHvokH|p`WM-aKXa^ttyT@u83OT; ziU&Ux`Q)yq^_s!Dtwo;+XByhGBx0csoE__&H_SZnRZ2UQKEEoWKhhmiqq4U2v<;2K zr*fP8p{4FE_$h|IAb?7rR%{oll^`aQw)5vj5(Uv!ckI9o{%wip?MV|-ENWpxO_fv>=tm`ulp)U&qe($YNf5_e7qh0&cv|-GK(eXCsqh1GCC%@qtB5quM-w*E zo7`U&&k6(V4R4>z5nJ<|ki>ANZ7j}8TZ+=%T|l8_M5N-U4@hKWWQ4FZb9{54WVZmv zwV6(UzcqHNK-$RrN$AfXn_-TLqMvPF4reN9_K&^F^vZXVP}2UAq>4tVN`F$f@dvOdd8;3?7v=RZ5?%lfOzV?N+_6|_{6?&@Mj`fF zSd`z#zuQ8{G8=0xmzaTFkPBHJHTXC?fHMG#Kl5ar7~inY82nzPYqBc(Dz`R*MS0&F z8q#^JcmQ%6Oi$3%{({QVT-W{@#z;nujnq{_I2y38K+^#pb>K0nZCI66HZ3jgkgK~C z=9G8ODEK#QFSlG;r31K-Vm3JTv^MBpyUtYJMv(nZ;yC6VpP3@|#ZtY579(&>5BYe& zFK)p}2p$|;z%e~M1Tiye?lc??0JcOj9e4t$kR&bhpM zC27BJ8JyzNbOAY9sLpTi$sh>yE}4Vf&!4W_*-(OgX(n@rdk%K{|Dg>$-_q`e(TU#O z(HyTfrl7kZfCzDyDNs;!Wvvt#bkuWu^4k#@*%^DRd7WQW`BxS`OW96g5zT~1rVxNL z%ubHTWHXnJJ5CtKQ4@U&sjSl{@qe}T&a;lf!oq^tUa7Mkeu|MtGWtGfk2em~4ZzPx z%vV%o@m7bQ+kI8z`llqfIt37hbHJHcrtp`4FG(UMmxf-B`d+CjJO;V!+jv4y#Q=(Y zie^kL#!8|{1sx;F#i#+Pf*3>m9D{ViJz06PHvbAG4H}MKo8;t&JMtB>;&DnSBlD2B zU)(1hW0XL>!XHJ2VPyl%uHIw{5CTAT2n8T_vw;|y&$HTE+N$rI=+r7M%c^#&%}JXv zVXJ*E6W*3!YHGaI4pi1~5@*N+rS7M#C-J;9QSfY;?v;Zl?k;kjiMX!3wNLGIsD#`J z$uEA2s7iS_B>1IuJ_9NY2b$hCqi(;V0K7VRQEUjdr9M9N_${LAuOM_Gy52Z60SE9! zxIY-bJ-@jeVCYKAbja<$QPYq75^Z@zU|hg+knTAC4uphp%gyCjtUuJ4Gi?{EN|w)E z&WluC-4^Fic5XoLPg-j07^KBWRPd37iJHi8se2lj{u_!Ug@w)$8YT|yK(=pdp zE7~~qdF^{}J7Q#ErlJ>5J+fLGN-G!8n0^cSC^YTl~Wl6jGFvDxm}((iNSA)oK!n613)%_N$;5UC*(0=_Y4paRMuk2wk-&AxU`DUW;(*#02f0KrmhN_8@ID80}Qqp3h7Z2z&I8+$D zxa6+29YudYBkH;^QRte z?KAo7EVk3`5a1JhPDKeWQ8?kfv33Z?(n#icPJSHSInU^TDcBp(T=m)wV=a&l!lfkd z8r}iFdrufjY#u^0z zF0-VFJ-XNU?4v)0JR|)@D#{bgZM*Us^V?CnAzxLvSz;Zd=ix7p&6~o6|BhyQQahQ> zzpH1r$cZc;M=laNx+{+<_uJn@Tst6u4P3^+WUr*EV!J9{V(ga(0T|VS`N*DnzzdI0 zPY)lq6fqw_$=%>wB?yB}`VCLLWNw#b;^y#q7iTTXKt8o`N$WFKKqP||AeBE2B z%4;bi*JR4mI@oQaNLE~L;c(Xc#Adu;#pn6p?sa1;=J!W*;5*8+b}pVe5uKMsM`GPR zq{epN2>zO4S}Yt`g27r>fO;q?c^xBl?kg@;Sy3WaiBNthuJcm*FwmIAPUVfP^m(~H zr>u+^drM1f8!z!_lsUoCyHc&P>8InSG!P+>uH!H3_a6qtPMIMUa+0yir8GP|Fm)~2 zIm6F)PE=zAn#V1pUBYc=l$uV{Al%M%|3xWlcpMt(>)ZrxlrWf#_{#5eXU8FinA z6|T?L(^^m4B4)*(HB0mI^P}3@49aY6G;DcAABMhy83KN^K| z7#bS-Pj-pgW@xdw6y&uLl2DNx^f_ZQoh`vy^&TZ%9v?qms>{vGdjsl~KDGHZm}iXv z;bMlNfnd`_({AY!uifVsP)37|874Ls%Fl>(0Tpf{?21t~Xpr1Dw2){pUHD44GK)J= zOy2_=7kg}lqpkbo_IK3#@*+^l!$9sG%3n+r(fe;4<7mwp`!}|Y`%DgEEErMM$>H9V zT{UlK`p0eI@;)gAm4t`1c&2~vZ>FLmq;F**0+dJm6Djy8!(ae63ZDRC|BfwbhyGR? zy%gpF%>SfpRagjWof(@G24hGZr1#k(j!=Vx!ccyHS5U>BOPTv7GWMOmC@C#>beLvP zDAOq;aa*Cr=0f?GJO<74ITC2#8x~B3fL%XR+<3B{X+dj7S53);OGmvK**=osvGIh8 zQ!pVfffD_6bui3DXe{f>r-!;{HzheZumr!w@l+HXLpt9`0A(iD?QaaJM21W&hU0M; z7Pb%Fbije+2(k*HkR>Xpm^6KQhf`YlpZWTY*di&vY0|a^)4MgK^Q8~_U@{4-Sy1*L zHU|XN!66~vGJ_ip+VD=iXuf`ZSny2=6F5C zSn^GKlGaZvtXC4h+#tGwAB~ma66?2|v9aU6H-~yXJut(9UKwNBAM94o>1t{;+g_IS zK@)0ZTN`v7xe!F9E~<+%;QfDhF@MUuZ_XqnRrFEpE9eJeh(^Uc*5iMdFmQ4PR_J&3 zeVm1I;D%&>uV%zRVu*+*rDPUPO8R9A$rAiBXITu~SAYHxgZ#HbJQ*b==Qjdl->|1P zX|2cawLWL=dMg=`sPWR5zWB6C1$msg*VksQx~iUD_tj?m_!${TARzQlsvsgdENMWF zBNdC$W82y%8F_(eWn`V8Vduw(f@5!r29b1^%N-@4jtf`B;T%SA61IC@Mzw%q22^>N z*4tyrB7DSaj1%&Z-p#$K&F3A1A$n%|q=GGJNUl)W+VA1}EKmnOB9!Jv9NiD94bcD+ z9yBRi+wy2@Y00{~qq9}en{M^gh}hXJ*9W1ih$L=C0sNK8rUHEl)*z3y+ccHoj;Bea+g& z8n$cJhMHO!doX?@$Y7pBhdCw5y{>Kc`6+Bh^!9l4`}gaCg$0B#>5JIgtgNan_f{vR z6Gq%i?5FQLumi?Ube}knVW%d+R;_!F87l zT+xa&!Nsds=mF z(|%wq4@@F{{JKpa4wj|fdkD+-AF+gikhsVT{QAg>(J_f`2!Vimk`Ot(l7gzxKi`t5@1Ic$6~l|sK!+|lHTu)(z5M}5gCod z*s)G8S28=lzJ>WSX<=|Sz}lzH7Bd-uftv8|v z89H#{Pr1No-*!pVhU@UOYpRlN+Qh;{XBeG0%iiwNxP^0L`!`Krj$W++?YvHjm*6M{z1Tu$fZ z=)TED!UK3**o2L*6_WeA#!qC+8+|C0boX%M~%@(Ph z?o316YTTI3kiR##Z&~5JAL1qQdHHlD4nvql=zjlb|LEg}PJkUi(RhDpggUSRRwppq z{irGl02nGo&)X(muj`DIzzo~(kiJ3bY~Ke63IV66vNI~^!UZfW4<=br<#FtLTvc~m z4kn;}!9xZdISNSE(o!VPX=}6&&rOZ} zwG+RQT`5+fZEbB0k9uEFS58p11tj>#=!mIimA>Z*aiAJ7zxD*iUQa%x;4qqqk5S^V z3i=nN*noHU^MLB_>r2FCHin5t5Vo2tQ8AIrvR@5T9ezHoJY*18;D!3-HrWg! z4e2wjpIBTD08>B-Yb=Qy!XG5mI9a-(V4h)F|KI5=mBarYk2|PM%kA>!on7vX1!zeE zn>MV_&)Nf6K5n56z@Wrx)2y|yi=)&)oTrf{95)48Jqmc5S$JQVTjU`w9PFV2Ct z^$STehigmLpIj1FS_ba6m^XZHF$l1wcEjI;Cn(hCkI4Q(U^ap)A$Rt$^sX4tZ{^M| zwPWEcWWNHpt}efBka)-z@kc>0fKZdm7~)}KSP!1l6L)M%_kF&eo|`^D1W5j!L*&0r zM~uo+ALv%~x{7ibyN}tYfP{~mAO3M{JM*h;xIdI16bR~eZ3(=;)GKOl$7Zr)qJWSA zaHs;-M=nF&SNCmnUGD?9+42QJN%POTtNhEJN7lAYJ5+~9coPS$lG0)1q@*zylSrWb z`q_P49t$bnsQJg3}uurRA;A^_tO34CsV} zz5d^xKQUDN85>K@vk*BuzZSmO7U9Z7>FO4_fBt8RiGwqIf63+SoHky}1_F3k?Dh3* zvs_rt5v!M(kJzs~2>}!nv^2&!>Y2V&D?n}U?q2o-cw)H*2f$g;&{YByb3VXG#2j>j zNnCNI)t`;HXs-;JUrrKRIXF09iWXdgZdMzffrfBg7|&}}6oCx^qPVni~b zr)on4T%@qUbP$)>oSrH%ykzQ^>F9~y=JLX&vg+*T>+eUne5SBDzReNS)2q_yyvP*c zAt9zUHKRriTw#$i6!mt*Ab1RDV4a;^^A$feJ>O`3g-^a@IxK%ZeW6Bw z`tA62^Hfki`R}QpyfGpPaM5ZTUzq)S&e*8lrHX}@QKB)HN9%ye$nP+T6Go; z4?RS;tf;0Gx++;mUIp+D?qThWzQ{`ARlgthj&;) zUl}*J&&Uy9tpH}}Ms5oVWzztKWl*nJ#&6Ksb!zCI{`cpHWg_Dl`Lo zO~pWU5kbaY_Mt*Gboiue(n6?0p+L0+aB;yo50-ZOZt2SYmSGGo0+c7`m!z4b@yTUrsek+kVXXD6;P1l5%BZc%x~wj&lj?K+x;8)Bn^M@m zs-8~(UcU7A>E7=0YPmlwCLCx@zJG&x#GE0I z34D9|MPFY}nu>*xFbfPeYMlCsO3N(w0b{+;q!3646La+ZM@-4NxWL*L-`p|+@*MHX zxsAQOuioC!Fz`PO$M2yqP*Q{YiL!?AD?9pl-r*#;obviS-2D96oKjUKzif-+w&wJ9 zjQ^5(jQ^IEsqGGakPowjrji20xlVl9FgDwn9G91nks(wqOWys7?aa*p84PD-Wi?>M z1AAwCTbqQz1_9Iw#+_PBTQ={ZlnHoSBd_(WDQKGk6%IdgW@t)|Z-lP0{qMAe(tO=H z9W*q|0Iy35b&AmfD>zc^?t^6@-vT6ipd0*JBb9$tozIe`@n|c(}p^ zWpZI@DMr~0fL0PLEZ}@(u_W+))gk4P?oymgGrg>%Z}*A!~AT|nxf9IjI%~NviF7%E;zbOhObkgXs^+^n*#34~7 zNn8{&rb>E;*s#}@oBuA2+9P5xg2sO9g1&lY(z0|Tv6rs7n+znCg(vnUvKwPvJo$Hv zsQ%-wjJ!j6i%Q(LVIK#S3ChaLu>_GF1j$b?>1Tlm68)4-IQYprx-=ICx<-h9s<5 zD{Az-HhA}Pi7Da28jDU-ALUq%qY;QnFdQM<339}bQ} za71F!R0(aRV2LtW7#VqAv~cCrl-T&cW~%$_5;SxZ&o&B=&lqHknT-@2Qm7ch!4XP( z%xJLtsoYRyS6kzM{09CE(G6^zG^`rUj&KxA(Bkr%Q(PmP7#kZWBqa$7>O+A`Kzuwp zD5xCo&J@VV$v<-H!!p>+fYx&wl%GJzd!jx8B9EjFzAKz4aXX}li-Rei;BJW+AbgjS zltl1sBLbMAJx+@&fM=;b%R)`_9-;80qQ)e^5Dje#d3Mr-L{zud^|e5jqeWBrQ?$@@AF}(SoBh zG1~z{DFd!haTDnBiSCZp=3DIEzP$MM^z;E`n%LK`bP!1Reo+1ckS z_^hJhX6--Cjm5A+Xn-NxcUlE^TDQzwTg7l)% z&quo&tn70NYFcAKbd^1pN5=nFpMe@P9xX@8V1f&%adG{2I5oAj5K)lw8-FA%zw>xc zFi#vhB?N)sA|g6^6s@ldf{NaJX0`R|B2qewJsrKfZ}UaL0$$+TH%jW-g?I}2vY8cP z3L!N4yhHZl_K?v*sP>du(@aJj&1m?7i6gD*$KeN;!%4`gd&lLIbZTgyA%Ws!J9Ie%?%pmc>1d(CQJ z+jwfWiOv;@UfePr>P=)SbnN4pspmX+d^kQ-`&2xhcYU=arq}SSCTok6tiuSQ7#7|` zjoC9?RC$LdDq5bf)8X2q5`a|HANDu~pAr#K>iA#X?)7>FrI*@&Nb7kl=(>*8Snc5$ zb2Tsk9ohe8+9L)Xl(KZR$q`=)s61{K;)gX{lFuFe%KSJ`Tu+w!RT6*Yl^K6rkuAQ9 zez_hHb!Q-{@ftG)5KaY}By(0v(`9!CB!zJQ$*GvdsnpsQV)W=eJXRtzwYN0p){NlE zWH|2O@oQmZ4(s;U7s<6oVmyk!-sipI+zi;jNC=K?>F=B?PQRX{Q-*^}_>9o__P)+% zQGp)F-*M7F`>%{oKHa=-BHu(q`w{0zc}Cb#$%K37oV|<8v`(6+k;Z(ve$Wd%&ZwW5 z0>MWLfOwNe2(W+O!+1|$n0tKl18ZP4;fbxVD;P6$TksRjd4FUwzCic1>1OuQt0*-) z*gISKC3*32x$=OonU}!#Rl6=@(H-1`v{^2>e^hTC@= zM*Gq5eOHizio)pD&37x;KN*i2NbX_i^Z%hV40M$38&(c1iDT2Ni`v@0VQ$jdwo+_4 z6-Wp+!DwB*oEq4aOF5qi9UkCL9clGz7rkjBOJM>Qn8YIWyV20JMHwQds~TTqMI@>B z0qChyy#Z!=-3RuDXxrKf!MSl}_OOKcB>5QA=CEU_0VI3bmT+0TTc_!K=a}9A+0X!7 zjD|}O;1{sR>LgXGlSh)WX3rqNZtYBvFT;UPE#mS_jB%tIvO}i%dzK41kI=bbcH+aD_SH&4oY2e^9dx)2)TK)m53_@4Yn25PB{RH10$bglhU0WiHut)R#V0f(~qt;7U9W1W>b{w>LU%8nE8=-mk8hsVrOUIvI&!<$B?u1ZMgwZ@~PQP9ePRHH= z68^J2?(U5%cH0vbdt!2Q+1x~fpPsJY>4!s0E6zqU0fp*`q$F$w9mU??G8yQi-@02+ z0cBgt))s}!td@p>{^!rUkeW?J&?h@cUC#J>X;!s#a&xRvFv zE#+MZI0-)2XABHTO4yAXPQNvD)8uqLM$oLtzQUvivA#tmCF$c;f>;4KVw6oF;vNGR z{o9k!v1i;s(%tSX{Nz+DCfYvmQtd|1t?m92Se4x^VFB5NPD>TF8ZE92sJv%5|J8sC z3qp#9v}E%o#7OccZlt*zd33y0t=nL^L+8dN8|_^hCF-g zU@Fk&98-AHK{2g2<<&Bp-$(D%4}l zd_Kf7hMtHeQ7nh>Qx+3s#`Au9eu#59eV@aiF}eZsHazT5$jJ(mxV1hkDk^ban?0aA zz~d1mE8QQhVf|91u=IbOV8G1ejXh-5@d5YgH_8Y zL6Z4@V~QxJqJ`E2I$&aVKMnVoZs5q1r)e}Da@KB~@32Bu)8T;&UFqaQUGB#pYn49C zZ3n5$DE|b4D4HOU6B$KiUh2`zo=FQ*n==IKCr-qu)a#B<>D#|@t7vjOE_FetS6oGf z^8P-Ub-MoIzLf3ibR|(uFG~*GBI~c&0Om6hRQo17g_&dR{=+BwM=3U-xqWlY_ou2Z zK1^7RtoC<{O~%aNBHNKXjhJlafMB7rB5-!Ns33C(Mua?wQ^{mXi5RirI9`0@ay;G< zz12%=x6-$OMFzg#R_Crf%EX z^O^6_qCMh{`eV8%r>k-fLg-BkTr_M_*ljo1S+gjz1pIyebwXG>A0}J;XopvygMO?I zhB3yo*CMtFp(4dc>s54f48%g&HF4G!J69u7z+ZHSc|qxHZ3bF z&DJd@ZdU3gg3&`{y(^JQxs5z;Fjz@X9kq8Kjbs&z<(rr6+`f+a`0k}{N42qVU5>K+ z;~jG;8m}cA@LF5_`{E5> z6q{}QXI+S1w+ap5peYB06R~A9YMm)(R8;W_+561d6%>{K{_E%O0>frpZdcfoMK{5` zc!?yHfQWzqZ+^d9%sOsDzA5h7`=g3-&Bo02aeY_ohwnw%9x?01XxJl}fg}U%VW`VI zA?dG~LLf?)QjC%pL}>pb2HGSJ9lB2+;?6gp?*D!h4IL_Tc@B?(gAYdcVZ5EH4KT(cA=XaFL!a$ z^)exVk$5kZr+9HyHg-Os6zg=nZU7XAKJeFDm0K?{V|!cS0{p%H=(kk{Gu$Zu_y*Qi zeFGc%|{!~HFXmceGn==;mv z{5jmTn_V8qoKIoJrxO+9%{_S-D0NQ65Ry$#Fi{cvip#7ZShjl)s!-YV5>3d8mxzTasGb&EThFnPD-1CQo)lqb1*PANKQ`{)pOVE z{BJ3-mU>JcXuF0ezXDO)AL}nhWxqG=Ump=K-@sjoJV3^au?ZocuG1eLuy&<$fXND| z%iA@7fB!_>K74JZ(aL*TsoiWJ?2Ied|yn6i)(>`H*$s#-dxzju5?=;dsB z``eDw_l!oZwh~RRl95Ye0SXJ}1G*j)zo6SI^5E8auHs=7rd*<&KVg0*#jb4m!8SD`D2Nk}!*b{?v23UQ_}Ufk%8n!XLn;pJo65P!?$g|w z=7>W}Ixuk?lsks!3I!PCr?O2`v;5^ZJ_Tgr%JXVv|o;``4bOg_dA! zW;`7*cSL+|UvP#`8<{VytwysGj|ILX7~1VPqZ=cV@`5a7iwb~D7sC?!rPCbHZCYgO zP1g4Ix|_T)o&r~H{qlZ)zLurn0l9m}*+GAfA1pJ=dc4|R>F#N9@PSSJ6wx}xn?`Ms zVZ0mUbju!XYyP5trVnOn)j_ZZv&wZs>TtGF!gBa0eMVbYAA{n# zXB(^aVj8@RB8Y?m?a%dV&vVc1t$$)v|4@l}66#z}EX&5;c=IC`3`$O^j-)>=x*t+e zV_>7ls8$wK<)Ts6aQz-J?Zz?|&$|lLWYXz1XT?zC$gW0xjv1(;$#i{7TR-&g6ir^R zqcur@El{TBV!qaIbNuwVhoT1qpP+vku6Ey34OR2E^>Ex<2@Fi-PzSq?zTm6ND`K{f ziM`SaLZnSxV2QlI3U`UPdoEvUx48%35b`)4?<>&K4V9#76DySIFJy{stES2;%Zt{g zyt&+4i{X7w=!uF+)hZ(7i_6`Hk+=YI-`GtGciwm05`k=p;X6b-G$m@Jr`~PgNm4BN z_{H%fkE^!`#NmU%hUsPqiUgxZ3PhwpJbL}4VQtIPl~k=#$8@<-?QT0!?u{kW_v&f~ z^$JIfgX<%%p5ES<)EF_rjvvRIA3qy^{?~EMZkM8rL4Y15TUqe)vuvLHz}h!_@nK2| zZ(XKp#A*<{aQ2|rmp5T)zWS5$Q#2m)UTu0NPdq>)(f9FY_pF|@e5y?b^I_Rg7>ct- zK33b+q=*_vq>Ib&sK}mT){Wj!JWBD}@XC~mJerQUo^4O#A2~&~&z_R};Z?;5?WpB8|B@W0} z0FIiI6g!oj9v?&oT9A=6wRR5$glnLGN-am!ug?lNx_}%;pVI)FGZ(mGDuE>?6%nEF z+u?(0Wbl7aB>OpEL!&LAEumNwh?wK80F-P>>!rHj{yu)GLVb{pWm=(ic50Ov78cWE z&U~@ab89hK{^_mjzg}~8=FN5m>8vM4%?j1u?HAO0?*`tiG@F!3%0f0yNdqmp)WOzj z>6Q((&ALBslQZXOf}z7rL~-6#H6uMZQlkKandYT0TCVy#>c5RrL3lQsVq#BjT%a=x~M7ZB%riF@q@}! z{xosuoP?cmHui#Q;X-q{zZ*_s;hvfTpe9PqWLuwO}OHBHi#53f;qjTrY|DLL;^!91NnUxkf z0U>}!zCoAFgwg~&puzP6XpPC3X(KGHJ`lyGqJ2dWD-;6{QE6-z{z_DEu2xZob>)*e z*8D1vryW1E^iSrW)Khls3f-0Mr^n3L1(aY#B|(jq-KHJ~6?3 z$ka~+1Q2lmj8(Ey-sCCe>S2@vT`)$(;t9M05f%tExjB`7=&ZDQC-FY@|J*uC1|>NkN;* zrZKq+)tRnyK^ZX>qA7uUGlszx)7mLNL1OOT|AOB)I6dsCJ^Doq$PFZCa=IiPEpUY) z#lJkCzQDP2ym>ae-Xfq+25>fjg4LucrU|PLaw5jy7m!(IXi`9^;i{PPV?hLg90|%i z7~8#(7$3|=v;H&Nws@iDOO=X#qIo{LA|=U}kP~v@U*fP9Lo?2=mnzJ6xTN|qYb8qw zLh7e4VENp~b35q-%0(~Mif6CV@q_~X{Y4yev9?Vt)m7MR%1YE>1JWVz<9Ca*lkK`teDB- z&`^+pc+U1nuisClwY1!KV~4}78R#!RGr2@*J^x~(UIMDQiNKC}BHoSx8F%FLwdi-L z+kH`_|MwdS7GPkAclKmIx6m*$bdh`$;S5&n253>QC4BGqQ4;(ES_6*MPk!Um!gVBXcc6BhKUb_} zBs_Hyl-kT@q$E>>XD(YW>t^`*^02AWka4$bjnLjTIK6b?-UZXlF&nF>@Z?`~KQc}S zsQblOihuO=ZcccYe!!{i_EKC;0Wsb)UV$BNCA@FtXJ#_7-#Mfl8v3g6Fr^9ytDSI^ z@|&5>l}&Zfv%3XvE;j1vb+XjLs9xD;>c%JG-|q$h{%`m|f%qb*w3^b|rWXLq1W~kU zDJ!%j5Wx8RqCH6d?PdvuRjgyG;61(S%Qn~JE7RZ_wRcBObMp4@vS*(NX!I#UztdL^ zmtngw&GERzjFD-MqR%HIZUanzw~n&3(l~cyZU`4eJRfkWI=HjBa>h2-<9)nYpM6Y6 z?+HSOzYSXd$S)5#F4L&9T>D-ZW5eZj!Fmd%N0XaD5z82!W+~@;?^faWeR2))!m!4+;Mr|(clIU+g?QEVs#a}7jckxl=Sh#WB> zzf^2~wVRNOnIq5L8}BTj*Q|Sg{@WI78$BP7_WAaw6owcj99A-xH`Cpt>V^5>2Dul2 ze+b?|hMpRhoV}Jgb!t|6P$7b2DI-hwmMc`Sr>*!o-_Z#o(O@yWSsiHE%aAK_dnwYa zAX}C~I$z)7z@ZoDmlpaFFSq5`9C0KjCXZ}t0KvB{nqMGB70(G)^0tymMQ(m+W`2Tq zsm&|jn&KO_(AeXxfr)2?r=-ilhG%mN55zgAO48iCA^odDOP-+r zUW<1?$&&3a{FrCvU|+z^;8k zFAjq}AQA-c^LuO4(X`=nBkJeQoC#w4 z!>3DpjRsfp40aolg5P%yW!G=>`xbNM+ws}R40o4pm;<6}|JB+5Tp#JEVUeac`_QES#sDJ9RWb_t#{j#v_x{2P;yal!qgdk`5c_ z$fNsD3}%{l2)I3=U}!-vQ3BNe7HdtIbBua<^9tHWA3l!TiGY2p*$^&4aE$Q!@zW zxB|XNKw>IUd=gl<*7PNrArDr$k&j>3_g?H2{~0Zo{{qX;eKYp>!IY`;*@%p`@F4_W z?!;};`m8}sZ|OHw(Z!9+*Mt^S;=E>g*&IFyxGYs$Ey;SWu7vvPcqQs-NE`UR0hLfl zbQ4Zae}DUmS5tO!G}k}?2m-hMlIV284MYIF3?B1!o-jIIZa`DA!aPQq%cI9Us52Oz zDB)o?#7fq66qo3f70_jpj5N-Nl2I93Fbug>mMTimoq02!=~P0@E@~7fAtAYRIKmf`i4+hO{;pz zMp;F*)@YBTM|93)Vl%i{nU+znT`Cg0gkHNbsH#d5plPKoG)Tb@GhNU11>jiIkq2s( zS?e3csEzt0n<9|ttOixuPOD@;zfG=xHcz(RC0TznQ%`Hxs z!}t6-qK=LjO-)?onzaFO^6%1dSk&7*L7L|`fSkj?AX8JGl_~FzClCF^z-03Jjn8_u z6|81_E1-ax@(p1RE zct5I4ueqCVkNw39pJ%dD*C?BgUvdmBM4fsF;{i!F<^eb2IH>7YieQOTE_n z17l^R$tBJdNg-(fLZlfJ2{-fi=N7=}Qt3nxtxf;R;2`V@zT-`BOu1) z*3?9GhoWK-6Gw)91M2N>&u>wx?KixMyzMEtv%)c{WpmNQJa13?OI5ytFehpuQmQUt zLoT-s3XpCKmQ&CJB%0IPSpcwN`u3bKiBl0?V_$sSLbfy4wH&LASwzFZJBV~~@#U=s zr^hy@o7;YGlaiUmR0)H`4bhLP+^~k%FW-v#`B3wNR!l(~+Tb&;z1K2e-UF$V`HcDX zw{_ZFyie*KzA*o-%HuQ%C{DMRkAPLNe(nj>Tx@{9`m}*62W|g!_o;7HAi%W5#$$JZ zTBFV!aU`P%0E!2jQ=+?7!XXwn1$apSnHo+i@|M|oz}(TXvexaN5Qya!>rSEq(|$(n z0l~_-TH6!&F7hrw_1oV2Fj=eS=Ej>bw@L!@V zPR?~vSZx!Za zG_V8lbr!_(_e6XsTd1`n4!_1QpWuzY#F;#pFCknLp7sdilCccnlx>Sd!`A-p% zk+|$nMD0(GZ~nDkqR6JcE1L;XuzO+h#qrg!n5c1irsBTY@5=GJeT!7AKeR?&1^Rk; z4U#+6p}um)itj;I0TobLkQ7j8Ouak^YkVB}66SW1usq=f=3QPI=x z55LSo z&|y2=U#K*@9`%fS^_`t{-#Q)7LvBuZ2KtFRBu=k+QHXe>I&;ltN_Rx(!ok~NI(nBd zr<);ZAcU^NeYdwO#3LMq#`xiJo)U} zuTgcqH$I5R5(#-eh#lXkNc+4Rg#i5!09Nl$S39jE`DQ!}W_JZ<{POXva-W4>bUX3y zK3#88)1_c1joA6TC+YoVG{$7)k0L;5E^owC=`$oVd(hF#E3Z^ zVIpWf5qiQ-um)H{O?Ey&WpXDvwLszdb~w9^X{D2D^4cfS9+Bh)l%BBPfT=0PJ1^X@s13FF*t}E z9vMkVO`WP*p*5c8;{}NJQo#xH^V~tOZ>Ngn-2 zrcRtVDCsRs0D)W=gFiNUfFI-G0S9(qf-E5qAj+NHSpxyIK> z3P{h9x0+5$PI@CBM_2oU>gk!mS)9<0R{-U!Jz52K{mz70_WHTmi=>L!2N23boN#QI zH?`3c7^5WEKnJJxOS}8T6%!L*CJ_D_bRD<1O)gejh|jkZW0h1@M~D4UC6A^&=E6%gb?sK2IO_af3aEYk9u7Cs@?9Kj7cqLz>2HUY>kdd-4U~N^3&t; zCl)rg1H&UUK8N*A#kn7hC<+m$u(2qoOvVpr_U+p4k={r(^ZBYb&kxACM*S$D&v#x6 z^X31w0QobP17l+whsjoT<`Yq7IUe82%js(>_r}ZAP_umxDZRh(9xlzwB`jAYB-^fd zP5%DsHI2kpq4m44OF=e_9hS$H$a@>T+?I|iIUUK2iz>S0H`c2Ex9z@91dBd#n*qX; z+zs!P>0zA%m!t655;#`V1{xjwC>i;`_jtN2G#R~h%?Nx0^HAe??Wy}Pe93Aa7u0Jg zUZF}3!2q4~+xNHw36yk_0vV8%9(7PgL9LhQJf=O0v-mz4M<9Krp{3sq7kB~Uv0iFo zzkosO{I!*~YW2VGahd&@Ik4%hb$-fty@kYm{9Hxs;c?%{ixMTy_odoJz0sbFlvD`nYJVaN zmt`-1$`Y5gSO6Cn2P|Xf!|80`=yA9?##K~2#Kc7xy16C*se>Vd#=>^vQ@KLSTWjBi zJv87}n%#aD7k{+ZXU{O7Y32fBs3MV2SFm}ijVBzzb4$2Pbp-T}K;|Gy0L=tweIOx4 z*f$dfg@hzzWQ2+rbXp^A$uc+oHZU3(*l4|66xH>Jttc zN*qRGL-2rM4%KH(3yX=_WMXj}6RelhABe?4vC@;Ri>BPD&0%M0Y${YJ4b;R3wpUjHF^>37lKk@1Ft!Yf%kr(y1j zU&e@D^h$i0|CD~}P@zq7r$E*1jFc_wJ}jzefyJ>*#%nPaDVvyuUV#u*<2av!$=0(mT({3 z=BANCi84@R(?qmhr4~(CiI~r}B7z}4_-Gwpx;}Zo)L2!{i3khp{Pa0PQBnEOdN;`; zc_-=d6EQt?G!G3STWhmM!l*I7(O06;M~ zDQJV^8}GQo@+Gs1VL{CRBUm;&S+8Zr%)*3$i78W-VsX6CkhqTa4(4$UCO?tALer6r zE^@zE5>`Pp!TZksvWJ*hsHl28Ureb^6L}*~!PrC(C@SA4H#jNC_EQc%r`6-=(% z4`S1g@ja3`?T+R`EXiS~-LTqLDY?Q+Fo(5>WvHkhxe>#|-CK#?~fG=$zywiTD?ji5k4?| zrRC;g`JLPsgC`#6rT-@~k7&oA5N5jAi z0J85th%G+P)(MX%#qhF+f~F}nPlY>dJ-|}y7a31RnunEC{G?(eAR30c@2AC)xSTu? zH}>7p0R4=NRH6IFFWmG}q0eD7XB*c{WqGa4Ib3>-#cW3|oCH^gD_Os7xXImER~MHB zI%8$x!cWyD$2E)t(CTde|D?#=MJrkhHX;kR4zFyO?fW(i!B?-$M)I`Rs^Q`8P<*$ zWkGEg1RHvf>FpQ&;4oe+9LLbI?CaT~c0qOF1x4^uX_E10isf%l73I%&7o(vG#F3bZ?V!$37{Igpi(CVYi?AB`(mIQl{|vk znIl*0z$|XrC4dO^l=!`&a{$rXn+#~G!d&CM-zTg#Gf{DI_-z@bmvs1pk)y)p<5% z=xM%&jN3P2)wf{VUosMPDONgla6h*vw7Wxx>Fn~;1lgvHbfumybGbY}<7v*!?^lKu zqQPgqcp91~3O6qGXF0Tan1``LS7`cs9@TC^C#Q2qDz|H*zxkB47OAt*4t`$gWonhx z`Y(pByt>}=mJT#*cwVpOrDYZGiMcaPhEstZLLmFDTWNqpTjk~QeCh4ijE3@!hWLaJaS5E>szqvl$c z?XwVdw0}Dt*Pmv}pF+Z26lr&s&v?_^$Oo`fiYQCviw)`{j+I5@UwPId1?>?$ppQ5(02SH946fBK^)qvzoWQ z=+zWF8iPF84*r&odi|2sVUGeEel%B$fEvBMf8MREnyjR$Dy=TbIypx3@Ab9vck=LL z;nEZF6Vp*kT8N$$MomY~+$$2Snp?In(iF+p+&)rhQChm;{qbtTm1bv&uE1WyA6mDg zqM|{h29+n|w#Tu5zE-ZTfRlaxSY?^Rl_C%xr8l(xcV+xo|Mz=J(O|)%(Gy5mWgx1A zP4*Ao*rMM$Bnmn@y#w(gkTAImEsvE(V%tB#LAAf_lKdVl8>rVi-MVi&cyxSU-E*$i zD3@LHj%zuDvwWj9RmzU(ZM*Cd?ajCmXOQtRY$ z_2wjCn@LPqj5Csm884T4CoCdtVj2aNAlGGE?_|FA#?n8~&ZC1p6Z3l>zCucRE zkMr?zyBrxMwAOz8kT0b_Q~Dv3+a&;7Mytkk#d7wSx|qB&jhE|jzSX}|3N~resl#jM zqd68djn@cgBY#RmLBU9W0!hSuGKVgyJ+-3uYHg%&-VaQNar)D^bBM)aq^j zQgP_JqB8f_=i4v1(bF>K+c|pC{Z>1~e)w{+**X&z!p}K$CFP7eSLsSUqSWN;B7fF% zc3)&~$yUbsk)etDVsio}jE$ckWTs`J%r?3T>mXJmMc^7}x7NOFAvpH>;n@#P{msgK za~sr=xCbI4QjxDB=4)7LY8p3kSX6PK^RR*?F?V!)U$o|AsR`bMf=isQF~!r;iD(>J zjw61-n(pRSLU>F>cmFNoWdn+@@#m869YN)=*UfwKb$f2W7kK@K->nz84Rw@4S|s6! ziHj|^wOew9&+OmU;_7g?kC^Sg|AoDBWnky;*Sdr07+Jm+3?kgY@w{6A3LYFX8UFmy z?spOzdiBytxo%A+d^G-KtIRviI-B0Q@P8AfI`~OaaIa5yO6(P@Pze7?H2!PiytF;W zr)PI=ioMgQHHItr*O3#qFCTI74k0#zgofgyReiLhmWO}U6J64K*p*)DsWocyOJ0c> zqV+_%q8hg~6w$xhO(}!m^}Y4HHdxRua@~e~ecIdG#@QvyHS6x1`TKIg67lt2JaSe? zvVRK0QoG?`f*44(H$tqD*G?EKU&sLgC`Ssk(?FaFE}1R2)<(PK2ivbsm&tVQv~AiQb@iit_q&vc3w9K8l8ce`ccB%od)JD%H|X*|Mo*NJr)w2R3U}}>E^lnStHE7 zS_eC#`9j+*e*2v_yMqHHQ$|1nVu3rNsP)BaSNrC8Wi;sgABGZjOn$y_L`1~k-^MU; z>WhuHIpBOH0Ir_!=;*EMIjT+PCbYZR2*cr78G4O6=-P#Wdna7=vWnK*(-w-EuLg6c zKA@qTG~f6Uw1Ij@vsxs7t))Q{SNpbHG4XK%bt_GuwCpf(GXA7b9sEuE@)*MV9x6OD zQycFmtI5*uED)7MlsHJ?R-nrSuJnLgi|#)jhsK!Mfgo^zkNw}r#{>at^8=Ej2Nl0_ zgvK_<(R{TF!-hxqqmhP%S~me`?$(6V^5e1>^!Jo(2k)WD0IDVo*_jy;sOR7G18;m`FlJpp4&2aUv^ z4M#iRfZbkqZS{XB7O*FHN$u@s_rpZ;ZJZ zLb9~>+7^`AK`j;q4aCvawzp^Q72gz$JA5&wp!6HK2BbR#K{Q^=Z|fo%MWvWi9?=d` zm^;sIZ00GZ&(CeB9vjhW^9?>6u4NxuMqxO7jcPR=xClU-|GvSls5mz)UPMCCpwjp}6Ye8}DLC0_lB8HQk>LYLKeOJK zB@V=#@Ei!NGs2@bzxDTdY)JII;l-#j8CE@|;D`r>65~ogj;vgwZ&2@6Wex?N;~n^5Y|SJ|ZB^1YIV8 z{r~{w(VgK`1zKfrt;m&8p-VXIciMI49{FDXXTu&uH#bd?2@6t?l4h^8pcvL_f=no( zyf~*O(5aOz!pzd8ZV)F`)X?ay*56cn`;|3=~JZ8|o8PLFmznN5FwM7h|` z$uZj4z=oKkN1+AadR1o{=fFYYi= zjo35p>=(VTu&^)s1^A>)R1o`P2|JD1|J!8eS1fX9MA+iCx^FxKQLO5dpIVi+cXlQU zywt!0lgsh$V>~)~o%I4nwB|^184g6&av-Z`=27iBacnxXabLh1jfcao$Z3pGR9u4j z{JFtmsSxJ*@v6vYF2-8DDaOD^qRL`N4a_Pv-ORs6)};WugMn}?xcc;oO3EWx5H7{b zbHsyFqQ+=y?&+YnNQ2)FkwxGk3ha%8Ang zlG2TIgLF!lbV*AKNOyOMbhmWZx1aguozXvzW8C+3?O5kp#|kv?`SqVFeofAfQNI+j zWJf0^Mt-iLrx!DBG3em2ar1$a(uAA9YK|dPz3|`mc+)`s;-Mo|%O_?FFrNY@%Du4+ z*PtL~f>=1X>(1!T=UoAyKWA+vVgYnaWF%q?0Y~EE`aOI%r383AsUE-pV7f%r13-Hj z{of9PU-c0l{AV`nxc<%a9W1nC-y|hD2^uu(v$h$wpz6h@9@(^LENmyRxc{Tk^A?9( zJ-plm|DA|hQ`wm&Bgb!~BE$V-iU5BA4FzD+H1zb-6_$KJ5aY62t;_y(`j_47QV0+k zfT$E9j%w2{KZr(pFw;m4T6vk3GkGkQ7f7>2U5F47E9PZ#MMdrpdeQmauVDZgwLm^e zM(O)Cnn^yTQVur&EDf)}-NJ#-j6o^^q=gN=9?oJ21Y*8I!)@Mr{%N-)2dahe^U#Y@ z`aSwWrJ!%0K9j#wIja;L#Jpdf>y?s!^W6@W!))gT4yA}}5MJiU1mhh)+5^#4J zJf@EeGN_v_Hz)qvpwt^2Zo$X`U|O-?70L-YU12)%4FT*H-5t0Xi68cVIr7%uZYh8Q zVW0<1ojd&t*q|i& zNpV|QtyfWp-;qdxmY8CXCh?%BY7N$Zt&ZH=gPr5ZY@)JYPzerU{fYh2Y85;yTxJlN zybimd>a)NrTI*L;S8+YVf3KJl!lZ0#{-44YZ){I zuoE1tmcWDLA{dOB{7NSjv}6DBr540FvM0rI#{mLQz7l^D)SnJIG}W8*YRklSqygbL z9GnLGBJ#PF?U7&2ysQ3-#~B*v{&p4kFRMMSsa}?x&SJ5(jqTJzqCeIq)!N{IgNvIq z!%hh0;Ra046$uex*T|OXJf>*bf*ul%Q`=V$YD~L|B^qT?i8NWPK=F#YyhJ*hPnv}) zC@d^3Z6;KBx7mG~%F_9dP&giOyCgm>ZL&+^MW@rDUaVL=R;8N$-Lc>c{4H#riXAC1 z+`k9nm1c=@e!yF6StZjTmKj`|@Aal7x6K?ztjt6{fEv)U(y934Ffg5aw*wf(!Y{9> zyw;@}6J(;;??B7G*sXl<6gKp}IqBW(g_l=WF4n!$0*!mUIU?}Q9`^)mULI5ckJN?u1`Z+P8m074=pBfM}I>xLw9!g(6TfkqyT^09Oi?s(ZIH z(DU3FsSbnm6Fi^=Egtupr7nGhg3^BWxNTzaYBH6T>Utop$t4wH`P)Dx_yY~h9fkze zb)ZA;jk0N0Lc&5gZ(f=hD;OyMV8J$n02b{K7MiD=e;r5h?n4L+EObF$3??nPFF!1puMJ~#uf9A{ASjfVGyVDHCjx%AJX9#d<^47~DC|&n zQbXW@P(zHowQqIeeIdBoXQRE^vIc_Q&Cw5v&E|PZM25V;*ODR{F}7Sl$1EtMDyu9l z@PF~PTdD({Yxs56v)X@)8l?)S&v(<1w8uZxt(Bb)NL- zk4kWQAB#~0e+x|V2(5l=s^*ra-T=%+%IPen2V&o+gGxJ*+%}u=_(}8QiQ|Z}hbFjX$(=b<9qdfK0w84gysPQZ4g8^ez`TvGwj4Xw1mHHC_H6inLRvjtf5$AGLg+1yF zxUL6Nsd;%Dx&7Tp2e&tDCPX1;ZEsa@2z-^t;g8&yjd_U)JdL@CrLd@?o3}FSwvQvZ zt@`3k3svl>Sgc313%zz68iwiv8$NJT1%Pmwh{gDh&E({d`kbmtf%K@w&Mq#y@4Yd2 z)fpJZcBco)seY+Y&7k_qKqksqr{}vfdi5!-hO7?bsQvN~?a;jgArSPx?W_Y|g&-1xGDL;?3@13@Gj4REyZ*Xb_ zW{1zAG$p({pS|G<2Up@G>)x<@NT=Q+{6&Xfw96@5h&!%Yj^P7+-X?e(d^?e*jwYWT zH|>W;hbShEezHKWR+7`VAO}T2Li5^r(xL;N101TMFoXKAU#ghh-KJzH628hwqQTEZ zEGZO%i_P9JT50wrH z3(wbL2&j>hb)T8amkCD3C*s!9lmO6=v3@U27VWpwUOxWMyrygD|;W)cn1v{lTddB(pN zYuH!xY+p<@O>P7da*Opc$+8igZ~Q!E#$l*2m5qZGa(6v&y0RZWw44?D3^G3vsByi~ z=uMrbPTMlkXz=dbR%O>(?02)eD{uFbFt+b&Or)bzugAE?UR-&x=~TCh_l-8nIz?6O zl$ae3o5*n21s=_zD+B$PA2%TsDH&>nPLzC(No7PhQ-8=S^QU-)fxH17h;o8pk}+qd zlYoI76u0AQ;x>F7r`3+g^`RRd+DSx&QZ_p*U`!&vd1j!~x69^Ayjaas0e9^n1%b}5 z&m5l??5Oy;5zb`RSI3EC|8W78BXZMP%~z^#Ax#NuYi;#WQ1x<>dl1SrN1<`2bcb9{b;nTYLR6A4)X{isk(^u6b)k3n) zfj3D4I^Nw~-Mvpb^`5l(3HdQZTwxzZwd2#0WM9IDQOI~g20O!FM7dlnZ_Nv*C!bXvGpbA``hP^#9o_ZN2hR ztO#^-ku4_+!8nd%j&fans5mB?W-m%TUFGA8KA-}rdPZX#zS;fy`RJ4AdwN%xhX9ZQE@!}j)oeY?y zq9GP>o060f{sD7ma5OwW&fnW(>|X6V!)630usG5<@DWrlt;Npn zPPV8DiJ0!@hZNTz3A((fXC0r*U}uw zIqB8;7r)kXr}6%4*IdmKL9Nbxk+T-^BbtRm-E6oyRhx)4 z-%%$aF%2<|nrv3G$=NIx_%b=47KG*1Q$tt%a-4p_L1eXyhI^8 z;K~~P$m%6*Ft6nQVxZSxI}Ts1Tp(Y+r{r&owI;gOw-B*?{h$e;(=dA~nd1i?z4EG^ z6La!s95307zLyhP?siK(F6d&zZPqU7T;^~#5`N2UW37+&kp%a*t;KEETf{gx+TDC9 z)f43(NHH%`*Hhf1bX!A~HC4-DK7Qzq!-`))@GkfNc%EzFzt)mOzF1xTqxvn?LDU_W zzoERke3|c?2N$YgC0X>0c5@jzm+fMe>1Zlx4y}U2;nRTqHj8Ns?Rj$J*!LR&U4aa; z^TX`2WjGxstsT4_5C)YmUyRX90NC)<=>kdH=QcliyM^>Q7ksPqWV!cd%+p^uC`JL= z?-}ZOczmSWp~>aYm&xx5RlH<&rp-XHC-^-A3gUZbdGK3;px=AmWb-Z6et9?A@hOS| zp>$qBoEE9aK;g+?b>85`x(uVmpEeeZw$t(tXCOz%JUEchu%B|kxrWH$F-Gt@y>_C<9Yacbt zz4Yh$G%vXWI902Hew!xmqq_4I%Zq1a$&?#qU1; z(9y$HFQ+;QB(Al&xTu*+4H(sU`n{X!~VgJk1 zRvg7~aFFYO4LoSys|DL_nf5)OLl0DMf_Ws*@kgvJ;-IEDbmD;f1o2q5{~Vk4i)bWE zJ_vkjy6Rt-Sxl-*X&yE(K@e%`@Vdc%84c#^_01xH+rs5lHlQ@hNPjWG6#C`ZyS|v) zjgDg4UD+~MW)xS@Lj|Frr~vSCGQUk1ozISb{yQ>C2pNm)9sEy=I%^Y%)R%>n6uP75 z4*EGU!9=KO8X6ovx(Ii1U{;h;`Dh`)!L!A{$Vv;!wzFcGa{`WOU2RzYYkoVF z>-5f+v*ZqKfd#X=pwO!WfjqwPzYSfHnKN5hAU$i6V4@&`XW0BD$xS3l5cTMCwa(mb zy$$xQ3j!#OAX2>9&u6rKYH74P7Lg=;xx=q9Su|Dg!IEzLKHlB_uO{XCg#P_ce-;+- zacrC{U7f77glp1I*4ZvPWTD}s#}O)PYvYN%Hb(+E7|`B;EhH^Xb@jJfOZs;OV>Jq3 z+BTam2u)5-Rxfdf;th`_*ZxV%z@E-wD)TiQlJWD-e)cEb7H3pIV@n^W1JqF^3k$UW zX5?f(F>Ls3RASZf8}SrixK7Sx>HAH)f)bRbRaWX>UR`>f=O=*RF%ZhatE<^)X=zCW zJwr-|7{FcTzhW(wl4z6O@EXT6f8dk_rGWi|gYflB?~i%M)ylN`WESbDx2b4pc_*?& zx*x9aJ$+X^R}xcBvg`nX6gS1(%yNIjxmCV&DSq_hgoc)ul9ripl^&1f@W*wh`ltTv zA7B|uWX@ka^12;Q(|NdYcBYafyxZ~Qtu&f!vQ2e4E8V2wwT)T&oDW6phJ6f3IT#<9 ze*IkT8;g+$cBTh})21ELq4gnfD!PEsG~5bbx}Vq?B^6y_ z)TJ{S!5zleuM%eF=2)bJk^;QGe$N;%UwPJ_yOOqZEhabH&CH6Zhez-)TiH5?7l~6{ zZg&U)mqTT*(N!jf2-YV3`KZnU>t1{HYE9 zWv_R!ka@=Cu}1Rqhrw38z!jhZ(~F9RA#T%i+Wqkx%X#4dgEI5uh1`snLlUq^t4f%l z-2oTXNtWvm)y#3ON##7-CKci9jo|rv0!+--!mO5DwvBf5H5vwrAoF!!X*D&9>W)i6 zRS}V|71sEKyk`6WDXjGBgfy+5@Sn@~;c6dBB`Rv<;bPG3`Mj41a5o8gPsp&aGo3*- zAd0t0@EK{>0X*4eSqYH(PjvUjv*Sj00TY?5sKhcc%QwrKyj}dV_CG`P3&(fT!0A!}5rb2w8*yef2ao!o~g*UadVT5r0o?Vhs|9$*Y{b4KwP2q@}BU`^VOf)?Y>9_t=V5LKCY#Q zJf&>wtol)Fc_o^YtY8XC#HYGdU&h7wj%E9y$>@j0sb1fFM2XL&A+T`GO>4qe zUgoy!nN{76w}* zgGLdN{2`g5T&u622Eqo`o4FipH2+yAGZMxJP(LA}M_(J0XK`C6M#OngybI77*d6`o z)Itk_#VNSjM05*-R_9cloKWhtK^p@$^_u$n@12Y>#xomt!pXHY3N1(sTCXK=I(Bx` z-XxNWWJ>3mnDNM|sHw_I8R$7`MK3NmLS#dx%iUaLR``PC&-?;s56!lc;u63!2!=zm zmAcpH^?Uc20AgIpIEr>I7b}3lwffq5Sm~l+|g?vo7`U`5wwPohTAXs zM6Ur(^b4C3NWfqHaoHA;4r&U>_a8od^tkzW=kXCdEN=oWX83gV8Izp`5iv^n`ZB#m zGGm69unsF)Ln&=sFVHYBm%AE*H%AIhYa)z^iU&fT5YX`G17Cx^V~N;pFZ5TMAB-os zX>{Kw(!fY`?X}Qpt94(UJwszAIJX21bCo0*WyLkc@!4?mo5L$=2gqhrp~xp9u*0db zrd>_rb75kn3;PiX^b3?~QN5-H62FY#qL8qsv--7a>gm7F3&3E~;&;k>-(RA*r>>`;Iz;QLih=?Y2&SVD@u#zV;@x)QFORD?9b^UO zF*z{pShV8>cFqUa1>vIw`@p42Y7vp7*^&ut>_TR985tRjjWb!`GDizf+8#ttidV~Q zf4WuE)(-34?Avvnsq#U`3uuWyk8olVrWFU?_3#R;*41w`@?dtu^zPlXbtCvUC;mlr zlb0*)Emp)ozrB?y>;BCZ{3IsjyomI-Glhs5X~Y3p0)rjdf`lJ{n8AL_ZG-CYaC?2s zM3FbTD|L_T8xI2m_I;a+pC-HO#Y~AlxFJ{7i4ou5+$GI1=Sed)-ag(;%KZzXSb-9T zGoPXHboeMTIDbbOoQDxcqg#Iap#q8$)Y~ycb^eY0IG+|1LnD`dJ@W4zB41FR*;Atp zi(V{Vt6jCjS?X#tEFWDvVz$cNyMlFVXK~4;!PSyi3-XO#VV!RN@$=M1_ zscLnYVc=jf2noMUThRy#CgxEDw6!Z=pDdv^eWDT)3jVj+I#v3G3LH*?dZ3OLSFK%`D8->$RDAZ09L> zdEqLm5<$Rfw!@D&42^IA5VcA(FnTk%_T}tW0wti~<8yOm!Sv#YGu0iD@ z2-4m4q;oD88i-8ATB@&Z6m$q9{^8}~Wl?4*BcY0kv~vYSCCkG{j@mOW#^lTv(KBK* zEXf{_o2jNFLsrw550$Eiym|B->a_t#a!iHs`yWcn563OKd&-apm+Jlawg+OXCw{HY z8g`hQel!+G`l2w_DXZtPTgzv;&kQDyrraWU!BiuwGCU%)>AdG z`Cp%KOt~-Na=GcutSeAdDnxd*Z}2xL&5|gD zig(^45jklGsV#yVnU!Y7rW9(5jp93~yqZdgM(tpgii#Xu?IqzqwVE0l@8dlXcq6&G5}JH;5yc8KeVwhe3_UKoJimg_@dn zpuFRj^8zhvi6NC}IUHvmX0oa6)Ydt~lzttkgz9D#Qb)E~X|AyM15-6Qe?!qzyitYc$ik7KI}qvjxYY>j(fwKR)VW*Xi3d<>{AUt!7OFK2Nn zF9OY6A_3sxk{-W@0Sg+k_sR1eHJ0mvyr_Ff;06TMd+IZS^ZLXzExM(VzJGgmW3e-Y zWse*mAio7_wR5}M>c%R;TGVI2leLjgCke-!Wps%LsEYB?GdcX*Z(_CzStnRzi}P|3 z+IM{Rw|%0#TMJ&bzS3FKYIk%Lfu|*?(qL@FKGG1%|FwU?v}M~@@ZtE4(f(Cs3Y@i= zw1yJL((3m$HMDx#(NTKMIO|`-8$q!#htnTp1%)VqwmXXHi&`*5CJ0ivAeuvlW7StO zna+BM2okUIMr=4-`PT1(x4FA5Ew9cY0)K6Cw~#wLI@~?Dh^|gMmG5FHn#CD8Q=q{u z$YYvIIQh{9KOal_r&0UF_N4O8(e5b8YCt+%EEZrpe6}5+{4G6Ek}X-X2rih-zMEJ# zL_FX^zp;HPY4QcKL)0G!XAi)>rfoz{&{86%t@4WMLKOEk1TuWHZdZk{$Z&_tcCe*x zqPpD%ecru@U`>6wIieNK63+IZZ-TaYDgGL!0A=tIVv((FHV5o?C`Xv(8NUjwst?^6h>Cg`dLI26sf`)Xribn zt^_keF(V@wC4T*W5I@4i!uc98irr=nxIzL}b2ebT{3>(SGq{D`JUpa8&&}P(<>CrO z725xB{{Ta^UDQyCP`?xdh*nynICv%0QBrl5X`C*sli=+%sBU>RVENbE zj%Vl6?TtV8?z3~k4*1`QrPfd1LA$d??RzPjq zeDPUJx#;zI|Gt`u5o5YgZHu;n=rs30^W3ZvMm#(OwMy?e<9;=x8~6DugrdxVNz?59 z+Uo(TH{SST(4E*TLiM!a$)De`xeNAPo30ua?kqAfB%zv4+H9L;>R0_S0>H|e^t$@U z<*=eNqBzRP$n<%nXxR68i9Soj?K^9G>vXLpzRi5axX@(#L|wn4Q_Jeu;{o>Cs}+{f zTj0B<1B1d9Z9aK2JG`W(kCXLhfH@OFc7QM$_#9Y(EWww5vn# zY0+`Oj>F}x5dD1XkLA5*H*@OPOJX?vH|Y|tJPAp6Z@jX7jX$;4?<|t=39SzS%Z}L) zuWp7*{q1$u_2XL|cTtuqEwgY8ylfmS49HaKG&w-a%PXe~x(Nc}yrUyBsgRrTcG!4G zXt+k63kZ0e1+7_Xi>_zpYhAfGS4FzC(6-={(e&I?*y~X$|gOvDn|84(24#{)vbKu3G70DWp%_3Ek<;hqku% zq48l#3ikLtiysgz8Klz z1A|C5g61s01mu#**+N^#N*(n=2`mR@#*ra_EM(O`fE8g~u@YJG%pSaMDPOB#658tt z#Us^Tic)6>lvxEeYU+H6Xl!`*rEkD^U+})I%tGm*wN99ZV(Yfy10@rWeNK=+V&pG_ zzqNkbc$fBG2iK2BwlCRv#2E^x>s9w*6WPmPeI6OsEU{YriTVoZ@7r$2(HpiJEK}UV zi2b_U;qQFIx#8&Z`ck*b7F?R?h-`)7@VD&kli$nLuONCMhtK_YqooEVc&JA_rv>Nk{ti@4Q0s))MgK^nr_ciMCgzZAQox}oia-I*K*rfQu<2JpZSuR`Xm&@Z0 zBR3K1(D~l7}5P-l^EzVYo5Q{=h|1J|wK9=3e4Y1Li zU&jQ1OUWXd5bXBGoQVnU*fKHzuf z2zv+p`TnJi{na`u3b|HW`}LpF+0R#^Y!R1lLlI8pqBSzXkg+n7U_$EHe#6An*wr2^ z!+H626EMLqHHJ`#7lc)64Xi$XM) z3o`#<8+mGvcjRN>k@tFQFKfH{XAAC8$+nAZ?6=bwZ7=^S<|;m>-P-${gNK`j$3fBG zAC9)Tc0JE`S z&(J2d&hH&!&T7jV&k3lom=5&Tah1YH`O4>4A@Ev8R(uHl?q*YK`os$eVye{+?HNLT zys_VTDB1ZDNNx6fIWpT;gh3N>nkJiz)uR8H1@bPgxt(DvX12DfjJKdyOUsJOIz~`X z@Rwl)HMfIv381maNh#5MX|w^NlO9x1a4AD|*We^PIXQV9Cnty=0_F34Z;_P0PHh&Y zWSH~ii9E3EM@-ulEar7o8nxg_V0a!}$TBcY>{oaptCxM4Q?v{0-7GSloOo_?BL;_@ zECK(hwk-X>?hcdSAW>w{pmJ2>b1_;Bv0?*6w8?6uOQ$`PHi zKkc^U>Is-9%RU%QFctpy2~F!>p}-*P{1%ZPxX>$`rhe3r%tFAY^7WI)u3*!&>Rp?%(e_PuGU!~V_E;=+u=o#wuOL`+61KDV$`=6U%=qE^oLS-t7 z8=8~BgSFZ5Y5lUP)aKRY)(#2qNwnVlW>uFD*4nv1#0{_v8m-)jzyyw+0A*;1TUmjM zo-fS{oIPhjt>78OHhs))U!*1g;bsj*=rCI#cle8vhgdo+ zK|xSJLIf{eT-odzV9UW&$@G4O2IV;qOuc8VpiMXqlZ0ewi!Ci4v~8Y0{VOiFdIi~Y zP`=@rgN%tG5Fi>_Q-e{N;=VU&gi_bl9UM*om=wSj)SI)qO(1+vhR6Jz1=gWd`7;&D zQyW3HwtJF|HX-tJIq|+jr#y`^P;2(zqS>>Ab3|7T*204Kp`(YuSJI7g^e4P99Ie*; zN;Me=H_7{giYPX0D~RfQgWbsXomkKGyOKYxZhW+%{XlZDnfodKkMqY?Zi2wQWx5np?e!MSXohQ+n3>f3O6n6& zL)bJbtzy9ockSC`MQEDiA7ct1SGRK|jkAY;zC!%gC41T%RK2gxR|^TGLCMy;!Ud~? zsX{L6wCXy?L9!SNYS7K(D{`kuqC$_I8xZD*$F@0i*h{kH5#fHiyzTtEMqBH35~pQd zg^K7B$yw)ez65m5OT+d*Z||ltO8(~gpBI2VQ~Cbh`)bAI4Z`?2cHOkG9n`4)-e5`3s16o@)zM&_aSSN&8Rs_LP zy9YcxI!S&_O$7K;fJqnOYJV~hperDupT1o7S%ZoetL0y)hK7LQ@N)hu#7Tr2w(4)s zbrMk*=&2QlJZ{dh6(-isjZdFmq7v=clPilVVblF@YS$}^~`fp_0p-o0~OzcGP zw@2?U5!r;t%XimZI8Le9+FzNh4?jjmMbmZGL_qe!Pyccg3MzR2=l4H)5;S^A8T1nQ zq#xM?c5&$Z=&F^ z9M!bu9rxU03sx>wKYVZ>sBs^cVR{#h`GNE4_Mhe5&lhf`%E>uKa+lr94;_ZTL&#Qr z05Ag)HS+V~&#Jjf-CO||(fyRP^&*QZewkR`5Ky1Dy}cXf8;(QvmSbi{qr12D5RDKa zd~vPW_B`h@r&y_4|AS=;LC?aUGj=3Op)zpXhMGng2gpBOJ0ACvrt)rOj#Sk`nUrj6t+O zjM+d!T#W)uGISvdm-_Ol;rYF`VCbS@n?_M{yqR&CQpew-?n8*IxQW2@*o|ne-;6`E zM8d$XF6FGlP{z{?=H@#$sNTIg?Wy+KDlVzn>T_tq#vuvmUq;RxmvQxFR?nXf6qoiA zc$Ijy;?|3?z;@3>ZJk#Dp!XEq6mXuL;;t2N!zMoOT^t3$PUU^k)pQYaxNJZR{<9HB zBcIN^C)C%WR8-jz!;;y=70~V5@%s1<0J@@=?8;?4i;BnwPo1YLy)^g6bi3{^;u14b z##bggyUe)rXRQf&E;o-*QUjwDY#B96CX9PRYO}<0dwwW?LO?^a*h<1K`%nQlnpVBl zpO!OVb#AiOHaTtWc74njANNB!A3#t|!A zxiCM_ELI!r-z=_g&VMxOG2^WBSriq`;K+9DGzbHD6r*)Wr6*4&km;VQBpiGV7Fw$F zdRO(SY1``ZiF=!``J~^<>eSBHJ?g-5M<>XgIs!t$o$^dfRnqql zPZuwD6@ZIHDpQz%yUx}N1oT*5(cuHtOUOO5JO*J*SQEg=r)5h6aQ}_XMD$LxVG%>P_L)qBi4uYYWyG zFZb8|u#0&ov8tuORR?%Nus(qO`~Wka zy-+eXAWsZj4MIY~f!z0X_%o;l#KyphP^fxetN|*6BBSHz*|{SOKKcJ}&=;Yh`F(fR zKXzAQ`YWA4*qMMHjefi9D{-V@@Z-fxq9fp6OAYp`RZIAZK3U-fQE*;&Kk<8Su!p0O z=2-;8e75P+U`m;4kVdvp`7RS|5j)hdx9Qvx5fRhp77lZzk`~=3g9-+!;9E)s3QMSj z1-FJya_@DV<<&?98z>U|uX5HQ8(bmlb=r?)K?m*OLKU{Z|EpY%fhQDGRMZuS-t9i# zpuk9lp^<+3RQKgfq)?~z-zNXz-YqB_g&=LdKg8>@o_Se((UD^Oa`U zQ@0J&^!7=~&eoZ8f$tsI=Z*<(y8N1HBXfD}fu;XyCc2vAq1R*Smpy#Dk4H&EL(EjX zlm1VkZNCdy*H35*xkm_~^+MXjup3n=n8x&?&Y1U8dGr~LJSF8@qNY}({+*B7^t$k` zyb}YUGnLLC9c{m}V?9)LjKjkK&3+@SNV>0z?v^X_Rpnd8@^#=w0tT5MPY9JL8Qc(9 zne2CgB!msh4rK}@Xsw2a$Dz!Ef~lHQ{R!I*<2pNY6YW#XPTYwF1ia=VDqth{S8>6a zjGl&uAh9(?!lg`ZqKA1m(RxljgzTgNnM0k7+ zRxARXz)nXRw2zojAa|GnaA?!DnnF3=N4f(dys2Gz;(KE`iY8wK1q1{D7QmFl>*Jza zM9yPmbQ)^`A3+2{G{`Q4@E1h^tq3)0ql~h6pqP!iq@e^EENtl9&lHH#W>;F=Y!z84 z9bwKCkMpPNMH1%djsDE)P9;xQm{?*u4$B3lAO5`10B5f*k14v=p=IBdW`>xOCj-H4 zHOw+GV8&7Sfw8r8rH;7Wn4*&#U5rg^rCB}y$CzHww6RQRR9k_*ub&@>@y0HGj^)9@ zla*E{qVzASw(GT_A)GXP6OK<9>LxC_xKzJZzv?>f&Fn@4F9cDncJ%UYf%MbD!MwMU zMG`z!`LpKFL@2Z-=%!KS8rFE)cOCCBV8hTmaIkPs=mQR{KmYoP8Sy!-RC8!HQy_H?MmJ5M#Ya_ zuS;o+3DIwCM%SH6P20wi2Lfr%QK~;CP5$j)=|0Z`wjvWq)|I>kuC<9-GubaU7T9O1 zz`$jA`L1vY-&|vZZ@I9!83t(Fvlhw+YmL?LUU|$$%XX{-aRG_bg|Zl=xRU-7nBZVW z%~4AUDtZU>tj+KJ?mqKA)VVENaNF=u%ft+@2mlr$juGqg_m75Np}O@JoVT?czHcu~ zg05DIasO7QkCMkxsqi||#WF$8;-U{*^&Dj0IE}^0-B16Hf)|@(zn&0h2cO+$PO@1a zO@l3aduY>C`0Cn)M94pWzG89n_*k(}29@83H*~GNHOWY=3n-#fRt;?r1Is`q$^>ay zbqx)Lw^zS|MGtmzl?6{iKd2ZJWk{#ygiV_hkh<4Ft#3=`7`$nbQwOZG~d( z$mP=kJ6=$r( zyK#&i6F6~IC|$Ua^rxAZc)@Y&G6mFAx$8CB$aHqxZ6#JV*e-r=_qp44)%7~>o;EYL ztaVvLLxF?6&B#bm24~>$Pc+k2wvKIWsQ-BvZ%Oqik?>&9QFv%~QGn|NJm6C$Myh`s z9b^CB_Xs>k&buQY+|QOmRZ6Hp5*wU=lhlO5Kn8BM{v#jADE((dC^PCryWrWX(HXmk zzXvtik|30=R~5!pGRXm6pl@W#1G{z3dt(BRx2KVDO^a+uPiHhQkcm&@8puSniZntM zTrx~rNHy3QQI|;1~70r5xJzdXRw z_XyrF79)XHS>I}*N~%K!TiZ!Chfn=_fd@$khZ_y}#}pQt%sc7ejVF{=A> zTY_YGA}EG$Ud6(TPLLfCMrdm0Zx+7x;2Lo&8jWJN1-D zB&A^O|Ji}(OXK#^-IbwXz$vN1nGVC+Tkhi>6!Q}F{jd+)`@9mLPUiOsmzj_~p`-b3uU^DB&_opY8LG zdY(VR8$fxZk^BknA607q9XaHoC9;s)G@_2k^>1EV|F%+ zWx-FpTplTT1w}>al0IlN?W&WVE3{kdj7|6NZmLtQo(*OY1$o~ZA|GRkF-Tl{v$yXm zonH+QONWM(==u1_8x=yCN5M7LW+Ccre4eCuTnsuqN~bCX#MPMb*vcc$pr9Ovl@&&$ z^;Ikz`FVLo7a}t$iyqk5*_^R_)$Yk zN6O3oYbQM?NM}CXU|GP8yx%`p<$sgGy%d*MLij&I)1;f_He6RprKtp`Vx4%#Ad6TZ^k5JoZ*Ffp%cM zR8UxA@L?}+3!l7)>8S2|+lp_8!L5kBo?DqpKJ>|ICu%@|n9ZV%@8}=*v%km)+@*^o zkSrsq+vS8MA)NKx`D3q@3|y_miYtnpuiv`w(9W|8bCOEp)OB^`jRVClz94ooDRgfB zV$@>mj9?fIcD@lA@uS*eiG#$HPu01-ab64PJS4?4e$o4&OGO<;Scm&g@V~)1M}~O@ z$)CnFpGTD9kgcP}9^z9a1;5n&7Cg)vlipZjY8kWS{dO%@llkvwgreu7&L>MGLY~QC zZrBy|>fpnuG3`Ro+7*@3wtvn6BZruDhTZCn=g6Q4G?Cp2PH@DfOL`D{4b?J_+v}6J z)@6h%?AGkP&n1@qPz8YXEE!Cs-p-u$&Hgt;+vGk9UaN0#jJZq1jjf!lR6SIY2+_qO z$JHZT=Zn><9|n}Jm5%%gPZ-12kOWrUG~W@bLL_5wT{c2dMRc8&buN=fs@5Yje3pNa4H3 zXlA2^m>>4vKQ;+?UQ_(1UVMcor=p;XxUA!Zf`an88O8@z@}0S9Y|p2M4Of1h+I!;P z*N5Mjd%tG;5L_HsxjQ~&l;rq+(`dmV^;RKK*>k-_M7l!$Z_CzGk6bzl9oLhW_99$c z>uAdUur~h|3Io$nsoxj_T#QpKin1%Le1qSz^FCDIffo-P{>4YNSxR*afeI54H*T>H zB2Bu@#)tq9zTJL@V%1RdP-5S=7-7B<_!S|j^|6=j^Tu_CX{BL1q-7!;Fu=&J5l6;p`;6KkFS8G=r2y< zmoRiKn{Q@>JT_o}q=?5>(9n=fr=00bNgE2L20$5zQmNh_S_=jh=pZ*8oK}rqPan{8 zQ(-OV5D6;EHWKxjb=c!h#+ZNK9;$#k6m>Pe*?IB1%Z`6ky7s?G-7Q_LX{z|y9> zY>CIhVM5ZYG#m))LhQb5_C+FLLPFxRp435S=Sc^{K_)ntCA*YavU_FxIqwzBA$}t< zC+pGU-B|WLP{!>h+c&|r#hni)`14Bsu0>OSn3!Y#!@l> zsbRYRO`}kTrQ=gWOg=gq{oFegVqUHJjtmFagIbd+!-C2>p2YYs|JTu31vL4#VVp*! zL%O?>96e$nor)3?f;1D520^+Tqy(g#h!WD>jWkM0BQ1;^{XPG0Cp*}|yMrh0_r9;| zclk$c(2C7q-^Juah%}OX&BqtV!0>Wzcn!f(G*+D|T({X31_Nk3B$4v*zE{10dd}!U z)&-LOTaf$ZZp1Qop75ey^H75NG1ewzS?H5epLV*g!^~TrK@c*$l#)d%{NsKFUT!gL zxt(;~S&iTJwVk){>L+^Hwy!|i){y?6_8&Y-3LQQ3Ozr*7A`^{9yg+n^@o6qpU*EaMa-k}#an+ARI z=Z{TlaY`a;V|cuZ{={$H^kv=&c`l%7!ipzNf|(zpc5X>XCU!gYM?FL+m)3vf7U1f^bUsC%^jg)ElQQ6OV{e?%i5F{EO9Y6#qxGcw1wx=!JYzT*)1m2c5X^U#n>TE$#9Q`%3i%H#j z?r)2J4k=QVM@vlFf>&9Uj#A++7slD z=BXz#zTBBD;6vzeRc{Yti@_I3goN;U(_?k*1T1e*cwq4{>66e%T5|tD^nI#n3A`2+yF0;q(dqGG0&bck|DmZ%+(%R(KisAw!H zo9Z#Lp9vs^q7%!s55oKcB4D>NTiD$H*7L`Y>MRKt%JqI-%RfysAVVN>WrZ2m z*|S#h*X_Ur2M|uDzmWEq=lV;%l@9;qk~39g%EZnKmcU_$4(J{Nmq4*ayZM)=v_L7V z3xiRkqu&9)6RvRt7y|-jWY_it+rYrU#(oyX&CNUN+YV|EKL((JL|zbL{#$HPjXHVT0tdQ!@sY?Ajw)koY0rb9==H(<*_!wh#HayC zSzSTD5V7v-_t>3FPuFZ)|L(nHwRGd_97WK*>T%P4J}M*q)&2T9AH-v(s*CJ|pW=jx zJ@~0t68auJxlpV(A_iN=VE=u{b1du%Dn&iL)ez=q(paU!1!0sAuqGEq*t7ipwgiok zthQBn|5^4sY+5>N_Pz&W8s97FE!pci|Dg7q%rHqW`q|NvwOFhOtO)@~Myrf>0R)xu zA$@e>_KB-BeVA&*+tv+Qw!XMR)S}eTFnr=)?os^uOAK0m! zsQY<;o{%!ADf8dO-w@OFG}mD*SGdAh@17Xr)P61v9bu# z&2Y_`6Mn*#%Ooc4%X`Kw6(aIWE=L01lWEc(xBbNf@_;Aw;Q)fa@5!-OPy2`$pH_X-Csm+q=`4Z=%o5%iULfG)E zT%0&HxRO4akNA>lPbpyXUa5dto+tRzxTQq-Em8fz^N_sls?A+0cZG_2xc zb+*c);aMPgmX^*7A8Ifxr!0$anwJg~Ks_p&U~-tUUFy)uO9Z*vemaD2Aw zsg}}lhj|TP;fn4Wtii#malz<4u>MNNv*(%Gwy=z--pL+d*B=-e;N;?p1-W_q63I>_ zzd?Yh$H9DbOboAtGb$L&Eq3?lKvz(y>`W0+4KfQI9Lqm{`VM4bmTwNIJGBWs=7tgj4ptwqFtylajOt2ES+@XE>kI^+oA zB?bZD8g!TAsO3TK(&dNilL)qq;i|d2M~Y|nOOslnw>X5w#V8Te`dchVVylgv5DQ^i zOfZoy1Zu^)=!3`BII>lmf*;KU+j>r)+m4I##8zfL2t@hG#S@-^a?n|V?p@?57nf*G zf89Y98XCEkI!y5?{_6~>z-{i;WKtW1Cyc^uk-Kp;90bG$dE)G>^00sAH1zoK-W>CK zQd}mIE$cFE`H21Q*KW=JTw6|HH;%iSyluis0f<#`_0BrD)aTCXUpS7K}_K2a%a7l{NuNkl9V!l>~2q*lgp{K_@-KF zkTM4V{>$(l+v*99db-ul)dqGdKgF@R5YbF+$}ZqWJvuS}G5^}N;S@~<;!^avDO>S^ z*!m#mnd}Y9=I-hzF$kXMAC+=`(VAEOvgz%{3X3D36Sc^i{I7B|Z6!z6EGY(_X0Ool z)_*KP%T`2pEs1d-`E?lNI;%pTB=c=}?2pqRHZCI|Sppk}awB2=oIkGn8RD|U7{SnI z^yk9(<@R<`uFl<3_s02QZ+PJef93@v!w*qOQ$3iT+T+|N58FQ$zua{z7@g-@q8o~_ z$P80vTi@YYbH*$074^o4nF)4py05z5SSwzMq&+ptI2p{B=VIhM7Y8l`|D(tEr*bw8Vr})iVNK#9KK@gB-FBM-^rU2?{SDza^*ywoH+7O(! zH=D!HsBZ}380BJaZUVsK7N)%gaaS1m0mpbiWLs@Fc0Ar~eQyhw{x4a*k1z+12#@pe zxY|P9V5XMs@js?vyWtF1-3!5+o0CA^AwHxy3gFmu!E5UiWo5Q8IcTm6^q{zH3HIUz z$>1Ols3LNblJq!rXd@MwI;zN@0DGo_U~0kdJ+QkWCf`3?UHMVIs|iafE0L91S5MP; zlpl1C9fD?TOtY~WZ#(fM)?O?NiJTB|nYY2X!L*0}09zYsT_;9LORMFlD!owmufxXC zW_nwepHeiEXw$lWPE9RtE1E0sMme1y+x6cCTq7lnJF4Ysl+O9j5u1B>2-27Q1#)J~ z#`_>lt6-zow}On0W|&Qs5z(+s@A9f>Fz0dhIi3TG`ZUeFwXeFO9k{E+AmUTZ;=|T;$w(RdfT}Wi&}#G}WN<*sdSjsAn`u4z#O9i@VvU275;>!3jvwr!{UeoR3im9`IUO#K|H8+aYn#7`T?>W zm;*8Qr2%I@5b$)XZmp)#KYjXV?dhG}w8Tu|WSML&2VUbRz#5J!G;B|yCmUX*vOxGB zGI|`Q4mYJc>6NB^ygwrlC#P4IGQalbWc!b2S_q=l+i)RC>M%TYea>hsM?#&dh)~wYJ#z(uw?OZy4 zk9C9^a$3HrGJK}5ZmCAHN=gd$wp%RRLtZ-I)NkI-YsIXSCMI^2o}U2ejVcDkqmr@7agpO zlbV@5azwNiEb~S zUgrf~(fk!cy`P-i0{{m9!%;-x5BlcrzN7-o=tRw?^&D&+1ZHS{aE5tcxc5?4f0O6( z+kgAMe@Fdu(Sq2#at1#Cq`SO}jGvyF7Ja>|T>RPgXwFWv!Q7-zbZo@3vx~UFt%yM1 z<7BD%#MkZbTgF!lzl;Z6o1FPA?l?}UTC|nlVQPNh@3$xTR9;R*@}>OS-&i3dQVM&U z)vn%_`%Y5|$~>#>%3!T**}NOJeo%d_m1GH>AfN)a-NZRGl3$n-m-3!iTB1#TmQ%f(2z9=6;{&Ax>XODMa8wpx341WD|8Wga z2Rv_?Z#SUm=xcx8!6T(Vl&-}fibuRn4_LhpSvzsN5PE#TloQ=ir}5Ak`kZXbioq&u zZRI-F`NdBuGy~h5lDV5zd_qv3kV$A@KoHjOWQq$9eyB#=yko06r@Uhb`r<&-5PZsU+|BY=Xogix3+Mf*( z3E(hGK8+It;!N@@;FiavNR8>>~wH$Htf^Iz>(yQg?MJ9U&)x#}YWNN;K2~iy(QC z?DF!GoxO*gk}_m!hh0K~@=p0h-QkDjv}fNxy+y7IS^J#@S&&Nx8?{~oPN8^fB zyQB5hCkPU1`ktXj7LRYkX&SI~TO#nO3_t5yPb}a|KKJ2nMVsnq5qm!otF$Mp^(T2osI1|F4xq7LP!4 z#E?brbD6e{B}L2^wWnj-0UmMwJ{ZgIn)9q96UfM!V*l78Ob`8m%_=R;OmVM_O`d0| z`!+Jt2!lPOTPbOH^NYA6pzyjjnyJAdfvQ0pA~c1X?5w;Pk$)5sa4GwDHD=9z=_5ME z0O=jmlV&se=%W=97oXZ^nZ(h_arSK8OQ~DgEtb_Pc{MIeHgA&ed8y+UR#{eh8w?_| z0c@hK-`i}5KLKyS8Jl| z>_Gs|jGE{e7zx%>$FbnPo^yrTj@aBn&3XSxr--q#k*C z&P_qP_R3n)gF8Prc`Zv~)$ahZ}26wNT&Dp0M)zo|H71nS}&fk7dRWllFdzdXX9n z^GaqYt8$88ygs2nJoYgQAQ7?6u(S_f+*n)|^(s$Us&s@#H5#&Kx5Pw}5i1=X$`P}A z_dS}P$#5P29*TW|UwnBrIY2{Z`f{(ZpXdzT;8Q#9j2J%=CWTJ6Y1vd9oqI={zG@1g#lqQVc zXEq?4WP}TRp1wsVaZEEx~qe8!s*|?gl|{-(JEJZs5k_c zP_zt6d*n{tq5dv?@x&r1FifZ{-A4vu(G)To zFEfvo^ozl-LX!h>wTUHCz^VSk)O-RDgruX&wd_XMCK*#Jg*6JNED8Y_^Le z4EN=~9o6efo9x!NZaxc*x4-_tw?@x*Ths&EO|JzEIb~yT9uli`>ma>xpv1UBp|}o_j{D zY;4>Dt)t!K{VW+gJ_j>%AU-J)bc;xVZfbZ({m~Y9nQv(c;mXfM?}$#tHLhCYvu#6> zN%)JJ);Y7Vup}h29qT#0v5OtAcDkT6;=hl%Sn`j2oi9-I-_;`Jo_4Y9pK*QCchpOz z+2DIZ+3bA?f<{wQvSE&nv`-S~dk#MM?5gVqA@Gj@l^MID^-3D7dn=ozcX6Y1iFC1$ z_h!APi2T<*Q7mHO;?)O;Tu=oBe>e4h{QCIm-;rERcp}_Ppt0{1k+*rWIZQ1d@F0?S zYpT_s3Z`ESiXkD{Lv^2*&kQx}UHR9!WCw}|*QsZN*s;SepFW>qP8}TI@mQQ{rQ?i^ z##?8!8eN1)zT2gMs~1*v!g99N00#_pJeMs45PP=>N zUR|8ncN?0Ks+2%aZhMNlQ;ta@pb@CCY*ub0Cp|Pc-xzRXoq$b2Rq$>qZmLy|;9;B_ z+vwrXs|#gyZn$PMO@Ib^Dln(vnNjvnenUd{n2X_Ys3(>mAc;- zzs-T|i6#g$8xTHP`0!v+MfK~+xr1_oP~HK8W^7@lz=cHExAUgW$AQ!LEFEGD5Lot5#w=Tu(nUg*ZB0iFO;~^m9qIHTY<3ze{=6! zQS*o(ysDk{44)H7jrnl0p*kB2%DPWI)kaZ}`$6w}Y%beDtzwdazn*kJgEieepWSN7 zcw(MSsL=RSH_5Um4iiGQ!yqawF1CgO@b{aJuNn_hX0U01vAuAAvQ#VHi@M_ zhJeG}(V;6YI=MB{vfj8+RZ2SGOLqtsYF$%K;5*i6o-y7Mq$@PZu%Pg508Z|@Xv0RE z&Nu$go;r6*Xc}oxt^49(gp};;A;NmP_=Hhn#sUGia~ea#Lsbhdak*C{(POPKkN5;? zR$|d1tO7O6K06AI4oYb-$8gTEU~1@Y)e(4;A`Qkd880d_`}#z{9(?2A7qT00iLG{p zlLiGG6+9%zxshx+VWu;xcv7NI{)k*9V-Y^^+TF48lR`8R;Y_BSAPnXxM=>+)U%i5} zl87gIu}Orr!dk*kt||BP>3YX<8O7DQrU2z)1Ku0*K~w>;UY9_CiMqrasN#LatrqON zkyX9ScG8Cf9v*dmiz+P8t8{dy)RjGZz{BHWdKk==S21DGxuLFmJe@jLyJUKqQCs}E zj*W9vZD&RrOL1jt?2Yg(65?vDsKm}EgUKG8mUbRTD;Hy>{KRdwi$me31q2SSRWKLg z}fQ?VXD+*hw^CE5dmP zhPLk@dk#;E^hI6upwe3#cNR`wTW9^T87UvrM%WT{Y&VW@rMx^iLva#pW`=~l(_3%v xQG=M7v_G-Ju~=3MLEMsk?L3q~otp(2gf@#y1#<{TQ$_` - -Helpers Reference -================= - -|CodeIgniter Helper Reference| - -- :download:`Download PDF <../images/codeigniter_1.7.1_helper_reference.pdf>` - - -.. |CodeIgniter Library Reference| image:: ../images/codeigniter_1.7.1_library_reference.png - :target: ../_downloads/codeigniter_1.7.1_library_reference.pdf -.. |CodeIgniter Helper Reference| image:: ../images/codeigniter_1.7.1_helper_reference.png - :target: ../_downloads/codeigniter_1.7.1_helper_reference.pdf diff --git a/user_guide_src/source/overview/index.rst b/user_guide_src/source/overview/index.rst index dc91f78c4b4..d48a0bbe44f 100644 --- a/user_guide_src/source/overview/index.rst +++ b/user_guide_src/source/overview/index.rst @@ -9,7 +9,6 @@ The following pages describe the broad concepts behind CodeIgniter: Getting Started CodeIgniter at a Glance - CodeIgniter Cheatsheets Supported Features Application Flow Chart Model-View-Controller From 256a18c50f0c042ae80d931ab3bd54b09f0fafa0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 23 Oct 2012 12:18:32 +0300 Subject: [PATCH 0171/3829] Fix issues #134, #1911 --- system/database/DB_cache.php | 16 +++++----------- system/helpers/file_helper.php | 2 +- user_guide_src/source/changelog.rst | 1 + 3 files changed, 7 insertions(+), 12 deletions(-) diff --git a/system/database/DB_cache.php b/system/database/DB_cache.php index ba9110382fc..bdd91867a5d 100644 --- a/system/database/DB_cache.php +++ b/system/database/DB_cache.php @@ -43,6 +43,8 @@ public function __construct(&$db) $this->CI =& get_instance(); $this->db =& $db; $this->CI->load->helper('file'); + + $this->check_path(); } // -------------------------------------------------------------------- @@ -66,7 +68,9 @@ public function check_path($path = '') } // Add a trailing slash to the path if needed - $path = preg_replace('/(.+?)\/*$/', '\\1/', $path); + $path = realpath($path) + ? rtrim(realpath($path), DIRECTORY_SEPARATOR).DIRECTORY_SEPARATOR + : rtrim($path, '/').'/'; if ( ! is_dir($path) OR ! is_really_writable($path)) { @@ -90,11 +94,6 @@ public function check_path($path = '') */ public function read($sql) { - if ( ! $this->check_path()) - { - return $this->db->cache_off(); - } - $segment_one = ($this->CI->uri->segment(1) == FALSE) ? 'default' : $this->CI->uri->segment(1); $segment_two = ($this->CI->uri->segment(2) == FALSE) ? 'index' : $this->CI->uri->segment(2); $filepath = $this->db->cachedir.$segment_one.'+'.$segment_two.'/'.md5($sql); @@ -116,11 +115,6 @@ public function read($sql) */ public function write($sql, $object) { - if ( ! $this->check_path()) - { - return $this->db->cache_off(); - } - $segment_one = ($this->CI->uri->segment(1) == FALSE) ? 'default' : $this->CI->uri->segment(1); $segment_two = ($this->CI->uri->segment(2) == FALSE) ? 'index' : $this->CI->uri->segment(2); $dir_path = $this->db->cachedir.$segment_one.'+'.$segment_two.'/'; diff --git a/system/helpers/file_helper.php b/system/helpers/file_helper.php index e68bb7f7a3b..441345b0597 100644 --- a/system/helpers/file_helper.php +++ b/system/helpers/file_helper.php @@ -109,7 +109,7 @@ function write_file($path, $data, $mode = FOPEN_WRITE_CREATE_DESTRUCTIVE) function delete_files($path, $del_dir = FALSE, $level = 0, $htdocs = FALSE) { // Trim the trailing slash - $path = rtrim($path, DIRECTORY_SEPARATOR); + $path = rtrim($path, '/\\'); if ( ! $current_dir = @opendir($path)) { diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 0aea3bb32c0..4048395a87d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -374,6 +374,7 @@ Bug fixes for 3.0 - Fixed a bug (#1476, #1909) - :doc:`Pagination Library ` didn't take into account actual routing when determining the current page. - Fixed a bug (#1766) - :doc:`Query Builder ` didn't always take into account the *dbprefix* setting. - Fixed a bug (#779) - :doc:`URI Class ` didn't always trim slashes from the *uri_string* as shown in the documentation. +- Fixed a bug (#134) - :doc:`Database Caching ` method ``delete_cache()`` didn't work in some cases due to *cachedir* not being initialized properly. Version 2.1.3 ============= From a53ea846b045e57ebd94463e463965124eba7142 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 23 Oct 2012 12:44:09 +0300 Subject: [PATCH 0172/3829] Alter _compile_order_by() to re-fix MSSQL, SQLSRV limit() --- system/database/DB_query_builder.php | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 1ab1658353a..0eb5a9e452b 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -2146,10 +2146,8 @@ protected function _compile_group_by() */ protected function _compile_order_by() { - if (count($this->qb_orderby) > 0) + if (is_array($this->qb_orderby) && count($this->qb_orderby) > 0) { - $sql = "\nORDER BY "; - for ($i = 0, $c = count($this->qb_orderby); $i < $c; $i++) { if ($this->qb_orderby[$i]['escape'] !== FALSE && ! $this->_is_literal($this->qb_orderby[$i]['field'])) @@ -2160,7 +2158,11 @@ protected function _compile_order_by() $this->qb_orderby[$i] = $this->qb_orderby[$i]['field'].$this->qb_orderby[$i]['direction']; } - return "\nORDER BY ".implode(', ', $this->qb_orderby); + return $this->qb_orderby = "\nORDER BY ".implode(', ', $this->qb_orderby); + } + elseif (is_string($this->qb_orderby)) + { + return $this->qb_orderby; } return ''; From 4451454e190bdee2f865bd9d9e0fde0a6dff8b3c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 23 Oct 2012 15:35:09 +0300 Subject: [PATCH 0173/3829] Fix issue #1917 --- .../database/drivers/mssql/mssql_driver.php | 23 +++++++++++++++-- .../pdo/subdrivers/pdo_dblib_driver.php | 25 ++++++++++++++++--- .../pdo/subdrivers/pdo_sqlsrv_driver.php | 25 ++++++++++++++++--- .../database/drivers/sqlsrv/sqlsrv_driver.php | 23 +++++++++++++++-- 4 files changed, 86 insertions(+), 10 deletions(-) diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index 4369bbefb28..3d6cffd297e 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -438,9 +438,28 @@ protected function _limit($sql) // We have to strip the ORDER BY clause $sql = trim(substr($sql, 0, strrpos($sql, $orderby))); - return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" + // Get the fields to select from our subquery, so that we can avoid CI_rownum appearing in the actual results + if (count($this->qb_select) === 0) + { + $select = '*'; // Inevitable + } + else + { + // Use only field names and their aliases, everything else is out of our scope. + $select = array(); + $field_regexp = ($this->_quoted_identifier) + ? '("[^\"]+")' : '(\[[^\]]+\])'; + for ($i = 0, $c = count($this->qb_select); $i < $c; $i++) + { + $select[] = preg_match('/(?:\s|\.)'.$field_regexp.'$/i', $this->qb_select[$i], $m) + ? $m[1] : $this->qb_select[$i]; + } + $select = implode(', ', $select); + } + + return 'SELECT '.$select." FROM (\n\n" .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.trim($orderby).') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) - ."\n) ".$this->escape_identifiers('CI_subquery') + ."\n\n) ".$this->escape_identifiers('CI_subquery') ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.($this->qb_offset + 1).' AND '.$limit; } diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php index 782bb53c0e9..785b2795cef 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php @@ -211,9 +211,28 @@ protected function _limit($sql) // We have to strip the ORDER BY clause $sql = trim(substr($sql, 0, strrpos($sql, $orderby))); - return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" + // Get the fields to select from our subquery, so that we can avoid CI_rownum appearing in the actual results + if (count($this->qb_select) === 0) + { + $select = '*'; // Inevitable + } + else + { + // Use only field names and their aliases, everything else is out of our scope. + $select = array(); + $field_regexp = ($this->_quoted_identifier) + ? '("[^\"]+")' : '(\[[^\]]+\])'; + for ($i = 0, $c = count($this->qb_select); $i < $c; $i++) + { + $select[] = preg_match('/(?:\s|\.)'.$field_regexp.'$/i', $this->qb_select[$i], $m) + ? $m[1] : $this->qb_select[$i]; + } + $select = implode(', ', $select); + } + + return 'SELECT '.$select." FROM (\n\n" .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.trim($orderby).') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) - ."\n) ".$this->escape_identifiers('CI_subquery') + ."\n\n) ".$this->escape_identifiers('CI_subquery') ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.($this->qb_offset + 1).' AND '.$limit; } @@ -223,4 +242,4 @@ protected function _limit($sql) } /* End of file pdo_dblib_driver.php */ -/* Location: ./system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php */ +/* Location: ./system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php */ \ No newline at end of file diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php index 64be355f8e4..33bd7bea569 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php @@ -245,9 +245,28 @@ protected function _limit($sql) // We have to strip the ORDER BY clause $sql = trim(substr($sql, 0, strrpos($sql, $orderby))); - return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" + // Get the fields to select from our subquery, so that we can avoid CI_rownum appearing in the actual results + if (count($this->qb_select) === 0) + { + $select = '*'; // Inevitable + } + else + { + // Use only field names and their aliases, everything else is out of our scope. + $select = array(); + $field_regexp = ($this->_quoted_identifier) + ? '("[^\"]+")' : '(\[[^\]]+\])'; + for ($i = 0, $c = count($this->qb_select); $i < $c; $i++) + { + $select[] = preg_match('/(?:\s|\.)'.$field_regexp.'$/i', $this->qb_select[$i], $m) + ? $m[1] : $this->qb_select[$i]; + } + $select = implode(', ', $select); + } + + return 'SELECT '.$select." FROM (\n\n" .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.trim($orderby).') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) - ."\n) ".$this->escape_identifiers('CI_subquery') + ."\n\n) ".$this->escape_identifiers('CI_subquery') ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.($this->qb_offset + 1).' AND '.$limit; } @@ -257,4 +276,4 @@ protected function _limit($sql) } /* End of file pdo_sqlsrv_driver.php */ -/* Location: ./system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php */ +/* Location: ./system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php */ \ No newline at end of file diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index 31a0d9d1025..8f615223c0f 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -440,9 +440,28 @@ protected function _limit($sql) // We have to strip the ORDER BY clause $sql = trim(substr($sql, 0, strrpos($sql, $orderby))); - return 'SELECT '.(count($this->qb_select) === 0 ? '*' : implode(', ', $this->qb_select))." FROM (\n" + // Get the fields to select from our subquery, so that we can avoid CI_rownum appearing in the actual results + if (count($this->qb_select) === 0) + { + $select = '*'; // Inevitable + } + else + { + // Use only field names and their aliases, everything else is out of our scope. + $select = array(); + $field_regexp = ($this->_quoted_identifier) + ? '("[^\"]+")' : '(\[[^\]]+\])'; + for ($i = 0, $c = count($this->qb_select); $i < $c; $i++) + { + $select[] = preg_match('/(?:\s|\.)'.$field_regexp.'$/i', $this->qb_select[$i], $m) + ? $m[1] : $this->qb_select[$i]; + } + $select = implode(', ', $select); + } + + return 'SELECT '.$select." FROM (\n\n" .preg_replace('/^(SELECT( DISTINCT)?)/i', '\\1 ROW_NUMBER() OVER('.trim($orderby).') AS '.$this->escape_identifiers('CI_rownum').', ', $sql) - ."\n) ".$this->escape_identifiers('CI_subquery') + ."\n\n) ".$this->escape_identifiers('CI_subquery') ."\nWHERE ".$this->escape_identifiers('CI_rownum').' BETWEEN '.($this->qb_offset + 1).' AND '.$limit; } From efb81669b8f90352fdabd109e14fdec25bbce8fe Mon Sep 17 00:00:00 2001 From: Jonatas Miguel Date: Tue, 23 Oct 2012 19:52:46 +0100 Subject: [PATCH 0174/3829] users' default values are now respected in callback routes --- system/core/Router.php | 15 +++++++++++++++ 1 file changed, 15 insertions(+) diff --git a/system/core/Router.php b/system/core/Router.php index 3428ff07b17..e8addf962d5 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -391,6 +391,21 @@ protected function _parse_routes() { // Any params without matches will be set to an empty string. $matches = array_merge($matches, array_fill($match_count, $param_count - $match_count, '')); + + $match_count = $param_count; + } + + // Get the parameters so we can use their default values. + $params = $reflection->getParameters(); + + for ($m = 0; $m < $match_count; $m++) + { + // Is the match empty and does a default value exist? + if (empty($matches[$m]) && $params[$m]->isDefaultValueAvailable()) + { + // Substitute the empty match for the default value. + $matches[$m] = $params[$m]->getDefaultValue(); + } } // Execute the callback using the values in matches as its parameters. From 93dd2f2896979258fe52eaf937a3c0855b4bbcf1 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 24 Oct 2012 10:09:18 +0300 Subject: [PATCH 0175/3829] Fix issue #1925 (order_by() with = FALSE) --- system/database/DB_query_builder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 0eb5a9e452b..a6e6e595f77 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -975,7 +975,7 @@ public function order_by($orderby, $direction = '', $escape = NULL) if ($escape === FALSE) { - $qb_orderby[] = array(array('field' => $orderby, 'direction' => $direction, $escape => FALSE)); + $qb_orderby[] = array('field' => $orderby, 'direction' => $direction, 'escape' => FALSE); } else { From 3639d4798cd1ac26b715d8d74ff7855474fb01d7 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 24 Oct 2012 11:43:21 +0300 Subject: [PATCH 0176/3829] [ci skip] Fix an erroneous link in the docs --- user_guide_src/source/libraries/output.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/output.rst b/user_guide_src/source/libraries/output.rst index 2b72ba777fa..82b1a56a533 100644 --- a/user_guide_src/source/libraries/output.rst +++ b/user_guide_src/source/libraries/output.rst @@ -105,7 +105,7 @@ Permits you to manually set a server status header. Example:: `See here `_ for a full list of headers. -.. note:: This method is an alias for :doc:`Common function <../general/common_functions.rst>` +.. note:: This method is an alias for :doc:`Common function <../general/common_functions>` ``set_status_header()``. $this->output->enable_profiler(); From 5fd3ae8d33a4f5d3159b86683b9a670e973a63f5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 24 Oct 2012 14:55:35 +0300 Subject: [PATCH 0177/3829] [ci skip] style and phpdoc-related changes (rel #1295) --- system/core/Controller.php | 2 + system/core/Loader.php | 4 +- system/core/Output.php | 3 +- system/database/DB_cache.php | 15 +++- system/database/DB_driver.php | 15 +++- system/database/DB_forge.php | 15 ++-- system/database/DB_query_builder.php | 68 ++++++++------- system/database/DB_result.php | 26 ++++-- system/database/DB_utility.php | 6 ++ .../database/drivers/cubrid/cubrid_driver.php | 7 ++ .../database/drivers/cubrid/cubrid_result.php | 1 + .../database/drivers/ibase/ibase_driver.php | 1 + .../database/drivers/mssql/mssql_driver.php | 5 +- .../database/drivers/mssql/mssql_result.php | 1 + .../database/drivers/mysql/mysql_driver.php | 1 + .../database/drivers/mysql/mysql_result.php | 1 + .../database/drivers/mysqli/mysqli_driver.php | 1 + .../database/drivers/mysqli/mysqli_result.php | 1 + system/database/drivers/oci8/oci8_driver.php | 6 ++ system/database/drivers/odbc/odbc_driver.php | 9 ++ system/database/drivers/pdo/pdo_driver.php | 3 +- .../drivers/postgre/postgre_driver.php | 1 + .../drivers/postgre/postgre_forge.php | 14 ++-- .../drivers/postgre/postgre_result.php | 1 + .../database/drivers/sqlite/sqlite_driver.php | 1 + .../database/drivers/sqlite/sqlite_result.php | 1 + .../drivers/sqlite3/sqlite3_driver.php | 6 +- .../drivers/sqlite3/sqlite3_result.php | 1 + .../database/drivers/sqlsrv/sqlsrv_driver.php | 2 + system/helpers/text_helper.php | 22 ++--- system/helpers/typography_helper.php | 5 +- system/libraries/Driver.php | 3 +- system/libraries/Email.php | 20 +++-- system/libraries/Ftp.php | 7 ++ system/libraries/Javascript.php | 32 ++++--- system/libraries/Trackback.php | 5 ++ system/libraries/Unit_test.php | 34 ++++++-- system/libraries/Upload.php | 4 +- system/libraries/Xmlrpc.php | 14 ++-- system/libraries/javascript/Jquery.php | 83 +++++++++++-------- tests/mocks/core/lang.php | 4 +- tests/mocks/libraries/session.php | 16 ++-- .../source/libraries/user_agent.rst | 4 +- 43 files changed, 315 insertions(+), 156 deletions(-) diff --git a/system/core/Controller.php b/system/core/Controller.php index 49141480784..9196958aecf 100644 --- a/system/core/Controller.php +++ b/system/core/Controller.php @@ -42,6 +42,7 @@ class CI_Controller { /** * Reference to the global CI instance * + * @static * @var object */ private static $instance; @@ -71,6 +72,7 @@ public function __construct() /** * Return the CI object * + * @static * @return object */ public static function &get_instance() diff --git a/system/core/Loader.php b/system/core/Loader.php index 75e93608a42..5de2e5dde01 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -689,7 +689,7 @@ public function add_package_path($path, $view_cascade = TRUE) */ public function get_package_paths($include_base = FALSE) { - return $include_base === TRUE ? $this->_ci_library_paths : $this->_ci_model_paths; + return ($include_base === TRUE) ? $this->_ci_library_paths : $this->_ci_model_paths; } // -------------------------------------------------------------------- @@ -1005,7 +1005,7 @@ protected function _ci_load_class($class, $params = NULL, $object_name = NULL) $path = strtolower($class).'/'.$class; return $this->_ci_load_class($path, $params, $object_name); } - else if (ucfirst($subdir) != $subdir) + elseif (ucfirst($subdir) != $subdir) { // Lowercase subdir failed - retry capitalized $path = ucfirst($subdir).$class; diff --git a/system/core/Output.php b/system/core/Output.php index 052367ed619..aa0e05dc4ae 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -204,7 +204,8 @@ public function set_header($header, $replace = TRUE) /** * Set Content Type Header * - * @param string extension of the file we're outputting + * @param string $mime_type extension of the file we're outputting + * @param string $charset = NULL * @return void */ public function set_content_type($mime_type, $charset = NULL) diff --git a/system/database/DB_cache.php b/system/database/DB_cache.php index bdd91867a5d..671147b3dd2 100644 --- a/system/database/DB_cache.php +++ b/system/database/DB_cache.php @@ -37,6 +37,12 @@ class CI_DB_Cache { public $CI; public $db; // allows passing of db object so that multiple database connections and returned db objects can be supported + /** + * Constructor + * + * @param &$db + * @return void + */ public function __construct(&$db) { // Assign the main CI object to $this->CI and load the file helper since we use it a lot @@ -90,6 +96,7 @@ public function check_path($path = '') * The URI being requested will become the name of the cache sub-folder. * An MD5 hash of the SQL statement will become the cache file name * + * @param string $sql * @return string */ public function read($sql) @@ -111,6 +118,8 @@ public function read($sql) /** * Write a query to a cache file * + * @param string $sql + * @param object $object * @return bool */ public function write($sql, $object) @@ -144,7 +153,9 @@ public function write($sql, $object) /** * Delete cache files within a particular directory * - * @return bool + * @param string $segment_one = '' + * @param string $segment_two = '' + * @return void */ public function delete($segment_one = '', $segment_two = '') { @@ -167,7 +178,7 @@ public function delete($segment_one = '', $segment_two = '') /** * Delete all existing cache files * - * @return bool + * @return void */ public function delete_all() { diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index b7b19d207c5..7f1434fc171 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -310,8 +310,9 @@ protected function _version() * FALSE upon failure, and if the $db_debug variable is set to TRUE * will raise an error. * - * @param string An SQL query string - * @param array An array of binding data + * @param string $sql + * @param array $binds = FALSE An array of binding data + * @param bool $return_object = NULL * @return mixed */ public function query($sql, $binds = FALSE, $return_object = NULL) @@ -514,6 +515,7 @@ public function trans_off() * If strict mode is disabled, each group is treated autonomously, meaning * a failure of one group will not affect any others * + * @param bool $mode = TRUE * @return void */ public function trans_strict($mode = TRUE) @@ -526,6 +528,7 @@ public function trans_strict($mode = TRUE) /** * Start Transaction * + * @param bool $test_mode = FALSE * @return void */ public function trans_start($test_mode = FALSE) @@ -810,6 +813,7 @@ public function count_all($table = '') /** * Returns an array of table names * + * @param string $constrain_by_prefix = FALSE * @return array */ public function list_tables($constrain_by_prefix = FALSE) @@ -864,6 +868,7 @@ public function list_tables($constrain_by_prefix = FALSE) /** * Determine if a particular table exists * + * @param string $table_name * @return bool */ public function table_exists($table_name) @@ -1193,8 +1198,8 @@ protected function _get_operator($str) /** * Enables a native PHP function to be run, using a platform agnostic wrapper. * - * @param string the function name - * @param mixed any parameters needed by the function + * @param string $function the function name + * @param mixed $param,... optional parameters needed by the function * @return mixed */ public function call_function($function) @@ -1258,6 +1263,8 @@ public function cache_off() /** * Delete the cache files associated with a particular URI * + * @param string $segment_one = '' + * @param string $segment_two = '' * @return bool */ public function cache_delete($segment_one = '', $segment_two = '') diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index 91f9d560c0a..119d78d3821 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -37,7 +37,7 @@ abstract class CI_DB_forge { public $fields = array(); public $keys = array(); public $primary_keys = array(); - public $db_char_set = ''; + public $db_char_set = ''; // Platform specific SQL strings protected $_create_database = 'CREATE DATABASE %s'; @@ -45,6 +45,11 @@ abstract class CI_DB_forge { protected $_drop_table = 'DROP TABLE IF EXISTS %s'; protected $_rename_table = 'ALTER TABLE %s RENAME TO %s'; + /** + * Constructor + * + * @return void + */ public function __construct() { // Assign the main database object to $this->db @@ -206,7 +211,8 @@ public function add_field($field = '') /** * Create Table * - * @param string the table name + * @param string $table = '' + * @param bool $if_not_exists = FALSE * @return bool */ public function create_table($table = '', $if_not_exists = FALSE) @@ -378,9 +384,8 @@ public function drop_column($table = '', $column_name = '') /** * Column Modify * - * @param string the table name - * @param string the column name - * @param string the column definition + * @param string $table = '' + * @param string $field = array() column definition * @return bool */ public function modify_column($table = '', $field = array()) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index a6e6e595f77..5fc3d18667d 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -182,15 +182,17 @@ public function select_sum($select = '', $alias = '') // -------------------------------------------------------------------- /** - * Processing Function for the four functions above: + * Processing Function for the following functions: * * select_max() * select_min() * select_avg() * select_sum() * - * @param string the field - * @param string an alias + * + * @param string $select = '' field name + * @param string $alias = '' + * @param string $type = 'MAX' * @return object */ protected function _max_min_avg_sum($select = '', $alias = '', $type = 'MAX') @@ -504,11 +506,12 @@ protected function _wh($qb_key, $key, $value = NULL, $type = 'AND ', $escape = N /** * Where_in * - * Generates a WHERE field IN ('item', 'item') SQL query joined with + * Generates a WHERE field IN('item', 'item') SQL query joined with * AND if appropriate * - * @param string The field to search - * @param array The values searched on + * @param string $key = NULL The field to search + * @param array $values = NULL The values searched on + * @param bool $escape = NULL * @return object */ public function where_in($key = NULL, $values = NULL, $escape = NULL) @@ -519,13 +522,14 @@ public function where_in($key = NULL, $values = NULL, $escape = NULL) // -------------------------------------------------------------------- /** - * Where_in_or + * Or_where_in * - * Generates a WHERE field IN ('item', 'item') SQL query joined with + * Generates a WHERE field IN('item', 'item') SQL query joined with * OR if appropriate * - * @param string The field to search - * @param array The values searched on + * @param string $key = NULL The field to search + * @param array $values = NULL The values searched on + * @param bool $escape = NULL * @return object */ public function or_where_in($key = NULL, $values = NULL, $escape = NULL) @@ -538,11 +542,12 @@ public function or_where_in($key = NULL, $values = NULL, $escape = NULL) /** * Where_not_in * - * Generates a WHERE field NOT IN ('item', 'item') SQL query joined + * Generates a WHERE field NOT IN('item', 'item') SQL query joined * with AND if appropriate * - * @param string The field to search - * @param array The values searched on + * @param string $key = NULL The field to search + * @param array $values = NULL The values searched on + * @param bool $escape = NULL * @return object */ public function where_not_in($key = NULL, $values = NULL, $escape = NULL) @@ -553,13 +558,14 @@ public function where_not_in($key = NULL, $values = NULL, $escape = NULL) // -------------------------------------------------------------------- /** - * Where_not_in_or + * Or_where_not_in * - * Generates a WHERE field NOT IN ('item', 'item') SQL query joined + * Generates a WHERE field NOT IN('item', 'item') SQL query joined * with OR if appropriate * - * @param string The field to search - * @param array The values searched on + * @param string $key = NULL The field to search + * @param array $values = NULL The values searched on + * @param bool $escape = NULL * @return object */ public function or_where_not_in($key = NULL, $values = NULL, $escape = NULL) @@ -572,12 +578,13 @@ public function or_where_not_in($key = NULL, $values = NULL, $escape = NULL) /** * Where_in * - * Called by where_in, where_in_or, where_not_in, where_not_in_or + * Called by where_in(), or_where_in(), where_not_in(), or_where_not_in() * - * @param string The field to search - * @param array The values searched on - * @param bool If the statement would be IN or NOT IN - * @param string + * @param string $key = NULL The field to search + * @param array $values = NULL The values searched on + * @param bool $not = FALSE If the statement would be IN or NOT IN + * @param string $type = 'AND ' + * @param bool $escape = NULL * @return object */ protected function _where_in($key = NULL, $values = NULL, $not = FALSE, $type = 'AND ', $escape = NULL) @@ -1174,9 +1181,10 @@ public function count_all_results($table = '') * * Allows the where clause, limit and offset to be added directly * - * @param string the where clause - * @param string the limit clause - * @param string the offset clause + * @param string $table = '' + * @param string $where = NULL + * @param int $limit = NULL + * @param int $offset = NULL * @return object */ public function get_where($table = '', $where = NULL, $limit = NULL, $offset = NULL) @@ -1535,9 +1543,10 @@ public function get_compiled_update($table = '', $reset = TRUE) * * Compiles an update string and runs the query * - * @param string the table to retrieve the results from - * @param array an associative array of update values - * @param mixed the where clause + * @param string $table = '' + * @param array $set = NULL an associative array of update values + * @param mixed $where = NULL + * @param int $limit = NULL * @return object */ public function update($table = '', $set = NULL, $where = NULL, $limit = NULL) @@ -1967,8 +1976,9 @@ protected function _track_aliases($table) * Compile the SELECT statement * * Generates a query string based on which functions were used. - * Should not be called directly. The get() function calls it. + * Should not be called directly. * + * @param bool $select_override = FALSE * @return string */ protected function _compile_select($select_override = FALSE) diff --git a/system/database/DB_result.php b/system/database/DB_result.php index e747044d85a..76093f91852 100644 --- a/system/database/DB_result.php +++ b/system/database/DB_result.php @@ -251,8 +251,8 @@ public function result_array() /** * Query result. Acts as a wrapper function for the following functions. * - * @param mixed - * @param string can be "object" or "array" + * @param mixed $n = 0 + * @param string $type = 'object' 'object' or 'array' * @return mixed */ public function row($n = 0, $type = 'object') @@ -281,6 +281,8 @@ public function row($n = 0, $type = 'object') /** * Assigns an item into a particular column slot * + * @param mixed $key + * @param mixed $value * @return void */ public function set_row($key, $value = NULL) @@ -311,6 +313,8 @@ public function set_row($key, $value = NULL) /** * Returns a single result row - custom object version * + * @param int $n + * @param string $type * @return object */ public function custom_row_object($n, $type) @@ -335,6 +339,7 @@ public function custom_row_object($n, $type) /** * Returns a single result row - object version * + * @param int $n = 0 * @return object */ public function row_object($n = 0) @@ -358,6 +363,7 @@ public function row_object($n = 0) /** * Returns a single result row - array version * + * @param int $n = 0 * @return array */ public function row_array($n = 0) @@ -381,7 +387,8 @@ public function row_array($n = 0) /** * Returns the "first" row * - * @return object + * @param string $type = 'object' + * @return mixed */ public function first_row($type = 'object') { @@ -394,7 +401,8 @@ public function first_row($type = 'object') /** * Returns the "last" row * - * @return object + * @param string $type = 'object' + * @return mixed */ public function last_row($type = 'object') { @@ -407,7 +415,8 @@ public function last_row($type = 'object') /** * Returns the "next" row * - * @return object + * @param string $type = 'object' + * @return mixed */ public function next_row($type = 'object') { @@ -430,7 +439,8 @@ public function next_row($type = 'object') /** * Returns the "previous" row * - * @return object + * @param string $type = 'object' + * @return mixed */ public function previous_row($type = 'object') { @@ -452,8 +462,8 @@ public function previous_row($type = 'object') /** * Returns an unbuffered row and move pointer to next row * - * @param string 'array', 'object' or a custom class name - * @return mixed either a result object or array + * @param string $type = 'object' 'array', 'object' or a custom class name + * @return mixed */ public function unbuffered_row($type = 'object') { diff --git a/system/database/DB_utility.php b/system/database/DB_utility.php index 6a3b40779b5..8078e2bf68c 100644 --- a/system/database/DB_utility.php +++ b/system/database/DB_utility.php @@ -41,6 +41,11 @@ abstract class CI_DB_utility extends CI_DB_forge { protected $_optimize_table = FALSE; protected $_repair_table = FALSE; + /** + * Constructor + * + * @return void + */ public function __construct() { // Assign the main database object to $this->db @@ -275,6 +280,7 @@ public function xml_from_result($query, $params = array()) /** * Database Backup * + * @param array $params = array() * @return void */ public function backup($params = array()) diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php index 7f8f297bbb3..8e77d8396fb 100644 --- a/system/database/drivers/cubrid/cubrid_driver.php +++ b/system/database/drivers/cubrid/cubrid_driver.php @@ -50,6 +50,12 @@ class CI_DB_cubrid_driver extends CI_DB { // CUBRID-specific properties public $auto_commit = TRUE; + /** + * Constructor + * + * @param array $params + * @return void + */ public function __construct($params) { parent::__construct($params); @@ -180,6 +186,7 @@ protected function _execute($sql) /** * Begin Transaction * + * @param bool $test_mode = FALSE * @return bool */ public function trans_begin($test_mode = FALSE) diff --git a/system/database/drivers/cubrid/cubrid_result.php b/system/database/drivers/cubrid/cubrid_result.php index 4a06a2d39d0..360c50dc272 100644 --- a/system/database/drivers/cubrid/cubrid_result.php +++ b/system/database/drivers/cubrid/cubrid_result.php @@ -132,6 +132,7 @@ public function free_result() * this internally before fetching results to make sure the * result set starts at zero * + * @param int $n = 0 * @return bool */ protected function _data_seek($n = 0) diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php index 96d6f652699..c3be519bf70 100644 --- a/system/database/drivers/ibase/ibase_driver.php +++ b/system/database/drivers/ibase/ibase_driver.php @@ -116,6 +116,7 @@ protected function _execute($sql) /** * Begin Transaction * + * @param bool $test_mode = FALSE * @return bool */ public function trans_begin($test_mode = FALSE) diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index 3d6cffd297e..2063dad904b 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -50,12 +50,12 @@ class CI_DB_mssql_driver extends CI_DB { // MSSQL-specific properties protected $_quoted_identifier = TRUE; - /* + /** * Constructor * * Appends the port number to the hostname, if needed. * - * @param array + * @param array $params * @return void */ public function __construct($params) @@ -152,6 +152,7 @@ protected function _execute($sql) /** * Begin Transaction * + * @param bool $test_mode = FALSE * @return bool */ public function trans_begin($test_mode = FALSE) diff --git a/system/database/drivers/mssql/mssql_result.php b/system/database/drivers/mssql/mssql_result.php index aeede3f4bed..84d2814f1df 100644 --- a/system/database/drivers/mssql/mssql_result.php +++ b/system/database/drivers/mssql/mssql_result.php @@ -133,6 +133,7 @@ public function free_result() * this internally before fetching results to make sure the * result set starts at zero * + * @param int $n = 0 * @return bool */ protected function _data_seek($n = 0) diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index ce9f7301132..f82e775e6bf 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -214,6 +214,7 @@ protected function _prep_query($sql) /** * Begin Transaction * + * @param bool $test_mode = FALSE * @return bool */ public function trans_begin($test_mode = FALSE) diff --git a/system/database/drivers/mysql/mysql_result.php b/system/database/drivers/mysql/mysql_result.php index 7fbb654967e..b3f669e40ce 100644 --- a/system/database/drivers/mysql/mysql_result.php +++ b/system/database/drivers/mysql/mysql_result.php @@ -146,6 +146,7 @@ public function free_result() * this internally before fetching results to make sure the * result set starts at zero * + * @param int $n = 0 * @return bool */ protected function _data_seek($n = 0) diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 91ab13a3c76..6c4f87513d8 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -196,6 +196,7 @@ protected function _prep_query($sql) /** * Begin Transaction * + * @param bool $test_mode = FALSE * @return bool */ public function trans_begin($test_mode = FALSE) diff --git a/system/database/drivers/mysqli/mysqli_result.php b/system/database/drivers/mysqli/mysqli_result.php index c1ec4da76cd..f036302bb90 100644 --- a/system/database/drivers/mysqli/mysqli_result.php +++ b/system/database/drivers/mysqli/mysqli_result.php @@ -132,6 +132,7 @@ public function free_result() * this internally before fetching results to make sure the * result set starts at zero * + * @param int $n = 0 * @return bool */ protected function _data_seek($n = 0) diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index 8e4f4ef9d6a..81d73d073d9 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -75,6 +75,12 @@ class CI_DB_oci8_driver extends CI_DB { // throw off num_fields later public $limit_used; + /** + * Constructor + * + * @param array $params + * @return void + */ public function __construct($params) { parent::__construct($params); diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index 741b7419f19..063a04b98b1 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -49,6 +49,12 @@ class CI_DB_odbc_driver extends CI_DB { protected $_random_keyword; + /** + * Constructor + * + * @param array $params + * @return void + */ public function __construct($params) { parent::__construct($params); @@ -62,6 +68,8 @@ public function __construct($params) } } + // -------------------------------------------------------------------- + /** * Non-persistent database connection * @@ -102,6 +110,7 @@ protected function _execute($sql) /** * Begin Transaction * + * @param bool $test_mode = FALSE * @return bool */ public function trans_begin($test_mode = FALSE) diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index f4509b17cbf..32a9e750925 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -57,7 +57,7 @@ class CI_DB_pdo_driver extends CI_DB { * * Validates the DSN string and/or detects the subdriver * - * @param array + * @param array $params * @return void */ public function __construct($params) @@ -183,6 +183,7 @@ protected function _execute($sql) /** * Begin Transaction * + * @param bool $test_mode = FALSE * @return bool */ public function trans_begin($test_mode = FALSE) diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index 19f384ccc1f..1b947492097 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -51,6 +51,7 @@ class CI_DB_postgre_driver extends CI_DB { * * Creates a DSN string to be used for db_connect() and db_pconnect() * + * @param array $params * @return void */ public function __construct($params) diff --git a/system/database/drivers/postgre/postgre_forge.php b/system/database/drivers/postgre/postgre_forge.php index c434e95109a..1164d9bb334 100644 --- a/system/database/drivers/postgre/postgre_forge.php +++ b/system/database/drivers/postgre/postgre_forge.php @@ -39,7 +39,8 @@ class CI_DB_postgre_forge extends CI_DB_forge { /** * Process Fields * - * @param mixed the fields + * @param mixed $fields + * @param array $primary_keys = array() * @return string */ protected function _process_fields($fields, $primary_keys = array()) @@ -190,13 +191,10 @@ protected function _create_table($table, $fields, $primary_keys, $keys, $if_not_ * Generates a platform-specific query so that a table can be altered * Called by add_column(), drop_column(), and column_alter(), * - * @param string the ALTER type (ADD, DROP, CHANGE) - * @param string the column name - * @param string the table name - * @param string the column definition - * @param string the default value - * @param bool should 'NOT NULL' be added - * @param string the field after which we should add the new field + * @param string $alter_type the ALTER type (ADD, DROP, CHANGE) + * @param string $table the table name + * @param string $fields the column definition + * @param string $after_field = '' * @return string */ protected function _alter_table($alter_type, $table, $fields, $after_field = '') diff --git a/system/database/drivers/postgre/postgre_result.php b/system/database/drivers/postgre/postgre_result.php index eb9d647e743..458ae869ccb 100644 --- a/system/database/drivers/postgre/postgre_result.php +++ b/system/database/drivers/postgre/postgre_result.php @@ -131,6 +131,7 @@ public function free_result() * this internally before fetching results to make sure the * result set starts at zero * + * @param int $n = 0 * @return bool */ protected function _data_seek($n = 0) diff --git a/system/database/drivers/sqlite/sqlite_driver.php b/system/database/drivers/sqlite/sqlite_driver.php index 2744a63cf20..2fd39346f78 100644 --- a/system/database/drivers/sqlite/sqlite_driver.php +++ b/system/database/drivers/sqlite/sqlite_driver.php @@ -127,6 +127,7 @@ protected function _execute($sql) /** * Begin Transaction * + * @param bool $test_mode = FALSE * @return bool */ public function trans_begin($test_mode = FALSE) diff --git a/system/database/drivers/sqlite/sqlite_result.php b/system/database/drivers/sqlite/sqlite_result.php index eef9787a101..214841412a0 100644 --- a/system/database/drivers/sqlite/sqlite_result.php +++ b/system/database/drivers/sqlite/sqlite_result.php @@ -115,6 +115,7 @@ public function field_data() * this internally before fetching results to make sure the * result set starts at zero * + * @param int $n = 0 * @return bool */ protected function _data_seek($n = 0) diff --git a/system/database/drivers/sqlite3/sqlite3_driver.php b/system/database/drivers/sqlite3/sqlite3_driver.php index d03be15f52d..22c72b9b83a 100644 --- a/system/database/drivers/sqlite3/sqlite3_driver.php +++ b/system/database/drivers/sqlite3/sqlite3_driver.php @@ -103,13 +103,12 @@ public function version() /** * Execute the query * - * @param string an SQL query + * @todo Implement use of SQLite3::querySingle(), if needed + * @param string $sql * @return mixed SQLite3Result object or bool */ protected function _execute($sql) { - // TODO: Implement use of SQLite3::querySingle(), if needed - return $this->is_write_type($sql) ? $this->conn_id->exec($sql) : $this->conn_id->query($sql); @@ -120,6 +119,7 @@ protected function _execute($sql) /** * Begin Transaction * + * @param bool $test_mode = FALSE * @return bool */ public function trans_begin($test_mode = FALSE) diff --git a/system/database/drivers/sqlite3/sqlite3_result.php b/system/database/drivers/sqlite3/sqlite3_result.php index 117fb3ce8bf..35aecda3605 100644 --- a/system/database/drivers/sqlite3/sqlite3_result.php +++ b/system/database/drivers/sqlite3/sqlite3_result.php @@ -167,6 +167,7 @@ protected function _fetch_object($class_name = 'stdClass') * this internally before fetching results to make sure the * result set starts at zero * + * @param $n = 0 (ignored) * @return array */ protected function _data_seek($n = 0) diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index 8f615223c0f..32f1a59d6f7 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -53,6 +53,7 @@ class CI_DB_sqlsrv_driver extends CI_DB { /** * Non-persistent database connection * + * @param bool $pooling = FALSE * @return resource */ public function db_connect($pooling = FALSE) @@ -144,6 +145,7 @@ protected function _execute($sql) /** * Begin Transaction * + * @param bool $test_mode = FALSE * @return bool */ public function trans_begin($test_mode = FALSE) diff --git a/system/helpers/text_helper.php b/system/helpers/text_helper.php index b592f3cc015..016a36c57bd 100644 --- a/system/helpers/text_helper.php +++ b/system/helpers/text_helper.php @@ -390,19 +390,19 @@ function convert_accented_characters($str) // ------------------------------------------------------------------------ -/** - * Word Wrap - * - * Wraps text at the specified character. Maintains the integrity of words. - * Anything placed between {unwrap}{/unwrap} will not be word wrapped, nor - * will URLs. - * - * @param string the text string - * @param int the number of characters to wrap at - * @return string - */ if ( ! function_exists('word_wrap')) { + /** + * Word Wrap + * + * Wraps text at the specified character. Maintains the integrity of words. + * Anything placed between {unwrap}{/unwrap} will not be word wrapped, nor + * will URLs. + * + * @param string $str the text string + * @param int $charlim = 76 the number of characters to wrap at + * @return string + */ function word_wrap($str, $charlim = 76) { // Set the character limit diff --git a/system/helpers/typography_helper.php b/system/helpers/typography_helper.php index 9dbba0679d8..96bedd026af 100644 --- a/system/helpers/typography_helper.php +++ b/system/helpers/typography_helper.php @@ -60,9 +60,8 @@ function nl2br_except_pre($str) /** * Auto Typography Wrapper Function * - * @param string - * @param bool whether to allow javascript event handlers - * @param bool whether to reduce multiple instances of double newlines to two + * @param string $str + * @param bool $reduce_linebreaks = FALSE whether to reduce multiple instances of double newlines to two * @return string */ function auto_typography($str, $reduce_linebreaks = FALSE) diff --git a/system/libraries/Driver.php b/system/libraries/Driver.php index 769d892dc13..5d642b98242 100644 --- a/system/libraries/Driver.php +++ b/system/libraries/Driver.php @@ -172,7 +172,8 @@ class CI_Driver { /** * Array of methods and properties for the parent class(es) * - * @var array + * @static + * @var array */ protected static $_reflections = array(); diff --git a/system/libraries/Email.php b/system/libraries/Email.php index c1130e91557..83b442f5809 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -94,6 +94,7 @@ class CI_Email { * * The constructor can be passed an array of config values * + * @param array $config = array() * @return void */ public function __construct($config = array()) @@ -188,8 +189,9 @@ public function clear($clear_attachments = FALSE) /** * Set FROM * - * @param string From - * @param string Return-Path + * @param string $from + * @param string $name + * @param string $return_path = NULL Return-Path * @return object */ public function from($from, $name = '', $return_path = NULL) @@ -405,7 +407,10 @@ public function message($body) /** * Assign file attachments * - * @param string + * @param string $filename + * @param string $disposition = 'attachment' + * @param string $newname = NULL + * @param string $mime = '' * @return object */ public function attach($filename, $disposition = '', $newname = NULL, $mime = '') @@ -1256,6 +1261,7 @@ protected function _prep_q_encoding($str) /** * Send Email * + * @param bool $auto_clear = TRUE * @return bool */ public function send($auto_clear = TRUE) @@ -1368,6 +1374,7 @@ protected function _unwrap_specials() /** * Strip line-breaks via callback * + * @param string $matches * @return string */ protected function _remove_nl_callback($matches) @@ -1535,7 +1542,6 @@ protected function _send_with_smtp() /** * SMTP Connect * - * @param string * @return string */ protected function _smtp_connect() @@ -1710,11 +1716,12 @@ protected function _smtp_authenticate() /** * Send SMTP data * + * @param string $data * @return bool */ protected function _send_data($data) { - if ( ! fwrite($this->_smtp_connect, $data . $this->newline)) + if ( ! fwrite($this->_smtp_connect, $data.$this->newline)) { $this->_set_error_message('lang:email_smtp_data_failure', $data); return FALSE; @@ -1786,7 +1793,8 @@ public function print_debugger() /** * Set Message * - * @param string + * @param string $msg + * @param string $val = '' * @return void */ protected function _set_error_message($msg, $val = '') diff --git a/system/libraries/Ftp.php b/system/libraries/Ftp.php index 76f5e151a8a..ae85fdf37c0 100644 --- a/system/libraries/Ftp.php +++ b/system/libraries/Ftp.php @@ -44,6 +44,12 @@ class CI_FTP { public $debug = FALSE; public $conn_id = FALSE; + /** + * Constructor + * + * @param array $config = array() + * @return void + */ public function __construct($config = array()) { if (count($config) > 0) @@ -474,6 +480,7 @@ public function chmod($path, $perm) /** * FTP List files in the specified directory * + * @param string $path = '.' * @return array */ public function list_files($path = '.') diff --git a/system/libraries/Javascript.php b/system/libraries/Javascript.php index 5c8b09217c4..60309cd834a 100644 --- a/system/libraries/Javascript.php +++ b/system/libraries/Javascript.php @@ -38,6 +38,12 @@ class CI_Javascript { protected $_javascript_location = 'js'; + /** + * Constructor + * + * @param array $params = array() + * @return void + */ public function __construct($params = array()) { $defaults = array('js_library_driver' => 'jquery', 'autoload' => TRUE); @@ -312,8 +318,7 @@ public function output($js) * * Outputs a javascript library mouseup event * - * @param string The element to attach the event to - * @param string The code to execute + * @param string $js Code to execute * @return string */ public function ready($js) @@ -394,9 +399,10 @@ public function addClass($element = 'this', $class = '') * * Outputs a javascript library animate event * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function + * @param string $element = 'this' + * @param array $params = array() + * @param mixed $speed 'slow', 'normal', 'fast', or time in milliseconds + * @param string $extra * @return string */ public function animate($element = 'this', $params = array(), $speed = '', $extra = '') @@ -546,10 +552,11 @@ public function toggle($element = 'this') * * Outputs a javascript library toggle class event * - * @param string - element + * @param string $element = 'this' + * @param string $class = '' * @return string */ - public function toggleClass($element = 'this', $class='') + public function toggleClass($element = 'this', $class = '') { return $this->js->_toggleClass($element, $class); } @@ -579,7 +586,8 @@ public function show($element = 'this', $speed = '', $callback = '') * * gather together all script needing to be output * - * @param string The element to attach the event to + * @param string $view_var = 'script_foot' + * @param bool $script_tags = TRUE * @return string */ public function compile($view_var = 'script_foot', $script_tags = TRUE) @@ -587,6 +595,8 @@ public function compile($view_var = 'script_foot', $script_tags = TRUE) $this->js->_compile($view_var, $script_tags); } + // -------------------------------------------------------------------- + /** * Clear Compile * @@ -606,7 +616,8 @@ public function clear_compile() * * Outputs a }msU', $output, $javascript_clean); + // Find all the

,,}msU', $output, $textareas_clean);
+                preg_match_all('{}msU', $output, $javascript_clean);
 
-				// Minify the CSS in all the }msU', $output, $style_clean);
-				foreach ($style_clean[0] as $s)
-				{
-					$output = str_replace($s, $this->minify($s, 'text/css'), $output);
-				}
+                // Minify the CSS in all the }msU', $output, $style_clean);
+                foreach ($style_clean[0] as $s)
+                {
+                    $output = str_replace($s, $this->_minify_script_style($s, $type), $output);
+                }
 
-				// Minify the javascript in }msU', $output, $javascript_messed);
-					$output = str_replace($javascript_messed[0], $javascript_mini, $output);
-				}
+                if (isset($javascript_mini))
+                {
+                    preg_match_all('{}msU', $output, $javascript_messed);
+                    $output = str_replace($javascript_messed[0], $javascript_mini, $output);
+                }
 
-				$size_removed = $size_before - strlen($output);
-				$savings_percent = round(($size_removed / $size_before * 100));
+                $size_removed = $size_before - strlen($output);
+                $savings_percent = round(($size_removed / $size_before * 100));
 
-				log_message('debug', 'Minifier shaved '.($size_removed / 1000).'KB ('.$savings_percent.'%) off final HTML output.');
+                log_message('debug', 'Minifier shaved '.($size_removed / 1000).'KB ('.$savings_percent.'%) off final HTML output.');
 
-			break;
+            break;
 
-			case 'text/css':
-			case 'text/javascript':
+            case 'text/css':
+            case 'text/javascript':
 
-				//Remove CSS comments
-				$output = preg_replace('!/\*[^*]*\*+([^/][^*]*\*+)*/!', '', $output);
+                $output = $this->_minify_scripts_css($output, $type);
 
-				// Remove spaces around curly brackets, colons,
-				// semi-colons, parenthesis, commas
-				$output = preg_replace('!\s*(:|;|,|}|{|\(|\))\s*!', '$1', $output);
+            break;
 
-				// Remove spaces
-			        $output =  preg_replace('/  /s', ' ', $output);
+            default: break;
+        }
 
-			        // Remove breaklines and tabs
-			        $output =  preg_replace('/[\r\n\t]/', '', $output);
+        return $output;
+    }
 
-			break;
 
-			default: break;
-		}
+    // --------------------------------------------------------------------
 
-		return $output;
-	}
+	/**
+	 * Minify Style and Script
+	 *
+	 * Reduce excessive size of CSS/JavaScript content.  To remove spaces this
+     * script walks the string as an array and determines if the pointer is inside
+     * a string created by single quotes or double quotes.  spaces inside those
+     * strings are not stripped.  Opening and closing tags are severed from
+     * the string initially and saved without stripping whitespace to preserve
+     * the tags and any associated properties if tags are present
+	 *
+	 * @param	string	$output	Output to minify
+     * @param   string  $type Output content MIME type
+	 * @return	string	Minified output
+	 */
+    protected function _minify_script_style($output, $type = 'text/html')
+    {
+        // We only need this if there are tags in the file
+        if ($type == 'text/html')
+        {
+            // Remove opening tag and save for later
+            $pos = strpos($output, '>');
+            $open_tag = substr($output, 0, $pos);
+            $output = substr_replace($output, '', 0, $pos);
+
+            // Remove closing tag and save it for later
+            $end_pos = strlen($output);
+            $pos = strpos($output, ' $value)
+        {
+            if ($in_string === FALSE and $in_dstring === FALSE)
+            {
+                if ($value == ' ')
+                {
+                    unset($array_output[$key]);
+                }
+            }
+
+            if ($value == "'")
+            {
+                $in_string = !$in_string;
+            }
+
+            if ($value == '"')
+            {
+                $in_dstring = !$in_dstring;
+            }
+        }
+
+        $output =  implode($array_output);
+
+        // Remove breaklines and tabs
+        $output =  preg_replace('/[\r\n\t]/', '', $output);
+
+        // Put the opening and closing tags back if applicable
+        if (isset($open_tag))
+        {
+            $output = $open_tag . $output . $closing_tag;
+        }
+
+        return $output;
+    }
 
 }
 

From 638a9d243065733f862761eed0fa5829409b571a Mon Sep 17 00:00:00 2001
From: brian978 
Date: Tue, 18 Dec 2012 13:25:54 +0200
Subject: [PATCH 0433/3829] Replaced spaces with tabs for indentation and ||
 with OR

---
 system/core/Security.php | 18 +++++++++---------
 1 file changed, 9 insertions(+), 9 deletions(-)

diff --git a/system/core/Security.php b/system/core/Security.php
index 8c70e85de41..5ae8e653cf1 100644
--- a/system/core/Security.php
+++ b/system/core/Security.php
@@ -526,17 +526,17 @@ public function entity_decode($str, $charset = NULL)
 			$charset = config_item('charset');
 		}
 
-                do
-                {
-                    $matches = $matches1 = 0;
+		do
+		{
+			$matches = $matches1 = 0;
 
-                    $str = html_entity_decode($str, ENT_COMPAT, $charset);
-                    $str = preg_replace('~&#x(0*[0-9a-f]{2,5})~ei', 'chr(hexdec("\\1"))', $str, -1, $matches);
-                    $str = preg_replace('~&#([0-9]{2,4})~e', 'chr(\\1)', $str, -1, $matches1);
-                }
-                while($matches || $matches1);
+			$str = html_entity_decode($str, ENT_COMPAT, $charset);
+			$str = preg_replace('~&#x(0*[0-9a-f]{2,5})~ei', 'chr(hexdec("\\1"))', $str, -1, $matches);
+			$str = preg_replace('~&#([0-9]{2,4})~e', 'chr(\\1)', $str, -1, $matches1);
+		}
+		while($matches OR $matches1);
 
-                return $str;
+		return $str;
 	}
 
 	// --------------------------------------------------------------------

From 79503c59f5c1b6dea906c62adde63e291347fac0 Mon Sep 17 00:00:00 2001
From: Andrew Podner 
Date: Tue, 18 Dec 2012 07:47:38 -0500
Subject: [PATCH 0434/3829] fixes #2078: refinement of the minify function for
 CSS and scripts.

---
 system/core/Output.php | 268 ++++++++++++++++++++---------------------
 1 file changed, 134 insertions(+), 134 deletions(-)

diff --git a/system/core/Output.php b/system/core/Output.php
index 1fafa848b53..e33f4b0b7b3 100644
--- a/system/core/Output.php
+++ b/system/core/Output.php
@@ -705,172 +705,172 @@ public function set_cache_header($last_modified, $expiration)
 	 * @return	string	Minified output
 	 */
 	public function minify($output, $type = 'text/html')
-    {
-        switch ($type)
-        {
-            case 'text/html':
+	{
+		switch ($type)
+		{
+			case 'text/html':
 
-                $size_before = strlen($output);
+				$size_before = strlen($output);
 
-                if ($size_before === 0)
-                {
-                    return '';
-                }
+				if ($size_before === 0)
+				{
+					return '';
+				}
 
-                // Find all the 
,,}msU', $output, $textareas_clean);
-                preg_match_all('{}msU', $output, $javascript_clean);
+				// Find all the 
,,}msU', $output, $textareas_clean);
+				preg_match_all('{}msU', $output, $javascript_clean);
 
-                // Minify the CSS in all the }msU', $output, $style_clean);
-                foreach ($style_clean[0] as $s)
-                {
-                    $output = str_replace($s, $this->_minify_script_style($s, $type), $output);
-                }
+				// Minify the CSS in all the }msU', $output, $style_clean);
+				foreach ($style_clean[0] as $s)
+				{
+					$output = str_replace($s, $this->_minify_script_style($s, $type), $output);
+				}
 
-                // Minify the javascript in }msU', $output, $javascript_messed);
-                    $output = str_replace($javascript_messed[0], $javascript_mini, $output);
-                }
+				if (isset($javascript_mini))
+				{
+					preg_match_all('{}msU', $output, $javascript_messed);
+					$output = str_replace($javascript_messed[0], $javascript_mini, $output);
+				}
 
-                $size_removed = $size_before - strlen($output);
-                $savings_percent = round(($size_removed / $size_before * 100));
+				$size_removed = $size_before - strlen($output);
+				$savings_percent = round(($size_removed / $size_before * 100));
 
-                log_message('debug', 'Minifier shaved '.($size_removed / 1000).'KB ('.$savings_percent.'%) off final HTML output.');
+				log_message('debug', 'Minifier shaved '.($size_removed / 1000).'KB ('.$savings_percent.'%) off final HTML output.');
 
-            break;
+			break;
 
-            case 'text/css':
-            case 'text/javascript':
+			case 'text/css':
+			case 'text/javascript':
 
-                $output = $this->_minify_scripts_css($output, $type);
+				$output = $this->_minify_scripts_css($output, $type);
 
-            break;
+			break;
 
-            default: break;
-        }
+			default: break;
+		}
 
-        return $output;
-    }
+		return $output;
+	}
 
 
-    // --------------------------------------------------------------------
+	// --------------------------------------------------------------------
 
 	/**
 	 * Minify Style and Script
 	 *
 	 * Reduce excessive size of CSS/JavaScript content.  To remove spaces this
-     * script walks the string as an array and determines if the pointer is inside
-     * a string created by single quotes or double quotes.  spaces inside those
-     * strings are not stripped.  Opening and closing tags are severed from
-     * the string initially and saved without stripping whitespace to preserve
-     * the tags and any associated properties if tags are present
+	 * script walks the string as an array and determines if the pointer is inside
+	 * a string created by single quotes or double quotes.  spaces inside those
+	 * strings are not stripped.  Opening and closing tags are severed from
+	 * the string initially and saved without stripping whitespace to preserve
+	 * the tags and any associated properties if tags are present
 	 *
 	 * @param	string	$output	Output to minify
-     * @param   string  $type Output content MIME type
+	 * @param	string  $type Output content MIME type
 	 * @return	string	Minified output
 	 */
-    protected function _minify_script_style($output, $type = 'text/html')
-    {
-        // We only need this if there are tags in the file
-        if ($type == 'text/html')
-        {
-            // Remove opening tag and save for later
-            $pos = strpos($output, '>');
-            $open_tag = substr($output, 0, $pos);
-            $output = substr_replace($output, '', 0, $pos);
-
-            // Remove closing tag and save it for later
-            $end_pos = strlen($output);
-            $pos = strpos($output, ' $value)
-        {
-            if ($in_string === FALSE and $in_dstring === FALSE)
-            {
-                if ($value == ' ')
-                {
-                    unset($array_output[$key]);
-                }
-            }
-
-            if ($value == "'")
-            {
-                $in_string = !$in_string;
-            }
-
-            if ($value == '"')
-            {
-                $in_dstring = !$in_dstring;
-            }
-        }
-
-        $output =  implode($array_output);
-
-        // Remove breaklines and tabs
-        $output =  preg_replace('/[\r\n\t]/', '', $output);
-
-        // Put the opening and closing tags back if applicable
-        if (isset($open_tag))
-        {
-            $output = $open_tag . $output . $closing_tag;
-        }
-
-        return $output;
-    }
+	protected function _minify_script_style($output, $type = 'text/html')
+	{
+		// We only need this if there are tags in the file
+		if ($type == 'text/html')
+		{
+			// Remove opening tag and save for later
+			$pos = strpos($output, '>');
+			$open_tag = substr($output, 0, $pos);
+			$output = substr_replace($output, '', 0, $pos);
+
+			// Remove closing tag and save it for later
+			$end_pos = strlen($output);
+			$pos = strpos($output, ' $value)
+		{
+			if ($in_string === FALSE and $in_dstring === FALSE)
+			{
+				if ($value == ' ')
+				{
+					unset($array_output[$key]);
+				}
+			}
+
+			if ($value == "'")
+			{
+				$in_string = !$in_string;
+			}
+
+			if ($value == '"')
+			{
+				$in_dstring = !$in_dstring;
+			}
+		}
+
+		$output = implode($array_output);
+
+		// Remove breaklines and tabs
+		$output = preg_replace('/[\r\n\t]/', '', $output);
+
+		// Put the opening and closing tags back if applicable
+		if (isset($open_tag))
+		{
+			$output = $open_tag . $output . $closing_tag;
+		}
+
+		return $output;
+	}
 
 }
 

From 7747f0a2eecd85285a7f2acd223df6f54b543e0e Mon Sep 17 00:00:00 2001
From: Andrew Podner 
Date: Tue, 18 Dec 2012 13:13:15 -0500
Subject: [PATCH 0435/3829] fixes #2078: formatting / styleguide cleanup

---
 system/core/Output.php | 14 +++++++-------
 1 file changed, 7 insertions(+), 7 deletions(-)

diff --git a/system/core/Output.php b/system/core/Output.php
index e33f4b0b7b3..338c8b7e604 100644
--- a/system/core/Output.php
+++ b/system/core/Output.php
@@ -839,22 +839,22 @@ protected function _minify_script_style($output, $type = 'text/html')
 		$array_output = str_split($output);
 		foreach ($array_output as $key => $value)
 		{
-			if ($in_string === FALSE and $in_dstring === FALSE)
+			if ($in_string === FALSE && $in_dstring === FALSE)
 			{
-				if ($value == ' ')
+				if ($value === ' ')
 				{
 					unset($array_output[$key]);
 				}
 			}
 
-			if ($value == "'")
+			if ($value === "'")
 			{
-				$in_string = !$in_string;
+				$in_string = ! $in_string;
 			}
 
-			if ($value == '"')
+			if ($value === '"')
 			{
-				$in_dstring = !$in_dstring;
+				$in_dstring = ! $in_dstring;
 			}
 		}
 
@@ -866,7 +866,7 @@ protected function _minify_script_style($output, $type = 'text/html')
 		// Put the opening and closing tags back if applicable
 		if (isset($open_tag))
 		{
-			$output = $open_tag . $output . $closing_tag;
+			$output = $open_tag.$output.$closing_tag;
 		}
 
 		return $output;

From 9a171a0f7120e61e8bed44abda4930c5d8eeb256 Mon Sep 17 00:00:00 2001
From: Andrew Podner 
Date: Tue, 18 Dec 2012 13:18:25 -0500
Subject: [PATCH 0436/3829] fixes #2078: formatting / styleguide cleanup
 (take2)

---
 system/core/Output.php | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/system/core/Output.php b/system/core/Output.php
index 338c8b7e604..3a94d97e146 100644
--- a/system/core/Output.php
+++ b/system/core/Output.php
@@ -782,7 +782,7 @@ public function minify($output, $type = 'text/html')
 			case 'text/css':
 			case 'text/javascript':
 
-				$output = $this->_minify_scripts_css($output, $type);
+				$output = $this->_minify_script_style($output, $type);
 
 			break;
 

From 9dfceda245c7833edd3311ed0e5e5704db34e847 Mon Sep 17 00:00:00 2001
From: Andrew Podner 
Date: Tue, 18 Dec 2012 19:37:22 -0500
Subject: [PATCH 0437/3829] fixes #2078: changing type variable to boolean in
 protected method

---
 system/core/Output.php | 12 ++++++------
 1 file changed, 6 insertions(+), 6 deletions(-)

diff --git a/system/core/Output.php b/system/core/Output.php
index 3a94d97e146..2793d41325c 100644
--- a/system/core/Output.php
+++ b/system/core/Output.php
@@ -728,13 +728,13 @@ public function minify($output, $type = 'text/html')
 				preg_match_all('{}msU', $output, $style_clean);
 				foreach ($style_clean[0] as $s)
 				{
-					$output = str_replace($s, $this->_minify_script_style($s, $type), $output);
+					$output = str_replace($s, $this->_minify_script_style($s, TRUE), $output);
 				}
 
 				// Minify the javascript in }msU', $output, $javascript_clean);
-
-				// Minify the CSS in all the }msU', $output, $style_clean);
-				foreach ($style_clean[0] as $s)
-				{
-					$output = str_replace($s, $this->_minify_script_style($s, TRUE), $output);
-				}
-
-				// Minify the javascript in }msU', $output, $javascript_messed);
-					$output = str_replace($javascript_messed[0], $javascript_mini, $output);
-				}
-
-				$size_removed = $size_before - strlen($output);
-				$savings_percent = round(($size_removed / $size_before * 100));
-
-				log_message('debug', 'Minifier shaved '.($size_removed / 1000).'KB ('.$savings_percent.'%) off final HTML output.');
-
-			break;
-
-			case 'text/css':
-			case 'text/javascript':
-
-				$output = $this->_minify_script_style($output);
-
-			break;
-
-			default: break;
-		}
-
-		return $output;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Minify Style and Script
-	 *
-	 * Reduce excessive size of CSS/JavaScript content.  To remove spaces this
-	 * script walks the string as an array and determines if the pointer is inside
-	 * a string created by single quotes or double quotes.  spaces inside those
-	 * strings are not stripped.  Opening and closing tags are severed from
-	 * the string initially and saved without stripping whitespace to preserve
-	 * the tags and any associated properties if tags are present
-	 *
-	 * Minification logic/workflow is similar to methods used by Douglas Crockford
-	 * in JSMIN. http://www.crockford.com/javascript/jsmin.html
-	 *
-	 * KNOWN ISSUE: ending a line with a closing parenthesis ')' and no semicolon
-	 * where there should be one will break the Javascript. New lines after a
-	 * closing parenthesis are not recognized by the script. For best results
-	 * be sure to terminate lines with a semicolon when appropriate.
-	 *
-	 * @param	string	$output		Output to minify
-	 * @param	bool	$has_tags	Specify if the output has style or script tags
-	 * @return	string	Minified output
-	 */
-	protected function _minify_script_style($output, $has_tags = FALSE)
-	{
-		// We only need this if there are tags in the file
-		if ($has_tags === TRUE)
-		{
-			// Remove opening tag and save for later
-			$pos = strpos($output, '>') + 1;
-			$open_tag = substr($output, 0, $pos);
-			$output = substr_replace($output, '', 0, $pos);
-
-			// Remove closing tag and save it for later
-			$end_pos = strlen($output);
-			$pos = strpos($output, ' $value)
-		{
-			if ($in_string === FALSE && $in_dstring === FALSE)
-			{
-				if ($value === ' ')
-				{
-					// Get the next element in the array for comparisons
-					$next = $array_output[$key + 1];
-
-					// Strip spaces preceded/followed by a non-ASCII character
-					// or not preceded/followed by an alphanumeric
-					// or not preceded/followed \ $ and _
-					if ((preg_match('/^[\x20-\x7f]*$/D', $next) OR preg_match('/^[\x20-\x7f]*$/D', $prev))
-						&& ( ! ctype_alnum($next) OR ! ctype_alnum($prev))
-						&& ! in_array($next, array('\\', '_', '$'), TRUE)
-						&& ! in_array($prev, array('\\', '_', '$'), TRUE)
-					)
-					{
-						unset($array_output[$key]);
-					}
-				}
-				else
-				{
-					// Save this value as previous for the next iteration
-					// if it is not a blank space
-					$prev = $value;
-				}
-			}
-
-			if ($value === "'")
-			{
-				$in_string = ! $in_string;
-			}
-			elseif ($value === '"')
-			{
-				$in_dstring = ! $in_dstring;
-			}
-		}
-
-		// Put the string back together after spaces have been stripped
-		$output = implode($array_output);
-
-		// Remove new line characters unless previous or next character is
-		// printable or Non-ASCII
-		preg_match_all('/[\n]/', $output, $lf, PREG_OFFSET_CAPTURE);
-		$removed_lf = 0;
-		foreach ($lf as $feed_position)
-		{
-			foreach ($feed_position as $position)
-			{
-				$position = $position[1] - $removed_lf;
-				$next = $output[$position + 1];
-				$prev = $output[$position - 1];
-				if ( ! ctype_print($next) && ! ctype_print($prev)
-					&& ! preg_match('/^[\x20-\x7f]*$/D', $next)
-					&& ! preg_match('/^[\x20-\x7f]*$/D', $prev)
-				)
-				{
-					$output = substr_replace($output, '', $position, 1);
-					$removed_lf++;
-				}
-			}
-		}
-
-		// Put the opening and closing tags back if applicable
-		return isset($open_tag)
-			? $open_tag.$output.$closing_tag
-			: $output;
-	}
-
-}
-
-/* End of file Output.php */
+_zlib_oc = (bool) @ini_get('zlib.output_compression');
+
+		// Get mime types for later
+		$this->mimes =& get_mimes();
+
+		log_message('debug', 'Output Class Initialized');
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Get Output
+	 *
+	 * Returns the current output string.
+	 *
+	 * @return	string
+	 */
+	public function get_output()
+	{
+		return $this->final_output;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set Output
+	 *
+	 * Sets the output string.
+	 *
+	 * @param	string	$output	Output data
+	 * @return	CI_Output
+	 */
+	public function set_output($output)
+	{
+		$this->final_output = $output;
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Append Output
+	 *
+	 * Appends data onto the output string.
+	 *
+	 * @param	string	$output	Data to append
+	 * @return	CI_Output
+	 */
+	public function append_output($output)
+	{
+		if (empty($this->final_output))
+		{
+			$this->final_output = $output;
+		}
+		else
+		{
+			$this->final_output .= $output;
+		}
+
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set Header
+	 *
+	 * Lets you set a server header which will be sent with the final output.
+	 *
+	 * Note: If a file is cached, headers will not be sent.
+	 * @todo	We need to figure out how to permit headers to be cached.
+	 *
+	 * @param	string	$header		Header
+	 * @param	bool	$replace	Whether to replace the old header value, if already set
+	 * @return	CI_Output
+	 */
+	public function set_header($header, $replace = TRUE)
+	{
+		// If zlib.output_compression is enabled it will compress the output,
+		// but it will not modify the content-length header to compensate for
+		// the reduction, causing the browser to hang waiting for more data.
+		// We'll just skip content-length in those cases.
+		if ($this->_zlib_oc && strncasecmp($header, 'content-length', 14) === 0)
+		{
+			return $this;
+		}
+
+		$this->headers[] = array($header, $replace);
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set Content-Type Header
+	 *
+	 * @param	string	$mime_type	Extension of the file we're outputting
+	 * @param	string	$charset	Character set (default: NULL)
+	 * @return	CI_Output
+	 */
+	public function set_content_type($mime_type, $charset = NULL)
+	{
+		if (strpos($mime_type, '/') === FALSE)
+		{
+			$extension = ltrim($mime_type, '.');
+
+			// Is this extension supported?
+			if (isset($this->mimes[$extension]))
+			{
+				$mime_type =& $this->mimes[$extension];
+
+				if (is_array($mime_type))
+				{
+					$mime_type = current($mime_type);
+				}
+			}
+		}
+
+		$this->mime_type = $mime_type;
+
+		if (empty($charset))
+		{
+			$charset = config_item('charset');
+		}
+
+		$header = 'Content-Type: '.$mime_type
+			.(empty($charset) ? NULL : '; charset='.$charset);
+
+		$this->headers[] = array($header, TRUE);
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Get Current Content-Type Header
+	 *
+	 * @return	string	'text/html', if not already set
+	 */
+	public function get_content_type()
+	{
+		for ($i = 0, $c = count($this->headers); $i < $c; $i++)
+		{
+			if (sscanf($this->headers[$i][0], 'Content-Type: %[^;]', $content_type) === 1)
+			{
+				return $content_type;
+			}
+		}
+
+		return 'text/html';
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Get Header
+	 *
+	 * @param	string	$header_name
+	 * @return	string
+	 */
+	public function get_header($header)
+	{
+		// Combine headers already sent with our batched headers
+		$headers = array_merge(
+			// We only need [x][0] from our multi-dimensional array
+			array_map('array_shift', $this->headers),
+			headers_list()
+		);
+
+		if (empty($headers) OR empty($header))
+		{
+			return NULL;
+		}
+
+		for ($i = 0, $c = count($headers); $i < $c; $i++)
+		{
+			if (strncasecmp($header, $headers[$i], $l = strlen($header)) === 0)
+			{
+				return trim(substr($headers[$i], $l+1));
+			}
+		}
+
+		return NULL;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set HTTP Status Header
+	 *
+	 * As of version 1.7.2, this is an alias for common function
+	 * set_status_header().
+	 *
+	 * @param	int	$code	Status code (default: 200)
+	 * @param	string	$text	Optional message
+	 * @return	CI_Output
+	 */
+	public function set_status_header($code = 200, $text = '')
+	{
+		set_status_header($code, $text);
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Enable/disable Profiler
+	 *
+	 * @param	bool	$val	TRUE to enable or FALSE to disable
+	 * @return	CI_Output
+	 */
+	public function enable_profiler($val = TRUE)
+	{
+		$this->enable_profiler = is_bool($val) ? $val : TRUE;
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set Profiler Sections
+	 *
+	 * Allows override of default/config settings for
+	 * Profiler section display.
+	 *
+	 * @param	array	$sections	Profiler sections
+	 * @return	CI_Output
+	 */
+	public function set_profiler_sections($sections)
+	{
+		if (isset($sections['query_toggle_count']))
+		{
+			$this->_profiler_sections['query_toggle_count'] = (int) $sections['query_toggle_count'];
+			unset($sections['query_toggle_count']);
+		}
+
+		foreach ($sections as $section => $enable)
+		{
+			$this->_profiler_sections[$section] = ($enable !== FALSE);
+		}
+
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set Cache
+	 *
+	 * @param	int	$time	Cache expiration time in seconds
+	 * @return	CI_Output
+	 */
+	public function cache($time)
+	{
+		$this->cache_expiration = is_numeric($time) ? $time : 0;
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Display Output
+	 *
+	 * Processes sends the sends finalized output data to the browser along
+	 * with any server headers and profile data. It also stops benchmark
+	 * timers so the page rendering speed and memory usage can be shown.
+	 *
+	 * Note: All "view" data is automatically put into $this->final_output
+	 *	 by controller class.
+	 *
+	 * @uses	CI_Output::$final_output
+	 * @param	string	$output	Output data override
+	 * @return	void
+	 */
+	public function _display($output = '')
+	{
+		// Note:  We use globals because we can't use $CI =& get_instance()
+		// since this function is sometimes called by the caching mechanism,
+		// which happens before the CI super object is available.
+		global $BM, $CFG;
+
+		// Grab the super object if we can.
+		if (class_exists('CI_Controller'))
+		{
+			$CI =& get_instance();
+		}
+
+		// --------------------------------------------------------------------
+
+		// Set the output data
+		if ($output === '')
+		{
+			$output =& $this->final_output;
+		}
+
+		// --------------------------------------------------------------------
+
+		// Is minify requested?
+		if ($CFG->item('minify_output') === TRUE)
+		{
+			$output = $this->minify($output, $this->mime_type);
+		}
+
+		// --------------------------------------------------------------------
+
+		// Do we need to write a cache file? Only if the controller does not have its
+		// own _output() method and we are not dealing with a cache file, which we
+		// can determine by the existence of the $CI object above
+		if ($this->cache_expiration > 0 && isset($CI) && ! method_exists($CI, '_output'))
+		{
+			$this->_write_cache($output);
+		}
+
+		// --------------------------------------------------------------------
+
+		// Parse out the elapsed time and memory usage,
+		// then swap the pseudo-variables with the data
+
+		$elapsed = $BM->elapsed_time('total_execution_time_start', 'total_execution_time_end');
+
+		if ($this->parse_exec_vars === TRUE)
+		{
+			$memory	= round(memory_get_usage() / 1024 / 1024, 2).'MB';
+
+			$output = str_replace(array('{elapsed_time}', '{memory_usage}'), array($elapsed, $memory), $output);
+		}
+
+		// --------------------------------------------------------------------
+
+		// Is compression requested?
+		if ($CFG->item('compress_output') === TRUE && $this->_zlib_oc === FALSE
+			&& extension_loaded('zlib')
+			&& isset($_SERVER['HTTP_ACCEPT_ENCODING']) && strpos($_SERVER['HTTP_ACCEPT_ENCODING'], 'gzip') !== FALSE)
+		{
+			ob_start('ob_gzhandler');
+		}
+
+		// --------------------------------------------------------------------
+
+		// Are there any server headers to send?
+		if (count($this->headers) > 0)
+		{
+			foreach ($this->headers as $header)
+			{
+				@header($header[0], $header[1]);
+			}
+		}
+
+		// --------------------------------------------------------------------
+
+		// Does the $CI object exist?
+		// If not we know we are dealing with a cache file so we'll
+		// simply echo out the data and exit.
+		if ( ! isset($CI))
+		{
+			echo $output;
+			log_message('debug', 'Final output sent to browser');
+			log_message('debug', 'Total execution time: '.$elapsed);
+			return;
+		}
+
+		// --------------------------------------------------------------------
+
+		// Do we need to generate profile data?
+		// If so, load the Profile class and run it.
+		if ($this->enable_profiler === TRUE)
+		{
+			$CI->load->library('profiler');
+			if ( ! empty($this->_profiler_sections))
+			{
+				$CI->profiler->set_sections($this->_profiler_sections);
+			}
+
+			// If the output data contains closing  and  tags
+			// we will remove them and add them back after we insert the profile data
+			$output = preg_replace('|.*?|is', '', $output, -1, $count).$CI->profiler->run();
+			if ($count > 0)
+			{
+				$output .= '';
+			}
+		}
+
+		// Does the controller contain a function named _output()?
+		// If so send the output there.  Otherwise, echo it.
+		if (method_exists($CI, '_output'))
+		{
+			$CI->_output($output);
+		}
+		else
+		{
+			echo $output; // Send it to the browser!
+		}
+
+		log_message('debug', 'Final output sent to browser');
+		log_message('debug', 'Total execution time: '.$elapsed);
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Write Cache
+	 *
+	 * @param	string	$output	Output data to cache
+	 * @return	void
+	 */
+	public function _write_cache($output)
+	{
+		$CI =& get_instance();
+		$path = $CI->config->item('cache_path');
+		$cache_path = ($path === '') ? APPPATH.'cache/' : $path;
+
+		if ( ! is_dir($cache_path) OR ! is_really_writable($cache_path))
+		{
+			log_message('error', 'Unable to write cache file: '.$cache_path);
+			return;
+		}
+
+		$uri =	$CI->config->item('base_url').
+				$CI->config->item('index_page').
+				$CI->uri->uri_string();
+
+		$cache_path .= md5($uri);
+
+		if ( ! $fp = @fopen($cache_path, FOPEN_WRITE_CREATE_DESTRUCTIVE))
+		{
+			log_message('error', 'Unable to write cache file: '.$cache_path);
+			return;
+		}
+
+		$expire = time() + ($this->cache_expiration * 60);
+
+		if (flock($fp, LOCK_EX))
+		{
+			fwrite($fp, $expire.'TS--->'.$output);
+			flock($fp, LOCK_UN);
+		}
+		else
+		{
+			log_message('error', 'Unable to secure a file lock for file at: '.$cache_path);
+			return;
+		}
+		fclose($fp);
+		@chmod($cache_path, FILE_WRITE_MODE);
+
+		log_message('debug', 'Cache file written: '.$cache_path);
+
+		// Send HTTP cache-control headers to browser to match file cache settings.
+		$this->set_cache_header($_SERVER['REQUEST_TIME'], $expire);
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Update/serve cached output
+	 *
+	 * @uses	CI_Config
+	 * @uses	CI_URI
+	 *
+	 * @param	object	&$CFG	CI_Config class instance
+	 * @param	object	&$URI	CI_URI class instance
+	 * @return	bool	TRUE on success or FALSE on failure
+	 */
+	public function _display_cache(&$CFG, &$URI)
+	{
+		$cache_path = ($CFG->item('cache_path') === '') ? APPPATH.'cache/' : $CFG->item('cache_path');
+
+		// Build the file path. The file name is an MD5 hash of the full URI
+		$uri =	$CFG->item('base_url').$CFG->item('index_page').$URI->uri_string;
+		$filepath = $cache_path.md5($uri);
+
+		if ( ! @file_exists($filepath) OR ! $fp = @fopen($filepath, FOPEN_READ))
+		{
+			return FALSE;
+		}
+
+		flock($fp, LOCK_SH);
+
+		$cache = (filesize($filepath) > 0) ? fread($fp, filesize($filepath)) : '';
+
+		flock($fp, LOCK_UN);
+		fclose($fp);
+
+		// Strip out the embedded timestamp
+		if ( ! preg_match('/^(\d+)TS--->/', $cache, $match))
+		{
+			return FALSE;
+		}
+
+		$last_modified = filemtime($cache_path);
+		$expire = $match[1];
+
+		// Has the file expired?
+		if ($_SERVER['REQUEST_TIME'] >= $expire && is_really_writable($cache_path))
+		{
+			// If so we'll delete it.
+			@unlink($filepath);
+			log_message('debug', 'Cache file has expired. File deleted.');
+			return FALSE;
+		}
+		else
+		{
+			// Or else send the HTTP cache control headers.
+			$this->set_cache_header($last_modified, $expire);
+		}
+
+		// Display the cache
+		$this->_display(substr($cache, strlen($match[0])));
+		log_message('debug', 'Cache file is current. Sending it to browser.');
+		return TRUE;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Delete cache
+	 *
+	 * @param	string	$uri	URI string
+	 * @return	bool
+	 */
+	public function delete_cache($uri = '')
+	{
+		$CI =& get_instance();
+		$cache_path = $CI->config->item('cache_path');
+		if ($cache_path === '')
+		{
+			$cache_path = APPPATH.'cache/';
+		}
+
+		if ( ! is_dir($cache_path))
+		{
+			log_message('error', 'Unable to find cache path: '.$cache_path);
+			return FALSE;
+		}
+
+		if (empty($uri))
+		{
+			$uri = $CI->uri->uri_string();
+		}
+
+		$cache_path .= md5($CI->config->item('base_url').$CI->config->item('index_page').$uri);
+
+		if ( ! @unlink($cache_path))
+		{
+			log_message('error', 'Unable to delete cache file for '.$uri);
+			return FALSE;
+		}
+
+		return TRUE;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set Cache Header
+	 *
+	 * Set the HTTP headers to match the server-side file cache settings
+	 * in order to reduce bandwidth.
+	 *
+	 * @param	int	$last_modified	Timestamp of when the page was last modified
+	 * @param	int	$expiration	Timestamp of when should the requested page expire from cache
+	 * @return	void
+	 */
+	public function set_cache_header($last_modified, $expiration)
+	{
+		$max_age = $expiration - $_SERVER['REQUEST_TIME'];
+
+		if (isset($_SERVER['HTTP_IF_MODIFIED_SINCE']) && $last_modified <= strtotime($_SERVER['HTTP_IF_MODIFIED_SINCE']))
+		{
+			$this->set_status_header(304);
+			exit;
+		}
+		else
+		{
+			header('Pragma: public');
+			header('Cache-Control: max-age=' . $max_age . ', public');
+			header('Expires: '.gmdate('D, d M Y H:i:s', $expiration).' GMT');
+			header('Last-modified: '.gmdate('D, d M Y H:i:s', $last_modified).' GMT');
+		}
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Minify
+	 *
+	 * Reduce excessive size of HTML/CSS/JavaScript content.
+	 *
+	 * @param	string	$output	Output to minify
+	 * @param	string	$type	Output content MIME type
+	 * @return	string	Minified output
+	 */
+	public function minify($output, $type = 'text/html')
+	{
+		switch ($type)
+		{
+			case 'text/html':
+
+				if (($size_before = strlen($output)) === 0)
+				{
+					return '';
+				}
+
+				// Find all the 
,,}msU', $output, $textareas_clean);
+				preg_match_all('{}msU', $output, $javascript_clean);
+
+				// Minify the CSS in all the }msU', $output, $style_clean);
+				foreach ($style_clean[0] as $s)
+				{
+					$output = str_replace($s, $this->_minify_script_style($s, TRUE), $output);
+				}
+
+				// Minify the javascript in }msU', $output, $javascript_messed);
+					$output = str_replace($javascript_messed[0], $javascript_mini, $output);
+				}
+
+				$size_removed = $size_before - strlen($output);
+				$savings_percent = round(($size_removed / $size_before * 100));
+
+				log_message('debug', 'Minifier shaved '.($size_removed / 1000).'KB ('.$savings_percent.'%) off final HTML output.');
+
+			break;
+
+			case 'text/css':
+			case 'text/javascript':
+
+				$output = $this->_minify_script_style($output);
+
+			break;
+
+			default: break;
+		}
+
+		return $output;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Minify Style and Script
+	 *
+	 * Reduce excessive size of CSS/JavaScript content.  To remove spaces this
+	 * script walks the string as an array and determines if the pointer is inside
+	 * a string created by single quotes or double quotes.  spaces inside those
+	 * strings are not stripped.  Opening and closing tags are severed from
+	 * the string initially and saved without stripping whitespace to preserve
+	 * the tags and any associated properties if tags are present
+	 *
+	 * Minification logic/workflow is similar to methods used by Douglas Crockford
+	 * in JSMIN. http://www.crockford.com/javascript/jsmin.html
+	 *
+	 * KNOWN ISSUE: ending a line with a closing parenthesis ')' and no semicolon
+	 * where there should be one will break the Javascript. New lines after a
+	 * closing parenthesis are not recognized by the script. For best results
+	 * be sure to terminate lines with a semicolon when appropriate.
+	 *
+	 * @param	string	$output		Output to minify
+	 * @param	bool	$has_tags	Specify if the output has style or script tags
+	 * @return	string	Minified output
+	 */
+	protected function _minify_script_style($output, $has_tags = FALSE)
+	{
+		// We only need this if there are tags in the file
+		if ($has_tags === TRUE)
+		{
+			// Remove opening tag and save for later
+			$pos = strpos($output, '>') + 1;
+			$open_tag = substr($output, 0, $pos);
+			$output = substr_replace($output, '', 0, $pos);
+
+			// Remove closing tag and save it for later
+			$end_pos = strlen($output);
+			$pos = strpos($output, ' $value)
+		{
+			if ($in_string === FALSE && $in_dstring === FALSE)
+			{
+				if ($value === ' ')
+				{
+					// Get the next element in the array for comparisons
+					$next = $array_output[$key + 1];
+
+					// Strip spaces preceded/followed by a non-ASCII character
+					// or not preceded/followed by an alphanumeric
+					// or not preceded/followed \ $ and _
+					if ((preg_match('/^[\x20-\x7f]*$/D', $next) OR preg_match('/^[\x20-\x7f]*$/D', $prev))
+						&& ( ! ctype_alnum($next) OR ! ctype_alnum($prev))
+						&& ! in_array($next, array('\\', '_', '$'), TRUE)
+						&& ! in_array($prev, array('\\', '_', '$'), TRUE)
+					)
+					{
+						unset($array_output[$key]);
+					}
+				}
+				else
+				{
+					// Save this value as previous for the next iteration
+					// if it is not a blank space
+					$prev = $value;
+				}
+			}
+
+			if ($value === "'")
+			{
+				$in_string = ! $in_string;
+			}
+			elseif ($value === '"')
+			{
+				$in_dstring = ! $in_dstring;
+			}
+		}
+
+		// Put the string back together after spaces have been stripped
+		$output = implode($array_output);
+
+		// Remove new line characters unless previous or next character is
+		// printable or Non-ASCII
+		preg_match_all('/[\n]/', $output, $lf, PREG_OFFSET_CAPTURE);
+		$removed_lf = 0;
+		foreach ($lf as $feed_position)
+		{
+			foreach ($feed_position as $position)
+			{
+				$position = $position[1] - $removed_lf;
+				$next = $output[$position + 1];
+				$prev = $output[$position - 1];
+				if ( ! ctype_print($next) && ! ctype_print($prev)
+					&& ! preg_match('/^[\x20-\x7f]*$/D', $next)
+					&& ! preg_match('/^[\x20-\x7f]*$/D', $prev)
+				)
+				{
+					$output = substr_replace($output, '', $position, 1);
+					$removed_lf++;
+				}
+			}
+		}
+
+		// Put the opening and closing tags back if applicable
+		return isset($open_tag)
+			? $open_tag.$output.$closing_tag
+			: $output;
+	}
+
+}
+
+/* End of file Output.php */
 /* Location: ./system/core/Output.php */
\ No newline at end of file

From 362b80054ed80940064fd7891a9628279498504b Mon Sep 17 00:00:00 2001
From: Michael Dodge 
Date: Fri, 4 Jan 2013 23:18:39 -0700
Subject: [PATCH 0459/3829] Revert "Fix MSIE conditionals regex in minify
 output func"

This reverts commit 8e12c787042396e172a7448c65bd16c3015ffb0f.
---
 system/core/Output.php | 1842 ++++++++++++++++++++--------------------
 1 file changed, 921 insertions(+), 921 deletions(-)

diff --git a/system/core/Output.php b/system/core/Output.php
index b452639425a..ce0500e7107 100644
--- a/system/core/Output.php
+++ b/system/core/Output.php
@@ -1,922 +1,922 @@
-_zlib_oc = (bool) @ini_get('zlib.output_compression');
-
-		// Get mime types for later
-		$this->mimes =& get_mimes();
-
-		log_message('debug', 'Output Class Initialized');
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Get Output
-	 *
-	 * Returns the current output string.
-	 *
-	 * @return	string
-	 */
-	public function get_output()
-	{
-		return $this->final_output;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Set Output
-	 *
-	 * Sets the output string.
-	 *
-	 * @param	string	$output	Output data
-	 * @return	CI_Output
-	 */
-	public function set_output($output)
-	{
-		$this->final_output = $output;
-		return $this;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Append Output
-	 *
-	 * Appends data onto the output string.
-	 *
-	 * @param	string	$output	Data to append
-	 * @return	CI_Output
-	 */
-	public function append_output($output)
-	{
-		if (empty($this->final_output))
-		{
-			$this->final_output = $output;
-		}
-		else
-		{
-			$this->final_output .= $output;
-		}
-
-		return $this;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Set Header
-	 *
-	 * Lets you set a server header which will be sent with the final output.
-	 *
-	 * Note: If a file is cached, headers will not be sent.
-	 * @todo	We need to figure out how to permit headers to be cached.
-	 *
-	 * @param	string	$header		Header
-	 * @param	bool	$replace	Whether to replace the old header value, if already set
-	 * @return	CI_Output
-	 */
-	public function set_header($header, $replace = TRUE)
-	{
-		// If zlib.output_compression is enabled it will compress the output,
-		// but it will not modify the content-length header to compensate for
-		// the reduction, causing the browser to hang waiting for more data.
-		// We'll just skip content-length in those cases.
-		if ($this->_zlib_oc && strncasecmp($header, 'content-length', 14) === 0)
-		{
-			return $this;
-		}
-
-		$this->headers[] = array($header, $replace);
-		return $this;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Set Content-Type Header
-	 *
-	 * @param	string	$mime_type	Extension of the file we're outputting
-	 * @param	string	$charset	Character set (default: NULL)
-	 * @return	CI_Output
-	 */
-	public function set_content_type($mime_type, $charset = NULL)
-	{
-		if (strpos($mime_type, '/') === FALSE)
-		{
-			$extension = ltrim($mime_type, '.');
-
-			// Is this extension supported?
-			if (isset($this->mimes[$extension]))
-			{
-				$mime_type =& $this->mimes[$extension];
-
-				if (is_array($mime_type))
-				{
-					$mime_type = current($mime_type);
-				}
-			}
-		}
-
-		$this->mime_type = $mime_type;
-
-		if (empty($charset))
-		{
-			$charset = config_item('charset');
-		}
-
-		$header = 'Content-Type: '.$mime_type
-			.(empty($charset) ? NULL : '; charset='.$charset);
-
-		$this->headers[] = array($header, TRUE);
-		return $this;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Get Current Content-Type Header
-	 *
-	 * @return	string	'text/html', if not already set
-	 */
-	public function get_content_type()
-	{
-		for ($i = 0, $c = count($this->headers); $i < $c; $i++)
-		{
-			if (sscanf($this->headers[$i][0], 'Content-Type: %[^;]', $content_type) === 1)
-			{
-				return $content_type;
-			}
-		}
-
-		return 'text/html';
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Get Header
-	 *
-	 * @param	string	$header_name
-	 * @return	string
-	 */
-	public function get_header($header)
-	{
-		// Combine headers already sent with our batched headers
-		$headers = array_merge(
-			// We only need [x][0] from our multi-dimensional array
-			array_map('array_shift', $this->headers),
-			headers_list()
-		);
-
-		if (empty($headers) OR empty($header))
-		{
-			return NULL;
-		}
-
-		for ($i = 0, $c = count($headers); $i < $c; $i++)
-		{
-			if (strncasecmp($header, $headers[$i], $l = strlen($header)) === 0)
-			{
-				return trim(substr($headers[$i], $l+1));
-			}
-		}
-
-		return NULL;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Set HTTP Status Header
-	 *
-	 * As of version 1.7.2, this is an alias for common function
-	 * set_status_header().
-	 *
-	 * @param	int	$code	Status code (default: 200)
-	 * @param	string	$text	Optional message
-	 * @return	CI_Output
-	 */
-	public function set_status_header($code = 200, $text = '')
-	{
-		set_status_header($code, $text);
-		return $this;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Enable/disable Profiler
-	 *
-	 * @param	bool	$val	TRUE to enable or FALSE to disable
-	 * @return	CI_Output
-	 */
-	public function enable_profiler($val = TRUE)
-	{
-		$this->enable_profiler = is_bool($val) ? $val : TRUE;
-		return $this;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Set Profiler Sections
-	 *
-	 * Allows override of default/config settings for
-	 * Profiler section display.
-	 *
-	 * @param	array	$sections	Profiler sections
-	 * @return	CI_Output
-	 */
-	public function set_profiler_sections($sections)
-	{
-		if (isset($sections['query_toggle_count']))
-		{
-			$this->_profiler_sections['query_toggle_count'] = (int) $sections['query_toggle_count'];
-			unset($sections['query_toggle_count']);
-		}
-
-		foreach ($sections as $section => $enable)
-		{
-			$this->_profiler_sections[$section] = ($enable !== FALSE);
-		}
-
-		return $this;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Set Cache
-	 *
-	 * @param	int	$time	Cache expiration time in seconds
-	 * @return	CI_Output
-	 */
-	public function cache($time)
-	{
-		$this->cache_expiration = is_numeric($time) ? $time : 0;
-		return $this;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Display Output
-	 *
-	 * Processes sends the sends finalized output data to the browser along
-	 * with any server headers and profile data. It also stops benchmark
-	 * timers so the page rendering speed and memory usage can be shown.
-	 *
-	 * Note: All "view" data is automatically put into $this->final_output
-	 *	 by controller class.
-	 *
-	 * @uses	CI_Output::$final_output
-	 * @param	string	$output	Output data override
-	 * @return	void
-	 */
-	public function _display($output = '')
-	{
-		// Note:  We use globals because we can't use $CI =& get_instance()
-		// since this function is sometimes called by the caching mechanism,
-		// which happens before the CI super object is available.
-		global $BM, $CFG;
-
-		// Grab the super object if we can.
-		if (class_exists('CI_Controller'))
-		{
-			$CI =& get_instance();
-		}
-
-		// --------------------------------------------------------------------
-
-		// Set the output data
-		if ($output === '')
-		{
-			$output =& $this->final_output;
-		}
-
-		// --------------------------------------------------------------------
-
-		// Is minify requested?
-		if ($CFG->item('minify_output') === TRUE)
-		{
-			$output = $this->minify($output, $this->mime_type);
-		}
-
-		// --------------------------------------------------------------------
-
-		// Do we need to write a cache file? Only if the controller does not have its
-		// own _output() method and we are not dealing with a cache file, which we
-		// can determine by the existence of the $CI object above
-		if ($this->cache_expiration > 0 && isset($CI) && ! method_exists($CI, '_output'))
-		{
-			$this->_write_cache($output);
-		}
-
-		// --------------------------------------------------------------------
-
-		// Parse out the elapsed time and memory usage,
-		// then swap the pseudo-variables with the data
-
-		$elapsed = $BM->elapsed_time('total_execution_time_start', 'total_execution_time_end');
-
-		if ($this->parse_exec_vars === TRUE)
-		{
-			$memory	= round(memory_get_usage() / 1024 / 1024, 2).'MB';
-
-			$output = str_replace(array('{elapsed_time}', '{memory_usage}'), array($elapsed, $memory), $output);
-		}
-
-		// --------------------------------------------------------------------
-
-		// Is compression requested?
-		if ($CFG->item('compress_output') === TRUE && $this->_zlib_oc === FALSE
-			&& extension_loaded('zlib')
-			&& isset($_SERVER['HTTP_ACCEPT_ENCODING']) && strpos($_SERVER['HTTP_ACCEPT_ENCODING'], 'gzip') !== FALSE)
-		{
-			ob_start('ob_gzhandler');
-		}
-
-		// --------------------------------------------------------------------
-
-		// Are there any server headers to send?
-		if (count($this->headers) > 0)
-		{
-			foreach ($this->headers as $header)
-			{
-				@header($header[0], $header[1]);
-			}
-		}
-
-		// --------------------------------------------------------------------
-
-		// Does the $CI object exist?
-		// If not we know we are dealing with a cache file so we'll
-		// simply echo out the data and exit.
-		if ( ! isset($CI))
-		{
-			echo $output;
-			log_message('debug', 'Final output sent to browser');
-			log_message('debug', 'Total execution time: '.$elapsed);
-			return;
-		}
-
-		// --------------------------------------------------------------------
-
-		// Do we need to generate profile data?
-		// If so, load the Profile class and run it.
-		if ($this->enable_profiler === TRUE)
-		{
-			$CI->load->library('profiler');
-			if ( ! empty($this->_profiler_sections))
-			{
-				$CI->profiler->set_sections($this->_profiler_sections);
-			}
-
-			// If the output data contains closing  and  tags
-			// we will remove them and add them back after we insert the profile data
-			$output = preg_replace('|.*?|is', '', $output, -1, $count).$CI->profiler->run();
-			if ($count > 0)
-			{
-				$output .= '';
-			}
-		}
-
-		// Does the controller contain a function named _output()?
-		// If so send the output there.  Otherwise, echo it.
-		if (method_exists($CI, '_output'))
-		{
-			$CI->_output($output);
-		}
-		else
-		{
-			echo $output; // Send it to the browser!
-		}
-
-		log_message('debug', 'Final output sent to browser');
-		log_message('debug', 'Total execution time: '.$elapsed);
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Write Cache
-	 *
-	 * @param	string	$output	Output data to cache
-	 * @return	void
-	 */
-	public function _write_cache($output)
-	{
-		$CI =& get_instance();
-		$path = $CI->config->item('cache_path');
-		$cache_path = ($path === '') ? APPPATH.'cache/' : $path;
-
-		if ( ! is_dir($cache_path) OR ! is_really_writable($cache_path))
-		{
-			log_message('error', 'Unable to write cache file: '.$cache_path);
-			return;
-		}
-
-		$uri =	$CI->config->item('base_url').
-				$CI->config->item('index_page').
-				$CI->uri->uri_string();
-
-		$cache_path .= md5($uri);
-
-		if ( ! $fp = @fopen($cache_path, FOPEN_WRITE_CREATE_DESTRUCTIVE))
-		{
-			log_message('error', 'Unable to write cache file: '.$cache_path);
-			return;
-		}
-
-		$expire = time() + ($this->cache_expiration * 60);
-
-		if (flock($fp, LOCK_EX))
-		{
-			fwrite($fp, $expire.'TS--->'.$output);
-			flock($fp, LOCK_UN);
-		}
-		else
-		{
-			log_message('error', 'Unable to secure a file lock for file at: '.$cache_path);
-			return;
-		}
-		fclose($fp);
-		@chmod($cache_path, FILE_WRITE_MODE);
-
-		log_message('debug', 'Cache file written: '.$cache_path);
-
-		// Send HTTP cache-control headers to browser to match file cache settings.
-		$this->set_cache_header($_SERVER['REQUEST_TIME'], $expire);
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Update/serve cached output
-	 *
-	 * @uses	CI_Config
-	 * @uses	CI_URI
-	 *
-	 * @param	object	&$CFG	CI_Config class instance
-	 * @param	object	&$URI	CI_URI class instance
-	 * @return	bool	TRUE on success or FALSE on failure
-	 */
-	public function _display_cache(&$CFG, &$URI)
-	{
-		$cache_path = ($CFG->item('cache_path') === '') ? APPPATH.'cache/' : $CFG->item('cache_path');
-
-		// Build the file path. The file name is an MD5 hash of the full URI
-		$uri =	$CFG->item('base_url').$CFG->item('index_page').$URI->uri_string;
-		$filepath = $cache_path.md5($uri);
-
-		if ( ! @file_exists($filepath) OR ! $fp = @fopen($filepath, FOPEN_READ))
-		{
-			return FALSE;
-		}
-
-		flock($fp, LOCK_SH);
-
-		$cache = (filesize($filepath) > 0) ? fread($fp, filesize($filepath)) : '';
-
-		flock($fp, LOCK_UN);
-		fclose($fp);
-
-		// Strip out the embedded timestamp
-		if ( ! preg_match('/^(\d+)TS--->/', $cache, $match))
-		{
-			return FALSE;
-		}
-
-		$last_modified = filemtime($cache_path);
-		$expire = $match[1];
-
-		// Has the file expired?
-		if ($_SERVER['REQUEST_TIME'] >= $expire && is_really_writable($cache_path))
-		{
-			// If so we'll delete it.
-			@unlink($filepath);
-			log_message('debug', 'Cache file has expired. File deleted.');
-			return FALSE;
-		}
-		else
-		{
-			// Or else send the HTTP cache control headers.
-			$this->set_cache_header($last_modified, $expire);
-		}
-
-		// Display the cache
-		$this->_display(substr($cache, strlen($match[0])));
-		log_message('debug', 'Cache file is current. Sending it to browser.');
-		return TRUE;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Delete cache
-	 *
-	 * @param	string	$uri	URI string
-	 * @return	bool
-	 */
-	public function delete_cache($uri = '')
-	{
-		$CI =& get_instance();
-		$cache_path = $CI->config->item('cache_path');
-		if ($cache_path === '')
-		{
-			$cache_path = APPPATH.'cache/';
-		}
-
-		if ( ! is_dir($cache_path))
-		{
-			log_message('error', 'Unable to find cache path: '.$cache_path);
-			return FALSE;
-		}
-
-		if (empty($uri))
-		{
-			$uri = $CI->uri->uri_string();
-		}
-
-		$cache_path .= md5($CI->config->item('base_url').$CI->config->item('index_page').$uri);
-
-		if ( ! @unlink($cache_path))
-		{
-			log_message('error', 'Unable to delete cache file for '.$uri);
-			return FALSE;
-		}
-
-		return TRUE;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Set Cache Header
-	 *
-	 * Set the HTTP headers to match the server-side file cache settings
-	 * in order to reduce bandwidth.
-	 *
-	 * @param	int	$last_modified	Timestamp of when the page was last modified
-	 * @param	int	$expiration	Timestamp of when should the requested page expire from cache
-	 * @return	void
-	 */
-	public function set_cache_header($last_modified, $expiration)
-	{
-		$max_age = $expiration - $_SERVER['REQUEST_TIME'];
-
-		if (isset($_SERVER['HTTP_IF_MODIFIED_SINCE']) && $last_modified <= strtotime($_SERVER['HTTP_IF_MODIFIED_SINCE']))
-		{
-			$this->set_status_header(304);
-			exit;
-		}
-		else
-		{
-			header('Pragma: public');
-			header('Cache-Control: max-age=' . $max_age . ', public');
-			header('Expires: '.gmdate('D, d M Y H:i:s', $expiration).' GMT');
-			header('Last-modified: '.gmdate('D, d M Y H:i:s', $last_modified).' GMT');
-		}
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Minify
-	 *
-	 * Reduce excessive size of HTML/CSS/JavaScript content.
-	 *
-	 * @param	string	$output	Output to minify
-	 * @param	string	$type	Output content MIME type
-	 * @return	string	Minified output
-	 */
-	public function minify($output, $type = 'text/html')
-	{
-		switch ($type)
-		{
-			case 'text/html':
-
-				if (($size_before = strlen($output)) === 0)
-				{
-					return '';
-				}
-
-				// Find all the 
,,}msU', $output, $textareas_clean);
-				preg_match_all('{}msU', $output, $javascript_clean);
-
-				// Minify the CSS in all the }msU', $output, $style_clean);
-				foreach ($style_clean[0] as $s)
-				{
-					$output = str_replace($s, $this->_minify_script_style($s, TRUE), $output);
-				}
-
-				// Minify the javascript in }msU', $output, $javascript_messed);
-					$output = str_replace($javascript_messed[0], $javascript_mini, $output);
-				}
-
-				$size_removed = $size_before - strlen($output);
-				$savings_percent = round(($size_removed / $size_before * 100));
-
-				log_message('debug', 'Minifier shaved '.($size_removed / 1000).'KB ('.$savings_percent.'%) off final HTML output.');
-
-			break;
-
-			case 'text/css':
-			case 'text/javascript':
-
-				$output = $this->_minify_script_style($output);
-
-			break;
-
-			default: break;
-		}
-
-		return $output;
-	}
-
-	// --------------------------------------------------------------------
-
-	/**
-	 * Minify Style and Script
-	 *
-	 * Reduce excessive size of CSS/JavaScript content.  To remove spaces this
-	 * script walks the string as an array and determines if the pointer is inside
-	 * a string created by single quotes or double quotes.  spaces inside those
-	 * strings are not stripped.  Opening and closing tags are severed from
-	 * the string initially and saved without stripping whitespace to preserve
-	 * the tags and any associated properties if tags are present
-	 *
-	 * Minification logic/workflow is similar to methods used by Douglas Crockford
-	 * in JSMIN. http://www.crockford.com/javascript/jsmin.html
-	 *
-	 * KNOWN ISSUE: ending a line with a closing parenthesis ')' and no semicolon
-	 * where there should be one will break the Javascript. New lines after a
-	 * closing parenthesis are not recognized by the script. For best results
-	 * be sure to terminate lines with a semicolon when appropriate.
-	 *
-	 * @param	string	$output		Output to minify
-	 * @param	bool	$has_tags	Specify if the output has style or script tags
-	 * @return	string	Minified output
-	 */
-	protected function _minify_script_style($output, $has_tags = FALSE)
-	{
-		// We only need this if there are tags in the file
-		if ($has_tags === TRUE)
-		{
-			// Remove opening tag and save for later
-			$pos = strpos($output, '>') + 1;
-			$open_tag = substr($output, 0, $pos);
-			$output = substr_replace($output, '', 0, $pos);
-
-			// Remove closing tag and save it for later
-			$end_pos = strlen($output);
-			$pos = strpos($output, ' $value)
-		{
-			if ($in_string === FALSE && $in_dstring === FALSE)
-			{
-				if ($value === ' ')
-				{
-					// Get the next element in the array for comparisons
-					$next = $array_output[$key + 1];
-
-					// Strip spaces preceded/followed by a non-ASCII character
-					// or not preceded/followed by an alphanumeric
-					// or not preceded/followed \ $ and _
-					if ((preg_match('/^[\x20-\x7f]*$/D', $next) OR preg_match('/^[\x20-\x7f]*$/D', $prev))
-						&& ( ! ctype_alnum($next) OR ! ctype_alnum($prev))
-						&& ! in_array($next, array('\\', '_', '$'), TRUE)
-						&& ! in_array($prev, array('\\', '_', '$'), TRUE)
-					)
-					{
-						unset($array_output[$key]);
-					}
-				}
-				else
-				{
-					// Save this value as previous for the next iteration
-					// if it is not a blank space
-					$prev = $value;
-				}
-			}
-
-			if ($value === "'")
-			{
-				$in_string = ! $in_string;
-			}
-			elseif ($value === '"')
-			{
-				$in_dstring = ! $in_dstring;
-			}
-		}
-
-		// Put the string back together after spaces have been stripped
-		$output = implode($array_output);
-
-		// Remove new line characters unless previous or next character is
-		// printable or Non-ASCII
-		preg_match_all('/[\n]/', $output, $lf, PREG_OFFSET_CAPTURE);
-		$removed_lf = 0;
-		foreach ($lf as $feed_position)
-		{
-			foreach ($feed_position as $position)
-			{
-				$position = $position[1] - $removed_lf;
-				$next = $output[$position + 1];
-				$prev = $output[$position - 1];
-				if ( ! ctype_print($next) && ! ctype_print($prev)
-					&& ! preg_match('/^[\x20-\x7f]*$/D', $next)
-					&& ! preg_match('/^[\x20-\x7f]*$/D', $prev)
-				)
-				{
-					$output = substr_replace($output, '', $position, 1);
-					$removed_lf++;
-				}
-			}
-		}
-
-		// Put the opening and closing tags back if applicable
-		return isset($open_tag)
-			? $open_tag.$output.$closing_tag
-			: $output;
-	}
-
-}
-
-/* End of file Output.php */
+_zlib_oc = (bool) @ini_get('zlib.output_compression');
+
+		// Get mime types for later
+		$this->mimes =& get_mimes();
+
+		log_message('debug', 'Output Class Initialized');
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Get Output
+	 *
+	 * Returns the current output string.
+	 *
+	 * @return	string
+	 */
+	public function get_output()
+	{
+		return $this->final_output;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set Output
+	 *
+	 * Sets the output string.
+	 *
+	 * @param	string	$output	Output data
+	 * @return	CI_Output
+	 */
+	public function set_output($output)
+	{
+		$this->final_output = $output;
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Append Output
+	 *
+	 * Appends data onto the output string.
+	 *
+	 * @param	string	$output	Data to append
+	 * @return	CI_Output
+	 */
+	public function append_output($output)
+	{
+		if (empty($this->final_output))
+		{
+			$this->final_output = $output;
+		}
+		else
+		{
+			$this->final_output .= $output;
+		}
+
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set Header
+	 *
+	 * Lets you set a server header which will be sent with the final output.
+	 *
+	 * Note: If a file is cached, headers will not be sent.
+	 * @todo	We need to figure out how to permit headers to be cached.
+	 *
+	 * @param	string	$header		Header
+	 * @param	bool	$replace	Whether to replace the old header value, if already set
+	 * @return	CI_Output
+	 */
+	public function set_header($header, $replace = TRUE)
+	{
+		// If zlib.output_compression is enabled it will compress the output,
+		// but it will not modify the content-length header to compensate for
+		// the reduction, causing the browser to hang waiting for more data.
+		// We'll just skip content-length in those cases.
+		if ($this->_zlib_oc && strncasecmp($header, 'content-length', 14) === 0)
+		{
+			return $this;
+		}
+
+		$this->headers[] = array($header, $replace);
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set Content-Type Header
+	 *
+	 * @param	string	$mime_type	Extension of the file we're outputting
+	 * @param	string	$charset	Character set (default: NULL)
+	 * @return	CI_Output
+	 */
+	public function set_content_type($mime_type, $charset = NULL)
+	{
+		if (strpos($mime_type, '/') === FALSE)
+		{
+			$extension = ltrim($mime_type, '.');
+
+			// Is this extension supported?
+			if (isset($this->mimes[$extension]))
+			{
+				$mime_type =& $this->mimes[$extension];
+
+				if (is_array($mime_type))
+				{
+					$mime_type = current($mime_type);
+				}
+			}
+		}
+
+		$this->mime_type = $mime_type;
+
+		if (empty($charset))
+		{
+			$charset = config_item('charset');
+		}
+
+		$header = 'Content-Type: '.$mime_type
+			.(empty($charset) ? NULL : '; charset='.$charset);
+
+		$this->headers[] = array($header, TRUE);
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Get Current Content-Type Header
+	 *
+	 * @return	string	'text/html', if not already set
+	 */
+	public function get_content_type()
+	{
+		for ($i = 0, $c = count($this->headers); $i < $c; $i++)
+		{
+			if (sscanf($this->headers[$i][0], 'Content-Type: %[^;]', $content_type) === 1)
+			{
+				return $content_type;
+			}
+		}
+
+		return 'text/html';
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Get Header
+	 *
+	 * @param	string	$header_name
+	 * @return	string
+	 */
+	public function get_header($header)
+	{
+		// Combine headers already sent with our batched headers
+		$headers = array_merge(
+			// We only need [x][0] from our multi-dimensional array
+			array_map('array_shift', $this->headers),
+			headers_list()
+		);
+
+		if (empty($headers) OR empty($header))
+		{
+			return NULL;
+		}
+
+		for ($i = 0, $c = count($headers); $i < $c; $i++)
+		{
+			if (strncasecmp($header, $headers[$i], $l = strlen($header)) === 0)
+			{
+				return trim(substr($headers[$i], $l+1));
+			}
+		}
+
+		return NULL;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set HTTP Status Header
+	 *
+	 * As of version 1.7.2, this is an alias for common function
+	 * set_status_header().
+	 *
+	 * @param	int	$code	Status code (default: 200)
+	 * @param	string	$text	Optional message
+	 * @return	CI_Output
+	 */
+	public function set_status_header($code = 200, $text = '')
+	{
+		set_status_header($code, $text);
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Enable/disable Profiler
+	 *
+	 * @param	bool	$val	TRUE to enable or FALSE to disable
+	 * @return	CI_Output
+	 */
+	public function enable_profiler($val = TRUE)
+	{
+		$this->enable_profiler = is_bool($val) ? $val : TRUE;
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set Profiler Sections
+	 *
+	 * Allows override of default/config settings for
+	 * Profiler section display.
+	 *
+	 * @param	array	$sections	Profiler sections
+	 * @return	CI_Output
+	 */
+	public function set_profiler_sections($sections)
+	{
+		if (isset($sections['query_toggle_count']))
+		{
+			$this->_profiler_sections['query_toggle_count'] = (int) $sections['query_toggle_count'];
+			unset($sections['query_toggle_count']);
+		}
+
+		foreach ($sections as $section => $enable)
+		{
+			$this->_profiler_sections[$section] = ($enable !== FALSE);
+		}
+
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set Cache
+	 *
+	 * @param	int	$time	Cache expiration time in seconds
+	 * @return	CI_Output
+	 */
+	public function cache($time)
+	{
+		$this->cache_expiration = is_numeric($time) ? $time : 0;
+		return $this;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Display Output
+	 *
+	 * Processes sends the sends finalized output data to the browser along
+	 * with any server headers and profile data. It also stops benchmark
+	 * timers so the page rendering speed and memory usage can be shown.
+	 *
+	 * Note: All "view" data is automatically put into $this->final_output
+	 *	 by controller class.
+	 *
+	 * @uses	CI_Output::$final_output
+	 * @param	string	$output	Output data override
+	 * @return	void
+	 */
+	public function _display($output = '')
+	{
+		// Note:  We use globals because we can't use $CI =& get_instance()
+		// since this function is sometimes called by the caching mechanism,
+		// which happens before the CI super object is available.
+		global $BM, $CFG;
+
+		// Grab the super object if we can.
+		if (class_exists('CI_Controller'))
+		{
+			$CI =& get_instance();
+		}
+
+		// --------------------------------------------------------------------
+
+		// Set the output data
+		if ($output === '')
+		{
+			$output =& $this->final_output;
+		}
+
+		// --------------------------------------------------------------------
+
+		// Is minify requested?
+		if ($CFG->item('minify_output') === TRUE)
+		{
+			$output = $this->minify($output, $this->mime_type);
+		}
+
+		// --------------------------------------------------------------------
+
+		// Do we need to write a cache file? Only if the controller does not have its
+		// own _output() method and we are not dealing with a cache file, which we
+		// can determine by the existence of the $CI object above
+		if ($this->cache_expiration > 0 && isset($CI) && ! method_exists($CI, '_output'))
+		{
+			$this->_write_cache($output);
+		}
+
+		// --------------------------------------------------------------------
+
+		// Parse out the elapsed time and memory usage,
+		// then swap the pseudo-variables with the data
+
+		$elapsed = $BM->elapsed_time('total_execution_time_start', 'total_execution_time_end');
+
+		if ($this->parse_exec_vars === TRUE)
+		{
+			$memory	= round(memory_get_usage() / 1024 / 1024, 2).'MB';
+
+			$output = str_replace(array('{elapsed_time}', '{memory_usage}'), array($elapsed, $memory), $output);
+		}
+
+		// --------------------------------------------------------------------
+
+		// Is compression requested?
+		if ($CFG->item('compress_output') === TRUE && $this->_zlib_oc === FALSE
+			&& extension_loaded('zlib')
+			&& isset($_SERVER['HTTP_ACCEPT_ENCODING']) && strpos($_SERVER['HTTP_ACCEPT_ENCODING'], 'gzip') !== FALSE)
+		{
+			ob_start('ob_gzhandler');
+		}
+
+		// --------------------------------------------------------------------
+
+		// Are there any server headers to send?
+		if (count($this->headers) > 0)
+		{
+			foreach ($this->headers as $header)
+			{
+				@header($header[0], $header[1]);
+			}
+		}
+
+		// --------------------------------------------------------------------
+
+		// Does the $CI object exist?
+		// If not we know we are dealing with a cache file so we'll
+		// simply echo out the data and exit.
+		if ( ! isset($CI))
+		{
+			echo $output;
+			log_message('debug', 'Final output sent to browser');
+			log_message('debug', 'Total execution time: '.$elapsed);
+			return;
+		}
+
+		// --------------------------------------------------------------------
+
+		// Do we need to generate profile data?
+		// If so, load the Profile class and run it.
+		if ($this->enable_profiler === TRUE)
+		{
+			$CI->load->library('profiler');
+			if ( ! empty($this->_profiler_sections))
+			{
+				$CI->profiler->set_sections($this->_profiler_sections);
+			}
+
+			// If the output data contains closing  and  tags
+			// we will remove them and add them back after we insert the profile data
+			$output = preg_replace('|.*?|is', '', $output, -1, $count).$CI->profiler->run();
+			if ($count > 0)
+			{
+				$output .= '';
+			}
+		}
+
+		// Does the controller contain a function named _output()?
+		// If so send the output there.  Otherwise, echo it.
+		if (method_exists($CI, '_output'))
+		{
+			$CI->_output($output);
+		}
+		else
+		{
+			echo $output; // Send it to the browser!
+		}
+
+		log_message('debug', 'Final output sent to browser');
+		log_message('debug', 'Total execution time: '.$elapsed);
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Write Cache
+	 *
+	 * @param	string	$output	Output data to cache
+	 * @return	void
+	 */
+	public function _write_cache($output)
+	{
+		$CI =& get_instance();
+		$path = $CI->config->item('cache_path');
+		$cache_path = ($path === '') ? APPPATH.'cache/' : $path;
+
+		if ( ! is_dir($cache_path) OR ! is_really_writable($cache_path))
+		{
+			log_message('error', 'Unable to write cache file: '.$cache_path);
+			return;
+		}
+
+		$uri =	$CI->config->item('base_url').
+				$CI->config->item('index_page').
+				$CI->uri->uri_string();
+
+		$cache_path .= md5($uri);
+
+		if ( ! $fp = @fopen($cache_path, FOPEN_WRITE_CREATE_DESTRUCTIVE))
+		{
+			log_message('error', 'Unable to write cache file: '.$cache_path);
+			return;
+		}
+
+		$expire = time() + ($this->cache_expiration * 60);
+
+		if (flock($fp, LOCK_EX))
+		{
+			fwrite($fp, $expire.'TS--->'.$output);
+			flock($fp, LOCK_UN);
+		}
+		else
+		{
+			log_message('error', 'Unable to secure a file lock for file at: '.$cache_path);
+			return;
+		}
+		fclose($fp);
+		@chmod($cache_path, FILE_WRITE_MODE);
+
+		log_message('debug', 'Cache file written: '.$cache_path);
+
+		// Send HTTP cache-control headers to browser to match file cache settings.
+		$this->set_cache_header($_SERVER['REQUEST_TIME'], $expire);
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Update/serve cached output
+	 *
+	 * @uses	CI_Config
+	 * @uses	CI_URI
+	 *
+	 * @param	object	&$CFG	CI_Config class instance
+	 * @param	object	&$URI	CI_URI class instance
+	 * @return	bool	TRUE on success or FALSE on failure
+	 */
+	public function _display_cache(&$CFG, &$URI)
+	{
+		$cache_path = ($CFG->item('cache_path') === '') ? APPPATH.'cache/' : $CFG->item('cache_path');
+
+		// Build the file path. The file name is an MD5 hash of the full URI
+		$uri =	$CFG->item('base_url').$CFG->item('index_page').$URI->uri_string;
+		$filepath = $cache_path.md5($uri);
+
+		if ( ! @file_exists($filepath) OR ! $fp = @fopen($filepath, FOPEN_READ))
+		{
+			return FALSE;
+		}
+
+		flock($fp, LOCK_SH);
+
+		$cache = (filesize($filepath) > 0) ? fread($fp, filesize($filepath)) : '';
+
+		flock($fp, LOCK_UN);
+		fclose($fp);
+
+		// Strip out the embedded timestamp
+		if ( ! preg_match('/^(\d+)TS--->/', $cache, $match))
+		{
+			return FALSE;
+		}
+
+		$last_modified = filemtime($cache_path);
+		$expire = $match[1];
+
+		// Has the file expired?
+		if ($_SERVER['REQUEST_TIME'] >= $expire && is_really_writable($cache_path))
+		{
+			// If so we'll delete it.
+			@unlink($filepath);
+			log_message('debug', 'Cache file has expired. File deleted.');
+			return FALSE;
+		}
+		else
+		{
+			// Or else send the HTTP cache control headers.
+			$this->set_cache_header($last_modified, $expire);
+		}
+
+		// Display the cache
+		$this->_display(substr($cache, strlen($match[0])));
+		log_message('debug', 'Cache file is current. Sending it to browser.');
+		return TRUE;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Delete cache
+	 *
+	 * @param	string	$uri	URI string
+	 * @return	bool
+	 */
+	public function delete_cache($uri = '')
+	{
+		$CI =& get_instance();
+		$cache_path = $CI->config->item('cache_path');
+		if ($cache_path === '')
+		{
+			$cache_path = APPPATH.'cache/';
+		}
+
+		if ( ! is_dir($cache_path))
+		{
+			log_message('error', 'Unable to find cache path: '.$cache_path);
+			return FALSE;
+		}
+
+		if (empty($uri))
+		{
+			$uri = $CI->uri->uri_string();
+		}
+
+		$cache_path .= md5($CI->config->item('base_url').$CI->config->item('index_page').$uri);
+
+		if ( ! @unlink($cache_path))
+		{
+			log_message('error', 'Unable to delete cache file for '.$uri);
+			return FALSE;
+		}
+
+		return TRUE;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Set Cache Header
+	 *
+	 * Set the HTTP headers to match the server-side file cache settings
+	 * in order to reduce bandwidth.
+	 *
+	 * @param	int	$last_modified	Timestamp of when the page was last modified
+	 * @param	int	$expiration	Timestamp of when should the requested page expire from cache
+	 * @return	void
+	 */
+	public function set_cache_header($last_modified, $expiration)
+	{
+		$max_age = $expiration - $_SERVER['REQUEST_TIME'];
+
+		if (isset($_SERVER['HTTP_IF_MODIFIED_SINCE']) && $last_modified <= strtotime($_SERVER['HTTP_IF_MODIFIED_SINCE']))
+		{
+			$this->set_status_header(304);
+			exit;
+		}
+		else
+		{
+			header('Pragma: public');
+			header('Cache-Control: max-age=' . $max_age . ', public');
+			header('Expires: '.gmdate('D, d M Y H:i:s', $expiration).' GMT');
+			header('Last-modified: '.gmdate('D, d M Y H:i:s', $last_modified).' GMT');
+		}
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Minify
+	 *
+	 * Reduce excessive size of HTML/CSS/JavaScript content.
+	 *
+	 * @param	string	$output	Output to minify
+	 * @param	string	$type	Output content MIME type
+	 * @return	string	Minified output
+	 */
+	public function minify($output, $type = 'text/html')
+	{
+		switch ($type)
+		{
+			case 'text/html':
+
+				if (($size_before = strlen($output)) === 0)
+				{
+					return '';
+				}
+
+				// Find all the 
,,}msU', $output, $textareas_clean);
+				preg_match_all('{}msU', $output, $javascript_clean);
+
+				// Minify the CSS in all the }msU', $output, $style_clean);
+				foreach ($style_clean[0] as $s)
+				{
+					$output = str_replace($s, $this->_minify_script_style($s, TRUE), $output);
+				}
+
+				// Minify the javascript in }msU', $output, $javascript_messed);
+					$output = str_replace($javascript_messed[0], $javascript_mini, $output);
+				}
+
+				$size_removed = $size_before - strlen($output);
+				$savings_percent = round(($size_removed / $size_before * 100));
+
+				log_message('debug', 'Minifier shaved '.($size_removed / 1000).'KB ('.$savings_percent.'%) off final HTML output.');
+
+			break;
+
+			case 'text/css':
+			case 'text/javascript':
+
+				$output = $this->_minify_script_style($output);
+
+			break;
+
+			default: break;
+		}
+
+		return $output;
+	}
+
+	// --------------------------------------------------------------------
+
+	/**
+	 * Minify Style and Script
+	 *
+	 * Reduce excessive size of CSS/JavaScript content.  To remove spaces this
+	 * script walks the string as an array and determines if the pointer is inside
+	 * a string created by single quotes or double quotes.  spaces inside those
+	 * strings are not stripped.  Opening and closing tags are severed from
+	 * the string initially and saved without stripping whitespace to preserve
+	 * the tags and any associated properties if tags are present
+	 *
+	 * Minification logic/workflow is similar to methods used by Douglas Crockford
+	 * in JSMIN. http://www.crockford.com/javascript/jsmin.html
+	 *
+	 * KNOWN ISSUE: ending a line with a closing parenthesis ')' and no semicolon
+	 * where there should be one will break the Javascript. New lines after a
+	 * closing parenthesis are not recognized by the script. For best results
+	 * be sure to terminate lines with a semicolon when appropriate.
+	 *
+	 * @param	string	$output		Output to minify
+	 * @param	bool	$has_tags	Specify if the output has style or script tags
+	 * @return	string	Minified output
+	 */
+	protected function _minify_script_style($output, $has_tags = FALSE)
+	{
+		// We only need this if there are tags in the file
+		if ($has_tags === TRUE)
+		{
+			// Remove opening tag and save for later
+			$pos = strpos($output, '>') + 1;
+			$open_tag = substr($output, 0, $pos);
+			$output = substr_replace($output, '', 0, $pos);
+
+			// Remove closing tag and save it for later
+			$end_pos = strlen($output);
+			$pos = strpos($output, ' $value)
+		{
+			if ($in_string === FALSE && $in_dstring === FALSE)
+			{
+				if ($value === ' ')
+				{
+					// Get the next element in the array for comparisons
+					$next = $array_output[$key + 1];
+
+					// Strip spaces preceded/followed by a non-ASCII character
+					// or not preceded/followed by an alphanumeric
+					// or not preceded/followed \ $ and _
+					if ((preg_match('/^[\x20-\x7f]*$/D', $next) OR preg_match('/^[\x20-\x7f]*$/D', $prev))
+						&& ( ! ctype_alnum($next) OR ! ctype_alnum($prev))
+						&& ! in_array($next, array('\\', '_', '$'), TRUE)
+						&& ! in_array($prev, array('\\', '_', '$'), TRUE)
+					)
+					{
+						unset($array_output[$key]);
+					}
+				}
+				else
+				{
+					// Save this value as previous for the next iteration
+					// if it is not a blank space
+					$prev = $value;
+				}
+			}
+
+			if ($value === "'")
+			{
+				$in_string = ! $in_string;
+			}
+			elseif ($value === '"')
+			{
+				$in_dstring = ! $in_dstring;
+			}
+		}
+
+		// Put the string back together after spaces have been stripped
+		$output = implode($array_output);
+
+		// Remove new line characters unless previous or next character is
+		// printable or Non-ASCII
+		preg_match_all('/[\n]/', $output, $lf, PREG_OFFSET_CAPTURE);
+		$removed_lf = 0;
+		foreach ($lf as $feed_position)
+		{
+			foreach ($feed_position as $position)
+			{
+				$position = $position[1] - $removed_lf;
+				$next = $output[$position + 1];
+				$prev = $output[$position - 1];
+				if ( ! ctype_print($next) && ! ctype_print($prev)
+					&& ! preg_match('/^[\x20-\x7f]*$/D', $next)
+					&& ! preg_match('/^[\x20-\x7f]*$/D', $prev)
+				)
+				{
+					$output = substr_replace($output, '', $position, 1);
+					$removed_lf++;
+				}
+			}
+		}
+
+		// Put the opening and closing tags back if applicable
+		return isset($open_tag)
+			? $open_tag.$output.$closing_tag
+			: $output;
+	}
+
+}
+
+/* End of file Output.php */
 /* Location: ./system/core/Output.php */
\ No newline at end of file

From 4d02e356cadd9af49c915c76b7cd27d01e67edb8 Mon Sep 17 00:00:00 2001
From: Michael Dodge 
Date: Fri, 4 Jan 2013 23:22:51 -0700
Subject: [PATCH 0460/3829] Fix MSIE conditionals regex in minify output

Allows IE conditionals like the following to remain unmodified.
```html
  
```
Credit to joebert regex from

http://www.sitepoint.com/forums/showthread.php?696559-Regex-pattern-to-strip-HTML-comments-but-leave-conditonals&s=3eef4ceb0a59b2fdb946fa56220fb6fd&p=4678083&viewfull=1#post4678083
---
 system/core/Output.php | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/system/core/Output.php b/system/core/Output.php
index ce0500e7107..27e711783c4 100644
--- a/system/core/Output.php
+++ b/system/core/Output.php
@@ -739,7 +739,7 @@ public function minify($output, $type = 'text/html')
 				$output = preg_replace('!\s{2,}!', ' ', $output);
 
 				// Remove comments (non-MSIE conditionals)
-				$output = preg_replace('{\s*\s*}msU', '', $output);
+				$output = preg_replace('{\s*\s*}msU', '', $output);
 
 				// Remove spaces around block-level elements.
 				$output = preg_replace('/\s*(<\/?(html|head|title|meta|script|link|style|body|h[1-6]|div|p|br)[^>]*>)\s*/is', '$1', $output);

From b19a203595b69067b3665ee179fb4b58cf5a014c Mon Sep 17 00:00:00 2001
From: Ted Wood 
Date: Sat, 5 Jan 2013 16:02:43 -0800
Subject: [PATCH 0461/3829] utilize static function variables in
 Common::log_message() to "cache" log threshold and Log library instance to
 reduce function calls

---
 system/core/Common.php | 15 ++++++++++++---
 1 file changed, 12 insertions(+), 3 deletions(-)

diff --git a/system/core/Common.php b/system/core/Common.php
index a4b4f2b3e92..d494caf80aa 100644
--- a/system/core/Common.php
+++ b/system/core/Common.php
@@ -413,14 +413,23 @@ function show_404($page = '', $log_error = TRUE)
 	 */
 	function log_message($level = 'error', $message, $php_error = FALSE)
 	{
-		static $_log;
+		static $_log, $_log_threshold;
+		
+		if ($_log_threshold === NULL)
+		{
+			$_log_threshold = config_item('log_threshold');
+		}
 
-		if (config_item('log_threshold') === 0)
+		if ($_log_threshold === 0)
 		{
 			return;
 		}
 
-		$_log =& load_class('Log', 'core');
+		if ($_log === NULL)
+		{
+			$_log =& load_class('Log', 'core');
+		}
+		
 		$_log->write_log($level, $message, $php_error);
 	}
 }

From 4c22364e12268961aac3ba0f2a4b60a066a16bcd Mon Sep 17 00:00:00 2001
From: Ted Wood 
Date: Sat, 5 Jan 2013 16:50:31 -0800
Subject: [PATCH 0462/3829] Slight performance improvement by moving some class
 property initialization to the class property declarations rather than
 setting them in the constructor. Subclasses can always override in their own
 constructor if they wish to. Is there a reason why it was done the way it was
 done? A policy that I am not aware of?

---
 system/core/Loader.php | 12 ++++--------
 1 file changed, 4 insertions(+), 8 deletions(-)

diff --git a/system/core/Loader.php b/system/core/Loader.php
index 5e6c4005001..9bfddc15a0d 100644
--- a/system/core/Loader.php
+++ b/system/core/Loader.php
@@ -52,28 +52,28 @@ class CI_Loader {
 	 *
 	 * @var	array
 	 */
-	protected $_ci_view_paths =	array();
+	protected $_ci_view_paths =	array(VIEWPATH	=> TRUE);
 
 	/**
 	 * List of paths to load libraries from
 	 *
 	 * @var	array
 	 */
-	protected $_ci_library_paths =	array();
+	protected $_ci_library_paths =	array(APPPATH, BASEPATH);
 
 	/**
 	 * List of paths to load models from
 	 *
 	 * @var	array
 	 */
-	protected $_ci_model_paths =	array();
+	protected $_ci_model_paths =	array(APPPATH);
 
 	/**
 	 * List of paths to load helpers from
 	 *
 	 * @var	array
 	 */
-	protected $_ci_helper_paths =	array();
+	protected $_ci_helper_paths =	array(APPPATH, BASEPATH);
 
 	/**
 	 * List of loaded base classes
@@ -137,10 +137,6 @@ class CI_Loader {
 	public function __construct()
 	{
 		$this->_ci_ob_level  = ob_get_level();
-		$this->_ci_library_paths = array(APPPATH, BASEPATH);
-		$this->_ci_helper_paths = array(APPPATH, BASEPATH);
-		$this->_ci_model_paths = array(APPPATH);
-		$this->_ci_view_paths = array(VIEWPATH	=> TRUE);
 
 		log_message('debug', 'Loader Class Initialized');
 	}

From 325e91ab502b1062e99085d8729c833c24d18076 Mon Sep 17 00:00:00 2001
From: Ted Wood 
Date: Mon, 7 Jan 2013 10:52:21 -0800
Subject: [PATCH 0463/3829] minor tweaks and optimizations: minimize function
 calls in _fetch_uri_string(); use constant PHP_SAPI instead of function
 php_sapi_name()

---
 system/core/URI.php | 14 +++++++-------
 1 file changed, 7 insertions(+), 7 deletions(-)

diff --git a/system/core/URI.php b/system/core/URI.php
index fb854011832..b3603bbb13d 100644
--- a/system/core/URI.php
+++ b/system/core/URI.php
@@ -94,7 +94,9 @@ public function __construct()
 	 */
 	public function _fetch_uri_string()
 	{
-		if (strtoupper($this->config->item('uri_protocol')) === 'AUTO')
+		$protocol = strtoupper($this->config->item('uri_protocol'));
+
+		if ($protocol === 'AUTO')
 		{
 			// Is the request coming from the command line?
 			if ($this->_is_cli_request())
@@ -136,20 +138,18 @@ public function _fetch_uri_string()
 			return;
 		}
 
-		$uri = strtoupper($this->config->item('uri_protocol'));
-
-		if ($uri === 'CLI')
+		if ($protocol === 'CLI')
 		{
 			$this->_set_uri_string($this->_parse_argv());
 			return;
 		}
-		elseif (method_exists($this, ($method = '_parse_'.strtolower($uri))))
+		elseif (method_exists($this, ($method = '_parse_'.strtolower($protocol))))
 		{
 			$this->_set_uri_string($this->$method());
 			return;
 		}
 
-		$uri = isset($_SERVER[$uri]) ? $_SERVER[$uri] : @getenv($uri);
+		$uri = isset($_SERVER[$protocol]) ? $_SERVER[$protocol] : @getenv($protocol);
 		$this->_set_uri_string($uri);
 	}
 
@@ -291,7 +291,7 @@ protected function _parse_query_string()
 	 */
 	protected function _is_cli_request()
 	{
-		return (php_sapi_name() === 'cli') OR defined('STDIN');
+		return (PHP_SAPI === 'cli') OR defined('STDIN');
 	}
 
 	// --------------------------------------------------------------------

From 9cc707b8a5c726b7f2aa21b026dbf491a75e06c4 Mon Sep 17 00:00:00 2001
From: Ted Wood 
Date: Tue, 8 Jan 2013 19:41:45 -0800
Subject: [PATCH 0464/3829] fix imagejpeg() parameter, should be NULL instead
 of empty string

---
 system/libraries/Image_lib.php | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php
index 54a134f5096..6d5493696e5 100644
--- a/system/libraries/Image_lib.php
+++ b/system/libraries/Image_lib.php
@@ -1491,7 +1491,7 @@ public function image_display_gd($resource)
 		{
 			case 1	:	imagegif($resource);
 				break;
-			case 2	:	imagejpeg($resource, '', $this->quality);
+			case 2	:	imagejpeg($resource, NULL, $this->quality);
 				break;
 			case 3	:	imagepng($resource);
 				break;

From 4673d421a91693751ed06c413c8b6d3faa800c14 Mon Sep 17 00:00:00 2001
From: Nic 
Date: Wed, 9 Jan 2013 09:53:41 +0200
Subject: [PATCH 0465/3829] Small typo in autoload config.

Fixed "Packges" to read "Packages".
---
 application/config/autoload.php | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/application/config/autoload.php b/application/config/autoload.php
index 4a9d221bccb..40f0a652080 100644
--- a/application/config/autoload.php
+++ b/application/config/autoload.php
@@ -56,7 +56,7 @@
 
 /*
 | -------------------------------------------------------------------
-|  Auto-load Packges
+|  Auto-load Packages
 | -------------------------------------------------------------------
 | Prototype:
 |

From a541087a6fb44b24f8d7044277391f282a326220 Mon Sep 17 00:00:00 2001
From: Timothy Warren 
Date: Wed, 9 Jan 2013 10:44:14 -0500
Subject: [PATCH 0466/3829] Fix interbase limit issue for subqueries

---
 system/database/drivers/ibase/ibase_driver.php | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php
index 87faf3d0872..875f148a18f 100644
--- a/system/database/drivers/ibase/ibase_driver.php
+++ b/system/database/drivers/ibase/ibase_driver.php
@@ -421,7 +421,7 @@ protected function _limit($sql)
 				.($this->qb_offset ? $this->qb_offset.' TO '.($this->qb_limit + $this->qb_offset) : $this->qb_limit);
 		}
 
-		return preg_replace('`SELECT`i', 'SELECT '.$select, $sql);
+		return preg_replace('`SELECT`i', 'SELECT '.$select, $sql, 1);
 	}
 
 	// --------------------------------------------------------------------

From 024cfeceedc17fc8442b2bca9dfc73c361dfaac3 Mon Sep 17 00:00:00 2001
From: vlakoff 
Date: Wed, 9 Jan 2013 18:10:20 +0100
Subject: [PATCH 0467/3829] Syntax fixes in documentation source

---
 user_guide_src/source/changelog.rst           |  2 +-
 .../source/general/ancillary_classes.rst      | 38 +++++++++----------
 .../source/general/core_classes.rst           | 12 +++---
 .../source/general/creating_libraries.rst     | 38 +++++++++----------
 .../source/installation/upgrade_300.rst       |  6 +--
 .../source/libraries/form_validation.rst      |  4 +-
 user_guide_src/source/libraries/migration.rst |  2 +-
 7 files changed, 51 insertions(+), 51 deletions(-)

diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst
index 5534a1ee747..744150bb442 100644
--- a/user_guide_src/source/changelog.rst
+++ b/user_guide_src/source/changelog.rst
@@ -231,7 +231,7 @@ Release Date: Not Released
 	 -  Native PHP functions used as rules can now accept an additional parameter, other than the data itself.
 	 -  Updated method ``set_rules()`` to accept an array of rules as well as a string.
 	 -  Fields that have empty rules set no longer run through validation (and therefore are not considered erroneous).
-	 -  Added rule **differs* to check if the value of a field differs from the value of another field.
+	 -  Added rule **differs** to check if the value of a field differs from the value of another field.
 	 -  Added rule **valid_url**.
 	 -  Added support for named parameters in error messages.
 	 -  :doc:`Language ` line keys must now be prefixed with **form_validation_**.
diff --git a/user_guide_src/source/general/ancillary_classes.rst b/user_guide_src/source/general/ancillary_classes.rst
index a4befc7b301..5dc058ad42d 100644
--- a/user_guide_src/source/general/ancillary_classes.rst
+++ b/user_guide_src/source/general/ancillary_classes.rst
@@ -58,30 +58,30 @@ won't need to call ``get_instance()`` in every single method.
 
 Example::
 
-class Example {
+	class Example {
 
-	protected $CI;
+		protected $CI;
 
-	// We'll use a constructor, as you can't directly call a function
-	// from a property definition.
-	public function __construct()
-	{
-		// Assign the CodeIgniter super-object
-		$this->CI =& get_instance();
-	}
+		// We'll use a constructor, as you can't directly call a function
+		// from a property definition.
+		public function __construct()
+		{
+			// Assign the CodeIgniter super-object
+			$this->CI =& get_instance();
+		}
 
-	public function foo()
-	{
-		$this->CI->load->helper('url');
-		redirect();
-	}
+		public function foo()
+		{
+			$this->CI->load->helper('url');
+			redirect();
+		}
 
-	public function bar()
-	{
-		$this->CI->config_item('base_url');
-	}
+		public function bar()
+		{
+			$this->CI->config_item('base_url');
+		}
 
-}
+	}
 
 In the above example, both methods ``foo()`` and ``bar()`` will work
 after you instantiate the Example class, without the need to call
diff --git a/user_guide_src/source/general/core_classes.rst b/user_guide_src/source/general/core_classes.rst
index ce57aeef0d2..07c0b00bac0 100644
--- a/user_guide_src/source/general/core_classes.rst
+++ b/user_guide_src/source/general/core_classes.rst
@@ -76,15 +76,15 @@ application/core/MY_Input.php, and declare your class with::
 	}
 
 .. note:: If you need to use a constructor in your class make sure you
-extend the parent constructor::
+	extend the parent constructor::
 
-	class MY_Input extends CI_Input {
+		class MY_Input extends CI_Input {
 
-		public function __construct()
-		{
-			parent::__construct();
+			public function __construct()
+			{
+				parent::__construct();
+			}
 		}
-	}
 
 **Tip:** Any functions in your class that are named identically to the
 methods in the parent class will be used instead of the native ones
diff --git a/user_guide_src/source/general/creating_libraries.rst b/user_guide_src/source/general/creating_libraries.rst
index 8bafd4532d1..4fc8ed72f34 100644
--- a/user_guide_src/source/general/creating_libraries.rst
+++ b/user_guide_src/source/general/creating_libraries.rst
@@ -148,30 +148,30 @@ take full advantage of the OOP principles. So, in order to
 be able to use the CodeIgniter super-object in all of the class
 methods, you're encouraged to assign it to a property instead::
 
-class Example_library {
+	class Example_library {
 
-	protected $CI;
+		protected $CI;
 
-	// We'll use a constructor, as you can't directly call a function
-	// from a property definition.
-	public function __construct()
-	{
-		// Assign the CodeIgniter super-object
-		$this->CI =& get_instance();
-	}
+		// We'll use a constructor, as you can't directly call a function
+		// from a property definition.
+		public function __construct()
+		{
+			// Assign the CodeIgniter super-object
+			$this->CI =& get_instance();
+		}
 
-	public function foo()
-	{
-		$this->CI->load->helper('url');
-		redirect();
-	}
+		public function foo()
+		{
+			$this->CI->load->helper('url');
+			redirect();
+		}
 
-	public function bar()
-	{
-		echo $this->CI->config_item('base_url');
-	}
+		public function bar()
+		{
+			echo $this->CI->config_item('base_url');
+		}
 
-}
+	}
 
 Replacing Native Libraries with Your Versions
 =============================================
diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst
index ff601867e56..94f6321befd 100644
--- a/user_guide_src/source/installation/upgrade_300.rst
+++ b/user_guide_src/source/installation/upgrade_300.rst
@@ -302,7 +302,7 @@ CodeIgniter 3.1+.
 String helper random_string() types 'unique' and 'encrypt'
 ==========================================================
 
-When using the :doc:`String Helper ` function :php:func:`random_string()`,
+When using the :doc:`String Helper <../helpers/string_helper>` function :php:func:`random_string()`,
 you should no longer pass the **unique** and **encrypt** randomization types. They are only
 aliases for **md5** and **sha1** respectively and are now deprecated and scheduled for removal
 in CodeIgniter 3.1+.
@@ -313,7 +313,7 @@ in CodeIgniter 3.1+.
 URL helper url_title() separators 'dash' and 'underscore'
 =========================================================
 
-When using the :doc:`URL Helper ` function :php:func:`url_title()`, you
+When using the :doc:`URL Helper <../helpers/url_helper>` function :php:func:`url_title()`, you
 should no longer pass **dash** or **underscore** as the word separator. This function will
 now accept any character and you should just pass the chosen character directly, so you
 should write '-' instead of 'dash' and '_' instead of 'underscore'.
@@ -327,7 +327,7 @@ in CodeIgniter 3.1+.
 Database Forge method add_column() with an AFTER clause
 =======================================================
 
-If you have used the **third parameter** for :doc:`Database Forge ` method
+If you have used the **third parameter** for :doc:`Database Forge <../database/forge>` method
 ``add_column()`` to add a field for an AFTER clause, then you should change its usage.
 
 That third parameter has been deprecated and scheduled for removal in CodeIgniter 3.1+.
diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst
index ce1695d6202..ae7859aa35b 100644
--- a/user_guide_src/source/libraries/form_validation.rst
+++ b/user_guide_src/source/libraries/form_validation.rst
@@ -479,7 +479,7 @@ Message is the text you would like displayed.
 
 If you'd like to include a field's "human" name, or the optional 
 parameter some rules allow for (such as max_length), you can add the 
-**{field}** and **{param}** tags to your message, respectively.
+**{field}** and **{param}** tags to your message, respectively::
 
 	$this->form_validation->set_message('min_length', '{field} must have at least {param} characters.');
 
@@ -491,7 +491,7 @@ error would display: "Username must have at least 5 characters."
 	use one or the other.
 
 In the callback rule example above, the error message was set by passing
-the name of the method (without the "callback_" prefix)::
+the name of the method (without the "callback\_" prefix)::
 
 	$this->form_validation->set_message('username_check')
 
diff --git a/user_guide_src/source/libraries/migration.rst b/user_guide_src/source/libraries/migration.rst
index 1a73fb78d7d..9a7b10d642b 100644
--- a/user_guide_src/source/libraries/migration.rst
+++ b/user_guide_src/source/libraries/migration.rst
@@ -158,6 +158,6 @@ Preference                 Default                Options                    Des
                                                                              version number.
 **migration_auto_latest**  FALSE                  TRUE / FALSE               Enable or disable automatically 
                                                                              running migrations.
-**migration_type**        'timestamp'            'timestamp' / 'sequential' The type of numeric identifier used to name
+**migration_type**         'timestamp'            'timestamp' / 'sequential' The type of numeric identifier used to name
                                                                              migration files.
 ========================== ====================== ========================== =============================================

From be999666179d34a2282bd46271b74364f22f3144 Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Thu, 10 Jan 2013 11:40:09 +0200
Subject: [PATCH 0468/3829] Apply improvement proposed in #2142

---
 system/database/drivers/mysql/mysql_driver.php   | 2 +-
 system/database/drivers/mysqli/mysqli_driver.php | 2 +-
 2 files changed, 2 insertions(+), 2 deletions(-)

diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php
index 98d553b2cc7..c6b46f070cc 100644
--- a/system/database/drivers/mysql/mysql_driver.php
+++ b/system/database/drivers/mysql/mysql_driver.php
@@ -237,7 +237,7 @@ protected function _prep_query($sql)
 		// modifies the query so that it a proper number of affected rows is returned.
 		if ($this->delete_hack === TRUE && preg_match('/^\s*DELETE\s+FROM\s+(\S+)\s*$/i', $sql))
 		{
-			return preg_replace('/^\s*DELETE\s+FROM\s+(\S+)\s*$/', 'DELETE FROM \\1 WHERE 1=1', $sql);
+			return trim($sql).' WHERE 1=1';
 		}
 
 		return $sql;
diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php
index 966a7b1fde0..be9176e160c 100644
--- a/system/database/drivers/mysqli/mysqli_driver.php
+++ b/system/database/drivers/mysqli/mysqli_driver.php
@@ -214,7 +214,7 @@ protected function _prep_query($sql)
 		// modifies the query so that it a proper number of affected rows is returned.
 		if ($this->delete_hack === TRUE && preg_match('/^\s*DELETE\s+FROM\s+(\S+)\s*$/i', $sql))
 		{
-			return preg_replace('/^\s*DELETE\s+FROM\s+(\S+)\s*$/', 'DELETE FROM \\1 WHERE 1=1', $sql);
+			return trim($sql).' WHERE 1=1';
 		}
 
 		return $sql;

From 7545ffd90647cd65aeaff2a21032a13140700c63 Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Thu, 10 Jan 2013 16:23:48 +0200
Subject: [PATCH 0469/3829] Fix SQLSRV escape_str()

---
 .../database/drivers/sqlsrv/sqlsrv_driver.php | 24 ++++++++++++++++++-
 user_guide_src/source/changelog.rst           |  1 +
 2 files changed, 24 insertions(+), 1 deletion(-)

diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php
index 0e04c5c67fe..a6f2d55372b 100644
--- a/system/database/drivers/sqlsrv/sqlsrv_driver.php
+++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php
@@ -230,8 +230,30 @@ public function trans_rollback()
 	 */
 	public function escape_str($str, $like = FALSE)
 	{
+		if (is_array($str))
+		{
+			foreach ($str as $key => $val)
+			{
+				$str[$key] = $this->escape_str($val, $like);
+			}
+
+			return $str;
+		}
+
 		// Escape single quotes
-		return str_replace("'", "''", $str);
+		$str = str_replace("'", "''", remove_invisible_characters($str));
+
+		// escape LIKE condition wildcards
+		if ($like === TRUE)
+		{
+			return str_replace(
+				array($this->_like_escape_chr, '%', '_'),
+				array($this->_like_escape_chr.$this->_like_escape_chr, $this->_like_escape_chr.'%', $this->_like_escape_chr.'_'),
+				$str
+			);
+		}
+
+		return $str;
 	}
 
 	// --------------------------------------------------------------------
diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst
index 744150bb442..2966f659f25 100644
--- a/user_guide_src/source/changelog.rst
+++ b/user_guide_src/source/changelog.rst
@@ -468,6 +468,7 @@ Bug fixes for 3.0
 -  Fixed a bug (#188) - :doc:`Unit Testing Library ` filled up logs with error messages for non-existing language keys.
 -  Fixed a bug (#113) - :doc:`Form Validation Library ` didn't properly handle empty fields that were specified as an array.
 -  Fixed a bug (#2061) - :doc:`Routing Class ` didn't properly sanitize directory, controller and function triggers with **enable_query_strings** set to TRUE.
+-  Fixed a bug - SQLSRV didn't support ``escape_like_str()`` or escaping an array of values.
 
 Version 2.1.3
 =============

From 0b6a492ce1092172b9e3445e674ff9a344d33650 Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Thu, 10 Jan 2013 16:53:44 +0200
Subject: [PATCH 0470/3829] Unify escape_str() array input and LIKE logic

Added protected method _escape_str() to deal with quote escaping.
---
 system/database/DB_driver.php                 | 49 ++++++++++++++++++-
 .../database/drivers/cubrid/cubrid_driver.php | 31 ++----------
 .../database/drivers/ibase/ibase_driver.php   | 32 ------------
 .../database/drivers/mssql/mssql_driver.php   | 37 --------------
 .../database/drivers/mysql/mysql_driver.php   | 31 +++---------
 .../database/drivers/mysqli/mysqli_driver.php | 31 +++---------
 system/database/drivers/oci8/oci8_driver.php  | 34 -------------
 system/database/drivers/odbc/odbc_driver.php  | 29 ++---------
 system/database/drivers/pdo/pdo_driver.php    | 34 +++----------
 .../drivers/postgre/postgre_driver.php        | 29 ++---------
 .../database/drivers/sqlite/sqlite_driver.php | 29 ++---------
 .../drivers/sqlite3/sqlite3_driver.php        | 29 ++---------
 .../database/drivers/sqlsrv/sqlsrv_driver.php | 37 --------------
 13 files changed, 87 insertions(+), 345 deletions(-)

diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php
index 8c98a876e48..1e5e8c6f72e 100644
--- a/system/database/DB_driver.php
+++ b/system/database/DB_driver.php
@@ -1003,13 +1003,47 @@ public function escape($str)
 
 	// --------------------------------------------------------------------
 
+	/**
+	 * Escape String
+	 *
+	 * @param	string	$str
+	 * @param	bool	$like	Whether or not the string will be used in a LIKE condition
+	 * @return	string
+	 */
+	public function escape_str($str, $like = FALSE)
+	{
+		if (is_array($str))
+		{
+			foreach ($str as $key => $val)
+			{
+				$str[$key] = $this->escape_str($val, $like);
+			}
+
+			return $str;
+		}
+
+		$str = $this->_escape_str($str);
+
+		// escape LIKE condition wildcards
+		if ($like === TRUE)
+		{
+			return str_replace(array($this->_like_escape_chr, '%', '_'),
+						array($this->_like_escape_chr.$this->_like_escape_chr, $this->_like_escape_chr.'%', $this->_like_escape_chr.'_'),
+						$str);
+		}
+
+		return $str;
+	}
+
+	// --------------------------------------------------------------------
+
 	/**
 	 * Escape LIKE String
 	 *
 	 * Calls the individual driver for platform
 	 * specific escaping for LIKE conditions
 	 *
-	 * @param	string
+	 * @param	string|string[]
 	 * @return	mixed
 	 */
 	public function escape_like_str($str)
@@ -1019,6 +1053,19 @@ public function escape_like_str($str)
 
 	// --------------------------------------------------------------------
 
+	/**
+	 * Platform-dependant string escape
+	 *
+	 * @param	string
+	 * @return	string
+	 */
+	protected function _escape_str($str)
+	{
+		return str_replace("'", "''", remove_invisible_characters($str));
+	}
+
+	// --------------------------------------------------------------------
+
 	/**
 	 * Primary
 	 *
diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php
index 06ece4bd94a..6663868bd9e 100644
--- a/system/database/drivers/cubrid/cubrid_driver.php
+++ b/system/database/drivers/cubrid/cubrid_driver.php
@@ -295,42 +295,21 @@ public function trans_rollback()
 	// --------------------------------------------------------------------
 
 	/**
-	 * Escape String
+	 * Platform-dependant string escape
 	 *
-	 * @param	string	$str
-	 * @param	bool	$like	Whether or not the string will be used in a LIKE condition
+	 * @param	string
 	 * @return	string
 	 */
-	public function escape_str($str, $like = FALSE)
+	protected function _escape_str($str)
 	{
-		if (is_array($str))
-		{
-			foreach ($str as $key => $val)
-			{
-				$str[$key] = $this->escape_str($val, $like);
-			}
-
-			return $str;
-		}
-
 		if (function_exists('cubrid_real_escape_string') &&
 			(is_resource($this->conn_id)
 				OR (get_resource_type($this->conn_id) === 'Unknown' && preg_match('/Resource id #/', strval($this->conn_id)))))
 		{
-			$str = cubrid_real_escape_string($str, $this->conn_id);
-		}
-		else
-		{
-			$str = addslashes($str);
-		}
-
-		// escape LIKE condition wildcards
-		if ($like === TRUE)
-		{
-			return str_replace(array('%', '_'), array('\\%', '\\_'), $str);
+			return cubrid_real_escape_string($str, $this->conn_id);
 		}
 
-		return $str;
+		return addslashes($str);
 	}
 
 	// --------------------------------------------------------------------
diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php
index 875f148a18f..74501105643 100644
--- a/system/database/drivers/ibase/ibase_driver.php
+++ b/system/database/drivers/ibase/ibase_driver.php
@@ -191,38 +191,6 @@ public function trans_rollback()
 
 	// --------------------------------------------------------------------
 
-	/**
-	 * Escape String
-	 *
-	 * @param	string	$str
-	 * @param	bool	$like	Whether or not the string will be used in a LIKE condition
-	 * @return	string
-	 */
-	public function escape_str($str, $like = FALSE)
-	{
-		if (is_array($str))
-		{
-			foreach ($str as $key => $val)
-			{
-				$str[$key] = $this->escape_str($val, $like);
-			}
-
-			return $str;
-		}
-
-		// escape LIKE condition wildcards
-		if ($like === TRUE)
-		{
-			return str_replace(array($this->_like_escape_chr, '%', '_'),
-						array($this->_like_escape_chr.$this->_like_escape_chr, $this->_like_escape_chr.'%', $this->_like_escape_chr.'_'),
-						$str);
-		}
-
-		return $str;
-	}
-
-	// --------------------------------------------------------------------
-
 	/**
 	 * Affected Rows
 	 *
diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php
index 286135f197f..f60071ed9ff 100644
--- a/system/database/drivers/mssql/mssql_driver.php
+++ b/system/database/drivers/mssql/mssql_driver.php
@@ -228,43 +228,6 @@ public function trans_rollback()
 
 	// --------------------------------------------------------------------
 
-	/**
-	 * Escape String
-	 *
-	 * @param	string	$str
-	 * @param	bool	$like	Whether or not the string will be used in a LIKE condition
-	 * @return	string
-	 */
-	public function escape_str($str, $like = FALSE)
-	{
-		if (is_array($str))
-		{
-			foreach ($str as $key => $val)
-			{
-				$str[$key] = $this->escape_str($val, $like);
-			}
-
-			return $str;
-		}
-
-		// Escape single quotes
-		$str = str_replace("'", "''", remove_invisible_characters($str));
-
-		// escape LIKE condition wildcards
-		if ($like === TRUE)
-		{
-			return str_replace(
-				array($this->_like_escape_chr, '%', '_'),
-				array($this->_like_escape_chr.$this->_like_escape_chr, $this->_like_escape_chr.'%', $this->_like_escape_chr.'_'),
-				$str
-			);
-		}
-
-		return $str;
-	}
-
-	// --------------------------------------------------------------------
-
 	/**
 	 * Affected Rows
 	 *
diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php
index c6b46f070cc..492b07861ca 100644
--- a/system/database/drivers/mysql/mysql_driver.php
+++ b/system/database/drivers/mysql/mysql_driver.php
@@ -312,35 +312,16 @@ public function trans_rollback()
 	// --------------------------------------------------------------------
 
 	/**
-	 * Escape String
+	 * Platform-dependant string escape
 	 *
-	 * @param	string	$str
-	 * @param	bool	$like	Whether or not the string will be used in a LIKE condition
+	 * @param	string
 	 * @return	string
 	 */
-	public function escape_str($str, $like = FALSE)
+	protected function _escape_str($str)
 	{
-		if (is_array($str))
-		{
-			foreach ($str as $key => $val)
-			{
-				$str[$key] = $this->escape_str($val, $like);
-			}
-
-			return $str;
-		}
-
-		$str = is_resource($this->conn_id) ? mysql_real_escape_string($str, $this->conn_id) : addslashes($str);
-
-		// escape LIKE condition wildcards
-		if ($like === TRUE)
-		{
-			return str_replace(array($this->_like_escape_chr, '%', '_'),
-						array($this->_like_escape_chr.$this->_like_escape_chr, $this->_like_escape_chr.'%', $this->_like_escape_chr.'_'),
-						$str);
-		}
-
-		return $str;
+		return is_resource($this->conn_id)
+			? mysql_real_escape_string($str, $this->conn_id)
+			: addslashes($str);
 	}
 
 	// --------------------------------------------------------------------
diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php
index be9176e160c..b64a7a2e801 100644
--- a/system/database/drivers/mysqli/mysqli_driver.php
+++ b/system/database/drivers/mysqli/mysqli_driver.php
@@ -289,35 +289,16 @@ public function trans_rollback()
 	// --------------------------------------------------------------------
 
 	/**
-	 * Escape String
+	 * Platform-dependant string escape
 	 *
-	 * @param	string	$str
-	 * @param	bool	$like	Whether or not the string will be used in a LIKE condition
+	 * @param	string
 	 * @return	string
 	 */
-	public function escape_str($str, $like = FALSE)
+	protected function _escape_str($str)
 	{
-		if (is_array($str))
-		{
-			foreach ($str as $key => $val)
-			{
-				$str[$key] = $this->escape_str($val, $like);
-			}
-
-			return $str;
-		}
-
-		$str = is_object($this->conn_id) ? $this->conn_id->real_escape_string($str) : addslashes($str);
-
-		// escape LIKE condition wildcards
-		if ($like === TRUE)
-		{
-			return str_replace(array($this->_like_escape_chr, '%', '_'),
-						array($this->_like_escape_chr.$this->_like_escape_chr, $this->_like_escape_chr.'%', $this->_like_escape_chr.'_'),
-						$str);
-		}
-
-		return $str;
+		return is_object($this->conn_id)
+			? $this->conn_id->real_escape_string($str)
+			: addslashes($str);
 	}
 
 	// --------------------------------------------------------------------
diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php
index 6a850b43e3f..0ec8b53b8bc 100644
--- a/system/database/drivers/oci8/oci8_driver.php
+++ b/system/database/drivers/oci8/oci8_driver.php
@@ -460,40 +460,6 @@ public function trans_rollback()
 
 	// --------------------------------------------------------------------
 
-	/**
-	 * Escape String
-	 *
-	 * @param	string	$str
-	 * @param	bool	$like	Whether or not the string will be used in a LIKE condition
-	 * @return	string
-	 */
-	public function escape_str($str, $like = FALSE)
-	{
-		if (is_array($str))
-		{
-			foreach ($str as $key => $val)
-			{
-				$str[$key] = $this->escape_str($val, $like);
-			}
-
-			return $str;
-		}
-
-		$str = str_replace("'", "''", remove_invisible_characters($str));
-
-		// escape LIKE condition wildcards
-		if ($like === TRUE)
-		{
-			return str_replace(array($this->_like_escape_chr, '%', '_'),
-						array($this->_like_escape_chr.$this->_like_escape_chr, $this->_like_escape_chr.'%', $this->_like_escape_chr.'_'),
-						$str);
-		}
-
-		return $str;
-	}
-
-	// --------------------------------------------------------------------
-
 	/**
 	 * Affected Rows
 	 *
diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php
index 8f247edd5f6..45e91cbc5b7 100644
--- a/system/database/drivers/odbc/odbc_driver.php
+++ b/system/database/drivers/odbc/odbc_driver.php
@@ -203,35 +203,14 @@ public function trans_rollback()
 	// --------------------------------------------------------------------
 
 	/**
-	 * Escape String
+	 * Platform-dependant string escape
 	 *
-	 * @param	string	$str
-	 * @param	bool	$like	Whether or not the string will be used in a LIKE condition
+	 * @param	string
 	 * @return	string
 	 */
-	public function escape_str($str, $like = FALSE)
+	protected function _escape_str($str)
 	{
-		if (is_array($str))
-		{
-			foreach ($str as $key => $val)
-			{
-				$str[$key] = $this->escape_str($val, $like);
-			}
-
-			return $str;
-		}
-
-		$str = remove_invisible_characters($str);
-
-		// escape LIKE condition wildcards
-		if ($like === TRUE)
-		{
-			return str_replace(array($this->_like_escape_chr, '%', '_'),
-						array($this->_like_escape_chr.$this->_like_escape_chr, $this->_like_escape_chr.'%', $this->_like_escape_chr.'_'),
-						$str);
-		}
-
-		return $str;
+		return remove_invisible_characters($str);
 	}
 
 	// --------------------------------------------------------------------
diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php
index 37090cb5d4a..34adf0f861f 100644
--- a/system/database/drivers/pdo/pdo_driver.php
+++ b/system/database/drivers/pdo/pdo_driver.php
@@ -257,42 +257,20 @@ public function trans_rollback()
 	// --------------------------------------------------------------------
 
 	/**
-	 * Escape String
+	 * Platform-dependant string escape
 	 *
-	 * @param	string	$str
-	 * @param	bool	$like	Whether or not the string will be used in a LIKE condition
+	 * @param	string
 	 * @return	string
 	 */
-	public function escape_str($str, $like = FALSE)
+	protected function _escape_str($str)
 	{
-		if (is_array($str))
-		{
-			foreach ($str as $key => $val)
-			{
-				$str[$key] = $this->escape_str($val, $like);
-			}
-
-			return $str;
-		}
-
 		// Escape the string
 		$str = $this->conn_id->quote($str);
 
 		// If there are duplicated quotes, trim them away
-		if ($str[0] === "'")
-		{
-			$str = substr($str, 1, -1);
-		}
-
-		// escape LIKE condition wildcards
-		if ($like === TRUE)
-		{
-			return str_replace(array($this->_like_escape_chr, '%', '_'),
-						array($this->_like_escape_chr.$this->_like_escape_chr, $this->_like_escape_chr.'%', $this->_like_escape_chr.'_'),
-						$str);
-		}
-
-		return $str;
+		return ($str[0] === "'")
+			? substr($str, 1, -1)
+			: $str;
 	}
 
 	// --------------------------------------------------------------------
diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php
index 643d6c8ef80..d35e351fc83 100644
--- a/system/database/drivers/postgre/postgre_driver.php
+++ b/system/database/drivers/postgre/postgre_driver.php
@@ -311,35 +311,14 @@ public function trans_rollback()
 	// --------------------------------------------------------------------
 
 	/**
-	 * Escape String
+	 * Platform-dependant string escape
 	 *
-	 * @param	string	$str
-	 * @param	bool	$like Whether or not the string will be used in a LIKE condition
+	 * @param	string
 	 * @return	string
 	 */
-	public function escape_str($str, $like = FALSE)
+	protected function _escape_str($str)
 	{
-		if (is_array($str))
-		{
-			foreach ($str as $key => $val)
-			{
-				$str[$key] = $this->escape_str($val, $like);
-			}
-
-			return $str;
-		}
-
-		$str = pg_escape_string($str);
-
-		// escape LIKE condition wildcards
-		if ($like === TRUE)
-		{
-			return str_replace(array($this->_like_escape_chr, '%', '_'),
-						array($this->_like_escape_chr.$this->_like_escape_chr, $this->_like_escape_chr.'%', $this->_like_escape_chr.'_'),
-						$str);
-		}
-
-		return $str;
+		return pg_escape_string($str);
 	}
 
 	// --------------------------------------------------------------------
diff --git a/system/database/drivers/sqlite/sqlite_driver.php b/system/database/drivers/sqlite/sqlite_driver.php
index da7d90bb29a..6a3397f6f00 100644
--- a/system/database/drivers/sqlite/sqlite_driver.php
+++ b/system/database/drivers/sqlite/sqlite_driver.php
@@ -200,35 +200,14 @@ public function trans_rollback()
 	// --------------------------------------------------------------------
 
 	/**
-	 * Escape String
+	 * Platform-dependant string escape
 	 *
-	 * @param	string	$str
-	 * @param	bool	$like	Whether or not the string will be used in a LIKE condition
+	 * @param	string
 	 * @return	string
 	 */
-	public function escape_str($str, $like = FALSE)
+	protected function _escape_str($str)
 	{
-		if (is_array($str))
-		{
-			foreach ($str as $key => $val)
-			{
-				$str[$key] = $this->escape_str($val, $like);
-			}
-
-			return $str;
-		}
-
-		$str = sqlite_escape_string($str);
-
-		// escape LIKE condition wildcards
-		if ($like === TRUE)
-		{
-			return str_replace(array($this->_like_escape_chr, '%', '_'),
-						array($this->_like_escape_chr.$this->_like_escape_chr, $this->_like_escape_chr.'%', $this->_like_escape_chr.'_'),
-						$str);
-		}
-
-		return $str;
+		return sqlite_escape_string($str);
 	}
 
 	// --------------------------------------------------------------------
diff --git a/system/database/drivers/sqlite3/sqlite3_driver.php b/system/database/drivers/sqlite3/sqlite3_driver.php
index 529191114aa..4d131c31adb 100644
--- a/system/database/drivers/sqlite3/sqlite3_driver.php
+++ b/system/database/drivers/sqlite3/sqlite3_driver.php
@@ -189,35 +189,14 @@ public function trans_rollback()
 	// --------------------------------------------------------------------
 
 	/**
-	 * Escape String
+	 * Platform-dependant string escape
 	 *
-	 * @param	string	$str
-	 * @param	bool	$like	Whether or not the string will be used in a LIKE condition
+	 * @param	string
 	 * @return	string
 	 */
-	public function escape_str($str, $like = FALSE)
+	protected function _escape_str($str)
 	{
-		if (is_array($str))
-		{
-			foreach ($str as $key => $val)
-			{
-				$str[$key] = $this->escape_str($val, $like);
-			}
-
-			return $str;
-		}
-
-		$str = $this->conn_id->escapeString(remove_invisible_characters($str));
-
-		// escape LIKE condition wildcards
-		if ($like === TRUE)
-		{
-			return str_replace(array($this->_like_escape_chr, '%', '_'),
-						array($this->_like_escape_chr.$this->_like_escape_chr, $this->_like_escape_chr.'%', $this->_like_escape_chr.'_'),
-						$str);
-		}
-
-		return $str;
+		return $this->conn_id->escapeString(remove_invisible_characters($str));
 	}
 
 	// --------------------------------------------------------------------
diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php
index a6f2d55372b..09e6b8c9a30 100644
--- a/system/database/drivers/sqlsrv/sqlsrv_driver.php
+++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php
@@ -221,43 +221,6 @@ public function trans_rollback()
 
 	// --------------------------------------------------------------------
 
-	/**
-	 * Escape String
-	 *
-	 * @param	string	$str
-	 * @param	bool	$like	Whether or not the string will be used in a LIKE condition
-	 * @return	string
-	 */
-	public function escape_str($str, $like = FALSE)
-	{
-		if (is_array($str))
-		{
-			foreach ($str as $key => $val)
-			{
-				$str[$key] = $this->escape_str($val, $like);
-			}
-
-			return $str;
-		}
-
-		// Escape single quotes
-		$str = str_replace("'", "''", remove_invisible_characters($str));
-
-		// escape LIKE condition wildcards
-		if ($like === TRUE)
-		{
-			return str_replace(
-				array($this->_like_escape_chr, '%', '_'),
-				array($this->_like_escape_chr.$this->_like_escape_chr, $this->_like_escape_chr.'%', $this->_like_escape_chr.'_'),
-				$str
-			);
-		}
-
-		return $str;
-	}
-
-	// --------------------------------------------------------------------
-
 	/**
 	 * Affected Rows
 	 *

From 661f588a010fd9203d542398e04997902405c122 Mon Sep 17 00:00:00 2001
From: vlakoff 
Date: Thu, 10 Jan 2013 16:26:59 +0100
Subject: [PATCH 0471/3829] URI->_remove_url_suffix() : suffix has to be at the
 end of uri_string

related to #2135
---
 system/core/URI.php | 11 +++++++++--
 1 file changed, 9 insertions(+), 2 deletions(-)

diff --git a/system/core/URI.php b/system/core/URI.php
index b3603bbb13d..8d0d8fddc92 100644
--- a/system/core/URI.php
+++ b/system/core/URI.php
@@ -353,9 +353,16 @@ public function _remove_url_suffix()
 	{
 		$suffix = (string) $this->config->item('url_suffix');
 
-		if ($suffix !== '' && ($offset = strrpos($this->uri_string, $suffix)) !== FALSE)
+		if ($suffix === '')
 		{
-			$this->uri_string = substr_replace($this->uri_string, '', $offset, strlen($suffix));
+			return;
+		}
+
+		$offset = strrpos($this->uri_string, $suffix);
+
+		if ($offset !== FALSE && $offset === strlen($this->uri_string) - strlen($suffix))
+		{
+			$this->uri_string = substr($this->uri_string, 0, $offset);
 		}
 	}
 

From 5b5401a78403fce9a32acd912686b5e6cdba15b7 Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Thu, 10 Jan 2013 17:38:08 +0200
Subject: [PATCH 0472/3829] A tiny improvement

---
 system/libraries/Trackback.php | 5 ++---
 1 file changed, 2 insertions(+), 3 deletions(-)

diff --git a/system/libraries/Trackback.php b/system/libraries/Trackback.php
index 2fb737d6b75..ecc7129e3ff 100644
--- a/system/libraries/Trackback.php
+++ b/system/libraries/Trackback.php
@@ -268,9 +268,8 @@ public function process($url, $data)
 		}
 
 		// Build the path
-		$ppath = isset($target['path']) ? $target['path'] : $url;
-
-		$path = empty($target['query']) ? $ppath : $ppath.'?'.$target['query'];
+		$path = isset($target['path']) ? $target['path'] : $url;
+		empty($target['query']) OR $path .= '?'.$target['query'];
 
 		// Add the Trackback ID to the data string
 		if ($id = $this->get_id($url))

From d1e50fa4ae25a8e60a13f06e6debbca1b2749fce Mon Sep 17 00:00:00 2001
From: vlakoff 
Date: Fri, 11 Jan 2013 15:22:17 +0100
Subject: [PATCH 0473/3829] URI->_remove_url_suffix() : more efficient code

related to #2135
---
 system/core/URI.php | 6 +++---
 1 file changed, 3 insertions(+), 3 deletions(-)

diff --git a/system/core/URI.php b/system/core/URI.php
index 8d0d8fddc92..9b31a646bc0 100644
--- a/system/core/URI.php
+++ b/system/core/URI.php
@@ -358,11 +358,11 @@ public function _remove_url_suffix()
 			return;
 		}
 
-		$offset = strrpos($this->uri_string, $suffix);
+		$slen = strlen($suffix);
 
-		if ($offset !== FALSE && $offset === strlen($this->uri_string) - strlen($suffix))
+		if (substr($this->uri_string, -$slen) === $suffix)
 		{
-			$this->uri_string = substr($this->uri_string, 0, $offset);
+			$this->uri_string = substr($this->uri_string, 0, -$slen);
 		}
 	}
 

From 5a519db2c4884a3972dd33e09d0b3a314aa222e2 Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Sat, 12 Jan 2013 04:19:19 +0200
Subject: [PATCH 0474/3829] Implement autoload model aliasing (#2117)

---
 application/config/autoload.php              | 8 ++++++--
 system/core/Loader.php                       | 4 ++--
 user_guide_src/source/changelog.rst          | 1 +
 user_guide_src/source/general/autoloader.rst | 2 +-
 4 files changed, 10 insertions(+), 5 deletions(-)

diff --git a/application/config/autoload.php b/application/config/autoload.php
index 40f0a652080..5a20c943a2d 100644
--- a/application/config/autoload.php
+++ b/application/config/autoload.php
@@ -148,12 +148,16 @@
 | -------------------------------------------------------------------
 | Prototype:
 |
-|	$autoload['model'] = array('model1', 'model2');
+|	$autoload['model'] = array('first_model', 'second_model');
 |
+| You can also supply an alternative model name to be assigned
+| in the controller:
+|
+|	$autoload['model'] = array('first_model' => 'first');
 */
 
 $autoload['model'] = array();
 
 
 /* End of file autoload.php */
-/* Location: ./application/config/autoload.php */
+/* Location: ./application/config/autoload.php */
\ No newline at end of file
diff --git a/system/core/Loader.php b/system/core/Loader.php
index 9bfddc15a0d..4d95d628876 100644
--- a/system/core/Loader.php
+++ b/system/core/Loader.php
@@ -233,9 +233,9 @@ public function model($model, $name = '', $db_conn = FALSE)
 		}
 		elseif (is_array($model))
 		{
-			foreach ($model as $class)
+			foreach ($model as $key => $value)
 			{
-				$this->model($class);
+				$this->model(is_int($key) ? $value : $key, $value);
 			}
 			return;
 		}
diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst
index 2966f659f25..98999992903 100644
--- a/user_guide_src/source/changelog.rst
+++ b/user_guide_src/source/changelog.rst
@@ -285,6 +285,7 @@ Release Date: Not Released
 	 -  Added autoloading of drivers with ``$autoload['drivers']``.
 	 -  ``$config['rewrite_short_tags']`` now has no effect when using PHP 5.4 as ``` changes include:
 	 -  Added ``method()`` to retrieve ``$_SERVER['REQUEST_METHOD']``.
 	 -  Added support for arrays and network addresses (e.g. 192.168.1.1/24) for use with the *proxy_ips* setting.
diff --git a/user_guide_src/source/general/autoloader.rst b/user_guide_src/source/general/autoloader.rst
index e5cec723b80..bf2e3935a5c 100644
--- a/user_guide_src/source/general/autoloader.rst
+++ b/user_guide_src/source/general/autoloader.rst
@@ -15,7 +15,7 @@ The following items can be loaded automatically:
 -  Language files found in the *system/language/* directory
 -  Models found in the *models/* folder
 
-To autoload resources, open the *application/config/autoload.php*
+To autoload resources, open the **application/config/autoload.php**
 file and add the item you want loaded to the autoload array. You'll
 find instructions in that file corresponding to each type of item.
 

From c90e67ea553f1ff0fc22f280583fca22f95f9f42 Mon Sep 17 00:00:00 2001
From: Eric Roberts 
Date: Fri, 11 Jan 2013 21:20:54 -0600
Subject: [PATCH 0475/3829] Improve output cache.

---
 system/core/Output.php | 34 ++++++++++++++++++++++++----------
 1 file changed, 24 insertions(+), 10 deletions(-)

diff --git a/system/core/Output.php b/system/core/Output.php
index 27e711783c4..52a5518584c 100644
--- a/system/core/Output.php
+++ b/system/core/Output.php
@@ -58,21 +58,21 @@ class CI_Output {
 	 *
 	 * @var	array
 	 */
-	public $headers =	array();
+	public $headers = array();
 
 	/**
 	 * List of mime types
 	 *
 	 * @var	array
 	 */
-	public $mimes =		array();
+	public $mimes = array();
 
 	/**
 	 * Mime-type for the current page
 	 *
 	 * @var	string
 	 */
-	protected $mime_type	= 'text/html';
+	protected $mime_type = 'text/html';
 
 	/**
 	 * Enable Profiler flag
@@ -86,14 +86,14 @@ class CI_Output {
 	 *
 	 * @var	bool
 	 */
-	protected $_zlib_oc =		FALSE;
+	protected $_zlib_oc = FALSE;
 
 	/**
 	 * List of profiler sections
 	 *
 	 * @var	array
 	 */
-	protected $_profiler_sections =	array();
+	protected $_profiler_sections = array();
 
 	/**
 	 * Parse markers flag
@@ -102,7 +102,7 @@ class CI_Output {
 	 *
 	 * @var	bool
 	 */
-	public $parse_exec_vars =	TRUE;
+	public $parse_exec_vars = TRUE;
 
 	/**
 	 * Class constructor
@@ -543,10 +543,16 @@ public function _write_cache($output)
 		}
 
 		$expire = time() + ($this->cache_expiration * 60);
+		
+		// Put together our serialized info.
+		$cache_info = serialize(array(
+			'expire'	=> $expire,
+			'headers'	=> $this->headers
+		));
 
 		if (flock($fp, LOCK_EX))
 		{
-			fwrite($fp, $expire.'TS--->'.$output);
+			fwrite($fp, $cache_info.'ENDCI--->'.$output);
 			flock($fp, LOCK_UN);
 		}
 		else
@@ -595,14 +601,16 @@ public function _display_cache(&$CFG, &$URI)
 		flock($fp, LOCK_UN);
 		fclose($fp);
 
-		// Strip out the embedded timestamp
-		if ( ! preg_match('/^(\d+)TS--->/', $cache, $match))
+		// Look for embedded serialized file info.
+		if ( ! preg_match('/^(.*)ENDCI--->/', $cache, $match))
 		{
 			return FALSE;
 		}
+		
+		$cache_info = unserialize($match[1]);
+		$expire = $cache_info['expire'];
 
 		$last_modified = filemtime($cache_path);
-		$expire = $match[1];
 
 		// Has the file expired?
 		if ($_SERVER['REQUEST_TIME'] >= $expire && is_really_writable($cache_path))
@@ -617,6 +625,12 @@ public function _display_cache(&$CFG, &$URI)
 			// Or else send the HTTP cache control headers.
 			$this->set_cache_header($last_modified, $expire);
 		}
+		
+		// Add headers from cache file.
+		foreach ($cache_info['headers'] as $header)
+		{
+			$this->set_header($header[0], $header[1]);
+		}
 
 		// Display the cache
 		$this->_display(substr($cache, strlen($match[0])));

From 1228fe27bc1f22838cd80c5fe33c37274faf0e24 Mon Sep 17 00:00:00 2001
From: vlakoff 
Date: Mon, 14 Jan 2013 01:30:09 +0100
Subject: [PATCH 0476/3829] Replace is_null() with === / !== NULL

Exact same behavior, but faster. I also think it's more readable.
---
 system/core/Loader.php               |  8 ++++----
 system/database/DB_driver.php        |  2 +-
 system/database/DB_query_builder.php | 18 +++++++++---------
 system/database/DB_result.php        |  2 +-
 system/libraries/Email.php           |  2 +-
 system/libraries/Form_validation.php |  6 +++---
 system/libraries/Ftp.php             |  4 ++--
 system/libraries/Javascript.php      |  4 ++--
 system/libraries/Table.php           |  2 +-
 system/libraries/Unit_test.php       |  4 ++--
 system/libraries/User_agent.php      |  2 +-
 system/libraries/Xmlrpc.php          |  2 +-
 12 files changed, 28 insertions(+), 28 deletions(-)

diff --git a/system/core/Loader.php b/system/core/Loader.php
index 4d95d628876..1ad07f1fac5 100644
--- a/system/core/Loader.php
+++ b/system/core/Loader.php
@@ -205,7 +205,7 @@ public function library($library = '', $params = NULL, $object_name = NULL)
 			return;
 		}
 
-		if ( ! is_null($params) && ! is_array($params))
+		if ($params !== NULL && ! is_array($params))
 		{
 			$params = NULL;
 		}
@@ -975,7 +975,7 @@ protected function _ci_load_class($class, $params = NULL, $object_name = NULL)
 					// Before we deem this to be a duplicate request, let's see
 					// if a custom object name is being supplied. If so, we'll
 					// return a new instance of the object
-					if ( ! is_null($object_name))
+					if ($object_name !== NULL)
 					{
 						$CI =& get_instance();
 						if ( ! isset($CI->$object_name))
@@ -1014,7 +1014,7 @@ protected function _ci_load_class($class, $params = NULL, $object_name = NULL)
 					// Before we deem this to be a duplicate request, let's see
 					// if a custom object name is being supplied. If so, we'll
 					// return a new instance of the object
-					if ( ! is_null($object_name))
+					if ($object_name !== NULL)
 					{
 						$CI =& get_instance();
 						if ( ! isset($CI->$object_name))
@@ -1144,7 +1144,7 @@ protected function _ci_init_class($class, $prefix = '', $config = FALSE, $object
 		// Was a custom class name supplied? If so we'll use it
 		$class = strtolower($class);
 
-		if (is_null($object_name))
+		if ($object_name === NULL)
 		{
 			$classvar = isset($this->_ci_varmap[$class]) ? $this->_ci_varmap[$class] : $class;
 		}
diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php
index 1e5e8c6f72e..26791398a03 100644
--- a/system/database/DB_driver.php
+++ b/system/database/DB_driver.php
@@ -993,7 +993,7 @@ public function escape($str)
 		{
 			return ($str === FALSE) ? 0 : 1;
 		}
-		elseif (is_null($str))
+		elseif ($str === NULL)
 		{
 			return 'NULL';
 		}
diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php
index dc2c5e70285..978fc6af740 100644
--- a/system/database/DB_query_builder.php
+++ b/system/database/DB_query_builder.php
@@ -644,7 +644,7 @@ protected function _wh($qb_key, $key, $value = NULL, $type = 'AND ', $escape = N
 				? $this->_group_get_type('')
 				: $this->_group_get_type($type);
 
-			if ( ! is_null($v))
+			if ($v !== NULL)
 			{
 				if ($escape === TRUE)
 				{
@@ -1202,7 +1202,7 @@ public function order_by($orderby, $direction = '', $escape = NULL)
 	 */
 	public function limit($value, $offset = FALSE)
 	{
-		is_null($value) OR $this->qb_limit = (int) $value;
+		$value === NULL OR $this->qb_limit = (int) $value;
 		empty($offset) OR $this->qb_offset = (int) $offset;
 
 		return $this;
@@ -1382,7 +1382,7 @@ public function get_where($table = '', $where = NULL, $limit = NULL, $offset = N
 			$this->from($table);
 		}
 
-		if ( ! is_null($where))
+		if ($where !== NULL)
 		{
 			$this->where($where);
 		}
@@ -1411,7 +1411,7 @@ public function get_where($table = '', $where = NULL, $limit = NULL, $offset = N
 	 */
 	public function insert_batch($table = '', $set = NULL, $escape = NULL)
 	{
-		if ( ! is_null($set))
+		if ($set !== NULL)
 		{
 			$this->set_insert_batch($set, '', $escape);
 		}
@@ -1567,7 +1567,7 @@ public function get_compiled_insert($table = '', $reset = TRUE)
 	 */
 	public function insert($table = '', $set = NULL, $escape = NULL)
 	{
-		if ( ! is_null($set))
+		if ($set !== NULL)
 		{
 			$this->set($set, '', $escape);
 		}
@@ -1633,7 +1633,7 @@ protected function _validate_insert($table = '')
 	 */
 	public function replace($table = '', $set = NULL)
 	{
-		if ( ! is_null($set))
+		if ($set !== NULL)
 		{
 			$this->set($set);
 		}
@@ -1742,7 +1742,7 @@ public function update($table = '', $set = NULL, $where = NULL, $limit = NULL)
 		// Combine any cached components with the current statements
 		$this->_merge_cache();
 
-		if ( ! is_null($set))
+		if ($set !== NULL)
 		{
 			$this->set($set);
 		}
@@ -1815,12 +1815,12 @@ public function update_batch($table = '', $set = NULL, $index = NULL)
 		// Combine any cached components with the current statements
 		$this->_merge_cache();
 
-		if (is_null($index))
+		if ($index === NULL)
 		{
 			return ($this->db_debug) ? $this->display_error('db_must_use_index') : FALSE;
 		}
 
-		if ( ! is_null($set))
+		if ($set !== NULL)
 		{
 			$this->set_update_batch($set, $index);
 		}
diff --git a/system/database/DB_result.php b/system/database/DB_result.php
index dfd8081fdb7..a044fd5dcda 100644
--- a/system/database/DB_result.php
+++ b/system/database/DB_result.php
@@ -354,7 +354,7 @@ public function set_row($key, $value = NULL)
 			return;
 		}
 
-		if ($key !== '' && ! is_null($value))
+		if ($key !== '' && $value !== NULL)
 		{
 			$this->row_data[$key] = $value;
 		}
diff --git a/system/libraries/Email.php b/system/libraries/Email.php
index 1834be239be..3a386456d26 100644
--- a/system/libraries/Email.php
+++ b/system/libraries/Email.php
@@ -1335,7 +1335,7 @@ protected function _build_message()
 		for ($i = 0, $c = count($this->_attachments), $z = 0; $i < $c; $i++)
 		{
 			$filename = $this->_attachments[$i]['name'][0];
-			$basename = is_null($this->_attachments[$i]['name'][1])
+			$basename = $this->_attachments[$i]['name'][1] === NULL
 				? basename($filename) : $this->_attachments[$i]['name'][1];
 			$ctype = $this->_attachments[$i]['type'];
 			$file_content = '';
diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php
index c405eb6b115..bbd0b523e1b 100644
--- a/system/libraries/Form_validation.php
+++ b/system/libraries/Form_validation.php
@@ -511,7 +511,7 @@ protected function _reset_post_array()
 	{
 		foreach ($this->_field_data as $field => $row)
 		{
-			if ( ! is_null($row['postdata']))
+			if ($row['postdata'] !== NULL)
 			{
 				if ($row['is_array'] === FALSE)
 				{
@@ -583,7 +583,7 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0)
 
 		// If the field is blank, but NOT required, no further tests are necessary
 		$callback = FALSE;
-		if ( ! in_array('required', $rules) && is_null($postdata))
+		if ( ! in_array('required', $rules) && $postdata === NULL)
 		{
 			// Before we bail out, does the rule contain a callback?
 			if (preg_match('/(callback_\w+(\[.*?\])?)/', implode(' ', $rules), $match))
@@ -598,7 +598,7 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0)
 		}
 
 		// Isset Test. Typically this rule will only apply to checkboxes.
-		if (is_null($postdata) && $callback === FALSE)
+		if ($postdata === NULL && $callback === FALSE)
 		{
 			if (in_array('isset', $rules, TRUE) OR in_array('required', $rules))
 			{
diff --git a/system/libraries/Ftp.php b/system/libraries/Ftp.php
index b8729a9c7f4..dc6bbd22622 100644
--- a/system/libraries/Ftp.php
+++ b/system/libraries/Ftp.php
@@ -266,7 +266,7 @@ public function mkdir($path = '', $permissions = NULL)
 		}
 
 		// Set file permissions if needed
-		if ( ! is_null($permissions))
+		if ($permissions !== NULL)
 		{
 			$this->chmod($path, (int) $permissions);
 		}
@@ -320,7 +320,7 @@ public function upload($locpath, $rempath, $mode = 'auto', $permissions = NULL)
 		}
 
 		// Set file permissions if needed
-		if ( ! is_null($permissions))
+		if ($permissions !== NULL)
 		{
 			$this->chmod($rempath, (int) $permissions);
 		}
diff --git a/system/libraries/Javascript.php b/system/libraries/Javascript.php
index 542a0ecdeee..7f1d8551152 100644
--- a/system/libraries/Javascript.php
+++ b/system/libraries/Javascript.php
@@ -737,7 +737,7 @@ public function generate_json($result = NULL, $match_array_type = FALSE)
 	{
 		// JSON data can optionally be passed to this function
 		// either as a database result object or an array, or a user supplied array
-		if ( ! is_null($result))
+		if ($result !== NULL)
 		{
 			if (is_object($result))
 			{
@@ -823,7 +823,7 @@ protected function _is_associative_array($arr)
 	 */
 	protected function _prep_args($result, $is_key = FALSE)
 	{
-		if (is_null($result))
+		if ($result === NULL)
 		{
 			return 'null';
 		}
diff --git a/system/libraries/Table.php b/system/libraries/Table.php
index 86569905285..b77fcf19d3b 100644
--- a/system/libraries/Table.php
+++ b/system/libraries/Table.php
@@ -291,7 +291,7 @@ public function generate($table_data = NULL)
 	{
 		// The table data can optionally be passed to this function
 		// either as a database result object or an array
-		if ( ! is_null($table_data))
+		if ($table_data !== NULL)
 		{
 			if (is_object($table_data))
 			{
diff --git a/system/libraries/Unit_test.php b/system/libraries/Unit_test.php
index de8c9bb8084..7a67c7276c3 100644
--- a/system/libraries/Unit_test.php
+++ b/system/libraries/Unit_test.php
@@ -356,12 +356,12 @@ protected function _default_template()
 	 */
 	protected function _parse_template()
 	{
-		if ( ! is_null($this->_template_rows))
+		if ($this->_template_rows !== NULL)
 		{
 			return;
 		}
 
-		if (is_null($this->_template) OR ! preg_match('/\{rows\}(.*?)\{\/rows\}/si', $this->_template, $match))
+		if ($this->_template === NULL OR ! preg_match('/\{rows\}(.*?)\{\/rows\}/si', $this->_template, $match))
 		{
 			$this->_default_template();
 			return;
diff --git a/system/libraries/User_agent.php b/system/libraries/User_agent.php
index 542deb7386a..1f4b2fa524b 100644
--- a/system/libraries/User_agent.php
+++ b/system/libraries/User_agent.php
@@ -158,7 +158,7 @@ public function __construct()
 			$this->agent = trim($_SERVER['HTTP_USER_AGENT']);
 		}
 
-		if ( ! is_null($this->agent) && $this->_load_agent_file())
+		if ($this->agent !== NULL && $this->_load_agent_file())
 		{
 			$this->_compile_data();
 		}
diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php
index c3c7690f06a..9e60791ae60 100644
--- a/system/libraries/Xmlrpc.php
+++ b/system/libraries/Xmlrpc.php
@@ -368,7 +368,7 @@ public function server($url, $port = 80, $proxy = FALSE, $proxy_port = 8080)
 	 */
 	public function timeout($seconds = 5)
 	{
-		if ( ! is_null($this->client) && is_int($seconds))
+		if ($this->client !== NULL && is_int($seconds))
 		{
 			$this->client->timeout = $seconds;
 		}

From 5b60a3bb74d39b8718081cb62c21f9f48e7a4a87 Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Tue, 15 Jan 2013 04:19:03 +0200
Subject: [PATCH 0477/3829] [ci skip] Fix issue #2157 - docs on the email
 library

---
 user_guide_src/source/libraries/email.rst | 52 +++++++++++++----------
 1 file changed, 29 insertions(+), 23 deletions(-)

diff --git a/user_guide_src/source/libraries/email.rst b/user_guide_src/source/libraries/email.rst
index 8643444f80f..7d468251cf9 100644
--- a/user_guide_src/source/libraries/email.rst
+++ b/user_guide_src/source/libraries/email.rst
@@ -40,8 +40,6 @@ This example assumes you are sending the email from one of your
 
 	$this->email->send();
 
-	echo $this->email->print_debugger();
-
 Setting Email Preferences
 =========================
 
@@ -51,7 +49,7 @@ or automatically via preferences stored in your config file, described
 below:
 
 Preferences are set by passing an array of preference values to the
-email initialize function. Here is an example of how you might set some
+email initialize method. Here is an example of how you might set some
 preferences::
 
 	$config['protocol'] = 'sendmail';
@@ -71,8 +69,8 @@ If you prefer not to set preferences using the above method, you can
 instead put them into a config file. Simply create a new file called the
 email.php, add the $config array in that file. Then save the file at
 config/email.php and it will be used automatically. You will NOT need to
-use the $this->email->initialize() function if you save your preferences
-in a config file.
+use the ``$this->email->initialize()`` method if you save your
+preferences in a config file.
 
 Email Preferences
 =================
@@ -107,8 +105,8 @@ Preference          Default Value          Options                      Descript
 **dsn**             FALSE                  TRUE or FALSE (boolean)      Enable notify message from server
 =================== ====================== ============================ =======================================================================
 
-Email Function Reference
-========================
+Email Methods Reference
+=======================
 
 $this->email->from()
 --------------------
@@ -125,10 +123,10 @@ You can also set a Return-Path, to help redirect undelivered mail::
 	'smtp' as your protocol.
 
 $this->email->reply_to()
--------------------------
+------------------------
 
 Sets the reply-to address. If the information is not provided the
-information in the "from" function is used. Example::
+information in the "from" method is used. Example::
 
 	$this->email->reply_to('you@example.com', 'Your Name');
 
@@ -177,7 +175,7 @@ Sets the email message body::
 	$this->email->message('This is my message');
 
 $this->email->set_alt_message()
----------------------------------
+-------------------------------
 
 Sets the alternative email message body::
 
@@ -200,21 +198,21 @@ Appends additional headers to the e-mail::
 $this->email->clear()
 ---------------------
 
-Initializes all the email variables to an empty state. This function is
-intended for use if you run the email sending function in a loop,
+Initializes all the email variables to an empty state. This method is
+intended for use if you run the email sending method in a loop,
 permitting the data to be reset between cycles.
 
 ::
 
 	foreach ($list as $name => $address)
 	{
-	    $this->email->clear();
+		$this->email->clear();
 
-	    $this->email->to($address);
-	    $this->email->from('your@example.com');
-	    $this->email->subject('Here is your info '.$name);
-	    $this->email->message('Hi '.$name.' Here is the info you requested.');
-	    $this->email->send();
+		$this->email->to($address);
+		$this->email->from('your@example.com');
+		$this->email->subject('Here is your info '.$name);
+		$this->email->message('Hi '.$name.' Here is the info you requested.');
+		$this->email->send();
 	}
 
 If you set the parameter to TRUE any attachments will be cleared as
@@ -225,15 +223,15 @@ well::
 $this->email->send()
 --------------------
 
-The Email sending function. Returns boolean TRUE or FALSE based on
+The Email sending method. Returns boolean TRUE or FALSE based on
 success or failure, enabling it to be used conditionally::
 
 	if ( ! $this->email->send())
 	{
-	    // Generate error
+		// Generate error
 	}
 
-This function will automatically clear all parameters if the request was
+This method will automatically clear all parameters if the request was
 successful. To stop this behaviour pass FALSE::
 
  	if ($this->email->send(FALSE))
@@ -241,12 +239,15 @@ successful. To stop this behaviour pass FALSE::
  		// Parameters won't be cleared
  	}
 
+.. note:: In order to use the ``print_debugger()`` method, you need
+	to avoid clearing the email parameters.
+
 $this->email->attach()
 ----------------------
 
 Enables you to send an attachment. Put the file path/name in the first
 parameter. Note: Use a file path, not a URL. For multiple attachments
-use the function multiple times. For example::
+use the method multiple times. For example::
 
 	$this->email->attach('/path/to/photo1.jpg');
 	$this->email->attach('/path/to/photo2.jpg');
@@ -278,6 +279,11 @@ Valid options are: **headers**, **subject**, **body**.
 
 Example::
 
+	// You need to pass FALSE while sending in order for the email data
+	// to not be cleared - if that happens, print_debugger() would have
+	// nothing to output.
+	$this->email->send(FALSE);
+
 	// Will only print the email headers, excluding the message subject and body
 	$this->email->print_debugger(array('headers'));
 
@@ -301,4 +307,4 @@ message like this::
 	wrapped normally.
 	
 
-Place the item you do not want word-wrapped between: {unwrap} {/unwrap}
+Place the item you do not want word-wrapped between: {unwrap} {/unwrap}
\ No newline at end of file

From 912f1bcbc3d4f9b09695ab784d6985efbc4c9235 Mon Sep 17 00:00:00 2001
From: vlakoff 
Date: Tue, 15 Jan 2013 03:34:12 +0100
Subject: [PATCH 0478/3829] A few adjustments to previous commit

---
 system/database/DB_query_builder.php | 2 +-
 system/libraries/Email.php           | 2 +-
 2 files changed, 2 insertions(+), 2 deletions(-)

diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php
index 978fc6af740..ac377d99675 100644
--- a/system/database/DB_query_builder.php
+++ b/system/database/DB_query_builder.php
@@ -1202,7 +1202,7 @@ public function order_by($orderby, $direction = '', $escape = NULL)
 	 */
 	public function limit($value, $offset = FALSE)
 	{
-		$value === NULL OR $this->qb_limit = (int) $value;
+		is_null($value) OR $this->qb_limit = (int) $value;
 		empty($offset) OR $this->qb_offset = (int) $offset;
 
 		return $this;
diff --git a/system/libraries/Email.php b/system/libraries/Email.php
index 3a386456d26..997757b0a6f 100644
--- a/system/libraries/Email.php
+++ b/system/libraries/Email.php
@@ -1335,7 +1335,7 @@ protected function _build_message()
 		for ($i = 0, $c = count($this->_attachments), $z = 0; $i < $c; $i++)
 		{
 			$filename = $this->_attachments[$i]['name'][0];
-			$basename = $this->_attachments[$i]['name'][1] === NULL
+			$basename = ($this->_attachments[$i]['name'][1] === NULL)
 				? basename($filename) : $this->_attachments[$i]['name'][1];
 			$ctype = $this->_attachments[$i]['type'];
 			$file_content = '';

From e9eb64f863ffeacd2986eb75e0aaaeb95d12a122 Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Thu, 17 Jan 2013 15:21:02 +0200
Subject: [PATCH 0479/3829] Fix issues #2160, #2161

---
 system/helpers/url_helper.php | 17 ++++++-----------
 1 file changed, 6 insertions(+), 11 deletions(-)

diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php
index 0c0edf54e2b..130f6f96265 100644
--- a/system/helpers/url_helper.php
+++ b/system/helpers/url_helper.php
@@ -408,23 +408,18 @@ function auto_link($str, $type = 'both', $popup = FALSE)
 			}
 		}
 
-		if ($type !== 'url' && preg_match_all('/([a-zA-Z0-9_\.\-\+]+)@([a-zA-Z0-9\-]+)\.([a-zA-Z0-9\-\.]+)/i', $str, $matches))
+		if ($type !== 'url' && preg_match_all('/([a-zA-Z0-9_\.\-\+]+)@([a-zA-Z0-9\-]+)\.([a-zA-Z0-9\-\.]+)/i', $str, $matches, PREG_OFFSET_CAPTURE))
 		{
-			for ($i = 0, $c = count($matches); $i < $c; $i++)
+			for ($i = count($matches[0]) - 1; $i > -1; $i--)
 			{
-				if (preg_match('/(\.|\,)$/i', $matches[3][$i], $m))
+				if (preg_match('/(\.|\,)$/i', $matches[3][$i][0], $m))
 				{
-					$punct = $m[1];
-					$matches[3][$i] = substr($matches[3][$i], 0, -1);
-				}
-				else
-				{
-					$punct = '';
+					$matches[3][$i][0] = substr($matches[3][$i][0], 0, -1);
 				}
 
-				if (filter_var(($m = $matches[1][$i].'@'.$matches[2][$i].'.'.$matches[3][$i]), FILTER_VALIDATE_EMAIL) !== FALSE)
+				if (filter_var(($m = $matches[1][$i][0].'@'.$matches[2][$i][0].'.'.$matches[3][$i][0]), FILTER_VALIDATE_EMAIL) !== FALSE)
 				{
-					$str = str_replace($matches[0][$i], safe_mailto($m).$punct, $str);
+					$str = substr_replace($str, safe_mailto($m), $matches[0][$i][1], strlen($m));
 				}
 			}
 		}

From 8093bd7a1ae63cacb87c16aad9910c053349739f Mon Sep 17 00:00:00 2001
From: Eric Roberts 
Date: Thu, 17 Jan 2013 18:12:47 -0600
Subject: [PATCH 0480/3829] Fix and optimize auto_link() URL helper function.

Signed-off-by: Eric Roberts 
---
 system/helpers/url_helper.php | 53 +++++++++++++++--------------------
 1 file changed, 22 insertions(+), 31 deletions(-)

diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php
index 130f6f96265..8be32727651 100644
--- a/system/helpers/url_helper.php
+++ b/system/helpers/url_helper.php
@@ -383,47 +383,38 @@ function safe_mailto($email, $title = '', $attributes = '')
 	 */
 	function auto_link($str, $type = 'both', $popup = FALSE)
 	{
-		if ($type !== 'email' && preg_match_all('#(^|\s|\(|\b)((http(s?)://)|(www\.))(\w+[^\s\)\<]+)#i', $str, $matches))
+		// Find and replace any URLs.
+		if ($type !== 'email' && preg_match_all('#\b(([\w-]+://?|www[.])[^\s()<>]+(?:\([\w\d]+\)|([^[:punct:]\s]|/)))#', $str, $matches, PREG_OFFSET_CAPTURE))
 		{
-			$pop = ($popup) ? ' target="_blank" ' : '';
-
-			for ($i = 0, $c = count($matches[0]); $i < $c; $i++)
+			// Set our target HTML if using popup links.
+			$target = ($popup) ? 'target="_blank"' : '';
+			
+			// We process the links in reverse order (last -> first) so that
+			// the returned string offsets from preg_match_all() are not
+			// moved as we add more HTML.
+			foreach (array_reverse($matches[0]) as $match)
 			{
-				if (preg_match('/(\.|\,)$/i', $matches[6][$i], $m))
-				{
-					$punct = $m[1];
-					$matches[6][$i] = substr($matches[6][$i], 0, -1);
-				}
-				else
-				{
-					$punct = '';
-				}
-
-				$str = str_replace($matches[0][$i],
-							$matches[1][$i].'http'
-								.$matches[4][$i].'://'.$matches[5][$i]
-								.$matches[6][$i].''.$punct,
-							$str);
+				// $match is an array generated by the PREG_OFFSET_CAPTURE flag.
+				// $match[0] is the matched string, $match[1] is the string offset.
+				
+				$anchor = anchor($match[0], '', $target);
+				
+				$str = substr_replace($str, $anchor, $match[1], strlen($match[0]));
 			}
 		}
-
-		if ($type !== 'url' && preg_match_all('/([a-zA-Z0-9_\.\-\+]+)@([a-zA-Z0-9\-]+)\.([a-zA-Z0-9\-\.]+)/i', $str, $matches, PREG_OFFSET_CAPTURE))
+		
+		// Find and replace any emails.
+		if ($type !== 'url' && preg_match_all('#([\w\.\-\+]+@[a-z0-9\-]+\.[a-z0-9\-\.]+[^[:punct:]\s])#i', $str, $matches, PREG_OFFSET_CAPTURE))
 		{
-			for ($i = count($matches[0]) - 1; $i > -1; $i--)
+			foreach (array_reverse($matches[0]) as $match)
 			{
-				if (preg_match('/(\.|\,)$/i', $matches[3][$i][0], $m))
+				if (filter_var($match[0], FILTER_VALIDATE_EMAIL) !== FALSE)
 				{
-					$matches[3][$i][0] = substr($matches[3][$i][0], 0, -1);
-				}
-
-				if (filter_var(($m = $matches[1][$i][0].'@'.$matches[2][$i][0].'.'.$matches[3][$i][0]), FILTER_VALIDATE_EMAIL) !== FALSE)
-				{
-					$str = substr_replace($str, safe_mailto($m), $matches[0][$i][1], strlen($m));
+					$str = substr_replace($str, safe_mailto($match[0]), $match[1], strlen($match[0]));
 				}
 			}
 		}
-
+		
 		return $str;
 	}
 }

From 3e6b58215a78f63f43a62c584a1386bda2a1f3e1 Mon Sep 17 00:00:00 2001
From: Eric Roberts 
Date: Thu, 17 Jan 2013 18:30:25 -0600
Subject: [PATCH 0481/3829] Return spacing on var definitions.

Signed-off-by: Eric Roberts 
---
 system/core/Output.php | 12 ++++++------
 1 file changed, 6 insertions(+), 6 deletions(-)

diff --git a/system/core/Output.php b/system/core/Output.php
index 52a5518584c..e6c48b5dd85 100644
--- a/system/core/Output.php
+++ b/system/core/Output.php
@@ -58,21 +58,21 @@ class CI_Output {
 	 *
 	 * @var	array
 	 */
-	public $headers = array();
+	public $headers =	array();
 
 	/**
 	 * List of mime types
 	 *
 	 * @var	array
 	 */
-	public $mimes = array();
+	public $mimes =		array();
 
 	/**
 	 * Mime-type for the current page
 	 *
 	 * @var	string
 	 */
-	protected $mime_type = 'text/html';
+	protected $mime_type	= 'text/html';
 
 	/**
 	 * Enable Profiler flag
@@ -86,14 +86,14 @@ class CI_Output {
 	 *
 	 * @var	bool
 	 */
-	protected $_zlib_oc = FALSE;
+	protected $_zlib_oc =		FALSE;
 
 	/**
 	 * List of profiler sections
 	 *
 	 * @var	array
 	 */
-	protected $_profiler_sections = array();
+	protected $_profiler_sections =	array();
 
 	/**
 	 * Parse markers flag
@@ -102,7 +102,7 @@ class CI_Output {
 	 *
 	 * @var	bool
 	 */
-	public $parse_exec_vars = TRUE;
+	public $parse_exec_vars =	TRUE;
 
 	/**
 	 * Class constructor

From 32a28f59a08c9fd24f0d884ecfa71bf8df4bbe97 Mon Sep 17 00:00:00 2001
From: Eric Roberts 
Date: Sat, 19 Jan 2013 02:59:14 -0600
Subject: [PATCH 0482/3829] Remove whitespace from empty lines.

Signed-off-by: Eric Roberts 
---
 system/helpers/url_helper.php | 10 +++++-----
 1 file changed, 5 insertions(+), 5 deletions(-)

diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php
index 8be32727651..e54969b22ab 100644
--- a/system/helpers/url_helper.php
+++ b/system/helpers/url_helper.php
@@ -388,7 +388,7 @@ function auto_link($str, $type = 'both', $popup = FALSE)
 		{
 			// Set our target HTML if using popup links.
 			$target = ($popup) ? 'target="_blank"' : '';
-			
+
 			// We process the links in reverse order (last -> first) so that
 			// the returned string offsets from preg_match_all() are not
 			// moved as we add more HTML.
@@ -396,13 +396,13 @@ function auto_link($str, $type = 'both', $popup = FALSE)
 			{
 				// $match is an array generated by the PREG_OFFSET_CAPTURE flag.
 				// $match[0] is the matched string, $match[1] is the string offset.
-				
+
 				$anchor = anchor($match[0], '', $target);
-				
+
 				$str = substr_replace($str, $anchor, $match[1], strlen($match[0]));
 			}
 		}
-		
+
 		// Find and replace any emails.
 		if ($type !== 'url' && preg_match_all('#([\w\.\-\+]+@[a-z0-9\-]+\.[a-z0-9\-\.]+[^[:punct:]\s])#i', $str, $matches, PREG_OFFSET_CAPTURE))
 		{
@@ -414,7 +414,7 @@ function auto_link($str, $type = 'both', $popup = FALSE)
 				}
 			}
 		}
-		
+
 		return $str;
 	}
 }

From 5dc6d51091b718d37d2c4b30da1e01b5b95333f8 Mon Sep 17 00:00:00 2001
From: Purwandi 
Date: Sat, 19 Jan 2013 17:43:08 +0700
Subject: [PATCH 0483/3829] Support minify table block

---
 system/core/Output.php | 8 ++++----
 1 file changed, 4 insertions(+), 4 deletions(-)

diff --git a/system/core/Output.php b/system/core/Output.php
index e6c48b5dd85..cf5178a0ccb 100644
--- a/system/core/Output.php
+++ b/system/core/Output.php
@@ -543,7 +543,7 @@ public function _write_cache($output)
 		}
 
 		$expire = time() + ($this->cache_expiration * 60);
-		
+
 		// Put together our serialized info.
 		$cache_info = serialize(array(
 			'expire'	=> $expire,
@@ -606,7 +606,7 @@ public function _display_cache(&$CFG, &$URI)
 		{
 			return FALSE;
 		}
-		
+
 		$cache_info = unserialize($match[1]);
 		$expire = $cache_info['expire'];
 
@@ -625,7 +625,7 @@ public function _display_cache(&$CFG, &$URI)
 			// Or else send the HTTP cache control headers.
 			$this->set_cache_header($last_modified, $expire);
 		}
-		
+
 		// Add headers from cache file.
 		foreach ($cache_info['headers'] as $header)
 		{
@@ -756,7 +756,7 @@ public function minify($output, $type = 'text/html')
 				$output = preg_replace('{\s*\s*}msU', '', $output);
 
 				// Remove spaces around block-level elements.
-				$output = preg_replace('/\s*(<\/?(html|head|title|meta|script|link|style|body|h[1-6]|div|p|br)[^>]*>)\s*/is', '$1', $output);
+				$output = preg_replace('/\s*(<\/?(html|head|title|meta|script|link|style|body|table|thead|tbody|tfoot|tr|th|td|h[1-6]|div|p|br)[^>]*>)\s*/is', '$1', $output);
 
 				// Replace mangled 
 etc. tags with unprocessed ones.
 

From 1106c528b213f9f58f4b2d9be60f78ca8067236e Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Mon, 21 Jan 2013 15:14:04 +0200
Subject: [PATCH 0484/3829] [ci skip] Add text/plain as a valid MIME for
 js,css,*html,xml

---
 application/config/mimes.php | 12 ++++++------
 1 file changed, 6 insertions(+), 6 deletions(-)

diff --git a/application/config/mimes.php b/application/config/mimes.php
index cced3ee02e0..124e4a43631 100644
--- a/application/config/mimes.php
+++ b/application/config/mimes.php
@@ -73,7 +73,7 @@
 	'php3'	=>	'application/x-httpd-php',
 	'phtml'	=>	'application/x-httpd-php',
 	'phps'	=>	'application/x-httpd-php-source',
-	'js'	=>	'application/x-javascript',
+	'js'	=>	array('application/x-javascript', 'text/plain'),
 	'swf'	=>	'application/x-shockwave-flash',
 	'sit'	=>	'application/x-stuffit',
 	'tar'	=>	'application/x-tar',
@@ -104,16 +104,16 @@
 	'png'	=>	array('image/png',  'image/x-png'),
 	'tiff'	=>	'image/tiff',
 	'tif'	=>	'image/tiff',
-	'css'	=>	'text/css',
-	'html'	=>	'text/html',
-	'htm'	=>	'text/html',
-	'shtml'	=>	'text/html',
+	'css'	=>	array('text/css', 'text/plain'),
+	'html'	=>	array('text/html', 'text/plain'),
+	'htm'	=>	array('text/html', 'text/plain'),
+	'shtml'	=>	array('text/html', 'text/plain'),
 	'txt'	=>	'text/plain',
 	'text'	=>	'text/plain',
 	'log'	=>	array('text/plain', 'text/x-log'),
 	'rtx'	=>	'text/richtext',
 	'rtf'	=>	'text/rtf',
-	'xml'	=>	array('application/xml', 'text/xml'),
+	'xml'	=>	array('application/xml', 'text/xml', 'text/plain'),
 	'xsl'	=>	array('application/xml', 'text/xsl', 'text/xml'),
 	'mpeg'	=>	'video/mpeg',
 	'mpg'	=>	'video/mpeg',

From 3ffce987e0d7efa68bbce2d83915b06e97bd3475 Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Mon, 21 Jan 2013 15:24:09 +0200
Subject: [PATCH 0485/3829] [ci skip] Manually apply #2162, #2163

---
 application/config/user_agents.php | 3 ++-
 system/core/Output.php             | 2 +-
 2 files changed, 3 insertions(+), 2 deletions(-)

diff --git a/application/config/user_agents.php b/application/config/user_agents.php
index 7f86d2dfcb0..35c36cb42b7 100644
--- a/application/config/user_agents.php
+++ b/application/config/user_agents.php
@@ -101,7 +101,8 @@
 	'Links'			=> 'Links',
 	'hotjava'		=> 'HotJava',
 	'amaya'			=> 'Amaya',
-	'IBrowse'		=> 'IBrowse'
+	'IBrowse'		=> 'IBrowse',
+	'Maxthon'		=> 'Maxthon'
 );
 
 $mobiles = array(
diff --git a/system/core/Output.php b/system/core/Output.php
index cf5178a0ccb..a2084146329 100644
--- a/system/core/Output.php
+++ b/system/core/Output.php
@@ -772,7 +772,7 @@ public function minify($output, $type = 'text/html')
 					$output = str_replace($codes_messed[0], $codes_clean[0], $output);
 				}
 
-				if ( ! empty($codes_clean))
+				if ( ! empty($textareas_clean))
 				{
 					preg_match_all('{}msU', $output, $textareas_messed);
 					$output = str_replace($textareas_messed[0], $textareas_clean[0], $output);

From 9f690f190f1aa503dfc6270e3a97d96196ae3cff Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Mon, 21 Jan 2013 15:30:25 +0200
Subject: [PATCH 0486/3829] Partially implement PR #2155

---
 system/core/Log.php                 | 2 ++
 user_guide_src/source/changelog.rst | 1 +
 2 files changed, 3 insertions(+)

diff --git a/system/core/Log.php b/system/core/Log.php
index 9dabfe6f255..cd3c17e1e62 100644
--- a/system/core/Log.php
+++ b/system/core/Log.php
@@ -97,6 +97,8 @@ public function __construct()
 
 		$this->_log_path = ($config['log_path'] !== '') ? $config['log_path'] : APPPATH.'logs/';
 
+		file_exists($this->_log_path) OR mkdir($this->_log_path, DIR_WRITE_MODE, TRUE);
+
 		if ( ! is_dir($this->_log_path) OR ! is_really_writable($this->_log_path))
 		{
 			$this->_enabled = FALSE;
diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst
index 98999992903..f6dad07b3e9 100644
--- a/user_guide_src/source/changelog.rst
+++ b/user_guide_src/source/changelog.rst
@@ -321,6 +321,7 @@ Release Date: Not Released
 	 -  Changed method ``load()`` to filter the language name with ``ctype_digit()``.
 	 -  Added an optional second parameter to method ``line()`` to disable error login for line keys that were not found.
 	 -  Language files are now loaded in a cascading style with the one in **system/** always loaded and overriden afterwards, if another one is found.
+   -  Log Library will now try to create the **log_path** directory if it doesn't exist.
 
 Bug fixes for 3.0
 ------------------

From 4de1198ccf88d4a448ff752f35630228b60c53a8 Mon Sep 17 00:00:00 2001
From: Eric Roberts 
Date: Mon, 21 Jan 2013 16:47:22 -0600
Subject: [PATCH 0487/3829] Adjust regex.

---
 system/helpers/url_helper.php | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php
index e54969b22ab..a6536cf81da 100644
--- a/system/helpers/url_helper.php
+++ b/system/helpers/url_helper.php
@@ -384,7 +384,7 @@ function safe_mailto($email, $title = '', $attributes = '')
 	function auto_link($str, $type = 'both', $popup = FALSE)
 	{
 		// Find and replace any URLs.
-		if ($type !== 'email' && preg_match_all('#\b(([\w-]+://?|www[.])[^\s()<>]+(?:\([\w\d]+\)|([^[:punct:]\s]|/)))#', $str, $matches, PREG_OFFSET_CAPTURE))
+		if ($type !== 'email' && preg_match_all('#\b(([\w-]+://?|www\.)[^\s()<>]+(?:\([\w\d]+\)|([^[:punct:]\s]|/)))#', $str, $matches, PREG_OFFSET_CAPTURE))
 		{
 			// Set our target HTML if using popup links.
 			$target = ($popup) ? 'target="_blank"' : '';

From cdd80bf46bf2e75a127e4104ff3aa13fab59e3d5 Mon Sep 17 00:00:00 2001
From: OsamaAbbas 
Date: Wed, 23 Jan 2013 04:46:24 +0200
Subject: [PATCH 0488/3829] Update application/config/config.php

---
 application/config/config.php | 4 ++--
 1 file changed, 2 insertions(+), 2 deletions(-)

diff --git a/application/config/config.php b/application/config/config.php
index a4ef1913723..bd4aad73d7d 100644
--- a/application/config/config.php
+++ b/application/config/config.php
@@ -241,7 +241,7 @@
 |--------------------------------------------------------------------------
 |
 | Leave this BLANK unless you would like to set something other than the default
-| system/cache/ folder.  Use a full server path with trailing slash.
+| application/cache/ folder.  Use a full server path with trailing slash.
 |
 */
 $config['cache_path'] = '';
@@ -421,4 +421,4 @@
 
 
 /* End of file config.php */
-/* Location: ./application/config/config.php */
\ No newline at end of file
+/* Location: ./application/config/config.php */

From 3b1e6e677a1c558f1ab99f8cfde9b766fffa648d Mon Sep 17 00:00:00 2001
From: Melvin Lammerts 
Date: Wed, 23 Jan 2013 22:46:16 +0100
Subject: [PATCH 0489/3829] Removed slash from URI helper doc

In my current projects I don't see '/controller/method' but 'controller/method' when calling uri_string().
---
 user_guide_src/source/helpers/url_helper.rst | 4 ++--
 1 file changed, 2 insertions(+), 2 deletions(-)

diff --git a/user_guide_src/source/helpers/url_helper.rst b/user_guide_src/source/helpers/url_helper.rst
index 5b8fa5f4440..0afa7efd874 100644
--- a/user_guide_src/source/helpers/url_helper.rst
+++ b/user_guide_src/source/helpers/url_helper.rst
@@ -110,7 +110,7 @@ For example, if your URL was this::
 
 The function would return::
 
-	/blog/comments/123
+	blog/comments/123
 
 This function is an alias for ``CI_Config::uri_string()``. For more info,
 please see the :doc:`Config Library <../libraries/config>` documentation.
@@ -380,4 +380,4 @@ engine purposes. The default Response Code is 302. The third parameter is
 	will *automatically* be selected when the page is currently accessed
 	via POST and HTTP/1.1 is used.
 
-.. important:: This function will terminate script execution.
\ No newline at end of file
+.. important:: This function will terminate script execution.

From 1a0014941dcf399e97d3586bd6d3382166b413dd Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Thu, 24 Jan 2013 11:32:29 +0200
Subject: [PATCH 0490/3829] Move db_select() call from
 CI_DB_driver::initialize() to db_connect() so that it's only called by
 drivers that need it ('mysql', 'mssql').

As proposed in issue #2187.
---
 application/config/config.php                  |  2 +-
 system/database/DB_driver.php                  | 14 --------------
 system/database/drivers/mssql/mssql_driver.php | 12 ++++++++++++
 system/database/drivers/mysql/mysql_driver.php | 16 +++++++++++++++-
 user_guide_src/source/changelog.rst            |  1 +
 user_guide_src/source/helpers/url_helper.rst   |  2 +-
 6 files changed, 30 insertions(+), 17 deletions(-)

diff --git a/application/config/config.php b/application/config/config.php
index bd4aad73d7d..415474e063d 100644
--- a/application/config/config.php
+++ b/application/config/config.php
@@ -421,4 +421,4 @@
 
 
 /* End of file config.php */
-/* Location: ./application/config/config.php */
+/* Location: ./application/config/config.php */
\ No newline at end of file
diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php
index 26791398a03..35ac8e87049 100644
--- a/system/database/DB_driver.php
+++ b/system/database/DB_driver.php
@@ -428,20 +428,6 @@ public function initialize()
 			}
 		}
 
-		// ----------------------------------------------------------------
-
-		// Select the DB... assuming a database name is specified in the config file
-		if ($this->database !== '' && ! $this->db_select())
-		{
-			log_message('error', 'Unable to select database: '.$this->database);
-
-			if ($this->db_debug)
-			{
-				$this->display_error('db_unable_to_select', $this->database);
-			}
-			return FALSE;
-		}
-
 		// Now we set the character set and that's all
 		return $this->db_set_charset($this->char_set);
 	}
diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php
index f60071ed9ff..0836fa80243 100644
--- a/system/database/drivers/mssql/mssql_driver.php
+++ b/system/database/drivers/mssql/mssql_driver.php
@@ -106,6 +106,18 @@ public function db_connect($persistent = FALSE)
 			return FALSE;
 		}
 
+		// ----------------------------------------------------------------
+
+		// Select the DB... assuming a database name is specified in the config file
+		if ($this->database !== '' && ! $this->db_select())
+		{
+			log_message('error', 'Unable to select database: '.$this->database);
+
+			return ($this->db_debug === TRUE)
+				? $this->display_error('db_unable_to_select', $this->database)
+				: FALSE;
+		}
+
 		// Determine how identifiers are escaped
 		$query = $this->query('SELECT CASE WHEN (@@OPTIONS | 256) = @@OPTIONS THEN 1 ELSE 0 END AS qi');
 		$query = $query->row_array();
diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php
index 492b07861ca..95003f648fe 100644
--- a/system/database/drivers/mysql/mysql_driver.php
+++ b/system/database/drivers/mysql/mysql_driver.php
@@ -110,9 +110,23 @@ public function db_connect($persistent = FALSE)
 			$client_flags = $client_flags | MYSQL_CLIENT_SSL;
 		}
 
-		return ($persistent === TRUE)
+		$this->conn_id = ($persistent === TRUE)
 			? @mysql_pconnect($this->hostname, $this->username, $this->password, $client_flags)
 			: @mysql_connect($this->hostname, $this->username, $this->password, TRUE, $client_flags);
+
+		// ----------------------------------------------------------------
+
+		// Select the DB... assuming a database name is specified in the config file
+		if ($this->database !== '' && ! $this->db_select())
+		{
+			log_message('error', 'Unable to select database: '.$this->database);
+
+			return ($this->db_debug === TRUE)
+				? $this->display_error('db_unable_to_select', $this->database)
+				: FALSE;
+		}
+
+		return $this->conn_id;
 	}
 
 	// --------------------------------------------------------------------
diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst
index f6dad07b3e9..8b9ec2539ce 100644
--- a/user_guide_src/source/changelog.rst
+++ b/user_guide_src/source/changelog.rst
@@ -112,6 +112,7 @@ Release Date: Not Released
    -  Updated ``escape_identifiers()`` to accept an array of fields as well as strings.
    -  MySQL and MySQLi drivers now require at least MySQL version 5.1.
    -  ``db_set_charset()`` now only requires one parameter (collation was only needed due to legacy support for MySQL versions prior to 5.1).
+   -  ``db_select()`` will now always (if required by the driver) be called by ``db_connect()`` / ``db_pconnect()`` instead of only when initializing.
    -  Replaced the ``_error_message()`` and ``_error_number()`` methods with ``error()``, which returns an array containing the last database error code and message.
    -  Improved ``version()`` implementation so that drivers that have a native function to get the version number don't have to be defined in the core ``DB_driver`` class.
    -  Added capability for packages to hold *config/database.php* config files.
diff --git a/user_guide_src/source/helpers/url_helper.rst b/user_guide_src/source/helpers/url_helper.rst
index 0afa7efd874..8b5361f94de 100644
--- a/user_guide_src/source/helpers/url_helper.rst
+++ b/user_guide_src/source/helpers/url_helper.rst
@@ -380,4 +380,4 @@ engine purposes. The default Response Code is 302. The third parameter is
 	will *automatically* be selected when the page is currently accessed
 	via POST and HTTP/1.1 is used.
 
-.. important:: This function will terminate script execution.
+.. important:: This function will terminate script execution.
\ No newline at end of file

From 353f9834adf3f44c6c7a0f924089bb2b43360404 Mon Sep 17 00:00:00 2001
From: Daniel Hunsaker 
Date: Thu, 24 Jan 2013 17:09:10 -0700
Subject: [PATCH 0491/3829] Updated all cases of exit() to return a valid code

Specific codes are as follows, but can easily be changed if a different order/breakdown makes more sense:

- 0: Success; everything executed as planned
- 1: Configuration Error; something is wrong with/in the configuration file(s)
- 2: Class Not Found; what it says
- 3: Driver Method Unsupported; the method you're trying to use on a Driver doesn't exist
- 4: File Not Found; 404 error
- 5: Database Error; something is broken in the database somewhere
- 6: Invalid Input; the user attempted to submit a request with invlaid characters in 1+ key names
7 through 26 are reserved for future use
- 27: Generic Error; generated by show_error() when the status code is >= 100
28 through 127 are errors generated by user applications, normally by using show_error() with a status code below 100
128 through 254 should not be used by applications, as they are reserved by system-level functions
- 255: PHP Fatal Error; automatically generated by PHP for fatal errors, and therefore not allowed for our use

Status codes below 100 are shifted up by 28 to place them in the user error range.  It may make more sense to have these codes
left alone and instead shift the CI errors into the 101 through 127 space, but that's not what I opted for here.

It would probably also be a good idea to replace the hard-coded numbers with constants or some such, but I was in a bit of a
hurry when I made these changes, so I didn't look around for the best place to do this.  With proper guidance, I could
easily amend this commit with another that uses such constant values.

Signed-off-by: Daniel Hunsaker 
---
 system/core/CodeIgniter.php        |  2 +-
 system/core/Common.php             | 29 ++++++++++++++++++++++-------
 system/core/Exceptions.php         |  2 +-
 system/core/Input.php              |  3 ++-
 system/core/Output.php             |  2 +-
 system/database/DB_driver.php      |  2 +-
 system/helpers/download_helper.php |  5 +++--
 system/helpers/url_helper.php      |  2 +-
 system/libraries/Driver.php        |  2 +-
 system/libraries/Trackback.php     |  4 ++--
 system/libraries/Xmlrpcs.php       |  3 ++-
 11 files changed, 37 insertions(+), 19 deletions(-)

diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php
index 8affde64da2..13826c328e8 100644
--- a/system/core/CodeIgniter.php
+++ b/system/core/CodeIgniter.php
@@ -188,7 +188,7 @@
 	if ($EXT->call_hook('cache_override') === FALSE
 		&& $OUT->_display_cache($CFG, $URI) === TRUE)
 	{
-		exit;
+		exit(0);
 	}
 
 /*
diff --git a/system/core/Common.php b/system/core/Common.php
index d494caf80aa..d6387209bb0 100644
--- a/system/core/Common.php
+++ b/system/core/Common.php
@@ -1,3 +1,4 @@
+
 show_error($heading, $message, 'error_general', $status_code);
-		exit;
+		exit($exit_status);
 	}
 }
 
@@ -392,7 +407,7 @@ function show_404($page = '', $log_error = TRUE)
 	{
 		$_error =& load_class('Exceptions', 'core');
 		$_error->show_404($page, $log_error);
-		exit;
+		exit(4);
 	}
 }
 
@@ -514,11 +529,11 @@ function set_status_header($code = 200, $text = '')
 
 		if (strpos(php_sapi_name(), 'cgi') === 0)
 		{
-			header('Status: '.$code.' '.$text, TRUE);
+			if (!headers_sent()) header('Status: '.$code.' '.$text, TRUE);
 		}
 		else
 		{
-			header(($server_protocol ? $server_protocol : 'HTTP/1.1').' '.$code.' '.$text, TRUE, $code);
+			if (!headers_sent()) header(($server_protocol ? $server_protocol : 'HTTP/1.1').' '.$code.' '.$text, TRUE, $code);
 		}
 	}
 }
diff --git a/system/core/Exceptions.php b/system/core/Exceptions.php
index e6023e73bbc..f799d6027ae 100644
--- a/system/core/Exceptions.php
+++ b/system/core/Exceptions.php
@@ -117,7 +117,7 @@ public function show_404($page = '', $log_error = TRUE)
 		}
 
 		echo $this->show_error($heading, $message, 'error_404', 404);
-		exit;
+		exit(4);
 	}
 
 	// --------------------------------------------------------------------
diff --git a/system/core/Input.php b/system/core/Input.php
index 82e22dd49d1..8f37e446428 100644
--- a/system/core/Input.php
+++ b/system/core/Input.php
@@ -745,7 +745,8 @@ protected function _clean_input_keys($str)
 		if ( ! preg_match('/^[a-z0-9:_\/|-]+$/i', $str))
 		{
 			set_status_header(503);
-			exit('Disallowed Key Characters.');
+			echo 'Disallowed Key Characters.';
+			exit(6);
 		}
 
 		// Clean UTF-8 if supported
diff --git a/system/core/Output.php b/system/core/Output.php
index a2084146329..7898d1972b7 100644
--- a/system/core/Output.php
+++ b/system/core/Output.php
@@ -696,7 +696,7 @@ public function set_cache_header($last_modified, $expiration)
 		if (isset($_SERVER['HTTP_IF_MODIFIED_SINCE']) && $last_modified <= strtotime($_SERVER['HTTP_IF_MODIFIED_SINCE']))
 		{
 			$this->set_status_header(304);
-			exit;
+			exit(0);
 		}
 		else
 		{
diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php
index 35ac8e87049..cb2ef4ac8a2 100644
--- a/system/database/DB_driver.php
+++ b/system/database/DB_driver.php
@@ -1658,7 +1658,7 @@ public function display_error($error = '', $swap = '', $native = FALSE)
 
 		$error =& load_class('Exceptions', 'core');
 		echo $error->show_error($heading, $message, 'error_db');
-		exit;
+		exit(5);
 	}
 
 	// --------------------------------------------------------------------
diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php
index 7294d50c5be..d7691cb61a3 100644
--- a/system/helpers/download_helper.php
+++ b/system/helpers/download_helper.php
@@ -141,7 +141,8 @@ function force_download($filename = '', $data = '', $set_mime = FALSE)
 		// If we have raw data - just dump it
 		if ($data !== NULL)
 		{
-			exit($data);
+			echo $data;
+			exit(0);
 		}
 
 		// Flush 1MB chunks of data
@@ -151,7 +152,7 @@ function force_download($filename = '', $data = '', $set_mime = FALSE)
 		}
 
 		fclose($fp);
-		exit;
+		exit(0);
 	}
 }
 
diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php
index a6536cf81da..9a015354251 100644
--- a/system/helpers/url_helper.php
+++ b/system/helpers/url_helper.php
@@ -549,7 +549,7 @@ function redirect($uri = '', $method = 'auto', $code = NULL)
 				header('Location: '.$uri, TRUE, $code);
 				break;
 		}
-		exit;
+		exit(0);
 	}
 }
 
diff --git a/system/libraries/Driver.php b/system/libraries/Driver.php
index 4b35dce7313..bb731899157 100644
--- a/system/libraries/Driver.php
+++ b/system/libraries/Driver.php
@@ -291,7 +291,7 @@ public function __call($method, $args = array())
 
 		$trace = debug_backtrace();
 		_exception_handler(E_ERROR, "No such method '{$method}'", $trace[1]['file'], $trace[1]['line']);
-		exit;
+		exit(3);
 	}
 
 	// --------------------------------------------------------------------
diff --git a/system/libraries/Trackback.php b/system/libraries/Trackback.php
index ecc7129e3ff..cc93b2e301c 100644
--- a/system/libraries/Trackback.php
+++ b/system/libraries/Trackback.php
@@ -212,7 +212,7 @@ public function receive()
 	public function send_error($message = 'Incomplete Information')
 	{
 		echo '\n\n1\n".$message."\n";
-		exit;
+		exit(0);
 	}
 
 	// --------------------------------------------------------------------
@@ -228,7 +228,7 @@ public function send_error($message = 'Incomplete Information')
 	public function send_success()
 	{
 		echo '\n\n0\n";
-		exit;
+		exit(0);
 	}
 
 	// --------------------------------------------------------------------
diff --git a/system/libraries/Xmlrpcs.php b/system/libraries/Xmlrpcs.php
index d4524d23002..465a1967bc2 100644
--- a/system/libraries/Xmlrpcs.php
+++ b/system/libraries/Xmlrpcs.php
@@ -170,7 +170,8 @@ public function serve()
 
 		header('Content-Type: text/xml');
 		header('Content-Length: '.strlen($payload));
-		exit($payload);
+		echo $payload;
+		exit(0);
 	}
 
 	// --------------------------------------------------------------------

From edc9afa09b01f67089f121ed7054fe3a5a3b8ec2 Mon Sep 17 00:00:00 2001
From: Edwin Aw 
Date: Fri, 25 Jan 2013 16:12:20 +0800
Subject: [PATCH 0492/3829] Fix issue #2191.

Signed-off-by: Edwin Aw 
---
 system/libraries/Cart.php | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/system/libraries/Cart.php b/system/libraries/Cart.php
index 8734d777496..d64f6f042d4 100644
--- a/system/libraries/Cart.php
+++ b/system/libraries/Cart.php
@@ -95,7 +95,7 @@ public function __construct($params = array())
 		$config = is_array($params) ? $params : array();
 
 		// Load the Sessions class
-		$this->CI->load->library('session', $config);
+		$this->CI->load->driver('session', $config);
 
 		// Grab the shopping cart array from the session table
 		$this->_cart_contents = $this->CI->session->userdata('cart_contents');

From 16c6d7e8ab6b161d11c0e8dbca7dbbef58b49138 Mon Sep 17 00:00:00 2001
From: vlakoff 
Date: Sat, 26 Jan 2013 17:21:29 +0100
Subject: [PATCH 0493/3829] Fix a code comment in Image_lib

constant FILE_WRITE_MODE contains octal 0666
---
 system/libraries/Image_lib.php | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php
index 6d5493696e5..0cec43fc4c2 100644
--- a/system/libraries/Image_lib.php
+++ b/system/libraries/Image_lib.php
@@ -810,7 +810,7 @@ public function image_process_gd($action = 'resize')
 		imagedestroy($dst_img);
 		imagedestroy($src_img);
 
-		// Set the file to 777
+		// Set the file to 666
 		@chmod($this->full_dst_path, FILE_WRITE_MODE);
 
 		return TRUE;

From cabead10ac1e9d2aee0cc8bd5270061e75aec179 Mon Sep 17 00:00:00 2001
From: rebornishard 
Date: Sun, 27 Jan 2013 01:58:55 +0700
Subject: [PATCH 0494/3829] Add webm mime type

http://www.webmproject.org/about/faq/
---
 application/config/mimes.php | 3 ++-
 1 file changed, 2 insertions(+), 1 deletion(-)

diff --git a/application/config/mimes.php b/application/config/mimes.php
index 124e4a43631..d9e81bf778b 100644
--- a/application/config/mimes.php
+++ b/application/config/mimes.php
@@ -154,6 +154,7 @@
 	'mp4'   =>	'video/mp4',
 	'm4a'   =>	'audio/x-m4a',
 	'f4v'   =>	'video/mp4',
+	'webm'	=>	'video/webm'
 	'aac'   =>	'audio/x-acc',
 	'm4u'   =>	'application/vnd.mpegurl',
 	'm3u'   =>	'text/plain',
@@ -175,4 +176,4 @@
 );
 
 /* End of file mimes.php */
-/* Location: ./application/config/mimes.php */
\ No newline at end of file
+/* Location: ./application/config/mimes.php */

From 14c8defb73fb29282ba55d3aa444e2ce6d59fd1c Mon Sep 17 00:00:00 2001
From: dontforget 
Date: Sun, 27 Jan 2013 10:42:56 -0800
Subject: [PATCH 0495/3829] Fixing issue with comma

---
 application/config/mimes.php | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/application/config/mimes.php b/application/config/mimes.php
index d9e81bf778b..ac7bfaf34e2 100644
--- a/application/config/mimes.php
+++ b/application/config/mimes.php
@@ -154,7 +154,7 @@
 	'mp4'   =>	'video/mp4',
 	'm4a'   =>	'audio/x-m4a',
 	'f4v'   =>	'video/mp4',
-	'webm'	=>	'video/webm'
+	'webm'	=>	'video/webm',
 	'aac'   =>	'audio/x-acc',
 	'm4u'   =>	'application/vnd.mpegurl',
 	'm3u'   =>	'text/plain',

From b75e13df03dcf898cc85e144b941e1b1f6c332be Mon Sep 17 00:00:00 2001
From: Eric Roberts 
Date: Sun, 27 Jan 2013 20:10:09 -0600
Subject: [PATCH 0496/3829] Fix newline standardization.

Signed-off-by: Eric Roberts 
---
 system/core/Input.php | 4 ++--
 1 file changed, 2 insertions(+), 2 deletions(-)

diff --git a/system/core/Input.php b/system/core/Input.php
index 82e22dd49d1..68a8fe03f2f 100644
--- a/system/core/Input.php
+++ b/system/core/Input.php
@@ -720,9 +720,9 @@ protected function _clean_input_data($str)
 		}
 
 		// Standardize newlines if needed
-		if ($this->_standardize_newlines === TRUE && strpos($str, "\r") !== FALSE)
+		if ($this->_standardize_newlines === TRUE)
 		{
-			return str_replace(array("\r\n", "\r", "\r\n\n"), PHP_EOL, $str);
+			return preg_replace('/(?:\r\n|[\r\n])/', PHP_EOL, $str);
 		}
 
 		return $str;

From db529ca1e13e9f9e1c73be20c3b92a7adc3c6aa2 Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Mon, 28 Jan 2013 11:00:02 +0200
Subject: [PATCH 0497/3829] Remove unnecessary defined('ENVIRONMENT') checks

As suggested in issue #2134 & PR #2149
---
 application/config/mimes.php     | 2 +-
 system/core/CodeIgniter.php      | 2 +-
 system/core/Common.php           | 4 ++--
 system/core/Config.php           | 6 +-----
 system/core/Hooks.php            | 2 +-
 system/core/Loader.php           | 6 +++---
 system/core/Router.php           | 2 +-
 system/database/DB.php           | 2 +-
 system/helpers/html_helper.php   | 2 +-
 system/helpers/smiley_helper.php | 2 +-
 system/helpers/text_helper.php   | 2 +-
 system/libraries/User_agent.php  | 2 +-
 12 files changed, 15 insertions(+), 19 deletions(-)

diff --git a/application/config/mimes.php b/application/config/mimes.php
index ac7bfaf34e2..dfa9f24e4f9 100644
--- a/application/config/mimes.php
+++ b/application/config/mimes.php
@@ -176,4 +176,4 @@
 );
 
 /* End of file mimes.php */
-/* Location: ./application/config/mimes.php */
+/* Location: ./application/config/mimes.php */
\ No newline at end of file
diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php
index 8affde64da2..cb4b735d521 100644
--- a/system/core/CodeIgniter.php
+++ b/system/core/CodeIgniter.php
@@ -58,7 +58,7 @@
  *  Load the framework constants
  * ------------------------------------------------------
  */
-	if (defined('ENVIRONMENT') && file_exists(APPPATH.'config/'.ENVIRONMENT.'/constants.php'))
+	if (file_exists(APPPATH.'config/'.ENVIRONMENT.'/constants.php'))
 	{
 		require(APPPATH.'config/'.ENVIRONMENT.'/constants.php');
 	}
diff --git a/system/core/Common.php b/system/core/Common.php
index d494caf80aa..90cc5b3a4e7 100644
--- a/system/core/Common.php
+++ b/system/core/Common.php
@@ -241,7 +241,7 @@ function &get_config($replace = array())
 		}
 
 		// Is the config file in the environment folder?
-		if (defined('ENVIRONMENT') && file_exists($file_path = APPPATH.'config/'.ENVIRONMENT.'/config.php'))
+		if (file_exists($file_path = APPPATH.'config/'.ENVIRONMENT.'/config.php'))
 		{
 			require($file_path);
 		}
@@ -316,7 +316,7 @@ function &get_mimes()
 	{
 		static $_mimes = array();
 
-		if (defined('ENVIRONMENT') && is_file(APPPATH.'config/'.ENVIRONMENT.'/mimes.php'))
+		if (is_file(APPPATH.'config/'.ENVIRONMENT.'/mimes.php'))
 		{
 			$_mimes = include(APPPATH.'config/'.ENVIRONMENT.'/mimes.php');
 		}
diff --git a/system/core/Config.php b/system/core/Config.php
index 0160d1a15f0..7e64444bc4e 100644
--- a/system/core/Config.php
+++ b/system/core/Config.php
@@ -106,13 +106,9 @@ public function load($file = '', $use_sections = FALSE, $fail_gracefully = FALSE
 		$file = ($file === '') ? 'config' : str_replace('.php', '', $file);
 		$found = $loaded = FALSE;
 
-		$check_locations = defined('ENVIRONMENT')
-			? array(ENVIRONMENT.'/'.$file, $file)
-			: array($file);
-
 		foreach ($this->_config_paths as $path)
 		{
-			foreach ($check_locations as $location)
+			foreach (array(ENVIRONMENT.'/'.$file, $file) as $location)
 			{
 				$file_path = $path.'config/'.$location.'.php';
 
diff --git a/system/core/Hooks.php b/system/core/Hooks.php
index 2cb416c0cdd..59759e02e4e 100644
--- a/system/core/Hooks.php
+++ b/system/core/Hooks.php
@@ -81,7 +81,7 @@ public function __construct()
 		}
 
 		// Grab the "hooks" definition file.
-		if (defined('ENVIRONMENT') && is_file(APPPATH.'config/'.ENVIRONMENT.'/hooks.php'))
+		if (is_file(APPPATH.'config/'.ENVIRONMENT.'/hooks.php'))
 		{
 			include(APPPATH.'config/'.ENVIRONMENT.'/hooks.php');
 		}
diff --git a/system/core/Loader.php b/system/core/Loader.php
index 1ad07f1fac5..bbd7a84b605 100644
--- a/system/core/Loader.php
+++ b/system/core/Loader.php
@@ -1089,12 +1089,12 @@ protected function _ci_init_class($class, $prefix = '', $config = FALSE, $object
 					// We test for both uppercase and lowercase, for servers that
 					// are case-sensitive with regard to file names. Check for environment
 					// first, global next
-					if (defined('ENVIRONMENT') && file_exists($path.'config/'.ENVIRONMENT.'/'.strtolower($class).'.php'))
+					if (file_exists($path.'config/'.ENVIRONMENT.'/'.strtolower($class).'.php'))
 					{
 						include($path.'config/'.ENVIRONMENT.'/'.strtolower($class).'.php');
 						break;
 					}
-					elseif (defined('ENVIRONMENT') && file_exists($path.'config/'.ENVIRONMENT.'/'.ucfirst(strtolower($class)).'.php'))
+					elseif (file_exists($path.'config/'.ENVIRONMENT.'/'.ucfirst(strtolower($class)).'.php'))
 					{
 						include($path.'config/'.ENVIRONMENT.'/'.ucfirst(strtolower($class)).'.php');
 						break;
@@ -1180,7 +1180,7 @@ protected function _ci_init_class($class, $prefix = '', $config = FALSE, $object
 	 */
 	protected function _ci_autoloader()
 	{
-		if (defined('ENVIRONMENT') && file_exists(APPPATH.'config/'.ENVIRONMENT.'/autoload.php'))
+		if (file_exists(APPPATH.'config/'.ENVIRONMENT.'/autoload.php'))
 		{
 			include(APPPATH.'config/'.ENVIRONMENT.'/autoload.php');
 		}
diff --git a/system/core/Router.php b/system/core/Router.php
index f284e29cc2b..4755b3712e5 100644
--- a/system/core/Router.php
+++ b/system/core/Router.php
@@ -133,7 +133,7 @@ public function _set_routing()
 		}
 
 		// Load the routes.php file.
-		if (defined('ENVIRONMENT') && is_file(APPPATH.'config/'.ENVIRONMENT.'/routes.php'))
+		if (is_file(APPPATH.'config/'.ENVIRONMENT.'/routes.php'))
 		{
 			include(APPPATH.'config/'.ENVIRONMENT.'/routes.php');
 		}
diff --git a/system/database/DB.php b/system/database/DB.php
index f94685c51d0..d9104747f39 100644
--- a/system/database/DB.php
+++ b/system/database/DB.php
@@ -43,7 +43,7 @@ function &DB($params = '', $query_builder_override = NULL)
 	if (is_string($params) && strpos($params, '://') === FALSE)
 	{
 		// Is the config file in the environment folder?
-		if (( ! defined('ENVIRONMENT') OR ! file_exists($file_path = APPPATH.'config/'.ENVIRONMENT.'/database.php'))
+		if ( ! file_exists($file_path = APPPATH.'config/'.ENVIRONMENT.'/database.php')
 			&& ! file_exists($file_path = APPPATH.'config/database.php'))
 		{
 			show_error('The configuration file database.php does not exist.');
diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php
index 2d474169bb3..7a71eb82b65 100644
--- a/system/helpers/html_helper.php
+++ b/system/helpers/html_helper.php
@@ -242,7 +242,7 @@ function doctype($type = 'xhtml1-strict')
 
 		if ( ! is_array($_doctypes))
 		{
-			if (defined('ENVIRONMENT') && is_file(APPPATH.'config/'.ENVIRONMENT.'/doctypes.php'))
+			if (is_file(APPPATH.'config/'.ENVIRONMENT.'/doctypes.php'))
 			{
 				include(APPPATH.'config/'.ENVIRONMENT.'/doctypes.php');
 			}
diff --git a/system/helpers/smiley_helper.php b/system/helpers/smiley_helper.php
index 186b24ce95f..c2f50ec7398 100644
--- a/system/helpers/smiley_helper.php
+++ b/system/helpers/smiley_helper.php
@@ -213,7 +213,7 @@ function parse_smileys($str = '', $image_url = '', $smileys = NULL)
 	 */
 	function _get_smiley_array()
 	{
-		if (defined('ENVIRONMENT') && file_exists(APPPATH.'config/'.ENVIRONMENT.'/smileys.php'))
+		if (file_exists(APPPATH.'config/'.ENVIRONMENT.'/smileys.php'))
 		{
 			include(APPPATH.'config/'.ENVIRONMENT.'/smileys.php');
 		}
diff --git a/system/helpers/text_helper.php b/system/helpers/text_helper.php
index 1c7eeaf5fad..c255c15a8df 100644
--- a/system/helpers/text_helper.php
+++ b/system/helpers/text_helper.php
@@ -367,7 +367,7 @@ function convert_accented_characters($str)
 
 		if ( ! isset($foreign_characters) OR ! is_array($foreign_characters))
 		{
-			if (defined('ENVIRONMENT') && is_file(APPPATH.'config/'.ENVIRONMENT.'/foreign_chars.php'))
+			if (is_file(APPPATH.'config/'.ENVIRONMENT.'/foreign_chars.php'))
 			{
 				include(APPPATH.'config/'.ENVIRONMENT.'/foreign_chars.php');
 			}
diff --git a/system/libraries/User_agent.php b/system/libraries/User_agent.php
index 1f4b2fa524b..3fe2e0519bf 100644
--- a/system/libraries/User_agent.php
+++ b/system/libraries/User_agent.php
@@ -175,7 +175,7 @@ public function __construct()
 	 */
 	protected function _load_agent_file()
 	{
-		if (defined('ENVIRONMENT') && is_file(APPPATH.'config/'.ENVIRONMENT.'/user_agents.php'))
+		if (is_file(APPPATH.'config/'.ENVIRONMENT.'/user_agents.php'))
 		{
 			include(APPPATH.'config/'.ENVIRONMENT.'/user_agents.php');
 		}

From 763847931d421753f503608018b0da2bbaa9bfd6 Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Mon, 28 Jan 2013 11:22:05 +0200
Subject: [PATCH 0498/3829] Add ENVIRONMENT constant to unit tests

---
 tests/Bootstrap.php | 1 +
 1 file changed, 1 insertion(+)

diff --git a/tests/Bootstrap.php b/tests/Bootstrap.php
index 8ce80b3fdfb..c98d88531af 100644
--- a/tests/Bootstrap.php
+++ b/tests/Bootstrap.php
@@ -32,6 +32,7 @@ class_alias('org\bovigo\vfs\vfsStreamWrapper', 'vfsStreamWrapper');
 defined('BASEPATH') OR define('BASEPATH', vfsStream::url('https://github.com/system/'));
 defined('APPPATH') OR define('APPPATH', vfsStream::url('https://github.com/application/'));
 defined('VIEWPATH') OR define('VIEWPATH', APPPATH.'views/');
+defined('ENVIRONMENT') OR define('ENVIRONMENT', 'development');
 
 // Set localhost "remote" IP
 isset($_SERVER['REMOTE_ADDR']) OR $_SERVER['REMOTE_ADDR'] = '127.0.0.1';

From 9f3a590751da2003698546c205a93fcc9c3325f8 Mon Sep 17 00:00:00 2001
From: Eric Roberts 
Date: Mon, 28 Jan 2013 04:29:06 -0600
Subject: [PATCH 0499/3829] Multiple pagination bug fixes & optimizations.

Signed-off-by: Eric Roberts 
---
 system/libraries/Pagination.php | 190 ++++++++++++++++++--------------
 1 file changed, 107 insertions(+), 83 deletions(-)

diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php
index d139980d80b..3a513a7c12b 100644
--- a/system/libraries/Pagination.php
+++ b/system/libraries/Pagination.php
@@ -133,7 +133,7 @@ class CI_Pagination {
 	 *
 	 * @var	int
 	 */
-	protected $uri_segment		= 3;
+	protected $uri_segment		= 0;
 
 	/**
 	 * Full tag open
@@ -318,11 +318,9 @@ public function __construct($params = array())
 	 */
 	public function initialize($params = array())
 	{
-		$attributes = array();
-
 		if (isset($params['attributes']) && is_array($params['attributes']))
 		{
-			$attributes = $params['attributes'];
+			$this->_parse_attributes($params['attributes']);
 			unset($params['attributes']);
 		}
 
@@ -334,8 +332,6 @@ public function initialize($params = array())
 			unset($params['anchor_class']);
 		}
 
-		$this->_parse_attributes($attributes);
-
 		if (count($params) > 0)
 		{
 			foreach ($params as $key => $val)
@@ -372,45 +368,111 @@ public function create_links()
 			return '';
 		}
 
-		// Set the base page index for starting page number
-		$base_page = ($this->use_page_numbers) ? 1 : 0;
+		// Check the user defined number of links.
+		$this->num_links = (int) $this->num_links;
+
+		if ($this->num_links < 1)
+		{
+			show_error('Your number of links must be a positive number.');
+		}
 
-		// Determine the current page number.
 		$CI =& get_instance();
 
-		// See if we are using a prefix or suffix on links
-		if ($this->prefix !== '' OR $this->suffix !== '')
+		// Keep any existing query string items.
+		// Note: Has nothing to do with any other query string option.
+		$get = array();
+
+		if ($this->reuse_query_string === TRUE)
 		{
-			$this->cur_page = (int) str_replace(array($this->prefix, $this->suffix), '', $CI->uri->rsegment($this->uri_segment));
+			$get = $CI->input->get();
+
+			// Unset the controll, method, old-school routing options
+			unset($get['c'], $get['m'], $get[$this->query_string_segment]);
 		}
 
+		// Put together our base and first URLs.
+		$this->base_url = trim($this->base_url);
+
+		$query_string = '';
+		$query_string_sep = (strpos($this->base_url, '?') === FALSE) ? '?' : '&';
+
+		// Are we using query strings?
 		if ($CI->config->item('enable_query_strings') === TRUE OR $this->page_query_string === TRUE)
 		{
-			if ($CI->input->get($this->query_string_segment) != $base_page)
+			// If a custom first_url hasn't been specified, we'll create one from
+			// the base_url, but without the page item.
+			if ($this->first_url === '')
 			{
-				$this->cur_page = (int) $CI->input->get($this->query_string_segment);
+				$this->first_url = $this->base_url;
+
+				// If we saved any GET items earlier, make sure they're appended.
+				if ( ! empty($get))
+				{
+					$this->first_url .= $query_string_sep . http_build_query($get);
+				}
 			}
+
+			// Add the page segment to the end of the query string, where the
+			// page number will be appended.
+			$this->base_url .= $query_string_sep . http_build_query(array_merge($get, array($this->query_string_segment => '')));
 		}
-		elseif ( ! $this->cur_page && $CI->uri->segment($this->uri_segment) !== $base_page)
+		else
 		{
-			$this->cur_page = (int) $CI->uri->rsegment($this->uri_segment);
+			// Standard segment mode.
+			// Generate our saved query string to append later after the page number.
+			if ( ! empty($get))
+			{
+				$query_string = $query_string_sep . http_build_query($get);
+				$this->suffix .= $query_string;
+			}
+
+			// Does the base_url have the query string in it?
+			// If we're supposed to save it, remove it so we can append it later.
+			if ($this->reuse_query_string === TRUE && ($base_query_pos = strpos($this->base_url, '?')) !== FALSE)
+			{
+				$this->base_url = substr($this->base_url, 0, $base_query_pos);
+			}
+
+			if ($this->first_url === '')
+			{
+				$this->first_url = $this->base_url . $query_string;
+			}
+
+			$this->base_url = rtrim($this->base_url, '/') . '/';
 		}
 
-		// Set current page to 1 if it's not valid or if using page numbers instead of offset
-		if ( ! is_numeric($this->cur_page) OR ($this->use_page_numbers && $this->cur_page === 0))
+		// Determine the current page number.
+		$base_page = ($this->use_page_numbers) ? 1 : 0;
+
+		// Are we using query strings?
+		if ($CI->config->item('enable_query_strings') === TRUE OR $this->page_query_string === TRUE)
 		{
-			$this->cur_page = $base_page;
+			$this->cur_page = (int) $CI->input->get($this->query_string_segment);
 		}
+		else
+		{
+			// Default to the last segment number if one hasn't been defined.
+			if ($this->uri_segment === 0)
+			{
+				$this->uri_segment = count($CI->uri->segment_array());
+			}
 
-		$this->num_links = (int) $this->num_links;
+			$this->cur_page = $CI->uri->segment($this->uri_segment);
 
-		if ($this->num_links < 1)
+			// Remove any specified prefix/suffix from the segment.
+			$this->cur_page = ($this->prefix !== '' OR $this->suffix !== '')
+				? (int) str_replace(array($this->prefix, $this->suffix), '', $this->cur_page)
+				: (int) $this->cur_page;
+		}
+
+		// If something isn't quite right, back to the default base page.
+		if ( ! is_numeric($this->cur_page) OR ($this->use_page_numbers && $this->cur_page === 0))
 		{
-			show_error('Your number of links must be a positive number.');
+			$this->cur_page = $base_page;
 		}
 
 		// Is the page number beyond the result range?
-		// If so we show the last page
+		// If so, we show the last page.
 		if ($this->use_page_numbers)
 		{
 			if ($this->cur_page > $num_pages)
@@ -425,80 +487,47 @@ public function create_links()
 
 		$uri_page_number = $this->cur_page;
 
+		// If we're using offset instead of page numbers, convert it
+		// to a page number, so we can generate the surrounding number links.
 		if ( ! $this->use_page_numbers)
 		{
 			$this->cur_page = (int) floor(($this->cur_page/$this->per_page) + 1);
 		}
 
 		// Calculate the start and end numbers. These determine
-		// which number to start and end the digit links with
+		// which number to start and end the digit links with.
 		$start	= (($this->cur_page - $this->num_links) > 0) ? $this->cur_page - ($this->num_links - 1) : 1;
 		$end	= (($this->cur_page + $this->num_links) < $num_pages) ? $this->cur_page + $this->num_links : $num_pages;
 
-		// Is pagination being used over GET or POST? If get, add a per_page query
-		// string. If post, add a trailing slash to the base URL if needed
-		if ($CI->config->item('enable_query_strings') === TRUE OR $this->page_query_string === TRUE)
-		{
-			$segment = (strpos($this->base_url, '?')) ? '&' : '?';
-			$this->base_url = rtrim($this->base_url).$segment.$this->query_string_segment.'=';
-		}
-		else
-		{
-			$this->base_url = rtrim($this->base_url, '/') .'/';
-		}
-
 		// And here we go...
 		$output = '';
-		$query_string = '';
-
-		// Add anything in the query string back to the links
-		// Note: Nothing to do with query_string_segment or any other query string options
-		if ($this->reuse_query_string === TRUE)
-		{
-			$get = $CI->input->get();
 
-			// Unset the controll, method, old-school routing options
-			unset($get['c'], $get['m'], $get[$this->query_string_segment]);
-
-			if ( ! empty($get))
-			{
-				// Put everything else onto the end
-				$query_string = (strpos($this->base_url, '?') !== FALSE ? '&' : '?')
-						.http_build_query($get, '', '&');
-
-				// Add this after the suffix to put it into more links easily
-				$this->suffix .= $query_string;
-			}
-		}
-
-		// Render the "First" link
+		// Render the "First" link.
 		if ($this->first_link !== FALSE && $this->cur_page > ($this->num_links + 1))
 		{
-			$first_url = ($this->first_url === '') ? $this->base_url : $this->first_url;
-
-			// Take the general parameters, and squeeze this pagination-page attr in there for JS fw's
+			// Take the general parameters, and squeeze this pagination-page attr in for JS frameworks.
 			$attributes = sprintf('%s %s="%d"', $this->_attributes, $this->data_page_attr, 1);
 
-			$output .= $this->first_tag_open.'_attr_rel('start').'>'
+			$output .= $this->first_tag_open.'_attr_rel('start').'>'
 				.$this->first_link.''.$this->first_tag_close;
 		}
 
-		// Render the "previous" link
+		// Render the "Previous" link.
 		if ($this->prev_link !== FALSE && $this->cur_page !== 1)
 		{
 			$i = ($this->use_page_numbers) ? $uri_page_number - 1 : $uri_page_number - $this->per_page;
 
-			// Take the general parameters, and squeeze this pagination-page attr in there for JS fw's
 			$attributes = sprintf('%s %s="%d"', $this->_attributes, $this->data_page_attr, (int) $i);
 
-			if ($i === $base_page && $this->first_url !== '')
+			if ($i === $base_page)
 			{
-				$output .= $this->prev_tag_open.'_attr_rel('prev').'>'
+				// First page
+				$output .= $this->prev_tag_open.'_attr_rel('prev').'>'
 					.$this->prev_link.''.$this->prev_tag_close;
 			}
 			else
 			{
-				$append = ($i === $base_page) ? $query_string : $this->prefix.$i.$this->suffix;
+				$append = $this->prefix.$i.$this->suffix;
 				$output .= $this->prev_tag_open.'_attr_rel('prev').'>'
 					.$this->prev_link.''.$this->prev_tag_close;
 			}
@@ -513,29 +542,26 @@ public function create_links()
 			{
 				$i = ($this->use_page_numbers) ? $loop : ($loop * $this->per_page) - $this->per_page;
 
-				// Take the general parameters, and squeeze this pagination-page attr in there for JS fw's
 				$attributes = sprintf('%s %s="%d"', $this->_attributes, $this->data_page_attr, (int) $i);
 
 				if ($i >= $base_page)
 				{
 					if ($this->cur_page === $loop)
 					{
-						$output .= $this->cur_tag_open.$loop.$this->cur_tag_close; // Current page
+						// Current page
+						$output .= $this->cur_tag_open.$loop.$this->cur_tag_close;
+					}
+					elseif ($i === $base_page)
+					{
+						// First page
+						$output .= $this->num_tag_open.'_attr_rel('start').'>'
+							.$loop.''.$this->num_tag_close;
 					}
 					else
 					{
-						$n = ($i === $base_page) ? '' : $i;
-						if ($n === '' && ! empty($this->first_url))
-						{
-							$output .= $this->num_tag_open.'_attr_rel('start').'>'
-								.$loop.''.$this->num_tag_close;
-						}
-						else
-						{
-							$append = ($n === '') ? $query_string : $this->prefix.$n.$this->suffix;
-							$output .= $this->num_tag_open.'_attr_rel('start').'>'
-								.$loop.''.$this->num_tag_close;
-						}
+						$append = $this->prefix.$i.$this->suffix;
+						$output .= $this->num_tag_open.'_attr_rel('start').'>'
+							.$loop.''.$this->num_tag_close;
 					}
 				}
 			}
@@ -546,7 +572,6 @@ public function create_links()
 		{
 			$i = ($this->use_page_numbers) ? $this->cur_page + 1 : $this->cur_page * $this->per_page;
 
-			// Take the general parameters, and squeeze this pagination-page attr in there for JS fw's
 			$attributes = sprintf('%s %s="%d"', $this->_attributes, $this->data_page_attr, (int) $i);
 
 			$output .= $this->next_tag_open.'use_page_numbers) ? $num_pages : ($num_pages * $this->per_page) - $this->per_page;
 
-			// Take the general parameters, and squeeze this pagination-page attr in there for JS fw's
 			$attributes = sprintf('%s %s="%d"', $this->_attributes, $this->data_page_attr, (int) $i);
 
 			$output .= $this->last_tag_open.''

From 606fee0e2e0aa6a906db82e77090e91f133d7378 Mon Sep 17 00:00:00 2001
From: Andrey Andreev 
Date: Mon, 28 Jan 2013 12:57:13 +0200
Subject: [PATCH 0500/3829] Fix auto_link() for the Nth time

 - anchor() is for local links and breaks ones that don't have a protocol prefix
 - Allow :// links (no actual protocol specified)
 - Further simplified the URL regular expression
---
 system/helpers/url_helper.php                 | 19 ++++++++++---------
 tests/codeigniter/helpers/url_helper_test.php | 11 ++++++-----
 2 files changed, 16 insertions(+), 14 deletions(-)

diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php
index a6536cf81da..d0fab3fe0f2 100644
--- a/system/helpers/url_helper.php
+++ b/system/helpers/url_helper.php
@@ -384,22 +384,23 @@ function safe_mailto($email, $title = '', $attributes = '')
 	function auto_link($str, $type = 'both', $popup = FALSE)
 	{
 		// Find and replace any URLs.
-		if ($type !== 'email' && preg_match_all('#\b(([\w-]+://?|www\.)[^\s()<>]+(?:\([\w\d]+\)|([^[:punct:]\s]|/)))#', $str, $matches, PREG_OFFSET_CAPTURE))
+		if ($type !== 'email' && preg_match_all('#(\w*://|www\.)[^\s()<>;]+\w#i', $str, $matches, PREG_OFFSET_CAPTURE | PREG_SET_ORDER))
 		{
 			// Set our target HTML if using popup links.
-			$target = ($popup) ? 'target="_blank"' : '';
+			$target = ($popup) ? ' target="_blank"' : '';
 
 			// We process the links in reverse order (last -> first) so that
 			// the returned string offsets from preg_match_all() are not
 			// moved as we add more HTML.
-			foreach (array_reverse($matches[0]) as $match)
+			foreach (array_reverse($matches) as $match)
 			{
-				// $match is an array generated by the PREG_OFFSET_CAPTURE flag.
-				// $match[0] is the matched string, $match[1] is the string offset.
-
-				$anchor = anchor($match[0], '', $target);
-
-				$str = substr_replace($str, $anchor, $match[1], strlen($match[0]));
+				// $match[0] is the matched string/link
+				// $match[1] is either a protocol prefix or 'www.'
+				//
+				// With PREG_OFFSET_CAPTURE, both of the above is an array,
+				// where the actual value is held in [0] and its offset at the [1] index.
+				$a = ''.$match[0][0].'';
+				$str = substr_replace($str, $a, $match[0][1], strlen($match[0][0]));
 			}
 		}
 
diff --git a/tests/codeigniter/helpers/url_helper_test.php b/tests/codeigniter/helpers/url_helper_test.php
index 5fc3642383e..24823a634e7 100644
--- a/tests/codeigniter/helpers/url_helper_test.php
+++ b/tests/codeigniter/helpers/url_helper_test.php
@@ -48,11 +48,12 @@ public function test_prep_url()
 	public function test_auto_link_url()
 	{
 		$strings = array(
-			'www.codeigniter.com test' => 'http://www.codeigniter.com test',
+			'www.codeigniter.com test' => 'www.codeigniter.com test',
 			'This is my noreply@codeigniter.com test' => 'This is my noreply@codeigniter.com test',
-			'
www.google.com' => '
http://www.google.com', - 'Download CodeIgniter at www.codeigniter.com. Period test.' => 'Download CodeIgniter at http://www.codeigniter.com. Period test.', - 'Download CodeIgniter at www.codeigniter.com, comma test' => 'Download CodeIgniter at http://www.codeigniter.com, comma test' + '
www.google.com' => '
www.google.com', + 'Download CodeIgniter at www.codeigniter.com. Period test.' => 'Download CodeIgniter at www.codeigniter.com. Period test.', + 'Download CodeIgniter at www.codeigniter.com, comma test' => 'Download CodeIgniter at www.codeigniter.com, comma test', + 'This one: ://codeigniter.com must not break this one: http://codeigniter.com' => 'This one: ://codeigniter.com must not break this one: http://codeigniter.com' ); foreach ($strings as $in => $out) @@ -66,7 +67,7 @@ public function test_auto_link_url() public function test_pull_675() { $strings = array( - '
www.google.com' => '
http://www.google.com', + '
www.google.com' => '
www.google.com', ); foreach ($strings as $in => $out) From 009c8f09fbe767b01453f32b28f8a8a8dd4ef7c5 Mon Sep 17 00:00:00 2001 From: gommarah Date: Mon, 28 Jan 2013 13:45:50 +0200 Subject: [PATCH 0501/3829] Upload library, clean_file_name function: Fix xss bug. For example: If you clear this string "%%3f3f" according to the $bad array will fail. The result will be "%3f" Because str_replace() replaces left to right. Signed-off-by: xeptor --- system/libraries/Upload.php | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 96bb17edc6f..86c93411e88 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -1005,6 +1005,13 @@ public function clean_file_name($filename) '%3d' // = ); + do + { + $old_filename = $filename; + $filename = str_replace($bad, '', $filename); + } + while ($old_filename !== $filename); + return stripslashes(str_replace($bad, '', $filename)); } From 9be4cd74db158d805e0bc04c48c52a6453337c1d Mon Sep 17 00:00:00 2001 From: gommarah Date: Mon, 28 Jan 2013 13:58:35 +0200 Subject: [PATCH 0502/3829] Remove str_replace in return --- system/libraries/Upload.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 86c93411e88..1f0bd6a6ea8 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -1012,7 +1012,7 @@ public function clean_file_name($filename) } while ($old_filename !== $filename); - return stripslashes(str_replace($bad, '', $filename)); + return stripslashes($filename); } // -------------------------------------------------------------------- From 3608e1a094945631c5b65e1f66460e4486c5b541 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 28 Jan 2013 16:27:30 +0200 Subject: [PATCH 0503/3829] Libraries' filenames must be named in a ucfirst-like manner --- system/core/Loader.php | 144 ++++++++---------- system/libraries/Javascript.php | 2 +- .../{javascript => Javascript}/Jquery.php | 0 .../{javascript => Javascript}/index.html | 0 .../source/installation/upgrade_300.rst | 34 ++++- 5 files changed, 90 insertions(+), 90 deletions(-) rename system/libraries/{javascript => Javascript}/Jquery.php (100%) rename system/libraries/{javascript => Javascript}/index.html (100%) diff --git a/system/core/Loader.php b/system/core/Loader.php index bbd7a84b605..3ecce167666 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -96,13 +96,6 @@ class CI_Loader { */ protected $_ci_classes = array(); - /** - * List of loaded files - * - * @var array - */ - protected $_ci_loaded_files = array(); - /** * List of loaded models * @@ -943,117 +936,100 @@ protected function _ci_load_class($class, $params = NULL, $object_name = NULL) // Was the path included with the class name? // We look for a slash to determine this - $subdir = ''; if (($last_slash = strrpos($class, '/')) !== FALSE) { // Extract the path - $subdir = substr($class, 0, ++$last_slash); + $subdir = ucfirst(substr($class, 0, ++$last_slash)); // Get the filename from the path $class = substr($class, $last_slash); } + else + { + $subdir = ''; + } + + $class = ucfirst($class); + $subclass = APPPATH.'libraries/'.$subdir.config_item('subclass_prefix').$class.'.php'; - // We'll test for both lowercase and capitalized versions of the file name - foreach (array(ucfirst($class), strtolower($class)) as $class) + // Is this a class extension request? + if (file_exists($subclass)) { - $subclass = APPPATH.'libraries/'.$subdir.config_item('subclass_prefix').$class.'.php'; + $baseclass = BASEPATH.'libraries/'.$class.'.php'; - // Is this a class extension request? - if (file_exists($subclass)) + if ( ! file_exists($baseclass)) { - $baseclass = BASEPATH.'libraries/'.ucfirst($class).'.php'; - - if ( ! file_exists($baseclass)) - { - log_message('error', 'Unable to load the requested class: '.$class); - show_error('Unable to load the requested class: '.$class); - } + log_message('error', 'Unable to load the requested class: '.$class); + show_error('Unable to load the requested class: '.$class); + } - // Safety: Was the class already loaded by a previous call? - if (in_array($subclass, $this->_ci_loaded_files)) + // Safety: Was the class already loaded by a previous call? + if (class_exists(config_item('subclass_prefix').$class, FALSE)) + { + // Before we deem this to be a duplicate request, let's see + // if a custom object name is being supplied. If so, we'll + // return a new instance of the object + if ($object_name !== NULL) { - // Before we deem this to be a duplicate request, let's see - // if a custom object name is being supplied. If so, we'll - // return a new instance of the object - if ($object_name !== NULL) + $CI =& get_instance(); + if ( ! isset($CI->$object_name)) { - $CI =& get_instance(); - if ( ! isset($CI->$object_name)) - { - return $this->_ci_init_class($class, config_item('subclass_prefix'), $params, $object_name); - } + return $this->_ci_init_class($class, config_item('subclass_prefix'), $params, $object_name); } - - $is_duplicate = TRUE; - log_message('debug', $class.' class already loaded. Second attempt ignored.'); - return; } - include_once($baseclass); - include_once($subclass); - $this->_ci_loaded_files[] = $subclass; - - return $this->_ci_init_class($class, config_item('subclass_prefix'), $params, $object_name); + log_message('debug', $class.' class already loaded. Second attempt ignored.'); + return; } - // Lets search for the requested library file and load it. - $is_duplicate = FALSE; - foreach ($this->_ci_library_paths as $path) - { - $filepath = $path.'libraries/'.$subdir.$class.'.php'; + include_once($baseclass); + include_once($subclass); - // Does the file exist? No? Bummer... - if ( ! file_exists($filepath)) - { - continue; - } + return $this->_ci_init_class($class, config_item('subclass_prefix'), $params, $object_name); + } + + // Lets search for the requested library file and load it. + foreach ($this->_ci_library_paths as $path) + { + $filepath = $path.'libraries/'.$subdir.$class.'.php'; - // Safety: Was the class already loaded by a previous call? - if (in_array($filepath, $this->_ci_loaded_files)) + // Safety: Was the class already loaded by a previous call? + if (class_exists($class, FALSE)) + { + // Before we deem this to be a duplicate request, let's see + // if a custom object name is being supplied. If so, we'll + // return a new instance of the object + if ($object_name !== NULL) { - // Before we deem this to be a duplicate request, let's see - // if a custom object name is being supplied. If so, we'll - // return a new instance of the object - if ($object_name !== NULL) + $CI =& get_instance(); + if ( ! isset($CI->$object_name)) { - $CI =& get_instance(); - if ( ! isset($CI->$object_name)) - { - return $this->_ci_init_class($class, '', $params, $object_name); - } + return $this->_ci_init_class($class, '', $params, $object_name); } - - $is_duplicate = TRUE; - log_message('debug', $class.' class already loaded. Second attempt ignored.'); - return; } - include_once($filepath); - $this->_ci_loaded_files[] = $filepath; - return $this->_ci_init_class($class, '', $params, $object_name); + log_message('debug', $class.' class already loaded. Second attempt ignored.'); + return; + } + // Does the file exist? No? Bummer... + elseif ( ! file_exists($filepath)) + { + continue; } - } // END FOREACH + + include_once($filepath); + return $this->_ci_init_class($class, '', $params, $object_name); + } // One last attempt. Maybe the library is in a subdirectory, but it wasn't specified? if ($subdir === '') { - $path = strtolower($class).'/'.$class; - return $this->_ci_load_class($path, $params, $object_name); - } - elseif (ucfirst($subdir) != $subdir) - { - // Lowercase subdir failed - retry capitalized - $path = ucfirst($subdir).$class; - return $this->_ci_load_class($path, $params, $object_name); + return $this->_ci_load_class($class.'/'.$class, $params, $object_name); } // If we got this far we were unable to find the requested class. - // We do not issue errors if the load call failed due to a duplicate request - if ($is_duplicate === FALSE) - { - log_message('error', 'Unable to load the requested class: '.$class); - show_error('Unable to load the requested class: '.$class); - } + log_message('error', 'Unable to load the requested class: '.$class); + show_error('Unable to load the requested class: '.$class); } // -------------------------------------------------------------------- diff --git a/system/libraries/Javascript.php b/system/libraries/Javascript.php index 7f1d8551152..773a5838418 100644 --- a/system/libraries/Javascript.php +++ b/system/libraries/Javascript.php @@ -69,7 +69,7 @@ public function __construct($params = array()) $this->CI =& get_instance(); // load the requested js library - $this->CI->load->library('javascript/'.$js_library_driver, array('autoload' => $autoload)); + $this->CI->load->library('Javascript/'.$js_library_driver, array('autoload' => $autoload)); // make js to refer to current library $this->js =& $this->CI->$js_library_driver; diff --git a/system/libraries/javascript/Jquery.php b/system/libraries/Javascript/Jquery.php similarity index 100% rename from system/libraries/javascript/Jquery.php rename to system/libraries/Javascript/Jquery.php diff --git a/system/libraries/javascript/index.html b/system/libraries/Javascript/index.html similarity index 100% rename from system/libraries/javascript/index.html rename to system/libraries/Javascript/index.html diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index 94f6321befd..2d125a71a6a 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -104,16 +104,40 @@ regular expression:: (.+) // matches ANYTHING (:any) // matches any character, except for '/' +******************************************* +Step 9: Update your librararies' file names +******************************************* + +CodeIgniter 3.0 only allows library file names to be named in a *ucfirst* manner +(meaning that the first letter of the class name must be a capital). For example, +if you have the following library file: + + application/libraries/mylibrary.php + +... then you'll have to rename it to: + + application/libraries/Mylibrary.php + +The same goes for driver libraries and extensions and/or overrides of CodeIgniter's +own libraries and core classes. + + application/libraries/MY_email.php + application/core/MY_log.php + +The above files should respectively be renamed to the following: + + application/libraries/MY_Email.php + application/core/MY_Log.php **************************************************************************** -Step 9: Check the calls to Array Helper's element() and elements() functions +Step 10: Check the calls to Array Helper's element() and elements() functions **************************************************************************** The default return value of these functions, when the required elements don't exist, has been changed from FALSE to NULL. ************************************************************* -Step 10: Update usage of Database Forge's drop_table() method +Step 11: Update usage of Database Forge's drop_table() method ************************************************************* Up until now, ``drop_table()`` added an IF EXISTS clause by default or it didn't work @@ -135,7 +159,7 @@ If your application relies on IF EXISTS, you'll have to change its usage. all drivers with the exception of ODBC. *********************************************************** -Step 11: Change usage of Email library with multiple emails +Step 12: Change usage of Email library with multiple emails *********************************************************** The :doc:`Email Library <../libraries/email>` will automatically clear the @@ -150,7 +174,7 @@ pass FALSE as the first parameter in the ``send()`` method: } *************************************************** -Step 12: Update your Form_validation language lines +Step 13: Update your Form_validation language lines *************************************************** Two improvements have been made to the :doc:`Form Validation Library @@ -181,7 +205,7 @@ files and error messages format: later. **************************************************************** -Step 13: Remove usage of (previously) deprecated functionalities +Step 14: Remove usage of (previously) deprecated functionalities **************************************************************** In addition to the ``$autoload['core']`` configuration setting, there's a From bc92262992b606847eb1e764a0ab1cdef0aa12e3 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 28 Jan 2013 16:47:41 +0200 Subject: [PATCH 0504/3829] Update unit tests with the ucfirst-library-filename requirement --- tests/codeigniter/core/Loader_test.php | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/tests/codeigniter/core/Loader_test.php b/tests/codeigniter/core/Loader_test.php index ecc5ca933ef..dea01a55552 100644 --- a/tests/codeigniter/core/Loader_test.php +++ b/tests/codeigniter/core/Loader_test.php @@ -25,7 +25,7 @@ public function test_library() // Create library in VFS $lib = 'unit_test_lib'; $class = 'CI_'.ucfirst($lib); - $this->ci_vfs_create($lib, 'ci_base_root, 'libraries'); + $this->ci_vfs_create(ucfirst($lib), 'ci_base_root, 'libraries'); // Test is_loaded fail $this->assertFalse($this->load->is_loaded($lib)); @@ -48,7 +48,7 @@ public function test_library() // Test non-existent class $this->setExpectedException( 'RuntimeException', - 'CI Error: Non-existent class: '.$lib + 'CI Error: Unable to load the requested class: '.ucfirst($lib) ); $this->assertNull($this->load->library($lib)); } @@ -105,7 +105,7 @@ public function test_library_config() $lib = 'unit_test_config_lib'; $class = 'CI_'.ucfirst($lib); $content = 'config = $params; } }'; - $this->ci_vfs_create($lib, $content, $this->ci_base_root, 'libraries'); + $this->ci_vfs_create(ucfirst($lib), $content, $this->ci_base_root, 'libraries'); // Create config file $cfg = array( @@ -133,7 +133,7 @@ public function test_load_library_in_application_dir() // Create library in VFS $lib = 'super_test_library'; $class = ucfirst($lib); - $this->ci_vfs_create($lib, 'ci_app_root, 'libraries'); + $this->ci_vfs_create(ucfirst($lib), 'ci_app_root, 'libraries'); // Load library $this->assertNull($this->load->library($lib)); @@ -152,7 +152,7 @@ public function test_driver() $dir = ucfirst($driver); $class = 'CI_'.$dir; $content = 'ci_vfs_create($driver, $content, $this->ci_base_root, 'libraries/'.$dir); + $this->ci_vfs_create(ucfirst($driver), $content, $this->ci_base_root, 'libraries/'.$dir); // Test loading as an array. $this->assertNull($this->load->driver(array($driver))); @@ -410,7 +410,7 @@ public function test_packages() $dir = 'third-party'; $lib = 'unit_test_package'; $class = 'CI_'.ucfirst($lib); - $this->ci_vfs_create($lib, 'ci_app_root, array($dir, 'libraries')); + $this->ci_vfs_create(ucfirst($lib), 'ci_app_root, array($dir, 'libraries')); // Get paths $paths = $this->load->get_package_paths(TRUE); @@ -440,7 +440,7 @@ public function test_packages() // Test failed load without path $this->setExpectedException( 'RuntimeException', - 'CI Error: Unable to load the requested class: '.$lib + 'CI Error: Unable to load the requested class: '.ucfirst($lib) ); $this->load->library($lib); } @@ -467,13 +467,13 @@ public function test_initialize() // Create library in VFS $lib = 'autolib'; $lib_class = 'CI_'.ucfirst($lib); - $this->ci_vfs_create($lib, 'ci_base_root, 'libraries'); + $this->ci_vfs_create(ucfirst($lib), 'ci_base_root, 'libraries'); // Create driver in VFS $drv = 'autodrv'; $subdir = ucfirst($drv); $drv_class = 'CI_'.$subdir; - $this->ci_vfs_create($drv, 'ci_base_root, array('libraries', $subdir)); + $this->ci_vfs_create(ucfirst($drv), 'ci_base_root, array('libraries', $subdir)); // Create model in VFS package path $dir = 'testdir'; From 55bbd7207d5276a7546e60f28c4c31325bab2b5e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 28 Jan 2013 19:02:13 +0200 Subject: [PATCH 0505/3829] Fix issue #2179 --- system/database/DB_query_builder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index ac377d99675..c7bc4a6993f 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -937,7 +937,7 @@ protected function _like($field, $match = '', $type = 'AND ', $side = 'both', $n $this->qb_where[] = array('condition' => $like_statement, 'escape' => $escape); if ($this->qb_caching === TRUE) { - $this->qb_cache_where[] = $like_statement; + $this->qb_cache_where[] = array('condition' => $like_statement, 'escape' => $escape); $this->qb_cache_exists[] = 'where'; } } From 662e34291a2d5d8997ea9835701fb9a8a7ec244c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 28 Jan 2013 21:19:13 +0200 Subject: [PATCH 0506/3829] Some micro-optimization to the Driver library loader --- system/libraries/Driver.php | 19 +++++++++---------- 1 file changed, 9 insertions(+), 10 deletions(-) diff --git a/system/libraries/Driver.php b/system/libraries/Driver.php index 4b35dce7313..382420db056 100644 --- a/system/libraries/Driver.php +++ b/system/libraries/Driver.php @@ -80,8 +80,7 @@ public function __get($child) public function load_driver($child) { // Get CodeIgniter instance and subclass prefix - $CI = get_instance(); - $prefix = (string) $CI->config->item('subclass_prefix'); + $prefix = config_item('subclass_prefix'); if ( ! isset($this->lib_name)) { @@ -102,11 +101,12 @@ public function load_driver($child) } // Get package paths and filename case variations to search + $CI = get_instance(); $paths = $CI->load->get_package_paths(TRUE); // Is there an extension? $class_name = $prefix.$child_name; - $found = class_exists($class_name); + $found = class_exists($class_name, FALSE); if ( ! $found) { // Check for subclass file @@ -126,8 +126,8 @@ public function load_driver($child) } // Include both sources and mark found - include($basepath); - include($file); + include_once($basepath); + include_once($file); $found = TRUE; break; } @@ -139,8 +139,7 @@ public function load_driver($child) { // Use standard class name $class_name = 'CI_'.$child_name; - $found = class_exists($class_name); - if ( ! $found) + if ( ! class_exists($class_name, FALSE)) { // Check package paths foreach ($paths as $path) @@ -150,7 +149,7 @@ public function load_driver($child) if (file_exists($file)) { // Include source - include($file); + include_once($file); break; } } @@ -158,9 +157,9 @@ public function load_driver($child) } // Did we finally find the class? - if ( ! class_exists($class_name)) + if ( ! class_exists($class_name, FALSE)) { - if (class_exists($child_name)) + if (class_exists($child_name, FALSE)) { $class_name = $child_name; } From c26d34ff12458760eb843454d3224e1dad1fb2e0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 28 Jan 2013 21:46:08 +0200 Subject: [PATCH 0507/3829] Fix issue #2202 and alter Loader Class docs --- system/core/Loader.php | 2 +- user_guide_src/source/libraries/loader.rst | 146 ++++++++++----------- 2 files changed, 73 insertions(+), 75 deletions(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index 3ecce167666..00ca3519952 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -939,7 +939,7 @@ protected function _ci_load_class($class, $params = NULL, $object_name = NULL) if (($last_slash = strrpos($class, '/')) !== FALSE) { // Extract the path - $subdir = ucfirst(substr($class, 0, ++$last_slash)); + $subdir = substr($class, 0, ++$last_slash); // Get the filename from the path $class = substr($class, $last_slash); diff --git a/user_guide_src/source/libraries/loader.rst b/user_guide_src/source/libraries/loader.rst index 615aba1c22c..b048f488132 100644 --- a/user_guide_src/source/libraries/loader.rst +++ b/user_guide_src/source/libraries/loader.rst @@ -11,14 +11,15 @@ can be libraries (classes) :doc:`View files <../general/views>`, .. note:: This class is initialized automatically by the system so there is no need to do it manually. -The following functions are available in this class: +The following methods are available in this class: $this->load->library('class_name', $config, 'object name') -=========================================================== +========================================================== -This function is used to load core classes. Where class_name is the -name of the class you want to load. Note: We use the terms "class" and -"library" interchangeably. +This method is used to load core classes. Where class_name is the +name of the class you want to load. + +.. note:: We use the terms "class" and "library" interchangeably. For example, if you would like to send email with CodeIgniter, the first step is to load the email class within your controller:: @@ -26,15 +27,15 @@ step is to load the email class within your controller:: $this->load->library('email'); Once loaded, the library will be ready for use, using -$this->email->*some_function*(). +$this->email->*some_method*(). Library files can be stored in subdirectories within the main -"libraries" folder, or within your personal application/libraries -folder. To load a file located in a subdirectory, simply include the -path, relative to the "libraries" folder. For example, if you have file -located at:: +"libraries" directory, or within your personal application/libraries +directory. To load a file located in a subdirectory, simply include the +path, relative to the "libraries" directory. For example, if you have +file located at:: - libraries/flavors/chocolate.php + libraries/flavors/Chocolate.php You will load it using:: @@ -43,7 +44,7 @@ You will load it using:: You may nest the file in as many subdirectories as you want. Additionally, multiple libraries can be loaded at the same time by -passing an array of libraries to the load function. +passing an array of libraries to the load method. :: @@ -56,10 +57,10 @@ The second (optional) parameter allows you to optionally pass configuration setting. You will typically pass these as an array:: $config = array ( - 'mailtype' => 'html', - 'charset' => 'utf-8, - 'priority' => '1' - ); + 'mailtype' => 'html', + 'charset' => 'utf-8, + 'priority' => '1' + ); $this->load->library('email', $config); @@ -84,16 +85,15 @@ third parameter:: $this->load->library('calendar', '', 'my_calendar'); // Calendar class is now accessed using: - $this->my_calendar Please take note, when multiple libraries are supplied in an array for the first parameter, this parameter is discarded. $this->load->driver('parent_name', $config, 'object name') -=========================================================== +========================================================== -This function is used to load driver libraries. Where parent_name is the +This method is used to load driver libraries. Where parent_name is the name of the parent class you want to load. As an example, if you would like to use sessions with CodeIgniter, the first @@ -102,15 +102,15 @@ step is to load the session driver within your controller:: $this->load->driver('session'); Once loaded, the library will be ready for use, using -$this->session->*some_function*(). +$this->session->*some_method*(). Driver files must be stored in a subdirectory within the main -"libraries" folder, or within your personal application/libraries -folder. The subdirectory must match the parent class name. Read the +"libraries" directory, or within your personal application/libraries +directory. The subdirectory must match the parent class name. Read the :doc:`Drivers <../general/drivers>` description for details. Additionally, multiple driver libraries can be loaded at the same time by -passing an array of drivers to the load function. +passing an array of drivers to the load method. :: @@ -122,11 +122,11 @@ Setting options The second (optional) parameter allows you to optionally pass configuration settings. You will typically pass these as an array:: - $config = array ( - 'sess_driver' => 'cookie', - 'sess_encrypt_cookie' => true, - 'encryption_key' => 'mysecretkey' - ); + $config = array( + 'sess_driver' => 'cookie', + 'sess_encrypt_cookie' => true, + 'encryption_key' => 'mysecretkey' + ); $this->load->driver('session', $config); @@ -135,12 +135,12 @@ is explained in detail in its own page, so please read the information regarding each one you would like to use. Assigning a Driver to a different object name ----------------------------------------------- +--------------------------------------------- If the third (optional) parameter is blank, the library will be assigned to an object with the same name as the parent class. For example, if the library is named Session, it will be assigned to a variable named -$this->session. +``$this->session``. If you prefer to set your own class names you can pass its value to the third parameter:: @@ -148,32 +148,33 @@ third parameter:: $this->load->library('session', '', 'my_session'); // Session class is now accessed using: - $this->my_session -.. note:: Driver libraries may also be loaded with the library() method, - but it is faster to use driver() +.. note:: Driver libraries may also be loaded with the ``library()`` method, + but it is faster to use ``driver()``. -$this->load->view('file_name', $data, true/false) -================================================== +$this->load->view('file_name', $data, TRUE/FALSE) +================================================= -This function is used to load your View files. If you haven't read the +This method is used to load your View files. If you haven't read the :doc:`Views <../general/views>` section of the user guide it is -recommended that you do since it shows you how this function is +recommended that you do since it shows you how this method is typically used. The first parameter is required. It is the name of the view file you -would like to load. Note: The .php file extension does not need to be -specified unless you use something other than .php. +would like to load. + +.. note:: The .php file extension does not need to be specified unless + you use something other than .php. The second **optional** parameter can take an associative array or an object as input, which it runs through the PHP -`extract `_ function to convert to variables +`extract() `_ function to convert to variables that can be used in your view files. Again, read the :doc:`Views <../general/views>` page to learn how this might be useful. The third **optional** parameter lets you change the behavior of the -function so that it returns data as a string rather than sending it to +method so that it returns data as a string rather than sending it to your browser. This can be useful if you want to process the data in some way. If you set the parameter to true (boolean) it will return data. The default behavior is false, which sends it to your browser. Remember to @@ -189,79 +190,76 @@ $this->load->model('model_name'); $this->load->model('model_name'); -If your model is located in a sub-folder, include the relative path from -your models folder. For example, if you have a model located at +If your model is located in a subdirectory, include the relative path +from your models directory. For example, if you have a model located at application/models/blog/queries.php you'll load it using:: $this->load->model('blog/queries'); - If you would like your model assigned to a different object name you can -specify it via the second parameter of the loading function:: +specify it via the second parameter of the loading method:: $this->load->model('model_name', 'fubar'); + $this->fubar->method(); - $this->fubar->function(); - -$this->load->database('options', true/false) +$this->load->database('options', TRUE/FALSE) ============================================ -This function lets you load the database class. The two parameters are +This method lets you load the database class. The two parameters are **optional**. Please see the :doc:`database <../database/index>` section for more info. $this->load->vars($array) ========================= -This function takes an associative array as input and generates +This method takes an associative array as input and generates variables using the PHP `extract `_ -function. This function produces the same result as using the second -parameter of the $this->load->view() function above. The reason you -might want to use this function independently is if you would like to +method. This method produces the same result as using the second +parameter of the ``$this->load->view()`` method above. The reason you +might want to use this method independently is if you would like to set some global variables in the constructor of your controller and have -them become available in any view file loaded from any function. You can -have multiple calls to this function. The data get cached and merged +them become available in any view file loaded from any method. You can +have multiple calls to this method. The data get cached and merged into one array for conversion to variables. $this->load->get_var($key) -=========================== +========================== -This function checks the associative array of variables available to +This method checks the associative array of variables available to your views. This is useful if for any reason a var is set in a library -or another controller method using $this->load->vars(). +or another controller method using ``$this->load->vars()``. $this->load->get_vars() -=========================== +======================= -This function retrieves all variables available to -your views. +This method retrieves all variables available to your views. $this->load->helper('file_name') -================================= +================================ -This function loads helper files, where file_name is the name of the +This method loads helper files, where file_name is the name of the file, without the _helper.php extension. -$this->load->file('filepath/filename', true/false) +$this->load->file('filepath/filename', TRUE/FALSE) ================================================== -This is a generic file loading function. Supply the filepath and name in +This is a generic file loading method. Supply the filepath and name in the first parameter and it will open and read the file. By default the data is sent to your browser, just like a View file, but if you set the second parameter to true (boolean) it will instead return the data as a string. $this->load->language('file_name') -=================================== +================================== -This function is an alias of the :doc:`language loading -function `: $this->lang->load() +This method is an alias of the :doc:`language loading +method `: ``$this->lang->load()`` $this->load->config('file_name') -================================= +================================ -This function is an alias of the :doc:`config file loading -function `: $this->config->load() +This method is an alias of the :doc:`config file loading +method `: ``$this->config->load()`` Application "Packages" ====================== @@ -269,7 +267,7 @@ Application "Packages" An application package allows for the easy distribution of complete sets of resources in a single directory, complete with its own libraries, models, helpers, config, and language files. It is recommended that -these packages be placed in the application/third_party folder. Below +these packages be placed in the application/third_party directory. Below is a sample map of an package directory Sample Package "Foo Bar" Directory Map @@ -311,7 +309,7 @@ $this->load->remove_package_path() When your controller is finished using resources from an application package, and particularly if you have other application packages you want to work with, you may wish to remove the package path so the Loader -no longer looks in that folder for resources. To remove the last path +no longer looks in that directory for resources. To remove the last path added, simply call the method with no parameters. $this->load->remove_package_path() @@ -346,4 +344,4 @@ calling add_package_path(). // Again without the second parameter: $this->load->add_package_path(APPPATH.'my_app'); $this->load->view('my_app_index'); // Loads - $this->load->view('welcome_message'); // Loads + $this->load->view('welcome_message'); // Loads \ No newline at end of file From 0c1e163057308abb7324e44081b47dc9937dde17 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Mon, 28 Jan 2013 21:24:36 +0100 Subject: [PATCH 0508/3829] Adjustments in routing documentation * fixed syntax error for "note" banner * more useful example, in previous one there was no need for strtolower, nor for a callback --- user_guide_src/source/general/routing.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/general/routing.rst b/user_guide_src/source/general/routing.rst index 2a03320885c..ed21a61095a 100644 --- a/user_guide_src/source/general/routing.rst +++ b/user_guide_src/source/general/routing.rst @@ -129,7 +129,7 @@ For those of you who don't know regular expressions and want to learn more about them, `regular-expressions.info ` might be a good starting point. -..note:: You can also mix and match wildcards with regular expressions. +.. note:: You can also mix and match wildcards with regular expressions. Callbacks ========= @@ -137,7 +137,7 @@ Callbacks If you are using PHP >= 5.3 you can use callbacks in place of the normal routing rules to process the back-references. Example:: - $route['products/([a-z]+)/edit/(\d+)'] = function ($product_type, $id) + $route['products/([a-zA-Z]+)/edit/(\d+)'] = function ($product_type, $id) { return 'catalog/product_edit/' . strtolower($product_type) . '/' . $id; }; From 9668d1d56d39187aa26f058495ca666e3544cbe2 Mon Sep 17 00:00:00 2001 From: Eric Roberts Date: Mon, 28 Jan 2013 17:45:34 -0600 Subject: [PATCH 0509/3829] Remove spaces from concats. Signed-off-by: Eric Roberts --- system/libraries/Pagination.php | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index 3a513a7c12b..76754046bf7 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -408,13 +408,13 @@ public function create_links() // If we saved any GET items earlier, make sure they're appended. if ( ! empty($get)) { - $this->first_url .= $query_string_sep . http_build_query($get); + $this->first_url .= $query_string_sep.http_build_query($get); } } // Add the page segment to the end of the query string, where the // page number will be appended. - $this->base_url .= $query_string_sep . http_build_query(array_merge($get, array($this->query_string_segment => ''))); + $this->base_url .= $query_string_sep.http_build_query(array_merge($get, array($this->query_string_segment => ''))); } else { @@ -422,7 +422,7 @@ public function create_links() // Generate our saved query string to append later after the page number. if ( ! empty($get)) { - $query_string = $query_string_sep . http_build_query($get); + $query_string = $query_string_sep.http_build_query($get); $this->suffix .= $query_string; } @@ -435,10 +435,10 @@ public function create_links() if ($this->first_url === '') { - $this->first_url = $this->base_url . $query_string; + $this->first_url = $this->base_url.$query_string; } - $this->base_url = rtrim($this->base_url, '/') . '/'; + $this->base_url = rtrim($this->base_url, '/').'/'; } // Determine the current page number. From b835a4f3b3f8fccd7ce457d4ab13344d3dcb91a9 Mon Sep 17 00:00:00 2001 From: Chris Buckley Date: Mon, 28 Jan 2013 23:35:13 +0000 Subject: [PATCH 0510/3829] Fix list_fields seek bug On the first list_fields call, the field pointer is moved to the end of the list of fields. This change ensures that the pointer is positioned at the start of the field list before grabbing the names. Signed-off-by: Chris Buckley --- system/database/drivers/mssql/mssql_result.php | 1 + system/database/drivers/mysql/mysql_result.php | 1 + system/database/drivers/mysqli/mysqli_result.php | 1 + 3 files changed, 3 insertions(+) diff --git a/system/database/drivers/mssql/mssql_result.php b/system/database/drivers/mssql/mssql_result.php index ea3f8e4d115..b6e5f2b17cf 100644 --- a/system/database/drivers/mssql/mssql_result.php +++ b/system/database/drivers/mssql/mssql_result.php @@ -74,6 +74,7 @@ public function num_fields() public function list_fields() { $field_names = array(); + mssql_field_seek($this->result_id, 0); while ($field = mssql_fetch_field($this->result_id)) { $field_names[] = $field->name; diff --git a/system/database/drivers/mysql/mysql_result.php b/system/database/drivers/mysql/mysql_result.php index 1ed2759b680..a2affcb5831 100644 --- a/system/database/drivers/mysql/mysql_result.php +++ b/system/database/drivers/mysql/mysql_result.php @@ -89,6 +89,7 @@ public function num_fields() public function list_fields() { $field_names = array(); + mysql_field_seek($this->result_id, 0); while ($field = mysql_fetch_field($this->result_id)) { $field_names[] = $field->name; diff --git a/system/database/drivers/mysqli/mysqli_result.php b/system/database/drivers/mysqli/mysqli_result.php index 4105f99f6e1..3fe05f9c50e 100644 --- a/system/database/drivers/mysqli/mysqli_result.php +++ b/system/database/drivers/mysqli/mysqli_result.php @@ -74,6 +74,7 @@ public function num_fields() public function list_fields() { $field_names = array(); + $this->result_id->field_seek(0); while ($field = $this->result_id->fetch_field()) { $field_names[] = $field->name; From ba67f3bb595817115a15f6c3249e41e7c85f2ce4 Mon Sep 17 00:00:00 2001 From: Eric Roberts Date: Mon, 28 Jan 2013 18:01:01 -0600 Subject: [PATCH 0511/3829] Move $get assignment to if/else. Signed-off-by: Eric Roberts --- system/libraries/Pagination.php | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index 76754046bf7..562a2d3eb63 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -380,8 +380,6 @@ public function create_links() // Keep any existing query string items. // Note: Has nothing to do with any other query string option. - $get = array(); - if ($this->reuse_query_string === TRUE) { $get = $CI->input->get(); @@ -389,6 +387,10 @@ public function create_links() // Unset the controll, method, old-school routing options unset($get['c'], $get['m'], $get[$this->query_string_segment]); } + else + { + $get = array(); + } // Put together our base and first URLs. $this->base_url = trim($this->base_url); From 032af98ab94482cc7c5b10013ec033acfdc34c74 Mon Sep 17 00:00:00 2001 From: Eric Roberts Date: Mon, 28 Jan 2013 23:25:52 -0600 Subject: [PATCH 0512/3829] Replace is_numeric() with ctype_digit() Signed-off-by: Eric Roberts --- system/libraries/Pagination.php | 19 +++++++++++++------ 1 file changed, 13 insertions(+), 6 deletions(-) diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index 562a2d3eb63..438d6c477f1 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -449,7 +449,8 @@ public function create_links() // Are we using query strings? if ($CI->config->item('enable_query_strings') === TRUE OR $this->page_query_string === TRUE) { - $this->cur_page = (int) $CI->input->get($this->query_string_segment); + // Cast as string for use in ctype_digit() later. + $this->cur_page = (string) $CI->input->get($this->query_string_segment); } else { @@ -459,19 +460,25 @@ public function create_links() $this->uri_segment = count($CI->uri->segment_array()); } - $this->cur_page = $CI->uri->segment($this->uri_segment); + $this->cur_page = (string) $CI->uri->segment($this->uri_segment); // Remove any specified prefix/suffix from the segment. - $this->cur_page = ($this->prefix !== '' OR $this->suffix !== '') - ? (int) str_replace(array($this->prefix, $this->suffix), '', $this->cur_page) - : (int) $this->cur_page; + if ($this->prefix !== '' OR $this->suffix !== '') + { + $this->cur_page = str_replace(array($this->prefix, $this->suffix), '', $this->cur_page); + } } // If something isn't quite right, back to the default base page. - if ( ! is_numeric($this->cur_page) OR ($this->use_page_numbers && $this->cur_page === 0)) + if ( ! ctype_digit($this->cur_page) OR ($this->use_page_numbers && (int) $this->cur_page === 0)) { $this->cur_page = $base_page; } + else + { + // Make sure we're using integers for comparisons later. + $this->cur_page = (int) $this->cur_page; + } // Is the page number beyond the result range? // If so, we show the last page. From 0687911229be13e100724dbf8b15b95146b591a9 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 29 Jan 2013 15:05:02 +0200 Subject: [PATCH 0513/3829] Replace is_file() with the faster file_exists() (where it makes sense) Also: - Implemented caching of configuration arrays for smileys, foreign characters and doctypes. - Implemented cascading-style loading of configuration files (except for library configs, DB and constants.php). --- system/core/Common.php | 4 ++-- system/core/Hooks.php | 5 +++-- system/core/Router.php | 9 +++++---- system/helpers/download_helper.php | 2 +- system/helpers/html_helper.php | 20 ++++++++++++-------- system/helpers/smiley_helper.php | 28 +++++++++++++++++++++------- system/helpers/text_helper.php | 22 +++++++++++++--------- system/libraries/User_agent.php | 13 ++++++++----- 8 files changed, 65 insertions(+), 38 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 90cc5b3a4e7..258cd49678d 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -316,11 +316,11 @@ function &get_mimes() { static $_mimes = array(); - if (is_file(APPPATH.'config/'.ENVIRONMENT.'/mimes.php')) + if (file_exists(APPPATH.'config/'.ENVIRONMENT.'/mimes.php')) { $_mimes = include(APPPATH.'config/'.ENVIRONMENT.'/mimes.php'); } - elseif (is_file(APPPATH.'config/mimes.php')) + elseif (file_exists(APPPATH.'config/mimes.php')) { $_mimes = include(APPPATH.'config/mimes.php'); } diff --git a/system/core/Hooks.php b/system/core/Hooks.php index 59759e02e4e..17f6a027e89 100644 --- a/system/core/Hooks.php +++ b/system/core/Hooks.php @@ -81,11 +81,12 @@ public function __construct() } // Grab the "hooks" definition file. - if (is_file(APPPATH.'config/'.ENVIRONMENT.'/hooks.php')) + if (file_exists(APPPATH.'config/'.ENVIRONMENT.'/hooks.php')) { include(APPPATH.'config/'.ENVIRONMENT.'/hooks.php'); } - elseif (is_file(APPPATH.'config/hooks.php')) + + if (file_exists(APPPATH.'config/hooks.php')) { include(APPPATH.'config/hooks.php'); } diff --git a/system/core/Router.php b/system/core/Router.php index 4755b3712e5..bb0ce16bd97 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -133,13 +133,14 @@ public function _set_routing() } // Load the routes.php file. - if (is_file(APPPATH.'config/'.ENVIRONMENT.'/routes.php')) + if (file_exists(APPPATH.'config/routes.php')) { - include(APPPATH.'config/'.ENVIRONMENT.'/routes.php'); + include(APPPATH.'config/routes.php'); } - elseif (is_file(APPPATH.'config/routes.php')) + + if (file_exists(APPPATH.'config/'.ENVIRONMENT.'/routes.php')) { - include(APPPATH.'config/routes.php'); + include(APPPATH.'config/'.ENVIRONMENT.'/routes.php'); } $this->routes = (empty($route) OR ! is_array($route)) ? array() : $route; diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index 7294d50c5be..4fe6a0e8844 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -58,7 +58,7 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) } elseif ($data === NULL) { - if (@is_file($filename) && @file_exists($filename) && ($filesize = @filesize($filename)) !== FALSE) + if (@is_file($filename) && ($filesize = @filesize($filename)) !== FALSE) { $filepath = $filename; $filename = explode('/', str_replace(DIRECTORY_SEPARATOR, '/', $filename)); diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index 7a71eb82b65..80a27876f0e 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -238,26 +238,30 @@ function img($src = '', $index_page = FALSE, $attributes = '') */ function doctype($type = 'xhtml1-strict') { - global $_doctypes; + static $doctypes; - if ( ! is_array($_doctypes)) + if ( ! is_array($doctypes)) { - if (is_file(APPPATH.'config/'.ENVIRONMENT.'/doctypes.php')) + if (file_exists(APPPATH.'config/doctypes.php')) { - include(APPPATH.'config/'.ENVIRONMENT.'/doctypes.php'); + include(APPPATH.'config/doctypes.php'); } - elseif (is_file(APPPATH.'config/doctypes.php')) + + if (file_exists(APPPATH.'config/'.ENVIRONMENT.'/doctypes.php')) { - include(APPPATH.'config/doctypes.php'); + include(APPPATH.'config/'.ENVIRONMENT.'/doctypes.php'); } - if ( ! is_array($_doctypes)) + if (empty($_doctypes) OR ! is_array($_doctypes)) { + $doctypes = array(); return FALSE; } + + $doctypes = $_doctypes; } - return isset($_doctypes[$type]) ? $_doctypes[$type] : FALSE; + return isset($doctypes[$type]) ? $doctypes[$type] : FALSE; } } diff --git a/system/helpers/smiley_helper.php b/system/helpers/smiley_helper.php index c2f50ec7398..d9a693493df 100644 --- a/system/helpers/smiley_helper.php +++ b/system/helpers/smiley_helper.php @@ -213,16 +213,30 @@ function parse_smileys($str = '', $image_url = '', $smileys = NULL) */ function _get_smiley_array() { - if (file_exists(APPPATH.'config/'.ENVIRONMENT.'/smileys.php')) - { - include(APPPATH.'config/'.ENVIRONMENT.'/smileys.php'); - } - elseif (file_exists(APPPATH.'config/smileys.php')) + static $_smileys; + + if ( ! is_array($smileys)) { - include(APPPATH.'config/smileys.php'); + if (file_exists(APPPATH.'config/smileys.php')) + { + include(APPPATH.'config/smileys.php'); + } + + if (file_exists(APPPATH.'config/'.ENVIRONMENT.'/smileys.php')) + { + include(APPPATH.'config/'.ENVIRONMENT.'/smileys.php'); + } + + if (empty($smileys) OR ! is_array($smileys)) + { + $_smileys = array(); + return FALSE; + } + + $_smileys = $smileys; } - return (isset($smileys) && is_array($smileys)) ? $smileys : FALSE; + return $_smileys; } } diff --git a/system/helpers/text_helper.php b/system/helpers/text_helper.php index c255c15a8df..54db14f9468 100644 --- a/system/helpers/text_helper.php +++ b/system/helpers/text_helper.php @@ -358,31 +358,35 @@ function highlight_phrase($str, $phrase, $tag_open = '', $tag_close = '< /** * Convert Accented Foreign Characters to ASCII * - * @param string the text string + * @param string $str Input string * @return string */ function convert_accented_characters($str) { - global $foreign_characters; + static $_foreign_characters; - if ( ! isset($foreign_characters) OR ! is_array($foreign_characters)) + if ( ! is_array($_foreign_characters)) { - if (is_file(APPPATH.'config/'.ENVIRONMENT.'/foreign_chars.php')) + if (file_exists(APPPATH.'config/foreign_chars.php')) { - include(APPPATH.'config/'.ENVIRONMENT.'/foreign_chars.php'); + include(APPPATH.'config/foreign_chars.php'); } - elseif (is_file(APPPATH.'config/foreign_chars.php')) + + if (file_exists(APPPATH.'config/'.ENVIRONMENT.'/foreign_chars.php')) { - include(APPPATH.'config/foreign_chars.php'); + include(APPPATH.'config/'.ENVIRONMENT.'/foreign_chars.php'); } - if ( ! isset($foreign_characters) OR ! is_array($foreign_characters)) + if (empty($foreign_characters) OR ! is_array($foreign_characters)) { + $_foreign_characters = array(); return $str; } + + $_foreign_characters = $foreign_characters; } - return preg_replace(array_keys($foreign_characters), array_values($foreign_characters), $str); + return preg_replace(array_keys($_foreign_characters), array_values($_foreign_characters), $str); } } diff --git a/system/libraries/User_agent.php b/system/libraries/User_agent.php index 3fe2e0519bf..2f6f81909b6 100644 --- a/system/libraries/User_agent.php +++ b/system/libraries/User_agent.php @@ -175,15 +175,18 @@ public function __construct() */ protected function _load_agent_file() { - if (is_file(APPPATH.'config/'.ENVIRONMENT.'/user_agents.php')) + if (($found = file_exists(APPPATH.'config/user_agents.php'))) { - include(APPPATH.'config/'.ENVIRONMENT.'/user_agents.php'); + include(APPPATH.'config/user_agents.php'); } - elseif (is_file(APPPATH.'config/user_agents.php')) + + if (file_exists(APPPATH.'config/'.ENVIRONMENT.'/user_agents.php')) { - include(APPPATH.'config/user_agents.php'); + include(APPPATH.'config/'.ENVIRONMENT.'/user_agents.php'); + $found = TRUE; } - else + + if ($found !== TRUE) { return FALSE; } From d911fccb3198ffb0629d9956115ae08244ce3e66 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 29 Jan 2013 15:14:13 +0200 Subject: [PATCH 0514/3829] [ci skip] Add some changelog entries --- user_guide_src/source/changelog.rst | 12 +++++++++--- 1 file changed, 9 insertions(+), 3 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 8b9ec2539ce..982ae22f42e 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -38,7 +38,6 @@ Release Date: Not Released - Updated support for php files in mimes.php. - Updated support for zip files in mimes.php. - Updated support for csv files in mimes.php. - - Added some more doctypes. - Added Romanian, Greek, Vietnamese and Cyrilic characters in *application/config/foreign_characters.php*. - Changed logger to only chmod when file is first created. - Removed previously deprecated SHA1 Library. @@ -74,7 +73,10 @@ Release Date: Not Released - Added support (auto-detection) for HTTP/1.1 response code 303 in :php:func:`redirect()`. - Changed :php:func:`redirect()` to only choose the **refresh** method only on IIS servers, instead of all servers on Windows (when **auto** is used). - Changed :php:func:`anchor()`, :php:func:`anchor_popup()`, and :php:func:`redirect()` to support protocol-relative URLs (e.g. *//ellislab.com/codeigniter*). - - Added XHTML Basic 1.1 doctype to :doc:`HTML Helper `. + - :doc:`HTML Helper ` changes include: + - Added more doctypes. + - Changed application and environment config files to be loaded in a cascade-like manner. + - The doctypes array is now cached and loaded only once. - :doc:`Inflector Helper ` changes include: - Changed :php:func:`humanize()` to allow passing an input separator as its second parameter. - Refactored :php:func:`plural()` and :php:func:`singular()` to avoid double pluralization and support more words. @@ -88,7 +90,10 @@ Release Date: Not Released - :doc:`Security Helper ` changes include: - :php:func:`do_hash()` now uses PHP's native ``hash()`` function (supporting more algorithms) and is deprecated. - :php:func:`strip_image_tags()` is now an alias for the same method in the :doc:`Security Library `. - - Removed previously deprecated helper function ``js_insert_smiley()`` from :doc:`Smiley Helper `. + - :doc:`Smiley Helper ` changes include: + - Removed previously deprecated function ``js_insert_smiley()``. + - Changed application and environment config files to be loaded in a cascade-like manner. + - The smileys array is now cached and loaded only once. - :doc:`File Helper ` changes include: - :php:func:`set_realpath()` can now also handle file paths as opposed to just directories. - Added an optional paramater to :php:func:`delete_files()` to enable it to skip deleting files such as *.htaccess* and *index.html*. @@ -472,6 +477,7 @@ Bug fixes for 3.0 - Fixed a bug (#113) - :doc:`Form Validation Library ` didn't properly handle empty fields that were specified as an array. - Fixed a bug (#2061) - :doc:`Routing Class ` didn't properly sanitize directory, controller and function triggers with **enable_query_strings** set to TRUE. - Fixed a bug - SQLSRV didn't support ``escape_like_str()`` or escaping an array of values. +- Fixed a bug - :doc:`DB result ` method ``list_fields()`` didn't reset its field pointer for the *mysql*, *mysqli* and *mssql* drivers. Version 2.1.3 ============= From 7e5597782a589e4171ca08abdd9ce1a185542ff4 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 29 Jan 2013 15:38:33 +0200 Subject: [PATCH 0515/3829] Replace CI_Upload::clean_file_name() usage with CI_Security::sanitize_filename() Also applied @xeptor's fix (a big thanks) to the sanitize_filename() method and added a changelog entry for it - fixes issue #73. --- system/core/Security.php | 10 +++++- system/libraries/Upload.php | 50 ++--------------------------- user_guide_src/source/changelog.rst | 2 ++ 3 files changed, 13 insertions(+), 49 deletions(-) diff --git a/system/core/Security.php b/system/core/Security.php index a6cd14a5f22..7aae54efc87 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -576,7 +576,15 @@ public function sanitize_filename($str, $relative_path = FALSE) } $str = remove_invisible_characters($str, FALSE); - return stripslashes(str_replace($bad, '', $str)); + + do + { + $old = $str; + $str = str_replace($bad, '', $str); + } + while ($old !== $str); + + return stripslashes($str); } // ---------------------------------------------------------------- diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 1f0bd6a6ea8..814ea68a4df 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -463,7 +463,8 @@ public function do_upload($field = 'userfile') } // Sanitize the file name for security - $this->file_name = $this->clean_file_name($this->file_name); + $CI =& get_instance(); + $this->file_name = $CI->security->sanitize_filename($this->file_name); // Truncate the file name if it's too long if ($this->max_filename > 0) @@ -970,53 +971,6 @@ public function get_extension($filename) // -------------------------------------------------------------------- - /** - * Clean the file name for security - * - * @param string $filename - * @return string - */ - public function clean_file_name($filename) - { - $bad = array( - '', - "'", '"', - '<', '>', - '&', '$', - '=', - ';', - '?', - '/', - '!', - '#', - '%20', - '%22', - '%3c', // < - '%253c', // < - '%3e', // > - '%0e', // > - '%28', // ( - '%29', // ) - '%2528', // ( - '%26', // & - '%24', // $ - '%3f', // ? - '%3b', // ; - '%3d' // = - ); - - do - { - $old_filename = $filename; - $filename = str_replace($bad, '', $filename); - } - while ($old_filename !== $filename); - - return stripslashes($filename); - } - - // -------------------------------------------------------------------- - /** * Limit the File Name Length * diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 982ae22f42e..daa1cfc7af3 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -215,6 +215,7 @@ Release Date: Not Released - Added **max_filename_increment** config setting. - Added an **index** parameter to the ``data()`` method. - Added the **min_width** and **min_height** options for images. + - Removed method ``clean_file_name()`` and its usage in favor of :doc:`Security Library `'s ``sanitize_filename()``. - :doc:`Cart library ` changes include: - ``insert()`` now auto-increments quantity for an item when inserted twice instead of resetting it, this is the default behaviour of large e-commerce sites. - *Product Name* strictness can be disabled by switching the ``$product_name_safe`` property to FALSE. @@ -478,6 +479,7 @@ Bug fixes for 3.0 - Fixed a bug (#2061) - :doc:`Routing Class ` didn't properly sanitize directory, controller and function triggers with **enable_query_strings** set to TRUE. - Fixed a bug - SQLSRV didn't support ``escape_like_str()`` or escaping an array of values. - Fixed a bug - :doc:`DB result ` method ``list_fields()`` didn't reset its field pointer for the *mysql*, *mysqli* and *mssql* drivers. +- Fixed a bug (#73) - :doc:`Security Library ` method ``sanitize_filename()`` could be tricked by an XSS attack. Version 2.1.3 ============= From 4421ad07d7abf3d1f7e3ccc79a0e7f694ba0d30c Mon Sep 17 00:00:00 2001 From: Bo-Yi Wu Date: Tue, 29 Jan 2013 22:51:01 +0800 Subject: [PATCH 0516/3829] fixed #2207 user guide error Signed-off-by: Bo-Yi Wu --- user_guide_src/source/tutorial/news_section.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/tutorial/news_section.rst b/user_guide_src/source/tutorial/news_section.rst index b64ea2aaeee..833e34ead7f 100644 --- a/user_guide_src/source/tutorial/news_section.rst +++ b/user_guide_src/source/tutorial/news_section.rst @@ -68,7 +68,7 @@ following code to your model. $query = $this->db->get('news'); return $query->result_array(); } - + $query = $this->db->get_where('news', array('slug' => $slug)); return $query->row_array(); } @@ -146,7 +146,7 @@ and add the next piece of code.

-
+

View article

From 8151cbb586edf565a57e33287b01222d9c4a85b6 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 30 Jan 2013 13:57:56 +0200 Subject: [PATCH 0517/3829] Fix/improve #2211 --- system/libraries/Migration.php | 4 ++-- user_guide_src/source/changelog.rst | 1 + 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/system/libraries/Migration.php b/system/libraries/Migration.php index fd915c382f9..b673e9cb7d5 100644 --- a/system/libraries/Migration.php +++ b/system/libraries/Migration.php @@ -104,8 +104,8 @@ class CI_Migration { */ public function __construct($config = array()) { - # Only run this constructor on main library load - if (get_parent_class($this) !== FALSE) + // Only run this constructor on main library load + if ( ! in_array(get_class($this), array('CI_Migration', config_item('subclass_prefix').'Migration'), TRUE)) { return; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index daa1cfc7af3..de88dcf28d9 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -480,6 +480,7 @@ Bug fixes for 3.0 - Fixed a bug - SQLSRV didn't support ``escape_like_str()`` or escaping an array of values. - Fixed a bug - :doc:`DB result ` method ``list_fields()`` didn't reset its field pointer for the *mysql*, *mysqli* and *mssql* drivers. - Fixed a bug (#73) - :doc:`Security Library ` method ``sanitize_filename()`` could be tricked by an XSS attack. +- Fixed a bug (#2211) - :doc:`Migration Library ` extensions couldn't execute ``CI_Migration::__construct()``. Version 2.1.3 ============= From ed92580e028b17230723807c51503e42f07cdb8e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 30 Jan 2013 13:59:19 +0200 Subject: [PATCH 0518/3829] Remove tests for now non-existent method CI_Upload::clean_file_name() See 7e5597782a589e4171ca08abdd9ce1a185542ff4 --- tests/codeigniter/libraries/Upload_test.php | 6 ------ 1 file changed, 6 deletions(-) diff --git a/tests/codeigniter/libraries/Upload_test.php b/tests/codeigniter/libraries/Upload_test.php index 1bd8f14301a..4d9e4a46e4e 100644 --- a/tests/codeigniter/libraries/Upload_test.php +++ b/tests/codeigniter/libraries/Upload_test.php @@ -208,12 +208,6 @@ function test_get_extension() $this->assertEquals('', $this->upload->get_extension('hello')); } - function test_clean_file_name() - { - $this->assertEquals('hello.txt', $this->upload->clean_file_name('hello.txt')); - $this->assertEquals('hello.txt', $this->upload->clean_file_name('%253chell>o.txt')); - } - function test_limit_filename_length() { $this->assertEquals('hello.txt', $this->upload->limit_filename_length('hello.txt', 10)); From 3683723212c1de682c4e026df28fe3b03b4ea404 Mon Sep 17 00:00:00 2001 From: Bo-Yi Wu Date: Wed, 30 Jan 2013 23:18:50 +0800 Subject: [PATCH 0519/3829] core comment error. Signed-off-by: Bo-Yi Wu --- system/core/Log.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Log.php b/system/core/Log.php index cd3c17e1e62..f5d091e1400 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -179,4 +179,4 @@ public function write_log($level = 'error', $msg, $php_error = FALSE) } /* End of file Log.php */ -/* Location: ./system/libraries/Log.php */ \ No newline at end of file +/* Location: ./system/core/Log.php */ \ No newline at end of file From d5c711cce17bbe2b24785e91a5ecc829e1ad5bf6 Mon Sep 17 00:00:00 2001 From: kaoz70 Date: Thu, 31 Jan 2013 20:54:09 -0500 Subject: [PATCH 0520/3829] Added some mime types, for newer or older files. --- application/config/mimes.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/application/config/mimes.php b/application/config/mimes.php index dfa9f24e4f9..ac1479c0a94 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -44,13 +44,13 @@ 'lzh' => 'application/octet-stream', 'exe' => array('application/octet-stream', 'application/x-msdownload'), 'class' => 'application/octet-stream', - 'psd' => 'application/x-photoshop', + 'psd' => array('application/x-photoshop', 'image/vnd.adobe.photoshop'), 'so' => 'application/octet-stream', 'sea' => 'application/octet-stream', 'dll' => 'application/octet-stream', 'oda' => 'application/oda', 'pdf' => array('application/pdf', 'application/x-download', 'binary/octet-stream'), - 'ai' => 'application/postscript', + 'ai' => array('application/pdf', 'application/postscript'), 'eps' => 'application/postscript', 'ps' => 'application/postscript', 'smi' => 'application/smil', @@ -160,7 +160,7 @@ 'm3u' => 'text/plain', 'xspf' => 'application/xspf+xml', 'vlc' => 'application/videolan', - 'wmv' => 'video/x-ms-wmv', + 'wmv' => array('video/x-ms-wmv', 'video/x-ms-asf'), 'au' => 'audio/x-au', 'ac3' => 'audio/ac3', 'flac' => 'audio/x-flac', From 2d1608a6325d55ab31c55c27c31052c2daa76e46 Mon Sep 17 00:00:00 2001 From: Sajan Parikh Date: Sat, 2 Feb 2013 08:00:39 -0600 Subject: [PATCH 0521/3829] Added Form Validation rule for alphanum + spaces. Signed-off-by: Sajan Parikh --- system/libraries/Form_validation.php | 15 +++++++++++++++ 1 file changed, 15 insertions(+) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index bbd0b523e1b..7b9215c04e5 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -1229,6 +1229,21 @@ public function alpha_numeric($str) return ctype_alnum((string) $str); } + // -------------------------------------------------------------------- + + // -------------------------------------------------------------------- + + /** + * Alpha-numeric w/ spaces + * + * @param string + * @return bool + */ + public function alpha_numeric_spaces($str) + { + return (bool) preg_match('#^[A-Z0-9 ]+$#i', $str); + } + // -------------------------------------------------------------------- /** From 7c162887a8146622e8fe126f21d9b8b615f91753 Mon Sep 17 00:00:00 2001 From: Sajan Parikh Date: Sat, 2 Feb 2013 08:05:38 -0600 Subject: [PATCH 0522/3829] Fixed documentation. Signed-off-by: Sajan Parikh --- user_guide_src/source/libraries/form_validation.rst | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index ae7859aa35b..51205afa447 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -877,8 +877,10 @@ Rule Parameter Description **less_than_equal_to** Yes Returns FALSE if the form element is greater than the parameter value, less_than_equal_to[8] or not numeric. **alpha** No Returns FALSE if the form element contains anything other than alphabetical characters. -**alpha_numeric** No Returns FALSE if the form element contains anything other than alpha-numeric characters. -**alpha_dash** No Returns FALSE if the form element contains anything other than alpha-numeric characters, +**alpha_numeric** No Returns FALSE if the form element contains anything other than alpha-numeric characters. +**alpha_numeric_spaces** No Returns FALSE if the form element contains anything other than alpha-numeric characters + or spaces. Should be used after trim to avoid spaces at the beginning or end. +**alpha_dash** No Returns FALSE if the form element contains anything other than alpha-numeric characters, underscores or dashes. **numeric** No Returns FALSE if the form element contains anything other than numeric characters. **integer** No Returns FALSE if the form element contains anything other than an integer. From 9c0b890bb15394d8d6d976df65a9aa7c19c1c33d Mon Sep 17 00:00:00 2001 From: Sajan Parikh Date: Sat, 2 Feb 2013 08:56:35 -0600 Subject: [PATCH 0523/3829] Added error message in lang file. Signed-off-by: Sajan Parikh --- system/language/english/form_validation_lang.php | 11 ++++++----- 1 file changed, 6 insertions(+), 5 deletions(-) diff --git a/system/language/english/form_validation_lang.php b/system/language/english/form_validation_lang.php index 3fb007dd2ee..476123b065d 100644 --- a/system/language/english/form_validation_lang.php +++ b/system/language/english/form_validation_lang.php @@ -28,20 +28,21 @@ $lang['form_validation_required'] = 'The {field} field is required.'; $lang['form_validation_isset'] = 'The {field} field must have a value.'; -$lang['form_validation_valid_email'] = 'The {field} field must contain a valid email address.'; -$lang['form_validation_valid_emails'] = 'The {field} field must contain all valid email addresses.'; +$lang['form_validation_valid_email'] = 'The {field} field must contain a valid email address.'; +$lang['form_validation_valid_emails'] = 'The {field} field must contain all valid email addresses.'; $lang['form_validation_valid_url'] = 'The {field} field must contain a valid URL.'; $lang['form_validation_valid_ip'] = 'The {field} field must contain a valid IP.'; $lang['form_validation_min_length'] = 'The {field} field must be at least {param} characters in length.'; $lang['form_validation_max_length'] = 'The {field} field cannot exceed {param} characters in length.'; -$lang['form_validation_exact_length'] = 'The {field} field must be exactly {param} characters in length.'; +$lang['form_validation_exact_length'] = 'The {field} field must be exactly {param} characters in length.'; $lang['form_validation_alpha'] = 'The {field} field may only contain alphabetical characters.'; -$lang['form_validation_alpha_numeric'] = 'The {field} field may only contain alpha-numeric characters.'; +$lang['form_validation_alpha_numeric'] = 'The {field} field may only contain alpha-numeric characters.'; +$lang['form_validation_alpha_numeric_spaces'] = 'The {field} field may only contain alpha-numeric characters and spaces.'; $lang['form_validation_alpha_dash'] = 'The {field} field may only contain alpha-numeric characters, underscores, and dashes.'; $lang['form_validation_numeric'] = 'The {field} field must contain only numbers.'; $lang['form_validation_is_numeric'] = 'The {field} field must contain only numeric characters.'; $lang['form_validation_integer'] = 'The {field} field must contain an integer.'; -$lang['form_validation_regex_match'] = 'The {field} field is not in the correct format.'; +$lang['form_validation_regex_match'] = 'The {field} field is not in the correct format.'; $lang['form_validation_matches'] = 'The {field} field does not match the {param} field.'; $lang['form_validation_differs'] = 'The {field} field must differ from the {param} field.'; $lang['form_validation_is_unique'] = 'The {field} field must contain a unique value.'; From df3bfed9c19fe22d6449e2ee78ca5bd2fe9c6476 Mon Sep 17 00:00:00 2001 From: Sajan Parikh Date: Mon, 4 Feb 2013 12:25:49 -0600 Subject: [PATCH 0524/3829] Cleaned up for pull request. Signed-off-by: Sajan Parikh --- system/language/english/form_validation_lang.php | 10 +++++----- system/libraries/Form_validation.php | 4 +--- user_guide_src/source/libraries/form_validation.rst | 4 ++-- 3 files changed, 8 insertions(+), 10 deletions(-) diff --git a/system/language/english/form_validation_lang.php b/system/language/english/form_validation_lang.php index 476123b065d..7c0277c25f6 100644 --- a/system/language/english/form_validation_lang.php +++ b/system/language/english/form_validation_lang.php @@ -28,21 +28,21 @@ $lang['form_validation_required'] = 'The {field} field is required.'; $lang['form_validation_isset'] = 'The {field} field must have a value.'; -$lang['form_validation_valid_email'] = 'The {field} field must contain a valid email address.'; -$lang['form_validation_valid_emails'] = 'The {field} field must contain all valid email addresses.'; +$lang['form_validation_valid_email'] = 'The {field} field must contain a valid email address.'; +$lang['form_validation_valid_emails'] = 'The {field} field must contain all valid email addresses.'; $lang['form_validation_valid_url'] = 'The {field} field must contain a valid URL.'; $lang['form_validation_valid_ip'] = 'The {field} field must contain a valid IP.'; $lang['form_validation_min_length'] = 'The {field} field must be at least {param} characters in length.'; $lang['form_validation_max_length'] = 'The {field} field cannot exceed {param} characters in length.'; -$lang['form_validation_exact_length'] = 'The {field} field must be exactly {param} characters in length.'; +$lang['form_validation_exact_length'] = 'The {field} field must be exactly {param} characters in length.'; $lang['form_validation_alpha'] = 'The {field} field may only contain alphabetical characters.'; -$lang['form_validation_alpha_numeric'] = 'The {field} field may only contain alpha-numeric characters.'; +$lang['form_validation_alpha_numeric'] = 'The {field} field may only contain alpha-numeric characters.'; $lang['form_validation_alpha_numeric_spaces'] = 'The {field} field may only contain alpha-numeric characters and spaces.'; $lang['form_validation_alpha_dash'] = 'The {field} field may only contain alpha-numeric characters, underscores, and dashes.'; $lang['form_validation_numeric'] = 'The {field} field must contain only numbers.'; $lang['form_validation_is_numeric'] = 'The {field} field must contain only numeric characters.'; $lang['form_validation_integer'] = 'The {field} field must contain an integer.'; -$lang['form_validation_regex_match'] = 'The {field} field is not in the correct format.'; +$lang['form_validation_regex_match'] = 'The {field} field is not in the correct format.'; $lang['form_validation_matches'] = 'The {field} field does not match the {param} field.'; $lang['form_validation_differs'] = 'The {field} field must differ from the {param} field.'; $lang['form_validation_is_unique'] = 'The {field} field must contain a unique value.'; diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 7b9215c04e5..1511d9adddf 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -1229,8 +1229,6 @@ public function alpha_numeric($str) return ctype_alnum((string) $str); } - // -------------------------------------------------------------------- - // -------------------------------------------------------------------- /** @@ -1241,7 +1239,7 @@ public function alpha_numeric($str) */ public function alpha_numeric_spaces($str) { - return (bool) preg_match('#^[A-Z0-9 ]+$#i', $str); + return (bool) preg_match('/^[A-Z0-9 ]+$/i', $str); } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index 51205afa447..8b35fdc758b 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -879,8 +879,8 @@ Rule Parameter Description **alpha** No Returns FALSE if the form element contains anything other than alphabetical characters. **alpha_numeric** No Returns FALSE if the form element contains anything other than alpha-numeric characters. **alpha_numeric_spaces** No Returns FALSE if the form element contains anything other than alpha-numeric characters - or spaces. Should be used after trim to avoid spaces at the beginning or end. -**alpha_dash** No Returns FALSE if the form element contains anything other than alpha-numeric characters, + or spaces. Should be used after trim to avoid spaces at the beginning or end. +**alpha_dash** No Returns FALSE if the form element contains anything other than alpha-numeric characters, underscores or dashes. **numeric** No Returns FALSE if the form element contains anything other than numeric characters. **integer** No Returns FALSE if the form element contains anything other than an integer. From f9866509fbe79186976a9e4b0ca1aaa7fe0bdc7b Mon Sep 17 00:00:00 2001 From: Sajan Parikh Date: Mon, 4 Feb 2013 12:31:19 -0600 Subject: [PATCH 0525/3829] Add entry in user guide changelog. Signed-off-by: Sajan Parikh --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index de88dcf28d9..893c3db61ae 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -242,6 +242,7 @@ Release Date: Not Released - Added rule **valid_url**. - Added support for named parameters in error messages. - :doc:`Language ` line keys must now be prefixed with **form_validation_**. + - Added rule **alpha_numeric_spaces**. - Added support for setting :doc:`Table ` class defaults in a config file. - :doc:`Caching Library ` changes include: - Added Wincache driver. From baad7617b432708ef438a3b421e8b61b0d509b9d Mon Sep 17 00:00:00 2001 From: Lasha Krikheli Date: Tue, 5 Feb 2013 02:48:21 -0500 Subject: [PATCH 0526/3829] Added 'application/x-zip' mimetype for docx --- application/config/mimes.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/application/config/mimes.php b/application/config/mimes.php index ac1479c0a94..0129c3ca146 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -123,7 +123,7 @@ 'avi' => array('video/x-msvideo', 'video/msvideo', 'video/avi', 'application/x-troff-msvideo'), 'movie' => 'video/x-sgi-movie', 'doc' => array('application/msword', 'application/vnd.ms-office'), - 'docx' => array('application/vnd.openxmlformats-officedocument.wordprocessingml.document', 'application/zip', 'application/msword'), + 'docx' => array('application/vnd.openxmlformats-officedocument.wordprocessingml.document', 'application/zip', 'application/msword', 'application/x-zip'), 'dot' => array('application/msword', 'application/vnd.ms-office'), 'dotx' => array('application/vnd.openxmlformats-officedocument.wordprocessingml.document', 'application/zip', 'application/msword'), 'xlsx' => array('application/vnd.openxmlformats-officedocument.spreadsheetml.sheet', 'application/zip', 'application/vnd.ms-excel', 'application/msword'), @@ -176,4 +176,4 @@ ); /* End of file mimes.php */ -/* Location: ./application/config/mimes.php */ \ No newline at end of file +/* Location: ./application/config/mimes.php */ From 9708855b4c2e5f6c75403da5aa0c07247518ab64 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 8 Feb 2013 21:53:20 +0200 Subject: [PATCH 0527/3829] Allow non-string values to be used as captcha words (issue #2215) --- system/helpers/captcha_helper.php | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index 83783324bb9..78e255a1512 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -93,7 +93,7 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = // Do we have a "word" yet? // ----------------------------------- - if ($word === '') + if (empty($word)) { $pool = '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'; $word = ''; @@ -102,6 +102,10 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = $word .= $pool[mt_rand(0, $mt_rand_max)]; } } + elseif ( ! is_string($word)) + { + $word = (string) $word; + } // ----------------------------------- // Determine angle and position From cc221dc434e0d31138e81a940d38b81e994d48fe Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 8 Feb 2013 21:57:42 +0200 Subject: [PATCH 0528/3829] [ci skip] Add a missing space --- system/libraries/Session/drivers/Session_cookie.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Session/drivers/Session_cookie.php b/system/libraries/Session/drivers/Session_cookie.php index 47464164210..11bb32fe07c 100644 --- a/system/libraries/Session/drivers/Session_cookie.php +++ b/system/libraries/Session/drivers/Session_cookie.php @@ -805,7 +805,7 @@ protected function _unescape_slashes(&$val, $key) { if (is_string($val)) { - $val= str_replace('{{slash}}', '\\', $val); + $val = str_replace('{{slash}}', '\\', $val); } } From 870f11351b6e7a916bf30aa22b4a8c3dd49bf33f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 8 Feb 2013 22:06:00 +0200 Subject: [PATCH 0529/3829] [ci skip] Remove unnecessary string casts in Pagination --- application/config/mimes.php | 2 +- system/libraries/Pagination.php | 5 ++--- 2 files changed, 3 insertions(+), 4 deletions(-) diff --git a/application/config/mimes.php b/application/config/mimes.php index 0129c3ca146..5b8ceff2e65 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -176,4 +176,4 @@ ); /* End of file mimes.php */ -/* Location: ./application/config/mimes.php */ +/* Location: ./application/config/mimes.php */ \ No newline at end of file diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index 438d6c477f1..10fb29dbd6e 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -449,8 +449,7 @@ public function create_links() // Are we using query strings? if ($CI->config->item('enable_query_strings') === TRUE OR $this->page_query_string === TRUE) { - // Cast as string for use in ctype_digit() later. - $this->cur_page = (string) $CI->input->get($this->query_string_segment); + $this->cur_page = $CI->input->get($this->query_string_segment); } else { @@ -460,7 +459,7 @@ public function create_links() $this->uri_segment = count($CI->uri->segment_array()); } - $this->cur_page = (string) $CI->uri->segment($this->uri_segment); + $this->cur_page = $CI->uri->segment($this->uri_segment); // Remove any specified prefix/suffix from the segment. if ($this->prefix !== '' OR $this->suffix !== '') From c2268711a27809575f82b21e64fde6cd953ef7f9 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 8 Feb 2013 22:10:23 +0200 Subject: [PATCH 0530/3829] Fix issue #2230 --- system/libraries/Form_validation.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 1511d9adddf..4cf4ecae0a8 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -517,7 +517,7 @@ protected function _reset_post_array() { if (isset($_POST[$row['field']])) { - $_POST[$row['field']] = $this->prep_for_form($row['postdata']); + $_POST[$row['field']] = $row['postdata']; } } else @@ -543,14 +543,14 @@ protected function _reset_post_array() $array = array(); foreach ($row['postdata'] as $k => $v) { - $array[$k] = $this->prep_for_form($v); + $array[$k] = $v; } $post_ref = $array; } else { - $post_ref = $this->prep_for_form($row['postdata']); + $post_ref = $row['postdata']; } } } From 0b607252b1f3bcabfb8150120e683795ec3a0890 Mon Sep 17 00:00:00 2001 From: Tim Date: Wed, 13 Feb 2013 10:34:16 +0200 Subject: [PATCH 0531/3829] Added small feature to profiler: total execution time count MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit adds additional information to profiler like: DATABASE:  test   QUERIES: 3 (0.0016s)  (Hide) --- system/libraries/Profiler.php | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index e9323990126..67922d51c71 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -238,6 +238,8 @@ protected function _compile_queries() foreach ($dbs as $name => $db) { $hide_queries = (count($db->queries) > $this->_query_toggle_count) ? ' display:none' : ''; + + $total_time = number_format(array_sum($db->query_times), 4) . 's'; $show_hide_js = '('.$this->CI->lang->line('profiler_section_hide').')'; @@ -250,7 +252,7 @@ protected function _compile_queries() ."\n" .'  '.$this->CI->lang->line('profiler_database') .':  '.$db->database.' ('.$name.')   '.$this->CI->lang->line('profiler_queries') - .': '.count($db->queries).'  '.$show_hide_js."\n\n\n" + .': '.count($db->queries).'('.$total_time.')'.'  '.$show_hide_js."\n\n\n" .'\n"; if (count($db->queries) === 0) @@ -553,4 +555,4 @@ public function run() } /* End of file Profiler.php */ -/* Location: ./system/libraries/Profiler.php */ \ No newline at end of file +/* Location: ./system/libraries/Profiler.php */ From aae91a45e27cb11e09b22bf9be04a7da9f6ff20b Mon Sep 17 00:00:00 2001 From: Chris Passas Date: Wed, 13 Feb 2013 11:51:30 -0500 Subject: [PATCH 0532/3829] Update system/core/Log.php MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Updated Log.php so that a developer can extend it and change the log file extension. It makes sense to default to .php when logs are in the public web folder.  It would be nice if a developer moves the log file path we have the option to use a standard extension like .log --- system/core/Log.php | 11 +++++++++-- 1 file changed, 9 insertions(+), 2 deletions(-) diff --git a/system/core/Log.php b/system/core/Log.php index f5d091e1400..3b0a9213dc6 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -71,6 +71,13 @@ class CI_Log { * @var string */ protected $_date_fmt = 'Y-m-d H:i:s'; + + /** + * Log file extension + * + * @var string + */ + protected $_log_ext = 'php'; /** * Whether or not the logger can write to the log files @@ -147,7 +154,7 @@ public function write_log($level = 'error', $msg, $php_error = FALSE) return FALSE; } - $filepath = $this->_log_path.'log-'.date('Y-m-d').'.php'; + $filepath = $this->_log_path.'log-'.date('Y-m-d').'.'.$this->_log_ext; $message = ''; if ( ! file_exists($filepath)) @@ -179,4 +186,4 @@ public function write_log($level = 'error', $msg, $php_error = FALSE) } /* End of file Log.php */ -/* Location: ./system/core/Log.php */ \ No newline at end of file +/* Location: ./system/core/Log.php */ From 0bd6b28045c9b9a820e580b3f651f474b60348a3 Mon Sep 17 00:00:00 2001 From: Chris Passas Date: Wed, 13 Feb 2013 14:16:18 -0500 Subject: [PATCH 0533/3829] Added support for changing the default log file extension from .php to whatever is preferred. example (.log) This is a follow up to this pull request. https://github.com/EllisLab/CodeIgniter/pull/2243 --- application/config/config.php | 11 +++++++++++ system/core/Log.php | 2 ++ user_guide_src/source/changelog.rst | 1 + 3 files changed, 14 insertions(+) diff --git a/application/config/config.php b/application/config/config.php index 415474e063d..6f597b1e288 100644 --- a/application/config/config.php +++ b/application/config/config.php @@ -224,6 +224,17 @@ */ $config['log_path'] = ''; +/* +|-------------------------------------------------------------------------- +| Log File Extension +|-------------------------------------------------------------------------- +| +| Leave this BLANK unless you would like to set something other than the default +| 'php'. For example you could change it to 'log'. +| +*/ +$config['log_file_extension'] = ''; + /* |-------------------------------------------------------------------------- | Date Format for Logs diff --git a/system/core/Log.php b/system/core/Log.php index 3b0a9213dc6..7572d2ac60a 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -104,6 +104,8 @@ public function __construct() $this->_log_path = ($config['log_path'] !== '') ? $config['log_path'] : APPPATH.'logs/'; + $this->_log_ext = ($config['log_file_extension'] !== '') ? $config['log_file_extension'] : $this->_log_ext; + file_exists($this->_log_path) OR mkdir($this->_log_path, DIR_WRITE_MODE, TRUE); if ( ! is_dir($this->_log_path) OR ! is_really_writable($this->_log_path)) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 893c3db61ae..7f12ca8a1b3 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -55,6 +55,7 @@ Release Date: Not Released - Updated *ip_address* database field lengths from 16 to 45 for supporting IPv6 address on :doc:`Trackback Library ` and :doc:`Captcha Helper `. - Removed *cheatsheets* and *quick_reference* PDFs from the documentation. - Added availability checks where usage of dangerous functions like ``eval()`` and ``exec()`` is required. + - Added support for changing the file extension of CodeIgniter log files using $config['log_file_extension']. - Helpers From 554d5dc6c1b9c6880a2fba150018c21ded8675c6 Mon Sep 17 00:00:00 2001 From: Tim Date: Wed, 13 Feb 2013 22:37:31 +0200 Subject: [PATCH 0534/3829] changes according to narfbg's request --- system/language/english/profiler_lang.php | 1 + system/libraries/Profiler.php | 6 +++--- user_guide_src/source/changelog.rst | 4 +++- 3 files changed, 7 insertions(+), 4 deletions(-) diff --git a/system/language/english/profiler_lang.php b/system/language/english/profiler_lang.php index dfe034e79cb..68e794e791a 100644 --- a/system/language/english/profiler_lang.php +++ b/system/language/english/profiler_lang.php @@ -46,6 +46,7 @@ $lang['profiler_no_profiles'] = 'No Profile data - all Profiler sections have been disabled.'; $lang['profiler_section_hide'] = 'Hide'; $lang['profiler_section_show'] = 'Show'; +$lang['profiler_seconds'] = 'seconds'; /* End of file profiler_lang.php */ /* Location: ./system/language/english/profiler_lang.php */ \ No newline at end of file diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index 67922d51c71..a3fa61c7cab 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -238,8 +238,8 @@ protected function _compile_queries() foreach ($dbs as $name => $db) { $hide_queries = (count($db->queries) > $this->_query_toggle_count) ? ' display:none' : ''; - - $total_time = number_format(array_sum($db->query_times), 4) . 's'; + + $total_time = number_format(array_sum($db->query_times), 4).$this->CI->lang->line('profiler_seconds'); $show_hide_js = '('.$this->CI->lang->line('profiler_section_hide').')'; @@ -555,4 +555,4 @@ public function run() } /* End of file Profiler.php */ -/* Location: ./system/libraries/Profiler.php */ +/* Location: ./system/libraries/Profiler.php */ \ No newline at end of file diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 893c3db61ae..3969943f685 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -271,7 +271,9 @@ Release Date: Not Released - :doc:`Encryption Library ` changes include: - Added support for hashing algorithms other than SHA1 and MD5. - Removed previously deprecated ``sha1()`` method. - - :doc:`Profiler Library ` now also displays database object names. + - :doc:`Profiler Library ` changes include: + - Database object names displayed. + - The sum of all queries running times in seconds displayed. - :doc:`Migration Library ` changes include: - Added support for timestamp-based migrations (enabled by default). - Added ``$config['migration_type']`` to allow switching between *sequential* and *timestamp* migrations. From 3224f077c37a054ea1995c07fe54bbe8b00e058a Mon Sep 17 00:00:00 2001 From: Tim Date: Thu, 14 Feb 2013 09:26:24 +0200 Subject: [PATCH 0535/3829] changes according to narfbg's request --- system/language/english/profiler_lang.php | 2 +- system/libraries/Profiler.php | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/system/language/english/profiler_lang.php b/system/language/english/profiler_lang.php index 68e794e791a..0ed5f4cb079 100644 --- a/system/language/english/profiler_lang.php +++ b/system/language/english/profiler_lang.php @@ -46,7 +46,7 @@ $lang['profiler_no_profiles'] = 'No Profile data - all Profiler sections have been disabled.'; $lang['profiler_section_hide'] = 'Hide'; $lang['profiler_section_show'] = 'Show'; -$lang['profiler_seconds'] = 'seconds'; +$lang['profiler_seconds'] = 'seconds'; /* End of file profiler_lang.php */ /* Location: ./system/language/english/profiler_lang.php */ \ No newline at end of file diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index a3fa61c7cab..ac8f6ba7156 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -238,8 +238,8 @@ protected function _compile_queries() foreach ($dbs as $name => $db) { $hide_queries = (count($db->queries) > $this->_query_toggle_count) ? ' display:none' : ''; - - $total_time = number_format(array_sum($db->query_times), 4).$this->CI->lang->line('profiler_seconds'); + + $total_time = number_format(array_sum($db->query_times), 4).' '.$this->CI->lang->line('profiler_seconds'); $show_hide_js = '('.$this->CI->lang->line('profiler_section_hide').')'; From 7219232771ee28f6f18248cfffd4fdffa570dfb7 Mon Sep 17 00:00:00 2001 From: maltzurra Date: Thu, 14 Feb 2013 11:12:37 +0100 Subject: [PATCH 0536/3829] Update system/core/Common.php Updated is_https() to avoid "NULL" or "0" values to set HTTPS. --- system/core/Common.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 258cd49678d..136dd521c20 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -343,7 +343,7 @@ function &get_mimes() */ function is_https() { - return ( ! empty($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) !== 'off'); + return (isset($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) === 'on'); } } @@ -713,4 +713,4 @@ function function_usable($function_name) } /* End of file Common.php */ -/* Location: ./system/core/Common.php */ \ No newline at end of file +/* Location: ./system/core/Common.php */ From 2718f6c8a5bbae38b7a7f875c6eef40739ce8ee4 Mon Sep 17 00:00:00 2001 From: Chris Passas Date: Thu, 14 Feb 2013 08:57:49 -0500 Subject: [PATCH 0537/3829] Update system/core/Log.php Added ltrim() as requested to strip '.' incase it's added by mistake. --- system/core/Log.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Log.php b/system/core/Log.php index 7572d2ac60a..abc7b249436 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -104,7 +104,7 @@ public function __construct() $this->_log_path = ($config['log_path'] !== '') ? $config['log_path'] : APPPATH.'logs/'; - $this->_log_ext = ($config['log_file_extension'] !== '') ? $config['log_file_extension'] : $this->_log_ext; + $this->_log_ext = ($config['log_file_extension'] !== '') ? ltrim($config['log_file_extension'],'.') : $this->_log_ext; file_exists($this->_log_path) OR mkdir($this->_log_path, DIR_WRITE_MODE, TRUE); From fb8de247990189721bc7b2e48fe57ceb2db039f5 Mon Sep 17 00:00:00 2001 From: Chris Passas Date: Thu, 14 Feb 2013 09:01:24 -0500 Subject: [PATCH 0538/3829] Update system/core/Log.php Don't print no script access code into log file if log file is not .php anymore. --- system/core/Log.php | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/system/core/Log.php b/system/core/Log.php index abc7b249436..7b2082a6c26 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -162,7 +162,10 @@ public function write_log($level = 'error', $msg, $php_error = FALSE) if ( ! file_exists($filepath)) { $newfile = TRUE; - $message .= '<'."?php defined('BASEPATH') OR exit('No direct script access allowed'); ?".">\n\n"; + if($this->_log_ext === 'php') + { + $message .= '<'."?php defined('BASEPATH') OR exit('No direct script access allowed'); ?".">\n\n"; + } } if ( ! $fp = @fopen($filepath, FOPEN_WRITE_CREATE)) From de8766f0a538ef9c4d39dcd88efc9422b5170360 Mon Sep 17 00:00:00 2001 From: maltzurra Date: Thu, 14 Feb 2013 15:38:58 +0100 Subject: [PATCH 0539/3829] Update system/core/Common.php --- system/core/Common.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/system/core/Common.php b/system/core/Common.php index 136dd521c20..0386ff37ac4 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -713,4 +713,5 @@ function function_usable($function_name) } /* End of file Common.php */ -/* Location: ./system/core/Common.php */ +/* Location: ./system/core/Common.php +*/ From beafe2fffbe5407f735caf2c286540d896d113f3 Mon Sep 17 00:00:00 2001 From: maltzurra Date: Thu, 14 Feb 2013 15:39:17 +0100 Subject: [PATCH 0540/3829] Update system/core/Common.php --- system/core/Common.php | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 0386ff37ac4..136dd521c20 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -713,5 +713,4 @@ function function_usable($function_name) } /* End of file Common.php */ -/* Location: ./system/core/Common.php -*/ +/* Location: ./system/core/Common.php */ From 3567246091195e035ea4c8d3b2915eb6b45ad5e2 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Fri, 15 Feb 2013 01:36:04 +0100 Subject: [PATCH 0541/3829] Various cosmetic fixes --- system/core/Loader.php | 2 +- system/core/URI.php | 2 +- system/libraries/Cart.php | 2 +- system/libraries/Form_validation.php | 2 +- system/libraries/Profiler.php | 2 +- system/libraries/Upload.php | 4 ++-- tests/codeigniter/core/URI_test.php | 2 +- user_guide_src/source/database/call_function.rst | 2 +- user_guide_src/source/general/controllers.rst | 4 ++-- user_guide_src/source/general/routing.rst | 2 +- user_guide_src/source/installation/upgrade_300.rst | 4 ++-- 11 files changed, 14 insertions(+), 14 deletions(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index 00ca3519952..9306a09efcc 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -988,7 +988,7 @@ protected function _ci_load_class($class, $params = NULL, $object_name = NULL) return $this->_ci_init_class($class, config_item('subclass_prefix'), $params, $object_name); } - // Lets search for the requested library file and load it. + // Let's search for the requested library file and load it. foreach ($this->_ci_library_paths as $path) { $filepath = $path.'libraries/'.$subdir.$class.'.php'; diff --git a/system/core/URI.php b/system/core/URI.php index 9b31a646bc0..b2286f032fe 100644 --- a/system/core/URI.php +++ b/system/core/URI.php @@ -126,7 +126,7 @@ public function _fetch_uri_string() return; } - // As a last ditch effort lets try using the $_GET array + // As a last ditch effort let's try using the $_GET array if (is_array($_GET) && count($_GET) === 1 && trim(key($_GET), '/') !== '') { $this->_set_uri_string(key($_GET)); diff --git a/system/libraries/Cart.php b/system/libraries/Cart.php index d64f6f042d4..b7b0697fbd6 100644 --- a/system/libraries/Cart.php +++ b/system/libraries/Cart.php @@ -365,7 +365,7 @@ protected function _update($items = array()) */ protected function _save_cart() { - // Lets add up the individual prices and set the cart sub-total + // Let's add up the individual prices and set the cart sub-total $this->_cart_contents['total_items'] = $this->_cart_contents['cart_total'] = 0; foreach ($this->_cart_contents as $key => $val) { diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 4cf4ecae0a8..172e799f647 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -356,7 +356,7 @@ public function error_array() */ public function error_string($prefix = '', $suffix = '') { - // No errrors, validation passes! + // No errors, validation passes! if (count($this->_error_array) === 0) { return ''; diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index ac8f6ba7156..36e0431b2ac 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -238,7 +238,7 @@ protected function _compile_queries() foreach ($dbs as $name => $db) { $hide_queries = (count($db->queries) > $this->_query_toggle_count) ? ' display:none' : ''; - + $total_time = number_format(array_sum($db->query_times), 4).' '.$this->CI->lang->line('profiler_seconds'); $show_hide_js = '('.$this->CI->lang->line('profiler_section_hide').')'; diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 814ea68a4df..acd76b03bf1 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -430,7 +430,7 @@ public function do_upload($field = 'userfile') } else { - // An extension was provided, lets have it! + // An extension was provided, let's have it! $this->file_ext = $this->get_extension($this->_file_name_override); } @@ -1050,7 +1050,7 @@ public function do_xss_clean() // ]/i', $opening_bytes); } diff --git a/tests/codeigniter/core/URI_test.php b/tests/codeigniter/core/URI_test.php index e2deabe5118..7fa0e6265b8 100644 --- a/tests/codeigniter/core/URI_test.php +++ b/tests/codeigniter/core/URI_test.php @@ -91,7 +91,7 @@ public function test_fetch_uri_string() public function test_explode_segments() { - // Lets test the function's ability to clean up this mess + // Let's test the function's ability to clean up this mess $uris = array( 'test/uri' => array('test', 'uri'), '/test2/uri2' => array('test2', 'uri2'), diff --git a/user_guide_src/source/database/call_function.rst b/user_guide_src/source/database/call_function.rst index 9890fc45352..83fc870d0c3 100644 --- a/user_guide_src/source/database/call_function.rst +++ b/user_guide_src/source/database/call_function.rst @@ -7,7 +7,7 @@ $this->db->call_function(); This function enables you to call PHP database functions that are not natively included in CodeIgniter, in a platform independent manner. For -example, lets say you want to call the mysql_get_client_info() +example, let's say you want to call the mysql_get_client_info() function, which is **not** natively supported by CodeIgniter. You could do so like this:: diff --git a/user_guide_src/source/general/controllers.rst b/user_guide_src/source/general/controllers.rst index 729b08417f0..8cfb012a055 100644 --- a/user_guide_src/source/general/controllers.rst +++ b/user_guide_src/source/general/controllers.rst @@ -108,7 +108,7 @@ Passing URI Segments to your methods If your URI contains more then two segments they will be passed to your method as parameters. -For example, lets say you have a URI like this:: +For example, let's say you have a URI like this:: example.com/index.php/products/shoes/sandals/123 @@ -267,7 +267,7 @@ Simply create folders within your *application/controllers/* directory and place your controller classes within them. .. note:: When using this feature the first segment of your URI must - specify the folder. For example, lets say you have a controller located + specify the folder. For example, let's say you have a controller located here:: application/controllers/products/shoes.php diff --git a/user_guide_src/source/general/routing.rst b/user_guide_src/source/general/routing.rst index ed21a61095a..0c6dfe8881f 100644 --- a/user_guide_src/source/general/routing.rst +++ b/user_guide_src/source/general/routing.rst @@ -12,7 +12,7 @@ In some instances, however, you may want to remap this relationship so that a different class/method can be called instead of the one corresponding to the URL. -For example, lets say you want your URLs to have this prototype:: +For example, let's say you want your URLs to have this prototype:: example.com/product/1/ example.com/product/2/ diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index 2d125a71a6a..a3ea01d02ab 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -129,9 +129,9 @@ The above files should respectively be renamed to the following: application/libraries/MY_Email.php application/core/MY_Log.php -**************************************************************************** +***************************************************************************** Step 10: Check the calls to Array Helper's element() and elements() functions -**************************************************************************** +***************************************************************************** The default return value of these functions, when the required elements don't exist, has been changed from FALSE to NULL. From 8d8636778ac600176772c4d54321a1e0842e5b07 Mon Sep 17 00:00:00 2001 From: Chris Passas Date: Fri, 15 Feb 2013 09:06:11 -0500 Subject: [PATCH 0542/3829] Update system/core/Log.php Added a space after the comma on the ltrim(). --- system/core/Log.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Log.php b/system/core/Log.php index 7b2082a6c26..2a4728dc49b 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -104,7 +104,7 @@ public function __construct() $this->_log_path = ($config['log_path'] !== '') ? $config['log_path'] : APPPATH.'logs/'; - $this->_log_ext = ($config['log_file_extension'] !== '') ? ltrim($config['log_file_extension'],'.') : $this->_log_ext; + $this->_log_ext = ($config['log_file_extension'] !== '') ? ltrim($config['log_file_extension'], '.') : $this->_log_ext; file_exists($this->_log_path) OR mkdir($this->_log_path, DIR_WRITE_MODE, TRUE); From ce6f43b7120a184aa0cff0bdb90fa3d7f032e14b Mon Sep 17 00:00:00 2001 From: Chris Passas Date: Tue, 12 Feb 2013 16:58:38 -0500 Subject: [PATCH 0543/3829] Update system/core/Common.php MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit If using nginx instead of apache by default nginx will not populate the $_SERVER['HTTPS'] value.  This change allows falling back to checking the port number of the request to determine if your on SSL or not. The other option is adding the following to your nginx config. fastcgi_param HTTPS on; #some php apps require this to detent https --- system/core/Common.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 258cd49678d..b9c8727485a 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -343,7 +343,7 @@ function &get_mimes() */ function is_https() { - return ( ! empty($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) !== 'off'); + return ( ( ! empty($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) !== 'off' ) || ($_SERVER["SERVER_PORT"] === '443') ); } } @@ -713,4 +713,4 @@ function function_usable($function_name) } /* End of file Common.php */ -/* Location: ./system/core/Common.php */ \ No newline at end of file +/* Location: ./system/core/Common.php */ From 614cc1c384b84801428f9823007586584af00653 Mon Sep 17 00:00:00 2001 From: Chris Passas Date: Wed, 13 Feb 2013 11:45:20 -0500 Subject: [PATCH 0544/3829] Revert "Update system/core/Common.php" This reverts commit 8af05ac97513764cc539919e179794df87352c30. --- system/core/Common.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index b9c8727485a..258cd49678d 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -343,7 +343,7 @@ function &get_mimes() */ function is_https() { - return ( ( ! empty($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) !== 'off' ) || ($_SERVER["SERVER_PORT"] === '443') ); + return ( ! empty($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) !== 'off'); } } @@ -713,4 +713,4 @@ function function_usable($function_name) } /* End of file Common.php */ -/* Location: ./system/core/Common.php */ +/* Location: ./system/core/Common.php */ \ No newline at end of file From b0607703b32ec790cc300e9f77a18ea17ab6d7dd Mon Sep 17 00:00:00 2001 From: Chris Passas Date: Wed, 13 Feb 2013 11:47:02 -0500 Subject: [PATCH 0545/3829] Revert "Revert "Update system/core/Common.php"" This reverts commit 3de57eaea8510ea9cfd70f063565c24904669c4c. --- system/core/Common.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 258cd49678d..b9c8727485a 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -343,7 +343,7 @@ function &get_mimes() */ function is_https() { - return ( ! empty($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) !== 'off'); + return ( ( ! empty($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) !== 'off' ) || ($_SERVER["SERVER_PORT"] === '443') ); } } @@ -713,4 +713,4 @@ function function_usable($function_name) } /* End of file Common.php */ -/* Location: ./system/core/Common.php */ \ No newline at end of file +/* Location: ./system/core/Common.php */ From 6f19fd770b67804797c55d47c1c5f5fcb3a37b2e Mon Sep 17 00:00:00 2001 From: Chris Passas Date: Wed, 13 Feb 2013 11:47:02 -0500 Subject: [PATCH 0546/3829] Revert "Update system/core/Log.php" This reverts commit bbc6ab4736a896be83e3e3d5f8856374ffa2984c. --- system/core/Log.php | 11 ++--------- 1 file changed, 2 insertions(+), 9 deletions(-) diff --git a/system/core/Log.php b/system/core/Log.php index 2a4728dc49b..0749de8ba0f 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -71,13 +71,6 @@ class CI_Log { * @var string */ protected $_date_fmt = 'Y-m-d H:i:s'; - - /** - * Log file extension - * - * @var string - */ - protected $_log_ext = 'php'; /** * Whether or not the logger can write to the log files @@ -156,7 +149,7 @@ public function write_log($level = 'error', $msg, $php_error = FALSE) return FALSE; } - $filepath = $this->_log_path.'log-'.date('Y-m-d').'.'.$this->_log_ext; + $filepath = $this->_log_path.'log-'.date('Y-m-d').'.php'; $message = ''; if ( ! file_exists($filepath)) @@ -191,4 +184,4 @@ public function write_log($level = 'error', $msg, $php_error = FALSE) } /* End of file Log.php */ -/* Location: ./system/core/Log.php */ +/* Location: ./system/core/Log.php */ \ No newline at end of file From 62f7cdf3a6f5d701430267ef9ba9bfd92650deab Mon Sep 17 00:00:00 2001 From: Chris Passas Date: Wed, 13 Feb 2013 11:47:45 -0500 Subject: [PATCH 0547/3829] Revert "Update system/core/Common.php" This reverts commit 8af05ac97513764cc539919e179794df87352c30. --- system/core/Common.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index b9c8727485a..258cd49678d 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -343,7 +343,7 @@ function &get_mimes() */ function is_https() { - return ( ( ! empty($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) !== 'off' ) || ($_SERVER["SERVER_PORT"] === '443') ); + return ( ! empty($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) !== 'off'); } } @@ -713,4 +713,4 @@ function function_usable($function_name) } /* End of file Common.php */ -/* Location: ./system/core/Common.php */ +/* Location: ./system/core/Common.php */ \ No newline at end of file From a107a0fd79d0ee5f6292138a76398ed390041710 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 15 Feb 2013 22:30:31 +0200 Subject: [PATCH 0548/3829] Fix some stuff from recent pull requests --- application/config/config.php | 7 +++++-- system/core/Common.php | 6 +++--- system/core/Log.php | 24 +++++++++++++++++------- system/libraries/Profiler.php | 3 +-- user_guide_src/source/changelog.rst | 6 +++--- 5 files changed, 29 insertions(+), 17 deletions(-) diff --git a/application/config/config.php b/application/config/config.php index 6f597b1e288..0608348c627 100644 --- a/application/config/config.php +++ b/application/config/config.php @@ -229,8 +229,11 @@ | Log File Extension |-------------------------------------------------------------------------- | -| Leave this BLANK unless you would like to set something other than the default -| 'php'. For example you could change it to 'log'. +| The default filename extension for log files. The default 'php' allows for +| protecting the log files via basic scripting, when they are to be stored +| under a publicly accessible directory. +| +| Note: Leaving it blank will default to 'php'. | */ $config['log_file_extension'] = ''; diff --git a/system/core/Common.php b/system/core/Common.php index 136dd521c20..f8c1290f5d9 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -414,7 +414,7 @@ function show_404($page = '', $log_error = TRUE) function log_message($level = 'error', $message, $php_error = FALSE) { static $_log, $_log_threshold; - + if ($_log_threshold === NULL) { $_log_threshold = config_item('log_threshold'); @@ -429,7 +429,7 @@ function log_message($level = 'error', $message, $php_error = FALSE) { $_log =& load_class('Log', 'core'); } - + $_log->write_log($level, $message, $php_error); } } @@ -713,4 +713,4 @@ function function_usable($function_name) } /* End of file Common.php */ -/* Location: ./system/core/Common.php */ +/* Location: ./system/core/Common.php */ \ No newline at end of file diff --git a/system/core/Log.php b/system/core/Log.php index 0749de8ba0f..a84d3dc2298 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -72,6 +72,13 @@ class CI_Log { */ protected $_date_fmt = 'Y-m-d H:i:s'; + /** + * Filename extension + * + * @var string + */ + protected $_file_ext; + /** * Whether or not the logger can write to the log files * @@ -86,8 +93,10 @@ class CI_Log { */ protected $_levels = array('ERROR' => 1, 'DEBUG' => 2, 'INFO' => 3, 'ALL' => 4); + // -------------------------------------------------------------------- + /** - * Initialize Logging class + * Class constructor * * @return void */ @@ -96,8 +105,8 @@ public function __construct() $config =& get_config(); $this->_log_path = ($config['log_path'] !== '') ? $config['log_path'] : APPPATH.'logs/'; - - $this->_log_ext = ($config['log_file_extension'] !== '') ? ltrim($config['log_file_extension'], '.') : $this->_log_ext; + $this->_file_ext = (isset($config['log_file_extension']) && $config['log_file_extension'] !== '') + ? ltrim($config['log_file_extension'], '.') : 'php'; file_exists($this->_log_path) OR mkdir($this->_log_path, DIR_WRITE_MODE, TRUE); @@ -149,15 +158,16 @@ public function write_log($level = 'error', $msg, $php_error = FALSE) return FALSE; } - $filepath = $this->_log_path.'log-'.date('Y-m-d').'.php'; - $message = ''; + $filepath = $this->_log_path.'log-'.date('Y-m-d').'.'.$this->_file_ext; + $message = ''; if ( ! file_exists($filepath)) { $newfile = TRUE; - if($this->_log_ext === 'php') + // Only add protection to php files + if ($this->_file_ext === 'php') { - $message .= '<'."?php defined('BASEPATH') OR exit('No direct script access allowed'); ?".">\n\n"; + $message .= "\n\n"; } } diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index 36e0431b2ac..470688fdc6e 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -238,7 +238,6 @@ protected function _compile_queries() foreach ($dbs as $name => $db) { $hide_queries = (count($db->queries) > $this->_query_toggle_count) ? ' display:none' : ''; - $total_time = number_format(array_sum($db->query_times), 4).' '.$this->CI->lang->line('profiler_seconds'); $show_hide_js = '('.$this->CI->lang->line('profiler_section_hide').')'; @@ -252,7 +251,7 @@ protected function _compile_queries() ."\n" .'  '.$this->CI->lang->line('profiler_database') .':  '.$db->database.' ('.$name.')   '.$this->CI->lang->line('profiler_queries') - .': '.count($db->queries).'('.$total_time.')'.'  '.$show_hide_js."\n\n\n" + .': '.count($db->queries).' ('.$total_time.')  '.$show_hide_js."\n\n\n" .'
\n"; if (count($db->queries) === 0) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 140fda8e7c6..8d3f3705d29 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -55,7 +55,7 @@ Release Date: Not Released - Updated *ip_address* database field lengths from 16 to 45 for supporting IPv6 address on :doc:`Trackback Library ` and :doc:`Captcha Helper `. - Removed *cheatsheets* and *quick_reference* PDFs from the documentation. - Added availability checks where usage of dangerous functions like ``eval()`` and ``exec()`` is required. - - Added support for changing the file extension of CodeIgniter log files using $config['log_file_extension']. + - Added support for changing the file extension of log files using ``$config['log_file_extension']``. - Helpers @@ -273,8 +273,8 @@ Release Date: Not Released - Added support for hashing algorithms other than SHA1 and MD5. - Removed previously deprecated ``sha1()`` method. - :doc:`Profiler Library ` changes include: - - Database object names displayed. - - The sum of all queries running times in seconds displayed. + - Database object names are now being displayed. + - The sum of all queries running times in seconds is now being displayed. - :doc:`Migration Library ` changes include: - Added support for timestamp-based migrations (enabled by default). - Added ``$config['migration_type']`` to allow switching between *sequential* and *timestamp* migrations. From 99ba3a26973848604719db08bbcafbfa82ca087f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 15 Feb 2013 22:42:22 +0200 Subject: [PATCH 0549/3829] Fix #2247 --- system/helpers/form_helper.php | 9 +++------ 1 file changed, 3 insertions(+), 6 deletions(-) diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index f343b6c7162..d6e3e85fa12 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -228,13 +228,10 @@ function form_password($data = '', $value = '', $extra = '') */ function form_upload($data = '', $value = '', $extra = '') { - if ( ! is_array($data)) - { - $data = array('name' => $data); - } - + $default = array('type' => 'file', 'name' => ''); + is_array($data) OR $data = array('name' => $data); $data['type'] = 'file'; - return form_input($data, $value, $extra); + return '\n"; } } From 687742109d5e8f06eadb1607501e5a94163aa902 Mon Sep 17 00:00:00 2001 From: David Barratt Date: Sat, 16 Feb 2013 02:01:47 -0500 Subject: [PATCH 0550/3829] Add the Project Name to the Composer File. --- composer.json | 1 + 1 file changed, 1 insertion(+) diff --git a/composer.json b/composer.json index 7d60020c3ac..141ce2bfbdb 100644 --- a/composer.json +++ b/composer.json @@ -1,4 +1,5 @@ { + "name" : "EllisLab/CodeIgniter", "require": { "mikey179/vfsStream": "*" }, From d20ed1dbc3b2e3f3b1dd60325f95fff745bfebbb Mon Sep 17 00:00:00 2001 From: David Barratt Date: Sat, 16 Feb 2013 02:03:20 -0500 Subject: [PATCH 0551/3829] Lowercase the project name as uppercase letters are not allowed. --- composer.json | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/composer.json b/composer.json index 141ce2bfbdb..b48f8c11862 100644 --- a/composer.json +++ b/composer.json @@ -1,9 +1,9 @@ { - "name" : "EllisLab/CodeIgniter", + "name" : "ellislab/codeigniter", "require": { "mikey179/vfsStream": "*" }, "require-dev": { - "phpunit/phpunit": "*" - } + "phpunit/phpunit": "*" + } } \ No newline at end of file From 0fc08356b982807750464a7695c8fba47599d32e Mon Sep 17 00:00:00 2001 From: David Barratt Date: Sat, 16 Feb 2013 02:52:00 -0500 Subject: [PATCH 0552/3829] Require at least PHP 5.1.6. --- composer.json | 1 + 1 file changed, 1 insertion(+) diff --git a/composer.json b/composer.json index b48f8c11862..bcab60f23e9 100644 --- a/composer.json +++ b/composer.json @@ -1,6 +1,7 @@ { "name" : "ellislab/codeigniter", "require": { + "php": ">=5.1.6", "mikey179/vfsStream": "*" }, "require-dev": { From 7a8db6506dfad2a8dbb7b9ba09133c8c0152d6e8 Mon Sep 17 00:00:00 2001 From: David Barratt Date: Sat, 16 Feb 2013 10:51:52 -0500 Subject: [PATCH 0553/3829] Update the required version of PHP to 5.2.4 --- composer.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/composer.json b/composer.json index bcab60f23e9..c13ac5aca78 100644 --- a/composer.json +++ b/composer.json @@ -1,7 +1,7 @@ { "name" : "ellislab/codeigniter", "require": { - "php": ">=5.1.6", + "php": ">=5.2.4", "mikey179/vfsStream": "*" }, "require-dev": { From cf22557383fea89906633b8034ff9f08eb498621 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Mon, 18 Feb 2013 01:08:04 +0530 Subject: [PATCH 0554/3829] Added keep-alive connection to SMTP. Fixed socket read/write timeouts. Added PHP useragent --- system/libraries/Email.php | 524 ++++++++++++++++++++----------------- 1 file changed, 290 insertions(+), 234 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 997757b0a6f..36cebfab535 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -94,6 +94,13 @@ class CI_Email { * @var int */ public $smtp_timeout = 5; + + /** + * STMP Persistent connection + * + * @var bool + */ + public $smtp_keepalive = FALSE; /** * SMTP Encryption @@ -399,6 +406,19 @@ public function __construct($config = array()) log_message('debug', 'Email Class Initialized'); } + + // -------------------------------------------------------------------- + + /** + * Destructor - Releases Resources + * + * @return void + */ + function __destruct() + { + if(is_resource($this->_smtp_connect)) + $this->_send_command('quit'); + } // -------------------------------------------------------------------- @@ -770,6 +790,23 @@ public function set_mailtype($type = 'text') // -------------------------------------------------------------------- + /** + * Set Useragent + * + * @param string + * @return void + */ + public function set_useragent($type = '') + { + if( ! $type) + $this->useragent = isset($_SERVER['HTTP_USER_AGENT'])? $_SERVER['HTTP_USER_AGENT'] : 'PHP/'.phpversion(); + else + $this->useragent = $type; + return $this; + } + + // -------------------------------------------------------------------- + /** * Set Wordwrap * @@ -1766,241 +1803,260 @@ protected function _send_with_sendmail() * @return bool */ protected function _send_with_smtp() - { - if ($this->smtp_host === '') - { - $this->_set_error_message('lang:email_no_hostname'); - return FALSE; - } - - if ( ! $this->_smtp_connect() OR ! $this->_smtp_authenticate()) - { - return FALSE; - } - - $this->_send_command('from', $this->clean_email($this->_headers['From'])); - - foreach ($this->_recipients as $val) - { - $this->_send_command('to', $val); - } - - if (count($this->_cc_array) > 0) - { - foreach ($this->_cc_array as $val) - { - if ($val !== '') - { - $this->_send_command('to', $val); - } - } - } - - if (count($this->_bcc_array) > 0) - { - foreach ($this->_bcc_array as $val) - { - if ($val !== '') - { - $this->_send_command('to', $val); - } - } - } - - $this->_send_command('data'); - - // perform dot transformation on any lines that begin with a dot - $this->_send_data($this->_header_str.preg_replace('/^\./m', '..$1', $this->_finalbody)); - - $this->_send_data('.'); - - $reply = $this->_get_smtp_data(); - - $this->_set_error_message($reply); - - if (strpos($reply, '250') !== 0) - { - $this->_set_error_message('lang:email_smtp_error', $reply); - return FALSE; - } - - $this->_send_command('quit'); - return TRUE; - } - - // -------------------------------------------------------------------- - - /** - * SMTP Connect - * - * @return string - */ - protected function _smtp_connect() - { - $ssl = ($this->smtp_crypto === 'ssl') ? 'ssl://' : NULL; - - $this->_smtp_connect = fsockopen($ssl.$this->smtp_host, - $this->smtp_port, - $errno, - $errstr, - $this->smtp_timeout); - - if ( ! is_resource($this->_smtp_connect)) - { - $this->_set_error_message('lang:email_smtp_error', $errno.' '.$errstr); - return FALSE; - } - - $this->_set_error_message($this->_get_smtp_data()); - - if ($this->smtp_crypto === 'tls') - { - $this->_send_command('hello'); - $this->_send_command('starttls'); - - $crypto = stream_socket_enable_crypto($this->_smtp_connect, TRUE, STREAM_CRYPTO_METHOD_TLS_CLIENT); - - if ($crypto !== TRUE) - { - $this->_set_error_message('lang:email_smtp_error', $this->_get_smtp_data()); - return FALSE; - } - } - - return $this->_send_command('hello'); - } - - // -------------------------------------------------------------------- + { + if ($this->smtp_host === '') + { + $this->_set_error_message('lang:email_no_hostname'); + return FALSE; + } + + if ( ! $this->_smtp_connect() OR ! $this->_smtp_authenticate()) + { + return FALSE; + } + + $this->_send_command('from', $this->clean_email($this->_headers['From'])); + + foreach ($this->_recipients as $val) + { + $this->_send_command('to', $val); + } + + if (count($this->_cc_array) > 0) + { + foreach ($this->_cc_array as $val) + { + if ($val !== '') + { + $this->_send_command('to', $val); + } + } + } + + if (count($this->_bcc_array) > 0) + { + foreach ($this->_bcc_array as $val) + { + if ($val !== '') + { + $this->_send_command('to', $val); + } + } + } + + $this->_send_command('data'); + + // perform dot transformation on any lines that begin with a dot + $this->_send_data($this->_header_str.preg_replace('/^\./m', '..$1', $this->_finalbody)); + + $this->_send_data('.'); + + $reply = $this->_get_smtp_data(); + + $this->_set_error_message($reply); + + if (strpos($reply, '250') !== 0) + { + $this->_set_error_message('lang:email_smtp_error', $reply); + return FALSE; + } + + if($this->smtp_keepalive) + $this->_send_command('reset'); + else + $this->_send_command('quit'); + + return TRUE; + } + + // -------------------------------------------------------------------- + + /** + * SMTP Connect + * + * @param bool + * @return string + */ + protected function _smtp_connect($force=FALSE) + { + if( ! is_resource($this->_smtp_connect) || $force) + { + $ssl = ($this->smtp_crypto === 'ssl') ? 'ssl://' : NULL; + + $this->_smtp_connect = fsockopen($ssl.$this->smtp_host, + $this->smtp_port, + $errno, + $errstr, + $this->smtp_timeout); + + if ( ! is_resource($this->_smtp_connect)) + { + $this->_set_error_message('lang:email_smtp_error', $errno.' '.$errstr); + return FALSE; + } + + stream_set_timeout($this->_smtp_connect, $this->smtp_timeout); + $this->_set_error_message($this->_get_smtp_data()); + + if ($this->smtp_crypto === 'tls') + { + $this->_send_command('hello'); + $this->_send_command('starttls'); + + $crypto = stream_socket_enable_crypto($this->_smtp_connect, TRUE, STREAM_CRYPTO_METHOD_TLS_CLIENT); + + if ($crypto !== TRUE) + { + $this->_set_error_message('lang:email_smtp_error', $this->_get_smtp_data()); + return FALSE; + } + } + + return $this->_send_command('hello'); + } + return TRUE; + } + + // -------------------------------------------------------------------- + + /** + * Send SMTP command + * + * @param string + * @param string + * @return string + */ + protected function _send_command($cmd, $data = '') + { + switch ($cmd) + { + case 'hello' : + + if ($this->_smtp_auth OR $this->_get_encoding() === '8bit') + { + $this->_send_data('EHLO '.$this->_get_hostname()); + } + else + { + $this->_send_data('HELO '.$this->_get_hostname()); + } + + $resp = 250; + break; + case 'starttls' : + + $this->_send_data('STARTTLS'); + $resp = 220; + break; + case 'from' : + + $this->_send_data('MAIL FROM:<'.$data.'>'); + $resp = 250; + break; + case 'to' : + + if ($this->dsn) + { + $this->_send_data('RCPT TO:<'.$data.'> NOTIFY=SUCCESS,DELAY,FAILURE ORCPT=rfc822;'.$data); + } + else + { + $this->_send_data('RCPT TO:<'.$data.'>'); + } + + $resp = 250; + break; + case 'data' : + + $this->_send_data('DATA'); + $resp = 354; + break; + case 'reset': + + $this->_send_data('RSET'); + + $resp = 250; + break; + case 'quit' : + + $this->_send_data('QUIT'); + $resp = 221; + break; + } + + $reply = $this->_get_smtp_data(); + + $this->_debug_msg[] = '
'.$cmd.': '.$reply.'
'; + + if ((int) substr($reply, 0, 3) !== $resp) + { + $this->_set_error_message('lang:email_smtp_error', $reply); + return FALSE; + } + + if ($cmd === 'quit') + { + fclose($this->_smtp_connect); + } + + return TRUE; + } + + // -------------------------------------------------------------------- + + /** + * SMTP Authenticate + * + * @return bool + */ + protected function _smtp_authenticate() + { + if ( ! $this->_smtp_auth) + { + return TRUE; + } + + if ($this->smtp_user === '' && $this->smtp_pass === '') + { + $this->_set_error_message('lang:email_no_smtp_unpw'); + return FALSE; + } + + $this->_send_data('AUTH LOGIN'); + + $reply = $this->_get_smtp_data(); + + if (strpos($reply, '503') === 0) // Already authenticated + return TRUE; + + if (strpos($reply, '334') !== 0) + { + $this->_set_error_message('lang:email_failed_smtp_login', $reply); + return FALSE; + } + + $this->_send_data(base64_encode($this->smtp_user)); + + $reply = $this->_get_smtp_data(); + + if (strpos($reply, '334') !== 0) + { + $this->_set_error_message('lang:email_smtp_auth_un', $reply); + return FALSE; + } + + $this->_send_data(base64_encode($this->smtp_pass)); + + $reply = $this->_get_smtp_data(); + + if (strpos($reply, '235') !== 0) + { + $this->_set_error_message('lang:email_smtp_auth_pw', $reply); + return FALSE; + } - /** - * Send SMTP command - * - * @param string - * @param string - * @return string - */ - protected function _send_command($cmd, $data = '') - { - switch ($cmd) - { - case 'hello' : - - if ($this->_smtp_auth OR $this->_get_encoding() === '8bit') - { - $this->_send_data('EHLO '.$this->_get_hostname()); - } - else - { - $this->_send_data('HELO '.$this->_get_hostname()); - } - - $resp = 250; - break; - case 'starttls' : - - $this->_send_data('STARTTLS'); - $resp = 220; - break; - case 'from' : - - $this->_send_data('MAIL FROM:<'.$data.'>'); - $resp = 250; - break; - case 'to' : - - if ($this->dsn) - { - $this->_send_data('RCPT TO:<'.$data.'> NOTIFY=SUCCESS,DELAY,FAILURE ORCPT=rfc822;'.$data); - } - else - { - $this->_send_data('RCPT TO:<'.$data.'>'); - } - - $resp = 250; - break; - case 'data' : - - $this->_send_data('DATA'); - $resp = 354; - break; - case 'quit' : - - $this->_send_data('QUIT'); - $resp = 221; - break; - } - - $reply = $this->_get_smtp_data(); - - $this->_debug_msg[] = '
'.$cmd.': '.$reply.'
'; - - if ((int) substr($reply, 0, 3) !== $resp) - { - $this->_set_error_message('lang:email_smtp_error', $reply); - return FALSE; - } - - if ($cmd === 'quit') - { - fclose($this->_smtp_connect); - } - - return TRUE; - } - - // -------------------------------------------------------------------- - - /** - * SMTP Authenticate - * - * @return bool - */ - protected function _smtp_authenticate() - { - if ( ! $this->_smtp_auth) - { - return TRUE; - } - - if ($this->smtp_user === '' && $this->smtp_pass === '') - { - $this->_set_error_message('lang:email_no_smtp_unpw'); - return FALSE; - } - - $this->_send_data('AUTH LOGIN'); - - $reply = $this->_get_smtp_data(); - - if (strpos($reply, '334') !== 0) - { - $this->_set_error_message('lang:email_failed_smtp_login', $reply); - return FALSE; - } - - $this->_send_data(base64_encode($this->smtp_user)); - - $reply = $this->_get_smtp_data(); - - if (strpos($reply, '334') !== 0) - { - $this->_set_error_message('lang:email_smtp_auth_un', $reply); - return FALSE; - } - - $this->_send_data(base64_encode($this->smtp_pass)); - - $reply = $this->_get_smtp_data(); - - if (strpos($reply, '235') !== 0) - { - $this->_set_error_message('lang:email_smtp_auth_pw', $reply); - return FALSE; - } - - return TRUE; - } + return TRUE; + } // -------------------------------------------------------------------- From 06ddcf05c6861a908a0b3b57c6ba4a05bb82e10a Mon Sep 17 00:00:00 2001 From: Bo-Yi Wu Date: Mon, 18 Feb 2013 08:52:05 +0800 Subject: [PATCH 0555/3829] Fixed form helper variable error Signed-off-by: Bo-Yi Wu --- system/helpers/form_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index d6e3e85fa12..692909c79d0 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -228,7 +228,7 @@ function form_password($data = '', $value = '', $extra = '') */ function form_upload($data = '', $value = '', $extra = '') { - $default = array('type' => 'file', 'name' => ''); + $defaults = array('type' => 'file', 'name' => ''); is_array($data) OR $data = array('name' => $data); $data['type'] = 'file'; return '\n"; From e8f15935a4f576d219708f495c19f234ac5a238a Mon Sep 17 00:00:00 2001 From: David Barratt Date: Sun, 17 Feb 2013 23:20:54 -0500 Subject: [PATCH 0556/3829] Move mikey179/vfsStream to only be required on dev --- composer.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/composer.json b/composer.json index c13ac5aca78..bf3b3d22b9a 100644 --- a/composer.json +++ b/composer.json @@ -2,9 +2,9 @@ "name" : "ellislab/codeigniter", "require": { "php": ">=5.2.4", - "mikey179/vfsStream": "*" }, "require-dev": { + "mikey179/vfsStream": "*" "phpunit/phpunit": "*" } } \ No newline at end of file From cbe553072812de5cbfbdf4603d18d8b1cad4e453 Mon Sep 17 00:00:00 2001 From: David Barratt Date: Sun, 17 Feb 2013 23:27:16 -0500 Subject: [PATCH 0557/3829] Fix a JSON validation error --- composer.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/composer.json b/composer.json index bf3b3d22b9a..54f305e89cd 100644 --- a/composer.json +++ b/composer.json @@ -1,10 +1,10 @@ { "name" : "ellislab/codeigniter", "require": { - "php": ">=5.2.4", + "php": ">=5.2.4" }, "require-dev": { - "mikey179/vfsStream": "*" + "mikey179/vfsStream": "*", "phpunit/phpunit": "*" } } \ No newline at end of file From 59209deaf2467372ba0deef5a4266758b366ca70 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Mon, 18 Feb 2013 17:02:13 +0530 Subject: [PATCH 0558/3829] Fixed tab-indentation. Made appropriate entries in changelog --- system/libraries/Email.php | 565 ++++++++++++++++++------------------- 1 file changed, 282 insertions(+), 283 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 36cebfab535..7ea49a95986 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -96,11 +96,11 @@ class CI_Email { public $smtp_timeout = 5; /** - * STMP Persistent connection - * - * @var bool - */ - public $smtp_keepalive = FALSE; + * SMTP persistent connection + * + * @var bool + */ + public $smtp_keepalive = FALSE; /** * SMTP Encryption @@ -406,19 +406,19 @@ public function __construct($config = array()) log_message('debug', 'Email Class Initialized'); } - + // -------------------------------------------------------------------- /** - * Destructor - Releases Resources - * - * @return void - */ - function __destruct() - { - if(is_resource($this->_smtp_connect)) - $this->_send_command('quit'); - } + * Destructor - Releases Resources + * + * @return void + */ + public function __destruct() + { + if(is_resource($this->_smtp_connect)) + $this->_send_command('quit'); + } // -------------------------------------------------------------------- @@ -789,22 +789,22 @@ public function set_mailtype($type = 'text') } // -------------------------------------------------------------------- - - /** - * Set Useragent - * - * @param string - * @return void - */ - public function set_useragent($type = '') - { - if( ! $type) - $this->useragent = isset($_SERVER['HTTP_USER_AGENT'])? $_SERVER['HTTP_USER_AGENT'] : 'PHP/'.phpversion(); - else - $this->useragent = $type; - return $this; - } + /** + * Set Useragent + * + * @param string + * @return void + */ + public function set_useragent($type = '') + { + if( ! $type) + $this->useragent = isset($_SERVER['HTTP_USER_AGENT']) ? $_SERVER['HTTP_USER_AGENT'] : 'PHP/'.phpversion(); + else + $this->useragent = $type; + return $this; + } + // -------------------------------------------------------------------- /** @@ -1803,260 +1803,259 @@ protected function _send_with_sendmail() * @return bool */ protected function _send_with_smtp() - { - if ($this->smtp_host === '') - { - $this->_set_error_message('lang:email_no_hostname'); - return FALSE; - } - - if ( ! $this->_smtp_connect() OR ! $this->_smtp_authenticate()) - { - return FALSE; - } - - $this->_send_command('from', $this->clean_email($this->_headers['From'])); - - foreach ($this->_recipients as $val) - { - $this->_send_command('to', $val); - } - - if (count($this->_cc_array) > 0) - { - foreach ($this->_cc_array as $val) - { - if ($val !== '') - { - $this->_send_command('to', $val); - } - } - } - - if (count($this->_bcc_array) > 0) - { - foreach ($this->_bcc_array as $val) - { - if ($val !== '') - { - $this->_send_command('to', $val); - } - } - } - - $this->_send_command('data'); - - // perform dot transformation on any lines that begin with a dot - $this->_send_data($this->_header_str.preg_replace('/^\./m', '..$1', $this->_finalbody)); - - $this->_send_data('.'); - - $reply = $this->_get_smtp_data(); - - $this->_set_error_message($reply); - - if (strpos($reply, '250') !== 0) - { - $this->_set_error_message('lang:email_smtp_error', $reply); - return FALSE; - } - - if($this->smtp_keepalive) - $this->_send_command('reset'); - else - $this->_send_command('quit'); - - return TRUE; - } - - // -------------------------------------------------------------------- - - /** - * SMTP Connect - * - * @param bool - * @return string - */ - protected function _smtp_connect($force=FALSE) - { - if( ! is_resource($this->_smtp_connect) || $force) - { - $ssl = ($this->smtp_crypto === 'ssl') ? 'ssl://' : NULL; - - $this->_smtp_connect = fsockopen($ssl.$this->smtp_host, - $this->smtp_port, - $errno, - $errstr, - $this->smtp_timeout); - - if ( ! is_resource($this->_smtp_connect)) - { - $this->_set_error_message('lang:email_smtp_error', $errno.' '.$errstr); - return FALSE; - } - - stream_set_timeout($this->_smtp_connect, $this->smtp_timeout); - $this->_set_error_message($this->_get_smtp_data()); - - if ($this->smtp_crypto === 'tls') - { - $this->_send_command('hello'); - $this->_send_command('starttls'); - - $crypto = stream_socket_enable_crypto($this->_smtp_connect, TRUE, STREAM_CRYPTO_METHOD_TLS_CLIENT); - - if ($crypto !== TRUE) - { - $this->_set_error_message('lang:email_smtp_error', $this->_get_smtp_data()); - return FALSE; - } - } - - return $this->_send_command('hello'); - } - return TRUE; - } - - // -------------------------------------------------------------------- - - /** - * Send SMTP command - * - * @param string - * @param string - * @return string - */ - protected function _send_command($cmd, $data = '') - { - switch ($cmd) - { - case 'hello' : - - if ($this->_smtp_auth OR $this->_get_encoding() === '8bit') - { - $this->_send_data('EHLO '.$this->_get_hostname()); - } - else - { - $this->_send_data('HELO '.$this->_get_hostname()); - } - - $resp = 250; - break; - case 'starttls' : - - $this->_send_data('STARTTLS'); - $resp = 220; - break; - case 'from' : - - $this->_send_data('MAIL FROM:<'.$data.'>'); - $resp = 250; - break; - case 'to' : - - if ($this->dsn) - { - $this->_send_data('RCPT TO:<'.$data.'> NOTIFY=SUCCESS,DELAY,FAILURE ORCPT=rfc822;'.$data); - } - else - { - $this->_send_data('RCPT TO:<'.$data.'>'); - } - - $resp = 250; - break; - case 'data' : - - $this->_send_data('DATA'); - $resp = 354; - break; - case 'reset': - - $this->_send_data('RSET'); - - $resp = 250; - break; - case 'quit' : - - $this->_send_data('QUIT'); - $resp = 221; - break; - } - - $reply = $this->_get_smtp_data(); - - $this->_debug_msg[] = '
'.$cmd.': '.$reply.'
'; - - if ((int) substr($reply, 0, 3) !== $resp) - { - $this->_set_error_message('lang:email_smtp_error', $reply); - return FALSE; - } - - if ($cmd === 'quit') - { - fclose($this->_smtp_connect); - } - - return TRUE; - } - - // -------------------------------------------------------------------- - - /** - * SMTP Authenticate - * - * @return bool - */ - protected function _smtp_authenticate() - { - if ( ! $this->_smtp_auth) - { - return TRUE; - } - - if ($this->smtp_user === '' && $this->smtp_pass === '') - { - $this->_set_error_message('lang:email_no_smtp_unpw'); - return FALSE; - } - - $this->_send_data('AUTH LOGIN'); - - $reply = $this->_get_smtp_data(); - - if (strpos($reply, '503') === 0) // Already authenticated - return TRUE; - - if (strpos($reply, '334') !== 0) - { - $this->_set_error_message('lang:email_failed_smtp_login', $reply); - return FALSE; - } - - $this->_send_data(base64_encode($this->smtp_user)); - - $reply = $this->_get_smtp_data(); - - if (strpos($reply, '334') !== 0) - { - $this->_set_error_message('lang:email_smtp_auth_un', $reply); - return FALSE; - } - - $this->_send_data(base64_encode($this->smtp_pass)); - - $reply = $this->_get_smtp_data(); - - if (strpos($reply, '235') !== 0) - { - $this->_set_error_message('lang:email_smtp_auth_pw', $reply); - return FALSE; - } + { + if ($this->smtp_host === '') + { + $this->_set_error_message('lang:email_no_hostname'); + return FALSE; + } + + if ( ! $this->_smtp_connect() OR ! $this->_smtp_authenticate()) + { + return FALSE; + } + + $this->_send_command('from', $this->clean_email($this->_headers['From'])); + + foreach ($this->_recipients as $val) + { + $this->_send_command('to', $val); + } + + if (count($this->_cc_array) > 0) + { + foreach ($this->_cc_array as $val) + { + if ($val !== '') + { + $this->_send_command('to', $val); + } + } + } - return TRUE; - } + if (count($this->_bcc_array) > 0) + { + foreach ($this->_bcc_array as $val) + { + if ($val !== '') + { + $this->_send_command('to', $val); + } + } + } + + $this->_send_command('data'); + + // perform dot transformation on any lines that begin with a dot + $this->_send_data($this->_header_str.preg_replace('/^\./m', '..$1', $this->_finalbody)); + + $this->_send_data('.'); + + $reply = $this->_get_smtp_data(); + + $this->_set_error_message($reply); + + if (strpos($reply, '250') !== 0) + { + $this->_set_error_message('lang:email_smtp_error', $reply); + return FALSE; + } + + if($this->smtp_keepalive) + $this->_send_command('reset'); + else + $this->_send_command('quit'); + + return TRUE; + } + + // -------------------------------------------------------------------- + + /** + * SMTP Connect + * + * @param bool + * @return string + */ + protected function _smtp_connect($force=FALSE) + { + if( ! is_resource($this->_smtp_connect) || $force) + { + $ssl = ($this->smtp_crypto === 'ssl') ? 'ssl://' : NULL; + + $this->_smtp_connect = fsockopen($ssl.$this->smtp_host, + $this->smtp_port, + $errno, + $errstr, + $this->smtp_timeout); + + if ( ! is_resource($this->_smtp_connect)) + { + $this->_set_error_message('lang:email_smtp_error', $errno.' '.$errstr); + return FALSE; + } + + stream_set_timeout($this->_smtp_connect, $this->smtp_timeout); + $this->_set_error_message($this->_get_smtp_data()); + + if ($this->smtp_crypto === 'tls') + { + $this->_send_command('hello'); + $this->_send_command('starttls'); + + $crypto = stream_socket_enable_crypto($this->_smtp_connect, TRUE, STREAM_CRYPTO_METHOD_TLS_CLIENT); + + if ($crypto !== TRUE) + { + $this->_set_error_message('lang:email_smtp_error', $this->_get_smtp_data()); + return FALSE; + } + } + + return $this->_send_command('hello'); + } + return TRUE; + } + + // -------------------------------------------------------------------- + + /** + * Send SMTP command + * + * @param string + * @param string + * @return string + */ + protected function _send_command($cmd, $data = '') + { + switch ($cmd) + { + case 'hello' : + + if ($this->_smtp_auth OR $this->_get_encoding() === '8bit') + { + $this->_send_data('EHLO '.$this->_get_hostname()); + } + else + { + $this->_send_data('HELO '.$this->_get_hostname()); + } + + $resp = 250; + break; + case 'starttls' : + + $this->_send_data('STARTTLS'); + $resp = 220; + break; + case 'from' : + + $this->_send_data('MAIL FROM:<'.$data.'>'); + $resp = 250; + break; + case 'to' : + + if ($this->dsn) + { + $this->_send_data('RCPT TO:<'.$data.'> NOTIFY=SUCCESS,DELAY,FAILURE ORCPT=rfc822;'.$data); + } + else + { + $this->_send_data('RCPT TO:<'.$data.'>'); + } + + $resp = 250; + break; + case 'data' : + + $this->_send_data('DATA'); + $resp = 354; + break; + case 'reset': + + $this->_send_data('RSET'); + $resp = 250; + break; + case 'quit' : + + $this->_send_data('QUIT'); + $resp = 221; + break; + } + + $reply = $this->_get_smtp_data(); + + $this->_debug_msg[] = '
'.$cmd.': '.$reply.'
'; + + if ((int) substr($reply, 0, 3) !== $resp) + { + $this->_set_error_message('lang:email_smtp_error', $reply); + return FALSE; + } + + if ($cmd === 'quit') + { + fclose($this->_smtp_connect); + } + + return TRUE; + } + + // -------------------------------------------------------------------- + + /** + * SMTP Authenticate + * + * @return bool + */ + protected function _smtp_authenticate() + { + if ( ! $this->_smtp_auth) + { + return TRUE; + } + + if ($this->smtp_user === '' && $this->smtp_pass === '') + { + $this->_set_error_message('lang:email_no_smtp_unpw'); + return FALSE; + } + + $this->_send_data('AUTH LOGIN'); + + $reply = $this->_get_smtp_data(); + + if (strpos($reply, '503') !== 0) // Already authenticated + return TRUE; + + if (strpos($reply, '334') !== 0) + { + $this->_set_error_message('lang:email_failed_smtp_login', $reply); + return FALSE; + } + + $this->_send_data(base64_encode($this->smtp_user)); + + $reply = $this->_get_smtp_data(); + + if (strpos($reply, '334') !== 0) + { + $this->_set_error_message('lang:email_smtp_auth_un', $reply); + return FALSE; + } + + $this->_send_data(base64_encode($this->smtp_pass)); + + $reply = $this->_get_smtp_data(); + + if (strpos($reply, '235') !== 0) + { + $this->_set_error_message('lang:email_smtp_auth_pw', $reply); + return FALSE; + } + + return TRUE; + } // -------------------------------------------------------------------- From 9ecde434cf660da53c8887f4e768f37fdf64dac1 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Mon, 18 Feb 2013 17:06:12 +0530 Subject: [PATCH 0559/3829] Clean up --- user_guide_src/source/changelog.rst | 3 +++ user_guide_src/source/libraries/email.rst | 1 + 2 files changed, 4 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 8d3f3705d29..94f7f9e4a4c 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -250,6 +250,8 @@ Release Date: Not Released - Added Redis driver. - Added a *key_prefix* option for cache IDs. - :doc:`Email library ` changes include: + - Added SMTP keepalive option to avoid opening the connection for each ``Email::send()``. Accessible as ``$smtp_keepalive``. + - Empty string passed into useragent will be set to the first valid value in ``$_SERVER['HTTP_USER_AGENT']`` or ``PHP/``. - Added custom filename to ``Email::attach()`` as ``$this->email->attach($filename, $disposition, $newname)``. - Added possibility to send attachment as buffer string in ``Email::attach()`` as ``$this->email->attach($buffer, $disposition, $newname, $mime)``. - Added dsn (delivery status notification) option. @@ -337,6 +339,7 @@ Release Date: Not Released Bug fixes for 3.0 ------------------ +- Fixed a bug (#2255, #2256) where ``smtp_timeout`` was not being applied to read and writes for the socket. - Fixed a bug where ``unlink()`` raised an error if cache file did not exist when you try to delete it. - Fixed a bug (#181) where a mis-spelling was in the form validation language file. - Fixed a bug (#159, #163) that mishandled Query Builder nested transactions because _trans_depth was not getting incremented. diff --git a/user_guide_src/source/libraries/email.rst b/user_guide_src/source/libraries/email.rst index 7d468251cf9..a55f1895dd5 100644 --- a/user_guide_src/source/libraries/email.rst +++ b/user_guide_src/source/libraries/email.rst @@ -89,6 +89,7 @@ Preference Default Value Options Descript **smtp_pass** No Default None SMTP Password. **smtp_port** 25 None SMTP Port. **smtp_timeout** 5 None SMTP Timeout (in seconds). +**smtp_keepalive** FALSE TRUE or FALSE (boolean) Enable persistent SMTP connections. **smtp_crypto** No Default tls or ssl SMTP Encryption **wordwrap** TRUE TRUE or FALSE (boolean) Enable word-wrap. **wrapchars** 76 Character count to wrap at. From 758f40c3d971837d739fa5bc47529bccc846dcfd Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Mon, 18 Feb 2013 17:18:51 +0530 Subject: [PATCH 0560/3829] Fixed curly braces. Removed redundant method set_useragent() --- system/libraries/Email.php | 31 +++++++++++-------------------- 1 file changed, 11 insertions(+), 20 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 7ea49a95986..b0d0921eb7a 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -416,8 +416,10 @@ public function __construct($config = array()) */ public function __destruct() { - if(is_resource($this->_smtp_connect)) + if (is_resource($this->_smtp_connect)) + { $this->_send_command('quit'); + } } // -------------------------------------------------------------------- @@ -788,23 +790,6 @@ public function set_mailtype($type = 'text') return $this; } - // -------------------------------------------------------------------- - - /** - * Set Useragent - * - * @param string - * @return void - */ - public function set_useragent($type = '') - { - if( ! $type) - $this->useragent = isset($_SERVER['HTTP_USER_AGENT']) ? $_SERVER['HTTP_USER_AGENT'] : 'PHP/'.phpversion(); - else - $this->useragent = $type; - return $this; - } - // -------------------------------------------------------------------- /** @@ -1861,10 +1846,14 @@ protected function _send_with_smtp() return FALSE; } - if($this->smtp_keepalive) + if ($this->smtp_keepalive) + { $this->_send_command('reset'); + } else + { $this->_send_command('quit'); + } return TRUE; } @@ -1879,7 +1868,7 @@ protected function _send_with_smtp() */ protected function _smtp_connect($force=FALSE) { - if( ! is_resource($this->_smtp_connect) || $force) + if ( ! is_resource($this->_smtp_connect) || $force) { $ssl = ($this->smtp_crypto === 'ssl') ? 'ssl://' : NULL; @@ -2026,7 +2015,9 @@ protected function _smtp_authenticate() $reply = $this->_get_smtp_data(); if (strpos($reply, '503') !== 0) // Already authenticated + { return TRUE; + } if (strpos($reply, '334') !== 0) { From 9892d4d36b4ccfc647e9490b3c2e24de8b44964a Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Mon, 18 Feb 2013 17:26:52 +0530 Subject: [PATCH 0561/3829] Styleguide fixes --- user_guide_src/source/changelog.rst | 7 +++---- 1 file changed, 3 insertions(+), 4 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 94f7f9e4a4c..3824092b61b 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -249,9 +249,7 @@ Release Date: Not Released - Added Wincache driver. - Added Redis driver. - Added a *key_prefix* option for cache IDs. - - :doc:`Email library ` changes include: - - Added SMTP keepalive option to avoid opening the connection for each ``Email::send()``. Accessible as ``$smtp_keepalive``. - - Empty string passed into useragent will be set to the first valid value in ``$_SERVER['HTTP_USER_AGENT']`` or ``PHP/``. + - :doc:`Email library ` changes include: - Added custom filename to ``Email::attach()`` as ``$this->email->attach($filename, $disposition, $newname)``. - Added possibility to send attachment as buffer string in ``Email::attach()`` as ``$this->email->attach($buffer, $disposition, $newname, $mime)``. - Added dsn (delivery status notification) option. @@ -264,6 +262,7 @@ Release Date: Not Released - Removed unused protected method ``_get_ip()`` (:doc:`Input Library `'s ``ip_address()`` should be used anyway). - Internal method ``_prep_q_encoding()`` now utilizes PHP's *mbstring* and *iconv* extensions (when available) and no longer has a second (``$from``) argument. - Added an optional parameter to ``print_debugger()`` to allow specifying which parts of the message should be printed ('headers', 'subject', 'body'). + - Added SMTP keepalive option to avoid opening the connection for each ``Email::send()``. Accessible as ``$smtp_keepalive``. - :doc:`Pagination Library ` changes include: - Added support for the anchor "rel" attribute. - Added support for setting custom attributes. @@ -339,7 +338,6 @@ Release Date: Not Released Bug fixes for 3.0 ------------------ -- Fixed a bug (#2255, #2256) where ``smtp_timeout`` was not being applied to read and writes for the socket. - Fixed a bug where ``unlink()`` raised an error if cache file did not exist when you try to delete it. - Fixed a bug (#181) where a mis-spelling was in the form validation language file. - Fixed a bug (#159, #163) that mishandled Query Builder nested transactions because _trans_depth was not getting incremented. @@ -488,6 +486,7 @@ Bug fixes for 3.0 - Fixed a bug - :doc:`DB result ` method ``list_fields()`` didn't reset its field pointer for the *mysql*, *mysqli* and *mssql* drivers. - Fixed a bug (#73) - :doc:`Security Library ` method ``sanitize_filename()`` could be tricked by an XSS attack. - Fixed a bug (#2211) - :doc:`Migration Library ` extensions couldn't execute ``CI_Migration::__construct()``. +- Fixed a bug (#2255, #2256) where ``smtp_timeout`` was not being applied to read and writes for the socket. Version 2.1.3 ============= From 193f0c76edbd85cf98ae730006b459c7c55a5b78 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Mon, 18 Feb 2013 17:29:23 +0530 Subject: [PATCH 0562/3829] removed PR from the bug list --- system/libraries/Email.php | 2 +- user_guide_src/source/changelog.rst | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index b0d0921eb7a..91c119e0258 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1868,7 +1868,7 @@ protected function _send_with_smtp() */ protected function _smtp_connect($force=FALSE) { - if ( ! is_resource($this->_smtp_connect) || $force) + if ( ! is_resource($this->_smtp_connect) OR $force) { $ssl = ($this->smtp_crypto === 'ssl') ? 'ssl://' : NULL; diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 3824092b61b..f1bb0c58e63 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -486,7 +486,7 @@ Bug fixes for 3.0 - Fixed a bug - :doc:`DB result ` method ``list_fields()`` didn't reset its field pointer for the *mysql*, *mysqli* and *mssql* drivers. - Fixed a bug (#73) - :doc:`Security Library ` method ``sanitize_filename()`` could be tricked by an XSS attack. - Fixed a bug (#2211) - :doc:`Migration Library ` extensions couldn't execute ``CI_Migration::__construct()``. -- Fixed a bug (#2255, #2256) where ``smtp_timeout`` was not being applied to read and writes for the socket. +- Fixed a bug (#2255) where ``smtp_timeout`` was not being applied to read and writes for the socket. Version 2.1.3 ============= From a44e6913324bd47e17bfd4109fc65b699c508006 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Mon, 18 Feb 2013 18:07:03 +0530 Subject: [PATCH 0563/3829] Removed the unused $force paramter in Email::_smtp_connect() --- system/libraries/Email.php | 58 +++++++++++++++++++------------------- 1 file changed, 29 insertions(+), 29 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 91c119e0258..1bf1da15ef6 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1863,47 +1863,47 @@ protected function _send_with_smtp() /** * SMTP Connect * - * @param bool * @return string */ - protected function _smtp_connect($force=FALSE) + protected function _smtp_connect() { - if ( ! is_resource($this->_smtp_connect) OR $force) + if (is_resource($this->_smtp_connect)) { - $ssl = ($this->smtp_crypto === 'ssl') ? 'ssl://' : NULL; + return TRUE; + } - $this->_smtp_connect = fsockopen($ssl.$this->smtp_host, - $this->smtp_port, - $errno, - $errstr, - $this->smtp_timeout); + $ssl = ($this->smtp_crypto === 'ssl') ? 'ssl://' : NULL; - if ( ! is_resource($this->_smtp_connect)) - { - $this->_set_error_message('lang:email_smtp_error', $errno.' '.$errstr); - return FALSE; - } + $this->_smtp_connect = fsockopen($ssl.$this->smtp_host, + $this->smtp_port, + $errno, + $errstr, + $this->smtp_timeout); - stream_set_timeout($this->_smtp_connect, $this->smtp_timeout); - $this->_set_error_message($this->_get_smtp_data()); + if ( ! is_resource($this->_smtp_connect)) + { + $this->_set_error_message('lang:email_smtp_error', $errno.' '.$errstr); + return FALSE; + } - if ($this->smtp_crypto === 'tls') - { - $this->_send_command('hello'); - $this->_send_command('starttls'); + stream_set_timeout($this->_smtp_connect, $this->smtp_timeout); + $this->_set_error_message($this->_get_smtp_data()); - $crypto = stream_socket_enable_crypto($this->_smtp_connect, TRUE, STREAM_CRYPTO_METHOD_TLS_CLIENT); + if ($this->smtp_crypto === 'tls') + { + $this->_send_command('hello'); + $this->_send_command('starttls'); - if ($crypto !== TRUE) - { - $this->_set_error_message('lang:email_smtp_error', $this->_get_smtp_data()); - return FALSE; - } - } + $crypto = stream_socket_enable_crypto($this->_smtp_connect, TRUE, STREAM_CRYPTO_METHOD_TLS_CLIENT); - return $this->_send_command('hello'); + if ($crypto !== TRUE) + { + $this->_set_error_message('lang:email_smtp_error', $this->_get_smtp_data()); + return FALSE; + } } - return TRUE; + + return $this->_send_command('hello'); } // -------------------------------------------------------------------- From 73c75cbfa066b4e72b8e691199ad964d1c2b3719 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Mon, 18 Feb 2013 18:11:03 +0530 Subject: [PATCH 0564/3829] removed a stray tab --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index f1bb0c58e63..4e55182e545 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -249,7 +249,7 @@ Release Date: Not Released - Added Wincache driver. - Added Redis driver. - Added a *key_prefix* option for cache IDs. - - :doc:`Email library ` changes include: + - :doc:`Email library ` changes include: - Added custom filename to ``Email::attach()`` as ``$this->email->attach($filename, $disposition, $newname)``. - Added possibility to send attachment as buffer string in ``Email::attach()`` as ``$this->email->attach($buffer, $disposition, $newname, $mime)``. - Added dsn (delivery status notification) option. From 9ee847d9cee7c8490f1078102b33fb8401e2d8dc Mon Sep 17 00:00:00 2001 From: David Barratt Date: Mon, 18 Feb 2013 17:10:21 -0500 Subject: [PATCH 0565/3829] Set the --dev option for travis composer install command. --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 070b23c8ac3..1f6a5953018 100644 --- a/.travis.yml +++ b/.travis.yml @@ -15,7 +15,7 @@ env: before_script: - curl -s http://getcomposer.org/installer | php - - php composer.phar install + - php composer.phar install --dev - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'DROP DATABASE IF EXISTS ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'create database ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'mysql' ] || [ '$DB' = 'mysqli' ] || [ '$DB' = 'pdo/mysql' ]; then mysql -e 'create database IF NOT EXISTS ci_test;'; fi" From 21e91c53a79e9e3394be58381e759c952500ecd8 Mon Sep 17 00:00:00 2001 From: David Barratt Date: Mon, 18 Feb 2013 17:18:25 -0500 Subject: [PATCH 0566/3829] Set the --no-progress option for travis composer install command --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 1f6a5953018..e94f1af8361 100644 --- a/.travis.yml +++ b/.travis.yml @@ -15,7 +15,7 @@ env: before_script: - curl -s http://getcomposer.org/installer | php - - php composer.phar install --dev + - php composer.phar install --dev --no-progress - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'DROP DATABASE IF EXISTS ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'create database ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'mysql' ] || [ '$DB' = 'mysqli' ] || [ '$DB' = 'pdo/mysql' ]; then mysql -e 'create database IF NOT EXISTS ci_test;'; fi" From 1396a958a5b96cc6c617ae725034fa58542acd25 Mon Sep 17 00:00:00 2001 From: David Barratt Date: Mon, 18 Feb 2013 17:23:44 -0500 Subject: [PATCH 0567/3829] Attempt to get travis to work by adding php-invoker --- composer.json | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/composer.json b/composer.json index 54f305e89cd..ec34372ac7d 100644 --- a/composer.json +++ b/composer.json @@ -5,6 +5,7 @@ }, "require-dev": { "mikey179/vfsStream": "*", - "phpunit/phpunit": "*" + "phpunit/phpunit": "*", + "phpunit/php-invoker": ">=1.1.0,<1.2.0" } } \ No newline at end of file From bcc411efa6027f409eaf59d1d32422013e9c20da Mon Sep 17 00:00:00 2001 From: David Barratt Date: Mon, 18 Feb 2013 17:32:13 -0500 Subject: [PATCH 0568/3829] Revert "Attempt to get travis to work by adding php-invoker" This reverts commit 1396a958a5b96cc6c617ae725034fa58542acd25. --- composer.json | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/composer.json b/composer.json index ec34372ac7d..54f305e89cd 100644 --- a/composer.json +++ b/composer.json @@ -5,7 +5,6 @@ }, "require-dev": { "mikey179/vfsStream": "*", - "phpunit/phpunit": "*", - "phpunit/php-invoker": ">=1.1.0,<1.2.0" + "phpunit/phpunit": "*" } } \ No newline at end of file From acd76670ebdd1d5775259af1dcdf8d5f17ec5738 Mon Sep 17 00:00:00 2001 From: David Barratt Date: Mon, 18 Feb 2013 17:35:45 -0500 Subject: [PATCH 0569/3829] Simplify the composer command --- .travis.yml | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/.travis.yml b/.travis.yml index e94f1af8361..3b2f6bd5774 100644 --- a/.travis.yml +++ b/.travis.yml @@ -14,8 +14,7 @@ env: - DB=pdo/sqlite before_script: - - curl -s http://getcomposer.org/installer | php - - php composer.phar install --dev --no-progress + - composer install --dev - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'DROP DATABASE IF EXISTS ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'create database ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'mysql' ] || [ '$DB' = 'mysqli' ] || [ '$DB' = 'pdo/mysql' ]; then mysql -e 'create database IF NOT EXISTS ci_test;'; fi" From b4a23d2af5309d5b264f3f12c272e93667b87aca Mon Sep 17 00:00:00 2001 From: David Barratt Date: Mon, 18 Feb 2013 17:46:47 -0500 Subject: [PATCH 0570/3829] See how many errors are produced when no dependencies are included --- composer.json | 6 +----- 1 file changed, 1 insertion(+), 5 deletions(-) diff --git a/composer.json b/composer.json index 54f305e89cd..48aea9ff98a 100644 --- a/composer.json +++ b/composer.json @@ -2,9 +2,5 @@ "name" : "ellislab/codeigniter", "require": { "php": ">=5.2.4" - }, - "require-dev": { - "mikey179/vfsStream": "*", - "phpunit/phpunit": "*" - } + } } \ No newline at end of file From b2834114746585b60a490992a02c1b136363e791 Mon Sep 17 00:00:00 2001 From: David Barratt Date: Mon, 18 Feb 2013 17:52:14 -0500 Subject: [PATCH 0571/3829] vfsStream is required for travis --- composer.json | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/composer.json b/composer.json index 48aea9ff98a..e21aaed2edf 100644 --- a/composer.json +++ b/composer.json @@ -2,5 +2,8 @@ "name" : "ellislab/codeigniter", "require": { "php": ">=5.2.4" - } + }, + "require-dev": { + "mikey179/vfsStream": "*" + } } \ No newline at end of file From eb5991ccd0686d15615bff3a730a641889063943 Mon Sep 17 00:00:00 2001 From: David Barratt Date: Mon, 18 Feb 2013 18:04:45 -0500 Subject: [PATCH 0572/3829] Revert all changes to see if travis just doesn't like me. --- .travis.yml | 3 ++- composer.json | 7 +++---- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/.travis.yml b/.travis.yml index 3b2f6bd5774..070b23c8ac3 100644 --- a/.travis.yml +++ b/.travis.yml @@ -14,7 +14,8 @@ env: - DB=pdo/sqlite before_script: - - composer install --dev + - curl -s http://getcomposer.org/installer | php + - php composer.phar install - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'DROP DATABASE IF EXISTS ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'create database ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'mysql' ] || [ '$DB' = 'mysqli' ] || [ '$DB' = 'pdo/mysql' ]; then mysql -e 'create database IF NOT EXISTS ci_test;'; fi" diff --git a/composer.json b/composer.json index e21aaed2edf..7d60020c3ac 100644 --- a/composer.json +++ b/composer.json @@ -1,9 +1,8 @@ { - "name" : "ellislab/codeigniter", "require": { - "php": ">=5.2.4" + "mikey179/vfsStream": "*" }, "require-dev": { - "mikey179/vfsStream": "*" - } + "phpunit/phpunit": "*" + } } \ No newline at end of file From f399425bacfa461a77be2e841c3c1f48f9241c4a Mon Sep 17 00:00:00 2001 From: vlakoff Date: Tue, 19 Feb 2013 01:45:23 +0100 Subject: [PATCH 0573/3829] Fix a code comment in Upload->_file_mime_type() Availability of dangerous functions is now tested using function_usable(). --- system/libraries/Email.php | 6 +++--- system/libraries/Upload.php | 4 ++-- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 1bf1da15ef6..074ce60fce4 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -94,7 +94,7 @@ class CI_Email { * @var int */ public $smtp_timeout = 5; - + /** * SMTP persistent connection * @@ -408,7 +408,7 @@ public function __construct($config = array()) } // -------------------------------------------------------------------- - + /** * Destructor - Releases Resources * @@ -2018,7 +2018,7 @@ protected function _smtp_authenticate() { return TRUE; } - + if (strpos($reply, '334') !== 0) { $this->_set_error_message('lang:email_failed_smtp_login', $reply); diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index acd76b03bf1..1c14f99ed40 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -1212,7 +1212,7 @@ protected function _file_mime_type($file) * Notes: * - the DIRECTORY_SEPARATOR comparison ensures that we're not on a Windows system * - many system admins would disable the exec(), shell_exec(), popen() and similar functions - * due to security concerns, hence the function_exists() checks + * due to security concerns, hence the function_usable() checks */ if (DIRECTORY_SEPARATOR !== '\\') { @@ -1223,7 +1223,7 @@ protected function _file_mime_type($file) if (function_usable('exec')) { /* This might look confusing, as $mime is being populated with all of the output when set in the second parameter. - * However, we only neeed the last line, which is the actual return value of exec(), and as such - it overwrites + * However, we only need the last line, which is the actual return value of exec(), and as such - it overwrites * anything that could already be set for $mime previously. This effectively makes the second parameter a dummy * value, which is only put to allow us to get the return status code. */ From a4d272e7ffbd76dcc824574348fd7cbaa7c8f085 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Tue, 19 Feb 2013 03:21:16 +0100 Subject: [PATCH 0574/3829] Fix typos in upgrade_300.rst --- .../source/installation/upgrade_300.rst | 22 +++++++++---------- 1 file changed, 11 insertions(+), 11 deletions(-) diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index a3ea01d02ab..41bac0146ab 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -1,5 +1,5 @@ ############################# -Upgrading from 2.1.2 to 3.0.0 +Upgrading from 2.1.3 to 3.0.0 ############################# .. note:: These upgrade notes are for a version that is yet to be released. @@ -104,9 +104,9 @@ regular expression:: (.+) // matches ANYTHING (:any) // matches any character, except for '/' -******************************************* -Step 9: Update your librararies' file names -******************************************* +***************************************** +Step 9: Update your libraries' file names +***************************************** CodeIgniter 3.0 only allows library file names to be named in a *ucfirst* manner (meaning that the first letter of the class name must be a capital). For example, @@ -238,7 +238,7 @@ Security helper do_hash() :doc:`Security Helper <../helpers/security_helper>` function ``do_hash()`` is now just an alias for PHP's native ``hash()`` function. It is deprecated and scheduled for removal in CodeIgniter 3.1+. -.. note:: This function is still available, but you're strongly encouraged to remove it's usage sooner +.. note:: This function is still available, but you're strongly encouraged to remove its usage sooner rather than later. File helper read_file() @@ -248,7 +248,7 @@ File helper read_file() PHP's native ``file_get_contents()`` function. It is deprecated and scheduled for removal in CodeIgniter 3.1+. -.. note:: This function is still available, but you're strongly encouraged to remove it's usage sooner +.. note:: This function is still available, but you're strongly encouraged to remove its usage sooner rather than later. String helper repeater() @@ -257,7 +257,7 @@ String helper repeater() :doc:`String Helper <../helpers/string_helper>` function :php:func:`repeater()` is now just an alias for PHP's native ``str_repeat()`` function. It is deprecated and scheduled for removal in CodeIgniter 3.1+. -.. note:: This function is still available, but you're strongly encouraged to remove it's usage sooner +.. note:: This function is still available, but you're strongly encouraged to remove its usage sooner rather than later. String helper trim_slashes() @@ -267,7 +267,7 @@ String helper trim_slashes() for PHP's native ``trim()`` function (with a slash passed as its second argument). It is deprecated and scheduled for removal in CodeIgniter 3.1+. -.. note:: This function is still available, but you're strongly encouraged to remove it's usage sooner +.. note:: This function is still available, but you're strongly encouraged to remove its usage sooner rather than later. Email helper functions @@ -292,7 +292,7 @@ Date helper standard_date() to the availability of native PHP `constants `_, which when combined with ``date()`` provide the same functionality. Furthermore, they have the exact same names as the ones supported by ``standard_date()``. Here are examples of how to replace -it's usage: +its usage: :: @@ -308,7 +308,7 @@ it's usage: // Replacement date(DATE_ATOM, $time); -.. note:: This function is still available, but you're strongly encouraged to remove its' usage sooner +.. note:: This function is still available, but you're strongly encouraged to remove its usage sooner rather than later as it is scheduled for removal in CodeIgniter 3.1+. Pagination library 'anchor_class' setting @@ -320,7 +320,7 @@ attribute to your anchors via the 'attributes' configuration setting. This inclu As a result of that, the 'anchor_class' setting is now deprecated and scheduled for removal in CodeIgniter 3.1+. -.. note:: This setting is still available, but you're strongly encouraged to remove its' usage sooner +.. note:: This setting is still available, but you're strongly encouraged to remove its usage sooner rather than later. String helper random_string() types 'unique' and 'encrypt' From 92b8246ef31aa139925d3422838454e9f39f9351 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Tue, 19 Feb 2013 03:22:05 +0100 Subject: [PATCH 0575/3829] Add an upgrade note about change in the results of Directory Helper's directory_map() see issue #1978 --- .../source/installation/upgrade_300.rst | 15 +++++++++++---- 1 file changed, 11 insertions(+), 4 deletions(-) diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index 41bac0146ab..02841ab6e92 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -136,8 +136,15 @@ Step 10: Check the calls to Array Helper's element() and elements() functions The default return value of these functions, when the required elements don't exist, has been changed from FALSE to NULL. +*********************************************************************** +Step 11: Check the calls to Directory Helper's directory_map() function +*********************************************************************** + +In the resulting array, directories now end with a trailing directory +separator (i.e. a slash, usually). + ************************************************************* -Step 11: Update usage of Database Forge's drop_table() method +Step 12: Update usage of Database Forge's drop_table() method ************************************************************* Up until now, ``drop_table()`` added an IF EXISTS clause by default or it didn't work @@ -159,7 +166,7 @@ If your application relies on IF EXISTS, you'll have to change its usage. all drivers with the exception of ODBC. *********************************************************** -Step 12: Change usage of Email library with multiple emails +Step 13: Change usage of Email library with multiple emails *********************************************************** The :doc:`Email Library <../libraries/email>` will automatically clear the @@ -174,7 +181,7 @@ pass FALSE as the first parameter in the ``send()`` method: } *************************************************** -Step 13: Update your Form_validation language lines +Step 14: Update your Form_validation language lines *************************************************** Two improvements have been made to the :doc:`Form Validation Library @@ -205,7 +212,7 @@ files and error messages format: later. **************************************************************** -Step 14: Remove usage of (previously) deprecated functionalities +Step 15: Remove usage of (previously) deprecated functionalities **************************************************************** In addition to the ``$autoload['core']`` configuration setting, there's a From e1d5a7a0a6078d0edb0b9ac6e5d60a4c746ae365 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 19 Feb 2013 13:38:43 +0200 Subject: [PATCH 0576/3829] Fix form_upload() test --- tests/codeigniter/helpers/form_helper_test.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tests/codeigniter/helpers/form_helper_test.php b/tests/codeigniter/helpers/form_helper_test.php index 89165271e7f..e234f9c8340 100644 --- a/tests/codeigniter/helpers/form_helper_test.php +++ b/tests/codeigniter/helpers/form_helper_test.php @@ -58,7 +58,7 @@ public function test_form_password() public function test_form_upload() { $expected = << + EOH; From dc5c5a371aeab5af6440c0c39a4501405636b826 Mon Sep 17 00:00:00 2001 From: David Barratt Date: Tue, 19 Feb 2013 07:18:30 -0500 Subject: [PATCH 0577/3829] Revert "Revert all changes to see if travis just doesn't like me." This reverts commit eb5991ccd0686d15615bff3a730a641889063943. --- .travis.yml | 3 +-- composer.json | 7 ++++--- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/.travis.yml b/.travis.yml index 070b23c8ac3..3b2f6bd5774 100644 --- a/.travis.yml +++ b/.travis.yml @@ -14,8 +14,7 @@ env: - DB=pdo/sqlite before_script: - - curl -s http://getcomposer.org/installer | php - - php composer.phar install + - composer install --dev - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'DROP DATABASE IF EXISTS ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'create database ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'mysql' ] || [ '$DB' = 'mysqli' ] || [ '$DB' = 'pdo/mysql' ]; then mysql -e 'create database IF NOT EXISTS ci_test;'; fi" diff --git a/composer.json b/composer.json index 7d60020c3ac..e21aaed2edf 100644 --- a/composer.json +++ b/composer.json @@ -1,8 +1,9 @@ { + "name" : "ellislab/codeigniter", "require": { - "mikey179/vfsStream": "*" + "php": ">=5.2.4" }, "require-dev": { - "phpunit/phpunit": "*" - } + "mikey179/vfsStream": "*" + } } \ No newline at end of file From b63f07a6b9d26fe55dd65d09e0de584629b7e8bc Mon Sep 17 00:00:00 2001 From: David Barratt Date: Tue, 19 Feb 2013 07:19:44 -0500 Subject: [PATCH 0578/3829] Set the --no-progress option for travis composer install command --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 3b2f6bd5774..ab0aa5616c6 100644 --- a/.travis.yml +++ b/.travis.yml @@ -14,7 +14,7 @@ env: - DB=pdo/sqlite before_script: - - composer install --dev + - composer install --dev --no-progress - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'DROP DATABASE IF EXISTS ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'create database ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'mysql' ] || [ '$DB' = 'mysqli' ] || [ '$DB' = 'pdo/mysql' ]; then mysql -e 'create database IF NOT EXISTS ci_test;'; fi" From 6bb98903662ed2870d1d46c492106fec3be1ca6f Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Tue, 19 Feb 2013 18:11:14 +0530 Subject: [PATCH 0579/3829] Fixed the issue with bcc_batch_mode and subject --- system/libraries/Email.php | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 1bf1da15ef6..0319ac5e7a3 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1205,8 +1205,11 @@ protected function _write_headers() { if ($this->protocol === 'mail') { - $this->_subject = $this->_headers['Subject']; - unset($this->_headers['Subject']); + if (isset($this->_headers['Subject'])) + { + $this->_subject = $this->_headers['Subject']; + unset($this->_headers['Subject']); + } } reset($this->_headers); From 32c1e626d51517418acbecadde9a83d67517e0a8 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Tue, 19 Feb 2013 18:13:01 +0530 Subject: [PATCH 0580/3829] Updated changelog --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4e55182e545..a5f560564d9 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -487,6 +487,7 @@ Bug fixes for 3.0 - Fixed a bug (#73) - :doc:`Security Library ` method ``sanitize_filename()`` could be tricked by an XSS attack. - Fixed a bug (#2211) - :doc:`Migration Library ` extensions couldn't execute ``CI_Migration::__construct()``. - Fixed a bug (#2255) where ``smtp_timeout`` was not being applied to read and writes for the socket. +- Fixed a bug (#2239) of missing subject when using ``bcc_batch_mode``. Version 2.1.3 ============= From a1ff8b3c0ed9d5315cd4c22e5878d057204d9378 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 19 Feb 2013 15:08:31 +0200 Subject: [PATCH 0581/3829] [ci skip] Fix some changelog entries --- user_guide_src/source/changelog.rst | 27 +++++++++++++-------------- 1 file changed, 13 insertions(+), 14 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index a5f560564d9..37bd2036aed 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -60,12 +60,12 @@ Release Date: Not Released - Helpers - :doc:`Date Helper ` changes include: - - ``now()`` now works with all timezone strings supported by PHP. - - Added an optional third parameter to ``timespan()`` that constrains the number of time units displayed. - - Added an optional parameter to ``timezone_menu()`` that allows more attributes to be added to the generated select tag. + - :php:func:`now()` now works with all timezone strings supported by PHP. + - Added an optional third parameter to :php:func:`timespan()` that constrains the number of time units displayed. + - Added an optional parameter to :php:func:`timezone_menu()` that allows more attributes to be added to the generated select tag. - Deprecated ``standard_date()``, which now just uses the native ``date()`` with `DateTime constants `_. - - Added function ``date_range()`` that generates a list of dates between a specified period. - - ``create_captcha()`` accepts additional colors parameter, allowing for color customization. + - Added function :php:func:`date_range()` that generates a list of dates between a specified period. + - :doc:`Captcha Helper ` :php:func:`create_captcha()` now accepts additional colors parameter, allowing for color customization. - :doc:`URL Helper ` changes include: - Deprecated *separator* options **dash** and **underscore** for function :php:func:`url_title()` (they are only aliases for '-' and '_' respectively). - :php:func:`url_title()` will now trim extra dashes from beginning and end. @@ -340,16 +340,15 @@ Bug fixes for 3.0 - Fixed a bug where ``unlink()`` raised an error if cache file did not exist when you try to delete it. - Fixed a bug (#181) where a mis-spelling was in the form validation language file. -- Fixed a bug (#159, #163) that mishandled Query Builder nested transactions because _trans_depth was not getting incremented. +- Fixed a bug (#159, #163) - :doc:`Query Builder ` nested transactions didn't work properly due to ``_trans_depth`` not being incremented. - Fixed a bug (#737, #75) - :doc:`Pagination ` anchor class was not set properly when using initialize method. -- Fixed a bug (#419) - ``auto_link()`` now recognizes URLs that come after a word boundary. +- Fixed a bug (#419) - :php:func:`auto_link()` didn't recognize URLs that come after a word boundary. - Fixed a bug (#724) - :doc:`Form Validation Library ` rule **is_unique** didn't check if a database connection exists. - Fixed a bug (#647) - :doc:`Zip Library ` internal method ``_get_mod_time()`` didn't suppress possible "stat failed" errors generated by ``filemtime()``. -- Fixed a bug (#608) - Fixes an issue with the Image_lib class not clearing properties completely. -- Fixed a bug (#157, #174) - the Image_lib clear() function now resets all variables to their default values. -- Fixed a bug where using $this->dbforge->create_table() with PostgreSQL database could lead to fetching whole table. -- Fixed a bug (#795) - Fixed form method and accept-charset when passing an empty array. -- Fixed a bug (#797) - timespan() was using incorrect seconds for year and month. +- Fixed a bug (#157, #174) - :doc:`Image Manipulation Library ` method ``clear()`` didn't completely clear properties. +- Fixed a bug where :doc:`Database Forge ` method ``create_table()`` with PostgreSQL database could lead to fetching the whole table. +- Fixed a bug (#795) - :doc:`Form Helper ` :php:func:`form_open()` didn't add the default form *method* and *accept-charset* when an empty array is passed to it. +- Fixed a bug (#797) - :php:func:`timespan()` was using incorrect seconds for year and month. - Fixed a bug in CI_Cart::contents() where if called without a TRUE (or equal) parameter, it would fail due to a typo. - Fixed a bug (#696) - make oci_execute() calls inside num_rows() non-committing, since they are only there to reset which row is next in line for oci_fetch calls and thus don't need to be committed. - Fixed a bug (#406) - SQLSRV DB driver not returning resource on ``db_pconnect()``. @@ -486,8 +485,8 @@ Bug fixes for 3.0 - Fixed a bug - :doc:`DB result ` method ``list_fields()`` didn't reset its field pointer for the *mysql*, *mysqli* and *mssql* drivers. - Fixed a bug (#73) - :doc:`Security Library ` method ``sanitize_filename()`` could be tricked by an XSS attack. - Fixed a bug (#2211) - :doc:`Migration Library ` extensions couldn't execute ``CI_Migration::__construct()``. -- Fixed a bug (#2255) where ``smtp_timeout`` was not being applied to read and writes for the socket. -- Fixed a bug (#2239) of missing subject when using ``bcc_batch_mode``. +- Fixed a bug (#2255) - :doc:`Email Library ` didn't apply ``smtp_timeout``to socket reads and writes. +- Fixed a bug (#2239) - :doc:`Email Library ` improperly handled the Subject when used with ``bcc_batch_mode`` resulting in E_WARNING messages and an empty Subject. Version 2.1.3 ============= From 07a59548c0761c5ac4562019d13913f2b82c6018 Mon Sep 17 00:00:00 2001 From: Dionysis Arvanitis Date: Tue, 19 Feb 2013 22:31:05 +0200 Subject: [PATCH 0582/3829] Set transaction enabled flag default to TRUE --- system/database/drivers/pdo/pdo_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index 34adf0f861f..ffbafea6b5c 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -53,7 +53,7 @@ class CI_DB_pdo_driver extends CI_DB { * * @var bool */ - public $trans_enabled = FALSE; + public $trans_enabled = TRUE; /** * PDO Options From 635ced168ce1ce7a91cfef782a1a3c37789f8930 Mon Sep 17 00:00:00 2001 From: Dionysis Arvanitis Date: Tue, 19 Feb 2013 23:11:34 +0200 Subject: [PATCH 0583/3829] DB_driver's trans_complete exception fix --- system/database/DB_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 35ac8e87049..05abd864ba7 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -625,7 +625,7 @@ public function query($sql, $binds = FALSE, $return_object = NULL) // if transactions are enabled. If we don't call this here // the error message will trigger an exit, causing the // transactions to remain in limbo. - $this->trans_complete(); + $this->_trans_depth > 0 && $this->trans_complete(); // Display errors return $this->display_error(array('Error Number: '.$error['code'], $error['message'], $sql)); From f8e2d0ed10018f81db5814d421dbafbe6d0834e4 Mon Sep 17 00:00:00 2001 From: Dionysis Arvanitis Date: Tue, 19 Feb 2013 23:27:16 +0200 Subject: [PATCH 0584/3829] Issue #2086 Session_cookie's _update_db not guaranteed to update --- system/libraries/Session/drivers/Session_cookie.php | 3 +++ 1 file changed, 3 insertions(+) diff --git a/system/libraries/Session/drivers/Session_cookie.php b/system/libraries/Session/drivers/Session_cookie.php index 11bb32fe07c..057e5a1d1c5 100644 --- a/system/libraries/Session/drivers/Session_cookie.php +++ b/system/libraries/Session/drivers/Session_cookie.php @@ -602,6 +602,9 @@ public function _update_db() $set['user_data'] = $this->_serialize($userdata); } + // Reset query builder values. + $this->CI->db->reset_query(); + // Run the update query // Any time we change the session id, it gets updated immediately, // so our where clause below is always safe From 95da6e75c41bcef079215972efa4a0734be7e8c4 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 20 Feb 2013 12:38:44 +0200 Subject: [PATCH 0585/3829] Remove CI_DB_pdo_driver:: Improving on PR #2265, the property is inherited with the same value and doesn't need to be set. --- system/database/drivers/pdo/pdo_driver.php | 7 ------- 1 file changed, 7 deletions(-) diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index ffbafea6b5c..fa89661b196 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -48,13 +48,6 @@ class CI_DB_pdo_driver extends CI_DB { */ public $dbdriver = 'pdo'; - /** - * Transaction enabled flag - * - * @var bool - */ - public $trans_enabled = TRUE; - /** * PDO Options * From 4796cebc4a2c2028134bd59257ddce4f1387c8ff Mon Sep 17 00:00:00 2001 From: Kevin Smith Date: Wed, 20 Feb 2013 14:20:54 -0600 Subject: [PATCH 0586/3829] Update user_guide_src/source/tutorial/news_section.rst Clarified a part of the tutorial so it's obvious the code should be replaced/update rather than added. --- user_guide_src/source/tutorial/news_section.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/tutorial/news_section.rst b/user_guide_src/source/tutorial/news_section.rst index 833e34ead7f..d7754e9f3a3 100644 --- a/user_guide_src/source/tutorial/news_section.rst +++ b/user_guide_src/source/tutorial/news_section.rst @@ -162,7 +162,7 @@ The news overview page is now done, but a page to display individual news items is still absent. The model created earlier is made in such way that it can easily be used for this functionality. You only need to add some code to the controller and create a new view. Go back to the -news controller and add the following lines to the file. +news controller and update ``view()`` with the following: :: @@ -211,4 +211,4 @@ a slug to the view method in the news controller. $route['default_controller'] = 'pages/view'; Point your browser to your document root, followed by index.php/news and -watch your news page. \ No newline at end of file +watch your news page. From 5e227994581f2325b4d10e90da6dadb113a4cde1 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Thu, 21 Feb 2013 13:09:29 +0530 Subject: [PATCH 0587/3829] Fix for issue #2236 --- system/helpers/form_helper.php | 33 +++++++++++++++++++++++----- system/libraries/Form_validation.php | 15 +++++++++++++ user_guide_src/source/changelog.rst | 4 +++- 3 files changed, 46 insertions(+), 6 deletions(-) diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index d6e3e85fa12..200da8ac588 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -642,14 +642,37 @@ function form_prep($str = '', $is_textarea = FALSE) */ function set_value($field = '', $default = '', $is_textarea = FALSE) { - if (FALSE === ($OBJ =& _get_validation_object())) + if (FALSE !== ($OBJ =& _get_validation_object()) && $OBJ->has_rule($field)) { - return isset($_POST[$field]) - ? form_prep($_POST[$field], $is_textarea) - : form_prep($default, $is_textarea); + return form_prep($OBJ->set_value($field, $default), $is_textarea); + } + + // We couldn't find the $field in validator, so try in $_POST array + $index = $field; + $container = $_POST; + + // Test if the $field is an array name, and try to obtain the final index + if (preg_match_all('/\[(.*?)\]/', $field, $matches)) + { + sscanf($field, '%[^[][', $index); + for ($i = 0, $c = count($matches[0]); $i < $c; $i++) + { + if (isset($container[$index]) && $matches[1][$i] !== '') + { + $container = $container[$index]; + $index = $matches[1][$i]; + } + else + { + $container = array(); + break; + } + } } - return form_prep($OBJ->set_value($field, $default), $is_textarea); + return isset($container[$index]) + ? form_prep($container[$index], $is_textarea) + : form_prep($default, $is_textarea); } } diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 172e799f647..1ed50844cf0 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -835,6 +835,21 @@ protected function _build_error_msg($line, $field = '', $param = '') // -------------------------------------------------------------------- + /** + * Checks if the rule is present within the validator + * + * Permits you to check if a rule is present within the validator + * + * @param string the field name + * @return bool + */ + public function has_rule($field) + { + return isset($this->_field_data[$field]); + } + + // -------------------------------------------------------------------- + /** * Get the value from a form * diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index a5f560564d9..2c2da6aaaf9 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -244,6 +244,7 @@ Release Date: Not Released - Added support for named parameters in error messages. - :doc:`Language ` line keys must now be prefixed with **form_validation_**. - Added rule **alpha_numeric_spaces**. + - Added method ``has_rule()`` to determine if a rule exists. - Added support for setting :doc:`Table ` class defaults in a config file. - :doc:`Caching Library ` changes include: - Added Wincache driver. @@ -463,7 +464,7 @@ Bug fixes for 3.0 - Fixed a bug (#1255) - :doc:`User Agent Library ` method ``is_referral()`` only checked if ``$_SERVER['HTTP_REFERER']`` exists. - Fixed a bug (#1146) - :doc:`Download Helper ` function ``force_download()`` incorrectly sent *Cache-Control* directives *pre-check* and *post-check* to Internet Explorer. - Fixed a bug (#1811) - :doc:`URI Library ` didn't properly cache segments for ``uri_to_assoc()`` and ``ruri_to_assoc()``. -- Fixed a bug (#1506) - :doc:`Form Helpers ` set empty *name* attributes. +- Fixed a bug (#1506) - :doc:`Form Helper ` set empty *name* attributes. - Fixed a bug (#59) - :doc:`Query Builder ` method ``count_all_results()`` ignored the DISTINCT clause. - Fixed a bug (#1624) - :doc:`Form Validation Library ` rule **matches** didn't property handle array field names. - Fixed a bug (#1630) - :doc:`Form Helper ` function ``set_value()`` didn't escape HTML entities. @@ -488,6 +489,7 @@ Bug fixes for 3.0 - Fixed a bug (#2211) - :doc:`Migration Library ` extensions couldn't execute ``CI_Migration::__construct()``. - Fixed a bug (#2255) where ``smtp_timeout`` was not being applied to read and writes for the socket. - Fixed a bug (#2239) of missing subject when using ``bcc_batch_mode``. +- Fixed a bug (#2236) - :doc:`Form Helper ` incorrectly determined the value to return in method ``set_value()``. Version 2.1.3 ============= From e84c0144bbd15094cc19716222b691ed3a27d2e4 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 21 Feb 2013 15:28:13 +0200 Subject: [PATCH 0588/3829] Fix Session tests --- tests/mocks/libraries/session.php | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/tests/mocks/libraries/session.php b/tests/mocks/libraries/session.php index 562033bbffb..adbecb32970 100644 --- a/tests/mocks/libraries/session.php +++ b/tests/mocks/libraries/session.php @@ -33,4 +33,6 @@ protected function _setcookie($name, $value = '', $expire = 0, $path = '', $doma $_COOKIE[$name] = $value; } } -} \ No newline at end of file +} + +class Mock_Libraries_Session_native extends CI_Session_native {} \ No newline at end of file From 73cf876a65aa24c1dd4e25dd323f83a11bad3fbe Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 21 Feb 2013 15:36:13 +0200 Subject: [PATCH 0589/3829] [ci skip] Remove a changelog line for a non-existent change --- user_guide_src/source/changelog.rst | 1 - 1 file changed, 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 37bd2036aed..1b6cff10ef2 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -65,7 +65,6 @@ Release Date: Not Released - Added an optional parameter to :php:func:`timezone_menu()` that allows more attributes to be added to the generated select tag. - Deprecated ``standard_date()``, which now just uses the native ``date()`` with `DateTime constants `_. - Added function :php:func:`date_range()` that generates a list of dates between a specified period. - - :doc:`Captcha Helper ` :php:func:`create_captcha()` now accepts additional colors parameter, allowing for color customization. - :doc:`URL Helper ` changes include: - Deprecated *separator* options **dash** and **underscore** for function :php:func:`url_title()` (they are only aliases for '-' and '_' respectively). - :php:func:`url_title()` will now trim extra dashes from beginning and end. From 3e01437a5b23d9ffdf1b1cc9fc0a0f8b66551342 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 21 Feb 2013 15:59:34 +0200 Subject: [PATCH 0590/3829] Manually apply PR #2234 --- system/database/DB_query_builder.php | 1 + user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index c7bc4a6993f..85a233b505f 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -2627,6 +2627,7 @@ protected function _reset_write() $this->_reset_run(array( 'qb_set' => array(), 'qb_from' => array(), + 'qb_join' => array(), 'qb_where' => array(), 'qb_orderby' => array(), 'qb_keys' => array(), diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1b6cff10ef2..216bf80bc2e 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -486,6 +486,7 @@ Bug fixes for 3.0 - Fixed a bug (#2211) - :doc:`Migration Library ` extensions couldn't execute ``CI_Migration::__construct()``. - Fixed a bug (#2255) - :doc:`Email Library ` didn't apply ``smtp_timeout``to socket reads and writes. - Fixed a bug (#2239) - :doc:`Email Library ` improperly handled the Subject when used with ``bcc_batch_mode`` resulting in E_WARNING messages and an empty Subject. +- Fixed a bug (#2234) - :doc:`Query Builder ` didn't reset JOIN cache for write-type queries. Version 2.1.3 ============= From 49e68de96b420a444c826995746a5f09470e76d9 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 21 Feb 2013 16:30:55 +0200 Subject: [PATCH 0591/3829] Disable autoloader call from class_exists() occurences to improve performance Note: The Driver libary tests seem to depend on that, so one occurence in CI_Loader is left until we resolve that. --- system/core/CodeIgniter.php | 6 +++--- system/core/Common.php | 4 ++-- system/core/Hooks.php | 2 +- system/core/Loader.php | 10 +++++----- system/core/Output.php | 2 +- system/database/DB.php | 4 ++-- system/database/DB_driver.php | 4 ++-- system/libraries/Cache/drivers/Cache_memcached.php | 4 ++-- system/libraries/Migration.php | 2 +- system/libraries/Xmlrpcs.php | 2 +- 10 files changed, 20 insertions(+), 20 deletions(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index cb4b735d521..7f76977b582 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -263,7 +263,7 @@ function &get_instance() $class = $RTR->fetch_class(); $method = $RTR->fetch_method(); - if ( ! class_exists($class) OR $method[0] === '_' OR method_exists('CI_Controller', $method)) + if ( ! class_exists($class, FALSE) OR $method[0] === '_' OR method_exists('CI_Controller', $method)) { if ( ! empty($RTR->routes['404_override'])) { @@ -272,7 +272,7 @@ function &get_instance() $method = 'index'; } - if ( ! class_exists($class)) + if ( ! class_exists($class, FALSE)) { if ( ! file_exists(APPPATH.'controllers/'.$class.'.php')) { @@ -310,7 +310,7 @@ function &get_instance() $method = 'index'; } - if ( ! class_exists($class)) + if ( ! class_exists($class, FALSE)) { if ( ! file_exists(APPPATH.'controllers/'.$class.'.php')) { diff --git a/system/core/Common.php b/system/core/Common.php index f8c1290f5d9..ee9bb2e875a 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -149,7 +149,7 @@ function &load_class($class, $directory = 'libraries', $prefix = 'CI_') { $name = $prefix.$class; - if (class_exists($name) === FALSE) + if (class_exists($name, FALSE) === FALSE) { require_once($path.$directory.'/'.$class.'.php'); } @@ -163,7 +163,7 @@ function &load_class($class, $directory = 'libraries', $prefix = 'CI_') { $name = config_item('subclass_prefix').$class; - if (class_exists($name) === FALSE) + if (class_exists($name, FALSE) === FALSE) { require_once(APPPATH.$directory.'/'.config_item('subclass_prefix').$class.'.php'); } diff --git a/system/core/Hooks.php b/system/core/Hooks.php index 17f6a027e89..b3b11199165 100644 --- a/system/core/Hooks.php +++ b/system/core/Hooks.php @@ -195,7 +195,7 @@ protected function _run_hook($data) // Call the requested class and/or function if ($class !== FALSE) { - if ( ! class_exists($class)) + if ( ! class_exists($class, FALSE)) { require($filepath); } diff --git a/system/core/Loader.php b/system/core/Loader.php index 9306a09efcc..6e5b58ba772 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -270,7 +270,7 @@ public function model($model, $name = '', $db_conn = FALSE) continue; } - if ($db_conn !== FALSE && ! class_exists('CI_DB')) + if ($db_conn !== FALSE && ! class_exists('CI_DB', FALSE)) { if ($db_conn === TRUE) { @@ -280,7 +280,7 @@ public function model($model, $name = '', $db_conn = FALSE) $CI->load->database($db_conn, FALSE, TRUE); } - if ( ! class_exists('CI_Model')) + if ( ! class_exists('CI_Model', FALSE)) { load_class('Model', 'core'); } @@ -1091,11 +1091,11 @@ protected function _ci_init_class($class, $prefix = '', $config = FALSE, $object if ($prefix === '') { - if (class_exists('CI_'.$class)) + if (class_exists('CI_'.$class, FALSE)) { $name = 'CI_'.$class; } - elseif (class_exists(config_item('subclass_prefix').$class)) + elseif (class_exists(config_item('subclass_prefix').$class, FALSE)) { $name = config_item('subclass_prefix').$class; } @@ -1110,7 +1110,7 @@ protected function _ci_init_class($class, $prefix = '', $config = FALSE, $object } // Is the class name valid? - if ( ! class_exists($name)) + if ( ! class_exists($name, FALSE)) { log_message('error', 'Non-existent class: '.$name); show_error('Non-existent class: '.$name); diff --git a/system/core/Output.php b/system/core/Output.php index a2084146329..25ecd496c6e 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -395,7 +395,7 @@ public function _display($output = '') global $BM, $CFG; // Grab the super object if we can. - if (class_exists('CI_Controller')) + if (class_exists('CI_Controller', FALSE)) { $CI =& get_instance(); } diff --git a/system/database/DB.php b/system/database/DB.php index d9104747f39..83d97330486 100644 --- a/system/database/DB.php +++ b/system/database/DB.php @@ -149,7 +149,7 @@ function &DB($params = '', $query_builder_override = NULL) if ( ! isset($query_builder) OR $query_builder === TRUE) { require_once(BASEPATH.'database/DB_query_builder.php'); - if ( ! class_exists('CI_DB')) + if ( ! class_exists('CI_DB', FALSE)) { /** * CI_DB @@ -162,7 +162,7 @@ function &DB($params = '', $query_builder_override = NULL) class CI_DB extends CI_DB_query_builder { } } } - elseif ( ! class_exists('CI_DB')) + elseif ( ! class_exists('CI_DB', FALSE)) { /** * @ignore diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 35ac8e87049..213e2c3a872 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -704,7 +704,7 @@ public function load_rdriver() { $driver = 'CI_DB_'.$this->dbdriver.'_result'; - if ( ! class_exists($driver)) + if ( ! class_exists($driver, FALSE)) { include_once(BASEPATH.'database/DB_result.php'); include_once(BASEPATH.'database/drivers/'.$this->dbdriver.'/'.$this->dbdriver.'_result.php'); @@ -1560,7 +1560,7 @@ public function cache_delete_all() */ protected function _cache_init() { - if (class_exists('CI_DB_Cache')) + if (class_exists('CI_DB_Cache', FALSE)) { if (is_object($this->CACHE)) { diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index 8096b2650de..246a7a264f2 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -182,11 +182,11 @@ protected function _setup_memcached() } } - if (class_exists('Memcached')) + if (class_exists('Memcached', FALSE)) { $this->_memcached = new Memcached(); } - elseif (class_exists('Memcache')) + elseif (class_exists('Memcache', FALSE)) { $this->_memcached = new Memcache(); } diff --git a/system/libraries/Migration.php b/system/libraries/Migration.php index b673e9cb7d5..cc6fe48f0d2 100644 --- a/system/libraries/Migration.php +++ b/system/libraries/Migration.php @@ -228,7 +228,7 @@ public function version($target_version) $class = 'Migration_'.ucfirst(strtolower($this->_get_migration_name(basename($file, '.php')))); // Validate the migration file structure - if ( ! class_exists($class)) + if ( ! class_exists($class, FALSE)) { $this->_error_string = sprintf($this->lang->line('migration_class_doesnt_exist'), $class); return FALSE; diff --git a/system/libraries/Xmlrpcs.php b/system/libraries/Xmlrpcs.php index d4524d23002..d263d789d71 100644 --- a/system/libraries/Xmlrpcs.php +++ b/system/libraries/Xmlrpcs.php @@ -31,7 +31,7 @@ show_error('Your PHP installation does not support XML'); } -if ( ! class_exists('CI_Xmlrpc')) +if ( ! class_exists('CI_Xmlrpc', FALSE)) { show_error('You must load the Xmlrpc class before loading the Xmlrpcs class in order to create a server.'); } From 8cf596b5eabe431572ec1c4f21b9c32101feb22f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 21 Feb 2013 16:44:12 +0200 Subject: [PATCH 0592/3829] DB_result tests seem to also depend on autoloading via the class_exists() checks ... --- system/database/DB_driver.php | 2 +- tests/mocks/database/ci_test.sqlite | Bin 19456 -> 19456 bytes 2 files changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 213e2c3a872..f03f56c85e4 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -704,7 +704,7 @@ public function load_rdriver() { $driver = 'CI_DB_'.$this->dbdriver.'_result'; - if ( ! class_exists($driver, FALSE)) + if ( ! class_exists($driver)) { include_once(BASEPATH.'database/DB_result.php'); include_once(BASEPATH.'database/drivers/'.$this->dbdriver.'/'.$this->dbdriver.'_result.php'); diff --git a/tests/mocks/database/ci_test.sqlite b/tests/mocks/database/ci_test.sqlite index 44dcef9ec5e46b649f8cce366f04e18163a5177e..574d3ae53bc94a4bb6613507a2cc96971a611fa7 100755 GIT binary patch delta 113 zcmZpe!Pqc^ae@?+BiBS3CpJee2Hi)h8&ekWb1^f|WMF>4e1v)C=0J{aW^GMo7DjDz z=Hi0HKM1%;CGd<7txQIwj>2^5`tMA!kS{~ZJKFXk`I?=}mH PJYe4ZPFsj)k%|TYR|O*c delta 77 zcmZpe!Pqc^ae@?+O~XVPCpMb~2Hi(88&ekWb1*R Date: Thu, 21 Feb 2013 10:36:31 -0500 Subject: [PATCH 0593/3829] Fix #2273 --- user_guide_src/source/libraries/migration.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/migration.rst b/user_guide_src/source/libraries/migration.rst index 9a7b10d642b..b734f5c34e4 100644 --- a/user_guide_src/source/libraries/migration.rst +++ b/user_guide_src/source/libraries/migration.rst @@ -10,7 +10,7 @@ need to be run against the production machines next time you deploy. The database table **migration** tracks which migrations have already been run so all you have to do is update your application files and -call **$this->migrate->current()** to work out which migrations should be run. +call **$this->migration->current()** to work out which migrations should be run. The current version is found in **config/migration.php**. ******************** From 452b668d4edda5ae04c16f494bffe09114afc3ba Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 21 Feb 2013 19:05:52 +0200 Subject: [PATCH 0594/3829] Add CI_Utf8::convert_to_utf8() test --- tests/codeigniter/core/Utf8_test.php | 20 ++++++++++++++++++++ 1 file changed, 20 insertions(+) create mode 100644 tests/codeigniter/core/Utf8_test.php diff --git a/tests/codeigniter/core/Utf8_test.php b/tests/codeigniter/core/Utf8_test.php new file mode 100644 index 00000000000..caa7b69861e --- /dev/null +++ b/tests/codeigniter/core/Utf8_test.php @@ -0,0 +1,20 @@ +utf8 = new Mock_Core_Utf8(); + } + + // -------------------------------------------------------------------- + + public function test_convert_to_utf8() + { + $this->assertEquals( + $this->utf8->convert_to_utf8('����', 'WINDOWS-1251'), + 'тест' + ); + } + +} \ No newline at end of file From b3a5d6e8ad90644760890182a43ed81a23b86efe Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 21 Feb 2013 22:03:23 +0200 Subject: [PATCH 0595/3829] Some miscellaneous tests --- tests/codeigniter/core/Input_test.php | 25 ++++++++++++++++++++++++- 1 file changed, 24 insertions(+), 1 deletion(-) diff --git a/tests/codeigniter/core/Input_test.php b/tests/codeigniter/core/Input_test.php index ca1c6dfd7cc..5cf25fefa64 100644 --- a/tests/codeigniter/core/Input_test.php +++ b/tests/codeigniter/core/Input_test.php @@ -95,8 +95,8 @@ public function test_get_post() public function test_cookie() { $_COOKIE['foo'] = 'bar'; - $this->assertEquals('bar', $this->input->cookie('foo')); + $this->assertNull($this->input->cookie('bar')); } // -------------------------------------------------------------------- @@ -138,4 +138,27 @@ public function test_valid_ip() } } + // -------------------------------------------------------------------- + + public function test_method() + { + $_SERVER['REQUEST_METHOD'] = 'GET'; + $this->assertEquals('get', $this->input->method()); + $this->assertEquals('GET', $this->input->method(TRUE)); + $_SERVER['REQUEST_METHOD'] = 'POST'; + $this->assertEquals('post', $this->input->method()); + $this->assertEquals('POST', $this->input->method(TRUE)); + } + + // -------------------------------------------------------------------- + + public function test_is_ajax_request() + { + $this->assertFalse($this->input->is_ajax_request()); + $_SERVER['HTTP_X_REQUESTED_WITH'] = 'test'; + $this->assertFalse($this->input->is_ajax_request()); + $_SERVER['HTTP_X_REQUESTED_WITH'] = 'XMLHttpRequest'; + $this->assertTrue($this->input->is_ajax_request()); + } + } \ No newline at end of file From eb291c1d1e1116a4420fa30e587adeea0451eeb7 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 21 Feb 2013 22:22:51 +0200 Subject: [PATCH 0596/3829] CI_Output [set/append/get]_output() tests --- tests/codeigniter/core/Output_test.php | 35 ++++++++++++++++++++++++++ 1 file changed, 35 insertions(+) diff --git a/tests/codeigniter/core/Output_test.php b/tests/codeigniter/core/Output_test.php index 728df3bf6c4..0eeb93f7b17 100644 --- a/tests/codeigniter/core/Output_test.php +++ b/tests/codeigniter/core/Output_test.php @@ -3,6 +3,16 @@ class Output_test extends CI_TestCase { public $output; + protected $_output_data = << + + Basic HTML + + + Test + + +HTML; public function set_up() { @@ -13,6 +23,31 @@ public function set_up() // -------------------------------------------------------------------- + public function test_set_get_append_output() + { + $append = "\n"; + + $this->assertEquals( + $this->_output_data.$append, + $this->output + ->set_output($this->_output_data) + ->append_output("\n") + ->get_output() + ); + } + + // -------------------------------------------------------------------- + + public function test_minify() + { + $this->assertEquals( + str_replace(array("\t", "\n"), '', $this->_output_data), + $this->output->minify($this->_output_data) + ); + } + + // -------------------------------------------------------------------- + public function test_get_content_type() { $this->assertEquals('text/html', $this->output->get_content_type()); From 3b5b7f48848d098c6190781f8790a1b0dcb0217c Mon Sep 17 00:00:00 2001 From: Daniel Hunsaker Date: Fri, 22 Feb 2013 19:17:56 -0700 Subject: [PATCH 0597/3829] Updated exit codes as constant values Re-allocated exit status codes according to three references, which follow: BSD sysexits.h:http://www.gsp.com/cgi-bin/man.cgi?section=3&topic=sysexits GNU recomendations:http://www.gnu.org/software/libc/manual/html_node/Exit-Status.html Bash scripting:http://tldp.org/LDP/abs/html/exitcodes.html The GNU recommendations stem from and expand upon the standard C/C++ library (stdlibc) definitions, while also suggesting some best-practice conventions which happen to prevent exit status code collisions with bash, and probably other shells. The re-allocated codes are now mapped to constant values, set in *application/config/constants.php*, and used throughout the CodeIgniter core. They would additionally be used in *index.php*, but the constants file hasn't been loaded at that point, so the integer values are used instead, and a comment follows each such use with amplifying information on why that particular value was selected. Finally, the errors documentation has been updated accordingly. Signed-off-by: Daniel Hunsaker --- application/config/constants.php | 110 +++++++++++++++++++++++ index.php | 12 ++- system/core/CodeIgniter.php | 2 +- system/core/Common.php | 16 ++-- system/core/Exceptions.php | 2 +- system/core/Input.php | 2 +- system/core/Output.php | 2 +- system/database/DB_driver.php | 2 +- system/helpers/download_helper.php | 4 +- system/helpers/url_helper.php | 2 +- system/libraries/Driver.php | 2 +- system/libraries/Trackback.php | 4 +- system/libraries/Xmlrpcs.php | 2 +- user_guide_src/source/general/errors.rst | 21 ++++- 14 files changed, 158 insertions(+), 25 deletions(-) diff --git a/application/config/constants.php b/application/config/constants.php index 58264ed5a2b..32a71595212 100644 --- a/application/config/constants.php +++ b/application/config/constants.php @@ -73,6 +73,116 @@ */ define('SHOW_DEBUG_BACKTRACE', TRUE); +/* +|-------------------------------------------------------------------------- +| Exit Status Codes +|-------------------------------------------------------------------------- +| +| Used to indicate the conditions under which the script is exit()ing. +| While there is no universal standard for error codes, there are some +| broad conventions. Three such conventions are presented below, for +| those who wish to make use of them. The CodeIgniter defaults were +| chosen for the least overlap with these conventions, while still +| leaving room for others to be defined in future versions and user +| applications. The CodeIgniter values are defined last so you can +| set them to values used by any of the other conventions, and do so +| by name instead of value. +| +*/ + +/* + * standard C/C++ library (stdlibc): + */ +/* +define('LIBC_EXIT_SUCCESS', 0); +define('LIBC_EXIT_FAILURE', 1); // generic errors +*/ + +/* + * BSD sysexits.h + */ +/* +define('SYS_EX_OK', 0); // successful termination +define('SYS_EX_USAGE', 64); // command line usage error +define('SYS_EX_DATAERR', 65); // data format error +define('SYS_EX_NOINPUT', 66); // cannot open input +define('SYS_EX_NOUSER', 67); // specified user unknown +define('SYS_EX_NOHOST', 68); // specified host name unknown +define('SYS_EX_UNAVAILABLE', 69); // service unavailable +define('SYS_EX_SOFTWARE', 70); // internal software error +define('SYS_EX_OSERR', 71); // system error (e.g., can't fork) +define('SYS_EX_OSFILE', 72); // critical OS file missing +define('SYS_EX_CANTCREAT', 73); // can't create (user) output file +define('SYS_EX_IOERR', 74); // input/output error +define('SYS_EX_TEMPFAIL', 75); // temporary failure; user is invited to retry +define('SYS_EX_PROTOCOL', 76); // remote error in protocol +define('SYS_EX_NOPERM', 77); // permission denied +define('SYS_EX_CONFIG', 78); // configuration error +*/ + +/* + * Bash scripting + */ +/* +define('BASH_EXIT_SUCCESS', 0); +define('BASH_EXIT_ERROR', 1); +define('BASH_EXIT_BUILTIN_MISUSE', 2); +define('BASH_EXIT_CANT_EXEC', 126); +define('BASH_EXIT_CMD_NOT_FOUND', 127); +define('BASH_EXIT_INVALID_EXIT', 128); +define('BASH_EXIT_SIG_HUP', 129); +define('BASH_EXIT_SIG_INT', 130); +define('BASH_EXIT_SIG_QUIT', 131); +define('BASH_EXIT_SIG_ILL', 132); +define('BASH_EXIT_SIG_TRAP', 133); +define('BASH_EXIT_SIG_ABRT', 134); +define('BASH_EXIT_SIG_BUS', 135); +define('BASH_EXIT_SIG_FPE', 136); +define('BASH_EXIT_SIG_KILL', 137); +define('BASH_EXIT_SIG_USR1', 138); +define('BASH_EXIT_SIG_SEGV', 139); +define('BASH_EXIT_SIG_USR2', 140); +define('BASH_EXIT_SIG_PIPE', 141); +define('BASH_EXIT_SIG_ALRM', 142); +define('BASH_EXIT_SIG_TERM', 143); +define('BASH_EXIT_SIG_STKFLT', 144); +define('BASH_EXIT_SIG_CHLD', 145); +define('BASH_EXIT_SIG_CONT', 146); +define('BASH_EXIT_SIG_STOP', 147); +define('BASH_EXIT_SIG_TSTP', 148); +define('BASH_EXIT_SIG_TTIN', 149); +define('BASH_EXIT_SIG_TTOU', 150); +define('BASH_EXIT_SIG_URG', 151); +define('BASH_EXIT_SIG_XCPU', 152); +define('BASH_EXIT_SIG_XFSZ', 153); +define('BASH_EXIT_SIG_VTALRM', 154); +define('BASH_EXIT_SIG_PROF', 155); +define('BASH_EXIT_SIG_WINCH', 156); +define('BASH_EXIT_SIG_IO', 157); +define('BASH_EXIT_SIG_PWR', 158); +define('BASH_EXIT_SIG_SYS', 159); +*/ +/* + * BASH_EXIT_OUTOFRANGE would be 255, and mean an exit status code beyond + * the range of 0-255 was given. However, this code CANNOT BE USED IN PHP, + * so it isn't actually defined, even in a comment. + */ + +/* + * CodeIgniter defaults + */ +define('EXIT_SUCCESS', 0); // no errors +define('EXIT_FAILURE', 1); // generic error +define('EXIT_CONFIG', 3); // configuration error +define('EXIT_404', 4); // file not found; convenience value +define('EXIT_UNK_FILE', 4); // file not found +define('EXIT_UNK_CLASS', 5); // unknown class +define('EXIT_UNK_MEMBER', 6); // unknown class member +define('EXIT_USER_INPUT', 7); // invalid user input +define('EXIT_DATABASE', 8); // database error +define('EXIT__AUTO_MIN', 9); // lowest automatically-assigned error code +define('EXIT__AUTO_MAX', 125); // highest automatically-assigned error code + /* End of file constants.php */ /* Location: ./application/config/constants.php */ \ No newline at end of file diff --git a/index.php b/index.php index be094574043..a52a021ec62 100755 --- a/index.php +++ b/index.php @@ -67,7 +67,8 @@ default: header('HTTP/1.1 503 Service Unavailable.', TRUE, 503); - exit('The application environment is not set correctly.'); + echo 'The application environment is not set correctly.'; + exit(1); // EXIT_* constants not yet defined; 1 is EXIT_FAILURE, a generic error. } /* @@ -190,7 +191,8 @@ if ( ! is_dir($system_path)) { header('HTTP/1.1 503 Service Unavailable.', TRUE, 503); - exit('Your system folder path does not appear to be set correctly. Please open the following file and correct this: '.pathinfo(__FILE__, PATHINFO_BASENAME)); + echo 'Your system folder path does not appear to be set correctly. Please open the following file and correct this: '.pathinfo(__FILE__, PATHINFO_BASENAME); + exit(3); // EXIT_* constants not yet defined; 3 is EXIT_CONFIG. } /* @@ -225,7 +227,8 @@ if ( ! is_dir(BASEPATH.$application_folder.'/')) { header('HTTP/1.1 503 Service Unavailable.', TRUE, 503); - exit('Your application folder path does not appear to be set correctly. Please open the following file and correct this: '.SELF); + echo 'Your application folder path does not appear to be set correctly. Please open the following file and correct this: '.SELF; + exit(3); // EXIT_* constants not yet defined; 3 is EXIT_CONFIG. } define('APPPATH', BASEPATH.$application_folder.'/'); @@ -241,7 +244,8 @@ elseif ( ! is_dir(APPPATH.'views/')) { header('HTTP/1.1 503 Service Unavailable.', TRUE, 503); - exit('Your view folder path does not appear to be set correctly. Please open the following file and correct this: '.SELF); + echo 'Your view folder path does not appear to be set correctly. Please open the following file and correct this: '.SELF; + exit(3); // EXIT_* constants not yet defined; 3 is EXIT_CONFIG. } else { diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 5a872ef2131..8f5271add38 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -188,7 +188,7 @@ if ($EXT->call_hook('cache_override') === FALSE && $OUT->_display_cache($CFG, $URI) === TRUE) { - exit(0); + exit(EXIT_SUCCESS); } /* diff --git a/system/core/Common.php b/system/core/Common.php index 3cd97dc2e17..479f0da7f60 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -177,7 +177,7 @@ function &load_class($class, $directory = 'libraries', $prefix = 'CI_') // self-referencing loop with the Exceptions class set_status_header(503); echo 'Unable to locate the specified class: '.$class.'.php'; - exit(2); + exit(EXIT_UNK_CLASS); } // Keep track of what we just loaded @@ -251,7 +251,7 @@ function &get_config($replace = array()) { set_status_header(503); echo 'The configuration file does not exist.'; - exit(1); + exit(EXIT_CONFIG); } // Does the $config array exist in the file? @@ -259,7 +259,7 @@ function &get_config($replace = array()) { set_status_header(503); echo 'Your config file does not appear to be formatted correctly.'; - exit(1); + exit(EXIT_CONFIG); } // Are any values being dynamically replaced? @@ -374,12 +374,16 @@ function show_error($message, $status_code = 500, $heading = 'An Error Was Encou $status_code = abs($status_code); if ($status_code < 100) { - $exit_status = $status_code + 28; + $exit_status = $status_code + EXIT__AUTO_MIN; + if ($exit_status > EXIT__AUTO_MAX) + { + $exit_status = EXIT_FAILURE; + } $status_code = 500; } else { - $exit_status = 27; + $exit_status = EXIT_FAILURE; } $_error =& load_class('Exceptions', 'core'); @@ -407,7 +411,7 @@ function show_404($page = '', $log_error = TRUE) { $_error =& load_class('Exceptions', 'core'); $_error->show_404($page, $log_error); - exit(4); + exit(EXIT_UNK_FILE); } } diff --git a/system/core/Exceptions.php b/system/core/Exceptions.php index f799d6027ae..423387ff995 100644 --- a/system/core/Exceptions.php +++ b/system/core/Exceptions.php @@ -117,7 +117,7 @@ public function show_404($page = '', $log_error = TRUE) } echo $this->show_error($heading, $message, 'error_404', 404); - exit(4); + exit(EXIT_UNK_FILE); } // -------------------------------------------------------------------- diff --git a/system/core/Input.php b/system/core/Input.php index 904f4d6e9ab..8d491e05504 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -746,7 +746,7 @@ protected function _clean_input_keys($str) { set_status_header(503); echo 'Disallowed Key Characters.'; - exit(6); + exit(EXIT_USER_INPUT); } // Clean UTF-8 if supported diff --git a/system/core/Output.php b/system/core/Output.php index d4abe871dda..1025703dcff 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -696,7 +696,7 @@ public function set_cache_header($last_modified, $expiration) if (isset($_SERVER['HTTP_IF_MODIFIED_SINCE']) && $last_modified <= strtotime($_SERVER['HTTP_IF_MODIFIED_SINCE'])) { $this->set_status_header(304); - exit(0); + exit(EXIT_SUCCESS); } else { diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 6ae1d524dcc..18dbbc76ecd 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1658,7 +1658,7 @@ public function display_error($error = '', $swap = '', $native = FALSE) $error =& load_class('Exceptions', 'core'); echo $error->show_error($heading, $message, 'error_db'); - exit(5); + exit(EXIT_DATABASE); } // -------------------------------------------------------------------- diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index daf59f51ba7..25863eaa4d7 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -142,7 +142,7 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) if ($data !== NULL) { echo $data; - exit(0); + exit(EXIT_SUCCESS); } // Flush 1MB chunks of data @@ -152,7 +152,7 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) } fclose($fp); - exit(0); + exit(EXIT_SUCCESS); } } diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php index d6bf7e2c96e..7d5ccff35f2 100644 --- a/system/helpers/url_helper.php +++ b/system/helpers/url_helper.php @@ -550,7 +550,7 @@ function redirect($uri = '', $method = 'auto', $code = NULL) header('Location: '.$uri, TRUE, $code); break; } - exit(0); + exit(EXIT_SUCCESS); } } diff --git a/system/libraries/Driver.php b/system/libraries/Driver.php index ba15f81dfc9..9a56013ab09 100644 --- a/system/libraries/Driver.php +++ b/system/libraries/Driver.php @@ -290,7 +290,7 @@ public function __call($method, $args = array()) $trace = debug_backtrace(); _exception_handler(E_ERROR, "No such method '{$method}'", $trace[1]['file'], $trace[1]['line']); - exit(3); + exit(EXIT_UNK_MEMBER); } // -------------------------------------------------------------------- diff --git a/system/libraries/Trackback.php b/system/libraries/Trackback.php index cc93b2e301c..ea8017efd41 100644 --- a/system/libraries/Trackback.php +++ b/system/libraries/Trackback.php @@ -212,7 +212,7 @@ public function receive() public function send_error($message = 'Incomplete Information') { echo '\n\n1\n".$message."\n"; - exit(0); + exit(EXIT_SUCCESS); } // -------------------------------------------------------------------- @@ -228,7 +228,7 @@ public function send_error($message = 'Incomplete Information') public function send_success() { echo '\n\n0\n"; - exit(0); + exit(EXIT_SUCCESS); } // -------------------------------------------------------------------- diff --git a/system/libraries/Xmlrpcs.php b/system/libraries/Xmlrpcs.php index 2d2e7f13b67..e150c13b720 100644 --- a/system/libraries/Xmlrpcs.php +++ b/system/libraries/Xmlrpcs.php @@ -171,7 +171,7 @@ public function serve() header('Content-Type: text/xml'); header('Content-Length: '.strlen($payload)); echo $payload; - exit(0); + exit(EXIT_SUCCESS); } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/general/errors.rst b/user_guide_src/source/general/errors.rst index 8c941aadb18..1d6f8120df3 100644 --- a/user_guide_src/source/general/errors.rst +++ b/user_guide_src/source/general/errors.rst @@ -18,6 +18,15 @@ procedural interfaces that are available globally throughout the application. This approach permits error messages to get triggered without having to worry about class/function scoping. +CodeIgniter also returns a status code whenever a portion of the core +calls ``exit()``. This exit status code is separate from the HTTP status +code, and serves as a notice to other processes that may be watching of +whether the script completed successfully, or if not, what kind of +problem it encountered that caused it to abort. These values are +defined in *application/config/constants.php*. While exit status codes +are most useful in CLI settings, returning the proper code helps server +software keep track of your scripts and the health of your application. + The following functions let you generate errors: show_error() @@ -36,7 +45,12 @@ following error template:: application/errors/error_general.php The optional parameter ``$status_code`` determines what HTTP status -code should be sent with the error. +code should be sent with the error. If ``$status_code`` is less than 100, +the HTTP status code will be set to 500, and the exit status code will +be set to ``$status_code + EXIT__AUTO_MIN``. If that value is larger than +``EXIT__AUTO_MAX``, or if ``$status_code`` is 100 or higher, the exit +status code will be set to ``EXIT_FAILURE``. You can check in +*application/config/constants.php* for more detail. show_404() ========== @@ -53,8 +67,9 @@ the following error template:: application/errors/error_404.php The function expects the string passed to it to be the file path to the -page that isn't found. Note that CodeIgniter automatically shows 404 -messages if controllers are not found. +page that isn't found. The exit status code will be set to ``EXIT_UNK_FILE``. +Note that CodeIgniter automatically shows 404 messages if controllers are +not found. CodeIgniter automatically logs any ``show_404()`` calls. Setting the optional second parameter to FALSE will skip logging. From 4addd5ee5b1153089161635d53ff543e1295371a Mon Sep 17 00:00:00 2001 From: Eric Roberts Date: Mon, 25 Feb 2013 14:14:05 -0600 Subject: [PATCH 0598/3829] Update Style Guide page. --- user_guide_src/source/general/styleguide.rst | 120 ++++++------------- 1 file changed, 37 insertions(+), 83 deletions(-) diff --git a/user_guide_src/source/general/styleguide.rst b/user_guide_src/source/general/styleguide.rst index 99bc056f7db..de1da06d6ab 100644 --- a/user_guide_src/source/general/styleguide.rst +++ b/user_guide_src/source/general/styleguide.rst @@ -3,8 +3,10 @@ PHP Style Guide ############### -The following page describes the use of coding rules adhered to when -developing CodeIgniter. +The following page describes the coding styles adhered to when +contributing to the development of CodeIgniter. There is no requirement +to use these styles in your own CodeIgniter application, though they +are recommended. .. contents:: Table of Contents @@ -72,14 +74,15 @@ identify a file as being complete and not truncated. /* End of file myfile.php */ /* Location: ./system/modules/mymodule/myfile.php */ +.. note:: There should be no empty line or newline character(s) following + the closing comments. If you happen to see one when + submitting a pull request, please check your IDE settings and fix it. + Class and Method Naming ======================= Class names should always start with an uppercase letter. Multiple words -should be separated with an underscore, and not CamelCased. All other -class methods should be entirely lowercased and named to clearly -indicate their function, preferably including a verb. Try to avoid -overly long and verbose names. +should be separated with an underscore, and not CamelCased. **INCORRECT**:: @@ -100,7 +103,9 @@ overly long and verbose names. } } -Examples of improper and proper method naming: +Class methods should be entirely lowercased and named to clearly +indicate their function, preferably including a verb. Try to avoid +overly long and verbose names. **INCORRECT**:: @@ -117,8 +122,8 @@ Examples of improper and proper method naming: Variable Names ============== -The guidelines for variable naming is very similar to that used for -class methods. Namely, variables should contain only lowercase letters, +The guidelines for variable naming are very similar to those used for +class methods. Variables should contain only lowercase letters, use underscore separators, and be reasonably named to indicate their purpose and contents. Very short, non-word variables should only be used as iterators in for() loops. @@ -242,10 +247,10 @@ uppercase. Logical Operators ================= -Use of **\|\|** is discouraged as its clarity on some output devices is -low (looking like the number 11 for instance). **&&** is preferred over -**AND** but either are acceptable, and a space should always precede and -follow **!**. +Use of the **\|\|** *OR* comparison operator is discouraged, as its clarity +on some output devices is low (looking like the number 11, for instance). +**&&** is preferred over **AND** but either are acceptable, and a space should +always precede and follow **!**. **INCORRECT**:: @@ -318,14 +323,9 @@ other numbers) become strings of digits, and boolean TRUE becomes "1":: Debugging Code ============== -No debugging code can be left in place for submitted add-ons unless it -is commented out, i.e. no var_dump(), print_r(), die(), and exit() -calls that were used while creating the add-on, unless they are -commented out. - -:: - - // print_r($foo); +Do not leave debugging code in your submissions, even when commented out. +Things such as var_dump(), print_r(), die() or exit() should not be included +in your code unless it serves a specific purpose other than debugging. Whitespace in Files =================== @@ -333,73 +333,27 @@ Whitespace in Files No whitespace can precede the opening PHP tag or follow the closing PHP tag. Output is buffered, so whitespace in your files can cause output to begin before CodeIgniter outputs its content, leading to errors and an -inability for CodeIgniter to send proper headers. In the examples below, -select the text with your mouse to reveal the incorrect whitespace. +inability for CodeIgniter to send proper headers. Compatibility ============= -Unless specifically mentioned in your add-on's documentation, all code -must be compatible with PHP version 5.1+. Additionally, do not use PHP -functions that require non-default libraries to be installed unless your -code contains an alternative method when the function is not available, -or you implicitly document that your add-on requires said PHP libraries. - -Class and File Names using Common Words -======================================= - -When your class or filename is a common word, or might quite likely be -identically named in another PHP script, provide a unique prefix to help -prevent collision. Always realize that your end users may be running -other add-ons or third party PHP scripts. Choose a prefix that is unique -to your identity as a developer or company. - -**INCORRECT**:: - - class Email pi.email.php - class Xml ext.xml.php - class Import mod.import.php - -**CORRECT**:: - - class Pre_email pi.pre_email.php - class Pre_xml ext.pre_xml.php - class Pre_import mod.pre_import.php - -Database Table Names -==================== - -Any tables that your add-on might use must use the 'exp\_' prefix, -followed by a prefix uniquely identifying you as the developer or -company, and then a short descriptive table name. You do not need to be -concerned about the database prefix being used on the user's -installation, as CodeIgniter's database class will automatically convert -'exp\_' to what is actually being used. - -**INCORRECT**:: - - email_addresses // missing both prefixes - pre_email_addresses // missing exp_ prefix - exp_email_addresses // missing unique prefix - -**CORRECT**:: - - exp_pre_email_addresses +CodeIgniter requires a minimum PHP version of 5.2.4. Your code must either +be compatible with this minimum requirement, provide a suitable fallback, +or be an optional feature that dies quietly without affecting a user's +application. -.. note:: Be mindful that MySQL has a limit of 64 characters for table - names. This should not be an issue as table names that would exceed this - would likely have unreasonable names. For instance, the following table - name exceeds this limitation by one character. Silly, no? - **exp_pre_email_addresses_of_registered_users_in_seattle_washington** +Additionally, do not use PHP functions that require non-default libraries +to be installed unless your code contains an alternative method when the +function is not available. One File per Class ================== -Use separate files for each class your add-on uses, unless the classes -are *closely related*. An example of CodeIgniter files that contains -multiple classes is the Database class file, which contains both the DB -class and the DB_Cache class, and the Magpie plugin, which contains -both the Magpie and Snoopy classes. +Use separate files for each class, unless the classes are *closely related*. +An example of CodeIgniter files that contains multiple classes is the +Database class file, which contains both the DB class and the DB_Cache +class. Whitespace ========== @@ -536,8 +490,8 @@ functions and increase readability. Localized Text ============== -Any text that is output in the control panel should use language -variables in your lang file to allow localization. +CodeIgniter libraries should take advantage of corresponding language files +whenever possible. **INCORRECT**:: @@ -550,7 +504,7 @@ variables in your lang file to allow localization. Private Methods and Variables ============================= -Methods and variables that are only accessed internally by your class, +Methods and variables that are only accessed internally, such as utility and helper functions that your public methods use for code abstraction, should be prefixed with an underscore. @@ -567,7 +521,7 @@ hidden to meet this requirement. For instance, never access a variable that you did not set yourself (such as ``$_POST`` array keys) without first checking to see that it ``isset()``. -Make sure that while developing your add-on, error reporting is enabled +Make sure that your dev environment has error reporting enabled for ALL users, and that display_errors is enabled in the PHP environment. You can check this setting with:: From d746f26d644b401811980784cb1e795b789e2105 Mon Sep 17 00:00:00 2001 From: Eric Roberts Date: Mon, 25 Feb 2013 19:55:49 -0600 Subject: [PATCH 0599/3829] Style guide PR tweaks. --- user_guide_src/source/general/styleguide.rst | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/user_guide_src/source/general/styleguide.rst b/user_guide_src/source/general/styleguide.rst index de1da06d6ab..144b362f581 100644 --- a/user_guide_src/source/general/styleguide.rst +++ b/user_guide_src/source/general/styleguide.rst @@ -105,7 +105,8 @@ should be separated with an underscore, and not CamelCased. Class methods should be entirely lowercased and named to clearly indicate their function, preferably including a verb. Try to avoid -overly long and verbose names. +overly long and verbose names. Multiple words should be separated +with an underscore. **INCORRECT**:: @@ -247,10 +248,10 @@ uppercase. Logical Operators ================= -Use of the **\|\|** *OR* comparison operator is discouraged, as its clarity +Use of the ``||`` "or" comparison operator is discouraged, as its clarity on some output devices is low (looking like the number 11, for instance). -**&&** is preferred over **AND** but either are acceptable, and a space should -always precede and follow **!**. +``&&`` is preferred over ``AND`` but either are acceptable, and a space should +always precede and follow ``!``. **INCORRECT**:: @@ -324,7 +325,7 @@ Debugging Code ============== Do not leave debugging code in your submissions, even when commented out. -Things such as var_dump(), print_r(), die() or exit() should not be included +Things such as ``var_dump()``, ``print_r()``, ``die()``/``exit()`` should not be included in your code unless it serves a specific purpose other than debugging. Whitespace in Files @@ -351,9 +352,8 @@ One File per Class ================== Use separate files for each class, unless the classes are *closely related*. -An example of CodeIgniter files that contains multiple classes is the -Database class file, which contains both the DB class and the DB_Cache -class. +An example of a CodeIgniter file that contains multiple classes is the +Xmlrpc library file. Whitespace ========== From a5e0ea8131e16752ab369d776f585b130b526f85 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Wed, 27 Feb 2013 18:17:35 +0100 Subject: [PATCH 0600/3829] Fix this use case: load->vars->('foobar', '') Previously, only the other syntax was working: load->vars->(array('foobar' => '')) --- system/core/Loader.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index 6e5b58ba772..d4e63231c22 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -459,7 +459,7 @@ public function file($path, $return = FALSE) */ public function vars($vars = array(), $val = '') { - if ($val !== '' && is_string($vars)) + if (is_string($vars)) { $vars = array($vars => $val); } From b76e29242fd399c47ec633152092f9ce7ac917fc Mon Sep 17 00:00:00 2001 From: Michelle Jones Date: Wed, 27 Feb 2013 16:59:48 -0500 Subject: [PATCH 0601/3829] Remove trailing delimiters from csv_from_result When using the csv_from_result function, the returned string includes an extra delimiter at the end of every line, usually a comma unless another delimiter is specified. A simple addition of a couple of lines to remove the extra delimiter from the column names and the data rows is included. (Lines 241 and 251) --- system/database/DB_utility.php | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/system/database/DB_utility.php b/system/database/DB_utility.php index 9822fdaa3b7..9803307ed31 100644 --- a/system/database/DB_utility.php +++ b/system/database/DB_utility.php @@ -238,7 +238,8 @@ public function csv_from_result($query, $delim = ',', $newline = "\n", $enclosur $out .= $enclosure.str_replace($enclosure, $enclosure.$enclosure, $name).$enclosure.$delim; } - $out = rtrim($out).$newline; + $out = substr(rtrim($out),0,-strlen($delim)); // Remove the trailing delimiter character(s) at the end of the column names + $out = $out.$newline; // Next blast through the result array and build out the rows while ($row = $query->unbuffered_row('array')) @@ -247,6 +248,7 @@ public function csv_from_result($query, $delim = ',', $newline = "\n", $enclosur { $out .= $enclosure.str_replace($enclosure, $enclosure.$enclosure, $item).$enclosure.$delim; } + $out = substr(rtrim($out),0,-strlen($delim)); // Remove the trailing delimiter character(s) at the end of the row lines $out = rtrim($out).$newline; } From 381cfd9e3ef2c221fbb64e8af570f4949d366db3 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 28 Feb 2013 14:47:42 +0200 Subject: [PATCH 0602/3829] [ci skip] Add application/x-zip for OpenOffice docs in application/config/mimes.php --- application/config/mimes.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/application/config/mimes.php b/application/config/mimes.php index 5b8ceff2e65..6ff381279b9 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -58,7 +58,7 @@ 'mif' => 'application/vnd.mif', 'xls' => array('application/vnd.ms-excel', 'application/msexcel', 'application/x-msexcel', 'application/x-ms-excel', 'application/x-excel', 'application/x-dos_ms_excel', 'application/xls', 'application/x-xls', 'application/excel', 'application/download', 'application/vnd.ms-office', 'application/msword'), 'ppt' => array('application/powerpoint', 'application/vnd.ms-powerpoint'), - 'pptx' => 'application/vnd.openxmlformats-officedocument.presentationml.presentation', + 'pptx' => array('application/vnd.openxmlformats-officedocument.presentationml.presentation', 'application/x-zip', 'application/zip'), 'wbxml' => 'application/wbxml', 'wmlc' => 'application/wmlc', 'dcr' => 'application/x-director', @@ -126,7 +126,7 @@ 'docx' => array('application/vnd.openxmlformats-officedocument.wordprocessingml.document', 'application/zip', 'application/msword', 'application/x-zip'), 'dot' => array('application/msword', 'application/vnd.ms-office'), 'dotx' => array('application/vnd.openxmlformats-officedocument.wordprocessingml.document', 'application/zip', 'application/msword'), - 'xlsx' => array('application/vnd.openxmlformats-officedocument.spreadsheetml.sheet', 'application/zip', 'application/vnd.ms-excel', 'application/msword'), + 'xlsx' => array('application/vnd.openxmlformats-officedocument.spreadsheetml.sheet', 'application/zip', 'application/vnd.ms-excel', 'application/msword', 'application/x-zip'), 'word' => array('application/msword', 'application/octet-stream'), 'xl' => 'application/excel', 'eml' => 'message/rfc822', From 31875730b3cb67e865e99e748f885c5365339c9e Mon Sep 17 00:00:00 2001 From: Michelle Jones Date: Thu, 28 Feb 2013 09:44:47 -0500 Subject: [PATCH 0603/3829] added spaces after the parameter separators --- system/database/DB_utility.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/database/DB_utility.php b/system/database/DB_utility.php index 9803307ed31..b270cdd4dbf 100644 --- a/system/database/DB_utility.php +++ b/system/database/DB_utility.php @@ -238,7 +238,7 @@ public function csv_from_result($query, $delim = ',', $newline = "\n", $enclosur $out .= $enclosure.str_replace($enclosure, $enclosure.$enclosure, $name).$enclosure.$delim; } - $out = substr(rtrim($out),0,-strlen($delim)); // Remove the trailing delimiter character(s) at the end of the column names + $out = substr(rtrim($out), 0, -strlen($delim)); // Remove the trailing delimiter character(s) at the end of the column names $out = $out.$newline; // Next blast through the result array and build out the rows @@ -248,7 +248,7 @@ public function csv_from_result($query, $delim = ',', $newline = "\n", $enclosur { $out .= $enclosure.str_replace($enclosure, $enclosure.$enclosure, $item).$enclosure.$delim; } - $out = substr(rtrim($out),0,-strlen($delim)); // Remove the trailing delimiter character(s) at the end of the row lines + $out = substr(rtrim($out), 0, -strlen($delim)); // Remove the trailing delimiter character(s) at the end of the row lines $out = rtrim($out).$newline; } From f5b4f6a156cddbed81ee4c4c6c3484507fa58ac5 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Thu, 28 Feb 2013 22:17:51 +0100 Subject: [PATCH 0604/3829] Text helper: convert_accented_characters() optimization Thanks to static variables, array_keys() and array_values() are now executed once only. --- system/helpers/text_helper.php | 13 ++++++++----- 1 file changed, 8 insertions(+), 5 deletions(-) diff --git a/system/helpers/text_helper.php b/system/helpers/text_helper.php index 54db14f9468..b2351db956e 100644 --- a/system/helpers/text_helper.php +++ b/system/helpers/text_helper.php @@ -363,9 +363,9 @@ function highlight_phrase($str, $phrase, $tag_open = '', $tag_close = '< */ function convert_accented_characters($str) { - static $_foreign_characters; + static $array_from, $array_to; - if ( ! is_array($_foreign_characters)) + if ( ! is_array($array_from)) { if (file_exists(APPPATH.'config/foreign_chars.php')) { @@ -379,14 +379,17 @@ function convert_accented_characters($str) if (empty($foreign_characters) OR ! is_array($foreign_characters)) { - $_foreign_characters = array(); + $array_from = array(); + $array_to = array(); + return $str; } - $_foreign_characters = $foreign_characters; + $array_from = array_keys($foreign_characters); + $array_to = array_values($foreign_characters); } - return preg_replace(array_keys($_foreign_characters), array_values($_foreign_characters), $str); + return preg_replace($array_from, $array_to, $str); } } From d327c797027d4ccf3bb624d7f4edd10997e372ac Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 1 Mar 2013 16:28:58 +0200 Subject: [PATCH 0605/3829] Optimize changes from PR #2290 --- system/database/DB_utility.php | 6 ++---- 1 file changed, 2 insertions(+), 4 deletions(-) diff --git a/system/database/DB_utility.php b/system/database/DB_utility.php index b270cdd4dbf..9f953d4acb2 100644 --- a/system/database/DB_utility.php +++ b/system/database/DB_utility.php @@ -238,8 +238,7 @@ public function csv_from_result($query, $delim = ',', $newline = "\n", $enclosur $out .= $enclosure.str_replace($enclosure, $enclosure.$enclosure, $name).$enclosure.$delim; } - $out = substr(rtrim($out), 0, -strlen($delim)); // Remove the trailing delimiter character(s) at the end of the column names - $out = $out.$newline; + $out = substr(rtrim($out), 0, -strlen($delim)).$newline; // Next blast through the result array and build out the rows while ($row = $query->unbuffered_row('array')) @@ -248,8 +247,7 @@ public function csv_from_result($query, $delim = ',', $newline = "\n", $enclosur { $out .= $enclosure.str_replace($enclosure, $enclosure.$enclosure, $item).$enclosure.$delim; } - $out = substr(rtrim($out), 0, -strlen($delim)); // Remove the trailing delimiter character(s) at the end of the row lines - $out = rtrim($out).$newline; + $out = substr(rtrim($out), 0, -strlen($delim)).$newline; } return $out; From 930d8ef0f04688e63cfcdaa6f0f7b073e7b644ff Mon Sep 17 00:00:00 2001 From: Daniel Robbins Date: Fri, 1 Mar 2013 21:36:48 -0500 Subject: [PATCH 0606/3829] Fix Session cookie driver storing untrimmed user agent string in the database causing set_userdata() calls to fail when $config['sess_match_useragent'] = TRUE Signed-off-by: Daniel Robbins --- system/libraries/Session/drivers/Session_cookie.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Session/drivers/Session_cookie.php b/system/libraries/Session/drivers/Session_cookie.php index 057e5a1d1c5..0e864410267 100644 --- a/system/libraries/Session/drivers/Session_cookie.php +++ b/system/libraries/Session/drivers/Session_cookie.php @@ -494,7 +494,7 @@ protected function _sess_create() $this->userdata = array( 'session_id' => $this->_make_sess_id(), 'ip_address' => $this->CI->input->ip_address(), - 'user_agent' => substr($this->CI->input->user_agent(), 0, 120), + 'user_agent' => trim(substr($this->CI->input->user_agent(), 0, 120)), 'last_activity' => $this->now, ); From 5780d8b2078126f8eb5738658fceadd38c66fe5b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 4 Mar 2013 07:38:16 +0200 Subject: [PATCH 0607/3829] Fix #2298 --- system/database/DB_result.php | 9 +++------ user_guide_src/source/changelog.rst | 1 + 2 files changed, 4 insertions(+), 6 deletions(-) diff --git a/system/database/DB_result.php b/system/database/DB_result.php index a044fd5dcda..41a851777e2 100644 --- a/system/database/DB_result.php +++ b/system/database/DB_result.php @@ -478,12 +478,9 @@ public function next_row($type = 'object') return NULL; } - if (isset($result[$this->current_row + 1])) - { - ++$this->current_row; - } - - return $result[$this->current_row]; + return isset($result[$this->current_row + 1]) + ? $result[++$this->current_row] + : NULL; } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 216bf80bc2e..07dae1fdc93 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -487,6 +487,7 @@ Bug fixes for 3.0 - Fixed a bug (#2255) - :doc:`Email Library ` didn't apply ``smtp_timeout``to socket reads and writes. - Fixed a bug (#2239) - :doc:`Email Library ` improperly handled the Subject when used with ``bcc_batch_mode`` resulting in E_WARNING messages and an empty Subject. - Fixed a bug (#2234) - :doc:`Query Builder ` didn't reset JOIN cache for write-type queries. +- Fixed a bug (#2298) - :doc:`Database Results ` method `next_row()` kept returning the last row, allowing for infinite loops. Version 2.1.3 ============= From 50dfe0175df02fe4aa243757bdf1b42fb9fc3169 Mon Sep 17 00:00:00 2001 From: Daniel Hunsaker Date: Mon, 4 Mar 2013 02:05:20 -0700 Subject: [PATCH 0608/3829] Updated in accordance with feedback from @narfbg - Removed commented lists of constants from the three reference conventions, replacing each with the URLs at which more information can be found. - Renamed a few constants to more closely reflect CodeIgniter conventions. - Modified a couple of lines which were in violation of the CI Style Guide. Signed-off-by: Daniel Hunsaker --- application/config/constants.php | 108 ++++------------------- index.php | 2 +- system/core/Common.php | 23 ++--- system/core/Exceptions.php | 2 +- system/helpers/download_helper.php | 4 +- system/libraries/Driver.php | 2 +- system/libraries/Xmlrpcs.php | 2 +- user_guide_src/source/general/errors.rst | 4 +- 8 files changed, 38 insertions(+), 109 deletions(-) diff --git a/application/config/constants.php b/application/config/constants.php index 32a71595212..dc84712cde9 100644 --- a/application/config/constants.php +++ b/application/config/constants.php @@ -80,104 +80,30 @@ | | Used to indicate the conditions under which the script is exit()ing. | While there is no universal standard for error codes, there are some -| broad conventions. Three such conventions are presented below, for +| broad conventions. Three such conventions are mentioned below, for | those who wish to make use of them. The CodeIgniter defaults were | chosen for the least overlap with these conventions, while still | leaving room for others to be defined in future versions and user -| applications. The CodeIgniter values are defined last so you can -| set them to values used by any of the other conventions, and do so -| by name instead of value. +| applications. +| +| The three main conventions used for determining exit status codes +| are as follows: +| +| Standard C/C++ Library (stdlibc): +| http://www.gnu.org/software/libc/manual/html_node/Exit-Status.html +| (This link also contains other GNU-specific conventions) +| BSD sysexits.h: +| http://www.gsp.com/cgi-bin/man.cgi?section=3&topic=sysexits +| Bash scripting: +| http://tldp.org/LDP/abs/html/exitcodes.html | */ - -/* - * standard C/C++ library (stdlibc): - */ -/* -define('LIBC_EXIT_SUCCESS', 0); -define('LIBC_EXIT_FAILURE', 1); // generic errors -*/ - -/* - * BSD sysexits.h - */ -/* -define('SYS_EX_OK', 0); // successful termination -define('SYS_EX_USAGE', 64); // command line usage error -define('SYS_EX_DATAERR', 65); // data format error -define('SYS_EX_NOINPUT', 66); // cannot open input -define('SYS_EX_NOUSER', 67); // specified user unknown -define('SYS_EX_NOHOST', 68); // specified host name unknown -define('SYS_EX_UNAVAILABLE', 69); // service unavailable -define('SYS_EX_SOFTWARE', 70); // internal software error -define('SYS_EX_OSERR', 71); // system error (e.g., can't fork) -define('SYS_EX_OSFILE', 72); // critical OS file missing -define('SYS_EX_CANTCREAT', 73); // can't create (user) output file -define('SYS_EX_IOERR', 74); // input/output error -define('SYS_EX_TEMPFAIL', 75); // temporary failure; user is invited to retry -define('SYS_EX_PROTOCOL', 76); // remote error in protocol -define('SYS_EX_NOPERM', 77); // permission denied -define('SYS_EX_CONFIG', 78); // configuration error -*/ - -/* - * Bash scripting - */ -/* -define('BASH_EXIT_SUCCESS', 0); -define('BASH_EXIT_ERROR', 1); -define('BASH_EXIT_BUILTIN_MISUSE', 2); -define('BASH_EXIT_CANT_EXEC', 126); -define('BASH_EXIT_CMD_NOT_FOUND', 127); -define('BASH_EXIT_INVALID_EXIT', 128); -define('BASH_EXIT_SIG_HUP', 129); -define('BASH_EXIT_SIG_INT', 130); -define('BASH_EXIT_SIG_QUIT', 131); -define('BASH_EXIT_SIG_ILL', 132); -define('BASH_EXIT_SIG_TRAP', 133); -define('BASH_EXIT_SIG_ABRT', 134); -define('BASH_EXIT_SIG_BUS', 135); -define('BASH_EXIT_SIG_FPE', 136); -define('BASH_EXIT_SIG_KILL', 137); -define('BASH_EXIT_SIG_USR1', 138); -define('BASH_EXIT_SIG_SEGV', 139); -define('BASH_EXIT_SIG_USR2', 140); -define('BASH_EXIT_SIG_PIPE', 141); -define('BASH_EXIT_SIG_ALRM', 142); -define('BASH_EXIT_SIG_TERM', 143); -define('BASH_EXIT_SIG_STKFLT', 144); -define('BASH_EXIT_SIG_CHLD', 145); -define('BASH_EXIT_SIG_CONT', 146); -define('BASH_EXIT_SIG_STOP', 147); -define('BASH_EXIT_SIG_TSTP', 148); -define('BASH_EXIT_SIG_TTIN', 149); -define('BASH_EXIT_SIG_TTOU', 150); -define('BASH_EXIT_SIG_URG', 151); -define('BASH_EXIT_SIG_XCPU', 152); -define('BASH_EXIT_SIG_XFSZ', 153); -define('BASH_EXIT_SIG_VTALRM', 154); -define('BASH_EXIT_SIG_PROF', 155); -define('BASH_EXIT_SIG_WINCH', 156); -define('BASH_EXIT_SIG_IO', 157); -define('BASH_EXIT_SIG_PWR', 158); -define('BASH_EXIT_SIG_SYS', 159); -*/ -/* - * BASH_EXIT_OUTOFRANGE would be 255, and mean an exit status code beyond - * the range of 0-255 was given. However, this code CANNOT BE USED IN PHP, - * so it isn't actually defined, even in a comment. - */ - -/* - * CodeIgniter defaults - */ define('EXIT_SUCCESS', 0); // no errors -define('EXIT_FAILURE', 1); // generic error +define('EXIT_ERROR', 1); // generic error define('EXIT_CONFIG', 3); // configuration error -define('EXIT_404', 4); // file not found; convenience value -define('EXIT_UNK_FILE', 4); // file not found -define('EXIT_UNK_CLASS', 5); // unknown class -define('EXIT_UNK_MEMBER', 6); // unknown class member +define('EXIT_UNKNOWN_FILE', 4); // file not found +define('EXIT_UNKNOWN_CLASS', 5); // unknown class +define('EXIT_UNKNOWN_METHOD', 6); // unknown class member define('EXIT_USER_INPUT', 7); // invalid user input define('EXIT_DATABASE', 8); // database error define('EXIT__AUTO_MIN', 9); // lowest automatically-assigned error code diff --git a/index.php b/index.php index a52a021ec62..c6314da1fb3 100755 --- a/index.php +++ b/index.php @@ -68,7 +68,7 @@ default: header('HTTP/1.1 503 Service Unavailable.', TRUE, 503); echo 'The application environment is not set correctly.'; - exit(1); // EXIT_* constants not yet defined; 1 is EXIT_FAILURE, a generic error. + exit(1); // EXIT_* constants not yet defined; 1 is EXIT_ERROR, a generic error. } /* diff --git a/system/core/Common.php b/system/core/Common.php index 479f0da7f60..e11668d5f3f 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -177,7 +177,7 @@ function &load_class($class, $directory = 'libraries', $prefix = 'CI_') // self-referencing loop with the Exceptions class set_status_header(503); echo 'Unable to locate the specified class: '.$class.'.php'; - exit(EXIT_UNK_CLASS); + exit(EXIT_UNKNOWN_CLASS); } // Keep track of what we just loaded @@ -377,13 +377,13 @@ function show_error($message, $status_code = 500, $heading = 'An Error Was Encou $exit_status = $status_code + EXIT__AUTO_MIN; if ($exit_status > EXIT__AUTO_MAX) { - $exit_status = EXIT_FAILURE; + $exit_status = EXIT_ERROR; } $status_code = 500; } else { - $exit_status = EXIT_FAILURE; + $exit_status = EXIT_ERROR; } $_error =& load_class('Exceptions', 'core'); @@ -411,7 +411,7 @@ function show_404($page = '', $log_error = TRUE) { $_error =& load_class('Exceptions', 'core'); $_error->show_404($page, $log_error); - exit(EXIT_UNK_FILE); + exit(EXIT_UNKNOWN_FILE); } } @@ -531,13 +531,16 @@ function set_status_header($code = 200, $text = '') $server_protocol = isset($_SERVER['SERVER_PROTOCOL']) ? $_SERVER['SERVER_PROTOCOL'] : FALSE; - if (strpos(php_sapi_name(), 'cgi') === 0) + if ( ! headers_sent()) { - if (!headers_sent()) header('Status: '.$code.' '.$text, TRUE); - } - else - { - if (!headers_sent()) header(($server_protocol ? $server_protocol : 'HTTP/1.1').' '.$code.' '.$text, TRUE, $code); + if (strpos(php_sapi_name(), 'cgi') === 0) + { + header('Status: '.$code.' '.$text, TRUE); + } + else + { + header(($server_protocol ? $server_protocol : 'HTTP/1.1').' '.$code.' '.$text, TRUE, $code); + } } } } diff --git a/system/core/Exceptions.php b/system/core/Exceptions.php index 423387ff995..9c68d06a5b7 100644 --- a/system/core/Exceptions.php +++ b/system/core/Exceptions.php @@ -117,7 +117,7 @@ public function show_404($page = '', $log_error = TRUE) } echo $this->show_error($heading, $message, 'error_404', 404); - exit(EXIT_UNK_FILE); + exit(EXIT_UNKNOWN_FILE); } // -------------------------------------------------------------------- diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index 25863eaa4d7..bd32965740e 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -142,7 +142,7 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) if ($data !== NULL) { echo $data; - exit(EXIT_SUCCESS); + exit; } // Flush 1MB chunks of data @@ -152,7 +152,7 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) } fclose($fp); - exit(EXIT_SUCCESS); + exit; } } diff --git a/system/libraries/Driver.php b/system/libraries/Driver.php index 9a56013ab09..1bc365cbcb9 100644 --- a/system/libraries/Driver.php +++ b/system/libraries/Driver.php @@ -290,7 +290,7 @@ public function __call($method, $args = array()) $trace = debug_backtrace(); _exception_handler(E_ERROR, "No such method '{$method}'", $trace[1]['file'], $trace[1]['line']); - exit(EXIT_UNK_MEMBER); + exit(EXIT_UNKNOWN_METHOD); } // -------------------------------------------------------------------- diff --git a/system/libraries/Xmlrpcs.php b/system/libraries/Xmlrpcs.php index e150c13b720..a6048cb9fc2 100644 --- a/system/libraries/Xmlrpcs.php +++ b/system/libraries/Xmlrpcs.php @@ -171,7 +171,7 @@ public function serve() header('Content-Type: text/xml'); header('Content-Length: '.strlen($payload)); echo $payload; - exit(EXIT_SUCCESS); + exit; } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/general/errors.rst b/user_guide_src/source/general/errors.rst index 1d6f8120df3..441cedb8073 100644 --- a/user_guide_src/source/general/errors.rst +++ b/user_guide_src/source/general/errors.rst @@ -49,7 +49,7 @@ code should be sent with the error. If ``$status_code`` is less than 100, the HTTP status code will be set to 500, and the exit status code will be set to ``$status_code + EXIT__AUTO_MIN``. If that value is larger than ``EXIT__AUTO_MAX``, or if ``$status_code`` is 100 or higher, the exit -status code will be set to ``EXIT_FAILURE``. You can check in +status code will be set to ``EXIT_ERROR``. You can check in *application/config/constants.php* for more detail. show_404() @@ -67,7 +67,7 @@ the following error template:: application/errors/error_404.php The function expects the string passed to it to be the file path to the -page that isn't found. The exit status code will be set to ``EXIT_UNK_FILE``. +page that isn't found. The exit status code will be set to ``EXIT_UNKNOWN_FILE``. Note that CodeIgniter automatically shows 404 messages if controllers are not found. From b2ac67a3a766ac18f5041eff7a5cbeef7437a184 Mon Sep 17 00:00:00 2001 From: Daniel Hunsaker Date: Mon, 4 Mar 2013 02:31:26 -0700 Subject: [PATCH 0609/3829] Oops, missed a few places where EXIT_SUCCESS was being used. Signed-off-by: Daniel Hunsaker --- system/core/CodeIgniter.php | 2 +- system/core/Output.php | 2 +- system/helpers/url_helper.php | 2 +- system/libraries/Trackback.php | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 8f5271add38..7f76977b582 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -188,7 +188,7 @@ if ($EXT->call_hook('cache_override') === FALSE && $OUT->_display_cache($CFG, $URI) === TRUE) { - exit(EXIT_SUCCESS); + exit; } /* diff --git a/system/core/Output.php b/system/core/Output.php index 1025703dcff..25ecd496c6e 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -696,7 +696,7 @@ public function set_cache_header($last_modified, $expiration) if (isset($_SERVER['HTTP_IF_MODIFIED_SINCE']) && $last_modified <= strtotime($_SERVER['HTTP_IF_MODIFIED_SINCE'])) { $this->set_status_header(304); - exit(EXIT_SUCCESS); + exit; } else { diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php index 7d5ccff35f2..d0fab3fe0f2 100644 --- a/system/helpers/url_helper.php +++ b/system/helpers/url_helper.php @@ -550,7 +550,7 @@ function redirect($uri = '', $method = 'auto', $code = NULL) header('Location: '.$uri, TRUE, $code); break; } - exit(EXIT_SUCCESS); + exit; } } diff --git a/system/libraries/Trackback.php b/system/libraries/Trackback.php index ea8017efd41..ecc7129e3ff 100644 --- a/system/libraries/Trackback.php +++ b/system/libraries/Trackback.php @@ -212,7 +212,7 @@ public function receive() public function send_error($message = 'Incomplete Information') { echo '\n\n1\n".$message."\n"; - exit(EXIT_SUCCESS); + exit; } // -------------------------------------------------------------------- @@ -228,7 +228,7 @@ public function send_error($message = 'Incomplete Information') public function send_success() { echo '\n\n0\n"; - exit(EXIT_SUCCESS); + exit; } // -------------------------------------------------------------------- From 7d10006a0001ff0e7d82ec994b1e9cbb63683ffc Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Mon, 4 Mar 2013 17:20:12 +0530 Subject: [PATCH 0610/3829] Fixed #2289 --- system/libraries/Email.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index daa38484be3..728b637a364 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -2017,7 +2017,7 @@ protected function _smtp_authenticate() $reply = $this->_get_smtp_data(); - if (strpos($reply, '503') !== 0) // Already authenticated + if (strpos($reply, '503') === 0) // Already authenticated { return TRUE; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 07dae1fdc93..d805c8f1015 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -488,6 +488,7 @@ Bug fixes for 3.0 - Fixed a bug (#2239) - :doc:`Email Library ` improperly handled the Subject when used with ``bcc_batch_mode`` resulting in E_WARNING messages and an empty Subject. - Fixed a bug (#2234) - :doc:`Query Builder ` didn't reset JOIN cache for write-type queries. - Fixed a bug (#2298) - :doc:`Database Results ` method `next_row()` kept returning the last row, allowing for infinite loops. +- Fixed a bug (#2289) - :doc:`Email Library ` method `_smtp_authenticate()` returned prematurely from authentication due to opposite condition check. Version 2.1.3 ============= From 8626e93d5b4362c86a58933dda9206ac8810476d Mon Sep 17 00:00:00 2001 From: Daniel Hunsaker Date: Mon, 4 Mar 2013 05:14:22 -0700 Subject: [PATCH 0611/3829] Reverting changes to functions that have no business being used in CLI apps to begin with Signed-off-by: Daniel Hunsaker --- system/core/Common.php | 15 ++++++--------- system/helpers/download_helper.php | 3 +-- system/libraries/Trackback.php | 6 ++---- system/libraries/Xmlrpcs.php | 3 +-- 4 files changed, 10 insertions(+), 17 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index e11668d5f3f..9baf5e31591 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -531,16 +531,13 @@ function set_status_header($code = 200, $text = '') $server_protocol = isset($_SERVER['SERVER_PROTOCOL']) ? $_SERVER['SERVER_PROTOCOL'] : FALSE; - if ( ! headers_sent()) + if (strpos(php_sapi_name(), 'cgi') === 0) { - if (strpos(php_sapi_name(), 'cgi') === 0) - { - header('Status: '.$code.' '.$text, TRUE); - } - else - { - header(($server_protocol ? $server_protocol : 'HTTP/1.1').' '.$code.' '.$text, TRUE, $code); - } + header('Status: '.$code.' '.$text, TRUE); + } + else + { + header(($server_protocol ? $server_protocol : 'HTTP/1.1').' '.$code.' '.$text, TRUE, $code); } } } diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index bd32965740e..4fe6a0e8844 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -141,8 +141,7 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) // If we have raw data - just dump it if ($data !== NULL) { - echo $data; - exit; + exit($data); } // Flush 1MB chunks of data diff --git a/system/libraries/Trackback.php b/system/libraries/Trackback.php index ecc7129e3ff..5a45be8ddc4 100644 --- a/system/libraries/Trackback.php +++ b/system/libraries/Trackback.php @@ -211,8 +211,7 @@ public function receive() */ public function send_error($message = 'Incomplete Information') { - echo '\n\n1\n".$message."\n"; - exit; + exit('\n\n1\n".$message."\n"); } // -------------------------------------------------------------------- @@ -227,8 +226,7 @@ public function send_error($message = 'Incomplete Information') */ public function send_success() { - echo '\n\n0\n"; - exit; + exit('\n\n0\n"); } // -------------------------------------------------------------------- diff --git a/system/libraries/Xmlrpcs.php b/system/libraries/Xmlrpcs.php index a6048cb9fc2..d263d789d71 100644 --- a/system/libraries/Xmlrpcs.php +++ b/system/libraries/Xmlrpcs.php @@ -170,8 +170,7 @@ public function serve() header('Content-Type: text/xml'); header('Content-Length: '.strlen($payload)); - echo $payload; - exit; + exit($payload); } // -------------------------------------------------------------------- From fa01ae4b3a2ed51a93590527c04295eb8cba4e40 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 4 Mar 2013 14:40:18 +0200 Subject: [PATCH 0612/3829] [ci skip] Fix #2289 --- system/libraries/Email.php | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index daa38484be3..756a38a10b9 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -2017,12 +2017,11 @@ protected function _smtp_authenticate() $reply = $this->_get_smtp_data(); - if (strpos($reply, '503') !== 0) // Already authenticated + if (strpos($reply, '503') === 0) // Already authenticated { return TRUE; } - - if (strpos($reply, '334') !== 0) + elseif (strpos($reply, '334') !== 0) { $this->_set_error_message('lang:email_failed_smtp_login', $reply); return FALSE; From 83c344efcae85ef3f07453bda70292a6bb628178 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Mon, 4 Mar 2013 14:30:08 +0100 Subject: [PATCH 0613/3829] Cache file driver: clean() now preserves .htaccess and index files --- system/libraries/Cache/drivers/Cache_file.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_file.php b/system/libraries/Cache/drivers/Cache_file.php index f1f1a30be6a..769bd5a2613 100644 --- a/system/libraries/Cache/drivers/Cache_file.php +++ b/system/libraries/Cache/drivers/Cache_file.php @@ -133,7 +133,7 @@ public function delete($id) */ public function clean() { - return delete_files($this->_cache_path); + return delete_files($this->_cache_path, FALSE, TRUE); } // ------------------------------------------------------------------------ From 5a6814e2c832186e61d15e2032c4ad41932c4f49 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 4 Mar 2013 15:44:12 +0200 Subject: [PATCH 0614/3829] Fix #2301 --- system/core/Common.php | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 9baf5e31591..10c22375ebf 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -1,4 +1,3 @@ - show_error($heading, $message, 'error_general', $status_code); exit($exit_status); From 2d33e22c0af65963d7617374427814846f419a2e Mon Sep 17 00:00:00 2001 From: Louis Racicot Date: Tue, 5 Mar 2013 15:29:51 -0500 Subject: [PATCH 0615/3829] Add unicode support in cart product name for unicode 00C000 to 00E01F. --- system/libraries/Cart.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Cart.php b/system/libraries/Cart.php index b7b0697fbd6..86c11d6f633 100644 --- a/system/libraries/Cart.php +++ b/system/libraries/Cart.php @@ -51,7 +51,7 @@ class CI_Cart { * * @var string */ - public $product_name_rules = '\.\:\-_ a-z0-9'; + public $product_name_rules = '\.\:\-_ a-zA-Z�-�0-9'; /** * only allow safe product names @@ -544,4 +544,4 @@ public function destroy() } /* End of file Cart.php */ -/* Location: ./system/libraries/Cart.php */ \ No newline at end of file +/* Location: ./system/libraries/Cart.php */ From b527bb5ebb262351aa3c9fd393d91b98c8fbee00 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Tue, 5 Mar 2013 21:58:49 +0100 Subject: [PATCH 0616/3829] Documentation: update reserved names list Added constants from 50dfe0175df02fe4aa243757bdf1b42fb9fc3169 (exit status codes) --- user_guide_src/source/general/reserved_names.rst | 12 +++++++++++- 1 file changed, 11 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/general/reserved_names.rst b/user_guide_src/source/general/reserved_names.rst index d9129236301..1ca3b608a7c 100644 --- a/user_guide_src/source/general/reserved_names.rst +++ b/user_guide_src/source/general/reserved_names.rst @@ -66,4 +66,14 @@ Constants - FOPEN_WRITE_CREATE - FOPEN_READ_WRITE_CREATE - FOPEN_WRITE_CREATE_STRICT -- FOPEN_READ_WRITE_CREATE_STRICT \ No newline at end of file +- FOPEN_READ_WRITE_CREATE_STRICT +- EXIT_SUCCESS +- EXIT_ERROR +- EXIT_CONFIG +- EXIT_UNKNOWN_FILE +- EXIT_UNKNOWN_CLASS +- EXIT_UNKNOWN_METHOD +- EXIT_USER_INPUT +- EXIT_DATABASE +- EXIT__AUTO_MIN +- EXIT__AUTO_MAX \ No newline at end of file From 9a6032d87f3911ec6fcaf23736545920198a8b04 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Tue, 5 Mar 2013 23:03:12 +0100 Subject: [PATCH 0617/3829] Documentation: another update to reserved names list Added missing user functions. Also fixed a typo in common_functions.rst. --- user_guide_src/source/general/common_functions.rst | 2 +- user_guide_src/source/general/reserved_names.rst | 6 ++++++ 2 files changed, 7 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/general/common_functions.rst b/user_guide_src/source/general/common_functions.rst index 7917d323997..79bd9b45961 100644 --- a/user_guide_src/source/general/common_functions.rst +++ b/user_guide_src/source/general/common_functions.rst @@ -31,7 +31,7 @@ version of PHP is lower than the supplied version number. is_really_writable() ==================== -.. php:function:: is_really_writeable($file) +.. php:function:: is_really_writable($file) :param string $file: File path :returns: bool diff --git a/user_guide_src/source/general/reserved_names.rst b/user_guide_src/source/general/reserved_names.rst index 1ca3b608a7c..ccc17d61b2d 100644 --- a/user_guide_src/source/general/reserved_names.rst +++ b/user_guide_src/source/general/reserved_names.rst @@ -25,15 +25,21 @@ your controller any of these: Functions --------- +- :php:func:`is_php()` - :php:func:`is_really_writable()` - ``load_class()`` +- ``is_loaded()`` - ``get_config()`` - :php:func:`config_item()` - :php:func:`show_error()` - :php:func:`show_404()` - :php:func:`log_message()` +- :php:func:`set_status_header()` - :php:func:`get_mimes()` - :php:func:`html_escape()` +- :php:func:`remove_invisible_characters()` +- :php:func:`is_https()` +- :php:func:`function_usable()` - :php:func:`get_instance()` - ``_exception_handler()`` - ``_stringify_attributes()`` From affc3bca4348071c792b6f08e6f88dede7e45266 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Wed, 6 Mar 2013 01:30:15 +0100 Subject: [PATCH 0618/3829] Fix a typo in changelog.rst This missing space was broking the link generation. --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 07dae1fdc93..0e45a0e8f81 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -484,7 +484,7 @@ Bug fixes for 3.0 - Fixed a bug - :doc:`DB result ` method ``list_fields()`` didn't reset its field pointer for the *mysql*, *mysqli* and *mssql* drivers. - Fixed a bug (#73) - :doc:`Security Library ` method ``sanitize_filename()`` could be tricked by an XSS attack. - Fixed a bug (#2211) - :doc:`Migration Library ` extensions couldn't execute ``CI_Migration::__construct()``. -- Fixed a bug (#2255) - :doc:`Email Library ` didn't apply ``smtp_timeout``to socket reads and writes. +- Fixed a bug (#2255) - :doc:`Email Library ` didn't apply ``smtp_timeout`` to socket reads and writes. - Fixed a bug (#2239) - :doc:`Email Library ` improperly handled the Subject when used with ``bcc_batch_mode`` resulting in E_WARNING messages and an empty Subject. - Fixed a bug (#2234) - :doc:`Query Builder ` didn't reset JOIN cache for write-type queries. - Fixed a bug (#2298) - :doc:`Database Results ` method `next_row()` kept returning the last row, allowing for infinite loops. From 141e2cb8a20e84a4e521c47edd885102185b2419 Mon Sep 17 00:00:00 2001 From: Louis Racicot Date: Wed, 6 Mar 2013 09:29:45 -0500 Subject: [PATCH 0619/3829] Update Cart.php Regex were already case sensitive. --- system/libraries/Cart.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cart.php b/system/libraries/Cart.php index 86c11d6f633..84be7fa859b 100644 --- a/system/libraries/Cart.php +++ b/system/libraries/Cart.php @@ -51,7 +51,7 @@ class CI_Cart { * * @var string */ - public $product_name_rules = '\.\:\-_ a-zA-Z�-�0-9'; + public $product_name_rules = '\.\:\-_ a-z�-�0-9'; /** * only allow safe product names From 837b203bcbd52fc8fc909a3dc8c5031fb4dc3379 Mon Sep 17 00:00:00 2001 From: Louis Racicot Date: Wed, 6 Mar 2013 09:31:31 -0500 Subject: [PATCH 0620/3829] Github broke the file encoding. I repaired it. --- system/libraries/Cart.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cart.php b/system/libraries/Cart.php index 84be7fa859b..d5664f22cb4 100644 --- a/system/libraries/Cart.php +++ b/system/libraries/Cart.php @@ -51,7 +51,7 @@ class CI_Cart { * * @var string */ - public $product_name_rules = '\.\:\-_ a-z�-�0-9'; + public $product_name_rules = '\.\:\-_ a-zÀ-ÿ0-9'; /** * only allow safe product names From 592e7d46895029f462369708085631d67494ec56 Mon Sep 17 00:00:00 2001 From: Louis Racicot Date: Wed, 6 Mar 2013 10:04:55 -0500 Subject: [PATCH 0621/3829] Full unicode support for the product name. --- system/libraries/Cart.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Cart.php b/system/libraries/Cart.php index d5664f22cb4..c224a6dc926 100644 --- a/system/libraries/Cart.php +++ b/system/libraries/Cart.php @@ -51,7 +51,7 @@ class CI_Cart { * * @var string */ - public $product_name_rules = '\.\:\-_ a-zÀ-ÿ0-9'; + public $product_name_rules = '\.\:\- \w'; /** * only allow safe product names @@ -214,7 +214,7 @@ protected function _insert($items = array()) // Validate the product name. It can only be alpha-numeric, dashes, underscores, colons or periods. // Note: These can be user-specified by setting the $this->product_name_rules variable. - if ($this->product_name_safe && ! preg_match('/^['.$this->product_name_rules.']+$/i', $items['name'])) + if ($this->product_name_safe && ! preg_match('/^['.$this->product_name_rules.']+$/iu', $items['name'])) { log_message('error', 'An invalid name was submitted as the product name: '.$items['name'].' The name can only contain alpha-numeric characters, dashes, underscores, colons, and spaces'); return FALSE; From 025b6465c4baa7ba501b24df64672fd15f779a1a Mon Sep 17 00:00:00 2001 From: Louis Racicot Date: Thu, 7 Mar 2013 09:32:16 -0500 Subject: [PATCH 0622/3829] check if uft8 is enabled --- system/libraries/Cart.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cart.php b/system/libraries/Cart.php index c224a6dc926..6e203a8c74d 100644 --- a/system/libraries/Cart.php +++ b/system/libraries/Cart.php @@ -214,7 +214,7 @@ protected function _insert($items = array()) // Validate the product name. It can only be alpha-numeric, dashes, underscores, colons or periods. // Note: These can be user-specified by setting the $this->product_name_rules variable. - if ($this->product_name_safe && ! preg_match('/^['.$this->product_name_rules.']+$/iu', $items['name'])) + if ($this->product_name_safe && ! preg_match('/^['.$this->product_name_rules.']+$/i'.(UTF8_ENABLED ? 'u' : ''), $items['name'])) { log_message('error', 'An invalid name was submitted as the product name: '.$items['name'].' The name can only contain alpha-numeric characters, dashes, underscores, colons, and spaces'); return FALSE; From 65b8f835e572cc6ff73fe07024ffaa537fee912e Mon Sep 17 00:00:00 2001 From: Louis Racicot Date: Mon, 11 Mar 2013 09:03:25 -0400 Subject: [PATCH 0623/3829] reorder rules in product name regex by importance --- system/libraries/Cart.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Cart.php b/system/libraries/Cart.php index 6e203a8c74d..edc300bd7e0 100644 --- a/system/libraries/Cart.php +++ b/system/libraries/Cart.php @@ -51,7 +51,7 @@ class CI_Cart { * * @var string */ - public $product_name_rules = '\.\:\- \w'; + public $product_name_rules = '\w \-\.\:'; /** * only allow safe product names @@ -544,4 +544,4 @@ public function destroy() } /* End of file Cart.php */ -/* Location: ./system/libraries/Cart.php */ +/* Location: ./system/libraries/Cart.php */ \ No newline at end of file From 89b67b49616b19e9c9f0bee8f49cb1bfc93b7436 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 12 Mar 2013 19:34:23 +0200 Subject: [PATCH 0624/3829] Fix #2320 --- system/libraries/Email.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 756a38a10b9..a745d331d59 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -105,9 +105,9 @@ class CI_Email { /** * SMTP Encryption * - * @var string NULL, 'tls' or 'ssl' + * @var string empty, 'tls' or 'ssl' */ - public $smtp_crypto = NULL; + public $smtp_crypto = ''; /** * Whether to apply word-wrapping to the message body. @@ -1875,7 +1875,7 @@ protected function _smtp_connect() return TRUE; } - $ssl = ($this->smtp_crypto === 'ssl') ? 'ssl://' : NULL; + $ssl = ($this->smtp_crypto === 'ssl') ? 'ssl://' : ''; $this->_smtp_connect = fsockopen($ssl.$this->smtp_host, $this->smtp_port, From 219565d05f6b223c28e24422b9d244b201890699 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 12 Mar 2013 20:00:08 +0200 Subject: [PATCH 0625/3829] Add a (default) CI_DB_query_builder::_update_batch() method An improved version of PR #2324, which only targets ODBC. --- system/database/DB_query_builder.php | 41 +++++++++++++++++++ .../database/drivers/cubrid/cubrid_driver.php | 41 ------------------- .../database/drivers/mysql/mysql_driver.php | 41 ------------------- .../database/drivers/mysqli/mysqli_driver.php | 41 ------------------- .../pdo/subdrivers/pdo_mysql_driver.php | 41 ------------------- 5 files changed, 41 insertions(+), 164 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 85a233b505f..292621b66e6 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1854,6 +1854,47 @@ public function update_batch($table = '', $set = NULL, $index = NULL) // -------------------------------------------------------------------- + /** + * Update_Batch statement + * + * Generates a platform-specific batch update string from the supplied data + * + * @param string $table Table name + * @param array $values Update data + * @param string $index WHERE key + * @return string + */ + protected function _update_batch($table, $values, $index) + { + $ids = array(); + foreach ($values as $key => $val) + { + $ids[] = $val[$index]; + + foreach (array_keys($val) as $field) + { + if ($field !== $index) + { + $final[$field][] = 'WHEN '.$index.' = '.$val[$index].' THEN '.$val[$field]; + } + } + } + + $cases = ''; + foreach ($final as $k => $v) + { + $cases .= $k." = CASE \n" + .implode("\n", $v)."\n" + .'ELSE '.$k.' END, '; + } + + $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); + + return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); + } + + // -------------------------------------------------------------------- + /** * The "set_update_batch" function. Allows key/value pairs to be set for batch updating * diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php index 6663868bd9e..51bbbdb476e 100644 --- a/system/database/drivers/cubrid/cubrid_driver.php +++ b/system/database/drivers/cubrid/cubrid_driver.php @@ -429,47 +429,6 @@ public function error() // -------------------------------------------------------------------- - /** - * Update_Batch statement - * - * Generates a platform-specific batch update string from the supplied data - * - * @param string $table Table name - * @param array $values Update data - * @param string $index WHERE key - * @return string - */ - protected function _update_batch($table, $values, $index) - { - $ids = array(); - foreach ($values as $key => $val) - { - $ids[] = $val[$index]; - - foreach (array_keys($val) as $field) - { - if ($field !== $index) - { - $final[$field][] = 'WHEN '.$index.' = '.$val[$index].' THEN '.$val[$field]; - } - } - } - - $cases = ''; - foreach ($final as $k => $v) - { - $cases .= $k." = CASE \n" - .implode("\n", $v) - .'ELSE '.$k.' END, '; - } - - $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); - } - - // -------------------------------------------------------------------- - /** * FROM tables * diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 95003f648fe..b94642b3547 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -455,47 +455,6 @@ public function error() // -------------------------------------------------------------------- - /** - * Update_Batch statement - * - * Generates a platform-specific batch update string from the supplied data - * - * @param string $table Table name - * @param array $values Update data - * @param string $index WHERE key - * @return string - */ - protected function _update_batch($table, $values, $index) - { - $ids = array(); - foreach ($values as $key => $val) - { - $ids[] = $val[$index]; - - foreach (array_keys($val) as $field) - { - if ($field !== $index) - { - $final[$field][] = 'WHEN '.$index.' = '.$val[$index].' THEN '.$val[$field]; - } - } - } - - $cases = ''; - foreach ($final as $k => $v) - { - $cases .= $k." = CASE \n" - .implode("\n", $v)."\n" - .'ELSE '.$k.' END, '; - } - - $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); - } - - // -------------------------------------------------------------------- - /** * FROM tables * diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index b64a7a2e801..ef2cb8a8d81 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -426,47 +426,6 @@ public function error() // -------------------------------------------------------------------- - /** - * Update_Batch statement - * - * Generates a platform-specific batch update string from the supplied data - * - * @param string $table Table name - * @param array $values Update data - * @param string $index WHERE key - * @return string - */ - protected function _update_batch($table, $values, $index) - { - $ids = array(); - foreach ($values as $key => $val) - { - $ids[] = $val[$index]; - - foreach (array_keys($val) as $field) - { - if ($field !== $index) - { - $final[$field][] = 'WHEN '.$index.' = '.$val[$index].' THEN '.$val[$field]; - } - } - } - - $cases = ''; - foreach ($final as $k => $v) - { - $cases .= $k.' = CASE '."\n" - .implode("\n", $v)."\n" - .'ELSE '.$k.' END, '; - } - - $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); - } - - // -------------------------------------------------------------------- - /** * FROM tables * diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index 315f6f53b65..ff486fc5a7f 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -200,47 +200,6 @@ public function field_data($table = '') // -------------------------------------------------------------------- - /** - * Update_Batch statement - * - * Generates a platform-specific batch update string from the supplied data - * - * @param string $table Table name - * @param array $values Update data - * @param string $index UPDATE key - * @return string - */ - protected function _update_batch($table, $values, $index) - { - $ids = array(); - foreach ($values as $key => $val) - { - $ids[] = $val[$index]; - - foreach (array_keys($val) as $field) - { - if ($field !== $index) - { - $final[$field][] = 'WHEN '.$index.' = '.$val[$index].' THEN '.$val[$field]; - } - } - } - - $cases = ''; - foreach ($final as $k => $v) - { - $cases .= $k." = CASE \n" - .implode("\n", $v)."\n" - .'ELSE '.$k.' END), '; - } - - $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); - } - - // -------------------------------------------------------------------- - /** * Truncate statement * From 7b90325ceb8aa6fdb4680afe959927fc000bf548 Mon Sep 17 00:00:00 2001 From: bayssmekanique Date: Tue, 12 Mar 2013 13:25:24 -0700 Subject: [PATCH 0626/3829] Output Class Minify Function Change Added 2 additional MIME types to match against for JavaScript detection. --- system/core/Output.php | 2 ++ 1 file changed, 2 insertions(+) diff --git a/system/core/Output.php b/system/core/Output.php index 25ecd496c6e..3320ae1547e 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -793,6 +793,8 @@ public function minify($output, $type = 'text/html') case 'text/css': case 'text/javascript': + case 'application/javascript': + case 'application/x-javascript': $output = $this->_minify_script_style($output); From 5cb5c0a4354518ac1a8c5b71971d7a7232c33480 Mon Sep 17 00:00:00 2001 From: Sam Doidge Date: Wed, 13 Mar 2013 01:28:06 +0000 Subject: [PATCH 0627/3829] adding thumb_marker to image_lib->clear() --- system/libraries/Image_lib.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index 0cec43fc4c2..7f01ac028fa 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -388,7 +388,7 @@ public function __construct($props = array()) */ public function clear() { - $props = array('library_path', 'source_image', 'new_image', 'width', 'height', 'rotation_angle', 'x_axis', 'y_axis', 'wm_text', 'wm_overlay_path', 'wm_font_path', 'wm_shadow_color', 'source_folder', 'dest_folder', 'mime_type', 'orig_width', 'orig_height', 'image_type', 'size_str', 'full_src_path', 'full_dst_path'); + $props = array('thumb_marker', 'library_path', 'source_image', 'new_image', 'width', 'height', 'rotation_angle', 'x_axis', 'y_axis', 'wm_text', 'wm_overlay_path', 'wm_font_path', 'wm_shadow_color', 'source_folder', 'dest_folder', 'mime_type', 'orig_width', 'orig_height', 'image_type', 'size_str', 'full_src_path', 'full_dst_path'); foreach ($props as $val) { @@ -1767,4 +1767,4 @@ public function display_errors($open = '

', $close = '

') } /* End of file Image_lib.php */ -/* Location: ./system/libraries/Image_lib.php */ \ No newline at end of file +/* Location: ./system/libraries/Image_lib.php */ From 7ee2034cabf965c68861b68093f126befbf26727 Mon Sep 17 00:00:00 2001 From: Sam Doidge Date: Wed, 13 Mar 2013 04:43:55 +0000 Subject: [PATCH 0628/3829] removing linebreak --- system/libraries/Image_lib.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index 7f01ac028fa..b6a11a3a526 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -1767,4 +1767,4 @@ public function display_errors($open = '

', $close = '

') } /* End of file Image_lib.php */ -/* Location: ./system/libraries/Image_lib.php */ +/* Location: ./system/libraries/Image_lib.php */ \ No newline at end of file From 13f6eabafa655828a8c09b4ae0a58a2e3776c269 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 15 Mar 2013 10:56:55 +0200 Subject: [PATCH 0629/3829] Fix MSSQL ALTER TABLE ADD statement An improved version of PR #2329 --- system/database/DB_forge.php | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index 53cdd53b667..d52029ecd18 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -680,8 +680,12 @@ protected function _alter_table($alter_type, $table, $field) return $sql.'DROP COLUMN '.$this->db->escape_identifiers($field); } + $sql .= ($alter_type === 'ADD') + ? 'ADD ' + : $alter_type.' COLUMN '; + $sqls = array(); - for ($i = 0, $c = count($field), $sql .= $alter_type.' COLUMN '; $i < $c; $i++) + for ($i = 0, $c = count($field); $i < $c; $i++) { $sqls[] = $sql .($field[$i]['_literal'] !== FALSE ? $field[$i]['_literal'] : $this->_process_column($field[$i])); From eaeaad5e974223d814ad7e0fa01d1923dc3c571a Mon Sep 17 00:00:00 2001 From: Katsumi Honda Date: Tue, 19 Mar 2013 17:56:09 +0900 Subject: [PATCH 0630/3829] Fixed problem for transaction test mode. trans_complete function is committed in test mode. Because any database drivers are set _trans_failure in test_mode, And trans_complete function is not evaluate _trans_failure. --- system/database/DB_driver.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 18dbbc76ecd..3e637844879 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -816,7 +816,7 @@ public function trans_complete() } // The query() function will set this flag to FALSE in the event that a query failed - if ($this->_trans_status === FALSE) + if ($this->_trans_status === FALSE || $this->_trans_failure === TRUE) { $this->trans_rollback(); @@ -1859,4 +1859,4 @@ protected function _reset_select() } /* End of file DB_driver.php */ -/* Location: ./system/database/DB_driver.php */ \ No newline at end of file +/* Location: ./system/database/DB_driver.php */ From a7447d205296eeead94617f4b66707e336547b51 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Thu, 21 Mar 2013 15:48:10 +0530 Subject: [PATCH 0631/3829] Added array notation for keys in Input library --- system/core/Input.php | 74 ++++++++++++++++++++++------ system/helpers/form_helper.php | 44 +++++++++++++++-- system/libraries/Form_validation.php | 15 ++++++ user_guide_src/source/changelog.rst | 2 + 4 files changed, 114 insertions(+), 21 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index 8d491e05504..ffe7b4d278a 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -149,21 +149,59 @@ public function __construct() * @param array &$array $_GET, $_POST, $_COOKIE, $_SERVER, etc. * @param string $index Index for item to be fetched from $array * @param bool $xss_clean Whether to apply XSS filtering + * @param bool $recurse Whether to recurse into arrays via nested keys * @return mixed */ - protected function _fetch_from_array(&$array, $index = '', $xss_clean = FALSE) + protected function _fetch_from_array(&$array, $index = '', $xss_clean = FALSE, $recurse = FALSE) { - if ( ! isset($array[$index])) + $value = NULL; + + if (isset($array[$index])) { - return NULL; + $value = $array[$index]; + } + else if($recurse) + { + // We couldn't find the $field as a simple key, so try the nested notation + $key = $index; + $container = $array; + + // Test if the $index is an array name, and try to obtain the final index + if (preg_match_all('/\[(.*?)\]/', $index, $matches)) + { + sscanf($index, '%[^[][', $key); + for ($i = 0, $c = count($matches[0]); $i < $c; $i++) + { + if($matches[1][$i] === '') // The array notation will return the value as array + { + break; + } + if (isset($container[$key])) + { + $container = $container[$key]; + $key = $matches[1][$i]; + } + else + { + $container = array(); + break; + } + } + + // Check if the deepest container has the field + if(isset($container[$key])) + { + $value = $container[$key]; + } + } } if ($xss_clean === TRUE) { - return $this->security->xss_clean($array[$index]); + return $this->security->xss_clean($value); } - return $array[$index]; + return $value; } // -------------------------------------------------------------------- @@ -173,9 +211,10 @@ protected function _fetch_from_array(&$array, $index = '', $xss_clean = FALSE) * * @param string $index Index for item to be fetched from $_GET * @param bool $xss_clean Whether to apply XSS filtering + * @param bool $recurse Whether to recurse into arrays via nested keys * @return mixed */ - public function get($index = NULL, $xss_clean = FALSE) + public function get($index = NULL, $xss_clean = FALSE, $recurse = FALSE) { // Check if a field has been provided if ($index === NULL) @@ -190,12 +229,12 @@ public function get($index = NULL, $xss_clean = FALSE) // loop through the full _GET array foreach (array_keys($_GET) as $key) { - $get[$key] = $this->_fetch_from_array($_GET, $key, $xss_clean); + $get[$key] = $this->_fetch_from_array($_GET, $key, $xss_clean, $recurse); } return $get; } - return $this->_fetch_from_array($_GET, $index, $xss_clean); + return $this->_fetch_from_array($_GET, $index, $xss_clean, $recurse); } // -------------------------------------------------------------------- @@ -205,9 +244,10 @@ public function get($index = NULL, $xss_clean = FALSE) * * @param string $index Index for item to be fetched from $_POST * @param bool $xss_clean Whether to apply XSS filtering + * @param bool $recurse Whether to recurse into arrays via nested keys * @return mixed */ - public function post($index = NULL, $xss_clean = FALSE) + public function post($index = NULL, $xss_clean = FALSE, $recurse = FALSE) { // Check if a field has been provided if ($index === NULL) @@ -222,12 +262,12 @@ public function post($index = NULL, $xss_clean = FALSE) // Loop through the full _POST array and return it foreach (array_keys($_POST) as $key) { - $post[$key] = $this->_fetch_from_array($_POST, $key, $xss_clean); + $post[$key] = $this->_fetch_from_array($_POST, $key, $xss_clean, $recurse); } return $post; } - return $this->_fetch_from_array($_POST, $index, $xss_clean); + return $this->_fetch_from_array($_POST, $index, $xss_clean, $recurse); } // -------------------------------------------------------------------- @@ -237,13 +277,14 @@ public function post($index = NULL, $xss_clean = FALSE) * * @param string $index Index for item to be fetched from $_POST or $_GET * @param bool $xss_clean Whether to apply XSS filtering + * @param bool $recurse Whether to recurse into arrays via nested keys * @return mixed */ - public function get_post($index = '', $xss_clean = FALSE) + public function get_post($index = '', $xss_clean = FALSE, $recurse = FALSE) { return isset($_POST[$index]) - ? $this->post($index, $xss_clean) - : $this->get($index, $xss_clean); + ? $this->post($index, $xss_clean, $recurse) + : $this->get($index, $xss_clean, $recurse); } // -------------------------------------------------------------------- @@ -253,11 +294,12 @@ public function get_post($index = '', $xss_clean = FALSE) * * @param string $index Index for item to be fetched from $_COOKIE * @param bool $xss_clean Whether to apply XSS filtering + * @param bool $recurse Whether to recurse into arrays via nested keys * @return mixed */ - public function cookie($index = '', $xss_clean = FALSE) + public function cookie($index = '', $xss_clean = FALSE, $recurse = FALSE) { - return $this->_fetch_from_array($_COOKIE, $index, $xss_clean); + return $this->_fetch_from_array($_COOKIE, $index, $xss_clean, $recurse); } // -------------------------------------------------------------------- diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 692909c79d0..d2c22b05c38 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -642,14 +642,17 @@ function form_prep($str = '', $is_textarea = FALSE) */ function set_value($field = '', $default = '', $is_textarea = FALSE) { - if (FALSE === ($OBJ =& _get_validation_object())) + if (FALSE !== ($OBJ =& _get_validation_object()) && $OBJ->has_rule($field)) + { + return form_prep($OBJ->set_value($field, $default), $is_textarea); + } + + if (FALSE !== ($OBJ =& _get_input_object()) && ($value = $OBJ->post($field, FALSE, TRUE))) { - return isset($_POST[$field]) - ? form_prep($_POST[$field], $is_textarea) - : form_prep($default, $is_textarea); + return form_prep($value, $is_textarea); } - return form_prep($OBJ->set_value($field, $default), $is_textarea); + return form_prep($default, $is_textarea); } } @@ -1004,5 +1007,36 @@ function &_get_validation_object() } } +// ------------------------------------------------------------------------ + +if ( ! function_exists('_get_input_object')) +{ + /** + * Input Object + * + * Fetches the input object + * + * @return mixed + */ + function &_get_input_object() + { + $CI =& get_instance(); + + // We set this as a variable since we're returning by reference. + $return = FALSE; + + if ( ! isset($CI->input) OR ! is_object($CI->input)) + { + return $return; + } + else + { + $return = $CI->input; + } + + return $return; + } +} + /* End of file form_helper.php */ /* Location: ./system/helpers/form_helper.php */ \ No newline at end of file diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 172e799f647..1ed50844cf0 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -835,6 +835,21 @@ protected function _build_error_msg($line, $field = '', $param = '') // -------------------------------------------------------------------- + /** + * Checks if the rule is present within the validator + * + * Permits you to check if a rule is present within the validator + * + * @param string the field name + * @return bool + */ + public function has_rule($field) + { + return isset($this->_field_data[$field]); + } + + // -------------------------------------------------------------------- + /** * Get the value from a form * diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index a9c420af13d..33fc8fa9e4b 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -304,6 +304,7 @@ Release Date: Not Released - Changed method ``valid_ip()`` to use PHP's native ``filter_var()`` function. - Changed internal method ``_sanitize_globals()`` to skip enforcing reversal of *register_globals* in PHP 5.4+, where this functionality no longer exists. - Changed methods ``get()``, ``post()``, ``get_post()``, ``cookie()``, ``server()``, ``user_agent()`` to return NULL instead of FALSE when no value is found. + - Added provision for using array notation for keys. - :doc:`Common functions ` changes include: - Added function :php:func:`get_mimes()` to return the *application/config/mimes.php* array. - Added support for HTTP code 303 ("See Other") in :php:func:`set_status_header()`. @@ -489,6 +490,7 @@ Bug fixes for 3.0 - Fixed a bug (#2234) - :doc:`Query Builder ` didn't reset JOIN cache for write-type queries. - Fixed a bug (#2298) - :doc:`Database Results ` method `next_row()` kept returning the last row, allowing for infinite loops. - Fixed a bug (#2289) - :doc:`Email Library ` method `_smtp_authenticate()` returned prematurely from authentication due to opposite condition check. +- Fixed a bug (#2236) - :doc:`Form Helper ` function ``set_value()`` didn't parse array notation for keys if the rule was not present in the :doc:`Form Validation Library `. Version 2.1.3 ============= From 395e2df7ff74fe9bf4c669dea3f6ae5eb46b081e Mon Sep 17 00:00:00 2001 From: RJ garcia Date: Thu, 21 Mar 2013 10:48:24 -0500 Subject: [PATCH 0632/3829] Making a performance modification to DB_driver list_fields() Signed-off-by: RJ garcia --- system/database/DB_driver.php | 9 ++------- 1 file changed, 2 insertions(+), 7 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 18dbbc76ecd..04490c82448 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1208,13 +1208,8 @@ public function list_fields($table = '') } else { - /* We have no other choice but to just get the first element's key. - * Due to array_shift() accepting it's argument by reference, if - * E_STRICT is on, this would trigger a warning. So we'll have to - * assign it first. - */ - $key = array_keys($row); - $key = array_shift($key); + // We have no other choice but to just get the first element's key. + $key = key($row); } } From a945d078d769f00410d10d10b9fdac3ea2e55b45 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Fri, 22 Mar 2013 00:49:11 +0530 Subject: [PATCH 0633/3829] Removed entry for erroneous bugfix --- user_guide_src/source/changelog.rst | 1 - 1 file changed, 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 33fc8fa9e4b..bc74973e0cc 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -489,7 +489,6 @@ Bug fixes for 3.0 - Fixed a bug (#2239) - :doc:`Email Library ` improperly handled the Subject when used with ``bcc_batch_mode`` resulting in E_WARNING messages and an empty Subject. - Fixed a bug (#2234) - :doc:`Query Builder ` didn't reset JOIN cache for write-type queries. - Fixed a bug (#2298) - :doc:`Database Results ` method `next_row()` kept returning the last row, allowing for infinite loops. -- Fixed a bug (#2289) - :doc:`Email Library ` method `_smtp_authenticate()` returned prematurely from authentication due to opposite condition check. - Fixed a bug (#2236) - :doc:`Form Helper ` function ``set_value()`` didn't parse array notation for keys if the rule was not present in the :doc:`Form Validation Library `. Version 2.1.3 From e15d1be514dad1df7a3c38d6265566692ecf1260 Mon Sep 17 00:00:00 2001 From: Zach Cardoza Date: Fri, 22 Mar 2013 14:50:39 -0700 Subject: [PATCH 0634/3829] Fixed error in Form Helper textarea function Function had declaration of unused $name variable which caused errors. --- system/helpers/form_helper.php | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 692909c79d0..84a3e80cf73 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -261,7 +261,6 @@ function form_textarea($data = '', $value = '', $extra = '') unset($data['value']); // textareas don't use the value attribute } - $name = is_array($data) ? $data['name'] : $data; return '\n"; } } @@ -1005,4 +1004,4 @@ function &_get_validation_object() } /* End of file form_helper.php */ -/* Location: ./system/helpers/form_helper.php */ \ No newline at end of file +/* Location: ./system/helpers/form_helper.php */ From a5bcfb1d291d42521b0dc420b1b501c36710277d Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Sat, 23 Mar 2013 10:53:51 +0530 Subject: [PATCH 0635/3829] Removed $recurse parameter in lieu of auto parsing. Changed "provision" entry. --- system/core/Input.php | 32 ++++++++++++----------------- system/helpers/form_helper.php | 2 +- user_guide_src/source/changelog.rst | 2 +- 3 files changed, 15 insertions(+), 21 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index ffe7b4d278a..7424a003a12 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -149,10 +149,9 @@ public function __construct() * @param array &$array $_GET, $_POST, $_COOKIE, $_SERVER, etc. * @param string $index Index for item to be fetched from $array * @param bool $xss_clean Whether to apply XSS filtering - * @param bool $recurse Whether to recurse into arrays via nested keys * @return mixed */ - protected function _fetch_from_array(&$array, $index = '', $xss_clean = FALSE, $recurse = FALSE) + protected function _fetch_from_array(&$array, $index = '', $xss_clean = FALSE) { $value = NULL; @@ -160,9 +159,8 @@ protected function _fetch_from_array(&$array, $index = '', $xss_clean = FALSE, $ { $value = $array[$index]; } - else if($recurse) + else if(preg_match('/\[[^]]*\]$/', $index)) // Does the index contain array notation { - // We couldn't find the $field as a simple key, so try the nested notation $key = $index; $container = $array; @@ -211,10 +209,9 @@ protected function _fetch_from_array(&$array, $index = '', $xss_clean = FALSE, $ * * @param string $index Index for item to be fetched from $_GET * @param bool $xss_clean Whether to apply XSS filtering - * @param bool $recurse Whether to recurse into arrays via nested keys * @return mixed */ - public function get($index = NULL, $xss_clean = FALSE, $recurse = FALSE) + public function get($index = NULL, $xss_clean = FALSE) { // Check if a field has been provided if ($index === NULL) @@ -229,12 +226,12 @@ public function get($index = NULL, $xss_clean = FALSE, $recurse = FALSE) // loop through the full _GET array foreach (array_keys($_GET) as $key) { - $get[$key] = $this->_fetch_from_array($_GET, $key, $xss_clean, $recurse); + $get[$key] = $this->_fetch_from_array($_GET, $key, $xss_clean); } return $get; } - return $this->_fetch_from_array($_GET, $index, $xss_clean, $recurse); + return $this->_fetch_from_array($_GET, $index, $xss_clean); } // -------------------------------------------------------------------- @@ -244,10 +241,9 @@ public function get($index = NULL, $xss_clean = FALSE, $recurse = FALSE) * * @param string $index Index for item to be fetched from $_POST * @param bool $xss_clean Whether to apply XSS filtering - * @param bool $recurse Whether to recurse into arrays via nested keys * @return mixed */ - public function post($index = NULL, $xss_clean = FALSE, $recurse = FALSE) + public function post($index = NULL, $xss_clean = FALSE) { // Check if a field has been provided if ($index === NULL) @@ -262,12 +258,12 @@ public function post($index = NULL, $xss_clean = FALSE, $recurse = FALSE) // Loop through the full _POST array and return it foreach (array_keys($_POST) as $key) { - $post[$key] = $this->_fetch_from_array($_POST, $key, $xss_clean, $recurse); + $post[$key] = $this->_fetch_from_array($_POST, $key, $xss_clean); } return $post; } - return $this->_fetch_from_array($_POST, $index, $xss_clean, $recurse); + return $this->_fetch_from_array($_POST, $index, $xss_clean); } // -------------------------------------------------------------------- @@ -277,14 +273,13 @@ public function post($index = NULL, $xss_clean = FALSE, $recurse = FALSE) * * @param string $index Index for item to be fetched from $_POST or $_GET * @param bool $xss_clean Whether to apply XSS filtering - * @param bool $recurse Whether to recurse into arrays via nested keys * @return mixed */ - public function get_post($index = '', $xss_clean = FALSE, $recurse = FALSE) + public function get_post($index = '', $xss_clean = FALSE) { return isset($_POST[$index]) - ? $this->post($index, $xss_clean, $recurse) - : $this->get($index, $xss_clean, $recurse); + ? $this->post($index, $xss_clean) + : $this->get($index, $xss_clean); } // -------------------------------------------------------------------- @@ -294,12 +289,11 @@ public function get_post($index = '', $xss_clean = FALSE, $recurse = FALSE) * * @param string $index Index for item to be fetched from $_COOKIE * @param bool $xss_clean Whether to apply XSS filtering - * @param bool $recurse Whether to recurse into arrays via nested keys * @return mixed */ - public function cookie($index = '', $xss_clean = FALSE, $recurse = FALSE) + public function cookie($index = '', $xss_clean = FALSE) { - return $this->_fetch_from_array($_COOKIE, $index, $xss_clean, $recurse); + return $this->_fetch_from_array($_COOKIE, $index, $xss_clean); } // -------------------------------------------------------------------- diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index d2c22b05c38..2238af92a86 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -647,7 +647,7 @@ function set_value($field = '', $default = '', $is_textarea = FALSE) return form_prep($OBJ->set_value($field, $default), $is_textarea); } - if (FALSE !== ($OBJ =& _get_input_object()) && ($value = $OBJ->post($field, FALSE, TRUE))) + if (FALSE !== ($OBJ =& _get_input_object()) && ($value = $OBJ->post($field, FALSE))) { return form_prep($value, $is_textarea); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index bc74973e0cc..6ef08c1a92f 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -304,7 +304,7 @@ Release Date: Not Released - Changed method ``valid_ip()`` to use PHP's native ``filter_var()`` function. - Changed internal method ``_sanitize_globals()`` to skip enforcing reversal of *register_globals* in PHP 5.4+, where this functionality no longer exists. - Changed methods ``get()``, ``post()``, ``get_post()``, ``cookie()``, ``server()``, ``user_agent()`` to return NULL instead of FALSE when no value is found. - - Added provision for using array notation for keys. + - Changed method ``_fetch_from_array()`` to parse array notation in field name. - :doc:`Common functions ` changes include: - Added function :php:func:`get_mimes()` to return the *application/config/mimes.php* array. - Added support for HTTP code 303 ("See Other") in :php:func:`set_status_header()`. From 9f27a3e0a86c7ffb1751a6815eaf475c28ca96ba Mon Sep 17 00:00:00 2001 From: Zachary Cardoza Date: Sat, 23 Mar 2013 21:59:20 -0700 Subject: [PATCH 0636/3829] Revert "Fixed error in Form Helper textarea function" This reverts commit e15d1be514dad1df7a3c38d6265566692ecf1260. --- system/helpers/form_helper.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 84a3e80cf73..692909c79d0 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -261,6 +261,7 @@ function form_textarea($data = '', $value = '', $extra = '') unset($data['value']); // textareas don't use the value attribute } + $name = is_array($data) ? $data['name'] : $data; return '\n"; } } @@ -1004,4 +1005,4 @@ function &_get_validation_object() } /* End of file form_helper.php */ -/* Location: ./system/helpers/form_helper.php */ +/* Location: ./system/helpers/form_helper.php */ \ No newline at end of file From d4d6e093cc706535398ea0a3800530d1b305f3a8 Mon Sep 17 00:00:00 2001 From: Zachary Cardoza Date: Sat, 23 Mar 2013 22:02:07 -0700 Subject: [PATCH 0637/3829] Fixed error in form_textarea helper function Reverted from GitHub edited version to remove document line end character. Good to merge now. --- system/helpers/form_helper.php | 1 - 1 file changed, 1 deletion(-) diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 692909c79d0..fd9e7be7c26 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -261,7 +261,6 @@ function form_textarea($data = '', $value = '', $extra = '') unset($data['value']); // textareas don't use the value attribute } - $name = is_array($data) ? $data['name'] : $data; return '\n"; } } From 7b1a2f1f40d940dde34e47b36808a84e0353af56 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Mon, 25 Mar 2013 11:29:53 +0530 Subject: [PATCH 0638/3829] Changed "else if" to "elseif" --- system/core/Input.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Input.php b/system/core/Input.php index 7424a003a12..6ee132005da 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -159,7 +159,7 @@ protected function _fetch_from_array(&$array, $index = '', $xss_clean = FALSE) { $value = $array[$index]; } - else if(preg_match('/\[[^]]*\]$/', $index)) // Does the index contain array notation + elseif(preg_match('/\[[^]]*\]$/', $index)) // Does the index contain array notation { $key = $index; $container = $array; From 77236e055234cbbc9f6ca6be472c70077a1f5856 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Mon, 25 Mar 2013 23:42:36 +0530 Subject: [PATCH 0639/3829] Simplified notation parsing and other cosmetic fixes --- system/core/Input.php | 47 ++++++++++++---------------------- system/helpers/form_helper.php | 34 ++---------------------- 2 files changed, 18 insertions(+), 63 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index 6ee132005da..d707fe25cc7 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -153,53 +153,38 @@ public function __construct() */ protected function _fetch_from_array(&$array, $index = '', $xss_clean = FALSE) { - $value = NULL; - if (isset($array[$index])) { $value = $array[$index]; } - elseif(preg_match('/\[[^]]*\]$/', $index)) // Does the index contain array notation + elseif (($count = preg_match_all('/(?:^[^\[]+)|\[[^]]*\]/', $index, $matches)) > 1) // Does the index contain array notation { - $key = $index; $container = $array; - - // Test if the $index is an array name, and try to obtain the final index - if (preg_match_all('/\[(.*?)\]/', $index, $matches)) + for ($i = 0; $i < $count; $i++) { - sscanf($index, '%[^[][', $key); - for ($i = 0, $c = count($matches[0]); $i < $c; $i++) + $key = trim($matches[0][$i], '[]'); + if($key === '') // The array notation will return the value as array { - if($matches[1][$i] === '') // The array notation will return the value as array - { - break; - } - if (isset($container[$key])) - { - $container = $container[$key]; - $key = $matches[1][$i]; - } - else - { - $container = array(); - break; - } + break; } - - // Check if the deepest container has the field - if(isset($container[$key])) + if (isset($container[$key])) + { + $value = $container = $container[$key]; + } + else { - $value = $container[$key]; + return NULL; } } } - - if ($xss_clean === TRUE) + else { - return $this->security->xss_clean($value); + return NULL; } - return $value; + return ($xss_clean === TRUE) + ? $this->security->xss_clean($value) + : $value; } // -------------------------------------------------------------------- diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 2238af92a86..443a06a2d24 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -647,7 +647,8 @@ function set_value($field = '', $default = '', $is_textarea = FALSE) return form_prep($OBJ->set_value($field, $default), $is_textarea); } - if (FALSE !== ($OBJ =& _get_input_object()) && ($value = $OBJ->post($field, FALSE))) + $CI =& get_instance(); + if (NULL !== ($value = $CI->input->post($field, FALSE))) { return form_prep($value, $is_textarea); } @@ -1007,36 +1008,5 @@ function &_get_validation_object() } } -// ------------------------------------------------------------------------ - -if ( ! function_exists('_get_input_object')) -{ - /** - * Input Object - * - * Fetches the input object - * - * @return mixed - */ - function &_get_input_object() - { - $CI =& get_instance(); - - // We set this as a variable since we're returning by reference. - $return = FALSE; - - if ( ! isset($CI->input) OR ! is_object($CI->input)) - { - return $return; - } - else - { - $return = $CI->input; - } - - return $return; - } -} - /* End of file form_helper.php */ /* Location: ./system/helpers/form_helper.php */ \ No newline at end of file From 771308113f35d3167c6759f577aa536afd6264d1 Mon Sep 17 00:00:00 2001 From: Darren Benney Date: Tue, 26 Mar 2013 02:22:35 +0000 Subject: [PATCH 0640/3829] There are 21 preferences, not 17 --- user_guide_src/source/libraries/email.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/email.rst b/user_guide_src/source/libraries/email.rst index a55f1895dd5..39629ece166 100644 --- a/user_guide_src/source/libraries/email.rst +++ b/user_guide_src/source/libraries/email.rst @@ -43,7 +43,7 @@ This example assumes you are sending the email from one of your Setting Email Preferences ========================= -There are 17 different preferences available to tailor how your email +There are 21 different preferences available to tailor how your email messages are sent. You can either set them manually as described here, or automatically via preferences stored in your config file, described below: From 47ea5a8b99e17e9513be57d0af92f9e2637569b2 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Tue, 26 Mar 2013 18:57:28 +0530 Subject: [PATCH 0641/3829] Code fixes in line with suggestions --- system/core/Input.php | 11 ++++++----- system/helpers/form_helper.php | 15 +++++---------- 2 files changed, 11 insertions(+), 15 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index d707fe25cc7..1e21886ffe4 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -157,19 +157,20 @@ protected function _fetch_from_array(&$array, $index = '', $xss_clean = FALSE) { $value = $array[$index]; } - elseif (($count = preg_match_all('/(?:^[^\[]+)|\[[^]]*\]/', $index, $matches)) > 1) // Does the index contain array notation + elseif (($count = preg_match_all('/(?:^[^\[]+)|\[[^]]*\]/', $index, $matches)) > 1) // Does the index contain array notation { - $container = $array; + $value = $array; for ($i = 0; $i < $count; $i++) { $key = trim($matches[0][$i], '[]'); - if($key === '') // The array notation will return the value as array + if($key === '') // Empty notation will return the value as array { break; } - if (isset($container[$key])) + + if (isset($value[$key])) { - $value = $container = $container[$key]; + $value = $value[$key]; } else { diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 443a06a2d24..e2c0cc4c530 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -642,18 +642,13 @@ function form_prep($str = '', $is_textarea = FALSE) */ function set_value($field = '', $default = '', $is_textarea = FALSE) { - if (FALSE !== ($OBJ =& _get_validation_object()) && $OBJ->has_rule($field)) - { - return form_prep($OBJ->set_value($field, $default), $is_textarea); - } - $CI =& get_instance(); - if (NULL !== ($value = $CI->input->post($field, FALSE))) - { - return form_prep($value, $is_textarea); - } - return form_prep($default, $is_textarea); + $value = (isset($CI->form_validation) && is_object($CI->form_validation) && $CI->form_validation->has_rule($field)) + ? $CI->form_validation->set_value($field, $default) + : $CI->input->post($field, FALSE); + + return form_prep($value === NULL ? $default : $value, $is_textarea); } } From 408cbb4f3582ac64bb534a6539370992071d5950 Mon Sep 17 00:00:00 2001 From: nisheeth-barthwal Date: Tue, 26 Mar 2013 19:06:40 +0530 Subject: [PATCH 0642/3829] Code style fix --- system/core/Input.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Input.php b/system/core/Input.php index 1e21886ffe4..6690b7f2e76 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -163,7 +163,7 @@ protected function _fetch_from_array(&$array, $index = '', $xss_clean = FALSE) for ($i = 0; $i < $count; $i++) { $key = trim($matches[0][$i], '[]'); - if($key === '') // Empty notation will return the value as array + if ($key === '') // Empty notation will return the value as array { break; } From 3b0c08ac289cf14c86feadf1c836b8b87f61cdbf Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 29 Mar 2013 15:15:41 +0200 Subject: [PATCH 0643/3829] Fix #2353 --- system/database/DB_driver.php | 5 ++++- user_guide_src/source/changelog.rst | 3 ++- 2 files changed, 6 insertions(+), 2 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 04490c82448..bbefbe566fa 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1706,7 +1706,10 @@ public function protect_identifiers($item, $prefix_single = FALSE, $protect_iden // If a parenthesis is found we know that we do not need to // escape the data or add a prefix. There's probably a more graceful // way to deal with this, but I'm not thinking of it -- Rick - if (strpos($item, '(') !== FALSE) + // + // Added exception for single quotes as well, we don't want to alter + // literal strings. -- Narf + if (strpos($item, '(') !== FALSE OR strpos($item, "'") !== FALSE) { return $item; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 6ef08c1a92f..21d0bde6361 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -482,7 +482,7 @@ Bug fixes for 3.0 - Fixed a bug (#113) - :doc:`Form Validation Library ` didn't properly handle empty fields that were specified as an array. - Fixed a bug (#2061) - :doc:`Routing Class ` didn't properly sanitize directory, controller and function triggers with **enable_query_strings** set to TRUE. - Fixed a bug - SQLSRV didn't support ``escape_like_str()`` or escaping an array of values. -- Fixed a bug - :doc:`DB result ` method ``list_fields()`` didn't reset its field pointer for the *mysql*, *mysqli* and *mssql* drivers. +- Fixed a bug - :doc:`Database Results ` method ``list_fields()`` didn't reset its field pointer for the *mysql*, *mysqli* and *mssql* drivers. - Fixed a bug (#73) - :doc:`Security Library ` method ``sanitize_filename()`` could be tricked by an XSS attack. - Fixed a bug (#2211) - :doc:`Migration Library ` extensions couldn't execute ``CI_Migration::__construct()``. - Fixed a bug (#2255) - :doc:`Email Library ` didn't apply ``smtp_timeout`` to socket reads and writes. @@ -490,6 +490,7 @@ Bug fixes for 3.0 - Fixed a bug (#2234) - :doc:`Query Builder ` didn't reset JOIN cache for write-type queries. - Fixed a bug (#2298) - :doc:`Database Results ` method `next_row()` kept returning the last row, allowing for infinite loops. - Fixed a bug (#2236) - :doc:`Form Helper ` function ``set_value()`` didn't parse array notation for keys if the rule was not present in the :doc:`Form Validation Library `. +- Fixed a bug (#2353) - :doc:`Query Builder ` erroneously prefixed literal strings with **dbprefix**. Version 2.1.3 ============= From 52301c76a9aa202927cade48e7528606d352db54 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Fri, 29 Mar 2013 14:23:34 +0100 Subject: [PATCH 0644/3829] Documentation: fix some outdated paths --- system/core/Common.php | 2 +- system/database/DB_driver.php | 2 +- user_guide_src/source/general/errors.rst | 4 ++-- user_guide_src/source/general/managing_apps.rst | 2 +- user_guide_src/source/general/routing.rst | 2 +- 5 files changed, 6 insertions(+), 6 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 10c22375ebf..efa7a9380e7 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -359,7 +359,7 @@ function is_https() * * This function lets us invoke the exception class and * display errors using the standard error template located - * in application/errors/errors.php + * in application/views/errors/error_general.php * This function will send the error page directly to the * browser and exit. * diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 04490c82448..6833172f671 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1609,7 +1609,7 @@ protected function _close() * @param string the error message * @param string any "swap" values * @param bool whether to localize the message - * @return string sends the application/error_db.php template + * @return string sends the application/views/errors/error_db.php template */ public function display_error($error = '', $swap = '', $native = FALSE) { diff --git a/user_guide_src/source/general/errors.rst b/user_guide_src/source/general/errors.rst index 441cedb8073..a247c1b9faa 100644 --- a/user_guide_src/source/general/errors.rst +++ b/user_guide_src/source/general/errors.rst @@ -42,7 +42,7 @@ show_error() This function will display the error message supplied to it using the following error template:: - application/errors/error_general.php + application/views/errors/error_general.php The optional parameter ``$status_code`` determines what HTTP status code should be sent with the error. If ``$status_code`` is less than 100, @@ -64,7 +64,7 @@ show_404() This function will display the 404 error message supplied to it using the following error template:: - application/errors/error_404.php + application/views/errors/error_404.php The function expects the string passed to it to be the file path to the page that isn't found. The exit status code will be set to ``EXIT_UNKNOWN_FILE``. diff --git a/user_guide_src/source/general/managing_apps.rst b/user_guide_src/source/general/managing_apps.rst index afb1aba2ec4..3ca0e03a731 100644 --- a/user_guide_src/source/general/managing_apps.rst +++ b/user_guide_src/source/general/managing_apps.rst @@ -21,7 +21,7 @@ Relocating your Application Directory ===================================== It is possible to move your application directory to a different -location on your server than your system directory. To do so open +location on your server than your web root. To do so open your main index.php and set a *full server path* in the ``$application_folder`` variable:: diff --git a/user_guide_src/source/general/routing.rst b/user_guide_src/source/general/routing.rst index 0c6dfe8881f..123257fc8bd 100644 --- a/user_guide_src/source/general/routing.rst +++ b/user_guide_src/source/general/routing.rst @@ -163,7 +163,7 @@ This route indicates which controller class should be loaded if the requested controller is not found. It will override the default 404 error page. It won't affect to the ``show_404()`` function, which will continue loading the default *error_404.php* file at -*application/errors/error_404.php*. +*application/views/errors/error_404.php*. .. important:: The reserved routes must come before any wildcard or regular expression routes. \ No newline at end of file From 4052c73289803cabb7856620a88ca97bcc7d5ee0 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Fri, 29 Mar 2013 16:21:17 +0100 Subject: [PATCH 0645/3829] index.php: minor improvement in VIEWPATH definition code Fixes an oversight from 806ca600d3669343ee7ae90a9b5d65be9dfdbefe --- index.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/index.php b/index.php index c6314da1fb3..cfb003eb87c 100755 --- a/index.php +++ b/index.php @@ -255,7 +255,7 @@ if (($_temp = realpath($view_folder)) !== FALSE) { - $view_folder = realpath($view_folder).'/'; + $view_folder = $_temp.'/'; } else { From 4ad3708eaed5dbf7754809edecd0d4b4ffb4339f Mon Sep 17 00:00:00 2001 From: vlakoff Date: Fri, 29 Mar 2013 18:14:22 +0100 Subject: [PATCH 0646/3829] User guide: fix list of allowed URI characters --- user_guide_src/source/general/security.rst | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/general/security.rst b/user_guide_src/source/general/security.rst index 984ca840b21..3f93443bb6d 100644 --- a/user_guide_src/source/general/security.rst +++ b/user_guide_src/source/general/security.rst @@ -15,11 +15,12 @@ the following: - Alpha-numeric text (latin characters only) - Tilde: ~ +- Percent sign: % - Period: . - Colon: : - Underscore: \_ - Dash: - -- Pipe: | +- Space Register_globals ================= From 0612756dd37a3472259a19814e1a9bb403ab6e11 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Sat, 30 Mar 2013 00:06:39 +0100 Subject: [PATCH 0647/3829] Some cleanup related to mt_rand() - min and max values are 0 and mt_getrandmax() by default - remove useless mt_srand() seed calls --- system/core/Common.php | 2 +- system/core/Security.php | 3 +-- system/libraries/Encrypt.php | 2 +- system/libraries/Session/drivers/Session_cookie.php | 3 +-- system/libraries/Upload.php | 1 - 5 files changed, 4 insertions(+), 7 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index efa7a9380e7..b4f0c388ef4 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -92,7 +92,7 @@ function is_really_writable($file) */ if (is_dir($file)) { - $file = rtrim($file, '/').'/'.md5(mt_rand(1,100).mt_rand(1,100)); + $file = rtrim($file, '/').'/'.md5(mt_rand()); if (($fp = @fopen($file, FOPEN_WRITE_CREATE)) === FALSE) { return FALSE; diff --git a/system/core/Security.php b/system/core/Security.php index 7aae54efc87..196d6114467 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -488,8 +488,7 @@ public function xss_hash() { if ($this->_xss_hash === '') { - mt_srand(); - $this->_xss_hash = md5(time() + mt_rand(0, 1999999999)); + $this->_xss_hash = md5(uniqid(mt_rand())); } return $this->_xss_hash; diff --git a/system/libraries/Encrypt.php b/system/libraries/Encrypt.php index c6a1cb1750a..8ac5420dee0 100644 --- a/system/libraries/Encrypt.php +++ b/system/libraries/Encrypt.php @@ -244,7 +244,7 @@ protected function _xor_encode($string, $key) $rand = ''; do { - $rand .= mt_rand(0, mt_getrandmax()); + $rand .= mt_rand(); } while (strlen($rand) < 32); diff --git a/system/libraries/Session/drivers/Session_cookie.php b/system/libraries/Session/drivers/Session_cookie.php index 0e864410267..7174d63c853 100644 --- a/system/libraries/Session/drivers/Session_cookie.php +++ b/system/libraries/Session/drivers/Session_cookie.php @@ -641,7 +641,7 @@ protected function _make_sess_id() $new_sessid = ''; do { - $new_sessid .= mt_rand(0, mt_getrandmax()); + $new_sessid .= mt_rand(); } while (strlen($new_sessid) < 32); @@ -832,7 +832,6 @@ protected function _sess_gc() $probability = ini_get('session.gc_probability'); $divisor = ini_get('session.gc_divisor'); - srand(time()); if ((mt_rand(0, $divisor) / $divisor) < $probability) { $expire = $this->now - $this->sess_expiration; diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 1c14f99ed40..1fe49d8a69d 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -604,7 +604,6 @@ public function set_filename($path, $filename) { if ($this->encrypt_name === TRUE) { - mt_srand(); $filename = md5(uniqid(mt_rand())).$this->file_ext; } From 2e746812b59070c005b6eec26f202e92e9751a7a Mon Sep 17 00:00:00 2001 From: TheDragonSlayer Date: Sat, 30 Mar 2013 09:50:27 -0300 Subject: [PATCH 0648/3829] Update user_agents.php Added the PS Vita User Agent to the list. --- application/config/user_agents.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/application/config/user_agents.php b/application/config/user_agents.php index 35c36cb42b7..db75c81c628 100644 --- a/application/config/user_agents.php +++ b/application/config/user_agents.php @@ -149,6 +149,7 @@ 'mot-' => 'Motorola', 'playstation portable' => 'PlayStation Portable', 'playstation 3' => 'PlayStation 3', + 'playstation vita' => 'PlayStation Vita', 'hiptop' => 'Danger Hiptop', 'nec-' => 'NEC', 'panasonic' => 'Panasonic', @@ -218,4 +219,4 @@ ); /* End of file user_agents.php */ -/* Location: ./application/config/user_agents.php */ \ No newline at end of file +/* Location: ./application/config/user_agents.php */ From 14707e3a38aa0c8f0c20c1fff3a1008d34371ee7 Mon Sep 17 00:00:00 2001 From: Darren Benney Date: Sat, 30 Mar 2013 17:26:23 +0000 Subject: [PATCH 0649/3829] Added description to composer.json When executing "composer validate", an error is generated because there is no description. Also removed a couple of tabs and replaced them with spaces to neaten it up slightly. --- composer.json | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/composer.json b/composer.json index e21aaed2edf..44c54b481ef 100644 --- a/composer.json +++ b/composer.json @@ -1,9 +1,10 @@ { + "description" : "Dependencies for CodeIgniter's testing environment", "name" : "ellislab/codeigniter", "require": { "php": ">=5.2.4" }, "require-dev": { - "mikey179/vfsStream": "*" - } -} \ No newline at end of file + "mikey179/vfsStream": "*" + } +} From e123a6046a4c8447a2221c9ed8279848d5cc672b Mon Sep 17 00:00:00 2001 From: Darren Benney Date: Sat, 30 Mar 2013 18:17:54 +0000 Subject: [PATCH 0650/3829] Modified do_upload() to use UPLOAD_ERR constants. Modified switchcase in the do_upload() use the UPLOAD_ERR_* constants, instead of just using an integer, and then commenting out the constant beside it. --- system/libraries/Upload.php | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 1c14f99ed40..0c6b7e6a590 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -366,25 +366,25 @@ public function do_upload($field = 'userfile') switch ($error) { - case 1: // UPLOAD_ERR_INI_SIZE + case UPLOAD_ERR_INI_SIZE: $this->set_error('upload_file_exceeds_limit'); break; - case 2: // UPLOAD_ERR_FORM_SIZE + case UPLOAD_ERR_FORM_SIZE: $this->set_error('upload_file_exceeds_form_limit'); break; - case 3: // UPLOAD_ERR_PARTIAL + case UPLOAD_ERR_PARTIAL: $this->set_error('upload_file_partial'); break; - case 4: // UPLOAD_ERR_NO_FILE + case UPLOAD_ERR_NO_FILE: $this->set_error('upload_no_file_selected'); break; - case 6: // UPLOAD_ERR_NO_TMP_DIR + case UPLOAD_ERR_NO_TMP_DIR: $this->set_error('upload_no_temp_directory'); break; - case 7: // UPLOAD_ERR_CANT_WRITE + case UPLOAD_ERR_CANT_WRITE: $this->set_error('upload_unable_to_write_file'); break; - case 8: // UPLOAD_ERR_EXTENSION + case UPLOAD_ERR_EXTENSION: $this->set_error('upload_stopped_by_extension'); break; default: From 4a8d1907d5fc5c054a24130cece8fe738ba46167 Mon Sep 17 00:00:00 2001 From: Darren Benney Date: Sat, 30 Mar 2013 20:07:49 +0000 Subject: [PATCH 0651/3829] Made set_error() method DRY. --- system/libraries/Upload.php | 24 ++++++++++-------------- 1 file changed, 10 insertions(+), 14 deletions(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 1c14f99ed40..4751a850f82 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -1076,21 +1076,17 @@ public function set_error($msg) $CI =& get_instance(); $CI->lang->load('upload'); - if (is_array($msg)) + if ( ! is_array($msg)) { - foreach ($msg as $val) - { - $msg = ($CI->lang->line($val) === FALSE) ? $val : $CI->lang->line($val); - $this->error_msg[] = $msg; - log_message('error', $msg); - } - } - else - { - $msg = ($CI->lang->line($msg) === FALSE) ? $msg : $CI->lang->line($msg); - $this->error_msg[] = $msg; - log_message('error', $msg); - } + $msg = array($msg); + } + + foreach ($msg as $val) + { + $msg = ($CI->lang->line($val) === FALSE) ? $val : $CI->lang->line($val); + $this->error_msg[] = $msg; + log_message('error', $msg); + } } // -------------------------------------------------------------------- From 38d5f4b98a55012361fc30c4f3e0daa489ca8e21 Mon Sep 17 00:00:00 2001 From: Darren Benney Date: Sat, 30 Mar 2013 21:00:38 +0000 Subject: [PATCH 0652/3829] Reverted indenting spaces back to tabs. (My fault - Sorry!) --- system/libraries/Upload.php | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 4751a850f82..82b46f0941a 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -1078,15 +1078,15 @@ public function set_error($msg) if ( ! is_array($msg)) { - $msg = array($msg); - } - - foreach ($msg as $val) - { - $msg = ($CI->lang->line($val) === FALSE) ? $val : $CI->lang->line($val); - $this->error_msg[] = $msg; - log_message('error', $msg); - } + $msg = array($msg); + } + + foreach ($msg as $val) + { + $msg = ($CI->lang->line($val) === FALSE) ? $val : $CI->lang->line($val); + $this->error_msg[] = $msg; + log_message('error', $msg); + } } // -------------------------------------------------------------------- From 714b11ac334bec39cf3f2aea5093e0f61c02f983 Mon Sep 17 00:00:00 2001 From: Darren Benney Date: Sat, 30 Mar 2013 21:04:11 +0000 Subject: [PATCH 0653/3829] Changed spaces to tabs for consistency. --- composer.json | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/composer.json b/composer.json index 44c54b481ef..ccc239400bb 100644 --- a/composer.json +++ b/composer.json @@ -1,10 +1,10 @@ { - "description" : "Dependencies for CodeIgniter's testing environment", - "name" : "ellislab/codeigniter", - "require": { - "php": ">=5.2.4" - }, - "require-dev": { - "mikey179/vfsStream": "*" - } + "description" : "Dependencies for CodeIgniter's testing environment", + "name" : "ellislab/codeigniter", + "require": { + "php": ">=5.2.4" + }, + "require-dev": { + "mikey179/vfsStream": "*" + } } From a8b29ac370a308002bae0850baefc16af642b78e Mon Sep 17 00:00:00 2001 From: Abdul Malik Ikhsan Date: Mon, 1 Apr 2013 01:14:39 +0700 Subject: [PATCH 0654/3829] fix typo : StdClass should be stdClass Signed-off-by: Abdul Malik Ikhsan --- tests/codeigniter/core/Loader_test.php | 2 +- tests/mocks/ci_testcase.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/tests/codeigniter/core/Loader_test.php b/tests/codeigniter/core/Loader_test.php index dea01a55552..e75d0d564aa 100644 --- a/tests/codeigniter/core/Loader_test.php +++ b/tests/codeigniter/core/Loader_test.php @@ -220,7 +220,7 @@ public function test_model_subdir() // Test name conflict $obj = 'conflict'; - $this->ci_obj->$obj = new StdClass(); + $this->ci_obj->$obj = new stdClass(); $this->setExpectedException( 'RuntimeException', 'CI Error: The model name you are loading is the name of a resource that is already being used: '.$obj diff --git a/tests/mocks/ci_testcase.php b/tests/mocks/ci_testcase.php index f164929458a..ad4fe5ac3d7 100644 --- a/tests/mocks/ci_testcase.php +++ b/tests/mocks/ci_testcase.php @@ -27,7 +27,7 @@ class CI_TestCase extends PHPUnit_Framework_TestCase { public function __construct() { parent::__construct(); - $this->ci_instance = new StdClass(); + $this->ci_instance = new stdClass(); } // -------------------------------------------------------------------- From e514c764f599dcac5bb07ee0df761878a1066396 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 1 Apr 2013 10:36:44 +0300 Subject: [PATCH 0655/3829] [ci skip] Add changelog entries for PR #2303 --- user_guide_src/source/changelog.rst | 2 ++ 1 file changed, 2 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 21d0bde6361..86907ca5381 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -221,6 +221,7 @@ Release Date: Not Released - *Product Name* strictness can be disabled by switching the ``$product_name_safe`` property to FALSE. - Added method ``remove()`` to remove a cart item, updating with quantity of 0 seemed like a hack but has remained to retain compatibility. - Added method ``get_item()`` to enable retrieving data for a single cart item. + - Added unicode support for product names. - :doc:`Image Manipulation library ` changes include: - The ``initialize()`` method now only sets existing class properties. - Added support for 3-length hex color values for *wm_font_color* and *wm_shadow_color* properties, as well as validation for them. @@ -491,6 +492,7 @@ Bug fixes for 3.0 - Fixed a bug (#2298) - :doc:`Database Results ` method `next_row()` kept returning the last row, allowing for infinite loops. - Fixed a bug (#2236) - :doc:`Form Helper ` function ``set_value()`` didn't parse array notation for keys if the rule was not present in the :doc:`Form Validation Library `. - Fixed a bug (#2353) - :doc:`Query Builder ` erroneously prefixed literal strings with **dbprefix**. +- Fixed a bug (#78) - :doc:`Cart Library ` didn't allow non-English letters in product names. Version 2.1.3 ============= From 492a3e332f4fb4da0beb28a12ec1ea234b875750 Mon Sep 17 00:00:00 2001 From: Darren Benney Date: Mon, 1 Apr 2013 10:22:39 +0100 Subject: [PATCH 0656/3829] Removed newline at EOF --- composer.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/composer.json b/composer.json index ccc239400bb..29715763f2d 100644 --- a/composer.json +++ b/composer.json @@ -7,4 +7,4 @@ "require-dev": { "mikey179/vfsStream": "*" } -} +} \ No newline at end of file From 93f0b8f642abbafdb0b543f348ff1655adf919e6 Mon Sep 17 00:00:00 2001 From: Katsumi Honda Date: Wed, 3 Apr 2013 21:31:53 +0900 Subject: [PATCH 0657/3829] fixed for styleguide. || to OR remove the empty line at EOF --- system/database/DB_driver.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 3e637844879..4f2f491eecf 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -816,7 +816,7 @@ public function trans_complete() } // The query() function will set this flag to FALSE in the event that a query failed - if ($this->_trans_status === FALSE || $this->_trans_failure === TRUE) + if ($this->_trans_status === FALSE or $this->_trans_failure === TRUE) { $this->trans_rollback(); @@ -1859,4 +1859,4 @@ protected function _reset_select() } /* End of file DB_driver.php */ -/* Location: ./system/database/DB_driver.php */ +/* Location: ./system/database/DB_driver.php */ \ No newline at end of file From fa99dc6e81cecfca434ba5b94d9f59647aa721c6 Mon Sep 17 00:00:00 2001 From: Katsumi Honda Date: Wed, 3 Apr 2013 22:47:34 +0900 Subject: [PATCH 0658/3829] Fixed for styleguide. --- system/database/DB_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 4f2f491eecf..b78f35a654b 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -816,7 +816,7 @@ public function trans_complete() } // The query() function will set this flag to FALSE in the event that a query failed - if ($this->_trans_status === FALSE or $this->_trans_failure === TRUE) + if ($this->_trans_status === FALSE OR $this->_trans_failure === TRUE) { $this->trans_rollback(); From 1bfc115e445045ebbf383960e57dd4f2a40c4172 Mon Sep 17 00:00:00 2001 From: Garth Kerr Date: Wed, 3 Apr 2013 13:02:21 -0400 Subject: [PATCH 0659/3829] Add common robot user agents. --- application/config/user_agents.php | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/application/config/user_agents.php b/application/config/user_agents.php index 35c36cb42b7..0aae987a28b 100644 --- a/application/config/user_agents.php +++ b/application/config/user_agents.php @@ -208,13 +208,15 @@ $robots = array( 'googlebot' => 'Googlebot', 'msnbot' => 'MSNBot', + 'baiduspider' => 'Baiduspider', 'bingbot' => 'Bing', 'slurp' => 'Inktomi Slurp', 'yahoo' => 'Yahoo', 'askjeeves' => 'AskJeeves', 'fastcrawler' => 'FastCrawler', 'infoseek' => 'InfoSeek Robot 1.0', - 'lycos' => 'Lycos' + 'lycos' => 'Lycos', + 'yandex' => 'YandexBot' ); /* End of file user_agents.php */ From 1ccaaaeb27d368e6bef5112aa00059eef1635c09 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 4 Apr 2013 13:59:50 +0300 Subject: [PATCH 0660/3829] Add a changelog entry for PR #2343 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 86907ca5381..95309b4cb21 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -493,6 +493,7 @@ Bug fixes for 3.0 - Fixed a bug (#2236) - :doc:`Form Helper ` function ``set_value()`` didn't parse array notation for keys if the rule was not present in the :doc:`Form Validation Library `. - Fixed a bug (#2353) - :doc:`Query Builder ` erroneously prefixed literal strings with **dbprefix**. - Fixed a bug (#78) - :doc:`Cart Library ` didn't allow non-English letters in product names. +- Fixed a bug (#77) - :doc:`Database Class ` didn't properly handle the transaction "test mode" flag. Version 2.1.3 ============= From 0e4237f8fb01320fb7cc87b1fb93a552630505d6 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 4 Apr 2013 16:53:21 +0300 Subject: [PATCH 0661/3829] Fix #2380 and deprecate CI_Router::fetch_*() methods --- system/core/CodeIgniter.php | 8 ++++---- system/core/Router.php | 17 +++++++++------- system/libraries/Profiler.php | 2 +- user_guide_src/source/changelog.rst | 5 ++++- .../source/installation/upgrade_300.rst | 20 ++++++++++++++++++- 5 files changed, 38 insertions(+), 14 deletions(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 7f76977b582..3fe5c064892 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -241,12 +241,12 @@ function &get_instance() // Load the local application controller // Note: The Router class automatically validates the controller path using the router->_validate_request(). // If this include fails it means that the default controller in the Routes.php file is not resolving to something valid. - if ( ! file_exists(APPPATH.'controllers/'.$RTR->fetch_directory().$RTR->fetch_class().'.php')) + if ( ! file_exists(APPPATH.'controllers/'.$RTR->directory.$RTR->class.'.php')) { show_error('Unable to load your default controller. Please make sure the controller specified in your Routes.php file is valid.'); } - include(APPPATH.'controllers/'.$RTR->fetch_directory().$RTR->fetch_class().'.php'); + include(APPPATH.'controllers/'.$RTR->directory.$RTR->class.'.php'); // Set a mark point for benchmarking $BM->mark('loading_time:_base_classes_end'); @@ -260,8 +260,8 @@ function &get_instance() * loader class can be called via the URI, nor can * controller functions that begin with an underscore. */ - $class = $RTR->fetch_class(); - $method = $RTR->fetch_method(); + $class = $RTR->class; + $method = $RTR->method; if ( ! class_exists($class, FALSE) OR $method[0] === '_' OR method_exists('CI_Controller', $method)) { diff --git a/system/core/Router.php b/system/core/Router.php index bb0ce16bd97..c86ab9c2073 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -119,16 +119,16 @@ public function _set_routing() if (isset($_GET[$this->config->item('directory_trigger')]) && is_string($_GET[$this->config->item('directory_trigger')])) { $this->set_directory(trim($this->uri->_filter_uri($_GET[$this->config->item('directory_trigger')]))); - $segments[] = $this->fetch_directory(); + $segments[] = $this->directory; } $this->set_class(trim($this->uri->_filter_uri($_GET[$this->config->item('controller_trigger')]))); - $segments[] = $this->fetch_class(); + $segments[] = $this->class; if ( ! empty($_GET[$this->config->item('function_trigger')]) && is_string($_GET[$this->config->item('function_trigger')])) { $this->set_method(trim($this->uri->_filter_uri($_GET[$this->config->item('function_trigger')]))); - $segments[] = $this->fetch_method(); + $segments[] = $this->method; } } @@ -270,7 +270,7 @@ protected function _validate_request($segments) empty($segments[1]) OR $segments[1] = str_replace('-', '_', $segments[1]); // Does the requested controller exist in the sub-folder? - if ( ! file_exists(APPPATH.'controllers/'.$this->fetch_directory().$segments[0].'.php')) + if ( ! file_exists(APPPATH.'controllers/'.$this->directory.$segments[0].'.php')) { if ( ! empty($this->routes['404_override'])) { @@ -279,7 +279,7 @@ protected function _validate_request($segments) } else { - show_404($this->fetch_directory().$segments[0]); + show_404($this->directory.$segments[0]); } } } @@ -287,7 +287,7 @@ protected function _validate_request($segments) { // Is the method being specified in the route? $segments = explode('/', $this->default_controller); - if ( ! file_exists(APPPATH.'controllers/'.$this->fetch_directory().$segments[0].'.php')) + if ( ! file_exists(APPPATH.'controllers/'.$this->directory.$segments[0].'.php')) { $this->directory = ''; } @@ -413,6 +413,7 @@ public function set_class($class) /** * Fetch the current class * + * @deprecated 3.0.0 Read the 'class' property instead * @return string */ public function fetch_class() @@ -438,11 +439,12 @@ public function set_method($method) /** * Fetch the current method * + * @deprecated 3.0.0 Read the 'method' property instead * @return string */ public function fetch_method() { - return ($this->method === $this->fetch_class()) ? 'index' : $this->method; + return $this->method; } // -------------------------------------------------------------------- @@ -466,6 +468,7 @@ public function set_directory($dir) * Feches the sub-directory (if any) that contains the requested * controller class. * + * @deprecated 3.0.0 Read the 'directory' property instead * @return string */ public function fetch_directory() diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index 470688fdc6e..3c7ce54068e 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -405,7 +405,7 @@ protected function _compile_controller_info() .'
' ."\n" .'  '.$this->CI->lang->line('profiler_controller_info')."  \n" - .'
'.$this->CI->router->fetch_class().'/'.$this->CI->router->fetch_method() + .'
'.$this->CI->router->class.'/'.$this->CI->router->method .'
'; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 95309b4cb21..65e21076158 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -330,6 +330,7 @@ Release Date: Not Released - :doc:`URI Routing ` changes include: - Added possibility to route requests using callbacks. - Added possibility to use dashes in the controller and method URI segments (translated to underscores). + - Deprecated methods ``fetch_directory()``, ``fetch_class()`` and ``fetch_method()`` in favor of their respective public properties. - :doc:`Language Library ` changes include: - Changed method ``load()`` to filter the language name with ``ctype_digit()``. - Added an optional second parameter to method ``line()`` to disable error login for line keys that were not found. @@ -489,11 +490,13 @@ Bug fixes for 3.0 - Fixed a bug (#2255) - :doc:`Email Library ` didn't apply ``smtp_timeout`` to socket reads and writes. - Fixed a bug (#2239) - :doc:`Email Library ` improperly handled the Subject when used with ``bcc_batch_mode`` resulting in E_WARNING messages and an empty Subject. - Fixed a bug (#2234) - :doc:`Query Builder ` didn't reset JOIN cache for write-type queries. -- Fixed a bug (#2298) - :doc:`Database Results ` method `next_row()` kept returning the last row, allowing for infinite loops. +- Fixed a bug (#2298) - :doc:`Database Results ` method ``next_row()`` kept returning the last row, allowing for infinite loops. - Fixed a bug (#2236) - :doc:`Form Helper ` function ``set_value()`` didn't parse array notation for keys if the rule was not present in the :doc:`Form Validation Library `. - Fixed a bug (#2353) - :doc:`Query Builder ` erroneously prefixed literal strings with **dbprefix**. - Fixed a bug (#78) - :doc:`Cart Library ` didn't allow non-English letters in product names. - Fixed a bug (#77) - :doc:`Database Class ` didn't properly handle the transaction "test mode" flag. +- Fixed a bug (#2380) - :doc:`URI Routing ` method ``fetch_method()`` returned 'index' if the requested method name matches its controller name. + Version 2.1.3 ============= diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index 02841ab6e92..926af312df8 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -383,4 +383,22 @@ You should now put AFTER clause field names in the field definition array instea sooner rather than later. .. note:: This is for MySQL and CUBRID databases only! Other drivers don't support this - clause and will silently ignore it. \ No newline at end of file + clause and will silently ignore it. + +URI Routing methods fetch_directory(), fetch_class(), fetch_method() +==================================================================== + +With properties ``CI_Router::$directory``, ``CI_Router::$class`` and ``CI_Router::$method`` +being public and their respective ``fetch_*()`` no longer doing anything else to just return +the properties - it doesn't make sense to keep them. + +Those are all internal, undocumented methods, but we've opted to deprecate them for now +in order to maintain backwards-compatibility just in case. If some of you have utilized them, +then you can now just access the properties instead:: + + $this->router->directory; + $this->router->class; + $this->router->method; + +.. note:: Those methods are still available, but you're strongly encouraged to remove their usage + sooner rather than later. \ No newline at end of file From ccdd4290aca2ddb3c64ca3db57e1da5c34537a6a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Apr 2013 14:28:04 +0300 Subject: [PATCH 0662/3829] Fix #2387 --- system/core/Output.php | 14 +++++++++++--- 1 file changed, 11 insertions(+), 3 deletions(-) diff --git a/system/core/Output.php b/system/core/Output.php index 3320ae1547e..8f469005252 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -841,9 +841,8 @@ protected function _minify_script_style($output, $has_tags = FALSE) $output = substr_replace($output, '', 0, $pos); // Remove closing tag and save it for later - $end_pos = strlen($output); $pos = strpos($output, '= 0; $i--) + { + $output = substr_replace( + $output, + preg_replace('/\s*(:|;|,|}|{|\(|\))\s*/i', '$1', $chunks[$i][0]), + $chunks[$i][1], + strlen($chunks[$i][0]) + ); + } // Replace tabs with spaces // Replace carriage returns & multiple new lines with single new line From 8e038d50e8c94d610bfdedf01318462b7ddd8670 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Apr 2013 19:31:04 +0300 Subject: [PATCH 0663/3829] [ci skip] Replace spaces with tabs --- system/core/Output.php | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/system/core/Output.php b/system/core/Output.php index 8f469005252..06d7a866b61 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -854,12 +854,12 @@ protected function _minify_script_style($output, $has_tags = FALSE) $chunks = preg_split('/([\'|"]).+(?![^\\\]\\1)\\1/iU', $output, -1, PREG_SPLIT_OFFSET_CAPTURE); for ($i = count($chunks) - 1; $i >= 0; $i--) { - $output = substr_replace( - $output, - preg_replace('/\s*(:|;|,|}|{|\(|\))\s*/i', '$1', $chunks[$i][0]), - $chunks[$i][1], - strlen($chunks[$i][0]) - ); + $output = substr_replace( + $output, + preg_replace('/\s*(:|;|,|}|{|\(|\))\s*/i', '$1', $chunks[$i][0]), + $chunks[$i][1], + strlen($chunks[$i][0]) + ); } // Replace tabs with spaces From 5eb1cbfa673bfa4b8a66ab8a56389a279c1f975b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 8 Apr 2013 01:20:31 +0300 Subject: [PATCH 0664/3829] Replace another fetch_directory() use --- system/core/URI.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/URI.php b/system/core/URI.php index b2286f032fe..bc086d22367 100644 --- a/system/core/URI.php +++ b/system/core/URI.php @@ -720,7 +720,7 @@ public function ruri_string() { global $RTR; - if (($dir = $RTR->fetch_directory()) === '/') + if (($dir = $RTR->directory) === '/') { $dir = ''; } From 1aa336d53b686c07291bda4f8e9dd8ac23614fc3 Mon Sep 17 00:00:00 2001 From: ash Date: Wed, 10 Apr 2013 12:30:12 +0100 Subject: [PATCH 0665/3829] Add options in create_captcha() to specify the randomly generated captcha word length and character pool Uses the same defaults as were hard coded in (8 chars in length, 0-9a-aA-Z). Small change in this file means less code elsewhere when generating random character strings for the captcha word. --- system/helpers/captcha_helper.php | 21 ++++++++++++++++----- 1 file changed, 16 insertions(+), 5 deletions(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index 78e255a1512..fe6c340bef2 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -51,7 +51,7 @@ */ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = '') { - $defaults = array('word' => '', 'img_path' => '', 'img_url' => '', 'img_width' => '150', 'img_height' => '30', 'font_path' => '', 'expiration' => 7200); + $defaults = array('word' => '', 'img_path' => '', 'img_url' => '', 'img_width' => '150', 'img_height' => '30', 'font_path' => '', 'expiration' => 7200, 'captcha_word_length' => 8, 'character_pool_for_generted_word' => '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'); foreach ($defaults as $key => $val) { @@ -72,6 +72,17 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = return FALSE; } + + + // ----------------------------------- + // Make sure captcha max length is a valid/realistic value. + // ----------------------------------- + + $captcha_word_length = (int) $captcha_word_length; + if ($captcha_word_length < 4) { $captcha_word_length = 4;} + if ($captcha_word_length > 15) { $captcha_word_length = 15; } + + // ----------------------------------- // Remove old images // ----------------------------------- @@ -95,11 +106,10 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = if (empty($word)) { - $pool = '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'; $word = ''; - for ($i = 0, $mt_rand_max = strlen($pool) - 1; $i < 8; $i++) + for ($i = 0, $mt_rand_max = strlen($character_pool_for_generted_word) - 1; $i < $captcha_word_length; $i++) { - $word .= $pool[mt_rand(0, $mt_rand_max)]; + $word .= $character_pool_for_generted_word[mt_rand(0, $mt_rand_max)]; } } elseif ( ! is_string($word)) @@ -206,4 +216,5 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = } /* End of file captcha_helper.php */ -/* Location: ./system/helpers/captcha_helper.php */ \ No newline at end of file +/* Location: ./system/helpers/captcha_helper.php */ + From 79dfac7d2b8628d114b02493aa842acd39d39ede Mon Sep 17 00:00:00 2001 From: ash Date: Wed, 10 Apr 2013 12:36:49 +0100 Subject: [PATCH 0666/3829] typo change Uses the same defaults as were hard coded in (8 chars in length, 0-9a-aA-Z). Small change in this file means less code elsewhere when generating random character strings for the captcha word. all existing code will work the same. --- system/helpers/captcha_helper.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index fe6c340bef2..731b59e1448 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -51,7 +51,7 @@ */ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = '') { - $defaults = array('word' => '', 'img_path' => '', 'img_url' => '', 'img_width' => '150', 'img_height' => '30', 'font_path' => '', 'expiration' => 7200, 'captcha_word_length' => 8, 'character_pool_for_generted_word' => '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'); + $defaults = array('word' => '', 'img_path' => '', 'img_url' => '', 'img_width' => '150', 'img_height' => '30', 'font_path' => '', 'expiration' => 7200, 'captcha_word_length' => 8, 'character_pool_for_generated_word' => '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'); foreach ($defaults as $key => $val) { @@ -107,9 +107,9 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = if (empty($word)) { $word = ''; - for ($i = 0, $mt_rand_max = strlen($character_pool_for_generted_word) - 1; $i < $captcha_word_length; $i++) + for ($i = 0, $mt_rand_max = strlen($character_pool_for_generated_word) - 1; $i < $captcha_word_length; $i++) { - $word .= $character_pool_for_generted_word[mt_rand(0, $mt_rand_max)]; + $word .= $character_pool_for_generated_word[mt_rand(0, $mt_rand_max)]; } } elseif ( ! is_string($word)) From 3fd9bf8777d6aea531a765f4bc0d995d24395221 Mon Sep 17 00:00:00 2001 From: ash Date: Wed, 10 Apr 2013 12:40:31 +0100 Subject: [PATCH 0667/3829] Updated documenation --- user_guide_src/source/helpers/captcha_helper.rst | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/helpers/captcha_helper.rst b/user_guide_src/source/helpers/captcha_helper.rst index 17462a8de71..598fdb4c6b6 100644 --- a/user_guide_src/source/helpers/captcha_helper.rst +++ b/user_guide_src/source/helpers/captcha_helper.rst @@ -62,7 +62,9 @@ Once loaded you can generate a captcha like this:: 'font_path' => './path/to/fonts/texb.ttf', 'img_width' => '150', 'img_height' => 30, - 'expiration' => 7200 + 'expiration' => 7200, + 'captcha_word_length' => 8, + 'character_pool_for_generated_word' => '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ' ); $cap = create_captcha($vals); @@ -140,4 +142,4 @@ this:: if ($row->count == 0) {      echo 'You must submit the word that appears in the image.'; - } \ No newline at end of file + } From 9c7e651922a78cefb1806becd0c5618fa23384c7 Mon Sep 17 00:00:00 2001 From: ash Date: Wed, 10 Apr 2013 12:43:21 +0100 Subject: [PATCH 0668/3829] documenation edit --- user_guide_src/source/helpers/captcha_helper.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/helpers/captcha_helper.rst b/user_guide_src/source/helpers/captcha_helper.rst index 598fdb4c6b6..f924bd7170d 100644 --- a/user_guide_src/source/helpers/captcha_helper.rst +++ b/user_guide_src/source/helpers/captcha_helper.rst @@ -81,6 +81,7 @@ Once loaded you can generate a captcha like this:: - The **expiration** (in seconds) signifies how long an image will remain in the captcha folder before it will be deleted. The default is two hours. +- **captcha_word_length** defaults to 8 but a sanity check will enforce it to a minimum length of 4 or maximum length of 15, **character_pool_for_generated_word** defaults to '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ' Adding a Database ----------------- From 4fa6385ff8232273f15f08fe8ef2799c9305419b Mon Sep 17 00:00:00 2001 From: ash Date: Wed, 10 Apr 2013 12:44:57 +0100 Subject: [PATCH 0669/3829] Documentation change - explanation of captcha_word_length and character_pool_for_generated_word --- user_guide_src/source/helpers/captcha_helper.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/helpers/captcha_helper.rst b/user_guide_src/source/helpers/captcha_helper.rst index f924bd7170d..7dd642ae77f 100644 --- a/user_guide_src/source/helpers/captcha_helper.rst +++ b/user_guide_src/source/helpers/captcha_helper.rst @@ -81,7 +81,7 @@ Once loaded you can generate a captcha like this:: - The **expiration** (in seconds) signifies how long an image will remain in the captcha folder before it will be deleted. The default is two hours. -- **captcha_word_length** defaults to 8 but a sanity check will enforce it to a minimum length of 4 or maximum length of 15, **character_pool_for_generated_word** defaults to '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ' +- **captcha_word_length** defaults to 8 but a sanity check in /system/helpers/captcha_helper.php will enforce it to a minimum length of 4 or maximum length of 15, **character_pool_for_generated_word** defaults to '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ' Adding a Database ----------------- From 29ae72d893627edb07ad4fa124f4f8c4e1e0df34 Mon Sep 17 00:00:00 2001 From: ash Date: Wed, 10 Apr 2013 13:59:42 +0100 Subject: [PATCH 0670/3829] removed sanity checks (developer-supplied value, not user input), added changelog entry, changed variable names --- system/helpers/captcha_helper.php | 18 +++--------------- user_guide_src/source/changelog.rst | 2 ++ .../source/helpers/captcha_helper.rst | 6 +++--- 3 files changed, 8 insertions(+), 18 deletions(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index 731b59e1448..61a478e9d8e 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -51,7 +51,7 @@ */ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = '') { - $defaults = array('word' => '', 'img_path' => '', 'img_url' => '', 'img_width' => '150', 'img_height' => '30', 'font_path' => '', 'expiration' => 7200, 'captcha_word_length' => 8, 'character_pool_for_generated_word' => '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'); + $defaults = array('word' => '', 'img_path' => '', 'img_url' => '', 'img_width' => '150', 'img_height' => '30', 'font_path' => '', 'expiration' => 7200, 'word_length' => 8, 'pool' => '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'); foreach ($defaults as $key => $val) { @@ -72,17 +72,6 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = return FALSE; } - - - // ----------------------------------- - // Make sure captcha max length is a valid/realistic value. - // ----------------------------------- - - $captcha_word_length = (int) $captcha_word_length; - if ($captcha_word_length < 4) { $captcha_word_length = 4;} - if ($captcha_word_length > 15) { $captcha_word_length = 15; } - - // ----------------------------------- // Remove old images // ----------------------------------- @@ -107,9 +96,9 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = if (empty($word)) { $word = ''; - for ($i = 0, $mt_rand_max = strlen($character_pool_for_generated_word) - 1; $i < $captcha_word_length; $i++) + for ($i = 0, $mt_rand_max = strlen($pool) - 1; $i < $word_length; $i++) { - $word .= $character_pool_for_generated_word[mt_rand(0, $mt_rand_max)]; + $word .= $pool[mt_rand(0, $mt_rand_max)]; } } elseif ( ! is_string($word)) @@ -217,4 +206,3 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = /* End of file captcha_helper.php */ /* Location: ./system/helpers/captcha_helper.php */ - diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 65e21076158..8ab3639810c 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -105,6 +105,8 @@ Release Date: Not Released - :doc:`Directory Helper ` :php:func:`directory_map()` will now append ``DIRECTORY_SEPARATOR`` to directory names in the returned array. - :doc:`Language Helper ` :php:func:`lang()` now accepts an optional list of additional HTML attributes. - Deprecated the :doc:`Email Helper ` as its ``valid_email()``, ``send_email()`` functions are now only aliases for PHP native functions ``filter_var()`` and ``mail()`` respectively. + - :doc:`CAPTCHA Helper ` changes include: + - :php:func:`create_captcha` added word_length and pool options for setting length of randomly generated captcha word, and what characters to select from. - Database diff --git a/user_guide_src/source/helpers/captcha_helper.rst b/user_guide_src/source/helpers/captcha_helper.rst index 7dd642ae77f..c6fb002807e 100644 --- a/user_guide_src/source/helpers/captcha_helper.rst +++ b/user_guide_src/source/helpers/captcha_helper.rst @@ -63,8 +63,8 @@ Once loaded you can generate a captcha like this:: 'img_width' => '150', 'img_height' => 30, 'expiration' => 7200, - 'captcha_word_length' => 8, - 'character_pool_for_generated_word' => '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ' + 'word_length' => 8, + 'pool' => '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ' ); $cap = create_captcha($vals); @@ -81,7 +81,7 @@ Once loaded you can generate a captcha like this:: - The **expiration** (in seconds) signifies how long an image will remain in the captcha folder before it will be deleted. The default is two hours. -- **captcha_word_length** defaults to 8 but a sanity check in /system/helpers/captcha_helper.php will enforce it to a minimum length of 4 or maximum length of 15, **character_pool_for_generated_word** defaults to '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ' +- **word_length** defaults to 8, **pool** defaults to '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ' Adding a Database ----------------- From ba957133b0d02ceb3a7efe33e08a3b3d408f30d3 Mon Sep 17 00:00:00 2001 From: ash Date: Wed, 10 Apr 2013 14:01:45 +0100 Subject: [PATCH 0671/3829] changed changelog format. --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 8ab3639810c..30a22259d14 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -106,7 +106,7 @@ Release Date: Not Released - :doc:`Language Helper ` :php:func:`lang()` now accepts an optional list of additional HTML attributes. - Deprecated the :doc:`Email Helper ` as its ``valid_email()``, ``send_email()`` functions are now only aliases for PHP native functions ``filter_var()`` and ``mail()`` respectively. - :doc:`CAPTCHA Helper ` changes include: - - :php:func:`create_captcha` added word_length and pool options for setting length of randomly generated captcha word, and what characters to select from. + - :php:func:`create_captcha` added word_length and pool options for setting length of randomly generated captcha word, and what characters to select from. - Database From 68b285f2d28e2bc469f87cdaf2ee5592e2cdbb1b Mon Sep 17 00:00:00 2001 From: ash Date: Wed, 10 Apr 2013 14:16:27 +0100 Subject: [PATCH 0672/3829] changelog change --- user_guide_src/source/changelog.rst | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 30a22259d14..742dacbae6b 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -105,8 +105,7 @@ Release Date: Not Released - :doc:`Directory Helper ` :php:func:`directory_map()` will now append ``DIRECTORY_SEPARATOR`` to directory names in the returned array. - :doc:`Language Helper ` :php:func:`lang()` now accepts an optional list of additional HTML attributes. - Deprecated the :doc:`Email Helper ` as its ``valid_email()``, ``send_email()`` functions are now only aliases for PHP native functions ``filter_var()`` and ``mail()`` respectively. - - :doc:`CAPTCHA Helper ` changes include: - - :php:func:`create_captcha` added word_length and pool options for setting length of randomly generated captcha word, and what characters to select from. + - :doc:`CAPTCHA Helper ` :php:func:`create_captcha` added word_length and pool options for setting length of randomly generated captcha word, and what characters to select from. - Database From a0c7ae665a181e0489ebb9a0366051669786cb44 Mon Sep 17 00:00:00 2001 From: ash Date: Sun, 14 Apr 2013 14:24:46 +0100 Subject: [PATCH 0673/3829] eol test. --- system/helpers/captcha_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index 61a478e9d8e..d536246dcce 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -51,7 +51,7 @@ */ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = '') { - $defaults = array('word' => '', 'img_path' => '', 'img_url' => '', 'img_width' => '150', 'img_height' => '30', 'font_path' => '', 'expiration' => 7200, 'word_length' => 8, 'pool' => '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'); + $defaults = array('word' => '', 'img_path' => '', 'img_url' => '', 'img_width' => '150', 'img_height' => '30', 'font_path' => '', 'expiration' => 7200, 'word_length' => 8, 'pool' => '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'); foreach ($defaults as $key => $val) { From 19bafaf4eab644aac68d564d4eec36fa497aaa9f Mon Sep 17 00:00:00 2001 From: ash Date: Sun, 14 Apr 2013 14:29:43 +0100 Subject: [PATCH 0674/3829] eol 2 --- system/helpers/captcha_helper.php | 1 + 1 file changed, 1 insertion(+) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index d536246dcce..f2e155646bc 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -206,3 +206,4 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = /* End of file captcha_helper.php */ /* Location: ./system/helpers/captcha_helper.php */ + From 6e35774fecf392111840816cad08dd63e0463b23 Mon Sep 17 00:00:00 2001 From: ash Date: Sun, 14 Apr 2013 14:33:25 +0100 Subject: [PATCH 0675/3829] eol --- system/helpers/captcha_helper.php | 1 - 1 file changed, 1 deletion(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index f2e155646bc..d536246dcce 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -206,4 +206,3 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = /* End of file captcha_helper.php */ /* Location: ./system/helpers/captcha_helper.php */ - From c3dcf9f7e853e641ea710edfdd4454eabd591f30 Mon Sep 17 00:00:00 2001 From: ash Date: Sun, 14 Apr 2013 14:36:22 +0100 Subject: [PATCH 0676/3829] newline at end --- system/helpers/captcha_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index d536246dcce..1982f048942 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -205,4 +205,4 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = } /* End of file captcha_helper.php */ -/* Location: ./system/helpers/captcha_helper.php */ +/* Location: ./system/helpers/captcha_helper.php */ \ No newline at end of file From 3a66facb66d66aa8b1d564b0ad675240e629b041 Mon Sep 17 00:00:00 2001 From: ash Date: Sun, 14 Apr 2013 14:38:03 +0100 Subject: [PATCH 0677/3829] user guide newline. --- user_guide_src/source/helpers/captcha_helper.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/helpers/captcha_helper.rst b/user_guide_src/source/helpers/captcha_helper.rst index c6fb002807e..ca24e011fde 100644 --- a/user_guide_src/source/helpers/captcha_helper.rst +++ b/user_guide_src/source/helpers/captcha_helper.rst @@ -143,4 +143,4 @@ this:: if ($row->count == 0) {      echo 'You must submit the word that appears in the image.'; - } + } \ No newline at end of file From ffe1bd215fe64dc054296ed8aa1ac253bbf1962b Mon Sep 17 00:00:00 2001 From: ash Date: Sun, 14 Apr 2013 14:38:48 +0100 Subject: [PATCH 0678/3829] final change (extra space) --- system/helpers/captcha_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index 1982f048942..f3b9c6cc41d 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -51,7 +51,7 @@ */ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = '') { - $defaults = array('word' => '', 'img_path' => '', 'img_url' => '', 'img_width' => '150', 'img_height' => '30', 'font_path' => '', 'expiration' => 7200, 'word_length' => 8, 'pool' => '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'); + $defaults = array('word' => '', 'img_path' => '', 'img_url' => '', 'img_width' => '150', 'img_height' => '30', 'font_path' => '', 'expiration' => 7200, 'word_length' => 8, 'pool' => '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'); foreach ($defaults as $key => $val) { From 1d3752c109547919f15b321beb2d5375fc2db150 Mon Sep 17 00:00:00 2001 From: Daniel Date: Sun, 14 Apr 2013 16:41:57 -0400 Subject: [PATCH 0679/3829] Fix for extending classes in a subdirectory (e.g. drivers) --- system/core/Loader.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index d4e63231c22..8f76f9a6b82 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -955,7 +955,7 @@ protected function _ci_load_class($class, $params = NULL, $object_name = NULL) // Is this a class extension request? if (file_exists($subclass)) { - $baseclass = BASEPATH.'libraries/'.$class.'.php'; + $baseclass = BASEPATH.'libraries/'.$subdir.$class.'.php'; if ( ! file_exists($baseclass)) { From 826990fc88208103142385f1a448bb4771213155 Mon Sep 17 00:00:00 2001 From: CJ Date: Tue, 16 Apr 2013 14:17:53 +0800 Subject: [PATCH 0680/3829] apache_request_headers need not go through recapitalization of incoming headers and should be pass through as is. This is a follow up on #2107 (c82b57b) by @danhunsaker; --- system/core/Input.php | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index 6690b7f2e76..31bd7008b36 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -793,7 +793,7 @@ public function request_headers($xss_clean = FALSE) // In Apache, you can simply call apache_request_headers() if (function_exists('apache_request_headers')) { - $headers = apache_request_headers(); + $this->headers = apache_request_headers(); } else { @@ -806,15 +806,15 @@ public function request_headers($xss_clean = FALSE) $headers[$header] = $this->_fetch_from_array($_SERVER, $key, $xss_clean); } } - } - // take SOME_HEADER and turn it into Some-Header - foreach ($headers as $key => $val) - { - $key = str_replace(array('_', '-'), ' ', strtolower($key)); - $key = str_replace(' ', '-', ucwords($key)); + // take SOME_HEADER and turn it into Some-Header + foreach ($headers as $key => $val) + { + $key = str_replace('_', ' ', strtolower($key)); + $key = str_replace(' ', '-', ucwords($key)); - $this->headers[$key] = $val; + $this->headers[$key] = $val; + } } return $this->headers; From 71cff1da396ba0c56644c04fdd2729db6766c557 Mon Sep 17 00:00:00 2001 From: CJ Date: Tue, 16 Apr 2013 21:50:55 +0800 Subject: [PATCH 0681/3829] #2409: Updated based on feedback by @narfbg; --- system/core/Input.php | 10 ++++++++-- 1 file changed, 8 insertions(+), 2 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index 31bd7008b36..7a6b6e4e056 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -790,10 +790,16 @@ protected function _clean_input_keys($str) */ public function request_headers($xss_clean = FALSE) { + // If header is already defined, return it immediately + if ( ! empty($this->headers)) + { + return $this->headers; + } + // In Apache, you can simply call apache_request_headers() if (function_exists('apache_request_headers')) { - $this->headers = apache_request_headers(); + return $this->headers = apache_request_headers(); } else { @@ -810,7 +816,7 @@ public function request_headers($xss_clean = FALSE) // take SOME_HEADER and turn it into Some-Header foreach ($headers as $key => $val) { - $key = str_replace('_', ' ', strtolower($key)); + $key = str_replace(array('_', '-'), ' ', strtolower($key)); $key = str_replace(' ', '-', ucwords($key)); $this->headers[$key] = $val; From d08e18cafb31af586002e4de39f12cf8e048383b Mon Sep 17 00:00:00 2001 From: CJ Date: Wed, 17 Apr 2013 00:55:48 +0800 Subject: [PATCH 0682/3829] See #2409: Remove double replacing of dashes and instead change `Content-Type` to `CONTENT_TYPE` --- system/core/Input.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index 7a6b6e4e056..a0c5552f63a 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -803,7 +803,7 @@ public function request_headers($xss_clean = FALSE) } else { - $headers['Content-Type'] = isset($_SERVER['CONTENT_TYPE']) ? $_SERVER['CONTENT_TYPE'] : @getenv('CONTENT_TYPE'); + $headers['CONTENT_TYPE'] = isset($_SERVER['CONTENT_TYPE']) ? $_SERVER['CONTENT_TYPE'] : @getenv('CONTENT_TYPE'); foreach ($_SERVER as $key => $val) { @@ -816,7 +816,7 @@ public function request_headers($xss_clean = FALSE) // take SOME_HEADER and turn it into Some-Header foreach ($headers as $key => $val) { - $key = str_replace(array('_', '-'), ' ', strtolower($key)); + $key = str_replace('_', ' ', strtolower($key)); $key = str_replace(' ', '-', ucwords($key)); $this->headers[$key] = $val; From d195f224db31644eaaef4b4cb4713d9af5f57ead Mon Sep 17 00:00:00 2001 From: CJ Date: Wed, 17 Apr 2013 01:04:13 +0800 Subject: [PATCH 0683/3829] See #2409: Reformating and code cleanup for request_headers; --- system/core/Input.php | 23 ++++++++--------------- 1 file changed, 8 insertions(+), 15 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index a0c5552f63a..6b7d5bd4368 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -801,25 +801,18 @@ public function request_headers($xss_clean = FALSE) { return $this->headers = apache_request_headers(); } - else - { - $headers['CONTENT_TYPE'] = isset($_SERVER['CONTENT_TYPE']) ? $_SERVER['CONTENT_TYPE'] : @getenv('CONTENT_TYPE'); - foreach ($_SERVER as $key => $val) - { - if (sscanf($key, 'HTTP_%s', $header) === 1) - { - $headers[$header] = $this->_fetch_from_array($_SERVER, $key, $xss_clean); - } - } + $this->headers['CONTENT_TYPE'] = isset($_SERVER['CONTENT_TYPE']) ? $_SERVER['CONTENT_TYPE'] : @getenv('CONTENT_TYPE'); - // take SOME_HEADER and turn it into Some-Header - foreach ($headers as $key => $val) + foreach ($_SERVER as $key => $val) + { + if (sscanf($key, 'HTTP_%s', $header) === 1) { - $key = str_replace('_', ' ', strtolower($key)); - $key = str_replace(' ', '-', ucwords($key)); + // take SOME_HEADER and turn it into Some-Header + $header = str_replace('_', ' ', strtolower($header)); + $header = str_replace(' ', '-', ucwords($header)); - $this->headers[$key] = $val; + $this->headers[$header] = $this->_fetch_from_array($_SERVER, $key, $xss_clean); } } From c5c522a069cc504509955890aacd55b97979043b Mon Sep 17 00:00:00 2001 From: CJ Date: Wed, 17 Apr 2013 11:59:22 +0800 Subject: [PATCH 0684/3829] #2409: Force Content Type to go through camelization; --- system/core/Input.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Input.php b/system/core/Input.php index 6b7d5bd4368..ff0bbe060bf 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -802,7 +802,7 @@ public function request_headers($xss_clean = FALSE) return $this->headers = apache_request_headers(); } - $this->headers['CONTENT_TYPE'] = isset($_SERVER['CONTENT_TYPE']) ? $_SERVER['CONTENT_TYPE'] : @getenv('CONTENT_TYPE'); + $_SERVER['HTTP_CONTENT_TYPE'] = isset($_SERVER['CONTENT_TYPE']) ? $_SERVER['CONTENT_TYPE'] : @getenv('CONTENT_TYPE'); foreach ($_SERVER as $key => $val) { From 05e6f1e41f8666e45571895c6219d2279db6b293 Mon Sep 17 00:00:00 2001 From: Dumk0 Date: Wed, 17 Apr 2013 12:58:34 +0300 Subject: [PATCH 0685/3829] fix typos in Parser.php --- system/libraries/Parser.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/system/libraries/Parser.php b/system/libraries/Parser.php index 1c26bd2b29d..7e843e71032 100644 --- a/system/libraries/Parser.php +++ b/system/libraries/Parser.php @@ -38,14 +38,14 @@ class CI_Parser { /** - * Left delimeter character for psuedo vars + * Left delimiter character for pseudo vars * * @var string */ public $l_delim = '{'; /** - * Right delimeter character for psuedo vars + * Right delimiter character for pseudo vars * * @var string */ @@ -228,4 +228,4 @@ protected function _match_pair($string, $variable) } /* End of file Parser.php */ -/* Location: ./system/libraries/Parser.php */ \ No newline at end of file +/* Location: ./system/libraries/Parser.php */ From 8347f9161a1ba080be62b22eb546cceea8f8a8e9 Mon Sep 17 00:00:00 2001 From: CJ Date: Wed, 17 Apr 2013 21:45:22 +0800 Subject: [PATCH 0686/3829] See #2409: Avoid overwriting global $_SERVER and set Content-Type to protected property; --- system/core/Input.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Input.php b/system/core/Input.php index ff0bbe060bf..0ef81128eb9 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -802,7 +802,7 @@ public function request_headers($xss_clean = FALSE) return $this->headers = apache_request_headers(); } - $_SERVER['HTTP_CONTENT_TYPE'] = isset($_SERVER['CONTENT_TYPE']) ? $_SERVER['CONTENT_TYPE'] : @getenv('CONTENT_TYPE'); + $this->headers['Content-Type'] = isset($_SERVER['CONTENT_TYPE']) ? $_SERVER['CONTENT_TYPE'] : @getenv('CONTENT_TYPE'); foreach ($_SERVER as $key => $val) { From 466e8083e7daed0926325b5646004f314489ef7f Mon Sep 17 00:00:00 2001 From: buhay Date: Wed, 17 Apr 2013 14:25:34 -0700 Subject: [PATCH 0687/3829] Correction for issue #2388. Updated _build_message() to return a boolean. This prevents email from sending if there is an error trying to attach an attachment to the email. --- system/libraries/Email.php | 14 ++++++++++---- 1 file changed, 10 insertions(+), 4 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index a745d331d59..886d7bd914c 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1236,7 +1236,7 @@ protected function _write_headers() /** * Build Final Body and attachments * - * @return void + * @return boolean */ protected function _build_message() { @@ -1401,7 +1401,7 @@ protected function _build_message() $body .= implode($this->newline, $attachment).$this->newline.'--'.$this->_atc_boundary.'--'; $this->_finalbody = ($this->_get_protocol() === 'mail') ? $body : $hdr.$body; - return; + return TRUE; } // -------------------------------------------------------------------- @@ -1606,7 +1606,10 @@ public function send($auto_clear = TRUE) return $result; } - $this->_build_message(); + if ($this->_build_message() === FALSE) + { + return FALSE; + } $result = $this->_spool_email(); if ($result && $auto_clear) @@ -1665,7 +1668,10 @@ public function batch_bcc_send() $this->_bcc_array = $bcc; } - $this->_build_message(); + if ($this->_build_message() === FALSE) + { + return FALSE; + } $this->_spool_email(); } } From c6da1ef1ffda3e281163b73015c4e95d50bae4b4 Mon Sep 17 00:00:00 2001 From: buhay Date: Thu, 18 Apr 2013 09:06:49 -0700 Subject: [PATCH 0688/3829] Change boolean to bool. Added whitespace. --- system/libraries/Email.php | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 886d7bd914c..10253c79604 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1236,7 +1236,7 @@ protected function _write_headers() /** * Build Final Body and attachments * - * @return boolean + * @return bool */ protected function _build_message() { @@ -1610,6 +1610,7 @@ public function send($auto_clear = TRUE) { return FALSE; } + $result = $this->_spool_email(); if ($result && $auto_clear) @@ -1672,6 +1673,7 @@ public function batch_bcc_send() { return FALSE; } + $this->_spool_email(); } } From 83c6efec0a2be84d6ca2c5264b22e4cc26934933 Mon Sep 17 00:00:00 2001 From: buhay Date: Thu, 18 Apr 2013 09:39:01 -0700 Subject: [PATCH 0689/3829] Added to the changelog. --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 742dacbae6b..ff7524b2a24 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -497,6 +497,7 @@ Bug fixes for 3.0 - Fixed a bug (#78) - :doc:`Cart Library ` didn't allow non-English letters in product names. - Fixed a bug (#77) - :doc:`Database Class ` didn't properly handle the transaction "test mode" flag. - Fixed a bug (#2380) - :doc:`URI Routing ` method ``fetch_method()`` returned 'index' if the requested method name matches its controller name. +- Fixed a bug (#2388) - :doc:`Email library ` Updated the method ``_build_message()`` to return a boolean value. Now it doesn't send an email if there is an error attaching a file to the email. Version 2.1.3 From 206d951e3da15bf9c69b3b8860c8bd274fb82b6f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 19 Apr 2013 04:25:53 +0300 Subject: [PATCH 0690/3829] Fix issue #2388 / PR #2413 changelog entry --- user_guide_src/source/changelog.rst | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index ff7524b2a24..38c6d05bded 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -497,8 +497,7 @@ Bug fixes for 3.0 - Fixed a bug (#78) - :doc:`Cart Library ` didn't allow non-English letters in product names. - Fixed a bug (#77) - :doc:`Database Class ` didn't properly handle the transaction "test mode" flag. - Fixed a bug (#2380) - :doc:`URI Routing ` method ``fetch_method()`` returned 'index' if the requested method name matches its controller name. -- Fixed a bug (#2388) - :doc:`Email library ` Updated the method ``_build_message()`` to return a boolean value. Now it doesn't send an email if there is an error attaching a file to the email. - +- Fixed a bug (#2388) - :doc:`Email Library ` used to ignore attachment errors, resulting in broken emails being sent. Version 2.1.3 ============= From d0c30ab416b0f6bc7fdc9ea70f6fd5e07ac13884 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Tue, 7 May 2013 07:49:23 +0200 Subject: [PATCH 0691/3829] Logging functions: level parameter is not optional This parameter cannot be optional, as the following parameter is mandatory. Also completed the corresponding documentation. --- system/core/Common.php | 8 ++++---- system/core/Log.php | 4 ++-- tests/mocks/core/common.php | 2 +- user_guide_src/source/general/common_functions.rst | 6 +++--- user_guide_src/source/general/errors.rst | 6 +++--- 5 files changed, 13 insertions(+), 13 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index b4f0c388ef4..cad340f332c 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -424,12 +424,12 @@ function show_404($page = '', $log_error = TRUE) * We use this as a simple mechanism to access the logging * class and send messages to be logged. * - * @param string - * @param string - * @param bool + * @param string the error level: 'error', 'debug' or 'info' + * @param string the error message + * @param bool whether the error is a native PHP error * @return void */ - function log_message($level = 'error', $message, $php_error = FALSE) + function log_message($level, $message, $php_error = FALSE) { static $_log, $_log_threshold; diff --git a/system/core/Log.php b/system/core/Log.php index a84d3dc2298..e4d72b5440b 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -138,12 +138,12 @@ public function __construct() * * Generally this function will be called using the global log_message() function * - * @param string the error level + * @param string the error level: 'error', 'debug' or 'info' * @param string the error message * @param bool whether the error is a native PHP error * @return bool */ - public function write_log($level = 'error', $msg, $php_error = FALSE) + public function write_log($level, $msg, $php_error = FALSE) { if ($this->_enabled === FALSE) { diff --git a/tests/mocks/core/common.php b/tests/mocks/core/common.php index 24d645ae317..0ccfe1ea4b9 100644 --- a/tests/mocks/core/common.php +++ b/tests/mocks/core/common.php @@ -178,7 +178,7 @@ function &is_loaded() if ( ! function_exists('log_message')) { - function log_message($level = 'error', $message, $php_error = FALSE) + function log_message($level, $message, $php_error = FALSE) { return TRUE; } diff --git a/user_guide_src/source/general/common_functions.rst b/user_guide_src/source/general/common_functions.rst index 79bd9b45961..a133fdc6df6 100644 --- a/user_guide_src/source/general/common_functions.rst +++ b/user_guide_src/source/general/common_functions.rst @@ -100,11 +100,11 @@ please see the :doc:`Error Handling ` documentation. log_message() ============= -.. php:function:: log_message($level = 'error', $message, $php_error = FALSE) +.. php:function:: log_message($level, $message, $php_error = FALSE) - :param string $level: Log level + :param string $level: Log level: 'error', 'debug' or 'info' :param string $message: Message to log - :param bool $php_error: Whether we're loggin a native PHP error message + :param bool $php_error: Whether we're logging a native PHP error message :returns: void This function is an alias for ``CI_Log::write_log()``. For more info, diff --git a/user_guide_src/source/general/errors.rst b/user_guide_src/source/general/errors.rst index a247c1b9faa..f12d992f846 100644 --- a/user_guide_src/source/general/errors.rst +++ b/user_guide_src/source/general/errors.rst @@ -77,11 +77,11 @@ optional second parameter to FALSE will skip logging. log_message() ============= -.. php:function:: log_message($level = 'error', $message, $php_error = FALSE) +.. php:function:: log_message($level, $message, $php_error = FALSE) - :param string $level: Log level + :param string $level: Log level: 'error', 'debug' or 'info' :param string $message: Message to log - :param bool $php_error: Whether we're loggin a native PHP error message + :param bool $php_error: Whether we're logging a native PHP error message :returns: void This function lets you write messages to your log files. You must supply From cdc6113987565975ed7ed83945e500bc00936d48 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Fri, 10 May 2013 16:47:47 +0200 Subject: [PATCH 0692/3829] Fix a docblock in Loader class --- system/core/Loader.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index d4e63231c22..0a5cf5b84c6 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -713,7 +713,7 @@ public function add_package_path($path, $view_cascade = TRUE) * * Return a list of all package paths. * - * @param bool $include_base Whether to include BASEPATH (default: TRUE) + * @param bool $include_base Whether to include BASEPATH (default: FALSE) * @return array */ public function get_package_paths($include_base = FALSE) From fadb82230ba29b4c8a1e5f97092f7d775491f340 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Sun, 12 May 2013 10:57:09 +0200 Subject: [PATCH 0693/3829] Do not trigger a possible custom autoloader, as it is irrelevant here These were the last two calls of class_exists() without the $autoloader = FALSE argument. --- system/core/Loader.php | 2 +- system/database/DB_driver.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index d4e63231c22..6f90aec8b60 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -658,7 +658,7 @@ public function driver($library = '', $params = NULL, $object_name = NULL) return FALSE; } - if ( ! class_exists('CI_Driver_Library')) + if ( ! class_exists('CI_Driver_Library', FALSE)) { // We aren't instantiating an object here, just making the base class available require BASEPATH.'libraries/Driver.php'; diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 9239dc15470..593d78ba410 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -704,7 +704,7 @@ public function load_rdriver() { $driver = 'CI_DB_'.$this->dbdriver.'_result'; - if ( ! class_exists($driver)) + if ( ! class_exists($driver, FALSE)) { include_once(BASEPATH.'database/DB_result.php'); include_once(BASEPATH.'database/drivers/'.$this->dbdriver.'/'.$this->dbdriver.'_result.php'); From d3f9efe0999854262ef8788bebb62576d9b0ec43 Mon Sep 17 00:00:00 2001 From: Kevin Smith Date: Mon, 13 May 2013 16:34:37 -0500 Subject: [PATCH 0694/3829] Adds a few new lines to note directive to fix a build error in the docs. --- user_guide_src/source/general/controllers.rst | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/general/controllers.rst b/user_guide_src/source/general/controllers.rst index 8cfb012a055..04f23276d0a 100644 --- a/user_guide_src/source/general/controllers.rst +++ b/user_guide_src/source/general/controllers.rst @@ -214,7 +214,9 @@ Here is an example:: echo $output; } -.. note:: Please note that your ``_output()`` method will receive the +.. note:: + + Please note that your ``_output()`` method will receive the data in its finalized state. Benchmark and memory usage data will be rendered, cache files written (if you have caching enabled), and headers will be sent (if you use that From e418e1e5b9b0f6726c953b6111b85adfe6043e9b Mon Sep 17 00:00:00 2001 From: Kevin Smith Date: Mon, 13 May 2013 17:33:25 -0500 Subject: [PATCH 0695/3829] Removes an obstacle to building the docs. --- user_guide_src/source/_themes/eldocs/layout.html | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/_themes/eldocs/layout.html b/user_guide_src/source/_themes/eldocs/layout.html index 51d61b849d2..7f2fe1a3448 100644 --- a/user_guide_src/source/_themes/eldocs/layout.html +++ b/user_guide_src/source/_themes/eldocs/layout.html @@ -81,7 +81,7 @@ {%- block content %}
- {{ toctree(collapse=true) }} + {{ toctree }}
From 4ad89d8ec569b5589ca06ab61feaac203dbfe3da Mon Sep 17 00:00:00 2001 From: Rasmus Lerdorf Date: Sat, 18 May 2013 10:18:17 -0400 Subject: [PATCH 0696/3829] The date_range() function is a bit broken Neither $unix_time nor $start_date were defined here Signed-off-by: Rasmus Lerdorf --- system/helpers/date_helper.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index 41a7ab63526..599e86a5741 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -677,7 +677,7 @@ function date_range($unix_start = '', $mixed = '', $is_unix = TRUE, $format = 'Y $is_unix = ! ( ! $is_unix OR $is_unix === 'days'); // Validate input and try strtotime() on invalid timestamps/intervals, just in case - if ( ( ! ctype_digit((string) $unix_start) && ($unix_start = @strtotime($unix_time)) === FALSE) + if ( ( ! ctype_digit((string) $unix_start) && ($unix_start = @strtotime($unix_start)) === FALSE) OR ( ! ctype_digit((string) $mixed) && ($is_unix === FALSE OR ($mixed = @strtotime($mixed)) === FALSE)) OR ($is_unix === TRUE && $mixed < $unix_start)) { @@ -686,7 +686,7 @@ function date_range($unix_start = '', $mixed = '', $is_unix = TRUE, $format = 'Y if ($is_unix && ($unix_start == $mixed OR date($format, $unix_start) === date($format, $mixed))) { - return array($start_date); + return array(date($format, $unix_start)); } $range = array(); @@ -780,4 +780,4 @@ function date_range($unix_start = '', $mixed = '', $is_unix = TRUE, $format = 'Y } /* End of file date_helper.php */ -/* Location: ./system/helpers/date_helper.php */ \ No newline at end of file +/* Location: ./system/helpers/date_helper.php */ From 49bce11e2e959793fca2b31fa047f3e8d2533e46 Mon Sep 17 00:00:00 2001 From: Rasmus Lerdorf Date: Sat, 18 May 2013 10:20:01 -0400 Subject: [PATCH 0697/3829] It looks like this should be $alter_type here Signed-off-by: Rasmus Lerdorf --- system/database/drivers/pdo/subdrivers/pdo_4d_forge.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php b/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php index a39045eb742..8d7db071bf5 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php @@ -103,7 +103,7 @@ protected function _alter_table($alter_type, $table, $field) { if (in_array($alter_type, array('ADD', 'DROP'), TRUE)) { - return parent::_alter_table($alter_table, $table, $field); + return parent::_alter_table($alter_type, $table, $field); } // No method of modifying columns is supported @@ -206,4 +206,4 @@ protected function _attr_auto_increment(&$attributes, &$field) } /* End of file pdo_4d_forge.php */ -/* Location: ./system/database/drivers/pdo/subdrivers/pdo_4d_forge.php */ \ No newline at end of file +/* Location: ./system/database/drivers/pdo/subdrivers/pdo_4d_forge.php */ From 86417d040ace56e213acdb2a5338cd409606a272 Mon Sep 17 00:00:00 2001 From: Rasmus Lerdorf Date: Sat, 18 May 2013 10:22:00 -0400 Subject: [PATCH 0698/3829] $element not $focus there and you can't have required params after an optional one Signed-off-by: Rasmus Lerdorf --- system/libraries/Javascript.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/system/libraries/Javascript.php b/system/libraries/Javascript.php index 773a5838418..6d2b99bbf39 100644 --- a/system/libraries/Javascript.php +++ b/system/libraries/Javascript.php @@ -172,7 +172,7 @@ public function error($element = 'this', $js = '') */ public function focus($element = 'this', $js = '') { - return $this->js->__add_event($focus, $js); + return $this->js->__add_event($element, $js); } // -------------------------------------------------------------------- @@ -187,7 +187,7 @@ public function focus($element = 'this', $js = '') * @param string - Javascript code for mouse out * @return string */ - public function hover($element = 'this', $over, $out) + public function hover($element = 'this', $over = '', $out = '') { return $this->js->__hover($element, $over, $out); } @@ -844,4 +844,4 @@ protected function _prep_args($result, $is_key = FALSE) } /* End of file Javascript.php */ -/* Location: ./system/libraries/Javascript.php */ \ No newline at end of file +/* Location: ./system/libraries/Javascript.php */ From e736f49f13bd07bf5bace06ca2453f260591489f Mon Sep 17 00:00:00 2001 From: Rasmus Lerdorf Date: Sat, 18 May 2013 10:25:03 -0400 Subject: [PATCH 0699/3829] Required arg in between optional ones Signed-off-by: Rasmus Lerdorf --- system/helpers/html_helper.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index 80a27876f0e..9990b4653f4 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -109,7 +109,7 @@ function ol($list, $attributes = '') * @param int * @return string */ - function _list($type = 'ul', $list, $attributes = '', $depth = 0) + function _list($type = 'ul', $list = array(), $attributes = '', $depth = 0) { // If an array wasn't submitted there's nothing to do... if ( ! is_array($list)) @@ -399,4 +399,4 @@ function nbs($num = 1) } /* End of file html_helper.php */ -/* Location: ./system/helpers/html_helper.php */ \ No newline at end of file +/* Location: ./system/helpers/html_helper.php */ From 0a6a88a271a30c9e600e89ea2182472f010bb0c6 Mon Sep 17 00:00:00 2001 From: Rasmus Lerdorf Date: Sat, 18 May 2013 10:26:21 -0400 Subject: [PATCH 0700/3829] Required args after optional ones Signed-off-by: Rasmus Lerdorf --- system/libraries/Javascript/Jquery.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/system/libraries/Javascript/Jquery.php b/system/libraries/Javascript/Jquery.php index b6e0434b2f8..2b0cc08e684 100644 --- a/system/libraries/Javascript/Jquery.php +++ b/system/libraries/Javascript/Jquery.php @@ -225,7 +225,7 @@ protected function _focus($element = 'this', $js = '') * @param string - Javascript code for mouse out * @return string */ - protected function _hover($element = 'this', $over, $out) + protected function _hover($element = 'this', $over = '', $out = '') { $event = "\n\t$(".$this->_prep_element($element).").hover(\n\t\tfunction()\n\t\t{\n\t\t\t{$over}\n\t\t}, \n\t\tfunction()\n\t\t{\n\t\t\t{$out}\n\t\t});\n"; @@ -715,7 +715,7 @@ protected function _show($element = 'this', $speed = '', $callback = '') * @return string */ - protected function _updater($container = 'this', $controller, $options = '') + protected function _updater($container = 'this', $controller = '', $options = '') { $container = $this->_prep_element($container); $controller = (strpos('://', $controller) === FALSE) ? $controller : $this->CI->config->site_url(https://github.com/$controller); @@ -1066,4 +1066,4 @@ protected function _validate_speed($speed) } /* End of file Jquery.php */ -/* Location: ./system/libraries/Jquery.php */ \ No newline at end of file +/* Location: ./system/libraries/Jquery.php */ From 998607025296044cd71b7ab9da7fe3551b1e3ac7 Mon Sep 17 00:00:00 2001 From: Rasmus Lerdorf Date: Sat, 18 May 2013 10:27:12 -0400 Subject: [PATCH 0701/3829] values_parsing() only takes 1 arg Signed-off-by: Rasmus Lerdorf --- system/libraries/Xmlrpc.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index 9e60791ae60..2675f724e64 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -446,7 +446,7 @@ public function values_parsing($value) { while (list($k) = each($value[0])) { - $value[0][$k] = $this->values_parsing($value[0][$k], TRUE); + $value[0][$k] = $this->values_parsing($value[0][$k]); } } @@ -1848,4 +1848,4 @@ public function iso8601_encode($time, $utc = FALSE) } // END XML_RPC_Values Class /* End of file Xmlrpc.php */ -/* Location: ./system/libraries/Xmlrpc.php */ \ No newline at end of file +/* Location: ./system/libraries/Xmlrpc.php */ From 164a1f28dd8f8093d260748e0d85fa714f232a57 Mon Sep 17 00:00:00 2001 From: Rasmus Lerdorf Date: Sat, 18 May 2013 10:29:56 -0400 Subject: [PATCH 0702/3829] highlight_code() doesn't take an ENT_QUOTES arg Signed-off-by: Rasmus Lerdorf --- system/libraries/Profiler.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index 3c7ce54068e..7ce56931cb9 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -264,7 +264,7 @@ protected function _compile_queries() foreach ($db->queries as $key => $val) { $time = number_format($db->query_times[$key], 4); - $val = highlight_code($val, ENT_QUOTES); + $val = highlight_code($val); foreach ($highlight as $bold) { @@ -554,4 +554,4 @@ public function run() } /* End of file Profiler.php */ -/* Location: ./system/libraries/Profiler.php */ \ No newline at end of file +/* Location: ./system/libraries/Profiler.php */ From 08ddfb85c79579a8bf6285c1b5a20054166e2ac1 Mon Sep 17 00:00:00 2001 From: ThallisPHP Date: Mon, 20 May 2013 11:10:26 -0300 Subject: [PATCH 0703/3829] Removed unused variable $name in Cache_memcached.php --- system/libraries/Cache/drivers/Cache_memcached.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index 246a7a264f2..4c35c55509e 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -196,7 +196,7 @@ protected function _setup_memcached() return FALSE; } - foreach ($this->_memcache_conf as $name => $cache_server) + foreach ($this->_memcache_conf as $cache_server) { if ( ! array_key_exists('hostname', $cache_server)) { @@ -260,4 +260,4 @@ public function is_supported() } /* End of file Cache_memcached.php */ -/* Location: ./system/libraries/Cache/drivers/Cache_memcached.php */ \ No newline at end of file +/* Location: ./system/libraries/Cache/drivers/Cache_memcached.php */ From 8c40c9cbbed7c25a6f544219127998924ec4c673 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Sat, 25 May 2013 04:09:44 +0200 Subject: [PATCH 0704/3829] Add a requirement in tests installation instructions PHPUnit requires Yaml package from pear.symfony.com channel. --- tests/README.md | 1 + 1 file changed, 1 insertion(+) diff --git a/tests/README.md b/tests/README.md index a5f89a2b12c..3e32edc0ce3 100644 --- a/tests/README.md +++ b/tests/README.md @@ -17,6 +17,7 @@ format to facilitate clean api design. [see http://arrenbrecht.ch/testing/] PHP Unit >= 3.5.6 pear channel-discover pear.phpunit.de + pear channel-discover pear.symfony.com pear install phpunit/PHPUnit vfsStream From ef8ca68ea0f6c7a1ccde0dcb33308a6805a602ea Mon Sep 17 00:00:00 2001 From: vlakoff Date: Sat, 25 May 2013 19:17:48 +0200 Subject: [PATCH 0705/3829] Fix tests execution See #2442 --- tests/codeigniter/core/Loader_test.php | 2 ++ 1 file changed, 2 insertions(+) diff --git a/tests/codeigniter/core/Loader_test.php b/tests/codeigniter/core/Loader_test.php index e75d0d564aa..04363c15ca6 100644 --- a/tests/codeigniter/core/Loader_test.php +++ b/tests/codeigniter/core/Loader_test.php @@ -147,6 +147,8 @@ public function test_load_library_in_application_dir() public function test_driver() { + $this->ci_vfs_clone('system/libraries/Driver.php'); + // Create driver in VFS $driver = 'unit_test_driver'; $dir = ucfirst($driver); From ef2be33c1e726f92d7e8a12669fe98733e32b086 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Sat, 25 May 2013 19:46:11 +0200 Subject: [PATCH 0706/3829] Try a different method, the previous one wasn't working in Travis --- tests/codeigniter/core/Loader_test.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/tests/codeigniter/core/Loader_test.php b/tests/codeigniter/core/Loader_test.php index 04363c15ca6..ac2656e7502 100644 --- a/tests/codeigniter/core/Loader_test.php +++ b/tests/codeigniter/core/Loader_test.php @@ -147,7 +147,8 @@ public function test_load_library_in_application_dir() public function test_driver() { - $this->ci_vfs_clone('system/libraries/Driver.php'); + // Call the autoloader, to include system/libraries/Driver.php + class_exists('CI_Driver_Library', TRUE); // Create driver in VFS $driver = 'unit_test_driver'; From 3b0d1332e4397249f9fed654041b5af776132523 Mon Sep 17 00:00:00 2001 From: ckdarby Date: Thu, 6 Jun 2013 16:30:23 -0400 Subject: [PATCH 0707/3829] Add mimes pdf application/force-download --- application/config/mimes.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/application/config/mimes.php b/application/config/mimes.php index 6ff381279b9..32d10f6c151 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -49,7 +49,7 @@ 'sea' => 'application/octet-stream', 'dll' => 'application/octet-stream', 'oda' => 'application/oda', - 'pdf' => array('application/pdf', 'application/x-download', 'binary/octet-stream'), + 'pdf' => array('application/pdf', 'application/force-download', 'application/x-download', 'binary/octet-stream'), 'ai' => array('application/pdf', 'application/postscript'), 'eps' => 'application/postscript', 'ps' => 'application/postscript', From f55d51488da5b3628ead257189240907cc153184 Mon Sep 17 00:00:00 2001 From: florisluiten Date: Fri, 7 Jun 2013 17:20:06 +0300 Subject: [PATCH 0708/3829] Prevent email header injection When a header is set, newline characters are stripped so one cannot inject his/her own email header(s). Since set_header is only used to set one header at a time, it should have no effect on any code relying on this function --- system/libraries/Email.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 10253c79604..0774b4defc9 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -739,7 +739,7 @@ public function attach($filename, $disposition = '', $newname = NULL, $mime = '' */ public function set_header($header, $value) { - $this->_headers[$header] = $value; + $this->_headers[$header] = str_replace(array("\n", "\r"), '', $value); } // -------------------------------------------------------------------- @@ -2212,4 +2212,4 @@ protected function _mime_types($ext = '') } /* End of file Email.php */ -/* Location: ./system/libraries/Email.php */ \ No newline at end of file +/* Location: ./system/libraries/Email.php */ From c7325c120f872636131c93e56ad8bdad85311c16 Mon Sep 17 00:00:00 2001 From: Chris Ege Date: Tue, 11 Jun 2013 11:25:51 -0500 Subject: [PATCH 0709/3829] added newlines to end of email header when send_multipart === false --- system/libraries/Email.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 10253c79604..0c83a8ba942 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1275,7 +1275,7 @@ protected function _build_message() if ($this->send_multipart === FALSE) { $hdr .= 'Content-Type: text/html; charset='.$this->charset.$this->newline - .'Content-Transfer-Encoding: quoted-printable'; + .'Content-Transfer-Encoding: quoted-printable'.$this->newline.$this->newline; } else { From 1074bbf1851499e98912349c386701657c7f2cdd Mon Sep 17 00:00:00 2001 From: "Richard Deurwaarder (Xeli)" Date: Wed, 19 Jun 2013 10:57:27 +0200 Subject: [PATCH 0710/3829] Add support for https behind a reverse proxy using X-Forwarded-Proto --- system/core/Common.php | 16 ++++++++++++---- 1 file changed, 12 insertions(+), 4 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index cad340f332c..7bf11dae544 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -345,9 +345,17 @@ function &get_mimes() * @return bool */ function is_https() - { - return (isset($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) === 'on'); - } + { + if(isset($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) === 'on'){ + return True; + }elseif (isset($_SERVER['HTTP_X_FORWARDED_PROTO']) && $_SERVER['HTTP_X_FORWARDED_PROTO'] === 'https'){ + return True; + }elseif (isset($_SERVER['HTTP_FRONT_END_HTTPS']) && $_SERVER['HTTP_FRONT_END_HTTPS'] == 'on'){ + return True; + }else{ + return False + } + } } // ------------------------------------------------------------------------ @@ -731,4 +739,4 @@ function function_usable($function_name) } /* End of file Common.php */ -/* Location: ./system/core/Common.php */ \ No newline at end of file +/* Location: ./system/core/Common.php */ From 983b3139d4d834caed06a2341f0cd0beaa09114a Mon Sep 17 00:00:00 2001 From: "Richard Deurwaarder (Xeli)" Date: Wed, 19 Jun 2013 13:49:08 +0200 Subject: [PATCH 0711/3829] Change True -> TRUE per codeigniter guidelines --- system/core/Common.php | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 7bf11dae544..467691cbf0f 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -347,13 +347,13 @@ function &get_mimes() function is_https() { if(isset($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) === 'on'){ - return True; + return TRUE; }elseif (isset($_SERVER['HTTP_X_FORWARDED_PROTO']) && $_SERVER['HTTP_X_FORWARDED_PROTO'] === 'https'){ - return True; + return TRUE; }elseif (isset($_SERVER['HTTP_FRONT_END_HTTPS']) && $_SERVER['HTTP_FRONT_END_HTTPS'] == 'on'){ - return True; + return TRUE; }else{ - return False + return FALSE; } } } From d6b7cde7ed34f5d26dcb716dfce86cc6dbfba766 Mon Sep 17 00:00:00 2001 From: Michael Zimmer Date: Thu, 20 Jun 2013 11:54:07 +0200 Subject: [PATCH 0712/3829] fixed typo in guide/lib/xmlrpc.rst $size = $parameters[1]['shape']; replaced by: $shape = $parameters[1]['shape']; --- user_guide_src/source/libraries/xmlrpc.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/xmlrpc.rst b/user_guide_src/source/libraries/xmlrpc.rst index b478a2ded25..a43c488379b 100644 --- a/user_guide_src/source/libraries/xmlrpc.rst +++ b/user_guide_src/source/libraries/xmlrpc.rst @@ -423,7 +423,7 @@ the Server. $parameters = $request->output_parameters(); $name = $parameters[0]['name']; $size = $parameters[1]['size']; - $size = $parameters[1]['shape']; + $shape = $parameters[1]['shape']; ************************** XML-RPC Function Reference From 7cd4055f460f0c191e29d0e2952023d5f6400d30 Mon Sep 17 00:00:00 2001 From: "Richard Deurwaarder (Xeli)" Date: Mon, 24 Jun 2013 13:48:34 +0200 Subject: [PATCH 0713/3829] Use codeigniter coding style --- system/core/Common.php | 16 +++++++++++----- 1 file changed, 11 insertions(+), 5 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 467691cbf0f..db611e39a2a 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -346,13 +346,20 @@ function &get_mimes() */ function is_https() { - if(isset($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) === 'on'){ + if(isset($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) === 'on') + { return TRUE; - }elseif (isset($_SERVER['HTTP_X_FORWARDED_PROTO']) && $_SERVER['HTTP_X_FORWARDED_PROTO'] === 'https'){ + } + elseif (isset($_SERVER['HTTP_X_FORWARDED_PROTO']) && $_SERVER['HTTP_X_FORWARDED_PROTO'] === 'https') + { return TRUE; - }elseif (isset($_SERVER['HTTP_FRONT_END_HTTPS']) && $_SERVER['HTTP_FRONT_END_HTTPS'] == 'on'){ + } + elseif (isset($_SERVER['HTTP_FRONT_END_HTTPS']) && $_SERVER['HTTP_FRONT_END_HTTPS'] == 'on') + { return TRUE; - }else{ + } + else + { return FALSE; } } @@ -737,6 +744,5 @@ function function_usable($function_name) return FALSE; } } - /* End of file Common.php */ /* Location: ./system/core/Common.php */ From 668d0093a08a4be58f0bcfcf1414d94a924256b8 Mon Sep 17 00:00:00 2001 From: "Richard Deurwaarder (Xeli)" Date: Mon, 24 Jun 2013 13:50:52 +0200 Subject: [PATCH 0714/3829] remove newline in system/core/Common.php --- system/core/Common.php | 1 + 1 file changed, 1 insertion(+) diff --git a/system/core/Common.php b/system/core/Common.php index db611e39a2a..11ff4bae97f 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -744,5 +744,6 @@ function function_usable($function_name) return FALSE; } } + /* End of file Common.php */ /* Location: ./system/core/Common.php */ From 039cea8282eca2e480dddb37e906f6a4b800d1a3 Mon Sep 17 00:00:00 2001 From: "Richard Deurwaarder (Xeli)" Date: Mon, 24 Jun 2013 13:56:56 +0200 Subject: [PATCH 0715/3829] Added X-Forwarded-Proto support to changelog --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 38c6d05bded..2653b89a323 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -314,6 +314,7 @@ Release Date: Not Released - Changed ``_exception_handler()`` to respect php.ini *display_errors* setting. - Added function :php:func:`is_https()` to check if a secure connection is used. - Added function :php:func:`function_usable()` to check if a function exists and is not disabled by `Suhosin `. + - Added X-Forwarded-Proto support, used for loadbalancers / reverse proxy servers. - Added support for HTTP-Only cookies with new config option *cookie_httponly* (default FALSE). - Renamed method ``_call_hook()`` to ``call_hook()`` in the :doc:`Hooks Library `. - :doc:`Output Library ` changes include: From 7061bd014b6b7dbf89bf42e940aa134228f044ce Mon Sep 17 00:00:00 2001 From: "Richard Deurwaarder (Xeli)" Date: Mon, 24 Jun 2013 14:07:21 +0200 Subject: [PATCH 0716/3829] remove newline at eof in syste/core/Common --- system/core/Common.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Common.php b/system/core/Common.php index 11ff4bae97f..081b63cceca 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -746,4 +746,4 @@ function function_usable($function_name) } /* End of file Common.php */ -/* Location: ./system/core/Common.php */ +/* Location: ./system/core/Common.php */ \ No newline at end of file From 5d1cacfeadacb03dc8cb4dcb334a3e18db4fc5d7 Mon Sep 17 00:00:00 2001 From: Adrian Date: Mon, 24 Jun 2013 14:39:52 +0200 Subject: [PATCH 0717/3829] Force the file extension to lower case --- system/libraries/Upload.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 7c48b4294be..9c2b456596f 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -965,7 +965,7 @@ public function validate_upload_path() public function get_extension($filename) { $x = explode('.', $filename); - return (count($x) !== 1) ? '.'.end($x) : ''; + return (count($x) !== 1) ? '.'.strtolower(end($x)) : ''; } // -------------------------------------------------------------------- @@ -1284,4 +1284,4 @@ protected function _file_mime_type($file) } /* End of file Upload.php */ -/* Location: ./system/libraries/Upload.php */ \ No newline at end of file +/* Location: ./system/libraries/Upload.php */ From 4760aeff226175cc4267dd8fb8963a03031b78d2 Mon Sep 17 00:00:00 2001 From: "Richard Deurwaarder (Xeli)" Date: Mon, 24 Jun 2013 14:50:35 +0200 Subject: [PATCH 0718/3829] Revert "remove newline at eof in syste/core/Common" This reverts commit 7061bd014b6b7dbf89bf42e940aa134228f044ce. --- system/core/Common.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Common.php b/system/core/Common.php index 081b63cceca..11ff4bae97f 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -746,4 +746,4 @@ function function_usable($function_name) } /* End of file Common.php */ -/* Location: ./system/core/Common.php */ \ No newline at end of file +/* Location: ./system/core/Common.php */ From 23dc052fb2149725c15e0e51e64e34642b89defd Mon Sep 17 00:00:00 2001 From: "Richard Deurwaarder (Xeli)" Date: Mon, 24 Jun 2013 14:52:47 +0200 Subject: [PATCH 0719/3829] fix indentation according to codeigniter codestyle system/core/Common --- system/core/Common.php | 36 ++++++++++++++++++------------------ 1 file changed, 18 insertions(+), 18 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 11ff4bae97f..bd187dcda21 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -345,24 +345,24 @@ function &get_mimes() * @return bool */ function is_https() - { - if(isset($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) === 'on') - { - return TRUE; - } - elseif (isset($_SERVER['HTTP_X_FORWARDED_PROTO']) && $_SERVER['HTTP_X_FORWARDED_PROTO'] === 'https') - { - return TRUE; - } - elseif (isset($_SERVER['HTTP_FRONT_END_HTTPS']) && $_SERVER['HTTP_FRONT_END_HTTPS'] == 'on') - { - return TRUE; - } - else - { - return FALSE; - } - } + { + if(isset($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) === 'on') + { + return TRUE; + } + elseif (isset($_SERVER['HTTP_X_FORWARDED_PROTO']) && $_SERVER['HTTP_X_FORWARDED_PROTO'] === 'https') + { + return TRUE; + } + elseif (isset($_SERVER['HTTP_FRONT_END_HTTPS']) && $_SERVER['HTTP_FRONT_END_HTTPS'] == 'on') + { + return TRUE; + } + else + { + return FALSE; + } + } } // ------------------------------------------------------------------------ From 4055d577822130006e058f6505d022aac444f855 Mon Sep 17 00:00:00 2001 From: "Richard Deurwaarder (Xeli)" Date: Mon, 24 Jun 2013 14:59:20 +0200 Subject: [PATCH 0720/3829] remove newline again in system/core/Common.php, silly editor keeps adding it --- system/core/Common.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Common.php b/system/core/Common.php index bd187dcda21..851d4f34ec8 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -746,4 +746,4 @@ function function_usable($function_name) } /* End of file Common.php */ -/* Location: ./system/core/Common.php */ +/* Location: ./system/core/Common.php */ \ No newline at end of file From 7cc29451bb685d05b4faeb79762b1b291cb44b8b Mon Sep 17 00:00:00 2001 From: "Richard Deurwaarder (Xeli)" Date: Mon, 24 Jun 2013 15:06:19 +0200 Subject: [PATCH 0721/3829] remove else clause in is_https function, just add return FALSE as fallback --- system/core/Common.php | 5 +---- 1 file changed, 1 insertion(+), 4 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 851d4f34ec8..f3a1b50556d 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -358,10 +358,7 @@ function is_https() { return TRUE; } - else - { - return FALSE; - } + return FALSE; } } From 98999976f6025d7ffcb04f8aa448518651fb0d89 Mon Sep 17 00:00:00 2001 From: "Richard Deurwaarder (Xeli)" Date: Mon, 24 Jun 2013 15:19:30 +0200 Subject: [PATCH 0722/3829] some more readablility tweaks in system/core/Common --- system/core/Common.php | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index f3a1b50556d..cb087cb227b 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -346,7 +346,7 @@ function &get_mimes() */ function is_https() { - if(isset($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) === 'on') + if (isset($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) === 'on') { return TRUE; } @@ -354,10 +354,11 @@ function is_https() { return TRUE; } - elseif (isset($_SERVER['HTTP_FRONT_END_HTTPS']) && $_SERVER['HTTP_FRONT_END_HTTPS'] == 'on') + elseif (isset($_SERVER['HTTP_FRONT_END_HTTPS']) && $_SERVER['HTTP_FRONT_END_HTTPS'] === 'on') { return TRUE; } + return FALSE; } } From 4a7310ec6e0c6b9e23bd4ff9450d8bfd04e567ea Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 24 Jun 2013 16:26:48 +0300 Subject: [PATCH 0723/3829] [ci skip] Remove an unnecessary/confusing changelog line --- user_guide_src/source/changelog.rst | 1 - 1 file changed, 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 2653b89a323..38c6d05bded 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -314,7 +314,6 @@ Release Date: Not Released - Changed ``_exception_handler()`` to respect php.ini *display_errors* setting. - Added function :php:func:`is_https()` to check if a secure connection is used. - Added function :php:func:`function_usable()` to check if a function exists and is not disabled by `Suhosin `. - - Added X-Forwarded-Proto support, used for loadbalancers / reverse proxy servers. - Added support for HTTP-Only cookies with new config option *cookie_httponly* (default FALSE). - Renamed method ``_call_hook()`` to ``call_hook()`` in the :doc:`Hooks Library `. - :doc:`Output Library ` changes include: From f496d13ee26c13b3406d30013206af679bf68922 Mon Sep 17 00:00:00 2001 From: Adrian Date: Mon, 24 Jun 2013 15:56:45 +0200 Subject: [PATCH 0724/3829] Add a config var to let the choice of having the lower case on the extensions when uploading. The default value is set to FALSE. --- system/libraries/Upload.php | 14 +++++++++++++- 1 file changed, 13 insertions(+), 1 deletion(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 9c2b456596f..14863d69a22 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -135,6 +135,13 @@ class CI_Upload { */ public $file_ext = ''; + /** + * Force filename extension to lowercase + * + * @var string + */ + public $file_ext_case = FALSE; + /** * Upload path * @@ -294,6 +301,7 @@ public function initialize($config = array()) 'file_type' => '', 'file_size' => NULL, 'file_ext' => '', + 'file_ext_case' => FALSE, 'upload_path' => '', 'overwrite' => FALSE, 'encrypt_name' => FALSE, @@ -965,7 +973,11 @@ public function validate_upload_path() public function get_extension($filename) { $x = explode('.', $filename); - return (count($x) !== 1) ? '.'.strtolower(end($x)) : ''; + + if($this->file_ext_case) + return (count($x) !== 1) ? '.'.strtolower(end($x)) : ''; + else + return (count($x) !== 1) ? '.'.end($x) : ''; } // -------------------------------------------------------------------- From 2d7009c56b99442591e25c86032865b05c6262c8 Mon Sep 17 00:00:00 2001 From: "Floris Luiten (lenwweb.nl)" Date: Mon, 24 Jun 2013 20:48:17 +0200 Subject: [PATCH 0725/3829] Removed empty line at EOF --- system/libraries/Email.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 0774b4defc9..1ee0035cb38 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -2212,4 +2212,4 @@ protected function _mime_types($ext = '') } /* End of file Email.php */ -/* Location: ./system/libraries/Email.php */ +/* Location: ./system/libraries/Email.php */ \ No newline at end of file From 8094452263bfa158316dccbfd5b03c8f2bfb564d Mon Sep 17 00:00:00 2001 From: "Floris Luiten (lenwweb.nl)" Date: Mon, 24 Jun 2013 20:48:47 +0200 Subject: [PATCH 0726/3829] Updated changelog to reflect latest changes --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 38c6d05bded..c0f1566ed35 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -264,6 +264,7 @@ Release Date: Not Released - Internal method ``_prep_q_encoding()`` now utilizes PHP's *mbstring* and *iconv* extensions (when available) and no longer has a second (``$from``) argument. - Added an optional parameter to ``print_debugger()`` to allow specifying which parts of the message should be printed ('headers', 'subject', 'body'). - Added SMTP keepalive option to avoid opening the connection for each ``Email::send()``. Accessible as ``$smtp_keepalive``. + - Public method ``set_header()`` now filters the input by removing all "\\r" and "\\n" characters. - :doc:`Pagination Library ` changes include: - Added support for the anchor "rel" attribute. - Added support for setting custom attributes. From 74a228b0b842e4aeb8cc9326c5d10c1fe4f4ce06 Mon Sep 17 00:00:00 2001 From: Adrian Date: Tue, 25 Jun 2013 12:09:22 +0200 Subject: [PATCH 0727/3829] New var name to make it more comprehensive Changes to follow the styleguide, proposed by narfbg (thanks to him) --- system/libraries/Upload.php | 17 ++++++++++------- 1 file changed, 10 insertions(+), 7 deletions(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 14863d69a22..5861df58421 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -140,7 +140,7 @@ class CI_Upload { * * @var string */ - public $file_ext_case = FALSE; + public $file_ext_tolower = FALSE; /** * Upload path @@ -301,7 +301,7 @@ public function initialize($config = array()) 'file_type' => '', 'file_size' => NULL, 'file_ext' => '', - 'file_ext_case' => FALSE, + 'file_ext_tolower' => FALSE, 'upload_path' => '', 'overwrite' => FALSE, 'encrypt_name' => FALSE, @@ -974,10 +974,13 @@ public function get_extension($filename) { $x = explode('.', $filename); - if($this->file_ext_case) - return (count($x) !== 1) ? '.'.strtolower(end($x)) : ''; - else - return (count($x) !== 1) ? '.'.end($x) : ''; + if (count($x) === 1) + { + return ''; + } + + $ext = ($this->file_ext_tolower) ? strtolower(end($x)) : end($x); + return '.'.$ext; } // -------------------------------------------------------------------- @@ -1296,4 +1299,4 @@ protected function _file_mime_type($file) } /* End of file Upload.php */ -/* Location: ./system/libraries/Upload.php */ +/* Location: ./system/libraries/Upload.php */ \ No newline at end of file From 7c72cfc8fa363cdacf4c19d3d2534e73a54cac66 Mon Sep 17 00:00:00 2001 From: Iacami Date: Thu, 27 Jun 2013 12:20:48 -0300 Subject: [PATCH 0728/3829] Update Profiler.php to show HTTP_DNT status show do not track header status --- system/libraries/Profiler.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index 3c7ce54068e..62830fe223a 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -447,7 +447,7 @@ protected function _compile_http_headers() .'  ('.$this->CI->lang->line('profiler_section_show').")\n\n\n" .'
'."\n"; - foreach (array('HTTP_ACCEPT', 'HTTP_USER_AGENT', 'HTTP_CONNECTION', 'SERVER_PORT', 'SERVER_NAME', 'REMOTE_ADDR', 'SERVER_SOFTWARE', 'HTTP_ACCEPT_LANGUAGE', 'SCRIPT_NAME', 'REQUEST_METHOD',' HTTP_HOST', 'REMOTE_HOST', 'CONTENT_TYPE', 'SERVER_PROTOCOL', 'QUERY_STRING', 'HTTP_ACCEPT_ENCODING', 'HTTP_X_FORWARDED_FOR') as $header) + foreach (array('HTTP_ACCEPT', 'HTTP_USER_AGENT', 'HTTP_CONNECTION', 'SERVER_PORT', 'SERVER_NAME', 'REMOTE_ADDR', 'SERVER_SOFTWARE', 'HTTP_ACCEPT_LANGUAGE', 'SCRIPT_NAME', 'REQUEST_METHOD',' HTTP_HOST', 'REMOTE_HOST', 'CONTENT_TYPE', 'SERVER_PROTOCOL', 'QUERY_STRING', 'HTTP_ACCEPT_ENCODING', 'HTTP_X_FORWARDED_FOR', 'HTTP_DNT') as $header) { $val = isset($_SERVER[$header]) ? $_SERVER[$header] : ''; $output .= '{/cal_cell_end} {cal_cell_end_today}{/cal_cell_end_today} @@ -304,4 +304,4 @@ Class Reference :rtype: CI_Calendar Harvests the data within the template ``{pseudo-variables}`` used to - display the calendar. \ No newline at end of file + display the calendar. From 3645ab3fce68789b9b7884f4c22696013f6f51a2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 28 Sep 2015 12:58:35 +0300 Subject: [PATCH 2403/3829] Merge pull request #4125 from jim-parry/fix/lang_test Improve CI_Lang tests --- tests/codeigniter/core/Lang_test.php | 22 +++++++++++++++++----- 1 file changed, 17 insertions(+), 5 deletions(-) diff --git a/tests/codeigniter/core/Lang_test.php b/tests/codeigniter/core/Lang_test.php index d2dd7598af5..4958f42e12c 100644 --- a/tests/codeigniter/core/Lang_test.php +++ b/tests/codeigniter/core/Lang_test.php @@ -34,11 +34,6 @@ public function test_load() $this->assertTrue($this->lang->load('email', 'german')); $this->assertEquals('german', $this->lang->is_loaded['email_lang.php']); - // Non-alpha idiom (should act the same as unspecified language) - $this->ci_vfs_clone('system/language/english/number_lang.php'); - $this->assertTrue($this->lang->load('number')); - $this->assertEquals('Bytes', $this->lang->language['bytes']); - // Non-existent file $this->setExpectedException( 'RuntimeException', @@ -49,6 +44,23 @@ public function test_load() // -------------------------------------------------------------------- + public function test_non_alpha_idiom() + { + // Non-alpha idiom (should act the same as unspecified language) + // test with existing file + $this->ci_vfs_clone('system/language/english/number_lang.php'); + $this->ci_vfs_clone('system/language/english/number_lang.php', 'system/language/123funny/'); + $this->assertTrue($this->lang->load('number', '123funny')); + $this->assertEquals('Bytes', $this->lang->language['bytes']); + + // test without existing file + $this->ci_vfs_clone('system/language/english/email_lang.php'); + $this->assertTrue($this->lang->load('email', '456funny')); + $this->assertEquals('You did not specify a SMTP hostname.', $this->lang->language['email_no_hostname']); + } + + // -------------------------------------------------------------------- + public function test_multiple_file_load() { // Multiple files From ee2ece8f59338087cef911073d16b2ee407a31bb Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 28 Sep 2015 13:18:05 +0300 Subject: [PATCH 2404/3829] [ci skip] Clarify docs about default_controller --- user_guide_src/source/general/controllers.rst | 22 +++++++++++-------- user_guide_src/source/general/routing.rst | 15 ++++++++----- 2 files changed, 23 insertions(+), 14 deletions(-) diff --git a/user_guide_src/source/general/controllers.rst b/user_guide_src/source/general/controllers.rst index 7ab5a7f6a32..7efb9349e62 100644 --- a/user_guide_src/source/general/controllers.rst +++ b/user_guide_src/source/general/controllers.rst @@ -140,9 +140,12 @@ file and set this variable:: $route['default_controller'] = 'blog'; -Where Blog is the name of the controller class you want used. If you now +Where 'blog' is the name of the controller class you want used. If you now load your main index.php file without specifying any URI segments you'll -see your Hello World message by default. +see your "Hello World" message by default. + +For more information, please refer to the "Reserved Routes" section of the +:doc:`URI Routing ` documentation. Remapping Method Calls ====================== @@ -263,12 +266,12 @@ Trying to access it via the URL, like this, will not work:: Organizing Your Controllers into Sub-directories ================================================ -If you are building a large application you might find it convenient to -organize your controllers into sub-directories. CodeIgniter permits you -to do this. +If you are building a large application you might want to hierarchically +organize or structure your controllers into sub-directories. CodeIgniter +permits you to do this. -Simply create folders within your *application/controllers/* directory -and place your controller classes within them. +Simply create sub-directories under the main *application/controllers/* +one and place your controller classes within them. .. note:: When using this feature the first segment of your URI must specify the folder. For example, let's say you have a controller located @@ -281,8 +284,9 @@ and place your controller classes within them. example.com/index.php/products/shoes/show/123 Each of your sub-directories may contain a default controller which will be -called if the URL contains only the sub-folder. Simply name your default -controller as specified in your *application/config/routes.php* file. +called if the URL contains *only* the sub-directory. Simply put a controller +in there that matches the name of your 'default_controller' as specified in +your *application/config/routes.php* file. CodeIgniter also permits you to remap your URIs using its :doc:`URI Routing ` feature. diff --git a/user_guide_src/source/general/routing.rst b/user_guide_src/source/general/routing.rst index 766e0b2abe9..dc5c0201e12 100644 --- a/user_guide_src/source/general/routing.rst +++ b/user_guide_src/source/general/routing.rst @@ -170,11 +170,16 @@ There are three reserved routes:: $route['default_controller'] = 'welcome'; -This route indicates which controller class should be loaded if the URI -contains no data, which will be the case when people load your root URL. -In the above example, the "welcome" class would be loaded. You are -encouraged to always have a default route otherwise a 404 page will -appear by default. +This route points to the action that should be executed if the URI contains +no data, which will be the case when people load your root URL. +The setting accepts a **controller/method** value and ``index()`` would be +the default method if you don't specify one. In the above example, it is +``Welcome::index()`` that would be called. + +.. note:: You can NOT use a directory as a part of this setting! + +You are encouraged to always have a default route as otherwise a 404 page +will appear by default. :: From 2845decb8a1867ae15eff941ae828c210fa64d7e Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?=D0=94=D0=BC=D0=B8=D1=82=D1=80=D0=B8=D0=B9?= Date: Sun, 27 Sep 2015 07:34:11 +0800 Subject: [PATCH 2405/3829] cal_cel_other forget to close a tag cal_cel_other --- user_guide_src/source/libraries/calendar.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/libraries/calendar.rst b/user_guide_src/source/libraries/calendar.rst index 52883d29757..ea0f4d108af 100644 --- a/user_guide_src/source/libraries/calendar.rst +++ b/user_guide_src/source/libraries/calendar.rst @@ -179,7 +179,7 @@ will be placed within a pair of pseudo-variables as shown here:: {cal_cell_blank} {/cal_cell_blank} - {cal_cell_other}{day}{cal_cel_other} + {cal_cell_other}{day}{/cal_cel_other} {cal_cell_end}{/cal_cell_end} {cal_cell_end_today}{/cal_cell_end_today} @@ -304,4 +304,4 @@ Class Reference :rtype: CI_Calendar Harvests the data within the template ``{pseudo-variables}`` used to - display the calendar. \ No newline at end of file + display the calendar. From 7f5c7533312d38ea922e6068cd097bf694fa3907 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 28 Sep 2015 17:05:52 +0300 Subject: [PATCH 2406/3829] [ci skip] Explain per-directory logic for 404_override too --- user_guide_src/source/general/routing.rst | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/general/routing.rst b/user_guide_src/source/general/routing.rst index dc5c0201e12..b2c9873ab7a 100644 --- a/user_guide_src/source/general/routing.rst +++ b/user_guide_src/source/general/routing.rst @@ -187,11 +187,13 @@ will appear by default. This route indicates which controller class should be loaded if the requested controller is not found. It will override the default 404 -error page. It won't affect to the ``show_404()`` function, which will +error page. Same per-directory rules as with 'default_controller' +apply here as well. + +It won't affect to the ``show_404()`` function, which will continue loading the default *error_404.php* file at *application/views/errors/error_404.php*. - :: $route['translate_uri_dashes'] = FALSE; From 0dbd848dbc69b74489f1fb4e360e8be785727c76 Mon Sep 17 00:00:00 2001 From: zoaked Date: Mon, 28 Sep 2015 11:38:16 -0400 Subject: [PATCH 2407/3829] Update changelog.rst --- user_guide_src/source/changelog.rst | 1 - 1 file changed, 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index aa61a886e94..64120df8e29 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -22,7 +22,6 @@ Bug fixes for 3.0.2 - Fixed a bug (#2284) - :doc:`Database ` method ``protect_identifiers()`` breaks when :doc:`Query Builder ` isn't enabled. - Fixed a bug (#4052) - :doc:`Routing ` with anonymous functions didn't work for routes that don't use regular expressions. -- Fixed a bug (#4126) - :doc:`Form Validation Library ` was needlessly clearing ``$_config_rules`` when calling ``reset_validation()`` method. Version 3.0.1 ============= From e837851d3626617ff9f8311c45d26449167d5fa8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 29 Sep 2015 12:30:55 +0300 Subject: [PATCH 2408/3829] Merge pull request #4126 from zoaked/patch-1 Persist config file rules when using FV reset_validation() --- system/libraries/Form_validation.php | 1 - user_guide_src/source/libraries/form_validation.rst | 2 +- 2 files changed, 1 insertion(+), 2 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index af90316a4d3..a158225eea6 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -1586,7 +1586,6 @@ public function encode_php_tags($str) public function reset_validation() { $this->_field_data = array(); - $this->_config_rules = array(); $this->_error_array = array(); $this->_error_messages = array(); $this->error_string = ''; diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index 1fde68d734a..c288cc8c0a3 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -1140,4 +1140,4 @@ the following functions: - :php:func:`set_radio()` Note that these are procedural functions, so they **do not** require you -to prepend them with ``$this->form_validation``. \ No newline at end of file +to prepend them with ``$this->form_validation``. From f084acf240253f396d4a9787fed93a13d5771f46 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 29 Sep 2015 12:35:00 +0300 Subject: [PATCH 2409/3829] [ci skip] Add changelog message for PR #4126 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 9335fbfac19..bf912b29f34 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -34,6 +34,7 @@ Bug fixes for 3.0.2 - Fixed a bug (#4116) - :doc:`Pagination Library ` set the wrong page number on the "data-ci-pagination-page" attribute in generated links. - Fixed a bug where :doc:`Pagination Library` added the 'rel="start"' attribute to the first displayed link even if it's not actually linking the first page. - Fixed a bug (#4137) - :doc:`Error Handling ` breaks for the new ``Error`` exceptions under PHP 7. +- Fixed a bug (#4126) - :doc:`Form Validation Library ` method ``reset_validation()`` discarded validation rules from config files. Version 3.0.1 ============= From 84b5f24f2fa9932e6986cdb98731d1a0e7e76e1e Mon Sep 17 00:00:00 2001 From: Hongyi Zhang Date: Tue, 29 Sep 2015 17:42:29 -0700 Subject: [PATCH 2410/3829] refactor pulldown menu generation using sphinx toctree Signed-off-by: Hongyi Zhang --- .../_themes/sphinx_rtd_theme/breadcrumbs.html | 3 + .../_themes/sphinx_rtd_theme/layout.html | 2 + .../_themes/sphinx_rtd_theme/pulldown.html | 17 ++++ .../sphinx_rtd_theme/static/css/citheme.css | 70 ++++++++++++++- .../sphinx_rtd_theme/static/js/theme.js | 90 +++++-------------- 5 files changed, 113 insertions(+), 69 deletions(-) create mode 100644 user_guide_src/source/_themes/sphinx_rtd_theme/pulldown.html diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html b/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html index ff0938e5c82..55337accf53 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html @@ -14,6 +14,9 @@ View page source {% endif %} +
+ classic layout +

diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/layout.html b/user_guide_src/source/_themes/sphinx_rtd_theme/layout.html index 1203b2f3440..20ede7d32ac 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/layout.html +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/layout.html @@ -77,6 +77,8 @@ + {% include "pulldown.html" %} +
{# SIDE NAV, TOGGLES ON MOBILE #} diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/pulldown.html b/user_guide_src/source/_themes/sphinx_rtd_theme/pulldown.html new file mode 100644 index 00000000000..7877346d8d5 --- /dev/null +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/pulldown.html @@ -0,0 +1,17 @@ + + diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css index 10e7d04c6f2..0f83765b2dc 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css @@ -4,4 +4,72 @@ padding: 0px !important; font-weight: inherit !important; background-color: #f1d40f !important; -} \ No newline at end of file +} + +#nav { + background-color: #494949; + margin: 0; + padding: 0; + display:none; +} + +#nav2 { + background: url(data:image/jpeg;base64,/9j/4AAQSkZJRgABAgAAZABkAAD/7AARRHVja3kAAQAEAAAARgAA/+4ADkFkb2JlAGTAAAAAAf/bAIQABAMDAwMDBAMDBAYEAwQGBwUEBAUHCAYGBwYGCAoICQkJCQgKCgwMDAwMCgwMDQ0MDBERERERFBQUFBQUFBQUFAEEBQUIBwgPCgoPFA4ODhQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQU/8AAEQgAMgAzAwERAAIRAQMRAf/EAFkAAQADAQAAAAAAAAAAAAAAAAABBQcIAQEAAAAAAAAAAAAAAAAAAAAAEAABAgYDAAAAAAAAAAAAAAAAAVERAtMEFJRVBxgRAQAAAAAAAAAAAAAAAAAAAAD/2gAMAwEAAhEDEQA/AMRAAAAAAAA7a87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wN/wJGAYEjAMCRgGBIwDAkYBgSMAwJGAsoIwCCMAgjAIIwCCMAgjAIIwEgAAAAAAAAAAAAAAAAAAAAAAAH//2Q==) repeat-x scroll left top transparent; + margin: 0; + padding: 0 310px 0 0; + text-align: right; + display:none; +} + +#nav_inner { + background-color: transparent; + font-family: Lucida Grande,Verdana,Geneva,sans-serif; + font-size: 11px; + margin: 0; + padding: 8px 12px 0 20px; +} + +div#pulldown-menu { + -moz-column-count: 5; + -moz-column-gap: 20px; + -webkit-column-count: 5; + -webkit-column-gap: 20px; + column-count: 5; + column-gap: 20px; + -webkit-column-rule: 1px groove #B8B8B8; + -moz-column-rule: 1px groove #B8B8B8; + column-rule: 1px groove #B8B8B8; +} + +#pulldown-menu > ul { + padding-top: 10px; + padding-bottom: 10px; + -webkit-column-break-inside: avoid; /*Chrome, Safari*/ + display: table; /*Firefox*/ + break-inside: avoid; /*IE 10+ theoretically*/ +} + +#pulldown-menu ul li.toctree-l2 { + font-size:0.82em; + margin-left: 20px; + list-style-image: url(data:image/gif;base64,R0lGODlhCwAJALMJAO7u7uTk5PLy8unp6fb29t7e3vj4+Li4uIWFheTk5AAAAAAAAAAAAAAAAAAAAAAAACH5BAEAAAkALAAAAAALAAkAAAQoMJ1JqTQ4Z3SI98jHCWSJkByArCyiHkMsIzEX3DeCc0Xv+4hEa5iIAAA7); +} + +#pulldown-menu ul li.toctree-l1 a { + color:#fff; + text-decoration: none; + font-size:12px; + font-family: "Roboto Slab","ff-tisa-web-pro","Georgia",Arial,sans-serif; + font-weight: 700; +} + +#pulldown-menu ul li.toctree-l2 a { + text-decoration: none; + font-size:11px; + line-height:1.4em; + font-weight: 300; + font-family: Lucida Grande,Verdana,Geneva,sans-serif; + color: #aaa; +} + + diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js index 8aee6ca2987..267d87c6eb5 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js @@ -12,89 +12,43 @@ $(document).ready(function () { $(document).on('click', "[data-toggle='rst-current-version']", function () { $("[data-toggle='rst-versions']").toggleClass("shift-up"); }); - // Make tables responsive - $("table.docutils:not(.field-list)").wrap("
"); + // // Make tables responsive + // $("table.docutils:not(.field-list)").wrap("
"); // --- // START DOC MODIFICATION BY RUFNEX // v1.0 04.02.2015 // Add ToogleButton to get FullWidth-View by Johannes Gamperl codeigniter.de - // JLP - reformatted to make additions or corrections easier. Still hard-coded :(( - var ciNav = '\ -\ -
\n\ -
\n\ -

Welcome to CodeIgniter

\n\ -

Installation Instructions

\n\ -

CodeIgniter Overview

\n\ -

Tutorial

\n\ -

Contributing to CodeIgniter

\n\ -
\n\ -

General Topics

\n\ -
\n\ -

Libraries

\n\ -
\n\ -

Database Reference

\n\ -
\n\ -

Helpers

\n\ -
\ -
\ -'; - $('body').prepend(ciNav); - // - var a = ['Index', 'CodeIgniter User Guide¶', 'Change Log¶', 'Developer’s Certificate of Origin 1.1¶', 'The MIT License (MIT)¶']; - if ($.inArray($('h1').text(), a) > 0 || $('#search-results').length) - { - $('table.ciNav a').each(function () { - $(this).attr('href', $(this).attr("href").replace('../', '')); - }); - } - // $('#openToc').click(function () { $('#nav').slideToggle(); }); - $('.wy-breadcrumbs').append('
toc
'); $('#closeMe').toggle( - function () - { - setCookie('ciNav', true, 365); - $('#nav2').show(); - $('#topMenu').remove(); - $('body').css({background: 'none'}); - $('.wy-nav-content-wrap').css({background: 'none', 'margin-left': 0}); - $('.wy-breadcrumbs').append('
' + $('.wy-form').parent().html() + '
'); - $('.wy-nav-side').toggle(); - }, - function () - { - setCookie('ciNav', false, 365); - $('#topMenu').remove(); - $('#nav').hide(); - $('#nav2').hide(); - $('body').css({background: '#edf0f2;'}); - $('.wy-nav-content-wrap').css({background: 'none repeat scroll 0 0 #fcfcfc;', 'margin-left': '300px'}); - $('.wy-nav-side').show(); - } + function () + { + setCookie('ciNav', true, 365); + $('#nav2').show(); + $('#topMenu').remove(); + $('body').css({background: 'none'}); + $('.wy-nav-content-wrap').css({background: 'none', 'margin-left': 0}); + $('.wy-breadcrumbs').append('
' + $('.wy-form').parent().html() + '
'); + $('.wy-nav-side').toggle(); + }, + function () + { + setCookie('ciNav', false, 365); + $('#topMenu').remove(); + $('#nav').hide(); + $('#nav2').hide(); + $('body').css({background: '#edf0f2;'}); + $('.wy-nav-content-wrap').css({background: 'none repeat scroll 0 0 #fcfcfc;', 'margin-left': '300px'}); + $('.wy-nav-side').show(); + } ); if (getCookie('ciNav') == 'true') { $('#closeMe').trigger('click'); //$('#nav').slideToggle(); } - // END MODIFICATION --- }); // Rufnex Cookie functions From b881ba33067000117f50ede4a9b76aaef99a3605 Mon Sep 17 00:00:00 2001 From: Hongyi Zhang Date: Tue, 29 Sep 2015 17:46:48 -0700 Subject: [PATCH 2411/3829] add end modification message back Signed-off-by: Hongyi Zhang --- .../source/_themes/sphinx_rtd_theme/static/js/theme.js | 2 ++ 1 file changed, 2 insertions(+) diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js index 267d87c6eb5..f7ea328bf99 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js @@ -49,6 +49,8 @@ $(document).ready(function () { $('#closeMe').trigger('click'); //$('#nav').slideToggle(); } + // END MODIFICATION --- + }); // Rufnex Cookie functions From ce5734911bcfe31e0a56d6e38f625d81ceb9c1b6 Mon Sep 17 00:00:00 2001 From: Hongyi Zhang Date: Thu, 1 Oct 2015 15:00:58 -0700 Subject: [PATCH 2412/3829] Fix indentations Signed-off-by: Hongyi Zhang --- .../_themes/sphinx_rtd_theme/breadcrumbs.html | 23 +++++++++---------- .../sphinx_rtd_theme/static/css/citheme.css | 14 +++++------ .../sphinx_rtd_theme/static/js/theme.js | 3 +-- 3 files changed, 19 insertions(+), 21 deletions(-) diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html b/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html index 55337accf53..74ca4dc00c6 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html @@ -2,21 +2,20 @@ -
diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css index 0f83765b2dc..b2e1dd49463 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css @@ -31,11 +31,11 @@ div#pulldown-menu { -moz-column-count: 5; - -moz-column-gap: 20px; - -webkit-column-count: 5; - -webkit-column-gap: 20px; - column-count: 5; - column-gap: 20px; + -moz-column-gap: 20px; + -webkit-column-count: 5; + -webkit-column-gap: 20px; + column-count: 5; + column-gap: 20px; -webkit-column-rule: 1px groove #B8B8B8; -moz-column-rule: 1px groove #B8B8B8; column-rule: 1px groove #B8B8B8; @@ -45,8 +45,8 @@ div#pulldown-menu { padding-top: 10px; padding-bottom: 10px; -webkit-column-break-inside: avoid; /*Chrome, Safari*/ - display: table; /*Firefox*/ - break-inside: avoid; /*IE 10+ theoretically*/ + display: table; /*Firefox*/ + break-inside: avoid; /*IE 10+ theoretically*/ } #pulldown-menu ul li.toctree-l2 { diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js index f7ea328bf99..17ded53f19a 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js @@ -49,8 +49,7 @@ $(document).ready(function () { $('#closeMe').trigger('click'); //$('#nav').slideToggle(); } - // END MODIFICATION --- - + // END MODIFICATION --- }); // Rufnex Cookie functions From e8ea8ec857425575b7c3c7dfdce76c693d7f5b5c Mon Sep 17 00:00:00 2001 From: Hongyi Zhang Date: Thu, 1 Oct 2015 15:26:42 -0700 Subject: [PATCH 2413/3829] minor fixes: add back theme codes Signed-off-by: Hongyi Zhang --- .../source/_themes/sphinx_rtd_theme/breadcrumbs.html | 1 + .../source/_themes/sphinx_rtd_theme/static/js/theme.js | 4 ++-- 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html b/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html index 74ca4dc00c6..60343661a69 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html @@ -18,4 +18,5 @@ classic layout +
diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js index 17ded53f19a..b77789d0605 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js @@ -12,8 +12,8 @@ $(document).ready(function () { $(document).on('click', "[data-toggle='rst-current-version']", function () { $("[data-toggle='rst-versions']").toggleClass("shift-up"); }); - // // Make tables responsive - // $("table.docutils:not(.field-list)").wrap("
"); + // Make tables responsive + $("table.docutils:not(.field-list)").wrap("
"); // --- // START DOC MODIFICATION BY RUFNEX // v1.0 04.02.2015 From 249580e711d42fe966e52d7bcc0f349ba99a94a3 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 2 Oct 2015 16:44:05 +0300 Subject: [PATCH 2414/3829] More XSS stuff --- system/core/Security.php | 2 +- tests/codeigniter/core/Security_test.php | 7 ++++++- 2 files changed, 7 insertions(+), 2 deletions(-) diff --git a/system/core/Security.php b/system/core/Security.php index 0cae23a7969..27471d98e2d 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -808,7 +808,7 @@ protected function _sanitize_naughty_html($matches) .'([\s\042\047/=]*)' // non-attribute characters, excluding > (tag close) for obvious reasons .'(?[^\s\042\047>/=]+)' // attribute characters // optional attribute-value - .'(?:\s*=\s*\042[^\042]+\042|\s*=\s*\047[^\047]+\047|\s*=\s*[^\s\042\047=><`]*)?' // attribute-value separator + .'(?:\s*=(?:[^\s\042\047=><`]+|\s*\042[^\042]+\042|\s*\047[^\047]+\047|\s*(?U:[^\s\042\047=><`]*)))' // attribute-value separator .'#i'; if ($count = preg_match_all($pattern, $matches['attributes'], $attributes, PREG_SET_ORDER | PREG_OFFSET_CAPTURE)) diff --git a/tests/codeigniter/core/Security_test.php b/tests/codeigniter/core/Security_test.php index ca111c3bf72..b093393af86 100644 --- a/tests/codeigniter/core/Security_test.php +++ b/tests/codeigniter/core/Security_test.php @@ -162,7 +162,7 @@ public function test_xss_clean_sanitize_naughty_html_attributes() { $this->assertEquals('', $this->security->xss_clean('')); $this->assertEquals('', $this->security->xss_clean('')); - $this->assertEquals('', $this->security->xss_clean('')); + $this->assertEquals('', $this->security->xss_clean('')); $this->assertEquals('', $this->security->xss_clean('')); $this->assertEquals('onOutsideOfTag=test', $this->security->xss_clean('onOutsideOfTag=test')); $this->assertEquals('onNoTagAtAll = true', $this->security->xss_clean('onNoTagAtAll = true')); @@ -207,6 +207,11 @@ public function test_xss_clean_sanitize_naughty_html_attributes() '', $this->security->xss_clean('') ); + + $this->assertEquals( + '', + $this->security->xss_clean('') + ); } // -------------------------------------------------------------------- From 93e8513136b76fd848221fba275fa43b63b3dce7 Mon Sep 17 00:00:00 2001 From: Master Yoda Date: Fri, 2 Oct 2015 06:47:30 -0700 Subject: [PATCH 2415/3829] Rearrange the TOC slightly, to support consistency between the side menu and the sphonx toctree-derived pulldown menu. Signed-off-by:Master Yoda --- user_guide_src/source/index.rst | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/user_guide_src/source/index.rst b/user_guide_src/source/index.rst index 8d8aa943860..a13ec983e11 100644 --- a/user_guide_src/source/index.rst +++ b/user_guide_src/source/index.rst @@ -54,6 +54,16 @@ Tutorial tutorial/index +*************************** +Contributing to CodeIgniter +*************************** + +.. toctree:: + :glob: + :titlesonly: + + contributing/index + ************** General Topics ************** @@ -94,16 +104,6 @@ Helper Reference helpers/index -*************************** -Contributing to CodeIgniter -*************************** - -.. toctree:: - :glob: - :titlesonly: - - contributing/index - .. toctree:: :glob: :titlesonly: From b079ae972d1bd9f2f854e07ea43f4d700b2e487c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 2 Oct 2015 16:50:04 +0300 Subject: [PATCH 2416/3829] Merge pull request #4148 from zhanghongyi/generate-pulldown [ci skip] Generate docs pulldown menu using sphinx toctree --- .../_themes/sphinx_rtd_theme/breadcrumbs.html | 23 ++--- .../_themes/sphinx_rtd_theme/layout.html | 2 + .../_themes/sphinx_rtd_theme/pulldown.html | 17 ++++ .../sphinx_rtd_theme/static/css/citheme.css | 70 ++++++++++++++- .../sphinx_rtd_theme/static/js/theme.js | 85 +++++-------------- 5 files changed, 121 insertions(+), 76 deletions(-) create mode 100644 user_guide_src/source/_themes/sphinx_rtd_theme/pulldown.html diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html b/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html index ff0938e5c82..60343661a69 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html @@ -2,18 +2,21 @@
diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/layout.html b/user_guide_src/source/_themes/sphinx_rtd_theme/layout.html index 1203b2f3440..20ede7d32ac 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/layout.html +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/layout.html @@ -77,6 +77,8 @@ + {% include "pulldown.html" %} +
{# SIDE NAV, TOGGLES ON MOBILE #} diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/pulldown.html b/user_guide_src/source/_themes/sphinx_rtd_theme/pulldown.html new file mode 100644 index 00000000000..7877346d8d5 --- /dev/null +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/pulldown.html @@ -0,0 +1,17 @@ + + diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css index 10e7d04c6f2..b2e1dd49463 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css @@ -4,4 +4,72 @@ padding: 0px !important; font-weight: inherit !important; background-color: #f1d40f !important; -} \ No newline at end of file +} + +#nav { + background-color: #494949; + margin: 0; + padding: 0; + display:none; +} + +#nav2 { + background: url(data:image/jpeg;base64,/9j/4AAQSkZJRgABAgAAZABkAAD/7AARRHVja3kAAQAEAAAARgAA/+4ADkFkb2JlAGTAAAAAAf/bAIQABAMDAwMDBAMDBAYEAwQGBwUEBAUHCAYGBwYGCAoICQkJCQgKCgwMDAwMCgwMDQ0MDBERERERFBQUFBQUFBQUFAEEBQUIBwgPCgoPFA4ODhQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQU/8AAEQgAMgAzAwERAAIRAQMRAf/EAFkAAQADAQAAAAAAAAAAAAAAAAABBQcIAQEAAAAAAAAAAAAAAAAAAAAAEAABAgYDAAAAAAAAAAAAAAAAAVERAtMEFJRVBxgRAQAAAAAAAAAAAAAAAAAAAAD/2gAMAwEAAhEDEQA/AMRAAAAAAAA7a87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wN/wJGAYEjAMCRgGBIwDAkYBgSMAwJGAsoIwCCMAgjAIIwCCMAgjAIIwEgAAAAAAAAAAAAAAAAAAAAAAAH//2Q==) repeat-x scroll left top transparent; + margin: 0; + padding: 0 310px 0 0; + text-align: right; + display:none; +} + +#nav_inner { + background-color: transparent; + font-family: Lucida Grande,Verdana,Geneva,sans-serif; + font-size: 11px; + margin: 0; + padding: 8px 12px 0 20px; +} + +div#pulldown-menu { + -moz-column-count: 5; + -moz-column-gap: 20px; + -webkit-column-count: 5; + -webkit-column-gap: 20px; + column-count: 5; + column-gap: 20px; + -webkit-column-rule: 1px groove #B8B8B8; + -moz-column-rule: 1px groove #B8B8B8; + column-rule: 1px groove #B8B8B8; +} + +#pulldown-menu > ul { + padding-top: 10px; + padding-bottom: 10px; + -webkit-column-break-inside: avoid; /*Chrome, Safari*/ + display: table; /*Firefox*/ + break-inside: avoid; /*IE 10+ theoretically*/ +} + +#pulldown-menu ul li.toctree-l2 { + font-size:0.82em; + margin-left: 20px; + list-style-image: url(data:image/gif;base64,R0lGODlhCwAJALMJAO7u7uTk5PLy8unp6fb29t7e3vj4+Li4uIWFheTk5AAAAAAAAAAAAAAAAAAAAAAAACH5BAEAAAkALAAAAAALAAkAAAQoMJ1JqTQ4Z3SI98jHCWSJkByArCyiHkMsIzEX3DeCc0Xv+4hEa5iIAAA7); +} + +#pulldown-menu ul li.toctree-l1 a { + color:#fff; + text-decoration: none; + font-size:12px; + font-family: "Roboto Slab","ff-tisa-web-pro","Georgia",Arial,sans-serif; + font-weight: 700; +} + +#pulldown-menu ul li.toctree-l2 a { + text-decoration: none; + font-size:11px; + line-height:1.4em; + font-weight: 300; + font-family: Lucida Grande,Verdana,Geneva,sans-serif; + color: #aaa; +} + + diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js index 8aee6ca2987..b77789d0605 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js @@ -18,76 +18,31 @@ $(document).ready(function () { // START DOC MODIFICATION BY RUFNEX // v1.0 04.02.2015 // Add ToogleButton to get FullWidth-View by Johannes Gamperl codeigniter.de - // JLP - reformatted to make additions or corrections easier. Still hard-coded :(( - var ciNav = '\ -\ -
\ -'; - $('body').prepend(ciNav); - // - var a = ['Index', 'CodeIgniter User Guide¶', 'Change Log¶', 'Developer’s Certificate of Origin 1.1¶', 'The MIT License (MIT)¶']; - if ($.inArray($('h1').text(), a) > 0 || $('#search-results').length) - { - $('table.ciNav a').each(function () { - $(this).attr('href', $(this).attr("href").replace('../', '')); - }); - } - // $('#openToc').click(function () { $('#nav').slideToggle(); }); - $('.wy-breadcrumbs').append('
toc
'); $('#closeMe').toggle( - function () - { - setCookie('ciNav', true, 365); - $('#nav2').show(); - $('#topMenu').remove(); - $('body').css({background: 'none'}); - $('.wy-nav-content-wrap').css({background: 'none', 'margin-left': 0}); - $('.wy-breadcrumbs').append('
' + $('.wy-form').parent().html() + '
'); - $('.wy-nav-side').toggle(); - }, - function () - { - setCookie('ciNav', false, 365); - $('#topMenu').remove(); - $('#nav').hide(); - $('#nav2').hide(); - $('body').css({background: '#edf0f2;'}); - $('.wy-nav-content-wrap').css({background: 'none repeat scroll 0 0 #fcfcfc;', 'margin-left': '300px'}); - $('.wy-nav-side').show(); - } + function () + { + setCookie('ciNav', true, 365); + $('#nav2').show(); + $('#topMenu').remove(); + $('body').css({background: 'none'}); + $('.wy-nav-content-wrap').css({background: 'none', 'margin-left': 0}); + $('.wy-breadcrumbs').append('
' + $('.wy-form').parent().html() + '
'); + $('.wy-nav-side').toggle(); + }, + function () + { + setCookie('ciNav', false, 365); + $('#topMenu').remove(); + $('#nav').hide(); + $('#nav2').hide(); + $('body').css({background: '#edf0f2;'}); + $('.wy-nav-content-wrap').css({background: 'none repeat scroll 0 0 #fcfcfc;', 'margin-left': '300px'}); + $('.wy-nav-side').show(); + } ); if (getCookie('ciNav') == 'true') { From 13b6fa3a1e978edbbaf04ed8ba5c1f9c9ae4bc5d Mon Sep 17 00:00:00 2001 From: Master Yoda Date: Fri, 2 Oct 2015 06:47:30 -0700 Subject: [PATCH 2417/3829] Rearrange the TOC slightly, to support consistency between the side menu and the sphonx toctree-derived pulldown menu. Signed-off-by:Master Yoda --- user_guide_src/source/index.rst | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/user_guide_src/source/index.rst b/user_guide_src/source/index.rst index 8d8aa943860..a13ec983e11 100644 --- a/user_guide_src/source/index.rst +++ b/user_guide_src/source/index.rst @@ -54,6 +54,16 @@ Tutorial tutorial/index +*************************** +Contributing to CodeIgniter +*************************** + +.. toctree:: + :glob: + :titlesonly: + + contributing/index + ************** General Topics ************** @@ -94,16 +104,6 @@ Helper Reference helpers/index -*************************** -Contributing to CodeIgniter -*************************** - -.. toctree:: - :glob: - :titlesonly: - - contributing/index - .. toctree:: :glob: :titlesonly: From d4357dcc8ef213874d263dd9c55d39446bed2163 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 2 Oct 2015 16:59:58 +0300 Subject: [PATCH 2418/3829] [ci skip] Some consistency in the docs' theme CSS --- .../sphinx_rtd_theme/static/css/citheme.css | 72 +++++++++---------- 1 file changed, 35 insertions(+), 37 deletions(-) diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css index b2e1dd49463..192af2004d1 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css @@ -3,42 +3,42 @@ .highlighted { padding: 0px !important; font-weight: inherit !important; - background-color: #f1d40f !important; + background-color: #f1d40f !important; } -#nav { - background-color: #494949; - margin: 0; +#nav { + background-color: #494949; + margin: 0; padding: 0; - display:none; + display: none; } -#nav2 { - background: url(data:image/jpeg;base64,/9j/4AAQSkZJRgABAgAAZABkAAD/7AARRHVja3kAAQAEAAAARgAA/+4ADkFkb2JlAGTAAAAAAf/bAIQABAMDAwMDBAMDBAYEAwQGBwUEBAUHCAYGBwYGCAoICQkJCQgKCgwMDAwMCgwMDQ0MDBERERERFBQUFBQUFBQUFAEEBQUIBwgPCgoPFA4ODhQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQU/8AAEQgAMgAzAwERAAIRAQMRAf/EAFkAAQADAQAAAAAAAAAAAAAAAAABBQcIAQEAAAAAAAAAAAAAAAAAAAAAEAABAgYDAAAAAAAAAAAAAAAAAVERAtMEFJRVBxgRAQAAAAAAAAAAAAAAAAAAAAD/2gAMAwEAAhEDEQA/AMRAAAAAAAA7a87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wN/wJGAYEjAMCRgGBIwDAkYBgSMAwJGAsoIwCCMAgjAIIwCCMAgjAIIwEgAAAAAAAAAAAAAAAAAAAAAAAH//2Q==) repeat-x scroll left top transparent; - margin: 0; - padding: 0 310px 0 0; +#nav2 { + background: url(data:image/jpeg;base64,/9j/4AAQSkZJRgABAgAAZABkAAD/7AARRHVja3kAAQAEAAAARgAA/+4ADkFkb2JlAGTAAAAAAf/bAIQABAMDAwMDBAMDBAYEAwQGBwUEBAUHCAYGBwYGCAoICQkJCQgKCgwMDAwMCgwMDQ0MDBERERERFBQUFBQUFBQUFAEEBQUIBwgPCgoPFA4ODhQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQU/8AAEQgAMgAzAwERAAIRAQMRAf/EAFkAAQADAQAAAAAAAAAAAAAAAAABBQcIAQEAAAAAAAAAAAAAAAAAAAAAEAABAgYDAAAAAAAAAAAAAAAAAVERAtMEFJRVBxgRAQAAAAAAAAAAAAAAAAAAAAD/2gAMAwEAAhEDEQA/AMRAAAAAAAA7a87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wN/wJGAYEjAMCRgGBIwDAkYBgSMAwJGAsoIwCCMAgjAIIwCCMAgjAIIwEgAAAAAAAAAAAAAAAAAAAAAAAH//2Q==) repeat-x scroll left top transparent; + margin: 0; + padding: 0 310px 0 0; text-align: right; - display:none; + display: none; } -#nav_inner { - background-color: transparent; - font-family: Lucida Grande,Verdana,Geneva,sans-serif; - font-size: 11px; - margin: 0; +#nav_inner { + background-color: transparent; + font-family: Lucida Grande,Verdana,Geneva,sans-serif; + font-size: 11px; + margin: 0; padding: 8px 12px 0 20px; } -div#pulldown-menu { +div#pulldown-menu { -moz-column-count: 5; -moz-column-gap: 20px; -webkit-column-count: 5; -webkit-column-gap: 20px; column-count: 5; column-gap: 20px; - -webkit-column-rule: 1px groove #B8B8B8; - -moz-column-rule: 1px groove #B8B8B8; - column-rule: 1px groove #B8B8B8; + -webkit-column-rule: 1px groove #b8b8b8; + -moz-column-rule: 1px groove #b8b8b8; + column-rule: 1px groove #b8b8b8; } #pulldown-menu > ul { @@ -49,27 +49,25 @@ div#pulldown-menu { break-inside: avoid; /*IE 10+ theoretically*/ } -#pulldown-menu ul li.toctree-l2 { - font-size:0.82em; - margin-left: 20px; - list-style-image: url(data:image/gif;base64,R0lGODlhCwAJALMJAO7u7uTk5PLy8unp6fb29t7e3vj4+Li4uIWFheTk5AAAAAAAAAAAAAAAAAAAAAAAACH5BAEAAAkALAAAAAALAAkAAAQoMJ1JqTQ4Z3SI98jHCWSJkByArCyiHkMsIzEX3DeCc0Xv+4hEa5iIAAA7); +#pulldown-menu ul li.toctree-l2 { + font-size: 0.82em; + margin-left: 20px; + list-style-image: url(data:image/gif;base64,R0lGODlhCwAJALMJAO7u7uTk5PLy8unp6fb29t7e3vj4+Li4uIWFheTk5AAAAAAAAAAAAAAAAAAAAAAAACH5BAEAAAkALAAAAAALAAkAAAQoMJ1JqTQ4Z3SI98jHCWSJkByArCyiHkMsIzEX3DeCc0Xv+4hEa5iIAAA7); } -#pulldown-menu ul li.toctree-l1 a { - color:#fff; - text-decoration: none; - font-size:12px; +#pulldown-menu ul li.toctree-l1 a { + color: #ffffff; + text-decoration: none; + font-size: 12px; font-family: "Roboto Slab","ff-tisa-web-pro","Georgia",Arial,sans-serif; font-weight: 700; } -#pulldown-menu ul li.toctree-l2 a { - text-decoration: none; - font-size:11px; - line-height:1.4em; - font-weight: 300; - font-family: Lucida Grande,Verdana,Geneva,sans-serif; - color: #aaa; -} - - +#pulldown-menu ul li.toctree-l2 a { + text-decoration: none; + font-size: 11px; + line-height: 1.4em; + font-weight: 300; + font-family: Lucida Grande,Verdana,Geneva,sans-serif; + color: #aaaaaa; +} \ No newline at end of file From 8d4ac663909df3c95d546d3b0b405566f0df0d05 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 2 Oct 2015 16:59:58 +0300 Subject: [PATCH 2419/3829] [ci skip] Some consistency in the docs' theme CSS --- .../sphinx_rtd_theme/static/css/citheme.css | 72 +++++++++---------- 1 file changed, 35 insertions(+), 37 deletions(-) diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css index b2e1dd49463..192af2004d1 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css @@ -3,42 +3,42 @@ .highlighted { padding: 0px !important; font-weight: inherit !important; - background-color: #f1d40f !important; + background-color: #f1d40f !important; } -#nav { - background-color: #494949; - margin: 0; +#nav { + background-color: #494949; + margin: 0; padding: 0; - display:none; + display: none; } -#nav2 { - background: url(data:image/jpeg;base64,/9j/4AAQSkZJRgABAgAAZABkAAD/7AARRHVja3kAAQAEAAAARgAA/+4ADkFkb2JlAGTAAAAAAf/bAIQABAMDAwMDBAMDBAYEAwQGBwUEBAUHCAYGBwYGCAoICQkJCQgKCgwMDAwMCgwMDQ0MDBERERERFBQUFBQUFBQUFAEEBQUIBwgPCgoPFA4ODhQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQU/8AAEQgAMgAzAwERAAIRAQMRAf/EAFkAAQADAQAAAAAAAAAAAAAAAAABBQcIAQEAAAAAAAAAAAAAAAAAAAAAEAABAgYDAAAAAAAAAAAAAAAAAVERAtMEFJRVBxgRAQAAAAAAAAAAAAAAAAAAAAD/2gAMAwEAAhEDEQA/AMRAAAAAAAA7a87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wN/wJGAYEjAMCRgGBIwDAkYBgSMAwJGAsoIwCCMAgjAIIwCCMAgjAIIwEgAAAAAAAAAAAAAAAAAAAAAAAH//2Q==) repeat-x scroll left top transparent; - margin: 0; - padding: 0 310px 0 0; +#nav2 { + background: url(data:image/jpeg;base64,/9j/4AAQSkZJRgABAgAAZABkAAD/7AARRHVja3kAAQAEAAAARgAA/+4ADkFkb2JlAGTAAAAAAf/bAIQABAMDAwMDBAMDBAYEAwQGBwUEBAUHCAYGBwYGCAoICQkJCQgKCgwMDAwMCgwMDQ0MDBERERERFBQUFBQUFBQUFAEEBQUIBwgPCgoPFA4ODhQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQUFBQU/8AAEQgAMgAzAwERAAIRAQMRAf/EAFkAAQADAQAAAAAAAAAAAAAAAAABBQcIAQEAAAAAAAAAAAAAAAAAAAAAEAABAgYDAAAAAAAAAAAAAAAAAVERAtMEFJRVBxgRAQAAAAAAAAAAAAAAAAAAAAD/2gAMAwEAAhEDEQA/AMRAAAAAAAA7a87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wHnbrLgV272uA87dZcCu3e1wN/wJGAYEjAMCRgGBIwDAkYBgSMAwJGAsoIwCCMAgjAIIwCCMAgjAIIwEgAAAAAAAAAAAAAAAAAAAAAAAH//2Q==) repeat-x scroll left top transparent; + margin: 0; + padding: 0 310px 0 0; text-align: right; - display:none; + display: none; } -#nav_inner { - background-color: transparent; - font-family: Lucida Grande,Verdana,Geneva,sans-serif; - font-size: 11px; - margin: 0; +#nav_inner { + background-color: transparent; + font-family: Lucida Grande,Verdana,Geneva,sans-serif; + font-size: 11px; + margin: 0; padding: 8px 12px 0 20px; } -div#pulldown-menu { +div#pulldown-menu { -moz-column-count: 5; -moz-column-gap: 20px; -webkit-column-count: 5; -webkit-column-gap: 20px; column-count: 5; column-gap: 20px; - -webkit-column-rule: 1px groove #B8B8B8; - -moz-column-rule: 1px groove #B8B8B8; - column-rule: 1px groove #B8B8B8; + -webkit-column-rule: 1px groove #b8b8b8; + -moz-column-rule: 1px groove #b8b8b8; + column-rule: 1px groove #b8b8b8; } #pulldown-menu > ul { @@ -49,27 +49,25 @@ div#pulldown-menu { break-inside: avoid; /*IE 10+ theoretically*/ } -#pulldown-menu ul li.toctree-l2 { - font-size:0.82em; - margin-left: 20px; - list-style-image: url(data:image/gif;base64,R0lGODlhCwAJALMJAO7u7uTk5PLy8unp6fb29t7e3vj4+Li4uIWFheTk5AAAAAAAAAAAAAAAAAAAAAAAACH5BAEAAAkALAAAAAALAAkAAAQoMJ1JqTQ4Z3SI98jHCWSJkByArCyiHkMsIzEX3DeCc0Xv+4hEa5iIAAA7); +#pulldown-menu ul li.toctree-l2 { + font-size: 0.82em; + margin-left: 20px; + list-style-image: url(data:image/gif;base64,R0lGODlhCwAJALMJAO7u7uTk5PLy8unp6fb29t7e3vj4+Li4uIWFheTk5AAAAAAAAAAAAAAAAAAAAAAAACH5BAEAAAkALAAAAAALAAkAAAQoMJ1JqTQ4Z3SI98jHCWSJkByArCyiHkMsIzEX3DeCc0Xv+4hEa5iIAAA7); } -#pulldown-menu ul li.toctree-l1 a { - color:#fff; - text-decoration: none; - font-size:12px; +#pulldown-menu ul li.toctree-l1 a { + color: #ffffff; + text-decoration: none; + font-size: 12px; font-family: "Roboto Slab","ff-tisa-web-pro","Georgia",Arial,sans-serif; font-weight: 700; } -#pulldown-menu ul li.toctree-l2 a { - text-decoration: none; - font-size:11px; - line-height:1.4em; - font-weight: 300; - font-family: Lucida Grande,Verdana,Geneva,sans-serif; - color: #aaa; -} - - +#pulldown-menu ul li.toctree-l2 a { + text-decoration: none; + font-size: 11px; + line-height: 1.4em; + font-weight: 300; + font-family: Lucida Grande,Verdana,Geneva,sans-serif; + color: #aaaaaa; +} \ No newline at end of file From 48844d16102d92fd146d562bc322b5624e44f9dd Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 5 Oct 2015 10:52:04 +0300 Subject: [PATCH 2420/3829] Close #4155 --- system/helpers/file_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/file_helper.php b/system/helpers/file_helper.php index cd1c641ec97..f6cb1629a6b 100644 --- a/system/helpers/file_helper.php +++ b/system/helpers/file_helper.php @@ -343,7 +343,7 @@ function get_mime_by_extension($filename) if ( ! is_array($mimes)) { - $mimes =& get_mimes(); + $mimes = get_mimes(); if (empty($mimes)) { From f0f47da9ae4227968ccc9ee6511bcab526498b4c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 5 Oct 2015 12:37:16 +0300 Subject: [PATCH 2421/3829] Some more intrusive XSS cleaning --- system/core/Security.php | 16 +++++++++++----- tests/codeigniter/core/Security_test.php | 9 +++++++-- 2 files changed, 18 insertions(+), 7 deletions(-) diff --git a/system/core/Security.php b/system/core/Security.php index 27471d98e2d..ab85e2239c6 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -498,8 +498,8 @@ public function xss_clean($str, $is_image = FALSE) .'(?(?:[\s\042\047/=]*' // non-attribute characters, excluding > (tag close) for obvious reasons .'[^\s\042\047>/=]+' // attribute characters // optional attribute-value - .'(?:\s*=\s*' // attribute-value separator - .'(?:\042[^\042]*\042|\047[^\047]*\047|[^\s\042\047=><`]*)' // single, double or non-quoted value + .'(?:\s*=' // attribute-value separator + .'(?:[^\s\042\047=><`]+|\s*\042[^\042]*\042|\s*\047[^\047]*\047|\s*(?U:[^\s\042\047=><`]*))' // single, double or non-quoted value .')?' // end optional attribute-value group .')*)' // end optional attributes group .'[^>]*)(?\>)?#isS'; @@ -808,7 +808,7 @@ protected function _sanitize_naughty_html($matches) .'([\s\042\047/=]*)' // non-attribute characters, excluding > (tag close) for obvious reasons .'(?[^\s\042\047>/=]+)' // attribute characters // optional attribute-value - .'(?:\s*=(?:[^\s\042\047=><`]+|\s*\042[^\042]+\042|\s*\047[^\047]+\047|\s*(?U:[^\s\042\047=><`]*)))' // attribute-value separator + .'(?:\s*=(?[^\s\042\047=><`]+|\s*\042[^\042]*\042|\s*\047[^\047]*\047|\s*(?U:[^\s\042\047=><`]*)))' // attribute-value separator .'#i'; if ($count = preg_match_all($pattern, $matches['attributes'], $attributes, PREG_SET_ORDER | PREG_OFFSET_CAPTURE)) @@ -818,8 +818,14 @@ protected function _sanitize_naughty_html($matches) // so we don't damage the string. for ($i = $count - 1; $i > -1; $i--) { - // Is it indeed an "evil" attribute? - if (preg_match('#^('.implode('|', $evil_attributes).')$#i', $attributes[$i]['name'][0])) + if ( + // Is it indeed an "evil" attribute? + preg_match('#^('.implode('|', $evil_attributes).')$#i', $attributes[$i]['name'][0]) + // Or an attribute not starting with a letter? Some parsers get confused by that + OR ! ctype_alpha($attributes[$i]['name'][0][0]) + // Does it have an equals sign, but no value and not quoted? Strip that too! + OR (trim($attributes[$i]['value'][0]) === '') + ) { $matches['attributes'] = substr_replace( $matches['attributes'], diff --git a/tests/codeigniter/core/Security_test.php b/tests/codeigniter/core/Security_test.php index b093393af86..52967dc2f40 100644 --- a/tests/codeigniter/core/Security_test.php +++ b/tests/codeigniter/core/Security_test.php @@ -146,7 +146,7 @@ public function test_xss_clean_sanitize_naughty_html_tags() $this->assertEquals('', $this->security->xss_clean('')); $this->assertEquals( - ' src="https://github.com/x">', + ' src="https://github.com/x">', $this->security->xss_clean(' src="https://github.com/x">') ); @@ -209,9 +209,14 @@ public function test_xss_clean_sanitize_naughty_html_attributes() ); $this->assertEquals( - '', + '', $this->security->xss_clean('') ); + + $this->assertEquals( + '1">', + $this->security->xss_clean('') + ); } // -------------------------------------------------------------------- From c094becbcaf95fa8700ef7fc73c0b2bf808801a9 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 8 Oct 2015 17:18:57 +0300 Subject: [PATCH 2422/3829] [ci skip] Fix broken links in user guide --- user_guide_src/source/changelog.rst | 2 +- user_guide_src/source/general/controllers.rst | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index bf912b29f34..9648768c2e4 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -32,7 +32,7 @@ Bug fixes for 3.0.2 - Fixed a bug (#4044) - :doc:`Cache Library ` 'redis' driver didn't catch ``RedisException`` that could be thrown during authentication. - Fixed a bug (#4120) - :doc:`Database ` method ``error()`` didn't return error info when called after ``query()`` with the 'mssql' driver. - Fixed a bug (#4116) - :doc:`Pagination Library ` set the wrong page number on the "data-ci-pagination-page" attribute in generated links. -- Fixed a bug where :doc:`Pagination Library` added the 'rel="start"' attribute to the first displayed link even if it's not actually linking the first page. +- Fixed a bug where :doc:`Pagination Library ` added the 'rel="start"' attribute to the first displayed link even if it's not actually linking the first page. - Fixed a bug (#4137) - :doc:`Error Handling ` breaks for the new ``Error`` exceptions under PHP 7. - Fixed a bug (#4126) - :doc:`Form Validation Library ` method ``reset_validation()`` discarded validation rules from config files. diff --git a/user_guide_src/source/general/controllers.rst b/user_guide_src/source/general/controllers.rst index 7efb9349e62..5a111d8dca6 100644 --- a/user_guide_src/source/general/controllers.rst +++ b/user_guide_src/source/general/controllers.rst @@ -145,7 +145,7 @@ load your main index.php file without specifying any URI segments you'll see your "Hello World" message by default. For more information, please refer to the "Reserved Routes" section of the -:doc:`URI Routing ` documentation. +:doc:`URI Routing ` documentation. Remapping Method Calls ====================== From 47adcef68871cea1e556ffb2c0b6f585497e2a27 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 8 Oct 2015 17:21:06 +0300 Subject: [PATCH 2423/3829] [ci skip] Prepare 3.0.2 release --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/changelog.rst | 6 +++++- user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/installation/downloads.rst | 2 +- 4 files changed, 9 insertions(+), 5 deletions(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index b69630cf883..60dcc0e5ed6 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - define('CI_VERSION', '3.0.2-dev'); + define('CI_VERSION', '3.0.2'); /* * ------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 9648768c2e4..e1614fddedc 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -5,7 +5,11 @@ Change Log Version 3.0.2 ============= -Release Date: Not Released +Release Date: October 8, 2015 + +- **Security** + + - Fixed a number of XSS attack vectors in :doc:`Security Library ` method ``xss_clean()`` (thanks to Frans Rosén from `Detectify `_). - General Changes diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index d77c1e63f8e..c054490c31b 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.0.2-dev' +version = '3.0.2' # The full version, including alpha/beta/rc tags. -release = '3.0.2-dev' +release = '3.0.2' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index 0026052c122..217ba654d0d 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,7 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.0.2-dev (Current version) `_ +- `CodeIgniter v3.0.2 (Current version) `_ - `CodeIgniter v3.0.1 `_ - `CodeIgniter v3.0.0 `_ - `CodeIgniter v2.2.3 `_ From d8687a59572f1f1b6d855588577363f6e628242e Mon Sep 17 00:00:00 2001 From: Ahmad Anbar Date: Sat, 10 Oct 2015 22:51:54 +0300 Subject: [PATCH 2424/3829] Optimize csv_from_result speed. --- system/database/DB_utility.php | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/system/database/DB_utility.php b/system/database/DB_utility.php index 78398ea83bd..b51893e1813 100644 --- a/system/database/DB_utility.php +++ b/system/database/DB_utility.php @@ -254,11 +254,12 @@ public function csv_from_result($query, $delim = ',', $newline = "\n", $enclosur // Next blast through the result array and build out the rows while ($row = $query->unbuffered_row('array')) { + $line = array(); foreach ($row as $item) { - $out .= $enclosure.str_replace($enclosure, $enclosure.$enclosure, $item).$enclosure.$delim; + $line[] = $enclosure.str_replace($enclosure, $enclosure.$enclosure, $item).$enclosure; } - $out = substr($out, 0, -strlen($delim)).$newline; + $out .= implode($delim, $line).$newline; } return $out; From 406ce65e26c4fda1b840b7267b148228cc3ca2f2 Mon Sep 17 00:00:00 2001 From: Hongyi Zhang Date: Sun, 11 Oct 2015 15:58:45 -0700 Subject: [PATCH 2425/3829] disable pulldown menu on mobile devices Signed-off-by: Hongyi Zhang --- .../source/_themes/sphinx_rtd_theme/breadcrumbs.html | 2 +- .../source/_themes/sphinx_rtd_theme/static/css/citheme.css | 7 +++++++ 2 files changed, 8 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html b/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html index 60343661a69..1694a1b0958 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html @@ -15,7 +15,7 @@ {% endif %}
- classic layout + switch layout

diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css index 192af2004d1..4c5c2f30bd4 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css @@ -70,4 +70,11 @@ div#pulldown-menu { font-weight: 300; font-family: Lucida Grande,Verdana,Geneva,sans-serif; color: #aaaaaa; +} + +/*disable switch layout on mobile devices*/ +@media (max-width: 768px) { + #closeMe { + display: none; + } } \ No newline at end of file From 4bb2b95a1b1f580427680c3bef71888e98c25523 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 12 Oct 2015 13:55:24 +0300 Subject: [PATCH 2426/3829] [ci skip] Add more info about security reporting to docs --- user_guide_src/source/contributing/index.rst | 20 ++++++++++++++++---- user_guide_src/source/general/security.rst | 3 +++ 2 files changed, 19 insertions(+), 4 deletions(-) diff --git a/user_guide_src/source/contributing/index.rst b/user_guide_src/source/contributing/index.rst index 0112ca065d8..5966070d1b6 100644 --- a/user_guide_src/source/contributing/index.rst +++ b/user_guide_src/source/contributing/index.rst @@ -29,12 +29,24 @@ own copy. This will require you to use the version control system called Git. Support ******* -Note that GitHub is not for general support questions! +Please note that GitHub is not for general support questions! If you are +having trouble using a feature of CodeIgniter, ask for help on our +`forums `_ instead. -If you are having trouble using a feature of CodeIgniter, ask for help on the forum. +If you are not sure whether you are using something correctly or if you +have found a bug, again - please ask on the forums first. -If you are wondering if you are using -something correctly or if you have found a bug, ask on the forum first. +******** +Security +******** + +Did you find a security issue in CodeIgniter? + +Please *don't* disclose it publicly, but e-mail us at security@codeigniter.com, +or report it via our page on `HackerOne `_. + +If you've found a critical vulnerability, we'd be happy to credit you in our +`ChangeLog <../changelog>`. **************************** Tips for a Good Issue Report diff --git a/user_guide_src/source/general/security.rst b/user_guide_src/source/general/security.rst index d4120d16266..8afdaca3151 100644 --- a/user_guide_src/source/general/security.rst +++ b/user_guide_src/source/general/security.rst @@ -5,6 +5,9 @@ Security This page describes some "best practices" regarding web security, and details CodeIgniter's internal security features. +.. note:: If you came here looking for a security contact, please refer to + our `Contribution Guide <../contributing/index>`. + URI Security ============ From 6d6b3b2f89d517b4589cb52965f34b115036584a Mon Sep 17 00:00:00 2001 From: Ahmad Anbar Date: Sat, 10 Oct 2015 22:51:54 +0300 Subject: [PATCH 2427/3829] Optimize csv_from_result speed. --- system/database/DB_utility.php | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/system/database/DB_utility.php b/system/database/DB_utility.php index 78398ea83bd..b51893e1813 100644 --- a/system/database/DB_utility.php +++ b/system/database/DB_utility.php @@ -254,11 +254,12 @@ public function csv_from_result($query, $delim = ',', $newline = "\n", $enclosur // Next blast through the result array and build out the rows while ($row = $query->unbuffered_row('array')) { + $line = array(); foreach ($row as $item) { - $out .= $enclosure.str_replace($enclosure, $enclosure.$enclosure, $item).$enclosure.$delim; + $line[] = $enclosure.str_replace($enclosure, $enclosure.$enclosure, $item).$enclosure; } - $out = substr($out, 0, -strlen($delim)).$newline; + $out .= implode($delim, $line).$newline; } return $out; From 2d7092c5771f7015b60f0e5cc6c699b8f4f802ba Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 12 Oct 2015 16:54:08 +0300 Subject: [PATCH 2428/3829] [ci skip] Add changelog entry for PR #4166 --- user_guide_src/source/changelog.rst | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index e1614fddedc..5e167a08f53 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -2,6 +2,18 @@ Change Log ########## +Version 3.0.3 +============= + +Release Date: Not Released + +- Database + + - Optimized :doc:`Database Utility ` method ``csv_from_result()`` for speed with larger result sets. + +Bug fixes for 3.0.3 +------------------- + Version 3.0.2 ============= From 2b5825ec66670b6ecb9528740cc1a51b59dbd3f2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 12 Oct 2015 16:57:28 +0300 Subject: [PATCH 2429/3829] [ci skip] This is 3.0.3-dev --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/installation/downloads.rst | 3 ++- user_guide_src/source/installation/upgrade_303.rst | 14 ++++++++++++++ user_guide_src/source/installation/upgrading.rst | 1 + 5 files changed, 20 insertions(+), 4 deletions(-) create mode 100644 user_guide_src/source/installation/upgrade_303.rst diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 60dcc0e5ed6..8cea813a246 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - define('CI_VERSION', '3.0.2'); + define('CI_VERSION', '3.0.3-dev'); /* * ------------------------------------------------------ diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index c054490c31b..d77c1e63f8e 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.0.2' +version = '3.0.2-dev' # The full version, including alpha/beta/rc tags. -release = '3.0.2' +release = '3.0.2-dev' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index 217ba654d0d..5b167d2ab64 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,8 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.0.2 (Current version) `_ +- `CodeIgniter v3.0.3-dev (Current version) `_ +- `CodeIgniter v3.0.2 `_ - `CodeIgniter v3.0.1 `_ - `CodeIgniter v3.0.0 `_ - `CodeIgniter v2.2.3 `_ diff --git a/user_guide_src/source/installation/upgrade_303.rst b/user_guide_src/source/installation/upgrade_303.rst new file mode 100644 index 00000000000..a98eed0d439 --- /dev/null +++ b/user_guide_src/source/installation/upgrade_303.rst @@ -0,0 +1,14 @@ +############################# +Upgrading from 3.0.2 to 3.0.3 +############################# + +Before performing an update you should take your site offline by +replacing the index.php file with a static one. + +Step 1: Update your CodeIgniter files +===================================== + +Replace all files and directories in your *system/* directory. + +.. note:: If you have any custom developed files in these directories, + please make copies of them first. \ No newline at end of file diff --git a/user_guide_src/source/installation/upgrading.rst b/user_guide_src/source/installation/upgrading.rst index 76fe434b5b9..010d1633e2e 100644 --- a/user_guide_src/source/installation/upgrading.rst +++ b/user_guide_src/source/installation/upgrading.rst @@ -8,6 +8,7 @@ upgrading from. .. toctree:: :titlesonly: + Upgrading from 3.0.2 to 3.0.3 Upgrading from 3.0.1 to 3.0.2 Upgrading from 3.0.0 to 3.0.1 Upgrading from 2.2.x to 3.0.x From 36a055e49b040e6f18be7bce5e010c2a90d2f44f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 12 Oct 2015 17:13:17 +0300 Subject: [PATCH 2430/3829] [ci skip] Correct download link for 3.0.3-dev --- user_guide_src/source/installation/downloads.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index 5b167d2ab64..1249d14ecd8 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,7 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.0.3-dev (Current version) `_ +- `CodeIgniter v3.0.3-dev (Current version) `_ - `CodeIgniter v3.0.2 `_ - `CodeIgniter v3.0.1 `_ - `CodeIgniter v3.0.0 `_ From a3643a5e92cfe09b48327141d2b52701ab172977 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 13 Oct 2015 13:46:22 +0300 Subject: [PATCH 2431/3829] [ci skip] Correct version number in user guide conf --- user_guide_src/source/conf.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index d77c1e63f8e..46e033ec83f 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.0.2-dev' +version = '3.0.3-dev' # The full version, including alpha/beta/rc tags. -release = '3.0.2-dev' +release = '3.0.3-dev' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. From 9d02ceafe0aa5ec755f1d8b011cf21f3841191cc Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 13 Oct 2015 14:38:30 +0300 Subject: [PATCH 2432/3829] [ci skip] Fix #4170 --- system/database/drivers/sqlsrv/sqlsrv_driver.php | 4 +--- user_guide_src/source/changelog.rst | 2 ++ 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index 8d383b27433..1df3a42588a 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -275,9 +275,7 @@ public function affected_rows() */ public function insert_id() { - $query = $this->query('SELECT @@IDENTITY AS insert_id'); - $query = $query->row(); - return $query->insert_id; + return $this->query('SELECT SCOPE_IDENTITY() AS insert_id')->row()->insert_id; } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 5e167a08f53..e3dfac87967 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -14,6 +14,8 @@ Release Date: Not Released Bug fixes for 3.0.3 ------------------- +- Fixed a bug (#4170) - :doc:`Database ` method ``insert_id()`` could return an identity from the wrong scope with the 'sqlsrv' driver. + Version 3.0.2 ============= From 89c7123621f22533e1777796237a9b06bd190976 Mon Sep 17 00:00:00 2001 From: Hongyi Zhang Date: Fri, 16 Oct 2015 00:57:08 -0700 Subject: [PATCH 2433/3829] revert img alt changes, fix cookies, and improve pulldown menu in multiple screen size Signed-off-by: Hongyi Zhang --- .../_themes/sphinx_rtd_theme/breadcrumbs.html | 2 +- .../sphinx_rtd_theme/static/css/citheme.css | 18 ++++++++--- .../sphinx_rtd_theme/static/js/theme.js | 32 +++++++++++++++++-- 3 files changed, 43 insertions(+), 9 deletions(-) diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html b/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html index 1694a1b0958..60343661a69 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/breadcrumbs.html @@ -15,7 +15,7 @@ {% endif %}
- switch layout + classic layout

diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css index 4c5c2f30bd4..a2a3b3e91fa 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css @@ -72,9 +72,17 @@ div#pulldown-menu { color: #aaaaaa; } -/*disable switch layout on mobile devices*/ -@media (max-width: 768px) { - #closeMe { - display: none; - } +/*hide pulldown menu on mobile devices*/ +@media (max-width: 768px) { /*tablet size defined by theme*/ + #closeMe { + display: none; + } + + #pulldown { + display: none; + } + + #openToc { + display: none; + } } \ No newline at end of file diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js index b77789d0605..52580a0562e 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js @@ -25,7 +25,7 @@ $(document).ready(function () { $('#closeMe').toggle( function () { - setCookie('ciNav', true, 365); + setCookie('ciNav', 'true', 365); $('#nav2').show(); $('#topMenu').remove(); $('body').css({background: 'none'}); @@ -35,7 +35,7 @@ $(document).ready(function () { }, function () { - setCookie('ciNav', false, 365); + setCookie('ciNav', 'false', 365); $('#topMenu').remove(); $('#nav').hide(); $('#nav2').hide(); @@ -50,14 +50,19 @@ $(document).ready(function () { //$('#nav').slideToggle(); } // END MODIFICATION --- + }); // Rufnex Cookie functions function setCookie(cname, cvalue, exdays) { + // expire the old cookie if existed to avoid multiple cookies with the same name + if (getCookie(cname) != false) { + document.cookie = cname + "=;expires=Thu, 01 Jan 1970 00:00:00 GMT"; + } var d = new Date(); d.setTime(d.getTime() + (exdays * 24 * 60 * 60 * 1000)); var expires = "expires=" + d.toGMTString(); - document.cookie = cname + "=" + cvalue + "; " + expires; + document.cookie = cname + "=" + cvalue + "; " + expires + "; path=/"; } function getCookie(cname) { var name = cname + "="; @@ -74,6 +79,27 @@ function getCookie(cname) { } // End +// resize window +$(window).on('resize', function(){ + // show side nav on small screens when pulldown is enabled + if (getCookie('ciNav') == 'true' && $(window).width() <= 768) { // 768px is the tablet size defined by the theme + $('.wy-nav-side').show(); + } + // changing css with jQuenry seems to override the default css media query + // change margin + else if (getCookie('ciNav') == 'false' && $(window).width() <= 768) { + $('.wy-nav-content-wrap').css({'margin-left': 0}); + } + // hide side nav on large screens when pulldown is enabled + else if (getCookie('ciNav') == 'true' && $(window).width() > 768) { + $('.wy-nav-side').hide(); + } + // change margin + else if (getCookie('ciNav') == 'false' && $(window).width() > 768) { + $('.wy-nav-content-wrap').css({'margin-left': '300px'}); + } +}); + window.SphinxRtdTheme = (function (jquery) { var stickyNav = (function () { var navBar, From af042458194867ce9a9304eae2c261c14676b83a Mon Sep 17 00:00:00 2001 From: Hongyi Zhang Date: Fri, 16 Oct 2015 01:47:04 -0700 Subject: [PATCH 2434/3829] fix a typo in comment Signed-off-by: Hongyi Zhang --- .../source/_themes/sphinx_rtd_theme/static/js/theme.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js index 52580a0562e..bc996b71089 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js @@ -85,7 +85,7 @@ $(window).on('resize', function(){ if (getCookie('ciNav') == 'true' && $(window).width() <= 768) { // 768px is the tablet size defined by the theme $('.wy-nav-side').show(); } - // changing css with jQuenry seems to override the default css media query + // changing css with jquery seems to override the default css media query // change margin else if (getCookie('ciNav') == 'false' && $(window).width() <= 768) { $('.wy-nav-content-wrap').css({'margin-left': 0}); From de8b82ca8c4e201ad21c07ca962f5480493143eb Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sun, 18 Oct 2015 20:58:38 +0300 Subject: [PATCH 2435/3829] Fix #4179 --- system/libraries/Session/drivers/Session_database_driver.php | 4 ++++ user_guide_src/source/changelog.rst | 1 + 2 files changed, 5 insertions(+) diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index 1d01c292390..72b39d12d47 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -159,6 +159,10 @@ public function read($session_id) if (($result = $this->_db->get()->row()) === NULL) { + // PHP7 will reuse the same SessionHandler object after + // ID regeneration, so we need to explicitly set this to + // FALSE instead of relying on the default ... + $this->_row_exists = FALSE; $this->_fingerprint = md5(''); return ''; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index e3dfac87967..950a4a62664 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -15,6 +15,7 @@ Bug fixes for 3.0.3 ------------------- - Fixed a bug (#4170) - :doc:`Database ` method ``insert_id()`` could return an identity from the wrong scope with the 'sqlsrv' driver. +- Fixed a bug (#4179) - :doc:`Session Library ` doesn't properly maintain its state after ID regeneration with the 'database' driver on PHP7. Version 3.0.2 ============= From 97d5154c1b50e8c0e73b17355d20126dfaf043fa Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 19 Oct 2015 11:28:11 +0300 Subject: [PATCH 2436/3829] [ci skip] Fix docs about QB caching It doesn't support set() ... Related: #4175 --- user_guide_src/source/database/query_builder.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/database/query_builder.rst b/user_guide_src/source/database/query_builder.rst index 9c3ff306ff7..5d9ae459231 100644 --- a/user_guide_src/source/database/query_builder.rst +++ b/user_guide_src/source/database/query_builder.rst @@ -1018,7 +1018,7 @@ Here's a usage example:: .. note:: The following statements can be cached: select, from, join, - where, like, group_by, having, order_by, set + where, like, group_by, having, order_by *********************** From 95f815745855a5ac365595eb44abbda11766cfe5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 19 Oct 2015 13:16:19 +0300 Subject: [PATCH 2437/3829] Fix #4173 This reverts commit 7cc6cea2d421862726081a39e932dbceeefcc775 from PR #3968. At the time this seemed logical, but turns out it breaks the ability to create non-PRIMARY composite keys, so ... --- system/database/DB_forge.php | 8 +++++++- user_guide_src/source/changelog.rst | 1 + 2 files changed, 8 insertions(+), 1 deletion(-) diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index dde28559802..f9cf76a1462 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -239,7 +239,13 @@ public function drop_database($db_name) */ public function add_key($key, $primary = FALSE) { - if (is_array($key)) + // DO NOT change this! This condition is only applicable + // for PRIMARY keys because you can only have one such, + // and therefore all fields you add to it will be included + // in the same, composite PRIMARY KEY. + // + // It's not the same for regular indexes. + if ($primary === TRUE && is_array($key)) { foreach ($key as $one) { diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 950a4a62664..72bd9acf953 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -16,6 +16,7 @@ Bug fixes for 3.0.3 - Fixed a bug (#4170) - :doc:`Database ` method ``insert_id()`` could return an identity from the wrong scope with the 'sqlsrv' driver. - Fixed a bug (#4179) - :doc:`Session Library ` doesn't properly maintain its state after ID regeneration with the 'database' driver on PHP7. +- Fixed a bug (#4173) - :doc:`Database Forge ` method ``add_key()`` didn't allow creation of non-PRIMARY composite keys after the "bugfix" for #3968. Version 3.0.2 ============= From a7d4abaedc27497d570ae06ddc9cdde05930ec15 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 19 Oct 2015 14:39:44 +0300 Subject: [PATCH 2438/3829] Fix #4171 and a number of other transaction bugs --- system/database/DB_driver.php | 115 ++++++++++++++---- .../database/drivers/cubrid/cubrid_driver.php | 38 ++---- .../database/drivers/ibase/ibase_driver.php | 32 ++--- .../database/drivers/mssql/mssql_driver.php | 30 +---- .../database/drivers/mysql/mysql_driver.php | 37 ++---- .../database/drivers/mysqli/mysqli_driver.php | 30 +---- system/database/drivers/oci8/oci8_driver.php | 41 +------ system/database/drivers/odbc/odbc_driver.php | 34 ++---- system/database/drivers/pdo/pdo_driver.php | 30 +---- .../drivers/postgre/postgre_driver.php | 30 +---- .../database/drivers/sqlite/sqlite_driver.php | 39 +----- .../drivers/sqlite3/sqlite3_driver.php | 30 +---- .../database/drivers/sqlsrv/sqlsrv_driver.php | 30 +---- user_guide_src/source/changelog.rst | 4 + .../source/database/db_driver_reference.rst | 6 +- 15 files changed, 170 insertions(+), 356 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index cc94edc164f..0ea679432b1 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -668,7 +668,13 @@ public function query($sql, $binds = FALSE, $return_object = NULL) { do { + $trans_depth = $this->_trans_depth; $this->trans_complete(); + if ($trans_depth === $this->_trans_depth) + { + log_message('error', 'Database: Failure during an automated transaction commit/rollback!'); + break; + } } while ($this->_trans_depth !== 0); } @@ -813,24 +819,16 @@ public function trans_strict($mode = TRUE) * Start Transaction * * @param bool $test_mode = FALSE - * @return void + * @return bool */ public function trans_start($test_mode = FALSE) { if ( ! $this->trans_enabled) { - return; - } - - // When transactions are nested we only begin/commit/rollback the outermost ones - if ($this->_trans_depth > 0) - { - $this->_trans_depth += 1; - return; + return FALSE; } - $this->trans_begin($test_mode); - $this->_trans_depth += 1; + return $this->trans_begin($test_mode); } // -------------------------------------------------------------------- @@ -847,17 +845,6 @@ public function trans_complete() return FALSE; } - // When transactions are nested we only begin/commit/rollback the outermost ones - if ($this->_trans_depth > 1) - { - $this->_trans_depth -= 1; - return TRUE; - } - else - { - $this->_trans_depth = 0; - } - // The query() function will set this flag to FALSE in the event that a query failed if ($this->_trans_status === FALSE OR $this->_trans_failure === TRUE) { @@ -875,8 +862,7 @@ public function trans_complete() return FALSE; } - $this->trans_commit(); - return TRUE; + return $this->trans_commit(); } // -------------------------------------------------------------------- @@ -893,6 +879,87 @@ public function trans_status() // -------------------------------------------------------------------- + /** + * Begin Transaction + * + * @param bool $test_mode + * @return bool + */ + public function trans_begin($test_mode = FALSE) + { + if ( ! $this->trans_enabled) + { + return FALSE; + } + // When transactions are nested we only begin/commit/rollback the outermost ones + elseif ($this->_trans_depth > 0) + { + $this->_trans_depth++; + return TRUE; + } + + // Reset the transaction failure flag. + // If the $test_mode flag is set to TRUE transactions will be rolled back + // even if the queries produce a successful result. + $this->_trans_failure = ($test_mode === TRUE); + + if ($this->_trans_begin()) + { + $this->_trans_depth++; + return TRUE; + } + + return FALSE; + } + + // -------------------------------------------------------------------- + + /** + * Commit Transaction + * + * @return bool + */ + public function trans_commit() + { + if ( ! $this->trans_enabled OR $this->_trans_depth === 0) + { + return FALSE; + } + // When transactions are nested we only begin/commit/rollback the outermost ones + elseif ($this->_trans_depth > 1 OR $this->_trans_commit()) + { + $this->_trans_depth--; + return TRUE; + } + + return FALSE; + } + + // -------------------------------------------------------------------- + + /** + * Rollback Transaction + * + * @return bool + */ + public function trans_rollback() + { + if ( ! $this->trans_enabled OR $this->_trans_depth === 0) + { + return FALSE; + } + // When transactions are nested we only begin/commit/rollback the outermost ones + elseif ($this->_trans_depth > 1 OR $this->_trans_rollback()) + { + $this->_trans_depth--; + return TRUE; + } + + return FALSE; + } + + // -------------------------------------------------------------------- + /** * Compile Bindings * diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php index f80b4db54b5..65f4adb3fbc 100644 --- a/system/database/drivers/cubrid/cubrid_driver.php +++ b/system/database/drivers/cubrid/cubrid_driver.php @@ -187,25 +187,17 @@ protected function _execute($sql) /** * Begin Transaction * - * @param bool $test_mode * @return bool */ - public function trans_begin($test_mode = FALSE) + protected function _trans_begin() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) + if (($autocommit = cubrid_get_autocommit($this->conn_id)) === NULL) { - return TRUE; + return FALSE; } - - // Reset the transaction failure flag. - // If the $test_mode flag is set to TRUE transactions will be rolled back - // even if the queries produce a successful result. - $this->_trans_failure = ($test_mode === TRUE); - - if (cubrid_get_autocommit($this->conn_id)) + elseif ($autocommit === TRUE) { - cubrid_set_autocommit($this->conn_id, CUBRID_AUTOCOMMIT_FALSE); + return cubrid_set_autocommit($this->conn_id, CUBRID_AUTOCOMMIT_FALSE); } return TRUE; @@ -218,19 +210,16 @@ public function trans_begin($test_mode = FALSE) * * @return bool */ - public function trans_commit() + protected function _trans_commit() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) + if ( ! cubrid_commit($this->conn_id)) { - return TRUE; + return FALSE; } - cubrid_commit($this->conn_id); - if ($this->auto_commit && ! cubrid_get_autocommit($this->conn_id)) { - cubrid_set_autocommit($this->conn_id, CUBRID_AUTOCOMMIT_TRUE); + return cubrid_set_autocommit($this->conn_id, CUBRID_AUTOCOMMIT_TRUE); } return TRUE; @@ -243,16 +232,13 @@ public function trans_commit() * * @return bool */ - public function trans_rollback() + protected function _trans_rollback() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) + if ( ! cubrid_rollback($this->conn_id)) { - return TRUE; + return FALSE; } - cubrid_rollback($this->conn_id); - if ($this->auto_commit && ! cubrid_get_autocommit($this->conn_id)) { cubrid_set_autocommit($this->conn_id, CUBRID_AUTOCOMMIT_TRUE); diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php index 529c320cd76..82550d51b18 100644 --- a/system/database/drivers/ibase/ibase_driver.php +++ b/system/database/drivers/ibase/ibase_driver.php @@ -134,24 +134,16 @@ protected function _execute($sql) /** * Begin Transaction * - * @param bool $test_mode * @return bool */ - public function trans_begin($test_mode = FALSE) + protected function _trans_begin() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) + if (($trans_handle = ibase_trans($this->conn_id)) === FALSE) { - return TRUE; + return FALSE; } - // Reset the transaction failure flag. - // If the $test_mode flag is set to TRUE transactions will be rolled back - // even if the queries produce a successful result. - $this->_trans_failure = ($test_mode === TRUE); - - $this->_ibase_trans = ibase_trans($this->conn_id); - + $this->_ibase_trans = $trans_handle; return TRUE; } @@ -162,15 +154,15 @@ public function trans_begin($test_mode = FALSE) * * @return bool */ - public function trans_commit() + protected function _trans_commit() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans->depth > 0) + if (ibase_commit($this->_ibase_trans)) { + $this->_ibase_trans = NULL; return TRUE; } - return ibase_commit($this->_ibase_trans); + return FALSE; } // -------------------------------------------------------------------- @@ -180,15 +172,15 @@ public function trans_commit() * * @return bool */ - public function trans_rollback() + protected function _trans_rollback() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) + if (ibase_rollback($this->_ibase_trans)) { + $this->_ibase_trans = NULL; return TRUE; } - return ibase_rollback($this->_ibase_trans); + return FALSE; } // -------------------------------------------------------------------- diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index 05e5418c38d..883973ae112 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -182,22 +182,10 @@ protected function _execute($sql) /** * Begin Transaction * - * @param bool $test_mode * @return bool */ - public function trans_begin($test_mode = FALSE) + protected function _trans_begin() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - - // Reset the transaction failure flag. - // If the $test_mode flag is set to TRUE transactions will be rolled back - // even if the queries produce a successful result. - $this->_trans_failure = ($test_mode === TRUE); - return $this->simple_query('BEGIN TRAN'); } @@ -208,14 +196,8 @@ public function trans_begin($test_mode = FALSE) * * @return bool */ - public function trans_commit() + protected function _trans_commit() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - return $this->simple_query('COMMIT TRAN'); } @@ -226,14 +208,8 @@ public function trans_commit() * * @return bool */ - public function trans_rollback() + protected function _trans_rollback() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - return $this->simple_query('ROLLBACK TRAN'); } diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index df0f24920d7..9c630d0d666 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -272,25 +272,12 @@ protected function _prep_query($sql) /** * Begin Transaction * - * @param bool $test_mode * @return bool */ - public function trans_begin($test_mode = FALSE) + protected function _trans_begin() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - - // Reset the transaction failure flag. - // If the $test_mode flag is set to TRUE transactions will be rolled back - // even if the queries produce a successful result. - $this->_trans_failure = ($test_mode === TRUE); - $this->simple_query('SET AUTOCOMMIT=0'); - $this->simple_query('START TRANSACTION'); // can also be BEGIN or BEGIN WORK - return TRUE; + return $this->simple_query('START TRANSACTION'); // can also be BEGIN or BEGIN WORK } // -------------------------------------------------------------------- @@ -300,17 +287,15 @@ public function trans_begin($test_mode = FALSE) * * @return bool */ - public function trans_commit() + protected function _trans_commit() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) + if ($this->simple_query('COMMIT')) { + $this->simple_query('SET AUTOCOMMIT=1'); return TRUE; } - $this->simple_query('COMMIT'); - $this->simple_query('SET AUTOCOMMIT=1'); - return TRUE; + return FALSE; } // -------------------------------------------------------------------- @@ -320,17 +305,15 @@ public function trans_commit() * * @return bool */ - public function trans_rollback() + protected function _trans_rollback() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) + if ($this->simple_query('ROLLBACK')) { + $this->simple_query('SET AUTOCOMMIT=1'); return TRUE; } - $this->simple_query('ROLLBACK'); - $this->simple_query('SET AUTOCOMMIT=1'); - return TRUE; + return FALSE; } // -------------------------------------------------------------------- diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index dd3cc77c6e6..8274700781a 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -291,22 +291,10 @@ protected function _prep_query($sql) /** * Begin Transaction * - * @param bool $test_mode * @return bool */ - public function trans_begin($test_mode = FALSE) + protected function _trans_begin() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - - // Reset the transaction failure flag. - // If the $test_mode flag is set to TRUE transactions will be rolled back - // even if the queries produce a successful result. - $this->_trans_failure = ($test_mode === TRUE); - $this->conn_id->autocommit(FALSE); return is_php('5.5') ? $this->conn_id->begin_transaction() @@ -320,14 +308,8 @@ public function trans_begin($test_mode = FALSE) * * @return bool */ - public function trans_commit() + protected function _trans_commit() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - if ($this->conn_id->commit()) { $this->conn_id->autocommit(TRUE); @@ -344,14 +326,8 @@ public function trans_commit() * * @return bool */ - public function trans_rollback() + protected function _trans_rollback() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - if ($this->conn_id->rollback()) { $this->conn_id->autocommit(TRUE); diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index f2e40da9b76..916ddeb9072 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -378,27 +378,10 @@ protected function _bind_params($params) /** * Begin Transaction * - * @param bool $test_mode * @return bool */ - public function trans_begin($test_mode = FALSE) + protected function _trans_begin() { - if ( ! $this->trans_enabled) - { - return TRUE; - } - - // When transactions are nested we only begin/commit/rollback the outermost ones - if ($this->_trans_depth > 0) - { - return TRUE; - } - - // Reset the transaction failure flag. - // If the $test_mode flag is set to TRUE transactions will be rolled back - // even if the queries produce a successful result. - $this->_trans_failure = ($test_mode === TRUE); - $this->commit_mode = is_php('5.3.2') ? OCI_NO_AUTO_COMMIT : OCI_DEFAULT; return TRUE; } @@ -410,20 +393,10 @@ public function trans_begin($test_mode = FALSE) * * @return bool */ - public function trans_commit() + protected function _trans_commit() { - if ( ! $this->trans_enabled) - { - return TRUE; - } - - // When transactions are nested we only begin/commit/rollback the outermost ones - if ($this->_trans_depth > 0) - { - return TRUE; - } - $this->commit_mode = OCI_COMMIT_ON_SUCCESS; + return oci_commit($this->conn_id); } @@ -434,14 +407,8 @@ public function trans_commit() * * @return bool */ - public function trans_rollback() + protected function _trans_rollback() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - $this->commit_mode = OCI_COMMIT_ON_SUCCESS; return oci_rollback($this->conn_id); } diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index f5d77a14774..409284b44e5 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -143,22 +143,10 @@ protected function _execute($sql) /** * Begin Transaction * - * @param bool $test_mode * @return bool */ - public function trans_begin($test_mode = FALSE) + protected function _trans_begin() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - - // Reset the transaction failure flag. - // If the $test_mode flag is set to TRUE transactions will be rolled back - // even if the queries produce a successful result. - $this->_trans_failure = ($test_mode === TRUE); - return odbc_autocommit($this->conn_id, FALSE); } @@ -169,17 +157,15 @@ public function trans_begin($test_mode = FALSE) * * @return bool */ - public function trans_commit() + protected function _trans_commit() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) + if (odbc_commit($this->conn_id)) { + odbc_autocommit($this->conn_id, TRUE); return TRUE; } - $ret = odbc_commit($this->conn_id); - odbc_autocommit($this->conn_id, TRUE); - return $ret; + return FALSE; } // -------------------------------------------------------------------- @@ -189,17 +175,15 @@ public function trans_commit() * * @return bool */ - public function trans_rollback() + protected function _trans_rollback() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) + if (odbc_rollback($this->conn_id)) { + odbc_autocommit($this->conn_id, TRUE); return TRUE; } - $ret = odbc_rollback($this->conn_id); - odbc_autocommit($this->conn_id, TRUE); - return $ret; + return FALSE; } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index cc77e956810..8c5a5e7e369 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -186,22 +186,10 @@ protected function _execute($sql) /** * Begin Transaction * - * @param bool $test_mode * @return bool */ - public function trans_begin($test_mode = FALSE) + protected function _trans_begin() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - - // Reset the transaction failure flag. - // If the $test_mode flag is set to TRUE transactions will be rolled back - // even if the queries produce a successful result. - $this->_trans_failure = ($test_mode === TRUE); - return $this->conn_id->beginTransaction(); } @@ -212,14 +200,8 @@ public function trans_begin($test_mode = FALSE) * * @return bool */ - public function trans_commit() + protected function _trans_commit() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - return $this->conn_id->commit(); } @@ -230,14 +212,8 @@ public function trans_commit() * * @return bool */ - public function trans_rollback() + protected function _trans_rollback() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - return $this->conn_id->rollBack(); } diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index 7be07c3bf4d..b1df326f7eb 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -247,22 +247,10 @@ protected function _execute($sql) /** * Begin Transaction * - * @param bool $test_mode * @return bool */ - public function trans_begin($test_mode = FALSE) + protected function _trans_begin() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - - // Reset the transaction failure flag. - // If the $test_mode flag is set to TRUE transactions will be rolled back - // even if the queries produce a successful result. - $this->_trans_failure = ($test_mode === TRUE); - return (bool) pg_query($this->conn_id, 'BEGIN'); } @@ -273,14 +261,8 @@ public function trans_begin($test_mode = FALSE) * * @return bool */ - public function trans_commit() + protected function _trans_commit() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - return (bool) pg_query($this->conn_id, 'COMMIT'); } @@ -291,14 +273,8 @@ public function trans_commit() * * @return bool */ - public function trans_rollback() + protected function _trans_rollback() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - return (bool) pg_query($this->conn_id, 'ROLLBACK'); } diff --git a/system/database/drivers/sqlite/sqlite_driver.php b/system/database/drivers/sqlite/sqlite_driver.php index 9d9caa0b497..e000a8e5002 100644 --- a/system/database/drivers/sqlite/sqlite_driver.php +++ b/system/database/drivers/sqlite/sqlite_driver.php @@ -122,24 +122,11 @@ protected function _execute($sql) /** * Begin Transaction * - * @param bool $test_mode * @return bool */ - public function trans_begin($test_mode = FALSE) + protected function _trans_begin() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - - // Reset the transaction failure flag. - // If the $test_mode flag is set to TRUE transactions will be rolled back - // even if the queries produce a successful result. - $this->_trans_failure = ($test_mode === TRUE); - - $this->simple_query('BEGIN TRANSACTION'); - return TRUE; + return $this->simple_query('BEGIN TRANSACTION'); } // -------------------------------------------------------------------- @@ -149,16 +136,9 @@ public function trans_begin($test_mode = FALSE) * * @return bool */ - public function trans_commit() + protected function _trans_commit() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - - $this->simple_query('COMMIT'); - return TRUE; + return $this->simple_query('COMMIT'); } // -------------------------------------------------------------------- @@ -168,16 +148,9 @@ public function trans_commit() * * @return bool */ - public function trans_rollback() + protected function _trans_rollback() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - - $this->simple_query('ROLLBACK'); - return TRUE; + return $this->simple_query('ROLLBACK'); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/sqlite3/sqlite3_driver.php b/system/database/drivers/sqlite3/sqlite3_driver.php index 31e37de9113..73e4537852e 100644 --- a/system/database/drivers/sqlite3/sqlite3_driver.php +++ b/system/database/drivers/sqlite3/sqlite3_driver.php @@ -134,22 +134,10 @@ protected function _execute($sql) /** * Begin Transaction * - * @param bool $test_mode * @return bool */ - public function trans_begin($test_mode = FALSE) + protected function _trans_begin() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - - // Reset the transaction failure flag. - // If the $test_mode flag is set to TRUE transactions will be rolled back - // even if the queries produce a successful result. - $this->_trans_failure = ($test_mode === TRUE); - return $this->conn_id->exec('BEGIN TRANSACTION'); } @@ -160,14 +148,8 @@ public function trans_begin($test_mode = FALSE) * * @return bool */ - public function trans_commit() + protected function _trans_commit() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - return $this->conn_id->exec('END TRANSACTION'); } @@ -178,14 +160,8 @@ public function trans_commit() * * @return bool */ - public function trans_rollback() + protected function _trans_rollback() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - return $this->conn_id->exec('ROLLBACK'); } diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index 1df3a42588a..414669a4b2c 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -197,22 +197,10 @@ protected function _execute($sql) /** * Begin Transaction * - * @param bool $test_mode * @return bool */ - public function trans_begin($test_mode = FALSE) + protected function _trans_begin() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - - // Reset the transaction failure flag. - // If the $test_mode flag is set to TRUE transactions will be rolled back - // even if the queries produce a successful result. - $this->_trans_failure = ($test_mode === TRUE); - return sqlsrv_begin_transaction($this->conn_id); } @@ -223,14 +211,8 @@ public function trans_begin($test_mode = FALSE) * * @return bool */ - public function trans_commit() + protected function _trans_commit() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - return sqlsrv_commit($this->conn_id); } @@ -241,14 +223,8 @@ public function trans_commit() * * @return bool */ - public function trans_rollback() + protected function _trans_rollback() { - // When transactions are nested we only begin/commit/rollback the outermost ones - if ( ! $this->trans_enabled OR $this->_trans_depth > 0) - { - return TRUE; - } - return sqlsrv_rollback($this->conn_id); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 72bd9acf953..b1caf9b56eb 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -10,6 +10,7 @@ Release Date: Not Released - Database - Optimized :doc:`Database Utility ` method ``csv_from_result()`` for speed with larger result sets. + - Added proper return values to :doc:`Database Transactions ` method ``trans_start()``. Bug fixes for 3.0.3 ------------------- @@ -17,6 +18,9 @@ Bug fixes for 3.0.3 - Fixed a bug (#4170) - :doc:`Database ` method ``insert_id()`` could return an identity from the wrong scope with the 'sqlsrv' driver. - Fixed a bug (#4179) - :doc:`Session Library ` doesn't properly maintain its state after ID regeneration with the 'database' driver on PHP7. - Fixed a bug (#4173) - :doc:`Database Forge ` method ``add_key()`` didn't allow creation of non-PRIMARY composite keys after the "bugfix" for #3968. +- Fixed a bug (#4171) - :doc:`Database Transactions ` didn't work with nesting in methods ``trans_begin()``, ``trans_commit()``, ``trans_rollback()``. +- Fixed a bug where :doc:`Database Transaction ` methods ``trans_begin()``, ``trans_commit()``, ``trans_rollback()`` ignored failures. +- Fixed a bug where all :doc:`Database Transaction ` methods returned TRUE while transactions are actually disabled. Version 3.0.2 ============= diff --git a/user_guide_src/source/database/db_driver_reference.rst b/user_guide_src/source/database/db_driver_reference.rst index ea692515cb3..8fc26c01b79 100644 --- a/user_guide_src/source/database/db_driver_reference.rst +++ b/user_guide_src/source/database/db_driver_reference.rst @@ -140,13 +140,15 @@ This article is intended to be a reference for them. .. php:method:: trans_start([$test_mode = FALSE]) :param bool $test_mode: Test mode flag - :rtype: void + :returns: TRUE on success, FALSE on failure + :rtype: bool Start a transaction. .. php:method:: trans_complete() - :rtype: void + :returns: TRUE on success, FALSE on failure + :rtype: bool Complete Transaction. From 99c8ff3d03a95b1e8f589ecfc9de925d5fecedac Mon Sep 17 00:00:00 2001 From: Hongyi Zhang Date: Mon, 19 Oct 2015 12:54:17 -0700 Subject: [PATCH 2439/3829] rename cookie values to make codes clear Signed-off-by: Hongyi Zhang --- .../sphinx_rtd_theme/static/js/theme.js | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js index bc996b71089..081d77bdf4a 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js @@ -25,7 +25,7 @@ $(document).ready(function () { $('#closeMe').toggle( function () { - setCookie('ciNav', 'true', 365); + setCookie('ciNav', 'yes', 365); $('#nav2').show(); $('#topMenu').remove(); $('body').css({background: 'none'}); @@ -35,7 +35,7 @@ $(document).ready(function () { }, function () { - setCookie('ciNav', 'false', 365); + setCookie('ciNav', 'no', 365); $('#topMenu').remove(); $('#nav').hide(); $('#nav2').hide(); @@ -44,7 +44,7 @@ $(document).ready(function () { $('.wy-nav-side').show(); } ); - if (getCookie('ciNav') == 'true') + if (getCookie('ciNav') == 'yes') { $('#closeMe').trigger('click'); //$('#nav').slideToggle(); @@ -56,7 +56,7 @@ $(document).ready(function () { // Rufnex Cookie functions function setCookie(cname, cvalue, exdays) { // expire the old cookie if existed to avoid multiple cookies with the same name - if (getCookie(cname) != false) { + if (getCookie(cname)) { document.cookie = cname + "=;expires=Thu, 01 Jan 1970 00:00:00 GMT"; } var d = new Date(); @@ -75,27 +75,27 @@ function getCookie(cname) { return c.substring(name.length, c.length); } } - return false; + return ''; } // End // resize window $(window).on('resize', function(){ // show side nav on small screens when pulldown is enabled - if (getCookie('ciNav') == 'true' && $(window).width() <= 768) { // 768px is the tablet size defined by the theme + if (getCookie('ciNav') == 'yes' && $(window).width() <= 768) { // 768px is the tablet size defined by the theme $('.wy-nav-side').show(); } // changing css with jquery seems to override the default css media query // change margin - else if (getCookie('ciNav') == 'false' && $(window).width() <= 768) { + else if (getCookie('ciNav') == 'no' && $(window).width() <= 768) { $('.wy-nav-content-wrap').css({'margin-left': 0}); } // hide side nav on large screens when pulldown is enabled - else if (getCookie('ciNav') == 'true' && $(window).width() > 768) { + else if (getCookie('ciNav') == 'yes' && $(window).width() > 768) { $('.wy-nav-side').hide(); } // change margin - else if (getCookie('ciNav') == 'false' && $(window).width() > 768) { + else if (getCookie('ciNav') == 'no' && $(window).width() > 768) { $('.wy-nav-content-wrap').css({'margin-left': '300px'}); } }); From 29b90f7ea402b9d8227fff86e32ab13de056b6c1 Mon Sep 17 00:00:00 2001 From: "Instructor, Computer Systems Technology" Date: Wed, 21 Oct 2015 06:10:32 -0700 Subject: [PATCH 2440/3829] Merge pull request #4167 from zhanghongyi/fix-pulldown disable pulldown menu on mobile devices --- .../sphinx_rtd_theme/static/css/citheme.css | 15 ++++++++ .../sphinx_rtd_theme/static/js/theme.js | 36 ++++++++++++++++--- 2 files changed, 46 insertions(+), 5 deletions(-) diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css index 192af2004d1..a2a3b3e91fa 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/css/citheme.css @@ -70,4 +70,19 @@ div#pulldown-menu { font-weight: 300; font-family: Lucida Grande,Verdana,Geneva,sans-serif; color: #aaaaaa; +} + +/*hide pulldown menu on mobile devices*/ +@media (max-width: 768px) { /*tablet size defined by theme*/ + #closeMe { + display: none; + } + + #pulldown { + display: none; + } + + #openToc { + display: none; + } } \ No newline at end of file diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js index b77789d0605..081d77bdf4a 100644 --- a/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js +++ b/user_guide_src/source/_themes/sphinx_rtd_theme/static/js/theme.js @@ -25,7 +25,7 @@ $(document).ready(function () { $('#closeMe').toggle( function () { - setCookie('ciNav', true, 365); + setCookie('ciNav', 'yes', 365); $('#nav2').show(); $('#topMenu').remove(); $('body').css({background: 'none'}); @@ -35,7 +35,7 @@ $(document).ready(function () { }, function () { - setCookie('ciNav', false, 365); + setCookie('ciNav', 'no', 365); $('#topMenu').remove(); $('#nav').hide(); $('#nav2').hide(); @@ -44,20 +44,25 @@ $(document).ready(function () { $('.wy-nav-side').show(); } ); - if (getCookie('ciNav') == 'true') + if (getCookie('ciNav') == 'yes') { $('#closeMe').trigger('click'); //$('#nav').slideToggle(); } // END MODIFICATION --- + }); // Rufnex Cookie functions function setCookie(cname, cvalue, exdays) { + // expire the old cookie if existed to avoid multiple cookies with the same name + if (getCookie(cname)) { + document.cookie = cname + "=;expires=Thu, 01 Jan 1970 00:00:00 GMT"; + } var d = new Date(); d.setTime(d.getTime() + (exdays * 24 * 60 * 60 * 1000)); var expires = "expires=" + d.toGMTString(); - document.cookie = cname + "=" + cvalue + "; " + expires; + document.cookie = cname + "=" + cvalue + "; " + expires + "; path=/"; } function getCookie(cname) { var name = cname + "="; @@ -70,10 +75,31 @@ function getCookie(cname) { return c.substring(name.length, c.length); } } - return false; + return ''; } // End +// resize window +$(window).on('resize', function(){ + // show side nav on small screens when pulldown is enabled + if (getCookie('ciNav') == 'yes' && $(window).width() <= 768) { // 768px is the tablet size defined by the theme + $('.wy-nav-side').show(); + } + // changing css with jquery seems to override the default css media query + // change margin + else if (getCookie('ciNav') == 'no' && $(window).width() <= 768) { + $('.wy-nav-content-wrap').css({'margin-left': 0}); + } + // hide side nav on large screens when pulldown is enabled + else if (getCookie('ciNav') == 'yes' && $(window).width() > 768) { + $('.wy-nav-side').hide(); + } + // change margin + else if (getCookie('ciNav') == 'no' && $(window).width() > 768) { + $('.wy-nav-content-wrap').css({'margin-left': '300px'}); + } +}); + window.SphinxRtdTheme = (function (jquery) { var stickyNav = (function () { var navBar, From b2d2535cc0326acea4722f7be9819cf58fd155da Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 23 Oct 2015 14:11:47 +0300 Subject: [PATCH 2441/3829] [ci skip] Link HackerOne page in the readme --- readme.rst | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/readme.rst b/readme.rst index 640dd241bfd..2e35d7223f6 100644 --- a/readme.rst +++ b/readme.rst @@ -59,7 +59,8 @@ Resources - `Community Wiki `_ - `Community IRC `_ -Report security issues to our `Security Panel `_, thank you. +Report security issues to our `Security Panel `_ +or via our `page on HackerOne `_, thank you. *************** Acknowledgement From 175b17c4b74d03a7578440d92a3ac9d80924ef78 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 23 Oct 2015 14:11:47 +0300 Subject: [PATCH 2442/3829] [ci skip] Link HackerOne page in the readme --- readme.rst | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/readme.rst b/readme.rst index 640dd241bfd..2e35d7223f6 100644 --- a/readme.rst +++ b/readme.rst @@ -59,7 +59,8 @@ Resources - `Community Wiki `_ - `Community IRC `_ -Report security issues to our `Security Panel `_, thank you. +Report security issues to our `Security Panel `_ +or via our `page on HackerOne `_, thank you. *************** Acknowledgement From d2ea460f138fd1f9a527c9b0ece7cce369fd430b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 30 Oct 2015 11:47:35 +0200 Subject: [PATCH 2443/3829] Fix #3201 --- system/core/Common.php | 7 ++++++- tests/codeigniter/core/Common_test.php | 5 +++++ user_guide_src/source/changelog.rst | 1 + 3 files changed, 12 insertions(+), 1 deletion(-) diff --git a/system/core/Common.php b/system/core/Common.php index ad3ca9f9388..3ab98cf6da0 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -752,7 +752,12 @@ function html_escape($var, $double_encode = TRUE) if (is_array($var)) { - return array_map('html_escape', $var, array_fill(0, count($var), $double_encode)); + foreach (array_keys($var) as $key) + { + $var[$key] = html_escape($var[$key], $double_encode); + } + + return $var; } return htmlspecialchars($var, ENT_QUOTES, config_item('charset'), $double_encode); diff --git a/tests/codeigniter/core/Common_test.php b/tests/codeigniter/core/Common_test.php index 999b49cb36b..81a185eafb4 100644 --- a/tests/codeigniter/core/Common_test.php +++ b/tests/codeigniter/core/Common_test.php @@ -47,6 +47,11 @@ public function test_html_escape() html_escape('Here is a string containing "quoted" text.'), 'Here is a string containing "quoted" text.' ); + + $this->assertEquals( + html_escape(array('associative' => 'and', array('multi' => 'dimentional'))), + array('associative' => 'and', array('multi' => 'dimentional')) + ); } } \ No newline at end of file diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index b1caf9b56eb..8aaf0bfc4ac 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -21,6 +21,7 @@ Bug fixes for 3.0.3 - Fixed a bug (#4171) - :doc:`Database Transactions ` didn't work with nesting in methods ``trans_begin()``, ``trans_commit()``, ``trans_rollback()``. - Fixed a bug where :doc:`Database Transaction ` methods ``trans_begin()``, ``trans_commit()``, ``trans_rollback()`` ignored failures. - Fixed a bug where all :doc:`Database Transaction ` methods returned TRUE while transactions are actually disabled. +- Fixed a bug (#3201) - :doc:`Common function ` :php:func:`html_escape()` modified keys of its array inputs. Version 3.0.2 ============= From 09a76b8f31e75bf2f7312b976731f985e12973f0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 30 Oct 2015 11:50:08 +0200 Subject: [PATCH 2444/3829] [ci skip] Fix changelog entry from latest commit #3201 is actually another issue, the bug fixed by a62aa820bdd3e642f44428b27f2c6cde1baf4adc was just reported in the comments there. --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 8aaf0bfc4ac..60cf4cf024c 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -21,7 +21,7 @@ Bug fixes for 3.0.3 - Fixed a bug (#4171) - :doc:`Database Transactions ` didn't work with nesting in methods ``trans_begin()``, ``trans_commit()``, ``trans_rollback()``. - Fixed a bug where :doc:`Database Transaction ` methods ``trans_begin()``, ``trans_commit()``, ``trans_rollback()`` ignored failures. - Fixed a bug where all :doc:`Database Transaction ` methods returned TRUE while transactions are actually disabled. -- Fixed a bug (#3201) - :doc:`Common function ` :php:func:`html_escape()` modified keys of its array inputs. +- Fixed a bug where :doc:`common function ` :php:func:`html_escape()` modified keys of its array inputs. Version 3.0.2 ============= From 3368cebeb6682013c44be7a03d3b3dac0f5c8973 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 30 Oct 2015 12:25:15 +0200 Subject: [PATCH 2445/3829] Fix #4192 --- system/libraries/Email.php | 13 ++++++++----- user_guide_src/source/changelog.rst | 1 + 2 files changed, 9 insertions(+), 5 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index acf3629c330..ebff7567a13 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1563,11 +1563,10 @@ protected function _prep_q_encoding($str) if ($this->charset === 'UTF-8') { - if (MB_ENABLED === TRUE) - { - return mb_encode_mimeheader($str, $this->charset, 'Q', $this->crlf); - } - elseif (ICONV_ENABLED === TRUE) + // Note: We used to have mb_encode_mimeheader() as the first choice + // here, but it turned out to be buggy and unreliable. DO NOT + // re-add it! -- Narf + if (ICONV_ENABLED === TRUE) { $output = @iconv_mime_encode('', $str, array( @@ -1590,6 +1589,10 @@ protected function _prep_q_encoding($str) $chars = iconv_strlen($str, 'UTF-8'); } + elseif (MB_ENABLED === TRUE) + { + $chars = mb_strlen($str, 'UTF-8'); + } } // We might already have this set for UTF-8 diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 60cf4cf024c..f9f451d985b 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -22,6 +22,7 @@ Bug fixes for 3.0.3 - Fixed a bug where :doc:`Database Transaction ` methods ``trans_begin()``, ``trans_commit()``, ``trans_rollback()`` ignored failures. - Fixed a bug where all :doc:`Database Transaction ` methods returned TRUE while transactions are actually disabled. - Fixed a bug where :doc:`common function ` :php:func:`html_escape()` modified keys of its array inputs. +- Fixed a bug (#4192) - :doc:`Email Library ` wouldn't always have proper Quoted-printable encoding due to a bug in PHP's own ``mb_mime_encodeheader()`` function. Version 3.0.2 ============= From 71b1b3f5b2dcc0f4b652e9494e9853b82541ac8c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 27 Oct 2015 12:30:18 +0200 Subject: [PATCH 2446/3829] Harden xss_clean() --- system/core/Security.php | 66 ++++++++++++++---------- tests/codeigniter/core/Security_test.php | 35 +++++++------ 2 files changed, 59 insertions(+), 42 deletions(-) diff --git a/system/core/Security.php b/system/core/Security.php index ab85e2239c6..36dea4cf2ed 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -803,43 +803,55 @@ protected function _sanitize_naughty_html($matches) // For other tags, see if their attributes are "evil" and strip those elseif (isset($matches['attributes'])) { - // We'll need to catch all attributes separately first - $pattern = '#' - .'([\s\042\047/=]*)' // non-attribute characters, excluding > (tag close) for obvious reasons + // We'll store the already fitlered attributes here + $attributes = array(); + + // Attribute-catching pattern + $attributes_pattern = '#' .'(?[^\s\042\047>/=]+)' // attribute characters // optional attribute-value .'(?:\s*=(?[^\s\042\047=><`]+|\s*\042[^\042]*\042|\s*\047[^\047]*\047|\s*(?U:[^\s\042\047=><`]*)))' // attribute-value separator .'#i'; - if ($count = preg_match_all($pattern, $matches['attributes'], $attributes, PREG_SET_ORDER | PREG_OFFSET_CAPTURE)) + // Blacklist pattern for evil attribute names + $is_evil_pattern = '#^('.implode('|', $evil_attributes).')$#i'; + + // Each iteration filters a single attribute + do { - // Since we'll be using substr_replace() below, we - // need to handle the attributes in reverse order, - // so we don't damage the string. - for ($i = $count - 1; $i > -1; $i--) + // Strip any non-alpha characters that may preceed an attribute. + // Browsers often parse these incorrectly and that has been a + // of numerous XSS issues we've had. + $matches['attributes'] = preg_replace('#^[^a-z]+#i', '', $matches['attributes']); + + if ( ! preg_match($attributes_pattern, $matches['attributes'], $attribute, PREG_OFFSET_CAPTURE)) { - if ( - // Is it indeed an "evil" attribute? - preg_match('#^('.implode('|', $evil_attributes).')$#i', $attributes[$i]['name'][0]) - // Or an attribute not starting with a letter? Some parsers get confused by that - OR ! ctype_alpha($attributes[$i]['name'][0][0]) - // Does it have an equals sign, but no value and not quoted? Strip that too! - OR (trim($attributes[$i]['value'][0]) === '') - ) - { - $matches['attributes'] = substr_replace( - $matches['attributes'], - ' [removed]', - $attributes[$i][0][1], - strlen($attributes[$i][0][0]) - ); - } + // No (valid) attribute found? Discard everything else inside the tag + break; } - // Note: This will strip some non-space characters and/or - // reduce multiple spaces between attributes. - return '<'.$matches['slash'].$matches['tagName'].' '.trim($matches['attributes']).'>'; + if ( + // Is it indeed an "evil" attribute? + preg_match($is_evil_pattern, $attribute['name'][0]) + // Or does it have an equals sign, but no value and not quoted? Strip that too! + OR (trim($attribute['value'][0]) === '') + ) + { + $attributes[] = 'xss=removed'; + } + else + { + $attributes[] = $attribute[0][0]; + } + + $matches['attributes'] = substr($matches['attributes'], $attribute[0][1] + strlen($attribute[0][0])); } + while ($matches['attributes'] !== ''); + + $attributes = empty($attributes) + ? '' + : ' '.implode(' ', $attributes); + return '<'.$matches['slash'].$matches['tagName'].$attributes.'>'; } return $matches[0]; diff --git a/tests/codeigniter/core/Security_test.php b/tests/codeigniter/core/Security_test.php index 52967dc2f40..2ef8228631c 100644 --- a/tests/codeigniter/core/Security_test.php +++ b/tests/codeigniter/core/Security_test.php @@ -115,7 +115,7 @@ public function test_xss_clean_image_invalid() public function test_xss_clean_entity_double_encoded() { $input = 'Clickhere'; - $this->assertEquals('Clickhere', $this->security->xss_clean($input)); + $this->assertEquals('Clickhere', $this->security->xss_clean($input)); } // -------------------------------------------------------------------- @@ -134,7 +134,7 @@ public function text_xss_clean_js_link_removal() public function test_xss_clean_js_img_removal() { $input = 'Clickhere'; - $this->assertEquals('', $this->security->xss_clean($input)); + $this->assertEquals('', $this->security->xss_clean($input)); } // -------------------------------------------------------------------- @@ -146,7 +146,7 @@ public function test_xss_clean_sanitize_naughty_html_tags() $this->assertEquals('', $this->security->xss_clean('')); $this->assertEquals( - ' src="https://github.com/x">', + ' src="https://github.com/x">', $this->security->xss_clean(' src="https://github.com/x">') ); @@ -160,21 +160,21 @@ public function test_xss_clean_sanitize_naughty_html_tags() public function test_xss_clean_sanitize_naughty_html_attributes() { - $this->assertEquals('', $this->security->xss_clean('')); - $this->assertEquals('', $this->security->xss_clean('')); - $this->assertEquals('', $this->security->xss_clean('')); + $this->assertEquals('', $this->security->xss_clean('')); + $this->assertEquals('', $this->security->xss_clean('')); + $this->assertEquals('', $this->security->xss_clean('')); $this->assertEquals('', $this->security->xss_clean('')); $this->assertEquals('onOutsideOfTag=test', $this->security->xss_clean('onOutsideOfTag=test')); $this->assertEquals('onNoTagAtAll = true', $this->security->xss_clean('onNoTagAtAll = true')); - $this->assertEquals('', $this->security->xss_clean('')); - $this->assertEquals('', $this->security->xss_clean('')); + $this->assertEquals('', $this->security->xss_clean('')); + $this->assertEquals('', $this->security->xss_clean('')); $this->assertEquals( - '\' [removed]>', + '\' xss=removed>', $this->security->xss_clean('\' onAfterGreaterThan="quotes">') ); $this->assertEquals( - '\' [removed]>', + '\' xss=removed>', $this->security->xss_clean('\' onAfterGreaterThan=noQuotes>') ); @@ -194,7 +194,7 @@ public function test_xss_clean_sanitize_naughty_html_attributes() ); $this->assertEquals( - '', + '', $this->security->xss_clean('') ); @@ -204,19 +204,24 @@ public function test_xss_clean_sanitize_naughty_html_attributes() ); $this->assertEquals( - '', + '', $this->security->xss_clean('') ); $this->assertEquals( - '', + '', $this->security->xss_clean('') ); $this->assertEquals( - '1">', + '1">', $this->security->xss_clean('') ); + + $this->assertEquals( + '', + $this->security->xss_clean('') + ); } // -------------------------------------------------------------------- @@ -228,7 +233,7 @@ public function test_xss_clean_sanitize_naughty_html_attributes() public function test_naughty_html_plus_evil_attributes() { $this->assertEquals( - '<svg', + '<svg', $this->security->xss_clean(' src="https://github.com/x" onerror="location=/javascript/.source+/:alert/.source+/(1)/.source">') ); } From 0a6b0661305f20ac1fbd219d43f59193bea90d1d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 26 Oct 2015 15:31:38 +0200 Subject: [PATCH 2447/3829] Prevent Host header injections --- application/config/config.php | 14 +++++--- system/core/Config.php | 6 ++-- tests/codeigniter/core/Config_test.php | 47 ++++++++++---------------- 3 files changed, 29 insertions(+), 38 deletions(-) diff --git a/application/config/config.php b/application/config/config.php index 479d591a4d1..4f8f8140651 100644 --- a/application/config/config.php +++ b/application/config/config.php @@ -11,10 +11,16 @@ | | http://example.com/ | -| If this is not set then CodeIgniter will try guess the protocol, domain -| and path to your installation. However, you should always configure this -| explicitly and never rely on auto-guessing, especially in production -| environments. +| WARNING: You MUST set this value! +| +| If it is not set, then CodeIgniter will try guess the protocol and path +| your installation, but due to security concerns the hostname will be set +| to $_SERVER['SERVER_ADDR'] if available, or localhost otherwise. +| The auto-detection mechanism exists only for convenience during +| development and MUST NOT be used in production! +| +| If you need to allow multiple domains, remember that this file is still +| a PHP script and you can easily do that on your own. | */ $config['base_url'] = ''; diff --git a/system/core/Config.php b/system/core/Config.php index feea7c85a46..0264776f98c 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -88,11 +88,9 @@ public function __construct() // Set the base_url automatically if none was provided if (empty($this->config['base_url'])) { - // The regular expression is only a basic validation for a valid "Host" header. - // It's not exhaustive, only checks for valid characters. - if (isset($_SERVER['HTTP_HOST']) && preg_match('/^((\[[0-9a-f:]+\])|(\d{1,3}(\.\d{1,3}){3})|[a-z0-9\-\.]+)(:\d+)?$/i', $_SERVER['HTTP_HOST'])) + if (isset($_SERVER['SERVER_ADDR'])) { - $base_url = (is_https() ? 'https' : 'http').'://'.$_SERVER['HTTP_HOST'] + $base_url = (is_https() ? 'https' : 'http').'://'.$_SERVER['SERVER_ADDR'] .substr($_SERVER['SCRIPT_NAME'], 0, strpos($_SERVER['SCRIPT_NAME'], basename($_SERVER['SCRIPT_FILENAME']))); } else diff --git a/tests/codeigniter/core/Config_test.php b/tests/codeigniter/core/Config_test.php index f125fc6e9a6..26a5f32f568 100644 --- a/tests/codeigniter/core/Config_test.php +++ b/tests/codeigniter/core/Config_test.php @@ -79,46 +79,33 @@ public function test_base_url() $old_script_name = isset($_SERVER['SCRIPT_NAME']) ? $_SERVER['SCRIPT_NAME'] : NULL; $old_script_filename = $_SERVER['SCRIPT_FILENAME']; $old_https = isset($_SERVER['HTTPS']) ? $_SERVER['HTTPS'] : NULL; + $old_server_addr = isset($_SERVER['SERVER_ADDR']) ? $_SERVER['SERVER_ADDR'] : NULL; - // Setup server vars for detection - $host = 'test.com'; - $path = '/'; - $script = 'base_test.php'; - $_SERVER['HTTP_HOST'] = $host; - $_SERVER['SCRIPT_NAME'] = $path.$script; - $_SERVER['SCRIPT_FILENAME'] = '/foo/bar/'.$script; - - // Rerun constructor + // The 'Host' header is user input and must not be trusted + $_SERVER['HTTP_HOST'] = 'test.com'; $this->config = new $cls; + $this->assertEquals('http://localhost/', $this->config->base_url()); - // Test plain detected (root) - $this->assertEquals('http://'.$host.$path, $this->config->base_url()); - - // Rerun constructor - $path = '/path/'; - $_SERVER['SCRIPT_NAME'] = $path.$script; - $_SERVER['SCRIPT_FILENAME'] = '/foo/bar/'.$path.$script; + // However, we may fallback to the server's IP address + $_SERVER['SERVER_ADDR'] = '127.0.0.1'; + $_SERVER['SCRIPT_NAME'] = '/base_test.php'; + $_SERVER['SCRIPT_FILENAME'] = '/foo/bar/base_test.php'; $this->config = new $cls; + $this->assertEquals('http://127.0.0.1/', $this->config->base_url()); - // Test plain detected (subfolder) - $this->assertEquals('http://'.$host.$path, $this->config->base_url()); - - // Rerun constructor + // Making sure that HTTPS and URI path are also detected $_SERVER['HTTPS'] = 'on'; + $_SERVER['SCRIPT_NAME'] = '/path/base_test.php'; + $_SERVER['SCRIPT_FILENAME'] = '/foo/bar/path/base_test.php'; $this->config = new $cls; - - // Test secure detected - $this->assertEquals('https://'.$host.$path, $this->config->base_url()); + $this->assertEquals('https://127.0.0.1/path/', $this->config->base_url()); // Restore server vars - if ($old_host === NULL) unset($_SERVER['HTTP_HOST']); - else $_SERVER['HTTP_HOST'] = $old_host; - if ($old_script_name === NULL) unset($_SERVER['SCRIPT_NAME']); - else $_SERVER['SCRIPT_NAME'] = $old_script_name; - if ($old_https === NULL) unset($_SERVER['HTTPS']); - else $_SERVER['HTTPS'] = $old_https; - + $_SERVER['HTTP_HOST'] = $old_host; + $_SERVER['SCRIPT_NAME'] = $old_script_name; $_SERVER['SCRIPT_FILENAME'] = $old_script_filename; + $_SERVER['HTTPS'] = $old_https; + $_SERVER['SERVER_ADDR'] = $old_server_addr; } // -------------------------------------------------------------------- From f8deea583f0cb68a83a44d361c0db3c86f387f95 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 23 Oct 2015 13:49:21 +0300 Subject: [PATCH 2448/3829] Use proper randomness when generating CAPTCHAs --- system/helpers/captcha_helper.php | 89 ++++++++++++++++++++++++++++++- 1 file changed, 87 insertions(+), 2 deletions(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index 201987ac87a..85bcfb5a092 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -125,9 +125,94 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = if (empty($word)) { $word = ''; - for ($i = 0, $mt_rand_max = strlen($pool) - 1; $i < $word_length; $i++) + $pool_length = strlen($pool); + $rand_max = $pool_length - 1; + + // PHP7 or a suitable polyfill + if (function_exists('random_int')) + { + try + { + for ($i = 0; $i < $word_length; $i++) + { + $word .= $pool[random_int(0, $rand_max)]; + } + } + catch (Exception $e) + { + // This means fallback to the next possible + // alternative to random_int() + $word = ''; + } + } + } + + if (empty($word)) + { + // Nobody will have a larger character pool than + // 256 characters, but let's handle it just in case ... + // + // No, I do not care that the fallback to mt_rand() can + // handle it; if you trigger this, you're very obviously + // trying to break it. -- Narf + if ($pool_length > 256) + { + return FALSE; + } + + // We'll try using the operating system's PRNG first, + // which we can access through CI_Security::get_random_bytes() + $security = get_instance()->security; + + // To avoid numerous get_random_bytes() calls, we'll + // just try fetching as much bytes as we need at once. + if (($bytes = $security->get_random_bytes($pool_length)) !== FALSE) + { + $byte_index = $word_index = 0; + while ($word_index < $word_length) + { + if (($rand_index = unpack('C', $bytes[$byte_index++])) > $rand_max) + { + // Was this the last byte we have? + // If so, try to fetch more. + if ($byte_index === $pool_length) + { + // No failures should be possible if + // the first get_random_bytes() call + // didn't return FALSE, but still ... + for ($i = 0; $i < 5; $i++) + { + if (($bytes = $security->get_random_bytes($pool_length)) === FALSE) + { + continue; + } + + $byte_index = 0; + break; + } + + if ($bytes === FALSE) + { + // Sadly, this means fallback to mt_rand() + $word = ''; + break; + } + } + + continue; + } + + $word .= $pool[$rand_index]; + $word_index++; + } + } + } + + if (empty($word)) + { + for ($i = 0; $i < $word_length; $i++) { - $word .= $pool[mt_rand(0, $mt_rand_max)]; + $word .= $pool[mt_rand(0, $rand_max)]; } } elseif ( ! is_string($word)) From 0abc55a22535586929fb146a81d1cee68dbccd10 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 31 Oct 2015 19:30:41 +0200 Subject: [PATCH 2449/3829] [ci skip] Update changelog, version & upgrade instructions --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/changelog.rst | 8 +++- user_guide_src/source/conf.py | 4 +- .../source/installation/upgrade_300.rst | 45 ++++++++++++++++++- .../source/installation/upgrade_303.rst | 43 +++++++++++++++++- 5 files changed, 96 insertions(+), 6 deletions(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 8cea813a246..5080dc6d174 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - define('CI_VERSION', '3.0.3-dev'); + define('CI_VERSION', '3.0.3'); /* * ------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index f9f451d985b..d67ae4e8c80 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -5,7 +5,13 @@ Change Log Version 3.0.3 ============= -Release Date: Not Released +Release Date: October 31, 2015 + +- **Security** + + - Fixed an XSS attack vector in :doc:`Security Library ` method ``xss_clean()``. + - Changed :doc:`Config Library ` method ``base_url()`` to fallback to ``$_SERVER['SERVER_ADDR']`` when ``$config['base_url']`` is empty in order to avoid *Host* header injections. + - Changed :doc:`CAPTCHA Helper ` to use the operating system's PRNG when possible. - Database diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index 46e033ec83f..031f95e2dce 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.0.3-dev' +version = '3.0.3' # The full version, including alpha/beta/rc tags. -release = '3.0.3-dev' +release = '3.0.3' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index 4b3b408a708..a29f400f8fb 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -464,8 +464,51 @@ files and error messages format: Therefore you're encouraged to update its usage sooner rather than later. +************************************************************ +Step 19: Make sure your 'base_url' config value is not empty +************************************************************ + +When ``$config['base_url']`` is not set, CodeIgniter tries to automatically +detect what your website's base URL is. This is done purely for convenience +when you are starting development of a new application. + +Auto-detection is never reliable and also has security implications, which +is why you should **always** have it manually configured! + +One of the changes in CodeIgniter 3.0.3 is how this auto-detection works, +and more specifically it now falls back to the server's IP address instead +of the hostname requested by the client. Therefore, if you've ever relied +on auto-detection, it will change how your website works now. + +In case you need to allow e.g. multiple domains, or both http:// and +https:// prefixes to be dynamically used depending on the request, +remember that *application/config/config.php* is still a PHP script, in +which you can create this logic with a few lines of code. For example:: + + $allowed_domains = array('domain1.tld', 'domain2.tld'); + $default_domain = 'domain1.tld'; + + if (in_array($_SERVER['HTTP_HOST'], $allowed_domains, TRUE)) + { + $domain = $_SERVER['HTTP_HOST']; + } + else + { + $domain = $default_domain; + } + + if ( ! empty($_SERVER['HTTPS'])) + { + $config['base_url'] = 'https://'.$domain; + } + else + { + $config['base_url'] = 'http://'.$domain; + } + + **************************************************************** -Step 19: Remove usage of (previously) deprecated functionalities +Step 20: Remove usage of (previously) deprecated functionalities **************************************************************** In addition to the ``$autoload['core']`` configuration setting, there's a diff --git a/user_guide_src/source/installation/upgrade_303.rst b/user_guide_src/source/installation/upgrade_303.rst index a98eed0d439..d13a0fe4647 100644 --- a/user_guide_src/source/installation/upgrade_303.rst +++ b/user_guide_src/source/installation/upgrade_303.rst @@ -11,4 +11,45 @@ Step 1: Update your CodeIgniter files Replace all files and directories in your *system/* directory. .. note:: If you have any custom developed files in these directories, - please make copies of them first. \ No newline at end of file + please make copies of them first. + +Step 2: Make sure your 'base_url' config value is not empty +=========================================================== + +When ``$config['base_url']`` is not set, CodeIgniter tries to automatically +detect what your website's base URL is. This is done purely for convenience +when you are starting development of a new application. + +Auto-detection is never reliable and also has security implications, which +is why you should **always** have it manually configured! + +One of the changes in CodeIgniter 3.0.3 is how this auto-detection works, +and more specifically it now falls back to the server's IP address instead +of the hostname requested by the client. Therefore, if you've ever relied +on auto-detection, it will change how your website works now. + +In case you need to allow e.g. multiple domains, or both http:// and +https:// prefixes to be dynamically used depending on the request, +remember that *application/config/config.php* is still a PHP script, in +which you can create this logic with a few lines of code. For example:: + + $allowed_domains = array('domain1.tld', 'domain2.tld'); + $default_domain = 'domain1.tld'; + + if (in_array($_SERVER['HTTP_HOST'], $allowed_domains, TRUE)) + { + $domain = $_SERVER['HTTP_HOST']; + } + else + { + $domain = $default_domain; + } + + if ( ! empty($_SERVER['HTTPS'])) + { + $config['base_url'] = 'https://'.$domain; + } + else + { + $config['base_url'] = 'http://'.$domain; + } From 2cef9ba1fbd67ae423333f824a89ef0c77667224 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 31 Oct 2015 19:33:53 +0200 Subject: [PATCH 2450/3829] [ci skip] Update download link --- user_guide_src/source/installation/downloads.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index 1249d14ecd8..0f21453b4ae 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,7 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.0.3-dev (Current version) `_ +- `CodeIgniter v3.0.3 (Current version) `_ - `CodeIgniter v3.0.2 `_ - `CodeIgniter v3.0.1 `_ - `CodeIgniter v3.0.0 `_ From ab3c383fb3535e55253271f210870cd9361d94c9 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 4 Nov 2015 15:40:55 +0200 Subject: [PATCH 2451/3829] [ci skip] Start of 3.0.4 development --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/installation/downloads.rst | 3 ++- user_guide_src/source/installation/upgrade_304.rst | 14 ++++++++++++++ user_guide_src/source/installation/upgrading.rst | 1 + 5 files changed, 20 insertions(+), 4 deletions(-) create mode 100644 user_guide_src/source/installation/upgrade_304.rst diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 5080dc6d174..79a23c4ca23 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - define('CI_VERSION', '3.0.3'); + define('CI_VERSION', '3.0.4-dev'); /* * ------------------------------------------------------ diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index 031f95e2dce..a1ebb520506 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.0.3' +version = '3.0.4-dev' # The full version, including alpha/beta/rc tags. -release = '3.0.3' +release = '3.0.4-dev' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index 0f21453b4ae..00c98ab23ce 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,8 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.0.3 (Current version) `_ +- `CodeIgniter v3.0.4-dev (Current version) `_ +- `CodeIgniter v3.0.3 `_ - `CodeIgniter v3.0.2 `_ - `CodeIgniter v3.0.1 `_ - `CodeIgniter v3.0.0 `_ diff --git a/user_guide_src/source/installation/upgrade_304.rst b/user_guide_src/source/installation/upgrade_304.rst new file mode 100644 index 00000000000..4d5bd2bb056 --- /dev/null +++ b/user_guide_src/source/installation/upgrade_304.rst @@ -0,0 +1,14 @@ +############################# +Upgrading from 3.0.3 to 3.0.4 +############################# + +Before performing an update you should take your site offline by +replacing the index.php file with a static one. + +Step 1: Update your CodeIgniter files +===================================== + +Replace all files and directories in your *system/* directory. + +.. note:: If you have any custom developed files in these directories, + please make copies of them first. diff --git a/user_guide_src/source/installation/upgrading.rst b/user_guide_src/source/installation/upgrading.rst index 010d1633e2e..dd777346d76 100644 --- a/user_guide_src/source/installation/upgrading.rst +++ b/user_guide_src/source/installation/upgrading.rst @@ -8,6 +8,7 @@ upgrading from. .. toctree:: :titlesonly: + Upgrading from 3.0.3 to 3.0.4 Upgrading from 3.0.2 to 3.0.3 Upgrading from 3.0.1 to 3.0.2 Upgrading from 3.0.0 to 3.0.1 From 6afbb3a9f186f912d5105aea704bb58c55931762 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 4 Nov 2015 15:50:31 +0200 Subject: [PATCH 2452/3829] [ci skip] Add 3.0.4 to changelog as well --- user_guide_src/source/changelog.rst | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d67ae4e8c80..20d85a9ab40 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -2,6 +2,11 @@ Change Log ########## +Version 3.0.4 +============= + +Release Date: Not Released + Version 3.0.3 ============= From 939f1a27f3e70170326f6acbc50c0e1c96e52fd3 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 4 Nov 2015 15:52:16 +0200 Subject: [PATCH 2453/3829] Fix #4212 --- system/database/DB_query_builder.php | 2 +- user_guide_src/source/changelog.rst | 5 +++++ 2 files changed, 6 insertions(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index cf1100d279a..7a3d2f594ce 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1379,7 +1379,7 @@ public function count_all_results($table = '', $reset = TRUE) $this->from($table); } - $result = ($this->qb_distinct === TRUE) + $result = ($this->qb_distinct === TRUE OR ! empty($this->qb_orderby)) ? $this->query($this->_count_string.$this->protect_identifiers('numrows')."\nFROM (\n".$this->_compile_select()."\n) CI_count_all_results") : $this->query($this->_compile_select($this->_count_string.$this->protect_identifiers('numrows'))); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 20d85a9ab40..f632f72dde9 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,11 @@ Version 3.0.4 Release Date: Not Released +Bug fixes for 3.0.4 +------------------- + +- Fixed a bug (#4212) - :doc:`Query Builder ` method ``count_all_results()`` could fail if an ``ORDER BY`` condition is used. + Version 3.0.3 ============= From a9f7e8cfb16b53394a5f77393e4ab3e93ef9001e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 4 Nov 2015 15:50:31 +0200 Subject: [PATCH 2454/3829] [ci skip] Add 3.0.4 to changelog as well --- user_guide_src/source/changelog.rst | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index f28fd8930f5..77ccd7ce7fd 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,10 @@ Version 3.1.0 Release Date: Not Released +Version 3.0.4 +============= + +Release Date: Not Released Version 3.0.3 ============= From 0139e6a4a99cbe9b0cc06f394fa12d5691193b72 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 4 Nov 2015 22:42:17 +0200 Subject: [PATCH 2455/3829] [ci skip] Fix a false default-fallback bug in set_checkbox(), set_radio() Relevant: #4210 --- system/helpers/form_helper.php | 41 +++++++++++++++++++++++------ user_guide_src/source/changelog.rst | 1 + 2 files changed, 34 insertions(+), 8 deletions(-) diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index fd807769a5d..37dafd9137a 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -769,12 +769,11 @@ function set_checkbox($field, $value = '', $default = FALSE) { return $CI->form_validation->set_checkbox($field, $value, $default); } - elseif (($input = $CI->input->post($field, FALSE)) === NULL) - { - return ($default === TRUE) ? ' checked="checked"' : ''; - } + // Form inputs are always strings ... $value = (string) $value; + $input = $CI->input->post($field, FALSE); + if (is_array($input)) { // Note: in_array('', array(0)) returns TRUE, do not use it @@ -789,7 +788,13 @@ function set_checkbox($field, $value = '', $default = FALSE) return ''; } - return ($input === $value) ? ' checked="checked"' : ''; + // Unchecked checkbox and radio inputs are not even submitted by browsers ... + if ($CI->input->method() === 'post') + { + return ($input === 'value') ? ' checked="checked"' : ''; + } + + return ($default === TRUE) ? ' checked="checked"' : ''; } } @@ -816,12 +821,32 @@ function set_radio($field, $value = '', $default = FALSE) { return $CI->form_validation->set_radio($field, $value, $default); } - elseif (($input = $CI->input->post($field, FALSE)) === NULL) + + // Form inputs are always strings ... + $value = (string) $value; + $input = $CI->input->post($field, FALSE); + + if (is_array($input)) + { + // Note: in_array('', array(0)) returns TRUE, do not use it + foreach ($input as &$v) + { + if ($value === $v) + { + return ' checked="checked"'; + } + } + + return ''; + } + + // Unchecked checkbox and radio inputs are not even submitted by browsers ... + if ($CI->input->method() === 'post') { - return ($default === TRUE) ? ' checked="checked"' : ''; + return ($input === 'value') ? ' checked="checked"' : ''; } - return ($input === (string) $value) ? ' checked="checked"' : ''; + return ($default === TRUE) ? ' checked="checked"' : ''; } } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index f632f72dde9..2b0f51bee79 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -11,6 +11,7 @@ Bug fixes for 3.0.4 ------------------- - Fixed a bug (#4212) - :doc:`Query Builder ` method ``count_all_results()`` could fail if an ``ORDER BY`` condition is used. +- Fixed a bug where :doc:`Form Helper ` functions `set_checkbox()`, `set_radio()` didn't "uncheck" inputs on a submitted form if the default state is "checked". Version 3.0.3 ============= From 845ed89709f84d56edeeb91e877f585a5798006d Mon Sep 17 00:00:00 2001 From: Nate Silva Date: Thu, 5 Nov 2015 13:43:53 -0800 Subject: [PATCH 2456/3829] Build base_url correctly if SERVER_ADDR is IPv6 --- system/core/Config.php | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/system/core/Config.php b/system/core/Config.php index 0264776f98c..dfef8dbe4db 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -90,7 +90,15 @@ public function __construct() { if (isset($_SERVER['SERVER_ADDR'])) { - $base_url = (is_https() ? 'https' : 'http').'://'.$_SERVER['SERVER_ADDR'] + if ((bool) filter_var($_SERVER['SERVER_ADDR'], FILTER_VALIDATE_IP, FILTER_FLAG_IPV6)) + { + $server_addr = '[' . $_SERVER['SERVER_ADDR'] . ']'; + } + else + { + $server_addr = $_SERVER['SERVER_ADDR']; + } + $base_url = (is_https() ? 'https' : 'http').'://'.$server_addr .substr($_SERVER['SCRIPT_NAME'], 0, strpos($_SERVER['SCRIPT_NAME'], basename($_SERVER['SCRIPT_FILENAME']))); } else From 76d5f881ecd0c70759cbebc9c5c622ef7d716aa8 Mon Sep 17 00:00:00 2001 From: Rafael Schwemmer Date: Thu, 5 Nov 2015 22:49:17 +0100 Subject: [PATCH 2457/3829] Added MIME types for JPEG2000 Added all MIME types and file extensions to support JPEG2000 images as allowed file type. --- application/config/mimes.php | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/application/config/mimes.php b/application/config/mimes.php index 8eff4d2d516..a9b82008fc5 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -78,6 +78,14 @@ 'jpeg' => array('image/jpeg', 'image/pjpeg'), 'jpg' => array('image/jpeg', 'image/pjpeg'), 'jpe' => array('image/jpeg', 'image/pjpeg'), + 'jp2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'j2k' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'jpf' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'jpg2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'jpx' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'jpm' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'mj2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'mjp2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), 'png' => array('image/png', 'image/x-png'), 'tiff' => 'image/tiff', 'tif' => 'image/tiff', From 871811e81af949c52604eb1df8394c0071dba10c Mon Sep 17 00:00:00 2001 From: Rafael Schwemmer Date: Fri, 6 Nov 2015 10:22:00 +0100 Subject: [PATCH 2458/3829] Fixed white-space for JPEG2000 MIME types Replaced spaces by tabs to be consistent with rest of the code --- application/config/mimes.php | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/application/config/mimes.php b/application/config/mimes.php index a9b82008fc5..5e43773a829 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -78,14 +78,14 @@ 'jpeg' => array('image/jpeg', 'image/pjpeg'), 'jpg' => array('image/jpeg', 'image/pjpeg'), 'jpe' => array('image/jpeg', 'image/pjpeg'), - 'jp2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), - 'j2k' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), - 'jpf' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), - 'jpg2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), - 'jpx' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), - 'jpm' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), - 'mj2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), - 'mjp2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'jp2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'j2k' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'jpf' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'jpg2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'jpx' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'jpm' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'mj2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'mjp2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), 'png' => array('image/png', 'image/x-png'), 'tiff' => 'image/tiff', 'tif' => 'image/tiff', From ac66cab946334f76dac699dd67d25225e9b3548c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 6 Nov 2015 16:04:33 +0200 Subject: [PATCH 2459/3829] Merge pull request #4218 from schwemmer/develop [ci skip] Added MIME types for JPEG2000 --- application/config/mimes.php | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/application/config/mimes.php b/application/config/mimes.php index 1f591ba6b5a..aa3b1836ad8 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -77,6 +77,14 @@ 'jpeg' => array('image/jpeg', 'image/pjpeg'), 'jpg' => array('image/jpeg', 'image/pjpeg'), 'jpe' => array('image/jpeg', 'image/pjpeg'), + 'jp2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'j2k' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'jpf' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'jpg2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'jpx' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'jpm' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'mj2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), + 'mjp2' => array('image/jp2', 'video/mj2', 'image/jpx', 'image/jpm'), 'png' => array('image/png', 'image/x-png'), 'tiff' => 'image/tiff', 'tif' => 'image/tiff', From 4ccf88dc97d009e3421b79c351e426d31fc11b41 Mon Sep 17 00:00:00 2001 From: Nate Silva Date: Fri, 6 Nov 2015 07:06:28 -0800 Subject: [PATCH 2460/3829] Simpler way to detect an IPv6 address (strpos) --- system/core/Config.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Config.php b/system/core/Config.php index dfef8dbe4db..87ed32acaf8 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -90,7 +90,7 @@ public function __construct() { if (isset($_SERVER['SERVER_ADDR'])) { - if ((bool) filter_var($_SERVER['SERVER_ADDR'], FILTER_VALIDATE_IP, FILTER_FLAG_IPV6)) + if (strpos($_SERVER['SERVER_ADDR'], ':') !== FALSE) { $server_addr = '[' . $_SERVER['SERVER_ADDR'] . ']'; } From e735b1dfe14d1d6d955d142a30e8c83ba900fe2b Mon Sep 17 00:00:00 2001 From: Nate Silva Date: Fri, 6 Nov 2015 07:07:11 -0800 Subject: [PATCH 2461/3829] Tweak to match CI coding style --- system/core/Config.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Config.php b/system/core/Config.php index 87ed32acaf8..1d2a0d1555f 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -92,7 +92,7 @@ public function __construct() { if (strpos($_SERVER['SERVER_ADDR'], ':') !== FALSE) { - $server_addr = '[' . $_SERVER['SERVER_ADDR'] . ']'; + $server_addr = '['.$_SERVER['SERVER_ADDR'].']'; } else { From ae480daecb0f7aeed017c5cc5a67cc39b90be570 Mon Sep 17 00:00:00 2001 From: Nate Silva Date: Fri, 6 Nov 2015 07:10:44 -0800 Subject: [PATCH 2462/3829] Minor formatting: add empty line after else close --- system/core/Config.php | 1 + 1 file changed, 1 insertion(+) diff --git a/system/core/Config.php b/system/core/Config.php index 1d2a0d1555f..c507f342ca1 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -98,6 +98,7 @@ public function __construct() { $server_addr = $_SERVER['SERVER_ADDR']; } + $base_url = (is_https() ? 'https' : 'http').'://'.$server_addr .substr($_SERVER['SCRIPT_NAME'], 0, strpos($_SERVER['SCRIPT_NAME'], basename($_SERVER['SCRIPT_FILENAME']))); } From dd11297837f50ea2fd37f891cb8b4408f84f53e0 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Steffen=20Stollfu=C3=9F?= Date: Sun, 8 Nov 2015 20:52:25 +0100 Subject: [PATCH 2463/3829] CI_DB_driver->simple_query() discard return of CI_DB_driver->initialize() when db_debug = FALSE #4223 --- system/database/DB_driver.php | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 0ea679432b1..6797df0f878 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -774,7 +774,10 @@ public function simple_query($sql) { if ( ! $this->conn_id) { - $this->initialize(); + if( !$this->initialize() ) + { + return FALSE; + } } return $this->_execute($sql); From 20edad807645a42df7f4b0baa6e6a2eb29bd2b0c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 9 Nov 2015 10:56:30 +0200 Subject: [PATCH 2464/3829] Merge pull request #4217 from natesilva/fix-ipv6-base_url Build base_url correctly if SERVER_ADDR is IPv6 --- system/core/Config.php | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/system/core/Config.php b/system/core/Config.php index 0264776f98c..c507f342ca1 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -90,7 +90,16 @@ public function __construct() { if (isset($_SERVER['SERVER_ADDR'])) { - $base_url = (is_https() ? 'https' : 'http').'://'.$_SERVER['SERVER_ADDR'] + if (strpos($_SERVER['SERVER_ADDR'], ':') !== FALSE) + { + $server_addr = '['.$_SERVER['SERVER_ADDR'].']'; + } + else + { + $server_addr = $_SERVER['SERVER_ADDR']; + } + + $base_url = (is_https() ? 'https' : 'http').'://'.$server_addr .substr($_SERVER['SCRIPT_NAME'], 0, strpos($_SERVER['SCRIPT_NAME'], basename($_SERVER['SCRIPT_FILENAME']))); } else From 4cda80715966ddb28815b69b6e67ec79b10d3d31 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 9 Nov 2015 11:00:32 +0200 Subject: [PATCH 2465/3829] [ci skip] Add changelog entry for PR #4217 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 2b0f51bee79..cb955e83325 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -12,6 +12,7 @@ Bug fixes for 3.0.4 - Fixed a bug (#4212) - :doc:`Query Builder ` method ``count_all_results()`` could fail if an ``ORDER BY`` condition is used. - Fixed a bug where :doc:`Form Helper ` functions `set_checkbox()`, `set_radio()` didn't "uncheck" inputs on a submitted form if the default state is "checked". +- Fixed a bug (#4217) - :doc:`Config Library ` method ``base_url()`` didn't use proper formatting for IPv6 when it falls back to ``$_SERVER['SERVER_ADDR']``. Version 3.0.3 ============= From 06381b6307aa23f5e0fbe6669df0695d712ce69a Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Steffen=20Stollfu=C3=9F?= Date: Mon, 9 Nov 2015 10:15:29 +0100 Subject: [PATCH 2466/3829] Fixed PHP code style * fixed PHP code style --- system/database/DB_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 6797df0f878..88b41fa5e98 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -774,7 +774,7 @@ public function simple_query($sql) { if ( ! $this->conn_id) { - if( !$this->initialize() ) + if( ! $this->initialize()) { return FALSE; } From 2fe1a2389aa13c3acde7fb42ab35e79504e89f75 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 9 Nov 2015 11:24:19 +0200 Subject: [PATCH 2467/3829] [ci skip] Fix an infinite loop in captcha helper --- system/helpers/captcha_helper.php | 3 ++- user_guide_src/source/changelog.rst | 1 + 2 files changed, 3 insertions(+), 1 deletion(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index 85bcfb5a092..03c1dd8525c 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -171,7 +171,8 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = $byte_index = $word_index = 0; while ($word_index < $word_length) { - if (($rand_index = unpack('C', $bytes[$byte_index++])) > $rand_max) + list(, $rand_index) = unpack('C', $bytes[$byte_index++]); + if ($rand_index > $rand_max) { // Was this the last byte we have? // If so, try to fetch more. diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index cb955e83325..cdde4fa943a 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -13,6 +13,7 @@ Bug fixes for 3.0.4 - Fixed a bug (#4212) - :doc:`Query Builder ` method ``count_all_results()`` could fail if an ``ORDER BY`` condition is used. - Fixed a bug where :doc:`Form Helper ` functions `set_checkbox()`, `set_radio()` didn't "uncheck" inputs on a submitted form if the default state is "checked". - Fixed a bug (#4217) - :doc:`Config Library ` method ``base_url()`` didn't use proper formatting for IPv6 when it falls back to ``$_SERVER['SERVER_ADDR']``. +- Fixed a bug where :doc:`CAPTCHA Helper ` entered an infinite loop while generating a random string. Version 3.0.3 ============= From b880069aa8521291ebedc57d5c229bc6f72e0426 Mon Sep 17 00:00:00 2001 From: Hongyi Zhang Date: Mon, 9 Nov 2015 02:24:27 -0800 Subject: [PATCH 2468/3829] modify and add test cases for Loader class to test more exceptions Signed-off-by: Hongyi Zhang --- tests/codeigniter/core/Loader_test.php | 29 ++++++++++++++++++++++---- 1 file changed, 25 insertions(+), 4 deletions(-) diff --git a/tests/codeigniter/core/Loader_test.php b/tests/codeigniter/core/Loader_test.php index 889ab92e4cd..db5088d8068 100644 --- a/tests/codeigniter/core/Loader_test.php +++ b/tests/codeigniter/core/Loader_test.php @@ -48,11 +48,9 @@ public function test_library() // Test a string given to params $this->assertInstanceOf('CI_Loader', $this->load->library($lib, ' ')); - // Create library w/o class - $lib = 'bad_test_lib'; - $this->ci_vfs_create($lib, '', $this->ci_base_root, 'libraries'); + // test non existent lib + $lib = 'non_existent_test_lib'; - // Test non-existent class $this->setExpectedException( 'RuntimeException', 'CI Error: Unable to load the requested class: '.ucfirst($lib) @@ -62,6 +60,19 @@ public function test_library() // -------------------------------------------------------------------- + public function test_bad_library() + { + $lib = 'bad_test_lib'; + $this->ci_vfs_create(ucfirst($lib), '', $this->ci_app_root, 'libraries'); + $this->setExpectedException( + 'RuntimeException', + 'CI Error: Non-existent class: '.ucfirst($lib) + ); + $this->assertInstanceOf('CI_Loader', $this->load->library($lib)); + } + + // -------------------------------------------------------------------- + public function test_library_extension() { // Create library and extension in VFS @@ -131,6 +142,16 @@ public function test_library_config() // Test is_loaded $this->assertEquals($obj, $this->load->is_loaded(ucfirst($lib))); + + // Test to load another class with the same object name + $lib = 'another_test_lib'; + $class = ucfirst($lib); + $this->ci_vfs_create(ucfirst($lib), 'ci_app_root, 'libraries'); + $this->setExpectedException( + 'RuntimeException', + "CI Error: Resource '".$obj."' already exists and is not a ".$class." instance." + ); + $this->load->library($lib, NULL, $obj); } // -------------------------------------------------------------------- From cebb13b988e0e4d352d90170e064d1affbcf1697 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Steffen=20Stollfu=C3=9F?= Date: Mon, 9 Nov 2015 12:26:04 +0100 Subject: [PATCH 2469/3829] Fixed PHP code style part 2 * added missing space character --- system/database/DB_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 88b41fa5e98..25e70ec3f2b 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -774,7 +774,7 @@ public function simple_query($sql) { if ( ! $this->conn_id) { - if( ! $this->initialize()) + if ( ! $this->initialize()) { return FALSE; } From 39105007580edc46bffe8f628e6bef91a9f4dd04 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 9 Nov 2015 14:05:02 +0200 Subject: [PATCH 2470/3829] Merge pull request #4223 from j0inty/develop CI_DB_driver->simple_query() to check initialize() return value --- system/database/DB_driver.php | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 0ea679432b1..25e70ec3f2b 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -774,7 +774,10 @@ public function simple_query($sql) { if ( ! $this->conn_id) { - $this->initialize(); + if ( ! $this->initialize()) + { + return FALSE; + } } return $this->_execute($sql); From 3462f570526178d6dba6d6e0135bd783dcd3299f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 9 Nov 2015 14:07:51 +0200 Subject: [PATCH 2471/3829] [ci skip] Add changelog entry for PR #4223 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index cdde4fa943a..efb09f24f06 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -14,6 +14,7 @@ Bug fixes for 3.0.4 - Fixed a bug where :doc:`Form Helper ` functions `set_checkbox()`, `set_radio()` didn't "uncheck" inputs on a submitted form if the default state is "checked". - Fixed a bug (#4217) - :doc:`Config Library ` method ``base_url()`` didn't use proper formatting for IPv6 when it falls back to ``$_SERVER['SERVER_ADDR']``. - Fixed a bug where :doc:`CAPTCHA Helper ` entered an infinite loop while generating a random string. +- Fixed a bug (#4223) - :doc:`Database ` method ``simple_query()`` blindly executes queries without checking if the connection was initialized properly. Version 3.0.3 ============= From fe4c76e77bc9640872d34a874780031cf90dd2bd Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 9 Nov 2015 12:55:07 +0200 Subject: [PATCH 2472/3829] Merge pull request #4225 from zhanghongyi/loader-test Improve Loader test cases for libraries --- tests/codeigniter/core/Loader_test.php | 29 ++++++++++++++++++++++---- 1 file changed, 25 insertions(+), 4 deletions(-) diff --git a/tests/codeigniter/core/Loader_test.php b/tests/codeigniter/core/Loader_test.php index 889ab92e4cd..db5088d8068 100644 --- a/tests/codeigniter/core/Loader_test.php +++ b/tests/codeigniter/core/Loader_test.php @@ -48,11 +48,9 @@ public function test_library() // Test a string given to params $this->assertInstanceOf('CI_Loader', $this->load->library($lib, ' ')); - // Create library w/o class - $lib = 'bad_test_lib'; - $this->ci_vfs_create($lib, '', $this->ci_base_root, 'libraries'); + // test non existent lib + $lib = 'non_existent_test_lib'; - // Test non-existent class $this->setExpectedException( 'RuntimeException', 'CI Error: Unable to load the requested class: '.ucfirst($lib) @@ -62,6 +60,19 @@ public function test_library() // -------------------------------------------------------------------- + public function test_bad_library() + { + $lib = 'bad_test_lib'; + $this->ci_vfs_create(ucfirst($lib), '', $this->ci_app_root, 'libraries'); + $this->setExpectedException( + 'RuntimeException', + 'CI Error: Non-existent class: '.ucfirst($lib) + ); + $this->assertInstanceOf('CI_Loader', $this->load->library($lib)); + } + + // -------------------------------------------------------------------- + public function test_library_extension() { // Create library and extension in VFS @@ -131,6 +142,16 @@ public function test_library_config() // Test is_loaded $this->assertEquals($obj, $this->load->is_loaded(ucfirst($lib))); + + // Test to load another class with the same object name + $lib = 'another_test_lib'; + $class = ucfirst($lib); + $this->ci_vfs_create(ucfirst($lib), 'ci_app_root, 'libraries'); + $this->setExpectedException( + 'RuntimeException', + "CI Error: Resource '".$obj."' already exists and is not a ".$class." instance." + ); + $this->load->library($lib, NULL, $obj); } // -------------------------------------------------------------------- From 8f75f7fdd14acef06f591ce03163ef5937c3b612 Mon Sep 17 00:00:00 2001 From: Claudio Galdiolo Date: Wed, 11 Nov 2015 10:20:42 -0500 Subject: [PATCH 2473/3829] [ci skip] Make it clear that PHP <5.5 usage is discouraged PHP 5.4 reached end of life Signed-off-by: Claudio Galdiolo --- contributing.md | 2 +- readme.rst | 2 +- user_guide_src/source/contributing/index.rst | 2 +- user_guide_src/source/general/requirements.rst | 2 +- user_guide_src/source/general/styleguide.rst | 2 +- 5 files changed, 5 insertions(+), 5 deletions(-) diff --git a/contributing.md b/contributing.md index 5a25698bf76..f4d6705ed42 100644 --- a/contributing.md +++ b/contributing.md @@ -29,7 +29,7 @@ If you change anything that requires a change to documentation then you will nee ### Compatibility -CodeIgniter recommends PHP 5.4 or newer to be used, but it should be +CodeIgniter recommends PHP 5.5 or newer to be used, but it should be compatible with PHP 5.2.4 so all code supplied must stick to this requirement. If PHP 5.3 (and above) functions or features are used then there must be a fallback for PHP 5.2.4. diff --git a/readme.rst b/readme.rst index 2e35d7223f6..64ace3a3948 100644 --- a/readme.rst +++ b/readme.rst @@ -29,7 +29,7 @@ guide change log `_ version 5.4 or newer is recommended. +`PHP `_ version 5.5 or newer is recommended. It should work on 5.2.4 as well, but we strongly advise you NOT to run such old versions of PHP, because of potential security and performance diff --git a/user_guide_src/source/general/styleguide.rst b/user_guide_src/source/general/styleguide.rst index 7704a59c5bd..b21246b4f40 100644 --- a/user_guide_src/source/general/styleguide.rst +++ b/user_guide_src/source/general/styleguide.rst @@ -345,7 +345,7 @@ inability for CodeIgniter to send proper headers. Compatibility ============= -CodeIgniter recommends PHP 5.4 or newer to be used, but it should be +CodeIgniter recommends PHP 5.5 or newer to be used, but it should be compatible with PHP 5.2.4. Your code must either be compatible with this requirement, provide a suitable fallback, or be an optional feature that dies quietly without affecting a user's application. From 01fb0d44167196ab0cb5bc0a3f1385204f932992 Mon Sep 17 00:00:00 2001 From: Craig Johnson Date: Thu, 12 Nov 2015 23:44:17 +0530 Subject: [PATCH 2474/3829] Grammar correction in database configuration guide "it" changed to "in" on line 10. "in" seems like the correct word to be used there. Small change. --- user_guide_src/source/database/configuration.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/database/configuration.rst b/user_guide_src/source/database/configuration.rst index 8026be63ab4..e231a7d6af5 100644 --- a/user_guide_src/source/database/configuration.rst +++ b/user_guide_src/source/database/configuration.rst @@ -7,7 +7,7 @@ connection values (username, password, database name, etc.). The config file is located at application/config/database.php. You can also set database connection values for specific :doc:`environments <../libraries/config>` by placing **database.php** -it the respective environment config folder. +in the respective environment config folder. The config settings are stored in a multi-dimensional array with this prototype:: From 874096c1f652f25b7f3e89e8c6b45b13c8a5e0e8 Mon Sep 17 00:00:00 2001 From: sskaje Date: Sat, 14 Nov 2015 11:55:36 +0800 Subject: [PATCH 2475/3829] add unix socket support to redis session driver --- .../Session/drivers/Session_redis_driver.php | 20 ++++++++++++++++++- 1 file changed, 19 insertions(+), 1 deletion(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index b098cc44162..f7406797832 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -85,10 +85,24 @@ public function __construct(&$params) { log_message('error', 'Session: No Redis save path configured.'); } + elseif (strpos($this->_config['save_path'], 'unix://') === 0 && preg_match('#(?:unix://)?([^:?]+)(\?.+)?#', $this->_config['save_path'], $matches)) + { + isset($matches[2]) OR $matches[2] = ''; // Just to avoid undefined index notices below + $this->_config['save_path'] = array( + 'type' => 'unix', + 'path' => $matches[1], + 'password' => preg_match('#auth=([^\s&]+)#', $matches[2], $match) ? $match[1] : NULL, + 'database' => preg_match('#database=(\d+)#', $matches[2], $match) ? (int) $match[1] : NULL, + 'timeout' => preg_match('#timeout=(\d+\.\d+)#', $matches[2], $match) ? (float) $match[1] : NULL + ); + + preg_match('#prefix=([^\s&]+)#', $matches[3], $match) && $this->_key_prefix = $match[1]; + } elseif (preg_match('#(?:tcp://)?([^:?]+)(?:\:(\d+))?(\?.+)?#', $this->_config['save_path'], $matches)) { isset($matches[3]) OR $matches[3] = ''; // Just to avoid undefined index notices below $this->_config['save_path'] = array( + 'type' => 'tcp', 'host' => $matches[1], 'port' => empty($matches[2]) ? NULL : $matches[2], 'password' => preg_match('#auth=([^\s&]+)#', $matches[3], $match) ? $match[1] : NULL, @@ -128,7 +142,11 @@ public function open($save_path, $name) } $redis = new Redis(); - if ( ! $redis->connect($this->_config['save_path']['host'], $this->_config['save_path']['port'], $this->_config['save_path']['timeout'])) + if ($this->_config['save_path']['type'] == 'unix' && !$redis->connect($this->_config['save_path']['path'])) + { + log_message('error', 'Session: Unable to connect to Redis with the configured settings.'); + } + else if ( ! $redis->connect($this->_config['save_path']['host'], $this->_config['save_path']['port'], $this->_config['save_path']['timeout'])) { log_message('error', 'Session: Unable to connect to Redis with the configured settings.'); } From 58d6854ad29b97061a1eb2fbd96ac57c29a13a3a Mon Sep 17 00:00:00 2001 From: Suhindra Date: Sat, 14 Nov 2015 15:04:00 +0700 Subject: [PATCH 2476/3829] Added and Updated MIME types for Flash Video Update 'f4v' entry and add 'flv' to support Flash Video as allowed file type. --- application/config/mimes.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/application/config/mimes.php b/application/config/mimes.php index aa3b1836ad8..957dc05d8a7 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -137,7 +137,8 @@ '3gp' => array('video/3gp', 'video/3gpp'), 'mp4' => 'video/mp4', 'm4a' => 'audio/x-m4a', - 'f4v' => 'video/mp4', + 'f4v' => array('video/mp4', 'video/x-f4v'), + 'flv' => 'video/x-flv', 'webm' => 'video/webm', 'aac' => 'audio/x-acc', 'm4u' => 'application/vnd.mpegurl', From 9703a0bbac81477365da7012a6a47d71c547cf96 Mon Sep 17 00:00:00 2001 From: kemeng Date: Mon, 16 Nov 2015 18:35:43 +0800 Subject: [PATCH 2477/3829] fixed a typo in unix socket parameter; change coding style to match CI; fix an elseif --- .../Session/drivers/Session_redis_driver.php | 16 ++++++++++------ 1 file changed, 10 insertions(+), 6 deletions(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index f7406797832..fe82ca91777 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -85,7 +85,7 @@ public function __construct(&$params) { log_message('error', 'Session: No Redis save path configured.'); } - elseif (strpos($this->_config['save_path'], 'unix://') === 0 && preg_match('#(?:unix://)?([^:?]+)(\?.+)?#', $this->_config['save_path'], $matches)) + elseif (preg_match('#^unix://([^\?]+)(\?.+)?$#', $this->_config['save_path'], $matches)) { isset($matches[2]) OR $matches[2] = ''; // Just to avoid undefined index notices below $this->_config['save_path'] = array( @@ -96,7 +96,7 @@ public function __construct(&$params) 'timeout' => preg_match('#timeout=(\d+\.\d+)#', $matches[2], $match) ? (float) $match[1] : NULL ); - preg_match('#prefix=([^\s&]+)#', $matches[3], $match) && $this->_key_prefix = $match[1]; + preg_match('#prefix=([^\s&]+)#', $matches[2], $match) && $this->_key_prefix = $match[1]; } elseif (preg_match('#(?:tcp://)?([^:?]+)(?:\:(\d+))?(\?.+)?#', $this->_config['save_path'], $matches)) { @@ -142,15 +142,19 @@ public function open($save_path, $name) } $redis = new Redis(); - if ($this->_config['save_path']['type'] == 'unix' && !$redis->connect($this->_config['save_path']['path'])) + if ($this->_config['save_path']['type'] == 'unix') { - log_message('error', 'Session: Unable to connect to Redis with the configured settings.'); + if (! $redis->connect($this->_config['save_path']['path'])) + { + log_message('error', 'Session: Unable to connect to Redis with the configured settings.'); + } } - else if ( ! $redis->connect($this->_config['save_path']['host'], $this->_config['save_path']['port'], $this->_config['save_path']['timeout'])) + elseif (! $redis->connect($this->_config['save_path']['host'], $this->_config['save_path']['port'], $this->_config['save_path']['timeout'])) { log_message('error', 'Session: Unable to connect to Redis with the configured settings.'); } - elseif (isset($this->_config['save_path']['password']) && ! $redis->auth($this->_config['save_path']['password'])) + + if (isset($this->_config['save_path']['password']) && ! $redis->auth($this->_config['save_path']['password'])) { log_message('error', 'Session: Unable to authenticate to Redis instance.'); } From 47c37de5ec5f673b9db13a3c0f4d899fd651d703 Mon Sep 17 00:00:00 2001 From: kemeng Date: Mon, 16 Nov 2015 18:52:37 +0800 Subject: [PATCH 2478/3829] Spaces around ! . Changelog entry in 3.1.0. --- system/libraries/Session/drivers/Session_redis_driver.php | 4 ++-- user_guide_src/source/changelog.rst | 5 +++++ 2 files changed, 7 insertions(+), 2 deletions(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index fe82ca91777..44ffddc4b5f 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -144,12 +144,12 @@ public function open($save_path, $name) $redis = new Redis(); if ($this->_config['save_path']['type'] == 'unix') { - if (! $redis->connect($this->_config['save_path']['path'])) + if ( ! $redis->connect($this->_config['save_path']['path'])) { log_message('error', 'Session: Unable to connect to Redis with the configured settings.'); } } - elseif (! $redis->connect($this->_config['save_path']['host'], $this->_config['save_path']['port'], $this->_config['save_path']['timeout'])) + elseif ( ! $redis->connect($this->_config['save_path']['host'], $this->_config['save_path']['port'], $this->_config['save_path']['timeout'])) { log_message('error', 'Session: Unable to connect to Redis with the configured settings.'); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 77ccd7ce7fd..6c11bf3d767 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,11 @@ Version 3.1.0 Release Date: Not Released +- Session + + - Add unix socket support to redis session driver. + + Version 3.0.4 ============= From b06b5c46ef59534cb3d0eb7e9b95c0c5720ee5e5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 16 Nov 2015 13:37:58 +0200 Subject: [PATCH 2479/3829] Fix #4244 --- system/libraries/Email.php | 31 ++++++++++++++++++++++++++--- user_guide_src/source/changelog.rst | 1 + 2 files changed, 29 insertions(+), 3 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index ebff7567a13..034586ac956 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1469,6 +1469,20 @@ protected function _build_message() */ protected function _prep_quoted_printable($str) { + // ASCII code numbers for "safe" characters that can always be + // used literally, without encoding, as described in RFC 2049. + // http://www.ietf.org/rfc/rfc2049.txt + static $ascii_safe_chars = array( + // ' ( ) + , - . / : = ? + 39, 40, 41, 43, 44, 45, 46, 47, 58, 61, 63, + // numbers + 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, + // upper-case letters + 65, 66, 67, 68, 69, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 84, 85, 86, 87, 88, 89, 90, + // lower-case letters + 97, 98, 99, 100, 101, 102, 103, 104, 105, 106, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122 + ); + // We are intentionally wrapping so mail servers will encode characters // properly and MUAs will behave, so {unwrap} must go! $str = str_replace(array('{unwrap}', '{/unwrap}'), '', $str); @@ -1516,14 +1530,25 @@ protected function _prep_quoted_printable($str) $ascii = ord($char); // Convert spaces and tabs but only if it's the end of the line - if ($i === ($length - 1) && ($ascii === 32 OR $ascii === 9)) + if ($ascii === 32 OR $ascii === 9) { - $char = $escape.sprintf('%02s', dechex($ascii)); + if ($i === ($length - 1)) + { + $char = $escape.sprintf('%02s', dechex($ascii)); + } } - elseif ($ascii === 61) // encode = signs + // DO NOT move this below the $ascii_safe_chars line! + // + // = (equals) signs are allowed by RFC2049, but must be encoded + // as they are the encoding delimiter! + elseif ($ascii === 61) { $char = $escape.strtoupper(sprintf('%02s', dechex($ascii))); // =3D } + elseif ( ! in_array($ascii, $ascii_safe_chars, TRUE)) + { + $char = $escape.strtoupper(sprintf('%02s', dechex($ascii))); + } // If we're at the character limit, add the line to the output, // reset our temp variable, and keep on chuggin' diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index efb09f24f06..1d111b16166 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -15,6 +15,7 @@ Bug fixes for 3.0.4 - Fixed a bug (#4217) - :doc:`Config Library ` method ``base_url()`` didn't use proper formatting for IPv6 when it falls back to ``$_SERVER['SERVER_ADDR']``. - Fixed a bug where :doc:`CAPTCHA Helper ` entered an infinite loop while generating a random string. - Fixed a bug (#4223) - :doc:`Database ` method ``simple_query()`` blindly executes queries without checking if the connection was initialized properly. +- Fixed a bug (#4244) - :doc:`Email Library ` could improperly use "unsafe" US-ASCII characters during Quoted-printable encoding. Version 3.0.3 ============= From e9e4ab00991343ba94f9542c1a6f18a42b559257 Mon Sep 17 00:00:00 2001 From: kemeng Date: Mon, 16 Nov 2015 20:03:24 +0800 Subject: [PATCH 2480/3829] do not try to auth/select db on redis connect failure --- .../Session/drivers/Session_redis_driver.php | 28 +++++++++++-------- 1 file changed, 17 insertions(+), 11 deletions(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index 44ffddc4b5f..8f9bcce24f3 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -141,31 +141,37 @@ public function open($save_path, $name) return FALSE; } + $connected = TRUE; $redis = new Redis(); if ($this->_config['save_path']['type'] == 'unix') { if ( ! $redis->connect($this->_config['save_path']['path'])) { log_message('error', 'Session: Unable to connect to Redis with the configured settings.'); + $connected = FALSE; } } elseif ( ! $redis->connect($this->_config['save_path']['host'], $this->_config['save_path']['port'], $this->_config['save_path']['timeout'])) { log_message('error', 'Session: Unable to connect to Redis with the configured settings.'); + $connected = FALSE; } - if (isset($this->_config['save_path']['password']) && ! $redis->auth($this->_config['save_path']['password'])) + if ($connected) { - log_message('error', 'Session: Unable to authenticate to Redis instance.'); - } - elseif (isset($this->_config['save_path']['database']) && ! $redis->select($this->_config['save_path']['database'])) - { - log_message('error', 'Session: Unable to select Redis database with index '.$this->_config['save_path']['database']); - } - else - { - $this->_redis = $redis; - return TRUE; + if (isset($this->_config['save_path']['password']) && ! $redis->auth($this->_config['save_path']['password'])) + { + log_message('error', 'Session: Unable to authenticate to Redis instance.'); + } + elseif (isset($this->_config['save_path']['database']) && ! $redis->select($this->_config['save_path']['database'])) + { + log_message('error', 'Session: Unable to select Redis database with index '.$this->_config['save_path']['database']); + } + else + { + $this->_redis = $redis; + return TRUE; + } } return FALSE; From 9e2c7b9dd7e87a94c5a3696bc326cbbec5da7bb8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 16 Nov 2015 15:44:24 +0200 Subject: [PATCH 2481/3829] [ci skip] Fix #4245 --- system/database/DB_forge.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index f9cf76a1462..d2302b2f207 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -781,7 +781,7 @@ protected function _process_fields($create_table = FALSE) case 'SET': $attributes['CONSTRAINT'] = $this->db->escape($attributes['CONSTRAINT']); $field['length'] = is_array($attributes['CONSTRAINT']) - ? "('".implode("','", $attributes['CONSTRAINT'])."')" + ? "(".implode(",", $attributes['CONSTRAINT']).")" : '('.$attributes['CONSTRAINT'].')'; break; default: diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1d111b16166..b0c4055b5ff 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -16,6 +16,7 @@ Bug fixes for 3.0.4 - Fixed a bug where :doc:`CAPTCHA Helper ` entered an infinite loop while generating a random string. - Fixed a bug (#4223) - :doc:`Database ` method ``simple_query()`` blindly executes queries without checking if the connection was initialized properly. - Fixed a bug (#4244) - :doc:`Email Library ` could improperly use "unsafe" US-ASCII characters during Quoted-printable encoding. +- Fixed a bug (#4245) - :doc:`Database Forge ` couldn't properly handle ``SET`` and ``ENUM`` type fields with string values. Version 3.0.3 ============= From 0f6e5bc4d356680bae470f05ccb9e115dd57422e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 16 Nov 2015 16:17:07 +0200 Subject: [PATCH 2482/3829] [ci skip] Polish changes from PR #4240 --- .../Session/drivers/Session_redis_driver.php | 71 +++++++++---------- user_guide_src/source/changelog.rst | 4 +- 2 files changed, 35 insertions(+), 40 deletions(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index 8f9bcce24f3..4fa6c28b343 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -85,41 +85,39 @@ public function __construct(&$params) { log_message('error', 'Session: No Redis save path configured.'); } - elseif (preg_match('#^unix://([^\?]+)(\?.+)?$#', $this->_config['save_path'], $matches)) + elseif (preg_match('#^unix://([^\?]+)(?\?.+)?$#', $this->_config['save_path'], $matches)) { - isset($matches[2]) OR $matches[2] = ''; // Just to avoid undefined index notices below - $this->_config['save_path'] = array( - 'type' => 'unix', - 'path' => $matches[1], - 'password' => preg_match('#auth=([^\s&]+)#', $matches[2], $match) ? $match[1] : NULL, - 'database' => preg_match('#database=(\d+)#', $matches[2], $match) ? (int) $match[1] : NULL, - 'timeout' => preg_match('#timeout=(\d+\.\d+)#', $matches[2], $match) ? (float) $match[1] : NULL - ); - - preg_match('#prefix=([^\s&]+)#', $matches[2], $match) && $this->_key_prefix = $match[1]; + $save_path = array('path' => $matches[1]); } - elseif (preg_match('#(?:tcp://)?([^:?]+)(?:\:(\d+))?(\?.+)?#', $this->_config['save_path'], $matches)) + elseif (preg_match('#(?:tcp://)?([^:?]+)(?:\:(\d+))?(?\?.+)?#', $this->_config['save_path'], $matches)) { - isset($matches[3]) OR $matches[3] = ''; // Just to avoid undefined index notices below - $this->_config['save_path'] = array( - 'type' => 'tcp', + $save_path = array( 'host' => $matches[1], - 'port' => empty($matches[2]) ? NULL : $matches[2], - 'password' => preg_match('#auth=([^\s&]+)#', $matches[3], $match) ? $match[1] : NULL, - 'database' => preg_match('#database=(\d+)#', $matches[3], $match) ? (int) $match[1] : NULL, - 'timeout' => preg_match('#timeout=(\d+\.\d+)#', $matches[3], $match) ? (float) $match[1] : NULL + 'port' => empty($matches[2]) ? NULL : $matches[2] ); - - preg_match('#prefix=([^\s&]+)#', $matches[3], $match) && $this->_key_prefix = $match[1]; } else { log_message('error', 'Session: Invalid Redis save path format: '.$this->_config['save_path']); } - if ($this->_config['match_ip'] === TRUE) + if (isset($save_path)) { - $this->_key_prefix .= $_SERVER['REMOTE_ADDR'].':'; + if (isset($matches['options'])) + { + $save_path['password'] = preg_match('#auth=([^\s&]+)#', $matches['options'], $match) ? $match[1] : NULL; + $save_path['database'] = preg_match('#database=(\d+)#', $matches['options'], $match) ? (int) $match[1] : NULL; + $save_path['timeout'] = preg_match('#timeout=(\d+\.\d+)#', $matches['options'], $match) ? (float) $match[1] : NULL; + + preg_match('#prefix=([^\s&]+)#', $matches['options'], $match) && $this->_key_prefix = $match[1]; + } + + $this->_config['save_path'] = $save_path; + + if ($this->_config['match_ip'] === TRUE) + { + $this->_key_prefix .= $_SERVER['REMOTE_ADDR'].':'; + } } } @@ -141,23 +139,16 @@ public function open($save_path, $name) return FALSE; } - $connected = TRUE; $redis = new Redis(); - if ($this->_config['save_path']['type'] == 'unix') - { - if ( ! $redis->connect($this->_config['save_path']['path'])) - { - log_message('error', 'Session: Unable to connect to Redis with the configured settings.'); - $connected = FALSE; - } - } - elseif ( ! $redis->connect($this->_config['save_path']['host'], $this->_config['save_path']['port'], $this->_config['save_path']['timeout'])) - { - log_message('error', 'Session: Unable to connect to Redis with the configured settings.'); - $connected = FALSE; - } + $connected = isset($this->_config['save_path']['path']) + ? $redis->connect($this->_config['save_path']['path']) + : $redis->connect( + $this->_config['save_path']['host'], + $this->_config['save_path']['port'], + $this->_config['save_path']['timeout'] + ); - if ($connected) + if ($connected) { if (isset($this->_config['save_path']['password']) && ! $redis->auth($this->_config['save_path']['password'])) { @@ -173,6 +164,10 @@ public function open($save_path, $name) return TRUE; } } + else + { + log_message('error', 'Session: Unable to connect to Redis with the configured settings.'); + } return FALSE; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 6c11bf3d767..98652543733 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,9 +7,9 @@ Version 3.1.0 Release Date: Not Released -- Session +- Libraries - - Add unix socket support to redis session driver. + - Added UNIX socket connection support to :doc:`Session Library ` 'redis' driver. Version 3.0.4 From b3847796666c8466dcfafaddbda1f13b4acf605e Mon Sep 17 00:00:00 2001 From: Craig Johnson Date: Thu, 12 Nov 2015 23:44:17 +0530 Subject: [PATCH 2483/3829] Grammar correction in database configuration guide "it" changed to "in" on line 10. "in" seems like the correct word to be used there. Small change. --- user_guide_src/source/database/configuration.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/database/configuration.rst b/user_guide_src/source/database/configuration.rst index 8026be63ab4..e231a7d6af5 100644 --- a/user_guide_src/source/database/configuration.rst +++ b/user_guide_src/source/database/configuration.rst @@ -7,7 +7,7 @@ connection values (username, password, database name, etc.). The config file is located at application/config/database.php. You can also set database connection values for specific :doc:`environments <../libraries/config>` by placing **database.php** -it the respective environment config folder. +in the respective environment config folder. The config settings are stored in a multi-dimensional array with this prototype:: From 6a7a16073aefbc0bff0fb850d97ea11c57d693c1 Mon Sep 17 00:00:00 2001 From: dimitribalazs Date: Wed, 18 Nov 2015 11:50:22 +0100 Subject: [PATCH 2484/3829] =?UTF-8?q?Added=20alt=20attribute=20functionali?= =?UTF-8?q?ty=20=E2=80=A6?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit It hasn't been possible to set the alt attribute on the image. Added img_alt key on the $defaults array and integrated the $img_alt variable into the img string. --- system/helpers/captcha_helper.php | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index 85bcfb5a092..3cf581bba6c 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -79,7 +79,8 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = 'border' => array(153,102,102), 'text' => array(204,153,153), 'grid' => array(255,182,182) - ) + ), + 'img_alt' => 'captcha' ); foreach ($defaults as $key => $val) @@ -330,7 +331,7 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = return FALSE; } - $img = ' '; + $img = ''.$img_alt.''; ImageDestroy($im); return array('word' => $word, 'time' => $now, 'image' => $img, 'filename' => $img_filename); From 01d53bd69aef482a42d5bbc94fd3496e79a97f23 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 23 Nov 2015 13:09:22 +0200 Subject: [PATCH 2485/3829] [ci skip] Update routing docs Close #4258 --- user_guide_src/source/general/routing.rst | 11 ++++++----- 1 file changed, 6 insertions(+), 5 deletions(-) diff --git a/user_guide_src/source/general/routing.rst b/user_guide_src/source/general/routing.rst index b2c9873ab7a..51536809922 100644 --- a/user_guide_src/source/general/routing.rst +++ b/user_guide_src/source/general/routing.rst @@ -113,18 +113,19 @@ A typical RegEx route might look something like this:: In the above example, a URI similar to products/shirts/123 would instead call the "shirts" controller class and the "id_123" method. -With regular expressions, you can also catch a segment containing a -forward slash ('/'), which would usually represent the delimiter between -multiple segments. - +With regular expressions, you can also catch multiple segments at once. For example, if a user accesses a password protected area of your web application and you wish to be able to redirect them back to the same page after they log in, you may find this example useful:: $route['login/(.+)'] = 'auth/login/$1'; +.. note:: In the above example, if the ``$1`` placeholder contains a + slash, it will still be split into multiple parameters when + passed to ``Auth::login()``. + For those of you who don't know regular expressions and want to learn -more about them, `regular-expressions.info ` +more about them, `regular-expressions.info `_ might be a good starting point. .. note:: You can also mix and match wildcards with regular expressions. From 422fd592428d6048e9a75868fa3e75527506dbb7 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 24 Nov 2015 11:36:29 +0200 Subject: [PATCH 2486/3829] [ci skip] Remove some redundant code from DB_forge --- system/database/DB_forge.php | 4 ---- 1 file changed, 4 deletions(-) diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index d2302b2f207..1546e40c09b 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -780,10 +780,6 @@ protected function _process_fields($create_table = FALSE) case 'ENUM': case 'SET': $attributes['CONSTRAINT'] = $this->db->escape($attributes['CONSTRAINT']); - $field['length'] = is_array($attributes['CONSTRAINT']) - ? "(".implode(",", $attributes['CONSTRAINT']).")" - : '('.$attributes['CONSTRAINT'].')'; - break; default: $field['length'] = is_array($attributes['CONSTRAINT']) ? '('.implode(',', $attributes['CONSTRAINT']).')' From 5afa348b48a93f24957377dc12f86ae64665b944 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 24 Nov 2015 11:48:39 +0200 Subject: [PATCH 2487/3829] Use PHP7's random_bytes() when possible Close #4260 --- system/core/Security.php | 16 ++++++++++++++++ system/libraries/Encryption.php | 5 +++++ 2 files changed, 21 insertions(+) diff --git a/system/core/Security.php b/system/core/Security.php index 36dea4cf2ed..e79bf8affab 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -593,6 +593,22 @@ public function get_random_bytes($length) return FALSE; } + if (function_exists('random_bytes')) + { + try + { + // The cast is required to avoid TypeError + return random_bytes((int) $length); + } + catch (Exception $e) + { + // If random_bytes() can't do the job, we can't either ... + // There's no point in using fallbacks. + log_message('error', $e->getMessage()); + return FALSE; + } + } + // Unfortunately, none of the following PRNGs is guaranteed to exist ... if (defined('MCRYPT_DEV_URANDOM') && ($output = mcrypt_create_iv($length, MCRYPT_DEV_URANDOM)) !== FALSE) { diff --git a/system/libraries/Encryption.php b/system/libraries/Encryption.php index f3e039881b4..151ce8dec2d 100644 --- a/system/libraries/Encryption.php +++ b/system/libraries/Encryption.php @@ -337,6 +337,11 @@ protected function _openssl_initialize($params) */ public function create_key($length) { + if (function_exists('random_bytes')) + { + return random_bytes((int) $length); + } + return ($this->_driver === 'mcrypt') ? mcrypt_create_iv($length, MCRYPT_DEV_URANDOM) : openssl_random_pseudo_bytes($length); From 7e983df144c7edca97bf4ce3b5e64f4487972262 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 24 Nov 2015 11:50:59 +0200 Subject: [PATCH 2488/3829] [ci skip] Add changelog entries for 5afa348b48a93f24957377dc12f86ae64665b944 Related: #4260 --- user_guide_src/source/changelog.rst | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index b0c4055b5ff..5b7f225a512 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,11 @@ Version 3.0.4 Release Date: Not Released +- General Changes + + - Updated :doc:`Security Library ` method ``get_random_bytes()`` to use PHP7's ``random_bytes()`` function when possible. + - Updated :doc:`Encryption Library ` method ``create_key()`` to use PHP7's ``random_bytes()`` function when possible. + Bug fixes for 3.0.4 ------------------- From fd70fa5ff7cec722a69f3e720a962aea3dec03fe Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?S=C3=A9bastien=20Adam?= Date: Wed, 25 Nov 2015 18:25:17 +0100 Subject: [PATCH 2489/3829] HTML Helper - meta(): now can generate HTML meta charset & Open Graph property --- system/helpers/html_helper.php | 9 +++++---- user_guide_src/source/helpers/html_helper.rst | 12 ++++++------ 2 files changed, 11 insertions(+), 10 deletions(-) diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index 28fbe00bee8..4e25f8c9b50 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -338,7 +338,7 @@ function link_tag($href = '', $rel = 'stylesheet', $type = 'text/css', $title = if ( ! function_exists('meta')) { /** - * Generates meta tags from an array of key/values + * Generates meta tags from an array of key/values, compatible with html5 and open graph * * @param array * @param string @@ -359,13 +359,14 @@ function meta($name = '', $content = '', $type = 'name', $newline = "\n") // Turn single array into multidimensional $name = array($name); } - + $allowed_type = array('charset', 'http-equiv', 'name', 'property'); $str = ''; foreach ($name as $meta) { - $type = (isset($meta['type']) && $meta['type'] !== 'name') ? 'http-equiv' : 'name'; + $meta['type'] = (isset($meta['type']) && ($meta['type'] == 'equiv')) ? 'http-equiv' : $meta['type']; // backward compatibility + $type = (isset($meta['type']) && in_array($meta['type'], $allowed_type))? $meta['type'] : 'name'; $name = isset($meta['name']) ? $meta['name'] : ''; - $content = isset($meta['content']) ? $meta['content'] : ''; + $content = (isset($meta['content']) && $type != 'charset') ? $meta['content'] : ''; $newline = isset($meta['newline']) ? $meta['newline'] : "\n"; $str .= ''.$newline; diff --git a/user_guide_src/source/helpers/html_helper.rst b/user_guide_src/source/helpers/html_helper.rst index 2c748bea00c..1445b3bf0ac 100644 --- a/user_guide_src/source/helpers/html_helper.rst +++ b/user_guide_src/source/helpers/html_helper.rst @@ -285,9 +285,9 @@ The following functions are available: echo meta('description', 'My Great site'); // Generates: - echo meta('Content-type', 'text/html; charset=utf-8', 'equiv'); - // Note the third parameter. Can be "equiv" or "name" - // Generates: + echo meta('refresh', '30', 'http-equiv'); + // Note the third parameter. Can be "charset", "http-equiv", "name" or "property" + // Generates: echo meta(array('name' => 'robots', 'content' => 'no-cache')); // Generates: @@ -310,8 +310,8 @@ The following functions are available: 'content' => 'no-cache' ), array( - 'name' => 'Content-type', - 'content' => 'text/html; charset=utf-8', 'type' => 'equiv' + 'name' => 'UTF-8', + 'type' => 'charset' ) ); @@ -321,7 +321,7 @@ The following functions are available: // // // - // + // .. php:function:: doctype([$type = 'xhtml1-strict']) From dfcc5318d378ae66dd21806c6ac2dad67d73dc26 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?S=C3=A9bastien=20Adam?= Date: Wed, 25 Nov 2015 18:30:34 +0100 Subject: [PATCH 2490/3829] HTML Helper - doctype(): now default type is HTML 5 --- system/helpers/html_helper.php | 2 +- user_guide_src/source/helpers/html_helper.rst | 8 ++++---- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index 4e25f8c9b50..b4c605a019b 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -229,7 +229,7 @@ function img($src = '', $index_page = FALSE, $attributes = '') * @param string type The doctype to be generated * @return string */ - function doctype($type = 'xhtml1-strict') + function doctype($type = 'html5') { static $doctypes; diff --git a/user_guide_src/source/helpers/html_helper.rst b/user_guide_src/source/helpers/html_helper.rst index 1445b3bf0ac..bfd4afbe2d3 100644 --- a/user_guide_src/source/helpers/html_helper.rst +++ b/user_guide_src/source/helpers/html_helper.rst @@ -324,18 +324,18 @@ The following functions are available: // -.. php:function:: doctype([$type = 'xhtml1-strict']) +.. php:function:: doctype([$type = 'html5']) :param string $type: Doctype name :returns: HTML DocType tag :rtype: string - Helps you generate document type declarations, or DTD's. XHTML 1.0 - Strict is used by default, but many doctypes are available. + Helps you generate document type declarations, or DTD's. HTML 5 + is used by default, but many doctypes are available. Example:: - echo doctype(); // + echo doctype(); // echo doctype('html4-trans'); // From 49077f1a80c1c644c3e15864a1dab285e7fb8de5 Mon Sep 17 00:00:00 2001 From: Claudio Galdiolo Date: Wed, 25 Nov 2015 15:34:16 -0500 Subject: [PATCH 2491/3829] Fix file name With case-sensitive filesystem, visiting example.com/index.php/form/ returns a '404 Page Not Found' error --- user_guide_src/source/libraries/form_validation.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index c288cc8c0a3..dd3ffbbaf62 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -116,7 +116,7 @@ this code and save it to your application/views/ folder:: The Controller ============== -Using a text editor, create a controller called form.php. In it, place +Using a text editor, create a controller called Form.php. In it, place this code and save it to your application/controllers/ folder:: Date: Wed, 25 Nov 2015 22:41:40 +0200 Subject: [PATCH 2492/3829] Merge pull request #4271 from galdiolo/patch-12 [ci skip] Fix file name in documentation --- user_guide_src/source/libraries/form_validation.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index c288cc8c0a3..dd3ffbbaf62 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -116,7 +116,7 @@ this code and save it to your application/views/ folder:: The Controller ============== -Using a text editor, create a controller called form.php. In it, place +Using a text editor, create a controller called Form.php. In it, place this code and save it to your application/controllers/ folder:: Date: Thu, 26 Nov 2015 22:58:46 +0700 Subject: [PATCH 2493/3829] fix another file name according PR #4271 Fix another file name in documentation according PR #4271 --- user_guide_src/source/libraries/form_validation.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index dd3ffbbaf62..9189d082ef8 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -175,7 +175,7 @@ The form (myform.php) is a standard web form with a couple exceptions: This function will return any error messages sent back by the validator. If there are no messages it returns an empty string. -The controller (form.php) has one method: ``index()``. This method +The controller (Form.php) has one method: ``index()``. This method initializes the validation class and loads the form helper and URL helper used by your view files. It also runs the validation routine. Based on whether the validation was successful it either presents the @@ -205,7 +205,7 @@ The above method takes **three** parameters as input: .. note:: If you would like the field name to be stored in a language file, please see :ref:`translating-field-names`. -Here is an example. In your controller (form.php), add this code just +Here is an example. In your controller (Form.php), add this code just below the validation initialization method:: $this->form_validation->set_rules('username', 'Username', 'required'); From 5734cb3cc59ca938112e981b9ebd27ba5bb69173 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 26 Nov 2015 18:25:40 +0200 Subject: [PATCH 2494/3829] Merge pull request #4273 from suhindra/develop [ci skip] Fix another file name in the docsaccording Similarly to PR #4271 --- user_guide_src/source/libraries/form_validation.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index dd3ffbbaf62..9189d082ef8 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -175,7 +175,7 @@ The form (myform.php) is a standard web form with a couple exceptions: This function will return any error messages sent back by the validator. If there are no messages it returns an empty string. -The controller (form.php) has one method: ``index()``. This method +The controller (Form.php) has one method: ``index()``. This method initializes the validation class and loads the form helper and URL helper used by your view files. It also runs the validation routine. Based on whether the validation was successful it either presents the @@ -205,7 +205,7 @@ The above method takes **three** parameters as input: .. note:: If you would like the field name to be stored in a language file, please see :ref:`translating-field-names`. -Here is an example. In your controller (form.php), add this code just +Here is an example. In your controller (Form.php), add this code just below the validation initialization method:: $this->form_validation->set_rules('username', 'Username', 'required'); From 6ab09773d96ce6ac672a3d852256126d10aa25d8 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?S=C3=A9bastien=20Adam?= Date: Tue, 1 Dec 2015 20:02:07 +0100 Subject: [PATCH 2495/3829] Modified as asked after pull request: * comment of meta fuction adapted * alignments in meta fuction adapted * using '===' comparator in meta function * changing back the example of the meta function help * changing back the default value of the doctype function Also changing test unit to reflect the modification of the meta function (original tests not modified). --- system/helpers/html_helper.php | 14 +++++++------- tests/codeigniter/helpers/html_helper_test.php | 6 +++++- user_guide_src/source/helpers/html_helper.rst | 4 ++-- 3 files changed, 14 insertions(+), 10 deletions(-) diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index b4c605a019b..36680053adc 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -229,7 +229,7 @@ function img($src = '', $index_page = FALSE, $attributes = '') * @param string type The doctype to be generated * @return string */ - function doctype($type = 'html5') + function doctype($type = 'xhtml1-strict') { static $doctypes; @@ -363,13 +363,13 @@ function meta($name = '', $content = '', $type = 'name', $newline = "\n") $str = ''; foreach ($name as $meta) { - $meta['type'] = (isset($meta['type']) && ($meta['type'] == 'equiv')) ? 'http-equiv' : $meta['type']; // backward compatibility - $type = (isset($meta['type']) && in_array($meta['type'], $allowed_type))? $meta['type'] : 'name'; - $name = isset($meta['name']) ? $meta['name'] : ''; - $content = (isset($meta['content']) && $type != 'charset') ? $meta['content'] : ''; - $newline = isset($meta['newline']) ? $meta['newline'] : "\n"; + $meta['type'] = isset($meta['type']) ? (($meta['type'] === 'equiv') ? 'http-equiv' : $meta['type']) : ''; // backward compatibility + $type = in_array($meta['type'], $allowed_type) ? $meta['type'] : 'name'; + $name = isset($meta['name']) ? $meta['name'] : ''; + $content = isset($meta['content']) ? $meta['content'] : ''; + $newline = isset($meta['newline']) ? $meta['newline'] : "\n"; - $str .= ''.$newline; + $str .= ''.$newline; } return $str; diff --git a/tests/codeigniter/helpers/html_helper_test.php b/tests/codeigniter/helpers/html_helper_test.php index d66ad895cb7..0b9655bf57b 100644 --- a/tests/codeigniter/helpers/html_helper_test.php +++ b/tests/codeigniter/helpers/html_helper_test.php @@ -87,6 +87,10 @@ public function test_meta() $this->assertEquals($expect, meta(array('name' => 'foo'))); + $expect = "\n"; + + $this->assertEquals($expect, meta(array('name' => 'foo', 'type' => 'charset'))); + } -} \ No newline at end of file +} diff --git a/user_guide_src/source/helpers/html_helper.rst b/user_guide_src/source/helpers/html_helper.rst index bfd4afbe2d3..fffb2cab49a 100644 --- a/user_guide_src/source/helpers/html_helper.rst +++ b/user_guide_src/source/helpers/html_helper.rst @@ -285,9 +285,9 @@ The following functions are available: echo meta('description', 'My Great site'); // Generates: - echo meta('refresh', '30', 'http-equiv'); + echo meta('Content-type', 'text/html; charset=utf-8', 'equiv'); // Note the third parameter. Can be "charset", "http-equiv", "name" or "property" - // Generates: + // Generates: echo meta(array('name' => 'robots', 'content' => 'no-cache')); // Generates: From 7cf4cda4d56ca8c7dc51b38442d83d3b593d96f8 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?S=C3=A9bastien=20Adam?= Date: Tue, 1 Dec 2015 20:24:32 +0100 Subject: [PATCH 2496/3829] Forgot change in the comment on the meta function --- system/helpers/html_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index 36680053adc..9ed21a1681e 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -338,7 +338,7 @@ function link_tag($href = '', $rel = 'stylesheet', $type = 'text/css', $title = if ( ! function_exists('meta')) { /** - * Generates meta tags from an array of key/values, compatible with html5 and open graph + * Generates meta tags from an array of key/values * * @param array * @param string From a18c6097a38f7b3eac789b5c217a97d7ac0b7085 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 3 Dec 2015 17:53:14 +0200 Subject: [PATCH 2497/3829] Fix #4283 --- system/helpers/string_helper.php | 3 ++- user_guide_src/source/changelog.rst | 3 ++- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/system/helpers/string_helper.php b/system/helpers/string_helper.php index 63783516032..3138a04b3a3 100644 --- a/system/helpers/string_helper.php +++ b/system/helpers/string_helper.php @@ -270,7 +270,7 @@ function increment_string($str, $separator = '_', $first = 1) * @param string (as many parameters as needed) * @return string */ - function alternator($args) + function alternator() { static $i; @@ -279,6 +279,7 @@ function alternator($args) $i = 0; return ''; } + $args = func_get_args(); return $args[($i++ % count($args))]; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 5b7f225a512..a7807aa03eb 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -16,12 +16,13 @@ Bug fixes for 3.0.4 ------------------- - Fixed a bug (#4212) - :doc:`Query Builder ` method ``count_all_results()`` could fail if an ``ORDER BY`` condition is used. -- Fixed a bug where :doc:`Form Helper ` functions `set_checkbox()`, `set_radio()` didn't "uncheck" inputs on a submitted form if the default state is "checked". +- Fixed a bug where :doc:`Form Helper ` functions :php:func:`set_checkbox()`, :php:func:`set_radio()` didn't "uncheck" inputs on a submitted form if the default state is "checked". - Fixed a bug (#4217) - :doc:`Config Library ` method ``base_url()`` didn't use proper formatting for IPv6 when it falls back to ``$_SERVER['SERVER_ADDR']``. - Fixed a bug where :doc:`CAPTCHA Helper ` entered an infinite loop while generating a random string. - Fixed a bug (#4223) - :doc:`Database ` method ``simple_query()`` blindly executes queries without checking if the connection was initialized properly. - Fixed a bug (#4244) - :doc:`Email Library ` could improperly use "unsafe" US-ASCII characters during Quoted-printable encoding. - Fixed a bug (#4245) - :doc:`Database Forge ` couldn't properly handle ``SET`` and ``ENUM`` type fields with string values. +- Fixed a bug (#4283) - :doc:`String Helper ` function :php:func:`alternator()` couldn't be called without arguments. Version 3.0.3 ============= From 3f273628540c20ffa1ea8b88da315314a5046983 Mon Sep 17 00:00:00 2001 From: b-kaxa Date: Mon, 7 Dec 2015 02:23:10 +0900 Subject: [PATCH 2498/3829] fix phpdoc --- system/core/Router.php | 1 + system/core/URI.php | 2 +- 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/core/Router.php b/system/core/Router.php index a84be1f1d2c..0a69758816f 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -118,6 +118,7 @@ class CI_Router { * * Runs the route mapping function. * + * @param array $routing * @return void */ public function __construct($routing = NULL) diff --git a/system/core/URI.php b/system/core/URI.php index 5b658f679c4..5179b401f3f 100644 --- a/system/core/URI.php +++ b/system/core/URI.php @@ -294,7 +294,7 @@ protected function _parse_argv() * * Do some final cleaning of the URI and return it, currently only used in self::_parse_request_uri() * - * @param string $url + * @param string $uri * @return string */ protected function _remove_relative_directory($uri) From 5ced82ab986f6a53ca95f5498a63ac503ea8f580 Mon Sep 17 00:00:00 2001 From: "Halmai, Csongor" Date: Mon, 7 Dec 2015 13:20:39 +1100 Subject: [PATCH 2499/3829] Detecting if database connection was not successful --- system/core/Loader.php | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/system/core/Loader.php b/system/core/Loader.php index 18e4c5287a9..7593ae5d6c1 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -361,6 +361,10 @@ public function database($params = '', $return = FALSE, $query_builder = NULL) // Load the DB class $CI->db =& DB($params, $query_builder); + if (!$CI->db->conn_id) + { + return FALSE; + } return $this; } From 887eb91ff2799036a6d899ee3dbadd8a6a51ff54 Mon Sep 17 00:00:00 2001 From: b-kaxa Date: Mon, 7 Dec 2015 19:03:20 +0900 Subject: [PATCH 2500/3829] replace spaces with tabs --- system/core/Router.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Router.php b/system/core/Router.php index 0a69758816f..ce41aa95867 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -118,7 +118,7 @@ class CI_Router { * * Runs the route mapping function. * - * @param array $routing + * @param array $routing * @return void */ public function __construct($routing = NULL) From f0f93f50d2a85373988a225504115d4805446189 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 7 Dec 2015 12:12:44 +0200 Subject: [PATCH 2501/3829] Merge pull request #4291 from b-kaxa/fix-phpdoc [ci skip] phpdoc adjustments in CI_Router and CI_URI --- system/core/Router.php | 1 + system/core/URI.php | 2 +- 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/core/Router.php b/system/core/Router.php index a84be1f1d2c..ce41aa95867 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -118,6 +118,7 @@ class CI_Router { * * Runs the route mapping function. * + * @param array $routing * @return void */ public function __construct($routing = NULL) diff --git a/system/core/URI.php b/system/core/URI.php index 5b658f679c4..5179b401f3f 100644 --- a/system/core/URI.php +++ b/system/core/URI.php @@ -294,7 +294,7 @@ protected function _parse_argv() * * Do some final cleaning of the URI and return it, currently only used in self::_parse_request_uri() * - * @param string $url + * @param string $uri * @return string */ protected function _remove_relative_directory($uri) From 0f56007d95a8713f0c4276e37604e221f4efbe66 Mon Sep 17 00:00:00 2001 From: "Halmai, Csongor" Date: Tue, 8 Dec 2015 11:32:35 +1100 Subject: [PATCH 2502/3829] rolling back previous solution; throwing exception if database connection was not successful. --- system/core/Loader.php | 4 ---- system/database/DB_driver.php | 2 +- 2 files changed, 1 insertion(+), 5 deletions(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index 7593ae5d6c1..18e4c5287a9 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -361,10 +361,6 @@ public function database($params = '', $return = FALSE, $query_builder = NULL) // Load the DB class $CI->db =& DB($params, $query_builder); - if (!$CI->db->conn_id) - { - return FALSE; - } return $this; } diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 25e70ec3f2b..fb9955b7c62 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -436,7 +436,7 @@ public function initialize() $this->display_error('db_unable_to_connect'); } - return FALSE; + throw new RuntimeException('Database connection failure.'); } } From ac0e0bf62d483d1b7db86fe760447ca0dd83baf2 Mon Sep 17 00:00:00 2001 From: "Halmai, Csongor" Date: Tue, 8 Dec 2015 11:40:24 +1100 Subject: [PATCH 2503/3829] documentation for the new RuntimeException --- user_guide_src/source/changelog.rst | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 98652543733..5a41fa18bec 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -11,6 +11,10 @@ Release Date: Not Released - Added UNIX socket connection support to :doc:`Session Library ` 'redis' driver. +- Database + + - CI_DB_driver::initialize() throws a "Database connection failure." RuntimeException if couldn't connect to the database. + Version 3.0.4 ============= From b1cde1fdd77aec1278dd2b4d6ae071e814a58c2a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 8 Dec 2015 13:10:41 +0200 Subject: [PATCH 2504/3829] Type-hint csv_from_result(), xml_from_result() DB utilities Close #4299 --- system/database/DB_utility.php | 14 ++------------ 1 file changed, 2 insertions(+), 12 deletions(-) diff --git a/system/database/DB_utility.php b/system/database/DB_utility.php index b51893e1813..fcc56f24e0b 100644 --- a/system/database/DB_utility.php +++ b/system/database/DB_utility.php @@ -235,13 +235,8 @@ public function repair_table($table_name) * @param string $enclosure Enclosure (default: ") * @return string */ - public function csv_from_result($query, $delim = ',', $newline = "\n", $enclosure = '"') + public function csv_from_result(CI_DB_result $query, $delim = ',', $newline = "\n", $enclosure = '"') { - if ( ! is_object($query) OR ! method_exists($query, 'list_fields')) - { - show_error('You must submit a valid result object'); - } - $out = ''; // First generate the headings from the table column names foreach ($query->list_fields() as $name) @@ -274,13 +269,8 @@ public function csv_from_result($query, $delim = ',', $newline = "\n", $enclosur * @param array $params Any preferences * @return string */ - public function xml_from_result($query, $params = array()) + public function xml_from_result(CI_DB_result $query, $params = array()) { - if ( ! is_object($query) OR ! method_exists($query, 'list_fields')) - { - show_error('You must submit a valid result object'); - } - // Set our default values foreach (array('root' => 'root', 'element' => 'element', 'newline' => "\n", 'tab' => "\t") as $key => $val) { From 2410c30c457e108c1f57978df610e82abab0361e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 8 Dec 2015 13:25:19 +0200 Subject: [PATCH 2505/3829] Remove CI_DB_driver::load_rdriver() --- system/database/DB.php | 5 ++++- system/database/DB_driver.php | 27 +++------------------------ 2 files changed, 7 insertions(+), 25 deletions(-) diff --git a/system/database/DB.php b/system/database/DB.php index 23de414b5e4..355d26fb593 100644 --- a/system/database/DB.php +++ b/system/database/DB.php @@ -192,10 +192,13 @@ class CI_DB extends CI_DB_driver { } // Load the DB driver $driver_file = BASEPATH.'database/drivers/'.$params['dbdriver'].'/'.$params['dbdriver'].'_driver.php'; - file_exists($driver_file) OR show_error('Invalid DB driver'); require_once($driver_file); + // Load the result classes as well + require_once(BASEPATH.'database/DB_result.php'); + require_once(BASEPATH.'database/drivers/'.$params['dbdriver'].'/'.$params['dbdriver'].'_result.php'); + // Instantiate the DB adapter $driver = 'CI_DB_'.$params['dbdriver'].'_driver'; $DB = new $driver($params); diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 25e70ec3f2b..bc016efbf49 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -622,7 +622,6 @@ public function query($sql, $binds = FALSE, $return_object = NULL) // cached query if it exists if ($this->cache_on === TRUE && $return_object === TRUE && $this->_cache_init()) { - $this->load_rdriver(); if (FALSE !== ($cache = $this->CACHE->read($sql))) { return $cache; @@ -710,9 +709,9 @@ public function query($sql, $binds = FALSE, $return_object = NULL) return TRUE; } - // Load and instantiate the result driver - $driver = $this->load_rdriver(); - $RES = new $driver($this); + // Instantiate the driver-specific result class + $driver = 'CI_DB_'.$this->dbdriver.'_result'; + $RES = new $driver($this); // Is query caching enabled? If so, we'll serialize the // result object and save it to a cache file. @@ -741,26 +740,6 @@ public function query($sql, $binds = FALSE, $return_object = NULL) // -------------------------------------------------------------------- - /** - * Load the result drivers - * - * @return string the name of the result class - */ - public function load_rdriver() - { - $driver = 'CI_DB_'.$this->dbdriver.'_result'; - - if ( ! class_exists($driver, FALSE)) - { - require_once(BASEPATH.'database/DB_result.php'); - require_once(BASEPATH.'database/drivers/'.$this->dbdriver.'/'.$this->dbdriver.'_result.php'); - } - - return $driver; - } - - // -------------------------------------------------------------------- - /** * Simple Query * This is a simplified version of the query() function. Internally From 62a106e277e53a99346314cc10480e549225b08c Mon Sep 17 00:00:00 2001 From: Phil Scherer Date: Tue, 8 Dec 2015 18:06:11 -0500 Subject: [PATCH 2506/3829] Fix mismatched brackets in documentation Sphinx generates incomplete/incorrect HTML output because there are mismatched brackets in the documentation. Signed-off-by: Phil Scherer --- user_guide_src/source/database/db_driver_reference.rst | 2 +- user_guide_src/source/helpers/cookie_helper.rst | 6 +++--- user_guide_src/source/helpers/form_helper.rst | 4 ++-- user_guide_src/source/libraries/sessions.rst | 2 +- user_guide_src/source/libraries/trackback.rst | 2 +- 5 files changed, 8 insertions(+), 8 deletions(-) diff --git a/user_guide_src/source/database/db_driver_reference.rst b/user_guide_src/source/database/db_driver_reference.rst index 8fc26c01b79..1e436ede18d 100644 --- a/user_guide_src/source/database/db_driver_reference.rst +++ b/user_guide_src/source/database/db_driver_reference.rst @@ -83,7 +83,7 @@ This article is intended to be a reference for them. Database version number. - .. php:method:: query($sql[, $binds = FALSE[, $return_object = NULL]]]) + .. php:method:: query($sql[, $binds = FALSE[, $return_object = NULL]]) :param string $sql: The SQL statement to execute :param array $binds: An array of binding data diff --git a/user_guide_src/source/helpers/cookie_helper.rst b/user_guide_src/source/helpers/cookie_helper.rst index da26151cb25..c9d2f419c52 100644 --- a/user_guide_src/source/helpers/cookie_helper.rst +++ b/user_guide_src/source/helpers/cookie_helper.rst @@ -25,7 +25,7 @@ Available Functions The following functions are available: -.. php:function:: set_cookie($name[, $value = ''[, $expire = ''[, $domain = ''[, $path = '/'[, $prefix = ''[, $secure = FALSE[, $httponly = FALSE]]]]]]]]) +.. php:function:: set_cookie($name[, $value = ''[, $expire = ''[, $domain = ''[, $path = '/'[, $prefix = ''[, $secure = FALSE[, $httponly = FALSE]]]]]]]) :param mixed $name: Cookie name *or* associative array of all of the parameters available to this function :param string $value: Cookie value @@ -42,7 +42,7 @@ The following functions are available: a description of its use, as this function is an alias for ``CI_Input::set_cookie()``. -.. php:function:: get_cookie($index[, $xss_clean = NULL]]) +.. php:function:: get_cookie($index[, $xss_clean = NULL]) :param string $index: Cookie name :param bool $xss_clean: Whether to apply XSS filtering to the returned value @@ -56,7 +56,7 @@ The following functions are available: the ``$config['cookie_prefix']`` that you might've set in your *application/config/config.php* file. -.. php:function:: delete_cookie($name[, $domain = ''[, $path = '/'[, $prefix = '']]]]) +.. php:function:: delete_cookie($name[, $domain = ''[, $path = '/'[, $prefix = '']]]) :param string $name: Cookie name :param string $domain: Cookie domain (usually: .yourdomain.com) diff --git a/user_guide_src/source/helpers/form_helper.rst b/user_guide_src/source/helpers/form_helper.rst index d3ee3ffb612..a67dbc0bf2b 100644 --- a/user_guide_src/source/helpers/form_helper.rst +++ b/user_guide_src/source/helpers/form_helper.rst @@ -108,7 +108,7 @@ The following functions are available: -.. php:function:: form_open_multipart([$action = ''[, $attributes = array()[, $hidden = array()]]) +.. php:function:: form_open_multipart([$action = ''[, $attributes = array()[, $hidden = array()]]]) :param string $action: Form action/target URI string :param array $attributes: HTML attributes @@ -187,7 +187,7 @@ The following functions are available: */ -.. php:function:: form_input([$data = ''[, $value = ''[, $extra = '']]) +.. php:function:: form_input([$data = ''[, $value = ''[, $extra = '']]]) :param array $data: Field attributes data :param string $value: Field value diff --git a/user_guide_src/source/libraries/sessions.rst b/user_guide_src/source/libraries/sessions.rst index 9c9761bbf59..881705c92ee 100644 --- a/user_guide_src/source/libraries/sessions.rst +++ b/user_guide_src/source/libraries/sessions.rst @@ -842,7 +842,7 @@ Class Reference .. note:: This method is DEPRECATED. Use ``userdata()`` with no parameters instead. - .. php:method:: &get_userdata() + .. php:method:: get_userdata() :returns: A reference to ``$_SESSION`` :rtype: array diff --git a/user_guide_src/source/libraries/trackback.rst b/user_guide_src/source/libraries/trackback.rst index 4e0cb554151..bceb515f270 100644 --- a/user_guide_src/source/libraries/trackback.rst +++ b/user_guide_src/source/libraries/trackback.rst @@ -239,7 +239,7 @@ Class Reference This method simply validates the incoming TB data, returning TRUE on success and FALSE on failure. If the data is valid it is set to the ``$this->data`` array so that it can be inserted into a database. - .. php:method:: send_error([$message = 'Incomplete information') + .. php:method:: send_error([$message = 'Incomplete information']) :param string $message: Error message :rtype: void From 367dad5bab86f72a843010f07590aa9c3ecc5780 Mon Sep 17 00:00:00 2001 From: Phil Scherer Date: Wed, 9 Dec 2015 13:34:38 -0500 Subject: [PATCH 2507/3829] Remove accidentally included change --- user_guide_src/source/libraries/sessions.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/sessions.rst b/user_guide_src/source/libraries/sessions.rst index 881705c92ee..9c9761bbf59 100644 --- a/user_guide_src/source/libraries/sessions.rst +++ b/user_guide_src/source/libraries/sessions.rst @@ -842,7 +842,7 @@ Class Reference .. note:: This method is DEPRECATED. Use ``userdata()`` with no parameters instead. - .. php:method:: get_userdata() + .. php:method:: &get_userdata() :returns: A reference to ``$_SESSION`` :rtype: array From 3e75ff6050fd86816601a11effc2932ecd81ebf7 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 10 Dec 2015 13:28:19 +0200 Subject: [PATCH 2508/3829] Merge pull request #4304 from scherepn/fix-doc-build-errors [ci skip] Fix mismatched brackets in documentation --- user_guide_src/source/database/db_driver_reference.rst | 2 +- user_guide_src/source/helpers/cookie_helper.rst | 6 +++--- user_guide_src/source/helpers/form_helper.rst | 4 ++-- user_guide_src/source/libraries/trackback.rst | 2 +- 4 files changed, 7 insertions(+), 7 deletions(-) diff --git a/user_guide_src/source/database/db_driver_reference.rst b/user_guide_src/source/database/db_driver_reference.rst index 8fc26c01b79..1e436ede18d 100644 --- a/user_guide_src/source/database/db_driver_reference.rst +++ b/user_guide_src/source/database/db_driver_reference.rst @@ -83,7 +83,7 @@ This article is intended to be a reference for them. Database version number. - .. php:method:: query($sql[, $binds = FALSE[, $return_object = NULL]]]) + .. php:method:: query($sql[, $binds = FALSE[, $return_object = NULL]]) :param string $sql: The SQL statement to execute :param array $binds: An array of binding data diff --git a/user_guide_src/source/helpers/cookie_helper.rst b/user_guide_src/source/helpers/cookie_helper.rst index da26151cb25..c9d2f419c52 100644 --- a/user_guide_src/source/helpers/cookie_helper.rst +++ b/user_guide_src/source/helpers/cookie_helper.rst @@ -25,7 +25,7 @@ Available Functions The following functions are available: -.. php:function:: set_cookie($name[, $value = ''[, $expire = ''[, $domain = ''[, $path = '/'[, $prefix = ''[, $secure = FALSE[, $httponly = FALSE]]]]]]]]) +.. php:function:: set_cookie($name[, $value = ''[, $expire = ''[, $domain = ''[, $path = '/'[, $prefix = ''[, $secure = FALSE[, $httponly = FALSE]]]]]]]) :param mixed $name: Cookie name *or* associative array of all of the parameters available to this function :param string $value: Cookie value @@ -42,7 +42,7 @@ The following functions are available: a description of its use, as this function is an alias for ``CI_Input::set_cookie()``. -.. php:function:: get_cookie($index[, $xss_clean = NULL]]) +.. php:function:: get_cookie($index[, $xss_clean = NULL]) :param string $index: Cookie name :param bool $xss_clean: Whether to apply XSS filtering to the returned value @@ -56,7 +56,7 @@ The following functions are available: the ``$config['cookie_prefix']`` that you might've set in your *application/config/config.php* file. -.. php:function:: delete_cookie($name[, $domain = ''[, $path = '/'[, $prefix = '']]]]) +.. php:function:: delete_cookie($name[, $domain = ''[, $path = '/'[, $prefix = '']]]) :param string $name: Cookie name :param string $domain: Cookie domain (usually: .yourdomain.com) diff --git a/user_guide_src/source/helpers/form_helper.rst b/user_guide_src/source/helpers/form_helper.rst index d3ee3ffb612..a67dbc0bf2b 100644 --- a/user_guide_src/source/helpers/form_helper.rst +++ b/user_guide_src/source/helpers/form_helper.rst @@ -108,7 +108,7 @@ The following functions are available: -.. php:function:: form_open_multipart([$action = ''[, $attributes = array()[, $hidden = array()]]) +.. php:function:: form_open_multipart([$action = ''[, $attributes = array()[, $hidden = array()]]]) :param string $action: Form action/target URI string :param array $attributes: HTML attributes @@ -187,7 +187,7 @@ The following functions are available: */ -.. php:function:: form_input([$data = ''[, $value = ''[, $extra = '']]) +.. php:function:: form_input([$data = ''[, $value = ''[, $extra = '']]]) :param array $data: Field attributes data :param string $value: Field value diff --git a/user_guide_src/source/libraries/trackback.rst b/user_guide_src/source/libraries/trackback.rst index 4e0cb554151..bceb515f270 100644 --- a/user_guide_src/source/libraries/trackback.rst +++ b/user_guide_src/source/libraries/trackback.rst @@ -239,7 +239,7 @@ Class Reference This method simply validates the incoming TB data, returning TRUE on success and FALSE on failure. If the data is valid it is set to the ``$this->data`` array so that it can be inserted into a database. - .. php:method:: send_error([$message = 'Incomplete information') + .. php:method:: send_error([$message = 'Incomplete information']) :param string $message: Error message :rtype: void From 71a65c359e6aee6f3f7a7f785dea1af4df064701 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 11 Dec 2015 17:21:51 +0200 Subject: [PATCH 2509/3829] Fix #4306 --- system/database/drivers/mssql/mssql_driver.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index 883973ae112..b9e310a3af2 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -267,7 +267,7 @@ protected function _db_set_charset($charset) */ protected function _version() { - return 'SELECT @@VERSION AS ver'; + return "SELECT SERVERPROPERTY('ProductVersion') AS ver"; } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index a7807aa03eb..7188e1037e2 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -23,6 +23,7 @@ Bug fixes for 3.0.4 - Fixed a bug (#4244) - :doc:`Email Library ` could improperly use "unsafe" US-ASCII characters during Quoted-printable encoding. - Fixed a bug (#4245) - :doc:`Database Forge ` couldn't properly handle ``SET`` and ``ENUM`` type fields with string values. - Fixed a bug (#4283) - :doc:`String Helper ` function :php:func:`alternator()` couldn't be called without arguments. +- Fixed a bug (#4306) - :doc:`Database ` method ``version()`` didn't work properly with the 'mssql' driver. Version 3.0.3 ============= From 8df6efd402180a6361b4dd619f5535d6c2bed334 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 11 Dec 2015 17:55:55 +0200 Subject: [PATCH 2510/3829] Fix #4039 --- system/libraries/Session/drivers/Session_files_driver.php | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/system/libraries/Session/drivers/Session_files_driver.php b/system/libraries/Session/drivers/Session_files_driver.php index 45da91c46e6..173b43710f1 100644 --- a/system/libraries/Session/drivers/Session_files_driver.php +++ b/system/libraries/Session/drivers/Session_files_driver.php @@ -183,6 +183,12 @@ public function read($session_id) return ''; } } + // We shouldn't need this, but apparently we do ... + // See https://github.com/bcit-ci/CodeIgniter/issues/4039 + elseif ($this->_file_handler === FALSE) + { + return FALSE; + } else { rewind($this->_file_handle); From e705f8e71a80e7740fe6d87f9e01afebc40cd375 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 11 Dec 2015 17:58:55 +0200 Subject: [PATCH 2511/3829] [ci skip] Add changelog entry for issue #4039 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 7188e1037e2..f4e51588ab5 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -24,6 +24,7 @@ Bug fixes for 3.0.4 - Fixed a bug (#4245) - :doc:`Database Forge ` couldn't properly handle ``SET`` and ``ENUM`` type fields with string values. - Fixed a bug (#4283) - :doc:`String Helper ` function :php:func:`alternator()` couldn't be called without arguments. - Fixed a bug (#4306) - :doc:`Database ` method ``version()`` didn't work properly with the 'mssql' driver. +- Fixed a bug (#4039) - :doc:`Session Library ` could generate multiple (redundant) warnings in case of a read failure with the 'files' driver, due to a bug in PHP. Version 3.0.3 ============= From af849696d43f5c3b68962af1ae5096151a6d9f1a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Dec 2015 14:07:39 +0200 Subject: [PATCH 2512/3829] [ci skip] Proper error handling for Sessions on PHP 5 This was actually a PHP bug, see https://wiki.php.net/rfc/session.user.return-value Also related: #4039 --- system/libraries/Session/Session_driver.php | 23 ++++++++ .../drivers/Session_database_driver.php | 49 +++++++++------ .../Session/drivers/Session_files_driver.php | 59 +++++++++++-------- .../drivers/Session_memcached_driver.php | 45 +++++++------- .../Session/drivers/Session_redis_driver.php | 35 ++++++----- user_guide_src/source/changelog.rst | 1 + 6 files changed, 134 insertions(+), 78 deletions(-) diff --git a/system/libraries/Session/Session_driver.php b/system/libraries/Session/Session_driver.php index 47376da5b0f..64b4bb51147 100644 --- a/system/libraries/Session/Session_driver.php +++ b/system/libraries/Session/Session_driver.php @@ -74,6 +74,18 @@ abstract class CI_Session_driver implements SessionHandlerInterface { */ protected $_session_id; + /** + * Success and failure return values + * + * Necessary due to a bug in all PHP 5 versions where return values + * from userspace handlers are not handled properly. PHP 7 fixes the + * bug, so we need to return different values depending on the version. + * + * @see https://wiki.php.net/rfc/session.user.return-value + * @var mixed + */ + protected $_success, $_failure; + // ------------------------------------------------------------------------ /** @@ -85,6 +97,17 @@ abstract class CI_Session_driver implements SessionHandlerInterface { public function __construct(&$params) { $this->_config =& $params; + + if (is_php('7')) + { + $this->_success = TRUE; + $this->_failure = FALSE; + } + else + { + $this->_success = 0; + $this->_failure = -1; + } } // ------------------------------------------------------------------------ diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index 72b39d12d47..40a358fb876 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -125,9 +125,12 @@ public function __construct(&$params) */ public function open($save_path, $name) { - return empty($this->_db->conn_id) - ? (bool) $this->_db->db_connect() - : TRUE; + if (empty($this->_db->conn_id) && ! $this->_db->db_connect()) + { + return $this->_failure; + } + + return $this->_success; } // ------------------------------------------------------------------------ @@ -201,7 +204,7 @@ public function write($session_id, $session_data) { if ( ! $this->_release_lock() OR ! $this->_get_lock($session_id)) { - return FALSE; + return $this->_failure; } $this->_row_exists = FALSE; @@ -209,7 +212,7 @@ public function write($session_id, $session_data) } elseif ($this->_lock === FALSE) { - return FALSE; + return $this->_failure; } if ($this->_row_exists === FALSE) @@ -224,10 +227,11 @@ public function write($session_id, $session_data) if ($this->_db->insert($this->_config['save_path'], $insert_data)) { $this->_fingerprint = md5($session_data); - return $this->_row_exists = TRUE; + $this->_row_exists = TRUE; + return $this->_success; } - return FALSE; + return $this->_failure; } $this->_db->where('id', $session_id); @@ -247,10 +251,10 @@ public function write($session_id, $session_data) if ($this->_db->update($this->_config['save_path'], $update_data)) { $this->_fingerprint = md5($session_data); - return TRUE; + return $this->_success; } - return FALSE; + return $this->_failure; } // ------------------------------------------------------------------------ @@ -264,9 +268,9 @@ public function write($session_id, $session_data) */ public function close() { - return ($this->_lock) - ? $this->_release_lock() - : TRUE; + return ($this->_lock && ! $this->_release_lock()) + ? $this->_failure + : $this->_success; } // ------------------------------------------------------------------------ @@ -289,12 +293,19 @@ public function destroy($session_id) $this->_db->where('ip_address', $_SERVER['REMOTE_ADDR']); } - return $this->_db->delete($this->_config['save_path']) - ? ($this->close() && $this->_cookie_destroy()) - : FALSE; + if ( ! $this->_db->delete($this->_config['save_path'])) + { + return $this->_failure; + } + } + + if ($this->close()) + { + $this->_cookie_destroy(); + return $this->_success; } - return ($this->close() && $this->_cookie_destroy()); + return $this->_failure; } // ------------------------------------------------------------------------ @@ -309,7 +320,9 @@ public function destroy($session_id) */ public function gc($maxlifetime) { - return $this->_db->delete($this->_config['save_path'], 'timestamp < '.(time() - $maxlifetime)); + return ($this->_db->delete($this->_config['save_path'], 'timestamp < '.(time() - $maxlifetime))) + ? $this->_success + : $this->_failure; } // ------------------------------------------------------------------------ @@ -390,4 +403,4 @@ protected function _release_lock() return parent::_release_lock(); } -} +} \ No newline at end of file diff --git a/system/libraries/Session/drivers/Session_files_driver.php b/system/libraries/Session/drivers/Session_files_driver.php index 173b43710f1..f0f055f87cc 100644 --- a/system/libraries/Session/drivers/Session_files_driver.php +++ b/system/libraries/Session/drivers/Session_files_driver.php @@ -129,7 +129,7 @@ public function open($save_path, $name) .$name // we'll use the session cookie name as a prefix to avoid collisions .($this->_config['match_ip'] ? md5($_SERVER['REMOTE_ADDR']) : ''); - return TRUE; + return $this->_success; } // ------------------------------------------------------------------------ @@ -156,13 +156,13 @@ public function read($session_id) if (($this->_file_handle = fopen($this->_file_path.$session_id, 'w+b')) === FALSE) { log_message('error', "Session: File '".$this->_file_path.$session_id."' doesn't exist and cannot be created."); - return FALSE; + return $this->_failure; } } elseif (($this->_file_handle = fopen($this->_file_path.$session_id, 'r+b')) === FALSE) { log_message('error', "Session: Unable to open file '".$this->_file_path.$session_id."'."); - return FALSE; + return $this->_failure; } if (flock($this->_file_handle, LOCK_EX) === FALSE) @@ -170,7 +170,7 @@ public function read($session_id) log_message('error', "Session: Unable to obtain lock for file '".$this->_file_path.$session_id."'."); fclose($this->_file_handle); $this->_file_handle = NULL; - return FALSE; + return $this->_failure; } // Needed by write() to detect session_regenerate_id() calls @@ -187,7 +187,7 @@ public function read($session_id) // See https://github.com/bcit-ci/CodeIgniter/issues/4039 elseif ($this->_file_handler === FALSE) { - return FALSE; + return $this->_failure; } else { @@ -226,18 +226,18 @@ public function write($session_id, $session_data) // and we need to close the old handle and open a new one if ($session_id !== $this->_session_id && ( ! $this->close() OR $this->read($session_id) === FALSE)) { - return FALSE; + return $this->_failure; } if ( ! is_resource($this->_file_handle)) { - return FALSE; + return $this->_failure; } elseif ($this->_fingerprint === md5($session_data)) { - return ($this->_file_new) - ? TRUE - : touch($this->_file_path.$session_id); + return ( ! $this->_file_new && ! touch($this->_file_path.$session_id)) + ? $this->_failure + : $this->_success; } if ( ! $this->_file_new) @@ -260,12 +260,12 @@ public function write($session_id, $session_data) { $this->_fingerprint = md5(substr($session_data, 0, $written)); log_message('error', 'Session: Unable to write data.'); - return FALSE; + return $this->_failure; } } $this->_fingerprint = md5($session_data); - return TRUE; + return $this->_success; } // ------------------------------------------------------------------------ @@ -285,10 +285,9 @@ public function close() fclose($this->_file_handle); $this->_file_handle = $this->_file_new = $this->_session_id = NULL; - return TRUE; } - return TRUE; + return $this->_success; } // ------------------------------------------------------------------------ @@ -305,19 +304,31 @@ public function destroy($session_id) { if ($this->close()) { - return file_exists($this->_file_path.$session_id) - ? (unlink($this->_file_path.$session_id) && $this->_cookie_destroy()) - : TRUE; + if (file_exists($this->_file_path.$session_id)) + { + $this->_cookie_destroy(); + return unlink($this->_file_path.$session_id) + ? $this->_success + : $this->_failure; + } + + return $this->_success; } elseif ($this->_file_path !== NULL) { clearstatcache(); - return file_exists($this->_file_path.$session_id) - ? (unlink($this->_file_path.$session_id) && $this->_cookie_destroy()) - : TRUE; + if (file_exists($this->_file_path.$session_id)) + { + $this->_cookie_destroy(); + return unlink($this->_file_path.$session_id) + ? $this->_success + : $this->_failure; + } + + return $this->_success; } - return FALSE; + return $this->_failure; } // ------------------------------------------------------------------------ @@ -335,7 +346,7 @@ public function gc($maxlifetime) if ( ! is_dir($this->_config['save_path']) OR ($directory = opendir($this->_config['save_path'])) === FALSE) { log_message('debug', "Session: Garbage collector couldn't list files under directory '".$this->_config['save_path']."'."); - return FALSE; + return $this->_failure; } $ts = time() - $maxlifetime; @@ -362,7 +373,7 @@ public function gc($maxlifetime) closedir($directory); - return TRUE; + return $this->_success; } -} +} \ No newline at end of file diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index 97b860588ae..760239dfbee 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -117,7 +117,7 @@ public function open($save_path, $name) { $this->_memcached = NULL; log_message('error', 'Session: Invalid Memcached save path format: '.$this->_config['save_path']); - return FALSE; + return $this->_failure; } foreach ($matches as $match) @@ -142,10 +142,10 @@ public function open($save_path, $name) if (empty($server_list)) { log_message('error', 'Session: Memcached server pool is empty.'); - return FALSE; + return $this->_failure; } - return TRUE; + return $this->_success; } // ------------------------------------------------------------------------ @@ -170,7 +170,7 @@ public function read($session_id) return $session_data; } - return FALSE; + return $this->_failure; } // ------------------------------------------------------------------------ @@ -188,14 +188,14 @@ public function write($session_id, $session_data) { if ( ! isset($this->_memcached)) { - return FALSE; + return $this->_failure; } // Was the ID regenerated? elseif ($session_id !== $this->_session_id) { if ( ! $this->_release_lock() OR ! $this->_get_lock($session_id)) { - return FALSE; + return $this->_failure; } $this->_fingerprint = md5(''); @@ -210,16 +210,18 @@ public function write($session_id, $session_data) if ($this->_memcached->set($this->_key_prefix.$session_id, $session_data, $this->_config['expiration'])) { $this->_fingerprint = $fingerprint; - return TRUE; + return $this->_success; } - return FALSE; + return $this->_failure; } - return $this->_memcached->touch($this->_key_prefix.$session_id, $this->_config['expiration']); + return $this->_memcached->touch($this->_key_prefix.$session_id, $this->_config['expiration']) + ? $this->_success + : $this->_failure; } - return FALSE; + return $this->_failure; } // ------------------------------------------------------------------------ @@ -238,14 +240,14 @@ public function close() isset($this->_lock_key) && $this->_memcached->delete($this->_lock_key); if ( ! $this->_memcached->quit()) { - return FALSE; + return $this->_failure; } $this->_memcached = NULL; - return TRUE; + return $this->_success; } - return FALSE; + return $this->_failure; } // ------------------------------------------------------------------------ @@ -263,10 +265,11 @@ public function destroy($session_id) if (isset($this->_memcached, $this->_lock_key)) { $this->_memcached->delete($this->_key_prefix.$session_id); - return $this->_cookie_destroy(); + $this->_cookie_destroy(); + return $this->_success; } - return FALSE; + return $this->_failure; } // ------------------------------------------------------------------------ @@ -282,7 +285,7 @@ public function destroy($session_id) public function gc($maxlifetime) { // Not necessary, Memcached takes care of that. - return TRUE; + return $this->_success; } // ------------------------------------------------------------------------ @@ -299,7 +302,9 @@ protected function _get_lock($session_id) { if (isset($this->_lock_key)) { - return $this->_memcached->replace($this->_lock_key, time(), 300); + return ($this->_memcached->replace($this->_lock_key, time(), 300)) + ? $this->_success + : $this->_failure; } // 30 attempts to obtain a lock, in case another request already has it @@ -316,7 +321,7 @@ protected function _get_lock($session_id) if ( ! $this->_memcached->set($lock_key, time(), 300)) { log_message('error', 'Session: Error while trying to obtain lock for '.$this->_key_prefix.$session_id); - return FALSE; + return $this->_failure; } $this->_lock_key = $lock_key; @@ -327,11 +332,11 @@ protected function _get_lock($session_id) if ($attempt === 30) { log_message('error', 'Session: Unable to obtain lock for '.$this->_key_prefix.$session_id.' after 30 attempts, aborting.'); - return FALSE; + return $this->_failure; } $this->_lock = TRUE; - return TRUE; + return $this->_success; } // ------------------------------------------------------------------------ diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index b098cc44162..e8915306f7c 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -124,7 +124,7 @@ public function open($save_path, $name) { if (empty($this->_config['save_path'])) { - return FALSE; + return $this->_failure; } $redis = new Redis(); @@ -143,10 +143,10 @@ public function open($save_path, $name) else { $this->_redis = $redis; - return TRUE; + return $this->_success; } - return FALSE; + return $this->_failure; } // ------------------------------------------------------------------------ @@ -171,7 +171,7 @@ public function read($session_id) return $session_data; } - return FALSE; + return $this->_failure; } // ------------------------------------------------------------------------ @@ -189,14 +189,14 @@ public function write($session_id, $session_data) { if ( ! isset($this->_redis)) { - return FALSE; + return $this->_failure; } // Was the ID regenerated? elseif ($session_id !== $this->_session_id) { if ( ! $this->_release_lock() OR ! $this->_get_lock($session_id)) { - return FALSE; + return $this->_failure; } $this->_fingerprint = md5(''); @@ -211,16 +211,18 @@ public function write($session_id, $session_data) if ($this->_redis->set($this->_key_prefix.$session_id, $session_data, $this->_config['expiration'])) { $this->_fingerprint = $fingerprint; - return TRUE; + return $this->_success; } - return FALSE; + return $this->_failure; } - return $this->_redis->setTimeout($this->_key_prefix.$session_id, $this->_config['expiration']); + return ($this->_redis->setTimeout($this->_key_prefix.$session_id, $this->_config['expiration'])) + ? $this->_success + : $this->_failure; } - return FALSE; + return $this->_failure; } // ------------------------------------------------------------------------ @@ -242,7 +244,7 @@ public function close() isset($this->_lock_key) && $this->_redis->delete($this->_lock_key); if ( ! $this->_redis->close()) { - return FALSE; + return $this->_failure; } } } @@ -252,10 +254,10 @@ public function close() } $this->_redis = NULL; - return TRUE; + return $this->_success; } - return TRUE; + return $this->_success; } // ------------------------------------------------------------------------ @@ -277,10 +279,11 @@ public function destroy($session_id) log_message('debug', 'Session: Redis::delete() expected to return 1, got '.var_export($result, TRUE).' instead.'); } - return $this->_cookie_destroy(); + $this->_cookie_destroy(); + return $this->_success; } - return FALSE; + return $this->_failure; } // ------------------------------------------------------------------------ @@ -296,7 +299,7 @@ public function destroy($session_id) public function gc($maxlifetime) { // Not necessary, Redis takes care of that. - return TRUE; + return $this->_success; } // ------------------------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index f4e51588ab5..caa4455d8ce 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -25,6 +25,7 @@ Bug fixes for 3.0.4 - Fixed a bug (#4283) - :doc:`String Helper ` function :php:func:`alternator()` couldn't be called without arguments. - Fixed a bug (#4306) - :doc:`Database ` method ``version()`` didn't work properly with the 'mssql' driver. - Fixed a bug (#4039) - :doc:`Session Library ` could generate multiple (redundant) warnings in case of a read failure with the 'files' driver, due to a bug in PHP. +- Fixed a bug where :doc:`Session Library ` didn't have proper error handling on PHP 5 (due to a PHP bug). Version 3.0.3 ============= From 97ecf2fcce8e3133e286e16de1b49612235a8dcf Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Dec 2015 17:26:28 +0200 Subject: [PATCH 2513/3829] Complete the proposed changes from PR #4300 --- system/database/DB_driver.php | 19 +++---------------- user_guide_src/source/changelog.rst | 2 +- .../source/database/db_driver_reference.rst | 1 + 3 files changed, 5 insertions(+), 17 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index f3aeb7f8176..418de27c8d9 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -381,6 +381,7 @@ public function __construct($params) * Initialize Database Settings * * @return bool + * @throws RuntimeException In case of failure */ public function initialize() { @@ -429,14 +430,7 @@ public function initialize() // We still don't have a connection? if ( ! $this->conn_id) { - log_message('error', 'Unable to connect to the database'); - - if ($this->db_debug) - { - $this->display_error('db_unable_to_connect'); - } - - throw new RuntimeException('Database connection failure.'); + throw new RuntimeException('Unable to connect to the database.'); } } @@ -751,14 +745,7 @@ public function query($sql, $binds = FALSE, $return_object = NULL) */ public function simple_query($sql) { - if ( ! $this->conn_id) - { - if ( ! $this->initialize()) - { - return FALSE; - } - } - + empty($this->conn_id) && $this->initialize(); return $this->_execute($sql); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 5a41fa18bec..1ea34eee6e9 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -13,7 +13,7 @@ Release Date: Not Released - Database - - CI_DB_driver::initialize() throws a "Database connection failure." RuntimeException if couldn't connect to the database. + - Failure to initialize a database connection will now throw a ``RuntimeException``. Version 3.0.4 diff --git a/user_guide_src/source/database/db_driver_reference.rst b/user_guide_src/source/database/db_driver_reference.rst index 1e436ede18d..f0a4388835e 100644 --- a/user_guide_src/source/database/db_driver_reference.rst +++ b/user_guide_src/source/database/db_driver_reference.rst @@ -19,6 +19,7 @@ This article is intended to be a reference for them. :returns: TRUE on success, FALSE on failure :rtype: bool + :throws: RuntimeException In case of failure Initialize database settings, establish a connection to the database. From ce8fa5acfe0e7f9d8b974fa470201a9404667b3d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 14 Dec 2015 12:57:09 +0200 Subject: [PATCH 2514/3829] Fix #4312 --- system/libraries/Form_validation.php | 9 +++------ user_guide_src/source/changelog.rst | 1 + 2 files changed, 4 insertions(+), 6 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index a158225eea6..c2212585d89 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -415,12 +415,9 @@ public function error_string($prefix = '', $suffix = '') */ public function run($group = '') { - // Do we even have any data to process? Mm? - $validation_array = empty($this->validation_data) ? $_POST : $this->validation_data; - if (count($validation_array) === 0) - { - return FALSE; - } + $validation_array = empty($this->validation_data) + ? $_POST + : $this->validation_data; // Does the _field_data array containing the validation rules exist? // If not, we look to see if they were assigned via a config file diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index caa4455d8ce..ab08c2f6e23 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -26,6 +26,7 @@ Bug fixes for 3.0.4 - Fixed a bug (#4306) - :doc:`Database ` method ``version()`` didn't work properly with the 'mssql' driver. - Fixed a bug (#4039) - :doc:`Session Library ` could generate multiple (redundant) warnings in case of a read failure with the 'files' driver, due to a bug in PHP. - Fixed a bug where :doc:`Session Library ` didn't have proper error handling on PHP 5 (due to a PHP bug). +- Fixed a bug (#4312) - :doc:`Form Validation Library ` didn't provide error feedback for failed validation on empty requests. Version 3.0.3 ============= From 27ba5e6957c9e245478285191b5a88df4bcdc5bb Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 14 Dec 2015 13:05:33 +0200 Subject: [PATCH 2515/3829] Close #4313 --- system/database/DB_driver.php | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 25e70ec3f2b..bfe9dd4b071 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -504,6 +504,18 @@ public function db_select() // -------------------------------------------------------------------- + /** + * Last error + * + * @return array + */ + public function error() + { + return array('code' => NULL, 'message' => NULL); + } + + // -------------------------------------------------------------------- + /** * Set client character set * From bc05b84995d5425d6bdc28c43174e70b720840ce Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 14 Dec 2015 16:22:33 +0200 Subject: [PATCH 2516/3829] Fix version() for Oracle DB drivers --- system/database/drivers/oci8/oci8_driver.php | 8 +++++-- .../drivers/pdo/subdrivers/pdo_oci_driver.php | 23 +++++++++++++++++++ user_guide_src/source/changelog.rst | 1 + 3 files changed, 30 insertions(+), 2 deletions(-) diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index 916ddeb9072..206924d0637 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -252,12 +252,16 @@ public function version() return $this->data_cache['version']; } - if ( ! $this->conn_id OR ($version = oci_server_version($this->conn_id)) === FALSE) + if ( ! $this->conn_id OR ($version_string = oci_server_version($this->conn_id)) === FALSE) { return FALSE; } + elseif (preg_match('#Release\s(\d+(?:\.\d+)+)#', $version_string, $match)) + { + return $this->data_cache['version'] = $match[1]; + } - return $this->data_cache['version'] = $version; + return FALSE; } // -------------------------------------------------------------------- diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php index d17e311f743..4791ab15701 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php @@ -129,6 +129,29 @@ public function __construct($params) // -------------------------------------------------------------------- + /** + * Database version number + * + * @return string + */ + public function version() + { + if (isset($this->data_cache['version'])) + { + return $this->data_cache['version']; + } + + $version_string = parent::version(); + if (preg_match('#Release\s(?\d+(?:\.\d+)+)#', $version_string, $match)) + { + return $this->data_cache['version'] = $match[1]; + } + + return FALSE; + } + + // -------------------------------------------------------------------- + /** * Show table query * diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index ab08c2f6e23..3b832b3a9a7 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -27,6 +27,7 @@ Bug fixes for 3.0.4 - Fixed a bug (#4039) - :doc:`Session Library ` could generate multiple (redundant) warnings in case of a read failure with the 'files' driver, due to a bug in PHP. - Fixed a bug where :doc:`Session Library ` didn't have proper error handling on PHP 5 (due to a PHP bug). - Fixed a bug (#4312) - :doc:`Form Validation Library ` didn't provide error feedback for failed validation on empty requests. +- Fixed a bug where :doc:`Database ` method `version()` returned banner text instead of only the version number with the 'oci8' and 'pdo/oci' drivers. Version 3.0.3 ============= From 85bc9fc53e4c3e46b2f4e1b1eac7e2828d4869e6 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 14 Dec 2015 17:56:14 +0200 Subject: [PATCH 2517/3829] Change DB charset handling Close #4311 --- system/database/DB_driver.php | 32 +------------ .../database/drivers/mssql/mssql_driver.php | 14 +----- .../database/drivers/mysql/mysql_driver.php | 31 +++++++------ .../database/drivers/mysqli/mysqli_driver.php | 20 +++------ .../drivers/postgre/postgre_driver.php | 20 +++------ user_guide_src/source/changelog.rst | 5 ++- .../source/database/db_driver_reference.rst | 11 +---- .../source/installation/upgrade_310.rst | 45 +++++++++++++++++++ 8 files changed, 81 insertions(+), 97 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 885a814bebf..af6b9f399e8 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -380,7 +380,7 @@ public function __construct($params) /** * Initialize Database Settings * - * @return bool + * @return void * @throws RuntimeException In case of failure */ public function initialize() @@ -393,7 +393,7 @@ public function initialize() */ if ($this->conn_id) { - return TRUE; + return; } // ---------------------------------------------------------------- @@ -433,9 +433,6 @@ public function initialize() throw new RuntimeException('Unable to connect to the database.'); } } - - // Now we set the character set and that's all - return $this->db_set_charset($this->char_set); } // -------------------------------------------------------------------- @@ -510,31 +507,6 @@ public function error() // -------------------------------------------------------------------- - /** - * Set client character set - * - * @param string - * @return bool - */ - public function db_set_charset($charset) - { - if (method_exists($this, '_db_set_charset') && ! $this->_db_set_charset($charset)) - { - log_message('error', 'Unable to set database connection charset: '.$charset); - - if ($this->db_debug) - { - $this->display_error('db_unable_to_set_charset', $charset); - } - - return FALSE; - } - - return TRUE; - } - - // -------------------------------------------------------------------- - /** * The name of the platform in use (mysql, mssql, etc...) * diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index b9e310a3af2..bf18babeb07 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -108,6 +108,7 @@ public function __construct($params) */ public function db_connect($persistent = FALSE) { + ini_set('mssql.charset', $this->char_set); $this->conn_id = ($persistent) ? mssql_pconnect($this->hostname, $this->username, $this->password) : mssql_connect($this->hostname, $this->username, $this->password); @@ -247,19 +248,6 @@ public function insert_id() // -------------------------------------------------------------------- - /** - * Set client character set - * - * @param string $charset - * @return bool - */ - protected function _db_set_charset($charset) - { - return (ini_set('mssql.charset', $charset) !== FALSE); - } - - // -------------------------------------------------------------------- - /** * Version number query string * diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 9c630d0d666..76f50368ff8 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -147,12 +147,24 @@ public function db_connect($persistent = FALSE) : FALSE; } - if ($this->stricton && is_resource($this->conn_id)) + if (is_resource($this->conn_id)) { - $this->simple_query('SET SESSION sql_mode="STRICT_ALL_TABLES"'); + if ( ! mysql_set_charset($this->char_set, $this->conn_id)) + { + log_message('error', "Database: Unable to set the configured connection charset ('{$this->char_set}')."); + $this->close(); + return ($this->db->debug) ? $this->display_error('db_unable_to_set_charset', $charset) : FALSE; + } + + if ($this->stricton) + { + $this->simple_query('SET SESSION sql_mode="STRICT_ALL_TABLES"'); + } + + return $this->conn_id; } - return $this->conn_id; + return FALSE; } // -------------------------------------------------------------------- @@ -199,19 +211,6 @@ public function db_select($database = '') // -------------------------------------------------------------------- - /** - * Set client character set - * - * @param string $charset - * @return bool - */ - protected function _db_set_charset($charset) - { - return mysql_set_charset($charset, $this->conn_id); - } - - // -------------------------------------------------------------------- - /** * Database version number * diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 8274700781a..f9a20ea2f71 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -173,6 +173,13 @@ public function db_connect($persistent = FALSE) return ($this->db->db_debug) ? $this->db->display_error($message, '', TRUE) : FALSE; } + if ( ! $mysqli->set_charset($this->char_set)) + { + log_message('error', "Database: Unable to set the configured connection charset ('{$this->char_set}')."); + $mysqli->close(); + return ($this->db->db_debug) ? $this->display_error('db_unable_to_set_charset', $charset) : FALSE; + } + return $mysqli; } @@ -223,19 +230,6 @@ public function db_select($database = '') // -------------------------------------------------------------------- - /** - * Set client character set - * - * @param string $charset - * @return bool - */ - protected function _db_set_charset($charset) - { - return $this->conn_id->set_charset($charset); - } - - // -------------------------------------------------------------------- - /** * Database version number * diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index b1df326f7eb..e4db12d6984 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -163,6 +163,13 @@ public function db_connect($persistent = FALSE) return FALSE; } + if (pg_set_client_encoding($this->conn_id, $charset) !== 0) + { + log_message('error', "Database: Unable to set the configured connection charset ('{$this->char_set}')."); + pg_close($this->conn_id); + return ($this->db->db_debug) ? $this->display_error('db_unable_to_set_charset', $charset) : FALSE; + } + empty($this->schema) OR $this->simple_query('SET search_path TO '.$this->schema.',public'); } @@ -189,19 +196,6 @@ public function reconnect() // -------------------------------------------------------------------- - /** - * Set client character set - * - * @param string $charset - * @return bool - */ - protected function _db_set_charset($charset) - { - return (pg_set_client_encoding($this->conn_id, $charset) === 0); - } - - // -------------------------------------------------------------------- - /** * Database version number * diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 6d74747650e..3c0dc8a7273 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -13,8 +13,9 @@ Release Date: Not Released - Database - - Failure to initialize a database connection will now throw a ``RuntimeException``. - + - Changed method ``initialize()`` to return void and instead throw a ``RuntimeException`` in case of failure. + - Changed method ``db_connect()`` to always set the connection character set (if supported by the driver) and to fail if it can't. + - Removed method ``db_set_charset()`` and the ability to change a connection character set at runtime. Version 3.0.4 ============= diff --git a/user_guide_src/source/database/db_driver_reference.rst b/user_guide_src/source/database/db_driver_reference.rst index f0a4388835e..75d1538bde3 100644 --- a/user_guide_src/source/database/db_driver_reference.rst +++ b/user_guide_src/source/database/db_driver_reference.rst @@ -17,8 +17,7 @@ This article is intended to be a reference for them. .. php:method:: initialize() - :returns: TRUE on success, FALSE on failure - :rtype: bool + :rtype: void :throws: RuntimeException In case of failure Initialize database settings, establish a connection to @@ -62,14 +61,6 @@ This article is intended to be a reference for them. Select / switch the current database. - .. php:method:: db_set_charset($charset) - - :param string $charset: Character set name - :returns: TRUE on success, FALSE on failure - :rtype: bool - - Set client character set. - .. php:method:: platform() :returns: Platform name diff --git a/user_guide_src/source/installation/upgrade_310.rst b/user_guide_src/source/installation/upgrade_310.rst index 7060ebc4c7d..37772cd4f1e 100644 --- a/user_guide_src/source/installation/upgrade_310.rst +++ b/user_guide_src/source/installation/upgrade_310.rst @@ -12,3 +12,48 @@ Replace all files and directories in your *system/* directory. .. note:: If you have any custom developed files in these directories, please make copies of them first. + +Step 2: Change database connection handling +=========================================== + +"Loading" a database, whether by using the *config/autoload.php* settings +or manually via calling ``$this->load->database()`` or the less-known +``DB()`` function, will now throw a ``RuntimeException`` in case of a +failure. + +In addition, being unable to set the configured character set is now also +considered a connection failure. + +.. note:: This has been the case for most database drivers in the in the + past as well (i.e. all but the 'mysql', 'mysqli' and 'postgre' + drivers). + +What this means is that if you're unable to connect to a database, or +have an erroneous character set configured, CodeIgniter will no longer +fail silently, but will throw an exception instead. + +You may choose to explicitly catch it (and for that purpose you can't use +*config/autoload.php* to load the :doc:`Database Class <../database/index>`) +:: + + try + { + $this->load->database(); + } + catch (RuntimeException $e) + { + // Handle the failure + } + +Or you may leave it to CodeIgniter's default exception handler, which would +log the error message and display an error screen if you're running in +development mode. + +Remove db_set_charset() calls +----------------------------- + +With the above-mentioned changes, the purpose of the ``db_set_charset()`` +method would now only be to change the connection character set at runtime. +That doesn't make sense and that's the reason why most database drivers +don't support it at all. +Thus, ``db_set_charset()`` is no longer necessary and is removed. From 2dc9a352b7cb55255b54b5bab6ba2fc83fc86dbe Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 14 Dec 2015 17:57:23 +0200 Subject: [PATCH 2518/3829] Remove PHP 7 from allowed_failures in Travis --- .travis.yml | 1 - 1 file changed, 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index adc60d759d3..5a7eb11b9f8 100644 --- a/.travis.yml +++ b/.travis.yml @@ -32,7 +32,6 @@ matrix: allow_failures: - php: 5.2 - php: hhvm - - php: 7 exclude: - php: hhvm env: DB=pgsql From 377a18a22307692c318235a7420c29d056c1a5c4 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 14 Dec 2015 17:57:23 +0200 Subject: [PATCH 2519/3829] Remove PHP 7 from allowed_failures in Travis --- .travis.yml | 1 - 1 file changed, 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index adc60d759d3..5a7eb11b9f8 100644 --- a/.travis.yml +++ b/.travis.yml @@ -32,7 +32,6 @@ matrix: allow_failures: - php: 5.2 - php: hhvm - - php: 7 exclude: - php: hhvm env: DB=pgsql From d3c8134b1342dc403df2faf3e63e4bdcdfbd4b92 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 14 Dec 2015 18:01:25 +0200 Subject: [PATCH 2520/3829] Adjust test case for changes from 85bc9fc53e4c3e46b2f4e1b1eac7e2828d4869e6 --- tests/codeigniter/database/DB_driver_test.php | 2 -- 1 file changed, 2 deletions(-) diff --git a/tests/codeigniter/database/DB_driver_test.php b/tests/codeigniter/database/DB_driver_test.php index 26416d3fcae..13e9abf8440 100644 --- a/tests/codeigniter/database/DB_driver_test.php +++ b/tests/codeigniter/database/DB_driver_test.php @@ -7,8 +7,6 @@ public function test_initialize() $config = Mock_Database_DB::config(DB_DRIVER); sscanf(DB_DRIVER, '%[^/]/', $driver_name); $driver = $this->{$driver_name}($config[DB_DRIVER]); - - $this->assertTrue($driver->initialize()); } protected function pdo($config) From f437fd20a78b9f28405d1ebba5f7ed53b1a33545 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 14 Dec 2015 18:06:49 +0200 Subject: [PATCH 2521/3829] Fix erroneous variables from 85bc9fc53e4c3e46b2f4e1b1eac7e2828d4869e6 --- system/database/drivers/mysql/mysql_driver.php | 2 +- system/database/drivers/mysqli/mysqli_driver.php | 2 +- system/database/drivers/postgre/postgre_driver.php | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 76f50368ff8..3fafe3fd8ac 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -153,7 +153,7 @@ public function db_connect($persistent = FALSE) { log_message('error', "Database: Unable to set the configured connection charset ('{$this->char_set}')."); $this->close(); - return ($this->db->debug) ? $this->display_error('db_unable_to_set_charset', $charset) : FALSE; + return ($this->db->debug) ? $this->display_error('db_unable_to_set_charset', $this->char_set) : FALSE; } if ($this->stricton) diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index f9a20ea2f71..847544780f0 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -177,7 +177,7 @@ public function db_connect($persistent = FALSE) { log_message('error', "Database: Unable to set the configured connection charset ('{$this->char_set}')."); $mysqli->close(); - return ($this->db->db_debug) ? $this->display_error('db_unable_to_set_charset', $charset) : FALSE; + return ($this->db->db_debug) ? $this->display_error('db_unable_to_set_charset', $this->char_set) : FALSE; } return $mysqli; diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index e4db12d6984..2d4e5a5d591 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -163,11 +163,11 @@ public function db_connect($persistent = FALSE) return FALSE; } - if (pg_set_client_encoding($this->conn_id, $charset) !== 0) + if (pg_set_client_encoding($this->conn_id, $this->char_set) !== 0) { log_message('error', "Database: Unable to set the configured connection charset ('{$this->char_set}')."); pg_close($this->conn_id); - return ($this->db->db_debug) ? $this->display_error('db_unable_to_set_charset', $charset) : FALSE; + return ($this->db->db_debug) ? $this->display_error('db_unable_to_set_charset', $this->char_set) : FALSE; } empty($this->schema) OR $this->simple_query('SET search_path TO '.$this->schema.',public'); From 2d6d9ab0bfeb546d8c9d7924af7ccc095f798e41 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 15 Dec 2015 12:32:50 +0200 Subject: [PATCH 2522/3829] Really fix #4039 A typo from 8df6efd402180a6361b4dd619f5535d6c2bed334 --- system/libraries/Session/drivers/Session_files_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Session/drivers/Session_files_driver.php b/system/libraries/Session/drivers/Session_files_driver.php index f0f055f87cc..1a943d5c921 100644 --- a/system/libraries/Session/drivers/Session_files_driver.php +++ b/system/libraries/Session/drivers/Session_files_driver.php @@ -185,7 +185,7 @@ public function read($session_id) } // We shouldn't need this, but apparently we do ... // See https://github.com/bcit-ci/CodeIgniter/issues/4039 - elseif ($this->_file_handler === FALSE) + elseif ($this->_file_handle === FALSE) { return $this->_failure; } From bb71dbadb7441a97a09e1e6d90fbddc884af67d1 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 15 Dec 2015 13:00:52 +0200 Subject: [PATCH 2523/3829] Fix logical errors from af849696d43f5c3b68962af1ae5096151a6d9f1a --- system/libraries/Session/drivers/Session_database_driver.php | 2 +- system/libraries/Session/drivers/Session_files_driver.php | 4 ++-- system/libraries/Session/drivers/Session_redis_driver.php | 2 +- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index 40a358fb876..f2adacb6b6e 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -299,7 +299,7 @@ public function destroy($session_id) } } - if ($this->close()) + if ($this->close() === $this->_success) { $this->_cookie_destroy(); return $this->_success; diff --git a/system/libraries/Session/drivers/Session_files_driver.php b/system/libraries/Session/drivers/Session_files_driver.php index 1a943d5c921..c540996a7ff 100644 --- a/system/libraries/Session/drivers/Session_files_driver.php +++ b/system/libraries/Session/drivers/Session_files_driver.php @@ -224,7 +224,7 @@ public function write($session_id, $session_data) { // If the two IDs don't match, we have a session_regenerate_id() call // and we need to close the old handle and open a new one - if ($session_id !== $this->_session_id && ( ! $this->close() OR $this->read($session_id) === FALSE)) + if ($session_id !== $this->_session_id && ($this->close() === $this->_failure OR $this->read($session_id) === $this->_failure)) { return $this->_failure; } @@ -302,7 +302,7 @@ public function close() */ public function destroy($session_id) { - if ($this->close()) + if ($this->close() === $this->_success) { if (file_exists($this->_file_path.$session_id)) { diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index e8915306f7c..b60ef6b343a 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -242,7 +242,7 @@ public function close() if ($this->_redis->ping() === '+PONG') { isset($this->_lock_key) && $this->_redis->delete($this->_lock_key); - if ( ! $this->_redis->close()) + if ($this->_redis->close() === $this->_failure) { return $this->_failure; } From 3933a3f8a96346d45d98d2c15a41b14ec1f970b2 Mon Sep 17 00:00:00 2001 From: Suhindra Date: Thu, 17 Dec 2015 09:04:05 +0700 Subject: [PATCH 2524/3829] added Vivaldi browser added new browser Vivaldi --- application/config/user_agents.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/application/config/user_agents.php b/application/config/user_agents.php index 1129dbacd48..721ec08d3a9 100644 --- a/application/config/user_agents.php +++ b/application/config/user_agents.php @@ -87,7 +87,8 @@ 'amaya' => 'Amaya', 'IBrowse' => 'IBrowse', 'Maxthon' => 'Maxthon', - 'Ubuntu' => 'Ubuntu Web Browser' + 'Ubuntu' => 'Ubuntu Web Browser', + 'Vivaldi' => 'Vivaldi' ); $mobiles = array( From db68d401f67496ba5e495dd36adabe6d85187b44 Mon Sep 17 00:00:00 2001 From: Sai Phaninder Reddy Jonnala Date: Mon, 21 Dec 2015 11:33:57 -0500 Subject: [PATCH 2525/3829] Refactoring the `CI_Log` line formatting - Extracting the `CI_Log` line formatting into a protected function `_format_log_line()` so as to make it easy to change the log line format via extending the class and overriding the method. --- system/core/Log.php | 18 +++++++++++++++++- 1 file changed, 17 insertions(+), 1 deletion(-) diff --git a/system/core/Log.php b/system/core/Log.php index e8cb401f57f..cf2793a564e 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -204,7 +204,7 @@ public function write_log($level, $msg) $date = date($this->_date_fmt); } - $message .= $level.' - '.$date.' --> '.$msg."\n"; + $message .= $this->_format_log_line($level, $date, $msg); flock($fp, LOCK_EX); @@ -227,4 +227,20 @@ public function write_log($level, $msg) return is_int($result); } + /** + * Format the log line. + * + * This is for extensibility of log formatting. + * If you want to change the log format, + * extend the CI_Log class and override this method. + * + * @param $level + * @param $date + * @param $msg + * + * @return string formatted log line with a new line character '\n' at the end. + */ + protected function _format_log_line($level, $date, $msg){ + return $level.' - '.$date.' --> '.$msg."\n"; + } } From 3ac1fd1af92a1d45f9624fff99f5e0692c59d7c6 Mon Sep 17 00:00:00 2001 From: Sai Phaninder Reddy Jonnala Date: Mon, 21 Dec 2015 12:27:40 -0500 Subject: [PATCH 2526/3829] fixing my blatant mistakes in styling the code --- system/core/Log.php | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/system/core/Log.php b/system/core/Log.php index cf2793a564e..0e1f7e2acc7 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -234,13 +234,13 @@ public function write_log($level, $msg) * If you want to change the log format, * extend the CI_Log class and override this method. * - * @param $level - * @param $date - * @param $msg - * - * @return string formatted log line with a new line character '\n' at the end. + * @param string the error level: 'error', 'debug' or 'info' + * @param string formatted date string + * @param string the log message + * @return string formatted log line with a new line character '\n' at the end. */ - protected function _format_log_line($level, $date, $msg){ + protected function _format_log_line($level, $date, $msg) + { return $level.' - '.$date.' --> '.$msg."\n"; } } From f3b711fd9f7d8e096bf774f9c6cfc0a4ca075919 Mon Sep 17 00:00:00 2001 From: Sai Phaninder Reddy Jonnala Date: Mon, 28 Dec 2015 15:19:31 -0500 Subject: [PATCH 2527/3829] Refactor: logic to get the rule's error message --- system/libraries/Form_validation.php | 73 ++++++++++++++++------------ 1 file changed, 43 insertions(+), 30 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index c2212585d89..12cfdff4324 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -637,21 +637,7 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) // Set the message type $type = in_array('required', $rules) ? 'required' : 'isset'; - // Check if a custom message is defined - if (isset($this->_field_data[$row['field']]['errors'][$type])) - { - $line = $this->_field_data[$row['field']]['errors'][$type]; - } - elseif (isset($this->_error_messages[$type])) - { - $line = $this->_error_messages[$type]; - } - elseif (FALSE === ($line = $this->CI->lang->line('form_validation_'.$type)) - // DEPRECATED support for non-prefixed keys - && FALSE === ($line = $this->CI->lang->line($type, FALSE))) - { - $line = 'The field was not set'; - } + $line = $this->_get_raw_error_message($type, $row); // Build the error message $message = $this->_build_error_msg($line, $this->_translate_fieldname($row['label'])); @@ -820,23 +806,9 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) { $line = $this->CI->lang->line('form_validation_error_message_not_set').'(Anonymous function)'; } - // Check if a custom message is defined - elseif (isset($this->_field_data[$row['field']]['errors'][$rule])) - { - $line = $this->_field_data[$row['field']]['errors'][$rule]; - } - elseif ( ! isset($this->_error_messages[$rule])) - { - if (FALSE === ($line = $this->CI->lang->line('form_validation_'.$rule)) - // DEPRECATED support for non-prefixed keys - && FALSE === ($line = $this->CI->lang->line($rule, FALSE))) - { - $line = $this->CI->lang->line('form_validation_error_message_not_set').'('.$rule.')'; - } - } else { - $line = $this->_error_messages[$rule]; + $line = $this->_get_raw_error_message($rule, $row); } // Is the parameter we are inserting into the error message the name @@ -864,6 +836,47 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) // -------------------------------------------------------------------- + /** + * Get the error message for the rule + * + * @param string the rule name. + * @param array + * @return string + */ + private function _get_raw_error_message($key, $row) + { + $error_message = ''; + // Check if a custom message is defined through validation config row. + if (isset($this->_field_data[$row['field']]['errors'][$key])) + { + $error_message = $this->_field_data[$row['field']]['errors'][$key]; + } + // check if a custom message has been set using the set_message() function + elseif (isset($this->_error_messages[$key])) + { + $error_message = $this->_error_messages[$key]; + } + // check if we have an error message in lang file + elseif (FALSE !== ($line_tmp = $this->CI->lang->line('form_validation_'.$key))) + { + $error_message = $line_tmp; + } + // DEPRECATED support for non-prefixed keys, lang file again + elseif (FALSE !== ($line_tmp = $this->CI->lang->line($key, FALSE))) + { + $error_message = $line_tmp; + } + //error message not found + else + { + $error_message = $this->CI->lang->line('form_validation_error_message_not_set').'('.$key.')'; + } + + return $error_message; + } + + // -------------------------------------------------------------------- + /** * Translate a field name * From 0951e58f94c970a03f8ac2d5cba31d122bfa948a Mon Sep 17 00:00:00 2001 From: Sai Phaninder Reddy Jonnala Date: Mon, 28 Dec 2015 15:28:02 -0500 Subject: [PATCH 2528/3829] renamed variable for better readability. --- system/libraries/Form_validation.php | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 12cfdff4324..a34694bfea3 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -843,33 +843,33 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) * @param array * @return string */ - private function _get_raw_error_message($key, $row) + private function _get_raw_error_message($rule_name, $row) { $error_message = ''; - // Check if a custom message is defined through validation config row. - if (isset($this->_field_data[$row['field']]['errors'][$key])) + // check if a custom message is defined through validation config row. + if (isset($this->_field_data[$row['field']]['errors'][$rule_name])) { - $error_message = $this->_field_data[$row['field']]['errors'][$key]; + $error_message = $this->_field_data[$row['field']]['errors'][$rule_name]; } // check if a custom message has been set using the set_message() function - elseif (isset($this->_error_messages[$key])) + elseif (isset($this->_error_messages[$rule_name])) { - $error_message = $this->_error_messages[$key]; + $error_message = $this->_error_messages[$rule_name]; } // check if we have an error message in lang file - elseif (FALSE !== ($line_tmp = $this->CI->lang->line('form_validation_'.$key))) + elseif (FALSE !== ($line_tmp = $this->CI->lang->line('form_validation_'.$rule_name))) { $error_message = $line_tmp; } // DEPRECATED support for non-prefixed keys, lang file again - elseif (FALSE !== ($line_tmp = $this->CI->lang->line($key, FALSE))) + elseif (FALSE !== ($line_tmp = $this->CI->lang->line($rule_name, FALSE))) { $error_message = $line_tmp; } - //error message not found + // error message not found else { - $error_message = $this->CI->lang->line('form_validation_error_message_not_set').'('.$key.')'; + $error_message = $this->CI->lang->line('form_validation_error_message_not_set').'('.$rule_name.')'; } return $error_message; From 0f13e09ebb153315539e1ff7f77698f2709996b5 Mon Sep 17 00:00:00 2001 From: Sai Phaninder Reddy Jonnala Date: Mon, 28 Dec 2015 15:45:03 -0500 Subject: [PATCH 2529/3829] block comment formatting --- system/libraries/Form_validation.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index a34694bfea3..c37a734188a 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -839,9 +839,9 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) /** * Get the error message for the rule * - * @param string the rule name. - * @param array - * @return string + * @param string the rule name. + * @param array + * @return string */ private function _get_raw_error_message($rule_name, $row) { From 20105a70a79c39aeffb06861e982558610ec8a43 Mon Sep 17 00:00:00 2001 From: Gordon Murray Date: Tue, 29 Dec 2015 13:24:34 +0000 Subject: [PATCH 2530/3829] Renamed Step 20 to Step 21 There were two Step 20's --- user_guide_src/source/installation/upgrade_300.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index a29f400f8fb..45ce2132031 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -855,7 +855,7 @@ It is now deprecated and scheduled for removal in CodeIgniter 3.1+. sooner rather than later. *********************************************************** -Step 20: Check your usage of Text helper highlight_phrase() +Step 21: Check your usage of Text helper highlight_phrase() *********************************************************** The default HTML tag used by :doc:`Text Helper <../helpers/text_helper>` function From f3ddda7ee890d5375f5c4fece118b7663dc465e2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 30 Dec 2015 21:38:54 +0200 Subject: [PATCH 2531/3829] Fix #4331 --- .../database/drivers/mysqli/mysqli_driver.php | 37 ++++++++++++------- user_guide_src/source/changelog.rst | 1 + 2 files changed, 25 insertions(+), 13 deletions(-) diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 8274700781a..693a96bab56 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -97,6 +97,17 @@ class CI_DB_mysqli_driver extends CI_DB { // -------------------------------------------------------------------- + /** + * MySQLi object + * + * Has to be preserved without being assigned to $conn_id. + * + * @var MySQLi + */ + protected $_mysqli; + + // -------------------------------------------------------------------- + /** * Database connection * @@ -122,13 +133,13 @@ public function db_connect($persistent = FALSE) } $client_flags = ($this->compress === TRUE) ? MYSQLI_CLIENT_COMPRESS : 0; - $mysqli = mysqli_init(); + $this->_mysqli = mysqli_init(); - $mysqli->options(MYSQLI_OPT_CONNECT_TIMEOUT, 10); + $this->_mysqli->options(MYSQLI_OPT_CONNECT_TIMEOUT, 10); if ($this->stricton) { - $mysqli->options(MYSQLI_INIT_COMMAND, 'SET SESSION sql_mode="STRICT_ALL_TABLES"'); + $this->_mysqli->options(MYSQLI_INIT_COMMAND, 'SET SESSION sql_mode="STRICT_ALL_TABLES"'); } if (is_array($this->encrypt)) @@ -144,11 +155,11 @@ public function db_connect($persistent = FALSE) { if ( ! empty($this->encrypt['ssl_verify']) && defined('MYSQLI_OPT_SSL_VERIFY_SERVER_CERT')) { - $mysqli->options(MYSQLI_OPT_SSL_VERIFY_SERVER_CERT, TRUE); + $this->_mysqli->options(MYSQLI_OPT_SSL_VERIFY_SERVER_CERT, TRUE); } $client_flags |= MYSQLI_CLIENT_SSL; - $mysqli->ssl_set( + $this->_mysqli->ssl_set( isset($ssl['key']) ? $ssl['key'] : NULL, isset($ssl['cert']) ? $ssl['cert'] : NULL, isset($ssl['ca']) ? $ssl['ca'] : NULL, @@ -158,22 +169,22 @@ public function db_connect($persistent = FALSE) } } - if ($mysqli->real_connect($hostname, $this->username, $this->password, $this->database, $port, $socket, $client_flags)) + if ($this->_mysqli->real_connect($hostname, $this->username, $this->password, $this->database, $port, $socket, $client_flags)) { // Prior to version 5.7.3, MySQL silently downgrades to an unencrypted connection if SSL setup fails if ( ($client_flags & MYSQLI_CLIENT_SSL) - && version_compare($mysqli->client_info, '5.7.3', '<=') - && empty($mysqli->query("SHOW STATUS LIKE 'ssl_cipher'")->fetch_object()->Value) + && version_compare($this->_mysqli->client_info, '5.7.3', '<=') + && empty($this->_mysqli->query("SHOW STATUS LIKE 'ssl_cipher'")->fetch_object()->Value) ) { - $mysqli->close(); + $this->_mysqli->close(); $message = 'MySQLi was configured for an SSL connection, but got an unencrypted connection instead!'; log_message('error', $message); return ($this->db->db_debug) ? $this->db->display_error($message, '', TRUE) : FALSE; } - return $mysqli; + return $this->_mysqli; } return FALSE; @@ -457,11 +468,11 @@ public function field_data($table) */ public function error() { - if ( ! empty($this->conn_id->connect_errno)) + if ( ! empty($this->_mysqli->connect_errno)) { return array( - 'code' => $this->conn_id->connect_errno, - 'message' => is_php('5.2.9') ? $this->conn_id->connect_error : mysqli_connect_error() + 'code' => $this->_mysqli->connect_errno, + 'message' => is_php('5.2.9') ? $this->_mysqli->connect_error : mysqli_connect_error() ); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 3b832b3a9a7..3f220484759 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -28,6 +28,7 @@ Bug fixes for 3.0.4 - Fixed a bug where :doc:`Session Library ` didn't have proper error handling on PHP 5 (due to a PHP bug). - Fixed a bug (#4312) - :doc:`Form Validation Library ` didn't provide error feedback for failed validation on empty requests. - Fixed a bug where :doc:`Database ` method `version()` returned banner text instead of only the version number with the 'oci8' and 'pdo/oci' drivers. +- Fixed a bug (#4331) - :doc:`Database ` method ``error()`` didn't really work for connection errors with the 'mysqli' driver. Version 3.0.3 ============= From 9d84d3cb5cb2dd4044e57bfcbe81c423adab6d7c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 30 Dec 2015 21:50:20 +0200 Subject: [PATCH 2532/3829] Fix #4343 --- system/libraries/Email.php | 3 +-- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 034586ac956..754dd1784fa 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1854,8 +1854,7 @@ protected function _send_with_sendmail() // is popen() enabled? if ( ! function_usable('popen') OR FALSE === ($fp = @popen( - $this->mailpath.' -oi -f '.$this->clean_email($this->_headers['From']) - .' -t -r '.$this->clean_email($this->_headers['Return-Path']) + $this->mailpath.' -oi -f '.$this->clean_email($this->_headers['From']).' -t' , 'w')) ) // server probably has popen disabled, so nothing we can do to get a verbose error. { diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 3f220484759..09b51ce6888 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -29,6 +29,7 @@ Bug fixes for 3.0.4 - Fixed a bug (#4312) - :doc:`Form Validation Library ` didn't provide error feedback for failed validation on empty requests. - Fixed a bug where :doc:`Database ` method `version()` returned banner text instead of only the version number with the 'oci8' and 'pdo/oci' drivers. - Fixed a bug (#4331) - :doc:`Database ` method ``error()`` didn't really work for connection errors with the 'mysqli' driver. +- Fixed a bug (#4343) - :doc:`Email Library ` failing with a *"More than one 'from' person"* message when using *sendmail*. Version 3.0.3 ============= From f603b44cbc497b85fe31fbf0bb4bf170d964f40d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 30 Dec 2015 21:53:40 +0200 Subject: [PATCH 2533/3829] Merge pull request #4345 from murrion/develop [ci skip] Corrected step 21 number in 3.0.0 upgrade instructions --- user_guide_src/source/installation/upgrade_300.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index a29f400f8fb..45ce2132031 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -855,7 +855,7 @@ It is now deprecated and scheduled for removal in CodeIgniter 3.1+. sooner rather than later. *********************************************************** -Step 20: Check your usage of Text helper highlight_phrase() +Step 21: Check your usage of Text helper highlight_phrase() *********************************************************** The default HTML tag used by :doc:`Text Helper <../helpers/text_helper>` function From 673413e06d05b5695bd7cc1d90c9d66a93aaa955 Mon Sep 17 00:00:00 2001 From: paranic Date: Sat, 2 Jan 2016 00:21:52 +0200 Subject: [PATCH 2534/3829] typo correction to avoid copy paste error --- user_guide_src/source/libraries/image_lib.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/image_lib.rst b/user_guide_src/source/libraries/image_lib.rst index 40a280b5cee..d5c24c1b097 100644 --- a/user_guide_src/source/libraries/image_lib.rst +++ b/user_guide_src/source/libraries/image_lib.rst @@ -471,4 +471,4 @@ Class Reference Returns all detected errors formatted as a string. :: - echo $this->image_lib->diplay_errors(); \ No newline at end of file + echo $this->image_lib->display_errors(); From 6bb9170b2f19b5b327e5c6998cbce414c5d28b50 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 2 Jan 2016 02:14:20 +0200 Subject: [PATCH 2535/3829] Merge pull request #4353 from paranic/patch-1 [ci skip] Docs typo correction --- user_guide_src/source/libraries/image_lib.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/image_lib.rst b/user_guide_src/source/libraries/image_lib.rst index e5f7c000fbc..27d2eb98c3f 100644 --- a/user_guide_src/source/libraries/image_lib.rst +++ b/user_guide_src/source/libraries/image_lib.rst @@ -471,4 +471,4 @@ Class Reference Returns all detected errors formatted as a string. :: - echo $this->image_lib->diplay_errors(); \ No newline at end of file + echo $this->image_lib->display_errors(); From 0b1efb38293416b13aee8d1d9505e97d2efade5f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 4 Jan 2016 12:34:14 +0200 Subject: [PATCH 2536/3829] Fix #4350 --- system/core/Loader.php | 32 ++++++++++++++++++++++++++++- user_guide_src/source/changelog.rst | 1 + 2 files changed, 32 insertions(+), 1 deletion(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index 18e4c5287a9..87f21b27939 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -285,9 +285,39 @@ public function model($model, $name = '', $db_conn = FALSE) $this->database($db_conn, FALSE, TRUE); } + // Note: All of the code under this condition used to be just: + // + // load_class('Model', 'core'); + // + // However, load_class() instantiates classes + // to cache them for later use and that prevents + // MY_Model from being an abstract class and is + // sub-optimal otherwise anyway. if ( ! class_exists('CI_Model', FALSE)) { - load_class('Model', 'core'); + $app_path = APPPATH.'core'.DIRECTORY_SEPARATOR; + if (file_exists($app_path.'Model.php')) + { + require_once($app_path.'Model.php'); + if ( ! class_exists('CI_Model', FALSE)) + { + throw new RuntimeException($app_path."Model.php exists, but doesn't declare class CI_Model"); + } + } + elseif ( ! class_exists('CI_Model', FALSE)) + { + require_once(BASEPATH.'core'.DIRECTORY_SEPARATOR.'Model.php'); + } + + $class = config_item('subclass_prefix').'Model'; + if (file_exists($app_path.$class.'.php')) + { + require_once($app_path.$class.'.php'); + if ( ! class_exists($class, FALSE)) + { + throw new RuntimeException($app_path.$class.".php exists, but doesn't declare class ".$class); + } + } } $model = ucfirst($model); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 09b51ce6888..c189767d88d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -30,6 +30,7 @@ Bug fixes for 3.0.4 - Fixed a bug where :doc:`Database ` method `version()` returned banner text instead of only the version number with the 'oci8' and 'pdo/oci' drivers. - Fixed a bug (#4331) - :doc:`Database ` method ``error()`` didn't really work for connection errors with the 'mysqli' driver. - Fixed a bug (#4343) - :doc:`Email Library ` failing with a *"More than one 'from' person"* message when using *sendmail*. +- Fixed a bug (#4350) - :doc:`Loader Library ` method ``model()`` logic directly instantiated the ``CI_Model`` or ``MY_Model`` classes. Version 3.0.3 ============= From 0ca9ae6ca109177eb0e80456b097a9d63412517e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 6 Jan 2016 14:51:27 +0200 Subject: [PATCH 2537/3829] Fix #4337 --- system/database/drivers/odbc/odbc_driver.php | 18 ++++++++++++++++++ .../drivers/pdo/subdrivers/pdo_odbc_driver.php | 18 ++++++++++++++++++ .../pdo/subdrivers/pdo_pgsql_driver.php | 7 ++++++- .../drivers/postgre/postgre_driver.php | 7 ++++++- user_guide_src/source/changelog.rst | 3 ++- 5 files changed, 50 insertions(+), 3 deletions(-) diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index 409284b44e5..e12ad53bc36 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -188,6 +188,24 @@ protected function _trans_rollback() // -------------------------------------------------------------------- + /** + * Determines if a query is a "write" type. + * + * @param string An SQL query string + * @return bool + */ + public function is_write_type($sql) + { + if (preg_match('#^(INSERT|UPDATE).*RETURNING\s.+(\,\s?.+)*$#i', $sql)) + { + return FALSE; + } + + return parent::is_write_type($sql); + } + + // -------------------------------------------------------------------- + /** * Platform-dependant string escape * diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php index 51c70b630f3..4df2de8baa6 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php @@ -160,6 +160,24 @@ public function __construct($params) // -------------------------------------------------------------------- + /** + * Determines if a query is a "write" type. + * + * @param string An SQL query string + * @return bool + */ + public function is_write_type($sql) + { + if (preg_match('#^(INSERT|UPDATE).*RETURNING\s.+(\,\s?.+)*$#i', $sql)) + { + return FALSE; + } + + return parent::is_write_type($sql); + } + + // -------------------------------------------------------------------- + /** * Show table query * diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php index 2dd41ca8728..79c3c7be0d1 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php @@ -154,7 +154,12 @@ public function insert_id($name = NULL) */ public function is_write_type($sql) { - return (bool) preg_match('/^\s*"?(SET|INSERT(?![^\)]+\)\s+RETURNING)|UPDATE(?!.*\sRETURNING)|DELETE|CREATE|DROP|TRUNCATE|LOAD|COPY|ALTER|RENAME|GRANT|REVOKE|LOCK|UNLOCK|REINDEX)\s/i', str_replace(array("\r\n", "\r", "\n"), ' ', $sql)); + if (preg_match('#^(INSERT|UPDATE).*RETURNING\s.+(\,\s?.+)*$#i', $sql)) + { + return FALSE; + } + + return parent::is_write_type($sql); } // -------------------------------------------------------------------- diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index b1df326f7eb..a7a02496b8d 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -288,7 +288,12 @@ protected function _trans_rollback() */ public function is_write_type($sql) { - return (bool) preg_match('/^\s*"?(SET|INSERT(?![^\)]+\)\s+RETURNING)|UPDATE(?!.*\sRETURNING)|DELETE|CREATE|DROP|TRUNCATE|LOAD|COPY|ALTER|RENAME|GRANT|REVOKE|LOCK|UNLOCK|REINDEX)\s/i', str_replace(array("\r\n", "\r", "\n"), ' ', $sql)); + if (preg_match('#^(INSERT|UPDATE).*RETURNING\s.+(\,\s?.+)*$#i', $sql)) + { + return FALSE; + } + + return parent::is_write_type($sql); } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index c189767d88d..2ac5213baa5 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -19,7 +19,7 @@ Bug fixes for 3.0.4 - Fixed a bug where :doc:`Form Helper ` functions :php:func:`set_checkbox()`, :php:func:`set_radio()` didn't "uncheck" inputs on a submitted form if the default state is "checked". - Fixed a bug (#4217) - :doc:`Config Library ` method ``base_url()`` didn't use proper formatting for IPv6 when it falls back to ``$_SERVER['SERVER_ADDR']``. - Fixed a bug where :doc:`CAPTCHA Helper ` entered an infinite loop while generating a random string. -- Fixed a bug (#4223) - :doc:`Database ` method ``simple_query()`` blindly executes queries without checking if the connection was initialized properly. +- Fixed a bug (#4223) - :doc:`Database ` method ``simple_query()`` blindly executes queries without checking if the connection was initialized properly. - Fixed a bug (#4244) - :doc:`Email Library ` could improperly use "unsafe" US-ASCII characters during Quoted-printable encoding. - Fixed a bug (#4245) - :doc:`Database Forge ` couldn't properly handle ``SET`` and ``ENUM`` type fields with string values. - Fixed a bug (#4283) - :doc:`String Helper ` function :php:func:`alternator()` couldn't be called without arguments. @@ -31,6 +31,7 @@ Bug fixes for 3.0.4 - Fixed a bug (#4331) - :doc:`Database ` method ``error()`` didn't really work for connection errors with the 'mysqli' driver. - Fixed a bug (#4343) - :doc:`Email Library ` failing with a *"More than one 'from' person"* message when using *sendmail*. - Fixed a bug (#4350) - :doc:`Loader Library ` method ``model()`` logic directly instantiated the ``CI_Model`` or ``MY_Model`` classes. +- Fixed a bug (#4337) - :doc:`Database ` method ``query()`` didn't return a result set for queries with the ``RETURNING`` statement on PostgreSQL. Version 3.0.3 ============= From e8de9eb4a8bba7cde0d81fe8571bcceed7aef77b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 6 Jan 2016 15:53:19 +0200 Subject: [PATCH 2538/3829] [ci skip] Add support for OFFSET with Oracle 12c As requested in #4279 --- system/database/drivers/oci8/oci8_driver.php | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index 206924d0637..994f8f33ace 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -654,6 +654,14 @@ protected function _delete($table) */ protected function _limit($sql) { + if (version_compare($this->version(), '12.1', '>=')) + { + // OFFSET-FETCH can be used only with the ORDER BY clause + empty($this->qb_orderby) && $sql .= ' ORDER BY 1'; + + return $sql.' OFFSET '.(int) $this->qb_offset.' ROWS FETCH NEXT '.$this->qb_limit.' ROWS ONLY'; + } + $this->limit_used = TRUE; return 'SELECT * FROM (SELECT inner_query.*, rownum rnum FROM ('.$sql.') inner_query WHERE rownum < '.($this->qb_offset + $this->qb_limit + 1).')' .($this->qb_offset ? ' WHERE rnum >= '.($this->qb_offset + 1) : ''); From 79b8a086187f199bb708bd56477850fbf1dd9e91 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 7 Jan 2016 13:55:21 +0200 Subject: [PATCH 2539/3829] Fix #4362 --- .../libraries/Session/drivers/Session_memcached_driver.php | 5 ++++- system/libraries/Session/drivers/Session_redis_driver.php | 5 ++++- user_guide_src/source/changelog.rst | 7 ++++--- 3 files changed, 12 insertions(+), 5 deletions(-) diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index 760239dfbee..9d7ab117282 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -300,7 +300,10 @@ public function gc($maxlifetime) */ protected function _get_lock($session_id) { - if (isset($this->_lock_key)) + // PHP 7 reuses the SessionHandler object on regeneration, + // so we need to check here if the lock key is for the + // correct session ID. + if ($this->_lock_key === $this->_key_prefix.$session_id.':lock') { return ($this->_memcached->replace($this->_lock_key, time(), 300)) ? $this->_success diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index b60ef6b343a..a31c453729f 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -314,7 +314,10 @@ public function gc($maxlifetime) */ protected function _get_lock($session_id) { - if (isset($this->_lock_key)) + // PHP 7 reuses the SessionHandler object on regeneration, + // so we need to check here if the lock key is for the + // correct session ID. + if ($this->_lock_key === $this->_key_prefix.$session_id.':lock') { return $this->_redis->setTimeout($this->_lock_key, 300); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 2ac5213baa5..d63696a77e8 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -9,8 +9,8 @@ Release Date: Not Released - General Changes - - Updated :doc:`Security Library ` method ``get_random_bytes()`` to use PHP7's ``random_bytes()`` function when possible. - - Updated :doc:`Encryption Library ` method ``create_key()`` to use PHP7's ``random_bytes()`` function when possible. + - Updated :doc:`Security Library ` method ``get_random_bytes()`` to use PHP 7's ``random_bytes()`` function when possible. + - Updated :doc:`Encryption Library ` method ``create_key()`` to use PHP 7's ``random_bytes()`` function when possible. Bug fixes for 3.0.4 ------------------- @@ -32,6 +32,7 @@ Bug fixes for 3.0.4 - Fixed a bug (#4343) - :doc:`Email Library ` failing with a *"More than one 'from' person"* message when using *sendmail*. - Fixed a bug (#4350) - :doc:`Loader Library ` method ``model()`` logic directly instantiated the ``CI_Model`` or ``MY_Model`` classes. - Fixed a bug (#4337) - :doc:`Database ` method ``query()`` didn't return a result set for queries with the ``RETURNING`` statement on PostgreSQL. +- Fixed a bug (#4362) - :doc:`Session Library ` doesn't properly maintain its state after ID regeneration with the 'redis' and 'memcached' drivers on PHP 7. Version 3.0.3 ============= @@ -53,7 +54,7 @@ Bug fixes for 3.0.3 ------------------- - Fixed a bug (#4170) - :doc:`Database ` method ``insert_id()`` could return an identity from the wrong scope with the 'sqlsrv' driver. -- Fixed a bug (#4179) - :doc:`Session Library ` doesn't properly maintain its state after ID regeneration with the 'database' driver on PHP7. +- Fixed a bug (#4179) - :doc:`Session Library ` doesn't properly maintain its state after ID regeneration with the 'database' driver on PHP 7. - Fixed a bug (#4173) - :doc:`Database Forge ` method ``add_key()`` didn't allow creation of non-PRIMARY composite keys after the "bugfix" for #3968. - Fixed a bug (#4171) - :doc:`Database Transactions ` didn't work with nesting in methods ``trans_begin()``, ``trans_commit()``, ``trans_rollback()``. - Fixed a bug where :doc:`Database Transaction ` methods ``trans_begin()``, ``trans_commit()``, ``trans_rollback()`` ignored failures. From 868b194fe50c0544b43cf8be523c39bdea18897d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 7 Jan 2016 14:22:00 +0200 Subject: [PATCH 2540/3829] [ci skip] Add Oracle 12.1 OFFSET support to PDO_OCI as well Reference: #4279 --- system/database/drivers/pdo/subdrivers/pdo_oci_driver.php | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php index 4791ab15701..d4cfb7dd7f2 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php @@ -311,6 +311,14 @@ protected function _delete($table) */ protected function _limit($sql) { + if (version_compare($this->version(), '12.1', '>=')) + { + // OFFSET-FETCH can be used only with the ORDER BY clause + empty($this->qb_orderby) && $sql .= ' ORDER BY 1'; + + return $sql.' OFFSET '.(int) $this->qb_offset.' ROWS FETCH NEXT '.$this->qb_limit.' ROWS ONLY'; + } + return 'SELECT * FROM (SELECT inner_query.*, rownum rnum FROM ('.$sql.') inner_query WHERE rownum < '.($this->qb_offset + $this->qb_limit + 1).')' .($this->qb_offset ? ' WHERE rnum >= '.($this->qb_offset + 1): ''); } From 20d7d65fd3fca54b86f389b149da5a0d2f2d6808 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 7 Jan 2016 14:23:57 +0200 Subject: [PATCH 2541/3829] [ci skip] Add changelog entry for #4279 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d63696a77e8..89368f3ab67 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -11,6 +11,7 @@ Release Date: Not Released - Updated :doc:`Security Library ` method ``get_random_bytes()`` to use PHP 7's ``random_bytes()`` function when possible. - Updated :doc:`Encryption Library ` method ``create_key()`` to use PHP 7's ``random_bytes()`` function when possible. + - Updated :doc:`Database ` drivers 'oci8' and 'pdo/oci' with support for ``OFFSET-FETCH`` with Oracle 12c. Bug fixes for 3.0.4 ------------------- From 89576a8cf0918c4d1797f6ef34be98b5caef29d3 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 7 Jan 2016 14:39:04 +0200 Subject: [PATCH 2542/3829] Add support for MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT Available since PHP 5.6.16 --- .../database/drivers/mysqli/mysqli_driver.php | 17 +++++++++++++++-- user_guide_src/source/changelog.rst | 8 ++++++-- 2 files changed, 21 insertions(+), 4 deletions(-) diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 693a96bab56..34366827b15 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -153,9 +153,22 @@ public function db_connect($persistent = FALSE) if ( ! empty($ssl)) { - if ( ! empty($this->encrypt['ssl_verify']) && defined('MYSQLI_OPT_SSL_VERIFY_SERVER_CERT')) + if (isset($this->encrypt['ssl_verify'])) { - $this->_mysqli->options(MYSQLI_OPT_SSL_VERIFY_SERVER_CERT, TRUE); + if ($this->encrypt['ssl_verify']) + { + defined('MYSQLI_OPT_SSL_VERIFY_SERVER_CERT') && $this->_mysqli->options(MYSQLI_OPT_SSL_VERIFY_SERVER_CERT, TRUE); + } + // Apparently (when it exists), setting MYSQLI_OPT_SSL_VERIFY_SERVER_CERT + // to FALSE didn't do anything, so PHP 5.6.16 introduced yet another + // constant ... + // + // https://secure.php.net/ChangeLog-5.php#5.6.16 + // https://bugs.php.net/bug.php?id=68344 + elseif (defined('MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT')) + { + $this->_mysqli->options(MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT, TRUE); + } } $client_flags |= MYSQLI_CLIENT_SSL; diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 89368f3ab67..52c42461472 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -11,7 +11,11 @@ Release Date: Not Released - Updated :doc:`Security Library ` method ``get_random_bytes()`` to use PHP 7's ``random_bytes()`` function when possible. - Updated :doc:`Encryption Library ` method ``create_key()`` to use PHP 7's ``random_bytes()`` function when possible. - - Updated :doc:`Database ` drivers 'oci8' and 'pdo/oci' with support for ``OFFSET-FETCH`` with Oracle 12c. + +- :doc:`Database ` + + - Added support for ``OFFSET-FETCH`` with Oracle 12c for the 'oci8' and 'pdo/oci' drivers. + - Added support for the new ``MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT`` constant from `PHP 5.6.16 `_ for the 'mysqli' driver. Bug fixes for 3.0.4 ------------------- @@ -46,7 +50,7 @@ Release Date: October 31, 2015 - Changed :doc:`Config Library ` method ``base_url()`` to fallback to ``$_SERVER['SERVER_ADDR']`` when ``$config['base_url']`` is empty in order to avoid *Host* header injections. - Changed :doc:`CAPTCHA Helper ` to use the operating system's PRNG when possible. -- Database +- :doc:`Database` - Optimized :doc:`Database Utility ` method ``csv_from_result()`` for speed with larger result sets. - Added proper return values to :doc:`Database Transactions ` method ``trans_start()``. From b98c657c100d3220a5d7ed1b6ff3ec78e227b406 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 7 Jan 2016 16:10:10 +0200 Subject: [PATCH 2543/3829] Fix MySQL's 'stricton' feature --- .../database/drivers/mysql/mysql_driver.php | 22 +++++++++++++++++-- 1 file changed, 20 insertions(+), 2 deletions(-) diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 9c630d0d666..d9c1a98a6ef 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -147,9 +147,27 @@ public function db_connect($persistent = FALSE) : FALSE; } - if ($this->stricton && is_resource($this->conn_id)) + if (isset($this->stricton) && is_resource($this->conn_id)) { - $this->simple_query('SET SESSION sql_mode="STRICT_ALL_TABLES"'); + if ($this->stricton) + { + $this->simple_query('SET SESSION sql_mode = CONCAT(@@sql_mode, ",", "STRICT_ALL_TABLES")'); + } + else + { + $this->simple_query( + 'SET SESSION sql_mode = + REPLACE( + REPLACE( + REPLACE(@@sql_mode, "STRICT_ALL_TABLES,", ""), + ",STRICT_ALL_TABLES", + "" + ), + "STRICT_ALL_TABLES", + "" + )' + ); + } } return $this->conn_id; From c83e894fe8b3c85ff40f00954df0033ad14940b0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 7 Jan 2016 17:27:39 +0200 Subject: [PATCH 2544/3829] Add MySQL stricton changes to mysqli and pdo/mysql drivers --- .../database/drivers/mysql/mysql_driver.php | 21 ++++++------- .../database/drivers/mysqli/mysqli_driver.php | 23 ++++++++++++-- .../pdo/subdrivers/pdo_mysql_driver.php | 31 +++++++++++++++---- 3 files changed, 55 insertions(+), 20 deletions(-) diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index d9c1a98a6ef..607388a6196 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -84,7 +84,7 @@ class CI_DB_mysql_driver extends CI_DB { * * @var bool */ - public $stricton = FALSE; + public $stricton; // -------------------------------------------------------------------- @@ -153,19 +153,18 @@ public function db_connect($persistent = FALSE) { $this->simple_query('SET SESSION sql_mode = CONCAT(@@sql_mode, ",", "STRICT_ALL_TABLES")'); } - else + elseif (version_compare($this->version, '5.7', '>=')) { $this->simple_query( 'SET SESSION sql_mode = - REPLACE( - REPLACE( - REPLACE(@@sql_mode, "STRICT_ALL_TABLES,", ""), - ",STRICT_ALL_TABLES", - "" - ), - "STRICT_ALL_TABLES", - "" - )' + REPLACE(REPLACE(REPLACE(REPLACE(REPLACE(REPLACE( + @@sql_mode, + "STRICT_ALL_TABLES,", ""), + ",STRICT_ALL_TABLES", ""), + "STRICT_ALL_TABLES", ""), + "STRICT_TRANS_TABLES,", ""), + ",STRICT_TRANS_TABLES", ""), + "STRICT_TRANS_TABLES", "")' ); } } diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 34366827b15..f8694b9d111 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -84,7 +84,7 @@ class CI_DB_mysqli_driver extends CI_DB { * * @var bool */ - public $stricton = FALSE; + public $stricton; // -------------------------------------------------------------------- @@ -137,9 +137,26 @@ public function db_connect($persistent = FALSE) $this->_mysqli->options(MYSQLI_OPT_CONNECT_TIMEOUT, 10); - if ($this->stricton) + if (isset($this->stricton)) { - $this->_mysqli->options(MYSQLI_INIT_COMMAND, 'SET SESSION sql_mode="STRICT_ALL_TABLES"'); + if ($this->stricton) + { + $this->_mysqli->options(MYSQLI_INIT_COMMAND, 'SET SESSION sql_mode = CONCAT(@@sql_mode, ",", "STRICT_ALL_TABLES")'); + } + elseif (version_compare($this->version, '5.7', '>=')) + { + $this->_mysqli->options(MYSQLI_INIT_COMMAND, + 'SET SESSION sql_mode = + REPLACE(REPLACE(REPLACE(REPLACE(REPLACE(REPLACE( + @@sql_mode, + "STRICT_ALL_TABLES,", ""), + ",STRICT_ALL_TABLES", ""), + "STRICT_ALL_TABLES", ""), + "STRICT_TRANS_TABLES,", ""), + ",STRICT_TRANS_TABLES", ""), + "STRICT_TRANS_TABLES", "")' + ); + } } if (is_array($this->encrypt)) diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index e9d25cebc4f..2d8eac4e31a 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -73,7 +73,7 @@ class CI_DB_pdo_mysql_driver extends CI_DB_pdo_driver { * * @var bool */ - public $stricton = FALSE; + public $stricton; // -------------------------------------------------------------------- @@ -133,15 +133,34 @@ public function db_connect($persistent = FALSE) .(empty($this->dbcollat) ? '' : ' COLLATE '.$this->dbcollat); } - if ($this->stricton) + if (isset($this->stricton)) { - if (empty($this->options[PDO::MYSQL_ATTR_INIT_COMMAND])) + if ($this->stricton) { - $this->options[PDO::MYSQL_ATTR_INIT_COMMAND] = 'SET SESSION sql_mode="STRICT_ALL_TABLES"'; + $sql = 'CONCAT(@@sql_mode, ",", "STRICT_ALL_TABLES")'; } - else + elseif (version_compare($this->version, '5.7', '>=')) { - $this->options[PDO::MYSQL_ATTR_INIT_COMMAND] .= ', @@session.sql_mode = "STRICT_ALL_TABLES"'; + $sql = 'REPLACE(REPLACE(REPLACE(REPLACE(REPLACE(REPLACE( + @@sql_mode, + "STRICT_ALL_TABLES,", ""), + ",STRICT_ALL_TABLES", ""), + "STRICT_ALL_TABLES", ""), + "STRICT_TRANS_TABLES,", ""), + ",STRICT_TRANS_TABLES", ""), + "STRICT_TRANS_TABLES", "")'; + } + + if ( ! empty($sql)) + { + if (empty($this->options[PDO::MYSQL_ATTR_INIT_COMMAND])) + { + $this->options[PDO::MYSQL_ATTR_INIT_COMMAND] = 'SET SESSION sql_mode = '.$sql; + } + else + { + $this->options[PDO::MYSQL_ATTR_INIT_COMMAND] .= ', @@session.sql_mode = '.$sql; + } } } From 679e94853451192410ac138cb592ac5ab021ea67 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 7 Jan 2016 17:31:21 +0200 Subject: [PATCH 2545/3829] [ci skip] Add changelog entries for #4349 --- user_guide_src/source/changelog.rst | 2 ++ 1 file changed, 2 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 52c42461472..89d6a3a3a04 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -38,6 +38,8 @@ Bug fixes for 3.0.4 - Fixed a bug (#4350) - :doc:`Loader Library ` method ``model()`` logic directly instantiated the ``CI_Model`` or ``MY_Model`` classes. - Fixed a bug (#4337) - :doc:`Database ` method ``query()`` didn't return a result set for queries with the ``RETURNING`` statement on PostgreSQL. - Fixed a bug (#4362) - :doc:`Session Library ` doesn't properly maintain its state after ID regeneration with the 'redis' and 'memcached' drivers on PHP 7. +- Fixed a bug (#4349) - :doc:`Database ` drivers 'mysql', 'mysqli', 'pdo/mysql' discard other ``sql_mode`` flags when "stricton" is enabled. +- Fixed a bug (#4349) - :doc:`Database ` drivers 'mysql', 'mysqli', 'pdo/mysql' don't turn off ``STRICT_TRANS_TABLES`` on MySQL 5.7+ when "stricton" is disabled. Version 3.0.3 ============= From 2d2880dfa6976fbd38ad033765473fd1a8f0bc85 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 7 Jan 2016 17:43:10 +0200 Subject: [PATCH 2546/3829] Fix MySQL errors from latest commits Ref: #4349 --- system/database/drivers/mysql/mysql_driver.php | 2 +- system/database/drivers/mysqli/mysqli_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 607388a6196..2573e3c17c1 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -153,7 +153,7 @@ public function db_connect($persistent = FALSE) { $this->simple_query('SET SESSION sql_mode = CONCAT(@@sql_mode, ",", "STRICT_ALL_TABLES")'); } - elseif (version_compare($this->version, '5.7', '>=')) + elseif (version_compare($this->version(), '5.7', '>=')) { $this->simple_query( 'SET SESSION sql_mode = diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index f8694b9d111..397368b72ed 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -143,7 +143,7 @@ public function db_connect($persistent = FALSE) { $this->_mysqli->options(MYSQLI_INIT_COMMAND, 'SET SESSION sql_mode = CONCAT(@@sql_mode, ",", "STRICT_ALL_TABLES")'); } - elseif (version_compare($this->version, '5.7', '>=')) + elseif (version_compare($this->version(), '5.7', '>=')) { $this->_mysqli->options(MYSQLI_INIT_COMMAND, 'SET SESSION sql_mode = diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index 2d8eac4e31a..0886216e41c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -139,7 +139,7 @@ public function db_connect($persistent = FALSE) { $sql = 'CONCAT(@@sql_mode, ",", "STRICT_ALL_TABLES")'; } - elseif (version_compare($this->version, '5.7', '>=')) + elseif (version_compare($this->version(), '5.7', '>=')) { $sql = 'REPLACE(REPLACE(REPLACE(REPLACE(REPLACE(REPLACE( @@sql_mode, From 0a9cc835b4ec7e85e0ccac04000fa889a599126e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 7 Jan 2016 17:52:20 +0200 Subject: [PATCH 2547/3829] MySQL stricton again ... remove the version condition Ref: #4349 --- system/database/drivers/mysql/mysql_driver.php | 2 +- system/database/drivers/mysqli/mysqli_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 2573e3c17c1..3a450ec4cb1 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -153,7 +153,7 @@ public function db_connect($persistent = FALSE) { $this->simple_query('SET SESSION sql_mode = CONCAT(@@sql_mode, ",", "STRICT_ALL_TABLES")'); } - elseif (version_compare($this->version(), '5.7', '>=')) + else { $this->simple_query( 'SET SESSION sql_mode = diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 397368b72ed..323a67f63ed 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -143,7 +143,7 @@ public function db_connect($persistent = FALSE) { $this->_mysqli->options(MYSQLI_INIT_COMMAND, 'SET SESSION sql_mode = CONCAT(@@sql_mode, ",", "STRICT_ALL_TABLES")'); } - elseif (version_compare($this->version(), '5.7', '>=')) + else { $this->_mysqli->options(MYSQLI_INIT_COMMAND, 'SET SESSION sql_mode = diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index 0886216e41c..c230651dcfd 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -139,7 +139,7 @@ public function db_connect($persistent = FALSE) { $sql = 'CONCAT(@@sql_mode, ",", "STRICT_ALL_TABLES")'; } - elseif (version_compare($this->version(), '5.7', '>=')) + else { $sql = 'REPLACE(REPLACE(REPLACE(REPLACE(REPLACE(REPLACE( @@sql_mode, From b1b45557ad18c596bd9756bd2eebf93fe2d54b0d Mon Sep 17 00:00:00 2001 From: ponsfrilus Date: Fri, 8 Jan 2016 10:24:58 +0100 Subject: [PATCH 2548/3829] [typo] missing ; at end of PHP lines 464 and 469 --- user_guide_src/source/helpers/form_helper.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/helpers/form_helper.rst b/user_guide_src/source/helpers/form_helper.rst index a67dbc0bf2b..bc30a0e9843 100644 --- a/user_guide_src/source/helpers/form_helper.rst +++ b/user_guide_src/source/helpers/form_helper.rst @@ -461,12 +461,12 @@ The following functions are available: fourth parameter:: $js = 'onClick="some_function()"'; - echo form_checkbox('newsletter', 'accept', TRUE, $js) + echo form_checkbox('newsletter', 'accept', TRUE, $js); Or you can pass it as an array:: $js = array('onClick' => 'some_function();'); - echo form_checkbox('newsletter', 'accept', TRUE, $js) + echo form_checkbox('newsletter', 'accept', TRUE, $js); .. php:function:: form_radio([$data = ''[, $value = ''[, $checked = FALSE[, $extra = '']]]]) From 8f7cc15c8856d312c091c33cadc75db0605a2829 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 8 Jan 2016 12:59:11 +0200 Subject: [PATCH 2549/3829] Merge pull request #4365 from ponsfrilus/develop [ci skip] Form helper examples missing ; at end of function calls --- user_guide_src/source/helpers/form_helper.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/helpers/form_helper.rst b/user_guide_src/source/helpers/form_helper.rst index a67dbc0bf2b..bc30a0e9843 100644 --- a/user_guide_src/source/helpers/form_helper.rst +++ b/user_guide_src/source/helpers/form_helper.rst @@ -461,12 +461,12 @@ The following functions are available: fourth parameter:: $js = 'onClick="some_function()"'; - echo form_checkbox('newsletter', 'accept', TRUE, $js) + echo form_checkbox('newsletter', 'accept', TRUE, $js); Or you can pass it as an array:: $js = array('onClick' => 'some_function();'); - echo form_checkbox('newsletter', 'accept', TRUE, $js) + echo form_checkbox('newsletter', 'accept', TRUE, $js); .. php:function:: form_radio([$data = ''[, $value = ''[, $checked = FALSE[, $extra = '']]]]) From 8de7faa9ff7f342d57966bde0b0429ab241c2a6f Mon Sep 17 00:00:00 2001 From: Claudio Galdiolo Date: Fri, 8 Jan 2016 15:13:13 -0500 Subject: [PATCH 2550/3829] use 'while' instead of 'if' 'do' 'while' --- system/database/DB_driver.php | 16 ++++++---------- 1 file changed, 6 insertions(+), 10 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index af6b9f399e8..59662a94671 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -641,19 +641,15 @@ public function query($sql, $binds = FALSE, $return_object = NULL) // if transactions are enabled. If we don't call this here // the error message will trigger an exit, causing the // transactions to remain in limbo. - if ($this->_trans_depth !== 0) + while ($this->_trans_depth !== 0) { - do + $trans_depth = $this->_trans_depth; + $this->trans_complete(); + if ($trans_depth === $this->_trans_depth) { - $trans_depth = $this->_trans_depth; - $this->trans_complete(); - if ($trans_depth === $this->_trans_depth) - { - log_message('error', 'Database: Failure during an automated transaction commit/rollback!'); - break; - } + log_message('error', 'Database: Failure during an automated transaction commit/rollback!'); + break; } - while ($this->_trans_depth !== 0); } // Display errors From 8219714647602c94dd38e6b2efedb4e7ed1c8c4e Mon Sep 17 00:00:00 2001 From: Fery Wardiyanto Date: Sat, 9 Jan 2016 19:30:32 +0700 Subject: [PATCH 2551/3829] Add extra mime for .ogg file Signed-off-by: Fery Wardiyanto --- application/config/mimes.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/application/config/mimes.php b/application/config/mimes.php index 957dc05d8a7..8bac8725111 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -149,7 +149,7 @@ 'au' => 'audio/x-au', 'ac3' => 'audio/ac3', 'flac' => 'audio/x-flac', - 'ogg' => 'audio/ogg', + 'ogg' => array('audio/ogg', 'video/ogg', 'application/ogg'), 'kmz' => array('application/vnd.google-earth.kmz', 'application/zip', 'application/x-zip'), 'kml' => array('application/vnd.google-earth.kml+xml', 'application/xml', 'text/xml'), 'ics' => 'text/calendar', From 803cc12107f687a8ff9a19427023122b2d6b7207 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 11 Jan 2016 11:15:27 +0200 Subject: [PATCH 2552/3829] Merge pull request #4369 from galdiolo/patch-12 Optimize transactions check in CI_DB_driver::query() --- system/database/DB_driver.php | 16 ++++++---------- 1 file changed, 6 insertions(+), 10 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index bfe9dd4b071..40e40e927d6 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -676,19 +676,15 @@ public function query($sql, $binds = FALSE, $return_object = NULL) // if transactions are enabled. If we don't call this here // the error message will trigger an exit, causing the // transactions to remain in limbo. - if ($this->_trans_depth !== 0) + while ($this->_trans_depth !== 0) { - do + $trans_depth = $this->_trans_depth; + $this->trans_complete(); + if ($trans_depth === $this->_trans_depth) { - $trans_depth = $this->_trans_depth; - $this->trans_complete(); - if ($trans_depth === $this->_trans_depth) - { - log_message('error', 'Database: Failure during an automated transaction commit/rollback!'); - break; - } + log_message('error', 'Database: Failure during an automated transaction commit/rollback!'); + break; } - while ($this->_trans_depth !== 0); } // Display errors From 7886d70be269d4c79cbfd67c1bb7be313ce221fa Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 16 Nov 2015 12:02:22 +0200 Subject: [PATCH 2553/3829] Merge pull request #4241 from suhindra/develop [ci skip] Added/updated MIME types for Flash Video --- application/config/mimes.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/application/config/mimes.php b/application/config/mimes.php index aa3b1836ad8..957dc05d8a7 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -137,7 +137,8 @@ '3gp' => array('video/3gp', 'video/3gpp'), 'mp4' => 'video/mp4', 'm4a' => 'audio/x-m4a', - 'f4v' => 'video/mp4', + 'f4v' => array('video/mp4', 'video/x-f4v'), + 'flv' => 'video/x-flv', 'webm' => 'video/webm', 'aac' => 'audio/x-acc', 'm4u' => 'application/vnd.mpegurl', From bffcdc06baed39dbaddaf8706b9d70c3d466047d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 11 Jan 2016 11:34:20 +0200 Subject: [PATCH 2554/3829] Merge pull request #4371 from feryardiant/contrib/mime-ogg [ci skip] Add extra mime for .ogg files --- application/config/mimes.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/application/config/mimes.php b/application/config/mimes.php index 957dc05d8a7..8bac8725111 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -149,7 +149,7 @@ 'au' => 'audio/x-au', 'ac3' => 'audio/ac3', 'flac' => 'audio/x-flac', - 'ogg' => 'audio/ogg', + 'ogg' => array('audio/ogg', 'video/ogg', 'application/ogg'), 'kmz' => array('application/vnd.google-earth.kmz', 'application/zip', 'application/x-zip'), 'kml' => array('application/vnd.google-earth.kml+xml', 'application/xml', 'text/xml'), 'ics' => 'text/calendar', From fd5fe1a64c03ae7204a7e72d936215f7a61d8c30 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 11 Jan 2016 11:58:40 +0200 Subject: [PATCH 2555/3829] Fix #4374 --- .../Session/drivers/Session_database_driver.php | 12 ++++++++++++ user_guide_src/source/changelog.rst | 1 + 2 files changed, 13 insertions(+) diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index f2adacb6b6e..8c4555481c4 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -147,6 +147,9 @@ public function read($session_id) { if ($this->_get_lock($session_id) !== FALSE) { + // Prevent previous QB calls from messing with our queries + $this->_db->reset_query(); + // Needed by write() to detect session_regenerate_id() calls $this->_session_id = $session_id; @@ -199,6 +202,9 @@ public function read($session_id) */ public function write($session_id, $session_data) { + // Prevent previous QB calls from messing with our queries + $this->_db->reset_query(); + // Was the ID regenerated? if ($session_id !== $this->_session_id) { @@ -287,6 +293,9 @@ public function destroy($session_id) { if ($this->_lock) { + // Prevent previous QB calls from messing with our queries + $this->_db->reset_query(); + $this->_db->where('id', $session_id); if ($this->_config['match_ip']) { @@ -320,6 +329,9 @@ public function destroy($session_id) */ public function gc($maxlifetime) { + // Prevent previous QB calls from messing with our queries + $this->_db->reset_query(); + return ($this->_db->delete($this->_config['save_path'], 'timestamp < '.(time() - $maxlifetime))) ? $this->_success : $this->_failure; diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 89d6a3a3a04..8b0fb677a6b 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -40,6 +40,7 @@ Bug fixes for 3.0.4 - Fixed a bug (#4362) - :doc:`Session Library ` doesn't properly maintain its state after ID regeneration with the 'redis' and 'memcached' drivers on PHP 7. - Fixed a bug (#4349) - :doc:`Database ` drivers 'mysql', 'mysqli', 'pdo/mysql' discard other ``sql_mode`` flags when "stricton" is enabled. - Fixed a bug (#4349) - :doc:`Database ` drivers 'mysql', 'mysqli', 'pdo/mysql' don't turn off ``STRICT_TRANS_TABLES`` on MySQL 5.7+ when "stricton" is disabled. +- Fixed a bug (#4374) - :doc:`Session Library ` with the 'database' driver could be affected by userspace :doc:`Query Builder ` conditions. Version 3.0.3 ============= From 125ef4751080a2118cb203357d77687699e3eb25 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 11 Jan 2016 12:33:00 +0200 Subject: [PATCH 2556/3829] [ci skip] Bump year to 2016 --- license.txt | 2 +- system/core/Benchmark.php | 4 ++-- system/core/CodeIgniter.php | 4 ++-- system/core/Common.php | 4 ++-- system/core/Config.php | 4 ++-- system/core/Controller.php | 4 ++-- system/core/Exceptions.php | 4 ++-- system/core/Hooks.php | 4 ++-- system/core/Input.php | 4 ++-- system/core/Lang.php | 4 ++-- system/core/Loader.php | 4 ++-- system/core/Log.php | 4 ++-- system/core/Model.php | 4 ++-- system/core/Output.php | 4 ++-- system/core/Router.php | 4 ++-- system/core/Security.php | 4 ++-- system/core/URI.php | 4 ++-- system/core/Utf8.php | 4 ++-- system/core/compat/hash.php | 4 ++-- system/core/compat/mbstring.php | 4 ++-- system/core/compat/password.php | 4 ++-- system/core/compat/standard.php | 4 ++-- system/database/DB.php | 4 ++-- system/database/DB_cache.php | 4 ++-- system/database/DB_driver.php | 4 ++-- system/database/DB_forge.php | 4 ++-- system/database/DB_query_builder.php | 4 ++-- system/database/DB_result.php | 4 ++-- system/database/DB_utility.php | 4 ++-- system/database/drivers/cubrid/cubrid_driver.php | 4 ++-- system/database/drivers/cubrid/cubrid_forge.php | 4 ++-- system/database/drivers/cubrid/cubrid_result.php | 4 ++-- system/database/drivers/cubrid/cubrid_utility.php | 4 ++-- system/database/drivers/ibase/ibase_driver.php | 4 ++-- system/database/drivers/ibase/ibase_forge.php | 4 ++-- system/database/drivers/ibase/ibase_result.php | 4 ++-- system/database/drivers/ibase/ibase_utility.php | 4 ++-- system/database/drivers/mssql/mssql_driver.php | 4 ++-- system/database/drivers/mssql/mssql_forge.php | 4 ++-- system/database/drivers/mssql/mssql_result.php | 4 ++-- system/database/drivers/mssql/mssql_utility.php | 4 ++-- system/database/drivers/mysql/mysql_driver.php | 4 ++-- system/database/drivers/mysql/mysql_forge.php | 4 ++-- system/database/drivers/mysql/mysql_result.php | 4 ++-- system/database/drivers/mysql/mysql_utility.php | 4 ++-- system/database/drivers/mysqli/mysqli_driver.php | 4 ++-- system/database/drivers/mysqli/mysqli_forge.php | 4 ++-- system/database/drivers/mysqli/mysqli_result.php | 4 ++-- system/database/drivers/mysqli/mysqli_utility.php | 4 ++-- system/database/drivers/oci8/oci8_driver.php | 4 ++-- system/database/drivers/oci8/oci8_forge.php | 4 ++-- system/database/drivers/oci8/oci8_result.php | 4 ++-- system/database/drivers/oci8/oci8_utility.php | 4 ++-- system/database/drivers/odbc/odbc_driver.php | 4 ++-- system/database/drivers/odbc/odbc_forge.php | 4 ++-- system/database/drivers/odbc/odbc_result.php | 4 ++-- system/database/drivers/odbc/odbc_utility.php | 4 ++-- system/database/drivers/pdo/pdo_driver.php | 4 ++-- system/database/drivers/pdo/pdo_forge.php | 4 ++-- system/database/drivers/pdo/pdo_result.php | 4 ++-- system/database/drivers/pdo/pdo_utility.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_4d_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_4d_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php | 4 ++-- .../database/drivers/pdo/subdrivers/pdo_firebird_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php | 4 ++-- .../database/drivers/pdo/subdrivers/pdo_informix_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_informix_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_oci_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_oci_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php | 4 ++-- system/database/drivers/postgre/postgre_driver.php | 4 ++-- system/database/drivers/postgre/postgre_forge.php | 4 ++-- system/database/drivers/postgre/postgre_result.php | 4 ++-- system/database/drivers/postgre/postgre_utility.php | 4 ++-- system/database/drivers/sqlite/sqlite_driver.php | 4 ++-- system/database/drivers/sqlite/sqlite_forge.php | 4 ++-- system/database/drivers/sqlite/sqlite_result.php | 4 ++-- system/database/drivers/sqlite/sqlite_utility.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_driver.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_forge.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_result.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_utility.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_driver.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_forge.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_result.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_utility.php | 4 ++-- system/helpers/array_helper.php | 4 ++-- system/helpers/captcha_helper.php | 4 ++-- system/helpers/cookie_helper.php | 4 ++-- system/helpers/date_helper.php | 4 ++-- system/helpers/directory_helper.php | 4 ++-- system/helpers/download_helper.php | 4 ++-- system/helpers/email_helper.php | 4 ++-- system/helpers/file_helper.php | 4 ++-- system/helpers/form_helper.php | 4 ++-- system/helpers/html_helper.php | 4 ++-- system/helpers/inflector_helper.php | 4 ++-- system/helpers/language_helper.php | 4 ++-- system/helpers/number_helper.php | 4 ++-- system/helpers/path_helper.php | 4 ++-- system/helpers/security_helper.php | 4 ++-- system/helpers/smiley_helper.php | 4 ++-- system/helpers/string_helper.php | 4 ++-- system/helpers/text_helper.php | 4 ++-- system/helpers/typography_helper.php | 4 ++-- system/helpers/url_helper.php | 4 ++-- system/helpers/xml_helper.php | 4 ++-- system/language/english/calendar_lang.php | 4 ++-- system/language/english/date_lang.php | 4 ++-- system/language/english/db_lang.php | 4 ++-- system/language/english/email_lang.php | 4 ++-- system/language/english/form_validation_lang.php | 4 ++-- system/language/english/ftp_lang.php | 4 ++-- system/language/english/imglib_lang.php | 4 ++-- system/language/english/migration_lang.php | 4 ++-- system/language/english/number_lang.php | 4 ++-- system/language/english/pagination_lang.php | 4 ++-- system/language/english/profiler_lang.php | 4 ++-- system/language/english/unit_test_lang.php | 4 ++-- system/language/english/upload_lang.php | 4 ++-- system/libraries/Cache/Cache.php | 4 ++-- system/libraries/Cache/drivers/Cache_apc.php | 4 ++-- system/libraries/Cache/drivers/Cache_dummy.php | 4 ++-- system/libraries/Cache/drivers/Cache_file.php | 4 ++-- system/libraries/Cache/drivers/Cache_memcached.php | 4 ++-- system/libraries/Cache/drivers/Cache_redis.php | 4 ++-- system/libraries/Cache/drivers/Cache_wincache.php | 4 ++-- system/libraries/Calendar.php | 4 ++-- system/libraries/Cart.php | 4 ++-- system/libraries/Driver.php | 4 ++-- system/libraries/Email.php | 4 ++-- system/libraries/Encrypt.php | 4 ++-- system/libraries/Encryption.php | 4 ++-- system/libraries/Form_validation.php | 4 ++-- system/libraries/Ftp.php | 4 ++-- system/libraries/Image_lib.php | 4 ++-- system/libraries/Javascript.php | 4 ++-- system/libraries/Javascript/Jquery.php | 4 ++-- system/libraries/Migration.php | 4 ++-- system/libraries/Pagination.php | 4 ++-- system/libraries/Parser.php | 4 ++-- system/libraries/Profiler.php | 4 ++-- system/libraries/Session/Session.php | 4 ++-- system/libraries/Session/SessionHandlerInterface.php | 4 ++-- system/libraries/Session/Session_driver.php | 4 ++-- system/libraries/Session/drivers/Session_database_driver.php | 4 ++-- system/libraries/Session/drivers/Session_files_driver.php | 4 ++-- system/libraries/Session/drivers/Session_memcached_driver.php | 4 ++-- system/libraries/Session/drivers/Session_redis_driver.php | 4 ++-- system/libraries/Table.php | 4 ++-- system/libraries/Trackback.php | 4 ++-- system/libraries/Typography.php | 4 ++-- system/libraries/Unit_test.php | 4 ++-- system/libraries/Upload.php | 4 ++-- system/libraries/User_agent.php | 4 ++-- system/libraries/Xmlrpc.php | 4 ++-- system/libraries/Xmlrpcs.php | 4 ++-- system/libraries/Zip.php | 4 ++-- user_guide_src/cilexer/cilexer/cilexer.py | 4 ++-- user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/license.rst | 2 +- 176 files changed, 350 insertions(+), 350 deletions(-) diff --git a/license.txt b/license.txt index cb2d8b471a8..388eee33763 100644 --- a/license.txt +++ b/license.txt @@ -1,6 +1,6 @@ The MIT License (MIT) -Copyright (c) 2014 - 2015, British Columbia Institute of Technology +Copyright (c) 2014 - 2016, British Columbia Institute of Technology Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal diff --git a/system/core/Benchmark.php b/system/core/Benchmark.php index e420f62a109..414a801ee29 100644 --- a/system/core/Benchmark.php +++ b/system/core/Benchmark.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 79a23c4ca23..1394fd86298 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Common.php b/system/core/Common.php index 3ab98cf6da0..32e47b74351 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Config.php b/system/core/Config.php index c507f342ca1..d03e02d4dc8 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Controller.php b/system/core/Controller.php index a0d97baa240..260dee4f6e3 100644 --- a/system/core/Controller.php +++ b/system/core/Controller.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Exceptions.php b/system/core/Exceptions.php index d8f62c0fe73..29a28516608 100644 --- a/system/core/Exceptions.php +++ b/system/core/Exceptions.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Hooks.php b/system/core/Hooks.php index 3b4fb225068..42090d16cca 100644 --- a/system/core/Hooks.php +++ b/system/core/Hooks.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Input.php b/system/core/Input.php index 4e7a4e95e22..55474fd0c30 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Lang.php b/system/core/Lang.php index deb955414b1..6913b92fa17 100644 --- a/system/core/Lang.php +++ b/system/core/Lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Loader.php b/system/core/Loader.php index 87f21b27939..500a86ae685 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Log.php b/system/core/Log.php index e8cb401f57f..4343d746de0 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Model.php b/system/core/Model.php index a0469de11a3..c9f1f8dd6f1 100644 --- a/system/core/Model.php +++ b/system/core/Model.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Output.php b/system/core/Output.php index 76c1329d299..75116b3a6cc 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Router.php b/system/core/Router.php index ce41aa95867..85d1df719a6 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Security.php b/system/core/Security.php index e79bf8affab..16375d17fb5 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/URI.php b/system/core/URI.php index 5179b401f3f..5262dd49c23 100644 --- a/system/core/URI.php +++ b/system/core/URI.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Utf8.php b/system/core/Utf8.php index 9d8ac41e1a7..c6392c4e20f 100644 --- a/system/core/Utf8.php +++ b/system/core/Utf8.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.0.0 diff --git a/system/core/compat/hash.php b/system/core/compat/hash.php index 15954559ca2..7e5f1335d89 100644 --- a/system/core/compat/hash.php +++ b/system/core/compat/hash.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/core/compat/mbstring.php b/system/core/compat/mbstring.php index e335c85f7f1..ff8e79257b1 100644 --- a/system/core/compat/mbstring.php +++ b/system/core/compat/mbstring.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/core/compat/password.php b/system/core/compat/password.php index 7b933aa048e..3062b89c0fb 100644 --- a/system/core/compat/password.php +++ b/system/core/compat/password.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/core/compat/standard.php b/system/core/compat/standard.php index 5a428c114a4..c9f7ce22589 100644 --- a/system/core/compat/standard.php +++ b/system/core/compat/standard.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/DB.php b/system/database/DB.php index 0c7cf54b331..d713a68dd44 100644 --- a/system/database/DB.php +++ b/system/database/DB.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_cache.php b/system/database/DB_cache.php index 223055f6088..134737e3147 100644 --- a/system/database/DB_cache.php +++ b/system/database/DB_cache.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 40e40e927d6..78228818e7f 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index 1546e40c09b..6fc1e1f2b0d 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 7a3d2f594ce..7a65225e45d 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_result.php b/system/database/DB_result.php index 746f2a110fe..7b313914aca 100644 --- a/system/database/DB_result.php +++ b/system/database/DB_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_utility.php b/system/database/DB_utility.php index b51893e1813..c4bad9eaf25 100644 --- a/system/database/DB_utility.php +++ b/system/database/DB_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php index 65f4adb3fbc..70f28d6d076 100644 --- a/system/database/drivers/cubrid/cubrid_driver.php +++ b/system/database/drivers/cubrid/cubrid_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/cubrid/cubrid_forge.php b/system/database/drivers/cubrid/cubrid_forge.php index 9484e94e142..aac8f03b66b 100644 --- a/system/database/drivers/cubrid/cubrid_forge.php +++ b/system/database/drivers/cubrid/cubrid_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/cubrid/cubrid_result.php b/system/database/drivers/cubrid/cubrid_result.php index e666bab56a3..31ad09d7256 100644 --- a/system/database/drivers/cubrid/cubrid_result.php +++ b/system/database/drivers/cubrid/cubrid_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/cubrid/cubrid_utility.php b/system/database/drivers/cubrid/cubrid_utility.php index de7d715682e..c9648c597e2 100644 --- a/system/database/drivers/cubrid/cubrid_utility.php +++ b/system/database/drivers/cubrid/cubrid_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php index 82550d51b18..6b1c77b7f88 100644 --- a/system/database/drivers/ibase/ibase_driver.php +++ b/system/database/drivers/ibase/ibase_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/ibase/ibase_forge.php b/system/database/drivers/ibase/ibase_forge.php index 0e748c71073..02e7a37984d 100644 --- a/system/database/drivers/ibase/ibase_forge.php +++ b/system/database/drivers/ibase/ibase_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/ibase/ibase_result.php b/system/database/drivers/ibase/ibase_result.php index 991146f45dd..c907e35caa7 100644 --- a/system/database/drivers/ibase/ibase_result.php +++ b/system/database/drivers/ibase/ibase_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/ibase/ibase_utility.php b/system/database/drivers/ibase/ibase_utility.php index 79d2788e51f..0672113a3e5 100644 --- a/system/database/drivers/ibase/ibase_utility.php +++ b/system/database/drivers/ibase/ibase_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index b9e310a3af2..965e7b02d05 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mssql/mssql_forge.php b/system/database/drivers/mssql/mssql_forge.php index 84406a01647..4d888ef5c21 100644 --- a/system/database/drivers/mssql/mssql_forge.php +++ b/system/database/drivers/mssql/mssql_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mssql/mssql_result.php b/system/database/drivers/mssql/mssql_result.php index c1c42a486b5..af1e4d79454 100644 --- a/system/database/drivers/mssql/mssql_result.php +++ b/system/database/drivers/mssql/mssql_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mssql/mssql_utility.php b/system/database/drivers/mssql/mssql_utility.php index 1040b5e417b..deffaeef134 100644 --- a/system/database/drivers/mssql/mssql_utility.php +++ b/system/database/drivers/mssql/mssql_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 3a450ec4cb1..c20b315a219 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/mysql/mysql_forge.php b/system/database/drivers/mysql/mysql_forge.php index cb90065f2ef..51ec17c594b 100644 --- a/system/database/drivers/mysql/mysql_forge.php +++ b/system/database/drivers/mysql/mysql_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/mysql/mysql_result.php b/system/database/drivers/mysql/mysql_result.php index 26aaddd325f..3483d816a0f 100644 --- a/system/database/drivers/mysql/mysql_result.php +++ b/system/database/drivers/mysql/mysql_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/mysql/mysql_utility.php b/system/database/drivers/mysql/mysql_utility.php index 55857ab08ef..3802a46fa2e 100644 --- a/system/database/drivers/mysql/mysql_utility.php +++ b/system/database/drivers/mysql/mysql_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 323a67f63ed..61a78037241 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mysqli/mysqli_forge.php b/system/database/drivers/mysqli/mysqli_forge.php index 196afa845a1..0f19b737c0a 100644 --- a/system/database/drivers/mysqli/mysqli_forge.php +++ b/system/database/drivers/mysqli/mysqli_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mysqli/mysqli_result.php b/system/database/drivers/mysqli/mysqli_result.php index d648828bd97..9b653088fb8 100644 --- a/system/database/drivers/mysqli/mysqli_result.php +++ b/system/database/drivers/mysqli/mysqli_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mysqli/mysqli_utility.php b/system/database/drivers/mysqli/mysqli_utility.php index 04fcd1dede7..c771f6f574b 100644 --- a/system/database/drivers/mysqli/mysqli_utility.php +++ b/system/database/drivers/mysqli/mysqli_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index 994f8f33ace..1f5258ecfaf 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.4.1 diff --git a/system/database/drivers/oci8/oci8_forge.php b/system/database/drivers/oci8/oci8_forge.php index 80100977a2e..f2ec2d109fe 100644 --- a/system/database/drivers/oci8/oci8_forge.php +++ b/system/database/drivers/oci8/oci8_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.4.1 diff --git a/system/database/drivers/oci8/oci8_result.php b/system/database/drivers/oci8/oci8_result.php index 9ec54cc5c84..c6cbd5c58b9 100644 --- a/system/database/drivers/oci8/oci8_result.php +++ b/system/database/drivers/oci8/oci8_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.4.1 diff --git a/system/database/drivers/oci8/oci8_utility.php b/system/database/drivers/oci8/oci8_utility.php index 90022a8c1c3..372ad37377a 100644 --- a/system/database/drivers/oci8/oci8_utility.php +++ b/system/database/drivers/oci8/oci8_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.4.1 diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index e12ad53bc36..5b17ff69214 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/odbc/odbc_forge.php b/system/database/drivers/odbc/odbc_forge.php index 45c5dc108c9..3dc765025a8 100644 --- a/system/database/drivers/odbc/odbc_forge.php +++ b/system/database/drivers/odbc/odbc_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/odbc/odbc_result.php b/system/database/drivers/odbc/odbc_result.php index 10b93d4fc0f..a8aa3f67fba 100644 --- a/system/database/drivers/odbc/odbc_result.php +++ b/system/database/drivers/odbc/odbc_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/odbc/odbc_utility.php b/system/database/drivers/odbc/odbc_utility.php index 0e6c2332835..35944a55ba8 100644 --- a/system/database/drivers/odbc/odbc_utility.php +++ b/system/database/drivers/odbc/odbc_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index 8c5a5e7e369..4bd7ecfeeba 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/pdo/pdo_forge.php b/system/database/drivers/pdo/pdo_forge.php index eedd9722d48..25cd5d17239 100644 --- a/system/database/drivers/pdo/pdo_forge.php +++ b/system/database/drivers/pdo/pdo_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/pdo/pdo_result.php b/system/database/drivers/pdo/pdo_result.php index fe26fea6ea8..56370c97204 100644 --- a/system/database/drivers/pdo/pdo_result.php +++ b/system/database/drivers/pdo/pdo_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/pdo/pdo_utility.php b/system/database/drivers/pdo/pdo_utility.php index 72169c3cae9..8c45fd82f2b 100644 --- a/system/database/drivers/pdo/pdo_utility.php +++ b/system/database/drivers/pdo/pdo_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php index 7a767ef4013..c6cc6680502 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php b/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php index 6b420540ce8..c28c4734188 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php index 98ac89f3d79..e03c824f593 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php index 15b100d9b1d..8846f49a1f4 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php index ae2b9983bf7..2d19c3951a2 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php index d3dd9032e6d..7529addfab4 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php index 0bafde861a7..c5e772b182c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php index ad28a655045..91703509f46 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php index 5dba26ec9d0..4d363b198b1 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php b/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php index d1b5f92c946..e4693d6b0b1 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php index 9f8c017a5aa..230e60be75b 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php b/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php index 22bdf61049f..4de23016147 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index c230651dcfd..a11ad796efa 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php index e8e24c6b3ed..04792c8443f 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php index d4cfb7dd7f2..cef12befe83 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php index e2078cf39c5..64d1c89f058 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php index 4df2de8baa6..bd4849b2bae 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php index 29135298296..4736c424498 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php index 79c3c7be0d1..a6c83a858f1 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php index b4a6160a8e9..3b2a9c857d3 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php index 409e6501bee..9d1fb6447ac 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php b/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php index 15afbdef5cd..91951718a3a 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php index f8ae5f6dbe0..ee68e5b1503 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php index 602a1d42697..e26c9597b65 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index a7a02496b8d..dd46503b109 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/postgre/postgre_forge.php b/system/database/drivers/postgre/postgre_forge.php index d26e84cbcaa..e185a40071c 100644 --- a/system/database/drivers/postgre/postgre_forge.php +++ b/system/database/drivers/postgre/postgre_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/postgre/postgre_result.php b/system/database/drivers/postgre/postgre_result.php index a8ad24edfdf..91e036432ab 100644 --- a/system/database/drivers/postgre/postgre_result.php +++ b/system/database/drivers/postgre/postgre_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/postgre/postgre_utility.php b/system/database/drivers/postgre/postgre_utility.php index 7c6c0259003..83e144420b3 100644 --- a/system/database/drivers/postgre/postgre_utility.php +++ b/system/database/drivers/postgre/postgre_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/sqlite/sqlite_driver.php b/system/database/drivers/sqlite/sqlite_driver.php index e000a8e5002..d889ef5881f 100644 --- a/system/database/drivers/sqlite/sqlite_driver.php +++ b/system/database/drivers/sqlite/sqlite_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/sqlite/sqlite_forge.php b/system/database/drivers/sqlite/sqlite_forge.php index 2bba330c07a..9b97f88cbf6 100644 --- a/system/database/drivers/sqlite/sqlite_forge.php +++ b/system/database/drivers/sqlite/sqlite_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/sqlite/sqlite_result.php b/system/database/drivers/sqlite/sqlite_result.php index 487d00366bf..322a63cba91 100644 --- a/system/database/drivers/sqlite/sqlite_result.php +++ b/system/database/drivers/sqlite/sqlite_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/sqlite/sqlite_utility.php b/system/database/drivers/sqlite/sqlite_utility.php index 9cb454274c0..84c2abb4744 100644 --- a/system/database/drivers/sqlite/sqlite_utility.php +++ b/system/database/drivers/sqlite/sqlite_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/sqlite3/sqlite3_driver.php b/system/database/drivers/sqlite3/sqlite3_driver.php index 73e4537852e..24cff60f8b2 100644 --- a/system/database/drivers/sqlite3/sqlite3_driver.php +++ b/system/database/drivers/sqlite3/sqlite3_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/sqlite3/sqlite3_forge.php b/system/database/drivers/sqlite3/sqlite3_forge.php index 24690ba20cd..6201d863249 100644 --- a/system/database/drivers/sqlite3/sqlite3_forge.php +++ b/system/database/drivers/sqlite3/sqlite3_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/sqlite3/sqlite3_result.php b/system/database/drivers/sqlite3/sqlite3_result.php index 387481b7f43..279c75673ea 100644 --- a/system/database/drivers/sqlite3/sqlite3_result.php +++ b/system/database/drivers/sqlite3/sqlite3_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/sqlite3/sqlite3_utility.php b/system/database/drivers/sqlite3/sqlite3_utility.php index 336f68754e6..21dc0b84df1 100644 --- a/system/database/drivers/sqlite3/sqlite3_utility.php +++ b/system/database/drivers/sqlite3/sqlite3_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index 414669a4b2c..38f89d502a4 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.0.3 diff --git a/system/database/drivers/sqlsrv/sqlsrv_forge.php b/system/database/drivers/sqlsrv/sqlsrv_forge.php index b22b60a4af7..c01cdccac55 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_forge.php +++ b/system/database/drivers/sqlsrv/sqlsrv_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.0.3 diff --git a/system/database/drivers/sqlsrv/sqlsrv_result.php b/system/database/drivers/sqlsrv/sqlsrv_result.php index d2be926aadd..64541baabf2 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_result.php +++ b/system/database/drivers/sqlsrv/sqlsrv_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.0.3 diff --git a/system/database/drivers/sqlsrv/sqlsrv_utility.php b/system/database/drivers/sqlsrv/sqlsrv_utility.php index 77cf0aaf3cb..ebb5d618f5a 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_utility.php +++ b/system/database/drivers/sqlsrv/sqlsrv_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.0.3 diff --git a/system/helpers/array_helper.php b/system/helpers/array_helper.php index 2ce55b9c49c..4bf7cd18853 100644 --- a/system/helpers/array_helper.php +++ b/system/helpers/array_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index 03c1dd8525c..4d8e98ea6ab 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/cookie_helper.php b/system/helpers/cookie_helper.php index c2dc73a17c7..95b8224c57e 100644 --- a/system/helpers/cookie_helper.php +++ b/system/helpers/cookie_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index c9b71c30f72..5b6b7623167 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/directory_helper.php b/system/helpers/directory_helper.php index 8f05c5b18e3..01ab4500d19 100644 --- a/system/helpers/directory_helper.php +++ b/system/helpers/directory_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index 73f6456c478..a005c91efaa 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/email_helper.php b/system/helpers/email_helper.php index c4d7058102a..b8f28da1c87 100644 --- a/system/helpers/email_helper.php +++ b/system/helpers/email_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/file_helper.php b/system/helpers/file_helper.php index f6cb1629a6b..305759556ae 100644 --- a/system/helpers/file_helper.php +++ b/system/helpers/file_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 37dafd9137a..badf7773d63 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index 28fbe00bee8..282aa5e7a11 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/inflector_helper.php b/system/helpers/inflector_helper.php index f2890059f1c..a84647eb4b9 100644 --- a/system/helpers/inflector_helper.php +++ b/system/helpers/inflector_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/language_helper.php b/system/helpers/language_helper.php index 25ce8abe163..1b5d1396ff3 100644 --- a/system/helpers/language_helper.php +++ b/system/helpers/language_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/number_helper.php b/system/helpers/number_helper.php index 3a24259e19c..328651cdb83 100644 --- a/system/helpers/number_helper.php +++ b/system/helpers/number_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/path_helper.php b/system/helpers/path_helper.php index c96d0b8b3e1..c9d1194359e 100644 --- a/system/helpers/path_helper.php +++ b/system/helpers/path_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/security_helper.php b/system/helpers/security_helper.php index adbf136bb59..ae88dfc077e 100644 --- a/system/helpers/security_helper.php +++ b/system/helpers/security_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/smiley_helper.php b/system/helpers/smiley_helper.php index d053dd22cb4..e13e1e4df22 100644 --- a/system/helpers/smiley_helper.php +++ b/system/helpers/smiley_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/string_helper.php b/system/helpers/string_helper.php index 3138a04b3a3..98cf882e050 100644 --- a/system/helpers/string_helper.php +++ b/system/helpers/string_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/text_helper.php b/system/helpers/text_helper.php index fb47036f23f..b7f199d551f 100644 --- a/system/helpers/text_helper.php +++ b/system/helpers/text_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/typography_helper.php b/system/helpers/typography_helper.php index 45bb9b1d4cb..e8c84c9cac9 100644 --- a/system/helpers/typography_helper.php +++ b/system/helpers/typography_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php index d65f92f1b90..6c96482d293 100644 --- a/system/helpers/url_helper.php +++ b/system/helpers/url_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/xml_helper.php b/system/helpers/xml_helper.php index 55f9c2f6686..8c2a6dcf1f4 100644 --- a/system/helpers/xml_helper.php +++ b/system/helpers/xml_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/calendar_lang.php b/system/language/english/calendar_lang.php index 9d33528682a..d7afdfe37d1 100644 --- a/system/language/english/calendar_lang.php +++ b/system/language/english/calendar_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/date_lang.php b/system/language/english/date_lang.php index c61c9c2ad8f..cdf55454ea5 100644 --- a/system/language/english/date_lang.php +++ b/system/language/english/date_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/db_lang.php b/system/language/english/db_lang.php index 5b67da65974..be37f2bfd20 100644 --- a/system/language/english/db_lang.php +++ b/system/language/english/db_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/email_lang.php b/system/language/english/email_lang.php index cc6b2fd5a6b..dd2331a8233 100644 --- a/system/language/english/email_lang.php +++ b/system/language/english/email_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/form_validation_lang.php b/system/language/english/form_validation_lang.php index 75d6e4b82ae..797c8024554 100644 --- a/system/language/english/form_validation_lang.php +++ b/system/language/english/form_validation_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/ftp_lang.php b/system/language/english/ftp_lang.php index bccc27397c6..02a73449fb4 100644 --- a/system/language/english/ftp_lang.php +++ b/system/language/english/ftp_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/imglib_lang.php b/system/language/english/imglib_lang.php index 41129cd6e5f..e52490e8d15 100644 --- a/system/language/english/imglib_lang.php +++ b/system/language/english/imglib_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/migration_lang.php b/system/language/english/migration_lang.php index 9e4a7c58cdb..f842e88bba9 100644 --- a/system/language/english/migration_lang.php +++ b/system/language/english/migration_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/language/english/number_lang.php b/system/language/english/number_lang.php index db229c5b537..f1756ac161e 100644 --- a/system/language/english/number_lang.php +++ b/system/language/english/number_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/pagination_lang.php b/system/language/english/pagination_lang.php index be133781e1c..d9930d36b0c 100644 --- a/system/language/english/pagination_lang.php +++ b/system/language/english/pagination_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/profiler_lang.php b/system/language/english/profiler_lang.php index ba3edba60e6..2259823f7ed 100644 --- a/system/language/english/profiler_lang.php +++ b/system/language/english/profiler_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/unit_test_lang.php b/system/language/english/unit_test_lang.php index 639829ed817..b9b53e75544 100644 --- a/system/language/english/unit_test_lang.php +++ b/system/language/english/unit_test_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/upload_lang.php b/system/language/english/upload_lang.php index a536dda318c..7fe518424e2 100644 --- a/system/language/english/upload_lang.php +++ b/system/language/english/upload_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Cache/Cache.php b/system/libraries/Cache/Cache.php index 0c87a5628e6..023ad02bb09 100644 --- a/system/libraries/Cache/Cache.php +++ b/system/libraries/Cache/Cache.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.0.0 diff --git a/system/libraries/Cache/drivers/Cache_apc.php b/system/libraries/Cache/drivers/Cache_apc.php index e0d2ffb399d..621a5964367 100644 --- a/system/libraries/Cache/drivers/Cache_apc.php +++ b/system/libraries/Cache/drivers/Cache_apc.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.0.0 diff --git a/system/libraries/Cache/drivers/Cache_dummy.php b/system/libraries/Cache/drivers/Cache_dummy.php index bf80945a99a..f1fb6b5a0c2 100644 --- a/system/libraries/Cache/drivers/Cache_dummy.php +++ b/system/libraries/Cache/drivers/Cache_dummy.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.0 diff --git a/system/libraries/Cache/drivers/Cache_file.php b/system/libraries/Cache/drivers/Cache_file.php index c046f3b7d9c..01295baf543 100644 --- a/system/libraries/Cache/drivers/Cache_file.php +++ b/system/libraries/Cache/drivers/Cache_file.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.0 diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index 59cf4685db1..f1011348dd3 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.0 diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index ea0059ff702..62c1b391af7 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Cache/drivers/Cache_wincache.php b/system/libraries/Cache/drivers/Cache_wincache.php index 9cc6ff01604..46b12d036f1 100644 --- a/system/libraries/Cache/drivers/Cache_wincache.php +++ b/system/libraries/Cache/drivers/Cache_wincache.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Calendar.php b/system/libraries/Calendar.php index f6a0c39c444..fd32cfde6d8 100644 --- a/system/libraries/Calendar.php +++ b/system/libraries/Calendar.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Cart.php b/system/libraries/Cart.php index bf27c639242..0be2a585ba2 100644 --- a/system/libraries/Cart.php +++ b/system/libraries/Cart.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Driver.php b/system/libraries/Driver.php index da4c548e67d..f263d01b194 100644 --- a/system/libraries/Driver.php +++ b/system/libraries/Driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 754dd1784fa..c8859b9c358 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Encrypt.php b/system/libraries/Encrypt.php index a46d4f46296..18ef92dde5f 100644 --- a/system/libraries/Encrypt.php +++ b/system/libraries/Encrypt.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Encryption.php b/system/libraries/Encryption.php index 151ce8dec2d..b5d12c49026 100644 --- a/system/libraries/Encryption.php +++ b/system/libraries/Encryption.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index c2212585d89..e3665217817 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Ftp.php b/system/libraries/Ftp.php index 2d345c29446..e753396970d 100644 --- a/system/libraries/Ftp.php +++ b/system/libraries/Ftp.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index e813efd8929..cc865fd81be 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Javascript.php b/system/libraries/Javascript.php index 4cc62869255..8e3180adc1f 100644 --- a/system/libraries/Javascript.php +++ b/system/libraries/Javascript.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Javascript/Jquery.php b/system/libraries/Javascript/Jquery.php index 11f2d2361a9..cbaee610843 100644 --- a/system/libraries/Javascript/Jquery.php +++ b/system/libraries/Javascript/Jquery.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Migration.php b/system/libraries/Migration.php index 45a3cbbcef9..d0254abfc37 100644 --- a/system/libraries/Migration.php +++ b/system/libraries/Migration.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index 4d18998b93c..3a5e3479266 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Parser.php b/system/libraries/Parser.php index 57981af95af..508bd4f4fe1 100644 --- a/system/libraries/Parser.php +++ b/system/libraries/Parser.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index 1e464d8b01a..2f2848f3503 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index 05a470d860f..28c93434d2d 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 2.0.0 diff --git a/system/libraries/Session/SessionHandlerInterface.php b/system/libraries/Session/SessionHandlerInterface.php index 9dab5ac07fe..90bae937a63 100644 --- a/system/libraries/Session/SessionHandlerInterface.php +++ b/system/libraries/Session/SessionHandlerInterface.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Session/Session_driver.php b/system/libraries/Session/Session_driver.php index 64b4bb51147..6d66e274b01 100644 --- a/system/libraries/Session/Session_driver.php +++ b/system/libraries/Session/Session_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index 8c4555481c4..5523655d2d5 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Session/drivers/Session_files_driver.php b/system/libraries/Session/drivers/Session_files_driver.php index c540996a7ff..f9dc426aab4 100644 --- a/system/libraries/Session/drivers/Session_files_driver.php +++ b/system/libraries/Session/drivers/Session_files_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index 9d7ab117282..cf52caac4ae 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index a31c453729f..6a90a740588 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Table.php b/system/libraries/Table.php index 2d98230937f..3c7674e568a 100644 --- a/system/libraries/Table.php +++ b/system/libraries/Table.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.1 diff --git a/system/libraries/Trackback.php b/system/libraries/Trackback.php index 23bdbbd58d0..944672e62bb 100644 --- a/system/libraries/Trackback.php +++ b/system/libraries/Trackback.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Typography.php b/system/libraries/Typography.php index 3b6cb164512..2bbe120c9d6 100644 --- a/system/libraries/Typography.php +++ b/system/libraries/Typography.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Unit_test.php b/system/libraries/Unit_test.php index 3f986f3e858..2ddc40a1a2e 100644 --- a/system/libraries/Unit_test.php +++ b/system/libraries/Unit_test.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.3.1 diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 8a2dec76a4c..40ca502847c 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/User_agent.php b/system/libraries/User_agent.php index 53d932a5397..400ec1b3786 100644 --- a/system/libraries/User_agent.php +++ b/system/libraries/User_agent.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index 55555f56ffc..cc1b65eb116 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Xmlrpcs.php b/system/libraries/Xmlrpcs.php index 00d1feca682..894597fa2c7 100644 --- a/system/libraries/Xmlrpcs.php +++ b/system/libraries/Xmlrpcs.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Zip.php b/system/libraries/Zip.php index 3e98ac56891..e3d63e802c7 100644 --- a/system/libraries/Zip.php +++ b/system/libraries/Zip.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link http://codeigniter.com * @since Version 1.0.0 diff --git a/user_guide_src/cilexer/cilexer/cilexer.py b/user_guide_src/cilexer/cilexer/cilexer.py index 2580b0b301b..1abdcbbae9a 100644 --- a/user_guide_src/cilexer/cilexer/cilexer.py +++ b/user_guide_src/cilexer/cilexer/cilexer.py @@ -5,7 +5,7 @@ # # This content is released under the MIT License (MIT) # -# Copyright (c) 2014 - 2015, British Columbia Institute of Technology +# Copyright (c) 2014 - 2016, British Columbia Institute of Technology # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal @@ -26,7 +26,7 @@ # THE SOFTWARE. # # Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) -# Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) +# Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) # # http://opensource.org/licenses/MIT MIT License diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index a1ebb520506..8a4c9db595d 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -41,7 +41,7 @@ # General information about the project. project = u'CodeIgniter' -copyright = u'2014 - 2015, British Columbia Institute of Technology' +copyright = u'2014 - 2016, British Columbia Institute of Technology' # The version info for the project you're documenting, acts as replacement for # |version| and |release|, also used in various other places throughout the @@ -229,7 +229,7 @@ epub_title = u'CodeIgniter' epub_author = u'British Columbia Institute of Technology' epub_publisher = u'British Columbia Institute of Technology' -epub_copyright = u'2014 - 2015, British Columbia Institute of Technology' +epub_copyright = u'2014 - 2016, British Columbia Institute of Technology' # The language of the text. It defaults to the language option # or en if the language is not set. diff --git a/user_guide_src/source/license.rst b/user_guide_src/source/license.rst index c1a32772f72..3f7b2f58bcb 100644 --- a/user_guide_src/source/license.rst +++ b/user_guide_src/source/license.rst @@ -2,7 +2,7 @@ The MIT License (MIT) ##################### -Copyright (c) 2014 - 2015, British Columbia Institute of Technology +Copyright (c) 2014 - 2016, British Columbia Institute of Technology Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal From 09124f5961c7a6c9a54b5e87ff59e8e9315471b9 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 11 Jan 2016 12:40:05 +0200 Subject: [PATCH 2557/3829] [ci skip] Update webchat link in readme --- readme.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/readme.rst b/readme.rst index 2e35d7223f6..6ddee94106d 100644 --- a/readme.rst +++ b/readme.rst @@ -57,7 +57,7 @@ Resources - `Language File Translations `_ - `Community Forums `_ - `Community Wiki `_ -- `Community IRC `_ +- `Community IRC `_ Report security issues to our `Security Panel `_ or via our `page on HackerOne `_, thank you. From bd202c91b0e9cf0a8c93bcaa71df9574f5909346 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 11 Jan 2016 12:50:18 +0200 Subject: [PATCH 2558/3829] [ci skip] Update codeigniter.com links to https --- application/config/config.php | 8 ++++---- application/config/hooks.php | 2 +- application/config/memcached.php | 2 +- application/config/profiler.php | 2 +- application/config/routes.php | 2 +- application/config/smileys.php | 2 +- application/controllers/Welcome.php | 2 +- composer.json | 2 +- contributing.md | 4 ++-- index.php | 4 ++-- readme.rst | 6 +++--- system/core/Benchmark.php | 4 ++-- system/core/CodeIgniter.php | 4 ++-- system/core/Common.php | 4 ++-- system/core/Config.php | 4 ++-- system/core/Controller.php | 4 ++-- system/core/Exceptions.php | 4 ++-- system/core/Hooks.php | 4 ++-- system/core/Input.php | 4 ++-- system/core/Lang.php | 4 ++-- system/core/Loader.php | 4 ++-- system/core/Log.php | 4 ++-- system/core/Model.php | 4 ++-- system/core/Output.php | 4 ++-- system/core/Router.php | 4 ++-- system/core/Security.php | 4 ++-- system/core/URI.php | 4 ++-- system/core/Utf8.php | 4 ++-- system/core/compat/hash.php | 4 ++-- system/core/compat/mbstring.php | 4 ++-- system/core/compat/password.php | 4 ++-- system/core/compat/standard.php | 4 ++-- system/database/DB.php | 4 ++-- system/database/DB_cache.php | 4 ++-- system/database/DB_driver.php | 4 ++-- system/database/DB_forge.php | 4 ++-- system/database/DB_query_builder.php | 4 ++-- system/database/DB_result.php | 4 ++-- system/database/DB_utility.php | 4 ++-- system/database/drivers/cubrid/cubrid_driver.php | 4 ++-- system/database/drivers/cubrid/cubrid_forge.php | 4 ++-- system/database/drivers/cubrid/cubrid_result.php | 4 ++-- system/database/drivers/cubrid/cubrid_utility.php | 4 ++-- system/database/drivers/ibase/ibase_driver.php | 4 ++-- system/database/drivers/ibase/ibase_forge.php | 4 ++-- system/database/drivers/ibase/ibase_result.php | 4 ++-- system/database/drivers/ibase/ibase_utility.php | 4 ++-- system/database/drivers/mssql/mssql_driver.php | 4 ++-- system/database/drivers/mssql/mssql_forge.php | 4 ++-- system/database/drivers/mssql/mssql_result.php | 4 ++-- system/database/drivers/mssql/mssql_utility.php | 4 ++-- system/database/drivers/mysql/mysql_driver.php | 4 ++-- system/database/drivers/mysql/mysql_forge.php | 4 ++-- system/database/drivers/mysql/mysql_result.php | 4 ++-- system/database/drivers/mysql/mysql_utility.php | 4 ++-- system/database/drivers/mysqli/mysqli_driver.php | 4 ++-- system/database/drivers/mysqli/mysqli_forge.php | 4 ++-- system/database/drivers/mysqli/mysqli_result.php | 4 ++-- system/database/drivers/mysqli/mysqli_utility.php | 4 ++-- system/database/drivers/oci8/oci8_driver.php | 4 ++-- system/database/drivers/oci8/oci8_forge.php | 4 ++-- system/database/drivers/oci8/oci8_result.php | 4 ++-- system/database/drivers/oci8/oci8_utility.php | 4 ++-- system/database/drivers/odbc/odbc_driver.php | 4 ++-- system/database/drivers/odbc/odbc_forge.php | 4 ++-- system/database/drivers/odbc/odbc_result.php | 4 ++-- system/database/drivers/odbc/odbc_utility.php | 4 ++-- system/database/drivers/pdo/pdo_driver.php | 4 ++-- system/database/drivers/pdo/pdo_forge.php | 4 ++-- system/database/drivers/pdo/pdo_result.php | 4 ++-- system/database/drivers/pdo/pdo_utility.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_4d_driver.php | 4 ++-- .../database/drivers/pdo/subdrivers/pdo_4d_forge.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_cubrid_driver.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_cubrid_forge.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_dblib_driver.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_dblib_forge.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_firebird_driver.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_firebird_forge.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_ibm_driver.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_ibm_forge.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_informix_driver.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_informix_forge.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_mysql_driver.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_mysql_forge.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_oci_driver.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_oci_forge.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_odbc_driver.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_odbc_forge.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_pgsql_driver.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_pgsql_forge.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_sqlite_driver.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_sqlite_forge.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_sqlsrv_driver.php | 4 ++-- .../drivers/pdo/subdrivers/pdo_sqlsrv_forge.php | 4 ++-- system/database/drivers/postgre/postgre_driver.php | 4 ++-- system/database/drivers/postgre/postgre_forge.php | 4 ++-- system/database/drivers/postgre/postgre_result.php | 4 ++-- system/database/drivers/postgre/postgre_utility.php | 4 ++-- system/database/drivers/sqlite/sqlite_driver.php | 4 ++-- system/database/drivers/sqlite/sqlite_forge.php | 4 ++-- system/database/drivers/sqlite/sqlite_result.php | 4 ++-- system/database/drivers/sqlite/sqlite_utility.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_driver.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_forge.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_result.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_utility.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_driver.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_forge.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_result.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_utility.php | 4 ++-- system/helpers/array_helper.php | 4 ++-- system/helpers/captcha_helper.php | 4 ++-- system/helpers/cookie_helper.php | 4 ++-- system/helpers/date_helper.php | 4 ++-- system/helpers/directory_helper.php | 4 ++-- system/helpers/download_helper.php | 4 ++-- system/helpers/email_helper.php | 4 ++-- system/helpers/file_helper.php | 4 ++-- system/helpers/form_helper.php | 4 ++-- system/helpers/html_helper.php | 4 ++-- system/helpers/inflector_helper.php | 4 ++-- system/helpers/language_helper.php | 4 ++-- system/helpers/number_helper.php | 4 ++-- system/helpers/path_helper.php | 4 ++-- system/helpers/security_helper.php | 4 ++-- system/helpers/smiley_helper.php | 4 ++-- system/helpers/string_helper.php | 4 ++-- system/helpers/text_helper.php | 4 ++-- system/helpers/typography_helper.php | 4 ++-- system/helpers/url_helper.php | 4 ++-- system/helpers/xml_helper.php | 4 ++-- system/language/english/calendar_lang.php | 2 +- system/language/english/date_lang.php | 2 +- system/language/english/db_lang.php | 2 +- system/language/english/email_lang.php | 2 +- system/language/english/form_validation_lang.php | 2 +- system/language/english/ftp_lang.php | 2 +- system/language/english/imglib_lang.php | 2 +- system/language/english/migration_lang.php | 2 +- system/language/english/number_lang.php | 2 +- system/language/english/pagination_lang.php | 2 +- system/language/english/profiler_lang.php | 2 +- system/language/english/unit_test_lang.php | 2 +- system/language/english/upload_lang.php | 2 +- system/libraries/Cache/Cache.php | 2 +- system/libraries/Cache/drivers/Cache_apc.php | 2 +- system/libraries/Cache/drivers/Cache_dummy.php | 2 +- system/libraries/Cache/drivers/Cache_file.php | 2 +- system/libraries/Cache/drivers/Cache_memcached.php | 2 +- system/libraries/Cache/drivers/Cache_redis.php | 2 +- system/libraries/Cache/drivers/Cache_wincache.php | 2 +- system/libraries/Calendar.php | 4 ++-- system/libraries/Cart.php | 4 ++-- system/libraries/Driver.php | 2 +- system/libraries/Email.php | 4 ++-- system/libraries/Encrypt.php | 6 +++--- system/libraries/Encryption.php | 4 ++-- system/libraries/Form_validation.php | 4 ++-- system/libraries/Ftp.php | 4 ++-- system/libraries/Image_lib.php | 4 ++-- system/libraries/Javascript.php | 4 ++-- system/libraries/Javascript/Jquery.php | 4 ++-- system/libraries/Migration.php | 2 +- system/libraries/Pagination.php | 4 ++-- system/libraries/Parser.php | 4 ++-- system/libraries/Profiler.php | 4 ++-- system/libraries/Session/Session.php | 4 ++-- system/libraries/Session/SessionHandlerInterface.php | 4 ++-- system/libraries/Session/Session_driver.php | 4 ++-- .../Session/drivers/Session_database_driver.php | 4 ++-- .../Session/drivers/Session_files_driver.php | 4 ++-- .../Session/drivers/Session_memcached_driver.php | 4 ++-- .../Session/drivers/Session_redis_driver.php | 4 ++-- system/libraries/Table.php | 4 ++-- system/libraries/Trackback.php | 4 ++-- system/libraries/Typography.php | 4 ++-- system/libraries/Unit_test.php | 4 ++-- system/libraries/Upload.php | 4 ++-- system/libraries/User_agent.php | 4 ++-- system/libraries/Xmlrpc.php | 12 ++++++------ system/libraries/Xmlrpcs.php | 4 ++-- system/libraries/Zip.php | 4 ++-- user_guide_src/cilexer/cilexer/cilexer.py | 2 +- user_guide_src/source/contributing/index.rst | 4 ++-- user_guide_src/source/installation/upgrade_150.rst | 4 ++-- 186 files changed, 350 insertions(+), 350 deletions(-) diff --git a/application/config/config.php b/application/config/config.php index 4f8f8140651..23ef5a528c7 100644 --- a/application/config/config.php +++ b/application/config/config.php @@ -62,7 +62,7 @@ | This option allows you to add a suffix to all URLs generated by CodeIgniter. | For more information please see the user guide: | -| http://codeigniter.com/user_guide/general/urls.html +| https://codeigniter.com/user_guide/general/urls.html */ $config['url_suffix'] = ''; @@ -110,8 +110,8 @@ | This item allows you to set the filename/classname prefix when extending | native libraries. For more information please see the user guide: | -| http://codeigniter.com/user_guide/general/core_classes.html -| http://codeigniter.com/user_guide/general/creating_libraries.html +| https://codeigniter.com/user_guide/general/core_classes.html +| https://codeigniter.com/user_guide/general/creating_libraries.html | */ $config['subclass_prefix'] = 'MY_'; @@ -311,7 +311,7 @@ | If you use the Encryption class, you must set an encryption key. | See the user guide for more info. | -| http://codeigniter.com/user_guide/libraries/encryption.html +| https://codeigniter.com/user_guide/libraries/encryption.html | */ $config['encryption_key'] = ''; diff --git a/application/config/hooks.php b/application/config/hooks.php index 2eac5bbc9c1..a8f38a5dc92 100644 --- a/application/config/hooks.php +++ b/application/config/hooks.php @@ -8,6 +8,6 @@ | This file lets you define "hooks" to extend CI without hacking the core | files. Please see the user guide for info: | -| http://codeigniter.com/user_guide/general/hooks.html +| https://codeigniter.com/user_guide/general/hooks.html | */ diff --git a/application/config/memcached.php b/application/config/memcached.php index 55949a66c08..5c23b39c18a 100644 --- a/application/config/memcached.php +++ b/application/config/memcached.php @@ -7,7 +7,7 @@ | ------------------------------------------------------------------------- | Your Memcached servers can be specified below. | -| See: http://codeigniter.com/user_guide/libraries/caching.html#memcached +| See: https://codeigniter.com/user_guide/libraries/caching.html#memcached | */ $config = array( diff --git a/application/config/profiler.php b/application/config/profiler.php index b30204e1698..3db22e39c0b 100644 --- a/application/config/profiler.php +++ b/application/config/profiler.php @@ -9,6 +9,6 @@ | data are displayed when the Profiler is enabled. | Please see the user guide for info: | -| http://codeigniter.com/user_guide/general/profiling.html +| https://codeigniter.com/user_guide/general/profiling.html | */ diff --git a/application/config/routes.php b/application/config/routes.php index a98c6d12281..1b45740d7c7 100644 --- a/application/config/routes.php +++ b/application/config/routes.php @@ -19,7 +19,7 @@ | | Please see the user guide for complete details: | -| http://codeigniter.com/user_guide/general/routing.html +| https://codeigniter.com/user_guide/general/routing.html | | ------------------------------------------------------------------------- | RESERVED ROUTES diff --git a/application/config/smileys.php b/application/config/smileys.php index 1eeba4776cb..abf9a898dde 100644 --- a/application/config/smileys.php +++ b/application/config/smileys.php @@ -10,7 +10,7 @@ | :-) and :) use the same image replacement. | | Please see user guide for more info: -| http://codeigniter.com/user_guide/helpers/smiley_helper.html +| https://codeigniter.com/user_guide/helpers/smiley_helper.html | */ $smileys = array( diff --git a/application/controllers/Welcome.php b/application/controllers/Welcome.php index 34535ef0528..9213c0cf545 100644 --- a/application/controllers/Welcome.php +++ b/application/controllers/Welcome.php @@ -16,7 +16,7 @@ class Welcome extends CI_Controller { * * So any other public methods not prefixed with an underscore will * map to /index.php/welcome/ - * @see http://codeigniter.com/user_guide/general/urls.html + * @see https://codeigniter.com/user_guide/general/urls.html */ public function index() { diff --git a/composer.json b/composer.json index 0653a78859d..4a9e8748e80 100644 --- a/composer.json +++ b/composer.json @@ -2,7 +2,7 @@ "description": "The CodeIgniter framework", "name": "codeigniter/framework", "type": "project", - "homepage": "http://codeigniter.com/", + "homepage": "https://codeigniter.com/", "license": "MIT", "support": { "forum": "http://forum.codeigniter.com/", diff --git a/contributing.md b/contributing.md index 5a25698bf76..2037e04243b 100644 --- a/contributing.md +++ b/contributing.md @@ -20,8 +20,8 @@ for us to maintain quality of the code-base. ### PHP Style -All code must meet the [Style Guide](http://codeigniter.com/user_guide/general/styleguide.html), which is -essentially the [Allman indent style](http://en.wikipedia.org/wiki/Indent_style#Allman_style), underscores and readable operators. This makes certain that all code is the same format as the existing code and means it will be as readable as possible. +All code must meet the [Style Guide](https://codeigniter.com/user_guide/general/styleguide.html), which is +essentially the [Allman indent style](https://en.wikipedia.org/wiki/Indent_style#Allman_style), underscores and readable operators. This makes certain that all code is the same format as the existing code and means it will be as readable as possible. ### Documentation diff --git a/index.php b/index.php index 4dbc12a5a55..a5f5df81924 100755 --- a/index.php +++ b/index.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -109,7 +109,7 @@ * folder than the default one you can set its name here. The folder * can also be renamed or relocated anywhere on your server. If * you do, use a full server path. For more info please see the user guide: - * http://codeigniter.com/user_guide/general/managing_apps.html + * https://codeigniter.com/user_guide/general/managing_apps.html * * NO TRAILING SLASH! */ diff --git a/readme.rst b/readme.rst index 6ddee94106d..526950e679a 100644 --- a/readme.rst +++ b/readme.rst @@ -16,7 +16,7 @@ Release Information This repo contains in-development code for future releases. To download the latest stable release please visit the `CodeIgniter Downloads -`_ page. +`_ page. ************************** Changelog and New Features @@ -39,7 +39,7 @@ issues, as well as missing features. Installation ************ -Please see the `installation section `_ +Please see the `installation section `_ of the CodeIgniter User Guide. ******* @@ -53,7 +53,7 @@ agreement `_ +- `User Guide `_ - `Language File Translations `_ - `Community Forums `_ - `Community Wiki `_ diff --git a/system/core/Benchmark.php b/system/core/Benchmark.php index 414a801ee29..fc3b6aafb21 100644 --- a/system/core/Benchmark.php +++ b/system/core/Benchmark.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -47,7 +47,7 @@ * @subpackage Libraries * @category Libraries * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/benchmark.html + * @link https://codeigniter.com/user_guide/libraries/benchmark.html */ class CI_Benchmark { diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 1394fd86298..3b728ddae95 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage CodeIgniter * @category Front-controller * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/ + * @link https://codeigniter.com/user_guide/ */ /** diff --git a/system/core/Common.php b/system/core/Common.php index 32e47b74351..02421b1b1b5 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage CodeIgniter * @category Common Functions * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/ + * @link https://codeigniter.com/user_guide/ */ // ------------------------------------------------------------------------ diff --git a/system/core/Config.php b/system/core/Config.php index d03e02d4dc8..587877da641 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category Libraries * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/config.html + * @link https://codeigniter.com/user_guide/libraries/config.html */ class CI_Config { diff --git a/system/core/Controller.php b/system/core/Controller.php index 260dee4f6e3..c5c6ee0f4ef 100644 --- a/system/core/Controller.php +++ b/system/core/Controller.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -47,7 +47,7 @@ * @subpackage Libraries * @category Libraries * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/general/controllers.html + * @link https://codeigniter.com/user_guide/general/controllers.html */ class CI_Controller { diff --git a/system/core/Exceptions.php b/system/core/Exceptions.php index 29a28516608..e3270d60984 100644 --- a/system/core/Exceptions.php +++ b/system/core/Exceptions.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Exceptions * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/exceptions.html + * @link https://codeigniter.com/user_guide/libraries/exceptions.html */ class CI_Exceptions { diff --git a/system/core/Hooks.php b/system/core/Hooks.php index 42090d16cca..af71dba8372 100644 --- a/system/core/Hooks.php +++ b/system/core/Hooks.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category Libraries * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/general/hooks.html + * @link https://codeigniter.com/user_guide/general/hooks.html */ class CI_Hooks { diff --git a/system/core/Input.php b/system/core/Input.php index 55474fd0c30..bb7ad23ba00 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category Input * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/input.html + * @link https://codeigniter.com/user_guide/libraries/input.html */ class CI_Input { diff --git a/system/core/Lang.php b/system/core/Lang.php index 6913b92fa17..20855f975b2 100644 --- a/system/core/Lang.php +++ b/system/core/Lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Language * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/language.html + * @link https://codeigniter.com/user_guide/libraries/language.html */ class CI_Lang { diff --git a/system/core/Loader.php b/system/core/Loader.php index 500a86ae685..4d093d1397c 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category Loader * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/loader.html + * @link https://codeigniter.com/user_guide/libraries/loader.html */ class CI_Loader { diff --git a/system/core/Log.php b/system/core/Log.php index 4343d746de0..a5f64f29d40 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Logging * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/general/errors.html + * @link https://codeigniter.com/user_guide/general/errors.html */ class CI_Log { diff --git a/system/core/Model.php b/system/core/Model.php index c9f1f8dd6f1..058387255a6 100644 --- a/system/core/Model.php +++ b/system/core/Model.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Libraries * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/config.html + * @link https://codeigniter.com/user_guide/libraries/config.html */ class CI_Model { diff --git a/system/core/Output.php b/system/core/Output.php index 75116b3a6cc..faeb0ea97eb 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category Output * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/output.html + * @link https://codeigniter.com/user_guide/libraries/output.html */ class CI_Output { diff --git a/system/core/Router.php b/system/core/Router.php index 85d1df719a6..e46ddb4a980 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category Libraries * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/general/routing.html + * @link https://codeigniter.com/user_guide/general/routing.html */ class CI_Router { diff --git a/system/core/Security.php b/system/core/Security.php index 16375d17fb5..f697dd9c2e1 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Security * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/security.html + * @link https://codeigniter.com/user_guide/libraries/security.html */ class CI_Security { diff --git a/system/core/URI.php b/system/core/URI.php index 5262dd49c23..22e454339aa 100644 --- a/system/core/URI.php +++ b/system/core/URI.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category URI * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/uri.html + * @link https://codeigniter.com/user_guide/libraries/uri.html */ class CI_URI { diff --git a/system/core/Utf8.php b/system/core/Utf8.php index c6392c4e20f..523f5f248f4 100644 --- a/system/core/Utf8.php +++ b/system/core/Utf8.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category UTF-8 * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/utf8.html + * @link https://codeigniter.com/user_guide/libraries/utf8.html */ class CI_Utf8 { diff --git a/system/core/compat/hash.php b/system/core/compat/hash.php index 7e5f1335d89..405c014ab77 100644 --- a/system/core/compat/hash.php +++ b/system/core/compat/hash.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage CodeIgniter * @category Compatibility * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/ + * @link https://codeigniter.com/user_guide/ * @link http://php.net/hash */ diff --git a/system/core/compat/mbstring.php b/system/core/compat/mbstring.php index ff8e79257b1..0c64ed34681 100644 --- a/system/core/compat/mbstring.php +++ b/system/core/compat/mbstring.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage CodeIgniter * @category Compatibility * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/ + * @link https://codeigniter.com/user_guide/ * @link http://php.net/mbstring */ diff --git a/system/core/compat/password.php b/system/core/compat/password.php index 3062b89c0fb..6b6a0fc6047 100644 --- a/system/core/compat/password.php +++ b/system/core/compat/password.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage CodeIgniter * @category Compatibility * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/ + * @link https://codeigniter.com/user_guide/ * @link http://php.net/password */ diff --git a/system/core/compat/standard.php b/system/core/compat/standard.php index c9f7ce22589..3d439e4698a 100644 --- a/system/core/compat/standard.php +++ b/system/core/compat/standard.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage CodeIgniter * @category Compatibility * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/ + * @link https://codeigniter.com/user_guide/ */ // ------------------------------------------------------------------------ diff --git a/system/database/DB.php b/system/database/DB.php index d713a68dd44..db777da1b29 100644 --- a/system/database/DB.php +++ b/system/database/DB.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ * * @param string|string[] $params * @param bool $query_builder_override diff --git a/system/database/DB_cache.php b/system/database/DB_cache.php index 134737e3147..f31a8e2fb58 100644 --- a/system/database/DB_cache.php +++ b/system/database/DB_cache.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_Cache { diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 78228818e7f..02f0cca724d 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ abstract class CI_DB_driver { diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index 6fc1e1f2b0d..4392eb25f1e 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ abstract class CI_DB_forge { diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 7a65225e45d..637397fdcbe 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ abstract class CI_DB_query_builder extends CI_DB_driver { diff --git a/system/database/DB_result.php b/system/database/DB_result.php index 7b313914aca..745c92ca7f7 100644 --- a/system/database/DB_result.php +++ b/system/database/DB_result.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_result { diff --git a/system/database/DB_utility.php b/system/database/DB_utility.php index c4bad9eaf25..61900437668 100644 --- a/system/database/DB_utility.php +++ b/system/database/DB_utility.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ abstract class CI_DB_utility { diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php index 70f28d6d076..08ad3dcd41e 100644 --- a/system/database/drivers/cubrid/cubrid_driver.php +++ b/system/database/drivers/cubrid/cubrid_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.1.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author Esen Sagynov - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_cubrid_driver extends CI_DB { diff --git a/system/database/drivers/cubrid/cubrid_forge.php b/system/database/drivers/cubrid/cubrid_forge.php index aac8f03b66b..7091559cdb1 100644 --- a/system/database/drivers/cubrid/cubrid_forge.php +++ b/system/database/drivers/cubrid/cubrid_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.1.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author Esen Sagynov - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_cubrid_forge extends CI_DB_forge { diff --git a/system/database/drivers/cubrid/cubrid_result.php b/system/database/drivers/cubrid/cubrid_result.php index 31ad09d7256..1ac2f899ed7 100644 --- a/system/database/drivers/cubrid/cubrid_result.php +++ b/system/database/drivers/cubrid/cubrid_result.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.1.0 * @filesource */ @@ -44,7 +44,7 @@ * * @category Database * @author Esen Sagynov - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_cubrid_result extends CI_DB_result { diff --git a/system/database/drivers/cubrid/cubrid_utility.php b/system/database/drivers/cubrid/cubrid_utility.php index c9648c597e2..f853a92757a 100644 --- a/system/database/drivers/cubrid/cubrid_utility.php +++ b/system/database/drivers/cubrid/cubrid_utility.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.1.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author Esen Sagynov - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_cubrid_utility extends CI_DB_utility { diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php index 6b1c77b7f88..f1b89b74851 100644 --- a/system/database/drivers/ibase/ibase_driver.php +++ b/system/database/drivers/ibase/ibase_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_ibase_driver extends CI_DB { diff --git a/system/database/drivers/ibase/ibase_forge.php b/system/database/drivers/ibase/ibase_forge.php index 02e7a37984d..44be2ed00ec 100644 --- a/system/database/drivers/ibase/ibase_forge.php +++ b/system/database/drivers/ibase/ibase_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_ibase_forge extends CI_DB_forge { diff --git a/system/database/drivers/ibase/ibase_result.php b/system/database/drivers/ibase/ibase_result.php index c907e35caa7..a2c0d1d800c 100644 --- a/system/database/drivers/ibase/ibase_result.php +++ b/system/database/drivers/ibase/ibase_result.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -44,7 +44,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_ibase_result extends CI_DB_result { diff --git a/system/database/drivers/ibase/ibase_utility.php b/system/database/drivers/ibase/ibase_utility.php index 0672113a3e5..4b8790eee41 100644 --- a/system/database/drivers/ibase/ibase_utility.php +++ b/system/database/drivers/ibase/ibase_utility.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_ibase_utility extends CI_DB_utility { diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index 965e7b02d05..2a954a2758c 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_mssql_driver extends CI_DB { diff --git a/system/database/drivers/mssql/mssql_forge.php b/system/database/drivers/mssql/mssql_forge.php index 4d888ef5c21..9d0af0ce2c3 100644 --- a/system/database/drivers/mssql/mssql_forge.php +++ b/system/database/drivers/mssql/mssql_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_mssql_forge extends CI_DB_forge { diff --git a/system/database/drivers/mssql/mssql_result.php b/system/database/drivers/mssql/mssql_result.php index af1e4d79454..bd747c77b4b 100644 --- a/system/database/drivers/mssql/mssql_result.php +++ b/system/database/drivers/mssql/mssql_result.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_mssql_result extends CI_DB_result { diff --git a/system/database/drivers/mssql/mssql_utility.php b/system/database/drivers/mssql/mssql_utility.php index deffaeef134..d236c2045c5 100644 --- a/system/database/drivers/mssql/mssql_utility.php +++ b/system/database/drivers/mssql/mssql_utility.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_mssql_utility extends CI_DB_utility { diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index c20b315a219..7628ebd5529 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_mysql_driver extends CI_DB { diff --git a/system/database/drivers/mysql/mysql_forge.php b/system/database/drivers/mysql/mysql_forge.php index 51ec17c594b..09560bd6cf4 100644 --- a/system/database/drivers/mysql/mysql_forge.php +++ b/system/database/drivers/mysql/mysql_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_mysql_forge extends CI_DB_forge { diff --git a/system/database/drivers/mysql/mysql_result.php b/system/database/drivers/mysql/mysql_result.php index 3483d816a0f..286dcdf86fb 100644 --- a/system/database/drivers/mysql/mysql_result.php +++ b/system/database/drivers/mysql/mysql_result.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_mysql_result extends CI_DB_result { diff --git a/system/database/drivers/mysql/mysql_utility.php b/system/database/drivers/mysql/mysql_utility.php index 3802a46fa2e..1b0abf4eee4 100644 --- a/system/database/drivers/mysql/mysql_utility.php +++ b/system/database/drivers/mysql/mysql_utility.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_mysql_utility extends CI_DB_utility { diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 61a78037241..62f143f3020 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_mysqli_driver extends CI_DB { diff --git a/system/database/drivers/mysqli/mysqli_forge.php b/system/database/drivers/mysqli/mysqli_forge.php index 0f19b737c0a..42b69b55aff 100644 --- a/system/database/drivers/mysqli/mysqli_forge.php +++ b/system/database/drivers/mysqli/mysqli_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_mysqli_forge extends CI_DB_forge { diff --git a/system/database/drivers/mysqli/mysqli_result.php b/system/database/drivers/mysqli/mysqli_result.php index 9b653088fb8..3ecb46c1150 100644 --- a/system/database/drivers/mysqli/mysqli_result.php +++ b/system/database/drivers/mysqli/mysqli_result.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_mysqli_result extends CI_DB_result { diff --git a/system/database/drivers/mysqli/mysqli_utility.php b/system/database/drivers/mysqli/mysqli_utility.php index c771f6f574b..7192c55ddf1 100644 --- a/system/database/drivers/mysqli/mysqli_utility.php +++ b/system/database/drivers/mysqli/mysqli_utility.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_mysqli_utility extends CI_DB_utility { diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index 1f5258ecfaf..8bf432013ed 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.4.1 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ /** diff --git a/system/database/drivers/oci8/oci8_forge.php b/system/database/drivers/oci8/oci8_forge.php index f2ec2d109fe..97afcde89c5 100644 --- a/system/database/drivers/oci8/oci8_forge.php +++ b/system/database/drivers/oci8/oci8_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.4.1 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_oci8_forge extends CI_DB_forge { diff --git a/system/database/drivers/oci8/oci8_result.php b/system/database/drivers/oci8/oci8_result.php index c6cbd5c58b9..a70779cdf1c 100644 --- a/system/database/drivers/oci8/oci8_result.php +++ b/system/database/drivers/oci8/oci8_result.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.4.1 * @filesource */ @@ -44,7 +44,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_oci8_result extends CI_DB_result { diff --git a/system/database/drivers/oci8/oci8_utility.php b/system/database/drivers/oci8/oci8_utility.php index 372ad37377a..cde4a5f0306 100644 --- a/system/database/drivers/oci8/oci8_utility.php +++ b/system/database/drivers/oci8/oci8_utility.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.4.1 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_oci8_utility extends CI_DB_utility { diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index 5b17ff69214..370cdaa973a 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_odbc_driver extends CI_DB { diff --git a/system/database/drivers/odbc/odbc_forge.php b/system/database/drivers/odbc/odbc_forge.php index 3dc765025a8..0a482731be7 100644 --- a/system/database/drivers/odbc/odbc_forge.php +++ b/system/database/drivers/odbc/odbc_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/database/ + * @link https://codeigniter.com/database/ */ class CI_DB_odbc_forge extends CI_DB_forge { diff --git a/system/database/drivers/odbc/odbc_result.php b/system/database/drivers/odbc/odbc_result.php index a8aa3f67fba..d5aec527718 100644 --- a/system/database/drivers/odbc/odbc_result.php +++ b/system/database/drivers/odbc/odbc_result.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_odbc_result extends CI_DB_result { diff --git a/system/database/drivers/odbc/odbc_utility.php b/system/database/drivers/odbc/odbc_utility.php index 35944a55ba8..61d1d21fc60 100644 --- a/system/database/drivers/odbc/odbc_utility.php +++ b/system/database/drivers/odbc/odbc_utility.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/database/ + * @link https://codeigniter.com/database/ */ class CI_DB_odbc_utility extends CI_DB_utility { diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index 4bd7ecfeeba..612ec32be25 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.1.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_driver extends CI_DB { diff --git a/system/database/drivers/pdo/pdo_forge.php b/system/database/drivers/pdo/pdo_forge.php index 25cd5d17239..97bd4df82b0 100644 --- a/system/database/drivers/pdo/pdo_forge.php +++ b/system/database/drivers/pdo/pdo_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.1.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/database/ + * @link https://codeigniter.com/database/ */ class CI_DB_pdo_forge extends CI_DB_forge { diff --git a/system/database/drivers/pdo/pdo_result.php b/system/database/drivers/pdo/pdo_result.php index 56370c97204..6dcebda3cc1 100644 --- a/system/database/drivers/pdo/pdo_result.php +++ b/system/database/drivers/pdo/pdo_result.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.1.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_result extends CI_DB_result { diff --git a/system/database/drivers/pdo/pdo_utility.php b/system/database/drivers/pdo/pdo_utility.php index 8c45fd82f2b..dd5e3c4a2c3 100644 --- a/system/database/drivers/pdo/pdo_utility.php +++ b/system/database/drivers/pdo/pdo_utility.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.1.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/database/ + * @link https://codeigniter.com/database/ */ class CI_DB_pdo_utility extends CI_DB_utility { diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php index c6cc6680502..d9314287614 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_4d_driver extends CI_DB_pdo_driver { diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php b/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php index c28c4734188..f6c3f362108 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_4d_forge extends CI_DB_pdo_forge { diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php index e03c824f593..3e52cd753ee 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_cubrid_driver extends CI_DB_pdo_driver { diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php index 8846f49a1f4..9f542c6d673 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_cubrid_forge extends CI_DB_pdo_forge { diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php index 2d19c3951a2..ee2465933c4 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_dblib_driver extends CI_DB_pdo_driver { diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php index 7529addfab4..42cdd188e97 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_dblib_forge extends CI_DB_pdo_forge { diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php index c5e772b182c..237029d2171 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_firebird_driver extends CI_DB_pdo_driver { diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php index 91703509f46..34d5f775016 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_firebird_forge extends CI_DB_pdo_forge { diff --git a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php index 4d363b198b1..ecc822187fe 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_ibm_driver extends CI_DB_pdo_driver { diff --git a/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php b/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php index e4693d6b0b1..6698d5dd32c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_ibm_forge extends CI_DB_pdo_forge { diff --git a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php index 230e60be75b..f9476ecd401 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_informix_driver extends CI_DB_pdo_driver { diff --git a/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php b/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php index 4de23016147..ee79e9950d6 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_informix_forge extends CI_DB_pdo_forge { diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index a11ad796efa..d6c9ce5556b 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_mysql_driver extends CI_DB_pdo_driver { diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php index 04792c8443f..dc4426598a8 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_mysql_forge extends CI_DB_pdo_forge { diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php index cef12befe83..7c79c053117 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_oci_driver extends CI_DB_pdo_driver { diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php index 64d1c89f058..2f7bb6c7809 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_oci_forge extends CI_DB_pdo_forge { diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php index bd4849b2bae..622b0d41cb3 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_odbc_driver extends CI_DB_pdo_driver { diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php index 4736c424498..3724c63d516 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/database/ + * @link https://codeigniter.com/database/ */ class CI_DB_pdo_odbc_forge extends CI_DB_pdo_forge { diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php index a6c83a858f1..bd09a6756ec 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_pgsql_driver extends CI_DB_pdo_driver { diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php index 3b2a9c857d3..71ac3acb5d3 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_pgsql_forge extends CI_DB_pdo_forge { diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php index 9d1fb6447ac..5f85ecacfa8 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_sqlite_driver extends CI_DB_pdo_driver { diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php b/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php index 91951718a3a..afe9e782504 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_sqlite_forge extends CI_DB_pdo_forge { diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php index ee68e5b1503..23422431ec5 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_sqlsrv_driver extends CI_DB_pdo_driver { diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php index e26c9597b65..9091fc1d64b 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_pdo_sqlsrv_forge extends CI_DB_pdo_forge { diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index dd46503b109..1ef530afbee 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_postgre_driver extends CI_DB { diff --git a/system/database/drivers/postgre/postgre_forge.php b/system/database/drivers/postgre/postgre_forge.php index e185a40071c..8adff543d7d 100644 --- a/system/database/drivers/postgre/postgre_forge.php +++ b/system/database/drivers/postgre/postgre_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_postgre_forge extends CI_DB_forge { diff --git a/system/database/drivers/postgre/postgre_result.php b/system/database/drivers/postgre/postgre_result.php index 91e036432ab..6c46b0faf55 100644 --- a/system/database/drivers/postgre/postgre_result.php +++ b/system/database/drivers/postgre/postgre_result.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_postgre_result extends CI_DB_result { diff --git a/system/database/drivers/postgre/postgre_utility.php b/system/database/drivers/postgre/postgre_utility.php index 83e144420b3..abbe6f695b0 100644 --- a/system/database/drivers/postgre/postgre_utility.php +++ b/system/database/drivers/postgre/postgre_utility.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_postgre_utility extends CI_DB_utility { diff --git a/system/database/drivers/sqlite/sqlite_driver.php b/system/database/drivers/sqlite/sqlite_driver.php index d889ef5881f..9adae082937 100644 --- a/system/database/drivers/sqlite/sqlite_driver.php +++ b/system/database/drivers/sqlite/sqlite_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_sqlite_driver extends CI_DB { diff --git a/system/database/drivers/sqlite/sqlite_forge.php b/system/database/drivers/sqlite/sqlite_forge.php index 9b97f88cbf6..d6271bf90b3 100644 --- a/system/database/drivers/sqlite/sqlite_forge.php +++ b/system/database/drivers/sqlite/sqlite_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_sqlite_forge extends CI_DB_forge { diff --git a/system/database/drivers/sqlite/sqlite_result.php b/system/database/drivers/sqlite/sqlite_result.php index 322a63cba91..9e53e14c7d6 100644 --- a/system/database/drivers/sqlite/sqlite_result.php +++ b/system/database/drivers/sqlite/sqlite_result.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -44,7 +44,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_sqlite_result extends CI_DB_result { diff --git a/system/database/drivers/sqlite/sqlite_utility.php b/system/database/drivers/sqlite/sqlite_utility.php index 84c2abb4744..ed08929f1ac 100644 --- a/system/database/drivers/sqlite/sqlite_utility.php +++ b/system/database/drivers/sqlite/sqlite_utility.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_sqlite_utility extends CI_DB_utility { diff --git a/system/database/drivers/sqlite3/sqlite3_driver.php b/system/database/drivers/sqlite3/sqlite3_driver.php index 24cff60f8b2..bf2be00d3d1 100644 --- a/system/database/drivers/sqlite3/sqlite3_driver.php +++ b/system/database/drivers/sqlite3/sqlite3_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_sqlite3_driver extends CI_DB { diff --git a/system/database/drivers/sqlite3/sqlite3_forge.php b/system/database/drivers/sqlite3/sqlite3_forge.php index 6201d863249..854a734aae8 100644 --- a/system/database/drivers/sqlite3/sqlite3_forge.php +++ b/system/database/drivers/sqlite3/sqlite3_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_sqlite3_forge extends CI_DB_forge { diff --git a/system/database/drivers/sqlite3/sqlite3_result.php b/system/database/drivers/sqlite3/sqlite3_result.php index 279c75673ea..b77c6ebc648 100644 --- a/system/database/drivers/sqlite3/sqlite3_result.php +++ b/system/database/drivers/sqlite3/sqlite3_result.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -44,7 +44,7 @@ * * @category Database * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_sqlite3_result extends CI_DB_result { diff --git a/system/database/drivers/sqlite3/sqlite3_utility.php b/system/database/drivers/sqlite3/sqlite3_utility.php index 21dc0b84df1..c9f772ddee7 100644 --- a/system/database/drivers/sqlite3/sqlite3_utility.php +++ b/system/database/drivers/sqlite3/sqlite3_utility.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_sqlite3_utility extends CI_DB_utility { diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index 38f89d502a4..f3732544ae6 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.0.3 * @filesource */ @@ -48,7 +48,7 @@ * @subpackage Drivers * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_sqlsrv_driver extends CI_DB { diff --git a/system/database/drivers/sqlsrv/sqlsrv_forge.php b/system/database/drivers/sqlsrv/sqlsrv_forge.php index c01cdccac55..4f1e76c1347 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_forge.php +++ b/system/database/drivers/sqlsrv/sqlsrv_forge.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.0.3 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_sqlsrv_forge extends CI_DB_forge { diff --git a/system/database/drivers/sqlsrv/sqlsrv_result.php b/system/database/drivers/sqlsrv/sqlsrv_result.php index 64541baabf2..b7e554858cd 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_result.php +++ b/system/database/drivers/sqlsrv/sqlsrv_result.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.0.3 * @filesource */ @@ -44,7 +44,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_sqlsrv_result extends CI_DB_result { diff --git a/system/database/drivers/sqlsrv/sqlsrv_utility.php b/system/database/drivers/sqlsrv/sqlsrv_utility.php index ebb5d618f5a..bdc8c170081 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_utility.php +++ b/system/database/drivers/sqlsrv/sqlsrv_utility.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.0.3 * @filesource */ @@ -42,7 +42,7 @@ * * @category Database * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/database/ + * @link https://codeigniter.com/user_guide/database/ */ class CI_DB_sqlsrv_utility extends CI_DB_utility { diff --git a/system/helpers/array_helper.php b/system/helpers/array_helper.php index 4bf7cd18853..151324cf994 100644 --- a/system/helpers/array_helper.php +++ b/system/helpers/array_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/array_helper.html + * @link https://codeigniter.com/user_guide/helpers/array_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index 4d8e98ea6ab..db708e894ad 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/captcha_helper.html + * @link https://codeigniter.com/user_guide/helpers/captcha_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/cookie_helper.php b/system/helpers/cookie_helper.php index 95b8224c57e..9c12005a6c3 100644 --- a/system/helpers/cookie_helper.php +++ b/system/helpers/cookie_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/cookie_helper.html + * @link https://codeigniter.com/user_guide/helpers/cookie_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index 5b6b7623167..8cc01f6e05d 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/date_helper.html + * @link https://codeigniter.com/user_guide/helpers/date_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/directory_helper.php b/system/helpers/directory_helper.php index 01ab4500d19..d37db44ac42 100644 --- a/system/helpers/directory_helper.php +++ b/system/helpers/directory_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/directory_helper.html + * @link https://codeigniter.com/user_guide/helpers/directory_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index a005c91efaa..c2362540edc 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/download_helper.html + * @link https://codeigniter.com/user_guide/helpers/download_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/email_helper.php b/system/helpers/email_helper.php index b8f28da1c87..65e79c8c5f8 100644 --- a/system/helpers/email_helper.php +++ b/system/helpers/email_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/email_helper.html + * @link https://codeigniter.com/user_guide/helpers/email_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/file_helper.php b/system/helpers/file_helper.php index 305759556ae..62af7e1f316 100644 --- a/system/helpers/file_helper.php +++ b/system/helpers/file_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/file_helper.html + * @link https://codeigniter.com/user_guide/helpers/file_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index badf7773d63..1624bded018 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/form_helper.html + * @link https://codeigniter.com/user_guide/helpers/form_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index 282aa5e7a11..2c7595c4fcf 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/html_helper.html + * @link https://codeigniter.com/user_guide/helpers/html_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/inflector_helper.php b/system/helpers/inflector_helper.php index a84647eb4b9..f02afcf234a 100644 --- a/system/helpers/inflector_helper.php +++ b/system/helpers/inflector_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/inflector_helper.html + * @link https://codeigniter.com/user_guide/helpers/inflector_helper.html */ // -------------------------------------------------------------------- diff --git a/system/helpers/language_helper.php b/system/helpers/language_helper.php index 1b5d1396ff3..2de694c2af5 100644 --- a/system/helpers/language_helper.php +++ b/system/helpers/language_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/language_helper.html + * @link https://codeigniter.com/user_guide/helpers/language_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/number_helper.php b/system/helpers/number_helper.php index 328651cdb83..b5edfde9c19 100644 --- a/system/helpers/number_helper.php +++ b/system/helpers/number_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/number_helper.html + * @link https://codeigniter.com/user_guide/helpers/number_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/path_helper.php b/system/helpers/path_helper.php index c9d1194359e..7135b5d601c 100644 --- a/system/helpers/path_helper.php +++ b/system/helpers/path_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/path_helper.html + * @link https://codeigniter.com/user_guide/helpers/path_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/security_helper.php b/system/helpers/security_helper.php index ae88dfc077e..80a0bf52e6b 100644 --- a/system/helpers/security_helper.php +++ b/system/helpers/security_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/security_helper.html + * @link https://codeigniter.com/user_guide/helpers/security_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/smiley_helper.php b/system/helpers/smiley_helper.php index e13e1e4df22..f437f03892f 100644 --- a/system/helpers/smiley_helper.php +++ b/system/helpers/smiley_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/smiley_helper.html + * @link https://codeigniter.com/user_guide/helpers/smiley_helper.html * @deprecated 3.0.0 This helper is too specific for CI. */ diff --git a/system/helpers/string_helper.php b/system/helpers/string_helper.php index 98cf882e050..70172270ebc 100644 --- a/system/helpers/string_helper.php +++ b/system/helpers/string_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/string_helper.html + * @link https://codeigniter.com/user_guide/helpers/string_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/text_helper.php b/system/helpers/text_helper.php index b7f199d551f..1100e670d01 100644 --- a/system/helpers/text_helper.php +++ b/system/helpers/text_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/text_helper.html + * @link https://codeigniter.com/user_guide/helpers/text_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/typography_helper.php b/system/helpers/typography_helper.php index e8c84c9cac9..139dd8c5e68 100644 --- a/system/helpers/typography_helper.php +++ b/system/helpers/typography_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/typography_helper.html + * @link https://codeigniter.com/user_guide/helpers/typography_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php index 6c96482d293..2c66729228a 100644 --- a/system/helpers/url_helper.php +++ b/system/helpers/url_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/url_helper.html + * @link https://codeigniter.com/user_guide/helpers/url_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/helpers/xml_helper.php b/system/helpers/xml_helper.php index 8c2a6dcf1f4..dae094cf20d 100644 --- a/system/helpers/xml_helper.php +++ b/system/helpers/xml_helper.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Helpers * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/helpers/xml_helper.html + * @link https://codeigniter.com/user_guide/helpers/xml_helper.html */ // ------------------------------------------------------------------------ diff --git a/system/language/english/calendar_lang.php b/system/language/english/calendar_lang.php index d7afdfe37d1..c9603b58098 100644 --- a/system/language/english/calendar_lang.php +++ b/system/language/english/calendar_lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ diff --git a/system/language/english/date_lang.php b/system/language/english/date_lang.php index cdf55454ea5..bb341c89e30 100644 --- a/system/language/english/date_lang.php +++ b/system/language/english/date_lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ diff --git a/system/language/english/db_lang.php b/system/language/english/db_lang.php index be37f2bfd20..c28bdab3bc5 100644 --- a/system/language/english/db_lang.php +++ b/system/language/english/db_lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ diff --git a/system/language/english/email_lang.php b/system/language/english/email_lang.php index dd2331a8233..18320269ab7 100644 --- a/system/language/english/email_lang.php +++ b/system/language/english/email_lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ diff --git a/system/language/english/form_validation_lang.php b/system/language/english/form_validation_lang.php index 797c8024554..23391e41149 100644 --- a/system/language/english/form_validation_lang.php +++ b/system/language/english/form_validation_lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ diff --git a/system/language/english/ftp_lang.php b/system/language/english/ftp_lang.php index 02a73449fb4..d649e4d2883 100644 --- a/system/language/english/ftp_lang.php +++ b/system/language/english/ftp_lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ diff --git a/system/language/english/imglib_lang.php b/system/language/english/imglib_lang.php index e52490e8d15..fe06d449baf 100644 --- a/system/language/english/imglib_lang.php +++ b/system/language/english/imglib_lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ diff --git a/system/language/english/migration_lang.php b/system/language/english/migration_lang.php index f842e88bba9..de81f6d6369 100644 --- a/system/language/english/migration_lang.php +++ b/system/language/english/migration_lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ diff --git a/system/language/english/number_lang.php b/system/language/english/number_lang.php index f1756ac161e..010e83e0571 100644 --- a/system/language/english/number_lang.php +++ b/system/language/english/number_lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ diff --git a/system/language/english/pagination_lang.php b/system/language/english/pagination_lang.php index d9930d36b0c..a2874feffa5 100644 --- a/system/language/english/pagination_lang.php +++ b/system/language/english/pagination_lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ diff --git a/system/language/english/profiler_lang.php b/system/language/english/profiler_lang.php index 2259823f7ed..b66f4e5e5ac 100644 --- a/system/language/english/profiler_lang.php +++ b/system/language/english/profiler_lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ diff --git a/system/language/english/unit_test_lang.php b/system/language/english/unit_test_lang.php index b9b53e75544..d9c09f9b0e4 100644 --- a/system/language/english/unit_test_lang.php +++ b/system/language/english/unit_test_lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ diff --git a/system/language/english/upload_lang.php b/system/language/english/upload_lang.php index 7fe518424e2..a054031bdac 100644 --- a/system/language/english/upload_lang.php +++ b/system/language/english/upload_lang.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ diff --git a/system/libraries/Cache/Cache.php b/system/libraries/Cache/Cache.php index 023ad02bb09..64377de50c9 100644 --- a/system/libraries/Cache/Cache.php +++ b/system/libraries/Cache/Cache.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.0.0 * @filesource */ diff --git a/system/libraries/Cache/drivers/Cache_apc.php b/system/libraries/Cache/drivers/Cache_apc.php index 621a5964367..5f373ba17f6 100644 --- a/system/libraries/Cache/drivers/Cache_apc.php +++ b/system/libraries/Cache/drivers/Cache_apc.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.0.0 * @filesource */ diff --git a/system/libraries/Cache/drivers/Cache_dummy.php b/system/libraries/Cache/drivers/Cache_dummy.php index f1fb6b5a0c2..d8c4b0b2b58 100644 --- a/system/libraries/Cache/drivers/Cache_dummy.php +++ b/system/libraries/Cache/drivers/Cache_dummy.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.0 * @filesource */ diff --git a/system/libraries/Cache/drivers/Cache_file.php b/system/libraries/Cache/drivers/Cache_file.php index 01295baf543..a52b054977f 100644 --- a/system/libraries/Cache/drivers/Cache_file.php +++ b/system/libraries/Cache/drivers/Cache_file.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.0 * @filesource */ diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index f1011348dd3..67f9e4f4584 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.0 * @filesource */ diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index 62c1b391af7..59f14d16be9 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ diff --git a/system/libraries/Cache/drivers/Cache_wincache.php b/system/libraries/Cache/drivers/Cache_wincache.php index 46b12d036f1..9b5029d8cf1 100644 --- a/system/libraries/Cache/drivers/Cache_wincache.php +++ b/system/libraries/Cache/drivers/Cache_wincache.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ diff --git a/system/libraries/Calendar.php b/system/libraries/Calendar.php index fd32cfde6d8..2a42b58449c 100644 --- a/system/libraries/Calendar.php +++ b/system/libraries/Calendar.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category Libraries * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/calendar.html + * @link https://codeigniter.com/user_guide/libraries/calendar.html */ class CI_Calendar { diff --git a/system/libraries/Cart.php b/system/libraries/Cart.php index 0be2a585ba2..af527da9ea5 100644 --- a/system/libraries/Cart.php +++ b/system/libraries/Cart.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Shopping Cart * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/cart.html + * @link https://codeigniter.com/user_guide/libraries/cart.html * @deprecated 3.0.0 This class is too specific for CI. */ class CI_Cart { diff --git a/system/libraries/Driver.php b/system/libraries/Driver.php index f263d01b194..b8f740d6a5f 100644 --- a/system/libraries/Driver.php +++ b/system/libraries/Driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ diff --git a/system/libraries/Email.php b/system/libraries/Email.php index c8859b9c358..ad4c02ff881 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category Libraries * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/email.html + * @link https://codeigniter.com/user_guide/libraries/email.html */ class CI_Email { diff --git a/system/libraries/Encrypt.php b/system/libraries/Encrypt.php index 18ef92dde5f..608f7da28a9 100644 --- a/system/libraries/Encrypt.php +++ b/system/libraries/Encrypt.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category Libraries * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/encryption.html + * @link https://codeigniter.com/user_guide/libraries/encryption.html */ class CI_Encrypt { @@ -198,7 +198,7 @@ public function decode($string, $key = '') * This allows for backwards compatibility and a method to transition to the * new encryption algorithms. * - * For more details, see http://codeigniter.com/user_guide/installation/upgrade_200.html#encryption + * For more details, see https://codeigniter.com/user_guide/installation/upgrade_200.html#encryption * * @param string * @param int (mcrypt mode constant) diff --git a/system/libraries/Encryption.php b/system/libraries/Encryption.php index b5d12c49026..5e04fc1add2 100644 --- a/system/libraries/Encryption.php +++ b/system/libraries/Encryption.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category Libraries * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/libraries/encryption.html + * @link https://codeigniter.com/user_guide/libraries/encryption.html */ class CI_Encryption { diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index e3665217817..194a9292ee8 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Validation * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/form_validation.html + * @link https://codeigniter.com/user_guide/libraries/form_validation.html */ class CI_Form_validation { diff --git a/system/libraries/Ftp.php b/system/libraries/Ftp.php index e753396970d..53ff979e5ed 100644 --- a/system/libraries/Ftp.php +++ b/system/libraries/Ftp.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Libraries * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/ftp.html + * @link https://codeigniter.com/user_guide/libraries/ftp.html */ class CI_FTP { diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index cc865fd81be..d3a832415a9 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Image_lib * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/image_lib.html + * @link https://codeigniter.com/user_guide/libraries/image_lib.html */ class CI_Image_lib { diff --git a/system/libraries/Javascript.php b/system/libraries/Javascript.php index 8e3180adc1f..ba8aedb60a0 100644 --- a/system/libraries/Javascript.php +++ b/system/libraries/Javascript.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Javascript * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/javascript.html + * @link https://codeigniter.com/user_guide/libraries/javascript.html * @deprecated 3.0.0 This was never a good idea in the first place. */ class CI_Javascript { diff --git a/system/libraries/Javascript/Jquery.php b/system/libraries/Javascript/Jquery.php index cbaee610843..1039a4aa80d 100644 --- a/system/libraries/Javascript/Jquery.php +++ b/system/libraries/Javascript/Jquery.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Loader * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/javascript.html + * @link https://codeigniter.com/user_guide/libraries/javascript.html */ class CI_Jquery extends CI_Javascript { diff --git a/system/libraries/Migration.php b/system/libraries/Migration.php index d0254abfc37..259c83c547d 100644 --- a/system/libraries/Migration.php +++ b/system/libraries/Migration.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index 3a5e3479266..9831730e4c0 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Pagination * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/pagination.html + * @link https://codeigniter.com/user_guide/libraries/pagination.html */ class CI_Pagination { diff --git a/system/libraries/Parser.php b/system/libraries/Parser.php index 508bd4f4fe1..7f3be467212 100644 --- a/system/libraries/Parser.php +++ b/system/libraries/Parser.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Parser * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/parser.html + * @link https://codeigniter.com/user_guide/libraries/parser.html */ class CI_Parser { diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index 2f2848f3503..4ad33bbac67 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -50,7 +50,7 @@ * @subpackage Libraries * @category Libraries * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/general/profiling.html + * @link https://codeigniter.com/user_guide/general/profiling.html */ class CI_Profiler { diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index 28c93434d2d..1e81ec53f59 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 2.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Sessions * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/libraries/sessions.html + * @link https://codeigniter.com/user_guide/libraries/sessions.html */ class CI_Session { diff --git a/system/libraries/Session/SessionHandlerInterface.php b/system/libraries/Session/SessionHandlerInterface.php index 90bae937a63..ea825a066eb 100644 --- a/system/libraries/Session/SessionHandlerInterface.php +++ b/system/libraries/Session/SessionHandlerInterface.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category Sessions * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/libraries/sessions.html + * @link https://codeigniter.com/user_guide/libraries/sessions.html */ interface SessionHandlerInterface { diff --git a/system/libraries/Session/Session_driver.php b/system/libraries/Session/Session_driver.php index 6d66e274b01..02d984cdf5e 100644 --- a/system/libraries/Session/Session_driver.php +++ b/system/libraries/Session/Session_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Sessions * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/libraries/sessions.html + * @link https://codeigniter.com/user_guide/libraries/sessions.html */ abstract class CI_Session_driver implements SessionHandlerInterface { diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index 5523655d2d5..b3191e060ec 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Sessions * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/libraries/sessions.html + * @link https://codeigniter.com/user_guide/libraries/sessions.html */ class CI_Session_database_driver extends CI_Session_driver implements SessionHandlerInterface { diff --git a/system/libraries/Session/drivers/Session_files_driver.php b/system/libraries/Session/drivers/Session_files_driver.php index f9dc426aab4..5ac1dcd36f2 100644 --- a/system/libraries/Session/drivers/Session_files_driver.php +++ b/system/libraries/Session/drivers/Session_files_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Sessions * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/libraries/sessions.html + * @link https://codeigniter.com/user_guide/libraries/sessions.html */ class CI_Session_files_driver extends CI_Session_driver implements SessionHandlerInterface { diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index cf52caac4ae..b2feb56f142 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Sessions * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/libraries/sessions.html + * @link https://codeigniter.com/user_guide/libraries/sessions.html */ class CI_Session_memcached_driver extends CI_Session_driver implements SessionHandlerInterface { diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index 6a90a740588..04776055498 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 3.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Sessions * @author Andrey Andreev - * @link http://codeigniter.com/user_guide/libraries/sessions.html + * @link https://codeigniter.com/user_guide/libraries/sessions.html */ class CI_Session_redis_driver extends CI_Session_driver implements SessionHandlerInterface { diff --git a/system/libraries/Table.php b/system/libraries/Table.php index 3c7674e568a..e261d3e0141 100644 --- a/system/libraries/Table.php +++ b/system/libraries/Table.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.1 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category HTML Tables * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/table.html + * @link https://codeigniter.com/user_guide/libraries/table.html */ class CI_Table { diff --git a/system/libraries/Trackback.php b/system/libraries/Trackback.php index 944672e62bb..7488a809bc0 100644 --- a/system/libraries/Trackback.php +++ b/system/libraries/Trackback.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category Trackbacks * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/trackback.html + * @link https://codeigniter.com/user_guide/libraries/trackback.html */ class CI_Trackback { diff --git a/system/libraries/Typography.php b/system/libraries/Typography.php index 2bbe120c9d6..71a6d0809b9 100644 --- a/system/libraries/Typography.php +++ b/system/libraries/Typography.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Helpers * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/typography.html + * @link https://codeigniter.com/user_guide/libraries/typography.html */ class CI_Typography { diff --git a/system/libraries/Unit_test.php b/system/libraries/Unit_test.php index 2ddc40a1a2e..6db39212bf8 100644 --- a/system/libraries/Unit_test.php +++ b/system/libraries/Unit_test.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.3.1 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category UnitTesting * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/unit_testing.html + * @link https://codeigniter.com/user_guide/libraries/unit_testing.html */ class CI_Unit_test { diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 40ca502847c..5cb25eeec9b 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -44,7 +44,7 @@ * @subpackage Libraries * @category Uploads * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/file_uploading.html + * @link https://codeigniter.com/user_guide/libraries/file_uploading.html */ class CI_Upload { diff --git a/system/libraries/User_agent.php b/system/libraries/User_agent.php index 400ec1b3786..150643a4dc4 100644 --- a/system/libraries/User_agent.php +++ b/system/libraries/User_agent.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -46,7 +46,7 @@ * @subpackage Libraries * @category User Agent * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/user_agent.html + * @link https://codeigniter.com/user_guide/libraries/user_agent.html */ class CI_User_agent { diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index cc1b65eb116..d4bcbd0195c 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -51,7 +51,7 @@ * @subpackage Libraries * @category XML-RPC * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/xmlrpc.html + * @link https://codeigniter.com/user_guide/libraries/xmlrpc.html */ class CI_Xmlrpc { @@ -559,7 +559,7 @@ public function send_response($response) * * @category XML-RPC * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/xmlrpc.html + * @link https://codeigniter.com/user_guide/libraries/xmlrpc.html */ class XML_RPC_Client extends CI_Xmlrpc { @@ -781,7 +781,7 @@ public function sendPayload($msg) * * @category XML-RPC * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/xmlrpc.html + * @link https://codeigniter.com/user_guide/libraries/xmlrpc.html */ class XML_RPC_Response { @@ -1030,7 +1030,7 @@ public function iso8601_decode($time, $utc = FALSE) * * @category XML-RPC * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/xmlrpc.html + * @link https://codeigniter.com/user_guide/libraries/xmlrpc.html */ class XML_RPC_Message extends CI_Xmlrpc { @@ -1649,7 +1649,7 @@ public function decode_message($param) * * @category XML-RPC * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/xmlrpc.html + * @link https://codeigniter.com/user_guide/libraries/xmlrpc.html */ class XML_RPC_Values extends CI_Xmlrpc { diff --git a/system/libraries/Xmlrpcs.php b/system/libraries/Xmlrpcs.php index 894597fa2c7..b75fa288ef3 100644 --- a/system/libraries/Xmlrpcs.php +++ b/system/libraries/Xmlrpcs.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -56,7 +56,7 @@ * @subpackage Libraries * @category XML-RPC * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/xmlrpc.html + * @link https://codeigniter.com/user_guide/libraries/xmlrpc.html */ class CI_Xmlrpcs extends CI_Xmlrpc { diff --git a/system/libraries/Zip.php b/system/libraries/Zip.php index e3d63e802c7..d412ebf34c4 100644 --- a/system/libraries/Zip.php +++ b/system/libraries/Zip.php @@ -31,7 +31,7 @@ * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License - * @link http://codeigniter.com + * @link https://codeigniter.com * @since Version 1.0.0 * @filesource */ @@ -50,7 +50,7 @@ * @subpackage Libraries * @category Encryption * @author EllisLab Dev Team - * @link http://codeigniter.com/user_guide/libraries/zip.html + * @link https://codeigniter.com/user_guide/libraries/zip.html */ class CI_Zip { diff --git a/user_guide_src/cilexer/cilexer/cilexer.py b/user_guide_src/cilexer/cilexer/cilexer.py index 1abdcbbae9a..d6bebe28d61 100644 --- a/user_guide_src/cilexer/cilexer/cilexer.py +++ b/user_guide_src/cilexer/cilexer/cilexer.py @@ -1,5 +1,5 @@ # CodeIgniter -# http://codeigniter.com +# https://codeigniter.com # # An open source application development framework for PHP # diff --git a/user_guide_src/source/contributing/index.rst b/user_guide_src/source/contributing/index.rst index 5966070d1b6..9551fbeb74c 100644 --- a/user_guide_src/source/contributing/index.rst +++ b/user_guide_src/source/contributing/index.rst @@ -86,9 +86,9 @@ PHP Style ========= All code must meet the `Style Guide -`_, which is +`_, which is essentially the `Allman indent style -`_, underscores and +`_, underscores and readable operators. This makes certain that all code is the same format as the existing code and means it will be as readable as possible. diff --git a/user_guide_src/source/installation/upgrade_150.rst b/user_guide_src/source/installation/upgrade_150.rst index bfe01ebba10..50eb5eae5d3 100644 --- a/user_guide_src/source/installation/upgrade_150.rst +++ b/user_guide_src/source/installation/upgrade_150.rst @@ -49,8 +49,8 @@ Open your application/config/config.php file and ADD these new items:: | This item allows you to set the filename/classname prefix when extending | native libraries. For more information please see the user guide: | - | http://codeigniter.com/user_guide/general/core_classes.html - | http://codeigniter.com/user_guide/general/creating_libraries.html + | https://codeigniter.com/user_guide/general/core_classes.html + | https://codeigniter.com/user_guide/general/creating_libraries.html | */ $config['subclass_prefix'] = 'MY_'; From 700dbadb23bfa937f519df668a57c9050cd05062 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 11 Jan 2016 12:51:46 +0200 Subject: [PATCH 2559/3829] Alter a valid URL test --- tests/codeigniter/libraries/Form_validation_test.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tests/codeigniter/libraries/Form_validation_test.php b/tests/codeigniter/libraries/Form_validation_test.php index 26d82ec9395..65a3bbff7e3 100644 --- a/tests/codeigniter/libraries/Form_validation_test.php +++ b/tests/codeigniter/libraries/Form_validation_test.php @@ -229,7 +229,7 @@ public function test_rule_is_natural_no_zero() public function test_rule_valid_url() { $this->assertTrue($this->form_validation->valid_url('https://github.com/www.codeigniter.com')); - $this->assertTrue($this->form_validation->valid_url('http://codeigniter.eu/')); + $this->assertTrue($this->form_validation->valid_url('http://codeigniter.com/')); $this->assertFalse($this->form_validation->valid_url('/service/htt://www.codeIgniter.com')); $this->assertFalse($this->form_validation->valid_url('')); From 1924e879b165fb119847a49a7a5eab2f28295fa2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 11 Jan 2016 12:55:34 +0200 Subject: [PATCH 2560/3829] [ci skip] Update ellislab.com links to https too --- index.php | 2 +- system/core/Benchmark.php | 2 +- system/core/CodeIgniter.php | 2 +- system/core/Common.php | 2 +- system/core/Config.php | 2 +- system/core/Controller.php | 2 +- system/core/Exceptions.php | 2 +- system/core/Hooks.php | 2 +- system/core/Input.php | 2 +- system/core/Lang.php | 2 +- system/core/Loader.php | 2 +- system/core/Log.php | 2 +- system/core/Model.php | 2 +- system/core/Output.php | 2 +- system/core/Router.php | 2 +- system/core/Security.php | 2 +- system/core/URI.php | 2 +- system/core/Utf8.php | 2 +- system/core/compat/hash.php | 2 +- system/core/compat/mbstring.php | 2 +- system/core/compat/password.php | 2 +- system/core/compat/standard.php | 2 +- system/database/DB.php | 2 +- system/database/DB_cache.php | 2 +- system/database/DB_driver.php | 2 +- system/database/DB_forge.php | 2 +- system/database/DB_query_builder.php | 2 +- system/database/DB_result.php | 2 +- system/database/DB_utility.php | 2 +- system/database/drivers/cubrid/cubrid_driver.php | 2 +- system/database/drivers/cubrid/cubrid_forge.php | 2 +- system/database/drivers/cubrid/cubrid_result.php | 2 +- system/database/drivers/cubrid/cubrid_utility.php | 2 +- system/database/drivers/ibase/ibase_driver.php | 2 +- system/database/drivers/ibase/ibase_forge.php | 2 +- system/database/drivers/ibase/ibase_result.php | 2 +- system/database/drivers/ibase/ibase_utility.php | 2 +- system/database/drivers/mssql/mssql_driver.php | 2 +- system/database/drivers/mssql/mssql_forge.php | 2 +- system/database/drivers/mssql/mssql_result.php | 2 +- system/database/drivers/mssql/mssql_utility.php | 2 +- system/database/drivers/mysql/mysql_driver.php | 2 +- system/database/drivers/mysql/mysql_forge.php | 2 +- system/database/drivers/mysql/mysql_result.php | 2 +- system/database/drivers/mysql/mysql_utility.php | 2 +- system/database/drivers/mysqli/mysqli_driver.php | 2 +- system/database/drivers/mysqli/mysqli_forge.php | 2 +- system/database/drivers/mysqli/mysqli_result.php | 2 +- system/database/drivers/mysqli/mysqli_utility.php | 2 +- system/database/drivers/oci8/oci8_driver.php | 2 +- system/database/drivers/oci8/oci8_forge.php | 2 +- system/database/drivers/oci8/oci8_result.php | 2 +- system/database/drivers/oci8/oci8_utility.php | 2 +- system/database/drivers/odbc/odbc_driver.php | 2 +- system/database/drivers/odbc/odbc_forge.php | 2 +- system/database/drivers/odbc/odbc_result.php | 2 +- system/database/drivers/odbc/odbc_utility.php | 2 +- system/database/drivers/pdo/pdo_driver.php | 2 +- system/database/drivers/pdo/pdo_forge.php | 2 +- system/database/drivers/pdo/pdo_result.php | 2 +- system/database/drivers/pdo/pdo_utility.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_4d_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_4d_forge.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_informix_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_informix_forge.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_oci_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_oci_forge.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php | 2 +- system/database/drivers/postgre/postgre_driver.php | 2 +- system/database/drivers/postgre/postgre_forge.php | 2 +- system/database/drivers/postgre/postgre_result.php | 2 +- system/database/drivers/postgre/postgre_utility.php | 2 +- system/database/drivers/sqlite/sqlite_driver.php | 2 +- system/database/drivers/sqlite/sqlite_forge.php | 2 +- system/database/drivers/sqlite/sqlite_result.php | 2 +- system/database/drivers/sqlite/sqlite_utility.php | 2 +- system/database/drivers/sqlite3/sqlite3_driver.php | 2 +- system/database/drivers/sqlite3/sqlite3_forge.php | 2 +- system/database/drivers/sqlite3/sqlite3_result.php | 2 +- system/database/drivers/sqlite3/sqlite3_utility.php | 2 +- system/database/drivers/sqlsrv/sqlsrv_driver.php | 2 +- system/database/drivers/sqlsrv/sqlsrv_forge.php | 2 +- system/database/drivers/sqlsrv/sqlsrv_result.php | 2 +- system/database/drivers/sqlsrv/sqlsrv_utility.php | 2 +- system/helpers/array_helper.php | 2 +- system/helpers/captcha_helper.php | 2 +- system/helpers/cookie_helper.php | 2 +- system/helpers/date_helper.php | 2 +- system/helpers/directory_helper.php | 2 +- system/helpers/download_helper.php | 2 +- system/helpers/email_helper.php | 2 +- system/helpers/file_helper.php | 2 +- system/helpers/form_helper.php | 2 +- system/helpers/html_helper.php | 2 +- system/helpers/inflector_helper.php | 2 +- system/helpers/language_helper.php | 2 +- system/helpers/number_helper.php | 2 +- system/helpers/path_helper.php | 2 +- system/helpers/security_helper.php | 2 +- system/helpers/smiley_helper.php | 2 +- system/helpers/string_helper.php | 2 +- system/helpers/text_helper.php | 2 +- system/helpers/typography_helper.php | 2 +- system/helpers/url_helper.php | 2 +- system/helpers/xml_helper.php | 2 +- system/language/english/calendar_lang.php | 2 +- system/language/english/date_lang.php | 2 +- system/language/english/db_lang.php | 2 +- system/language/english/email_lang.php | 2 +- system/language/english/form_validation_lang.php | 2 +- system/language/english/ftp_lang.php | 2 +- system/language/english/imglib_lang.php | 2 +- system/language/english/migration_lang.php | 2 +- system/language/english/number_lang.php | 2 +- system/language/english/pagination_lang.php | 2 +- system/language/english/profiler_lang.php | 2 +- system/language/english/unit_test_lang.php | 2 +- system/language/english/upload_lang.php | 2 +- system/libraries/Cache/Cache.php | 2 +- system/libraries/Cache/drivers/Cache_apc.php | 2 +- system/libraries/Cache/drivers/Cache_dummy.php | 2 +- system/libraries/Cache/drivers/Cache_file.php | 2 +- system/libraries/Cache/drivers/Cache_memcached.php | 2 +- system/libraries/Cache/drivers/Cache_redis.php | 2 +- system/libraries/Cache/drivers/Cache_wincache.php | 2 +- system/libraries/Calendar.php | 2 +- system/libraries/Cart.php | 2 +- system/libraries/Driver.php | 2 +- system/libraries/Email.php | 2 +- system/libraries/Encrypt.php | 2 +- system/libraries/Encryption.php | 2 +- system/libraries/Form_validation.php | 2 +- system/libraries/Ftp.php | 2 +- system/libraries/Image_lib.php | 2 +- system/libraries/Javascript.php | 2 +- system/libraries/Javascript/Jquery.php | 2 +- system/libraries/Migration.php | 2 +- system/libraries/Pagination.php | 2 +- system/libraries/Parser.php | 2 +- system/libraries/Profiler.php | 2 +- system/libraries/Session/Session.php | 2 +- system/libraries/Session/SessionHandlerInterface.php | 2 +- system/libraries/Session/Session_driver.php | 2 +- system/libraries/Session/drivers/Session_database_driver.php | 2 +- system/libraries/Session/drivers/Session_files_driver.php | 2 +- system/libraries/Session/drivers/Session_memcached_driver.php | 2 +- system/libraries/Session/drivers/Session_redis_driver.php | 2 +- system/libraries/Table.php | 2 +- system/libraries/Trackback.php | 2 +- system/libraries/Typography.php | 2 +- system/libraries/Unit_test.php | 2 +- system/libraries/Upload.php | 2 +- system/libraries/User_agent.php | 2 +- system/libraries/Xmlrpc.php | 2 +- system/libraries/Xmlrpcs.php | 2 +- system/libraries/Zip.php | 2 +- user_guide_src/cilexer/cilexer/cilexer.py | 2 +- 174 files changed, 174 insertions(+), 174 deletions(-) diff --git a/index.php b/index.php index a5f5df81924..13fcd599688 100755 --- a/index.php +++ b/index.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Benchmark.php b/system/core/Benchmark.php index fc3b6aafb21..b1d74f78f94 100644 --- a/system/core/Benchmark.php +++ b/system/core/Benchmark.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 3b728ddae95..727f370297a 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Common.php b/system/core/Common.php index 02421b1b1b5..b87ce4d626f 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Config.php b/system/core/Config.php index 587877da641..ca6fb379371 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Controller.php b/system/core/Controller.php index c5c6ee0f4ef..83b3df26c88 100644 --- a/system/core/Controller.php +++ b/system/core/Controller.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Exceptions.php b/system/core/Exceptions.php index e3270d60984..a1c6a19709e 100644 --- a/system/core/Exceptions.php +++ b/system/core/Exceptions.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Hooks.php b/system/core/Hooks.php index af71dba8372..856795cbad4 100644 --- a/system/core/Hooks.php +++ b/system/core/Hooks.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Input.php b/system/core/Input.php index bb7ad23ba00..a7c9ecd0d74 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Lang.php b/system/core/Lang.php index 20855f975b2..1fcff078a61 100644 --- a/system/core/Lang.php +++ b/system/core/Lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Loader.php b/system/core/Loader.php index 4d093d1397c..37d1ecaf946 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Log.php b/system/core/Log.php index a5f64f29d40..72d3cfbae86 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Model.php b/system/core/Model.php index 058387255a6..941881a9f30 100644 --- a/system/core/Model.php +++ b/system/core/Model.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Output.php b/system/core/Output.php index faeb0ea97eb..ad87f854529 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Router.php b/system/core/Router.php index e46ddb4a980..045d3668754 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Security.php b/system/core/Security.php index f697dd9c2e1..bad511dd3a7 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/URI.php b/system/core/URI.php index 22e454339aa..544f6c85f0d 100644 --- a/system/core/URI.php +++ b/system/core/URI.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/Utf8.php b/system/core/Utf8.php index 523f5f248f4..f2f42e6ca6c 100644 --- a/system/core/Utf8.php +++ b/system/core/Utf8.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/compat/hash.php b/system/core/compat/hash.php index 405c014ab77..6854e4c2689 100644 --- a/system/core/compat/hash.php +++ b/system/core/compat/hash.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/compat/mbstring.php b/system/core/compat/mbstring.php index 0c64ed34681..554d10040a9 100644 --- a/system/core/compat/mbstring.php +++ b/system/core/compat/mbstring.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/compat/password.php b/system/core/compat/password.php index 6b6a0fc6047..f0c22c780cc 100644 --- a/system/core/compat/password.php +++ b/system/core/compat/password.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/core/compat/standard.php b/system/core/compat/standard.php index 3d439e4698a..47d47aeff88 100644 --- a/system/core/compat/standard.php +++ b/system/core/compat/standard.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/DB.php b/system/database/DB.php index db777da1b29..b4b7767e8a7 100644 --- a/system/database/DB.php +++ b/system/database/DB.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/DB_cache.php b/system/database/DB_cache.php index f31a8e2fb58..8855cc1b196 100644 --- a/system/database/DB_cache.php +++ b/system/database/DB_cache.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 02f0cca724d..df0ce6a9bb3 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index 4392eb25f1e..826aa1ebfe4 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 637397fdcbe..e92c570919a 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/DB_result.php b/system/database/DB_result.php index 745c92ca7f7..d9d1fccc7b6 100644 --- a/system/database/DB_result.php +++ b/system/database/DB_result.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/DB_utility.php b/system/database/DB_utility.php index 61900437668..70528286c9d 100644 --- a/system/database/DB_utility.php +++ b/system/database/DB_utility.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php index 08ad3dcd41e..77f591ced31 100644 --- a/system/database/drivers/cubrid/cubrid_driver.php +++ b/system/database/drivers/cubrid/cubrid_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/cubrid/cubrid_forge.php b/system/database/drivers/cubrid/cubrid_forge.php index 7091559cdb1..8262beb6b41 100644 --- a/system/database/drivers/cubrid/cubrid_forge.php +++ b/system/database/drivers/cubrid/cubrid_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/cubrid/cubrid_result.php b/system/database/drivers/cubrid/cubrid_result.php index 1ac2f899ed7..9cccb257067 100644 --- a/system/database/drivers/cubrid/cubrid_result.php +++ b/system/database/drivers/cubrid/cubrid_result.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/cubrid/cubrid_utility.php b/system/database/drivers/cubrid/cubrid_utility.php index f853a92757a..942fa3b4e41 100644 --- a/system/database/drivers/cubrid/cubrid_utility.php +++ b/system/database/drivers/cubrid/cubrid_utility.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php index f1b89b74851..cbc1022ff88 100644 --- a/system/database/drivers/ibase/ibase_driver.php +++ b/system/database/drivers/ibase/ibase_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/ibase/ibase_forge.php b/system/database/drivers/ibase/ibase_forge.php index 44be2ed00ec..9c358c36537 100644 --- a/system/database/drivers/ibase/ibase_forge.php +++ b/system/database/drivers/ibase/ibase_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/ibase/ibase_result.php b/system/database/drivers/ibase/ibase_result.php index a2c0d1d800c..f3c21fcec24 100644 --- a/system/database/drivers/ibase/ibase_result.php +++ b/system/database/drivers/ibase/ibase_result.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/ibase/ibase_utility.php b/system/database/drivers/ibase/ibase_utility.php index 4b8790eee41..619ebad0161 100644 --- a/system/database/drivers/ibase/ibase_utility.php +++ b/system/database/drivers/ibase/ibase_utility.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index 2a954a2758c..d40d67a0b34 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/mssql/mssql_forge.php b/system/database/drivers/mssql/mssql_forge.php index 9d0af0ce2c3..24d1fc204b0 100644 --- a/system/database/drivers/mssql/mssql_forge.php +++ b/system/database/drivers/mssql/mssql_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/mssql/mssql_result.php b/system/database/drivers/mssql/mssql_result.php index bd747c77b4b..b62bf75cbb6 100644 --- a/system/database/drivers/mssql/mssql_result.php +++ b/system/database/drivers/mssql/mssql_result.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/mssql/mssql_utility.php b/system/database/drivers/mssql/mssql_utility.php index d236c2045c5..cd23be828eb 100644 --- a/system/database/drivers/mssql/mssql_utility.php +++ b/system/database/drivers/mssql/mssql_utility.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 7628ebd5529..78b1d703a18 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/mysql/mysql_forge.php b/system/database/drivers/mysql/mysql_forge.php index 09560bd6cf4..fa84be37105 100644 --- a/system/database/drivers/mysql/mysql_forge.php +++ b/system/database/drivers/mysql/mysql_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/mysql/mysql_result.php b/system/database/drivers/mysql/mysql_result.php index 286dcdf86fb..20cade2e1fc 100644 --- a/system/database/drivers/mysql/mysql_result.php +++ b/system/database/drivers/mysql/mysql_result.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/mysql/mysql_utility.php b/system/database/drivers/mysql/mysql_utility.php index 1b0abf4eee4..4c1f2391b5d 100644 --- a/system/database/drivers/mysql/mysql_utility.php +++ b/system/database/drivers/mysql/mysql_utility.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 62f143f3020..06c34187f4a 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/mysqli/mysqli_forge.php b/system/database/drivers/mysqli/mysqli_forge.php index 42b69b55aff..c17f729c0fa 100644 --- a/system/database/drivers/mysqli/mysqli_forge.php +++ b/system/database/drivers/mysqli/mysqli_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/mysqli/mysqli_result.php b/system/database/drivers/mysqli/mysqli_result.php index 3ecb46c1150..0ce07414fec 100644 --- a/system/database/drivers/mysqli/mysqli_result.php +++ b/system/database/drivers/mysqli/mysqli_result.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/mysqli/mysqli_utility.php b/system/database/drivers/mysqli/mysqli_utility.php index 7192c55ddf1..79d9f3670f7 100644 --- a/system/database/drivers/mysqli/mysqli_utility.php +++ b/system/database/drivers/mysqli/mysqli_utility.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index 8bf432013ed..59f0e8456c1 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/oci8/oci8_forge.php b/system/database/drivers/oci8/oci8_forge.php index 97afcde89c5..1ca559a32b7 100644 --- a/system/database/drivers/oci8/oci8_forge.php +++ b/system/database/drivers/oci8/oci8_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/oci8/oci8_result.php b/system/database/drivers/oci8/oci8_result.php index a70779cdf1c..fc860ea1225 100644 --- a/system/database/drivers/oci8/oci8_result.php +++ b/system/database/drivers/oci8/oci8_result.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/oci8/oci8_utility.php b/system/database/drivers/oci8/oci8_utility.php index cde4a5f0306..ebe49c46357 100644 --- a/system/database/drivers/oci8/oci8_utility.php +++ b/system/database/drivers/oci8/oci8_utility.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index 370cdaa973a..19b7b744bf9 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/odbc/odbc_forge.php b/system/database/drivers/odbc/odbc_forge.php index 0a482731be7..bac30bedc16 100644 --- a/system/database/drivers/odbc/odbc_forge.php +++ b/system/database/drivers/odbc/odbc_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/odbc/odbc_result.php b/system/database/drivers/odbc/odbc_result.php index d5aec527718..110d6ab0f1e 100644 --- a/system/database/drivers/odbc/odbc_result.php +++ b/system/database/drivers/odbc/odbc_result.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/odbc/odbc_utility.php b/system/database/drivers/odbc/odbc_utility.php index 61d1d21fc60..2e344963d1d 100644 --- a/system/database/drivers/odbc/odbc_utility.php +++ b/system/database/drivers/odbc/odbc_utility.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index 612ec32be25..c6f84e0f937 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/pdo_forge.php b/system/database/drivers/pdo/pdo_forge.php index 97bd4df82b0..2595f7b6e84 100644 --- a/system/database/drivers/pdo/pdo_forge.php +++ b/system/database/drivers/pdo/pdo_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/pdo_result.php b/system/database/drivers/pdo/pdo_result.php index 6dcebda3cc1..d1809bef255 100644 --- a/system/database/drivers/pdo/pdo_result.php +++ b/system/database/drivers/pdo/pdo_result.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/pdo_utility.php b/system/database/drivers/pdo/pdo_utility.php index dd5e3c4a2c3..384661bf02a 100644 --- a/system/database/drivers/pdo/pdo_utility.php +++ b/system/database/drivers/pdo/pdo_utility.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php index d9314287614..3dedfd9b37d 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php b/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php index f6c3f362108..41994f9dbfe 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php index 3e52cd753ee..8377798045a 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php index 9f542c6d673..5f854061d0e 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php index ee2465933c4..84695ee9b40 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php index 42cdd188e97..d5dd9aad13f 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php index 237029d2171..96dcc5ec172 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php index 34d5f775016..256fa1413c6 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php index ecc822187fe..2366c40362b 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php b/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php index 6698d5dd32c..a2dbfc25ac2 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php index f9476ecd401..d40d17a8804 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php b/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php index ee79e9950d6..5af39b18182 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index d6c9ce5556b..70f2bfd4ed7 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php index dc4426598a8..9d04a8a9a84 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php index 7c79c053117..dd1d31c260c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php index 2f7bb6c7809..d0b7be8f257 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php index 622b0d41cb3..333448838e7 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php index 3724c63d516..7c65daa8450 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php index bd09a6756ec..ee8f76348cb 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php index 71ac3acb5d3..214b6f5282c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php index 5f85ecacfa8..62690139c5c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php b/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php index afe9e782504..f6f9bb4813e 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php index 23422431ec5..dfccb7d696f 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php index 9091fc1d64b..602f895f188 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index 1ef530afbee..58d4451874e 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/postgre/postgre_forge.php b/system/database/drivers/postgre/postgre_forge.php index 8adff543d7d..8d985ba7d85 100644 --- a/system/database/drivers/postgre/postgre_forge.php +++ b/system/database/drivers/postgre/postgre_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/postgre/postgre_result.php b/system/database/drivers/postgre/postgre_result.php index 6c46b0faf55..354bb08d5bc 100644 --- a/system/database/drivers/postgre/postgre_result.php +++ b/system/database/drivers/postgre/postgre_result.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/postgre/postgre_utility.php b/system/database/drivers/postgre/postgre_utility.php index abbe6f695b0..bb5e6e04b75 100644 --- a/system/database/drivers/postgre/postgre_utility.php +++ b/system/database/drivers/postgre/postgre_utility.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/sqlite/sqlite_driver.php b/system/database/drivers/sqlite/sqlite_driver.php index 9adae082937..16b8c29c369 100644 --- a/system/database/drivers/sqlite/sqlite_driver.php +++ b/system/database/drivers/sqlite/sqlite_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/sqlite/sqlite_forge.php b/system/database/drivers/sqlite/sqlite_forge.php index d6271bf90b3..8a16594300f 100644 --- a/system/database/drivers/sqlite/sqlite_forge.php +++ b/system/database/drivers/sqlite/sqlite_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/sqlite/sqlite_result.php b/system/database/drivers/sqlite/sqlite_result.php index 9e53e14c7d6..d40b98aab94 100644 --- a/system/database/drivers/sqlite/sqlite_result.php +++ b/system/database/drivers/sqlite/sqlite_result.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/sqlite/sqlite_utility.php b/system/database/drivers/sqlite/sqlite_utility.php index ed08929f1ac..59c46f9ef1c 100644 --- a/system/database/drivers/sqlite/sqlite_utility.php +++ b/system/database/drivers/sqlite/sqlite_utility.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/sqlite3/sqlite3_driver.php b/system/database/drivers/sqlite3/sqlite3_driver.php index bf2be00d3d1..9743499bdce 100644 --- a/system/database/drivers/sqlite3/sqlite3_driver.php +++ b/system/database/drivers/sqlite3/sqlite3_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/sqlite3/sqlite3_forge.php b/system/database/drivers/sqlite3/sqlite3_forge.php index 854a734aae8..43cbe33e5d9 100644 --- a/system/database/drivers/sqlite3/sqlite3_forge.php +++ b/system/database/drivers/sqlite3/sqlite3_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/sqlite3/sqlite3_result.php b/system/database/drivers/sqlite3/sqlite3_result.php index b77c6ebc648..aa559eef685 100644 --- a/system/database/drivers/sqlite3/sqlite3_result.php +++ b/system/database/drivers/sqlite3/sqlite3_result.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/sqlite3/sqlite3_utility.php b/system/database/drivers/sqlite3/sqlite3_utility.php index c9f772ddee7..b47c086f60d 100644 --- a/system/database/drivers/sqlite3/sqlite3_utility.php +++ b/system/database/drivers/sqlite3/sqlite3_utility.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index f3732544ae6..0cd9ce16df5 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/sqlsrv/sqlsrv_forge.php b/system/database/drivers/sqlsrv/sqlsrv_forge.php index 4f1e76c1347..f915dad3eed 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_forge.php +++ b/system/database/drivers/sqlsrv/sqlsrv_forge.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/sqlsrv/sqlsrv_result.php b/system/database/drivers/sqlsrv/sqlsrv_result.php index b7e554858cd..fde7264b98a 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_result.php +++ b/system/database/drivers/sqlsrv/sqlsrv_result.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/database/drivers/sqlsrv/sqlsrv_utility.php b/system/database/drivers/sqlsrv/sqlsrv_utility.php index bdc8c170081..726fe3ea6cb 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_utility.php +++ b/system/database/drivers/sqlsrv/sqlsrv_utility.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/array_helper.php b/system/helpers/array_helper.php index 151324cf994..3fdccf90991 100644 --- a/system/helpers/array_helper.php +++ b/system/helpers/array_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index db708e894ad..fd1b8f1edb6 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/cookie_helper.php b/system/helpers/cookie_helper.php index 9c12005a6c3..ca432449571 100644 --- a/system/helpers/cookie_helper.php +++ b/system/helpers/cookie_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index 8cc01f6e05d..c43209f0570 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/directory_helper.php b/system/helpers/directory_helper.php index d37db44ac42..cdc4c16bcce 100644 --- a/system/helpers/directory_helper.php +++ b/system/helpers/directory_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index c2362540edc..a6463dfd754 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/email_helper.php b/system/helpers/email_helper.php index 65e79c8c5f8..35944fc7b56 100644 --- a/system/helpers/email_helper.php +++ b/system/helpers/email_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/file_helper.php b/system/helpers/file_helper.php index 62af7e1f316..0d8d1d0d94f 100644 --- a/system/helpers/file_helper.php +++ b/system/helpers/file_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 1624bded018..04778b08487 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index 2c7595c4fcf..fdc463fcae1 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/inflector_helper.php b/system/helpers/inflector_helper.php index f02afcf234a..96b723c8d16 100644 --- a/system/helpers/inflector_helper.php +++ b/system/helpers/inflector_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/language_helper.php b/system/helpers/language_helper.php index 2de694c2af5..3721164b775 100644 --- a/system/helpers/language_helper.php +++ b/system/helpers/language_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/number_helper.php b/system/helpers/number_helper.php index b5edfde9c19..e7810c70672 100644 --- a/system/helpers/number_helper.php +++ b/system/helpers/number_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/path_helper.php b/system/helpers/path_helper.php index 7135b5d601c..838ece9e975 100644 --- a/system/helpers/path_helper.php +++ b/system/helpers/path_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/security_helper.php b/system/helpers/security_helper.php index 80a0bf52e6b..4eb63883daa 100644 --- a/system/helpers/security_helper.php +++ b/system/helpers/security_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/smiley_helper.php b/system/helpers/smiley_helper.php index f437f03892f..688ca24c21b 100644 --- a/system/helpers/smiley_helper.php +++ b/system/helpers/smiley_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/string_helper.php b/system/helpers/string_helper.php index 70172270ebc..db531fa9aab 100644 --- a/system/helpers/string_helper.php +++ b/system/helpers/string_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/text_helper.php b/system/helpers/text_helper.php index 1100e670d01..1fdbedda5d7 100644 --- a/system/helpers/text_helper.php +++ b/system/helpers/text_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/typography_helper.php b/system/helpers/typography_helper.php index 139dd8c5e68..928cb6d043d 100644 --- a/system/helpers/typography_helper.php +++ b/system/helpers/typography_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php index 2c66729228a..fd7b5e116f3 100644 --- a/system/helpers/url_helper.php +++ b/system/helpers/url_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/helpers/xml_helper.php b/system/helpers/xml_helper.php index dae094cf20d..3489da91c9f 100644 --- a/system/helpers/xml_helper.php +++ b/system/helpers/xml_helper.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/language/english/calendar_lang.php b/system/language/english/calendar_lang.php index c9603b58098..8af5e80561b 100644 --- a/system/language/english/calendar_lang.php +++ b/system/language/english/calendar_lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/language/english/date_lang.php b/system/language/english/date_lang.php index bb341c89e30..39af5a23966 100644 --- a/system/language/english/date_lang.php +++ b/system/language/english/date_lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/language/english/db_lang.php b/system/language/english/db_lang.php index c28bdab3bc5..ed93452b493 100644 --- a/system/language/english/db_lang.php +++ b/system/language/english/db_lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/language/english/email_lang.php b/system/language/english/email_lang.php index 18320269ab7..84fb0910949 100644 --- a/system/language/english/email_lang.php +++ b/system/language/english/email_lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/language/english/form_validation_lang.php b/system/language/english/form_validation_lang.php index 23391e41149..92d6d5ebbc0 100644 --- a/system/language/english/form_validation_lang.php +++ b/system/language/english/form_validation_lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/language/english/ftp_lang.php b/system/language/english/ftp_lang.php index d649e4d2883..9e72bce4210 100644 --- a/system/language/english/ftp_lang.php +++ b/system/language/english/ftp_lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/language/english/imglib_lang.php b/system/language/english/imglib_lang.php index fe06d449baf..7f23233b4f7 100644 --- a/system/language/english/imglib_lang.php +++ b/system/language/english/imglib_lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/language/english/migration_lang.php b/system/language/english/migration_lang.php index de81f6d6369..bce9210d3bc 100644 --- a/system/language/english/migration_lang.php +++ b/system/language/english/migration_lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/language/english/number_lang.php b/system/language/english/number_lang.php index 010e83e0571..0aaf51e72e6 100644 --- a/system/language/english/number_lang.php +++ b/system/language/english/number_lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/language/english/pagination_lang.php b/system/language/english/pagination_lang.php index a2874feffa5..4d36bdee862 100644 --- a/system/language/english/pagination_lang.php +++ b/system/language/english/pagination_lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/language/english/profiler_lang.php b/system/language/english/profiler_lang.php index b66f4e5e5ac..2d8fa51f461 100644 --- a/system/language/english/profiler_lang.php +++ b/system/language/english/profiler_lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/language/english/unit_test_lang.php b/system/language/english/unit_test_lang.php index d9c09f9b0e4..29a4137a537 100644 --- a/system/language/english/unit_test_lang.php +++ b/system/language/english/unit_test_lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/language/english/upload_lang.php b/system/language/english/upload_lang.php index a054031bdac..058dca9939f 100644 --- a/system/language/english/upload_lang.php +++ b/system/language/english/upload_lang.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Cache/Cache.php b/system/libraries/Cache/Cache.php index 64377de50c9..349af15794e 100644 --- a/system/libraries/Cache/Cache.php +++ b/system/libraries/Cache/Cache.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Cache/drivers/Cache_apc.php b/system/libraries/Cache/drivers/Cache_apc.php index 5f373ba17f6..dd18e7bc84e 100644 --- a/system/libraries/Cache/drivers/Cache_apc.php +++ b/system/libraries/Cache/drivers/Cache_apc.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Cache/drivers/Cache_dummy.php b/system/libraries/Cache/drivers/Cache_dummy.php index d8c4b0b2b58..4323a68af24 100644 --- a/system/libraries/Cache/drivers/Cache_dummy.php +++ b/system/libraries/Cache/drivers/Cache_dummy.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Cache/drivers/Cache_file.php b/system/libraries/Cache/drivers/Cache_file.php index a52b054977f..e1ce16a5a4e 100644 --- a/system/libraries/Cache/drivers/Cache_file.php +++ b/system/libraries/Cache/drivers/Cache_file.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index 67f9e4f4584..c44958b9765 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index 59f14d16be9..81b49e2fcb7 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Cache/drivers/Cache_wincache.php b/system/libraries/Cache/drivers/Cache_wincache.php index 9b5029d8cf1..f66080514c0 100644 --- a/system/libraries/Cache/drivers/Cache_wincache.php +++ b/system/libraries/Cache/drivers/Cache_wincache.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Calendar.php b/system/libraries/Calendar.php index 2a42b58449c..1f8ef814f7c 100644 --- a/system/libraries/Calendar.php +++ b/system/libraries/Calendar.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Cart.php b/system/libraries/Cart.php index af527da9ea5..44d87e0bf66 100644 --- a/system/libraries/Cart.php +++ b/system/libraries/Cart.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Driver.php b/system/libraries/Driver.php index b8f740d6a5f..38c6aefe696 100644 --- a/system/libraries/Driver.php +++ b/system/libraries/Driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Email.php b/system/libraries/Email.php index ad4c02ff881..007f9b4317c 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Encrypt.php b/system/libraries/Encrypt.php index 608f7da28a9..1372a311fe2 100644 --- a/system/libraries/Encrypt.php +++ b/system/libraries/Encrypt.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Encryption.php b/system/libraries/Encryption.php index 5e04fc1add2..92c38a0ed24 100644 --- a/system/libraries/Encryption.php +++ b/system/libraries/Encryption.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 194a9292ee8..31632762d45 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Ftp.php b/system/libraries/Ftp.php index 53ff979e5ed..88f2658087b 100644 --- a/system/libraries/Ftp.php +++ b/system/libraries/Ftp.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index d3a832415a9..f594b712580 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Javascript.php b/system/libraries/Javascript.php index ba8aedb60a0..dcf9337794d 100644 --- a/system/libraries/Javascript.php +++ b/system/libraries/Javascript.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Javascript/Jquery.php b/system/libraries/Javascript/Jquery.php index 1039a4aa80d..9df1be1c1f1 100644 --- a/system/libraries/Javascript/Jquery.php +++ b/system/libraries/Javascript/Jquery.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Migration.php b/system/libraries/Migration.php index 259c83c547d..7aefb6c23cd 100644 --- a/system/libraries/Migration.php +++ b/system/libraries/Migration.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index 9831730e4c0..cef98ebf483 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Parser.php b/system/libraries/Parser.php index 7f3be467212..22cffb2c48a 100644 --- a/system/libraries/Parser.php +++ b/system/libraries/Parser.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index 4ad33bbac67..cc76414362f 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index 1e81ec53f59..b93c00c156b 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Session/SessionHandlerInterface.php b/system/libraries/Session/SessionHandlerInterface.php index ea825a066eb..b3533dd1eae 100644 --- a/system/libraries/Session/SessionHandlerInterface.php +++ b/system/libraries/Session/SessionHandlerInterface.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Session/Session_driver.php b/system/libraries/Session/Session_driver.php index 02d984cdf5e..98fc897e3b2 100644 --- a/system/libraries/Session/Session_driver.php +++ b/system/libraries/Session/Session_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index b3191e060ec..3ba9d3d366b 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Session/drivers/Session_files_driver.php b/system/libraries/Session/drivers/Session_files_driver.php index 5ac1dcd36f2..119bf65729e 100644 --- a/system/libraries/Session/drivers/Session_files_driver.php +++ b/system/libraries/Session/drivers/Session_files_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index b2feb56f142..d017dfb2f3e 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index 04776055498..46b8fa1c244 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Table.php b/system/libraries/Table.php index e261d3e0141..3bce294d8c4 100644 --- a/system/libraries/Table.php +++ b/system/libraries/Table.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Trackback.php b/system/libraries/Trackback.php index 7488a809bc0..a9b256464b2 100644 --- a/system/libraries/Trackback.php +++ b/system/libraries/Trackback.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Typography.php b/system/libraries/Typography.php index 71a6d0809b9..c45398bdca4 100644 --- a/system/libraries/Typography.php +++ b/system/libraries/Typography.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Unit_test.php b/system/libraries/Unit_test.php index 6db39212bf8..3ac6af78ed9 100644 --- a/system/libraries/Unit_test.php +++ b/system/libraries/Unit_test.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 5cb25eeec9b..15caebebe5b 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/User_agent.php b/system/libraries/User_agent.php index 150643a4dc4..c4e11592d98 100644 --- a/system/libraries/User_agent.php +++ b/system/libraries/User_agent.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index d4bcbd0195c..f965858e2e7 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Xmlrpcs.php b/system/libraries/Xmlrpcs.php index b75fa288ef3..afcdbe68c35 100644 --- a/system/libraries/Xmlrpcs.php +++ b/system/libraries/Xmlrpcs.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/system/libraries/Zip.php b/system/libraries/Zip.php index d412ebf34c4..140ad72123c 100644 --- a/system/libraries/Zip.php +++ b/system/libraries/Zip.php @@ -28,7 +28,7 @@ * * @package CodeIgniter * @author EllisLab Dev Team - * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) + * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com diff --git a/user_guide_src/cilexer/cilexer/cilexer.py b/user_guide_src/cilexer/cilexer/cilexer.py index d6bebe28d61..40582f88aae 100644 --- a/user_guide_src/cilexer/cilexer/cilexer.py +++ b/user_guide_src/cilexer/cilexer/cilexer.py @@ -25,7 +25,7 @@ # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN # THE SOFTWARE. # -# Copyright (c) 2008 - 2014, EllisLab, Inc. (http://ellislab.com/) +# Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) # Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) # # http://opensource.org/licenses/MIT MIT License From 8f1047ff6bc961159a7103e7be02e6cc459d925e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 11 Jan 2016 13:20:12 +0200 Subject: [PATCH 2561/3829] Polish changes from PR #4269 --- system/helpers/html_helper.php | 28 ++++++++++++---- .../codeigniter/helpers/html_helper_test.php | 32 ++++++++++++------- user_guide_src/source/helpers/html_helper.rst | 12 +++++-- 3 files changed, 50 insertions(+), 22 deletions(-) diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index 5cc994ff146..becd9a00c81 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -359,17 +359,31 @@ function meta($name = '', $content = '', $type = 'name', $newline = "\n") // Turn single array into multidimensional $name = array($name); } - $allowed_type = array('charset', 'http-equiv', 'name', 'property'); + + $allowed_types = array('charset', 'http-equiv', 'name', 'property'); $str = ''; foreach ($name as $meta) { - $meta['type'] = isset($meta['type']) ? (($meta['type'] === 'equiv') ? 'http-equiv' : $meta['type']) : ''; // backward compatibility - $type = in_array($meta['type'], $allowed_type) ? $meta['type'] : 'name'; - $name = isset($meta['name']) ? $meta['name'] : ''; - $content = isset($meta['content']) ? $meta['content'] : ''; - $newline = isset($meta['newline']) ? $meta['newline'] : "\n"; + // This is to preserve BC with pre-3.1 versions where only + // 'http-equiv' (default) and 'name' were supported. + if (isset($meta['type'])) + { + if ($meta['type'] === 'equiv') + { + $meta['type'] === 'http-equiv'; + } + elseif ( ! in_array($meta['type'], $allowed_types, TRUE)) + { + $meta['type'] = 'name'; + } + } + + $type = isset($meta['type']) ? $meta['type'] : 'name'; + $name = isset($meta['name']) ? $meta['name'] : ''; + $content = isset($meta['content']) ? $meta['content'] : ''; + $newline = isset($meta['newline']) ? $meta['newline'] : "\n"; - $str .= ''.$newline; + $str .= ''.$newline; } return $str; diff --git a/tests/codeigniter/helpers/html_helper_test.php b/tests/codeigniter/helpers/html_helper_test.php index 0b9655bf57b..029f3f4cd8a 100644 --- a/tests/codeigniter/helpers/html_helper_test.php +++ b/tests/codeigniter/helpers/html_helper_test.php @@ -81,16 +81,24 @@ public function test_NBS() public function test_meta() { - $this->assertEquals("\n", meta('test', 'foo')); - - $expect = "\n"; - - $this->assertEquals($expect, meta(array('name' => 'foo'))); - - $expect = "\n"; - - $this->assertEquals($expect, meta(array('name' => 'foo', 'type' => 'charset'))); - + $this->assertEquals( + "\n", + meta('test', 'foo') + ); + + $this->assertEquals( + "\n", + meta(array('name' => 'foo')) + ); + + $this->assertEquals( + "\n", + meta(array('name' => 'foo', 'type' => 'charset')) + ); + + $this->assertEquals( + "\n", + meta(array('name' => 'foo', 'type' => 'charset')) + ); } - -} +} \ No newline at end of file diff --git a/user_guide_src/source/helpers/html_helper.rst b/user_guide_src/source/helpers/html_helper.rst index fffb2cab49a..a19924dde46 100644 --- a/user_guide_src/source/helpers/html_helper.rst +++ b/user_guide_src/source/helpers/html_helper.rst @@ -309,6 +309,11 @@ The following functions are available: 'name' => 'robots', 'content' => 'no-cache' ), + array( + 'name' => 'Content-Type', + 'type' => 'http-equiv', + 'content' => 'text/html; charset=utf-8' + ), array( 'name' => 'UTF-8', 'type' => 'charset' @@ -321,21 +326,22 @@ The following functions are available: // // // + // // -.. php:function:: doctype([$type = 'html5']) +.. php:function:: doctype([$type = 'xhtml1-strict']) :param string $type: Doctype name :returns: HTML DocType tag :rtype: string - Helps you generate document type declarations, or DTD's. HTML 5 + Helps you generate document type declarations, or DTD's. XHTML 1.0 is used by default, but many doctypes are available. Example:: - echo doctype(); // + echo doctype(); // echo doctype('html4-trans'); // From c5cbe8cafc55dae693b8fa973d8f219272d463bd Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 11 Jan 2016 13:22:42 +0200 Subject: [PATCH 2562/3829] [ci skip] Add changelog entry for PR #4269 --- user_guide_src/source/changelog.rst | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 7a0d0f9fa3a..bf5427ef4ce 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -17,6 +17,10 @@ Release Date: Not Released - Changed method ``db_connect()`` to always set the connection character set (if supported by the driver) and to fail if it can't. - Removed method ``db_set_charset()`` and the ability to change a connection character set at runtime. +- Helpers + + - Updated :doc:`HTML Helper ` function :php:func:`meta()` with support for "charset" and "property" properties. + Version 3.0.4 ============= From 363d56a6fafb1ff7c8dd8ac8d88abe854df26868 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 12 Jan 2016 16:15:50 +0200 Subject: [PATCH 2563/3829] [ci skip] 2016 in index.php --- index.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/index.php b/index.php index 13fcd599688..5cc37108a8d 100755 --- a/index.php +++ b/index.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 From 4e44a4d9fcf6590fddbba93545b8bde893910c22 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 12 Jan 2016 16:15:50 +0200 Subject: [PATCH 2564/3829] [ci skip] 2016 in index.php --- index.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/index.php b/index.php index 13fcd599688..5cc37108a8d 100755 --- a/index.php +++ b/index.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2015, British Columbia Institute of Technology + * Copyright (c) 2014 - 2016, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2015, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 From 1f91ac640ada20850fa651d249beea548a63d978 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 13 Jan 2016 02:05:39 +0200 Subject: [PATCH 2565/3829] [ci skip] Fix a changelog line --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 8b0fb677a6b..3826fc66da0 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -53,7 +53,7 @@ Release Date: October 31, 2015 - Changed :doc:`Config Library ` method ``base_url()`` to fallback to ``$_SERVER['SERVER_ADDR']`` when ``$config['base_url']`` is empty in order to avoid *Host* header injections. - Changed :doc:`CAPTCHA Helper ` to use the operating system's PRNG when possible. -- :doc:`Database` +- :doc:`Database ` - Optimized :doc:`Database Utility ` method ``csv_from_result()`` for speed with larger result sets. - Added proper return values to :doc:`Database Transactions ` method ``trans_start()``. From 4307bff0a4ae884d57cc0c0fa8f54de6c05000e7 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 13 Jan 2016 02:13:10 +0200 Subject: [PATCH 2566/3829] [ci skip] Mark the start of 3.0.5 development --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/changelog.rst | 8 +++++++- user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/installation/downloads.rst | 3 ++- user_guide_src/source/installation/upgrade_305.rst | 14 ++++++++++++++ user_guide_src/source/installation/upgrading.rst | 1 + 6 files changed, 27 insertions(+), 5 deletions(-) create mode 100644 user_guide_src/source/installation/upgrade_305.rst diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 727f370297a..52b542654a9 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - define('CI_VERSION', '3.0.4-dev'); + define('CI_VERSION', '3.0.5-dev'); /* * ------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 3826fc66da0..1ba85fa3544 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -2,11 +2,17 @@ Change Log ########## -Version 3.0.4 +Version 3.0.5 ============= Release Date: Not Released + +Version 3.0.4 +============= + +Release Date: January 13, 2016 + - General Changes - Updated :doc:`Security Library ` method ``get_random_bytes()`` to use PHP 7's ``random_bytes()`` function when possible. diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index 8a4c9db595d..12339eb9194 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.0.4-dev' +version = '3.0.5-dev' # The full version, including alpha/beta/rc tags. -release = '3.0.4-dev' +release = '3.0.5-dev' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index 00c98ab23ce..c7db54cd80f 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,8 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.0.4-dev (Current version) `_ +- `CodeIgniter v3.0.5-dev (Current version) `_ +- `CodeIgniter v3.0.4 `_ - `CodeIgniter v3.0.3 `_ - `CodeIgniter v3.0.2 `_ - `CodeIgniter v3.0.1 `_ diff --git a/user_guide_src/source/installation/upgrade_305.rst b/user_guide_src/source/installation/upgrade_305.rst new file mode 100644 index 00000000000..a4798248157 --- /dev/null +++ b/user_guide_src/source/installation/upgrade_305.rst @@ -0,0 +1,14 @@ +############################# +Upgrading from 3.0.4 to 3.0.5 +############################# + +Before performing an update you should take your site offline by +replacing the index.php file with a static one. + +Step 1: Update your CodeIgniter files +===================================== + +Replace all files and directories in your *system/* directory. + +.. note:: If you have any custom developed files in these directories, + please make copies of them first. diff --git a/user_guide_src/source/installation/upgrading.rst b/user_guide_src/source/installation/upgrading.rst index dd777346d76..102f20abf39 100644 --- a/user_guide_src/source/installation/upgrading.rst +++ b/user_guide_src/source/installation/upgrading.rst @@ -8,6 +8,7 @@ upgrading from. .. toctree:: :titlesonly: + Upgrading from 3.0.4 to 3.0.5 Upgrading from 3.0.3 to 3.0.4 Upgrading from 3.0.2 to 3.0.3 Upgrading from 3.0.1 to 3.0.2 From d1688af15458af8684a109e5e65f41a8a02786fb Mon Sep 17 00:00:00 2001 From: Jason Neal Date: Wed, 13 Jan 2016 08:46:03 -0500 Subject: [PATCH 2567/3829] Fix type in default constants configuration The word "destructive" was misspelled in the conditional portion. --- application/config/constants.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/application/config/constants.php b/application/config/constants.php index e8d2c00ea03..18d3b4b76ff 100644 --- a/application/config/constants.php +++ b/application/config/constants.php @@ -42,7 +42,7 @@ defined('FOPEN_READ') OR define('FOPEN_READ', 'rb'); defined('FOPEN_READ_WRITE') OR define('FOPEN_READ_WRITE', 'r+b'); defined('FOPEN_WRITE_CREATE_DESTRUCTIVE') OR define('FOPEN_WRITE_CREATE_DESTRUCTIVE', 'wb'); // truncates existing file data, use with care -defined('FOPEN_READ_WRITE_CREATE_DESCTRUCTIVE') OR define('FOPEN_READ_WRITE_CREATE_DESTRUCTIVE', 'w+b'); // truncates existing file data, use with care +defined('FOPEN_READ_WRITE_CREATE_DESTRUCTIVE') OR define('FOPEN_READ_WRITE_CREATE_DESTRUCTIVE', 'w+b'); // truncates existing file data, use with care defined('FOPEN_WRITE_CREATE') OR define('FOPEN_WRITE_CREATE', 'ab'); defined('FOPEN_READ_WRITE_CREATE') OR define('FOPEN_READ_WRITE_CREATE', 'a+b'); defined('FOPEN_WRITE_CREATE_STRICT') OR define('FOPEN_WRITE_CREATE_STRICT', 'xb'); From 05268d6d08afb3b66e7edd5877c597ef7ea2113a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 13 Jan 2016 15:59:42 +0200 Subject: [PATCH 2568/3829] Merge pull request #4378 from jtneal/patch-1 [ci skip] Fix a defined() typo in config/constants.php --- application/config/constants.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/application/config/constants.php b/application/config/constants.php index e8d2c00ea03..18d3b4b76ff 100644 --- a/application/config/constants.php +++ b/application/config/constants.php @@ -42,7 +42,7 @@ defined('FOPEN_READ') OR define('FOPEN_READ', 'rb'); defined('FOPEN_READ_WRITE') OR define('FOPEN_READ_WRITE', 'r+b'); defined('FOPEN_WRITE_CREATE_DESTRUCTIVE') OR define('FOPEN_WRITE_CREATE_DESTRUCTIVE', 'wb'); // truncates existing file data, use with care -defined('FOPEN_READ_WRITE_CREATE_DESCTRUCTIVE') OR define('FOPEN_READ_WRITE_CREATE_DESTRUCTIVE', 'w+b'); // truncates existing file data, use with care +defined('FOPEN_READ_WRITE_CREATE_DESTRUCTIVE') OR define('FOPEN_READ_WRITE_CREATE_DESTRUCTIVE', 'w+b'); // truncates existing file data, use with care defined('FOPEN_WRITE_CREATE') OR define('FOPEN_WRITE_CREATE', 'ab'); defined('FOPEN_READ_WRITE_CREATE') OR define('FOPEN_READ_WRITE_CREATE', 'a+b'); defined('FOPEN_WRITE_CREATE_STRICT') OR define('FOPEN_WRITE_CREATE_STRICT', 'xb'); From 009ce6c4b68375f77bc8864528602824d6c603ba Mon Sep 17 00:00:00 2001 From: Sai Phaninder Reddy Jonnala Date: Fri, 15 Jan 2016 10:25:53 -0500 Subject: [PATCH 2569/3829] Code styling changes as suggested by narfbg --- system/core/Log.php | 18 ++++++++++-------- 1 file changed, 10 insertions(+), 8 deletions(-) diff --git a/system/core/Log.php b/system/core/Log.php index 0e1f7e2acc7..f338a36ec4a 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -154,8 +154,8 @@ public function __construct() * * Generally this function will be called using the global log_message() function * - * @param string the error level: 'error', 'debug' or 'info' - * @param string the error message + * @param string $level The error level: 'error', 'debug' or 'info' + * @param string $msg The error message * @return bool */ public function write_log($level, $msg) @@ -204,7 +204,7 @@ public function write_log($level, $msg) $date = date($this->_date_fmt); } - $message .= $this->_format_log_line($level, $date, $msg); + $message .= $this->_format_line($level, $date, $msg); flock($fp, LOCK_EX); @@ -227,6 +227,8 @@ public function write_log($level, $msg) return is_int($result); } + // -------------------------------------------------------------------- + /** * Format the log line. * @@ -234,13 +236,13 @@ public function write_log($level, $msg) * If you want to change the log format, * extend the CI_Log class and override this method. * - * @param string the error level: 'error', 'debug' or 'info' - * @param string formatted date string - * @param string the log message + * @param string $level The error level + * @param string $date Formatted date string + * @param string $msg The log message * @return string formatted log line with a new line character '\n' at the end. */ - protected function _format_log_line($level, $date, $msg) + protected function _format_line($level, $date, $message) { - return $level.' - '.$date.' --> '.$msg."\n"; + return $level.' - '.$date.' --> '.$message."\n"; } } From b6774cbeb11ac7bc5bd694c1da87ed77e9d4f9fb Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?S=C3=A9bastien=20Adam?= Date: Wed, 20 Jan 2016 09:25:22 +0100 Subject: [PATCH 2570/3829] Default doctype is now HTML 5 --- system/helpers/html_helper.php | 2 +- user_guide_src/source/helpers/html_helper.rst | 6 +++--- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index becd9a00c81..696f0eee27e 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -229,7 +229,7 @@ function img($src = '', $index_page = FALSE, $attributes = '') * @param string type The doctype to be generated * @return string */ - function doctype($type = 'xhtml1-strict') + function doctype($type = 'html5') { static $doctypes; diff --git a/user_guide_src/source/helpers/html_helper.rst b/user_guide_src/source/helpers/html_helper.rst index a19924dde46..b4e56fdca47 100644 --- a/user_guide_src/source/helpers/html_helper.rst +++ b/user_guide_src/source/helpers/html_helper.rst @@ -330,18 +330,18 @@ The following functions are available: // -.. php:function:: doctype([$type = 'xhtml1-strict']) +.. php:function:: doctype([$type = 'html5']) :param string $type: Doctype name :returns: HTML DocType tag :rtype: string - Helps you generate document type declarations, or DTD's. XHTML 1.0 + Helps you generate document type declarations, or DTD's. HTML 5 is used by default, but many doctypes are available. Example:: - echo doctype(); // + echo doctype(); // echo doctype('html4-trans'); // From a062bdc6cf80268f89309d8be416cc3489e010c5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 20 Jan 2016 12:03:21 +0200 Subject: [PATCH 2571/3829] [ci skip] Add changelog entry and upgrade instructions following PR #4389 --- user_guide_src/source/changelog.rst | 1 + user_guide_src/source/installation/upgrade_310.rst | 13 +++++++++++++ 2 files changed, 14 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 9bbe38207ea..7c09047f0b6 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -20,6 +20,7 @@ Release Date: Not Released - Helpers - Updated :doc:`HTML Helper ` function :php:func:`meta()` with support for "charset" and "property" properties. + - Changed :doc:`HTML Helper ` function :php:func:`doctype()` default document type to HTML 5. Version 3.0.5 ============= diff --git a/user_guide_src/source/installation/upgrade_310.rst b/user_guide_src/source/installation/upgrade_310.rst index 37772cd4f1e..b86bb1da3c6 100644 --- a/user_guide_src/source/installation/upgrade_310.rst +++ b/user_guide_src/source/installation/upgrade_310.rst @@ -57,3 +57,16 @@ method would now only be to change the connection character set at runtime. That doesn't make sense and that's the reason why most database drivers don't support it at all. Thus, ``db_set_charset()`` is no longer necessary and is removed. + +Step 3: Check usage of doctype() HTML helper +============================================ + +The :doc:`HTML Helper <../helpers/html_helper>` function +:php:func:`doctype()` used to default to 'xhtml1-strict' (XHTML 1.0 Strict) +when no document type was specified. That default value is now changed to +'html5', which obviously stands for the modern HTML 5 standard. + +Nothing should be really broken by this change, but if your application +relies on the default value, you should double-check it and either +explicitly set the desired format, or adapt your front-end to use proper +HTML 5 formatting. \ No newline at end of file From 22df06b544cb74b4a71c0e1b0d9fa0bc13c95469 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 20 Jan 2016 12:10:08 +0200 Subject: [PATCH 2572/3829] [ci skip] Fix a documentation error on output cache times --- system/core/Output.php | 2 +- user_guide_src/source/libraries/output.rst | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/system/core/Output.php b/system/core/Output.php index ad87f854529..ec9c21b9177 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -377,7 +377,7 @@ public function set_profiler_sections($sections) /** * Set Cache * - * @param int $time Cache expiration time in seconds + * @param int $time Cache expiration time in minutes * @return CI_Output */ public function cache($time) diff --git a/user_guide_src/source/libraries/output.rst b/user_guide_src/source/libraries/output.rst index 84529f76614..92060f66a8e 100644 --- a/user_guide_src/source/libraries/output.rst +++ b/user_guide_src/source/libraries/output.rst @@ -199,11 +199,11 @@ Class Reference .. php:method:: cache($time) - :param int $time: Cache expiration time in seconds + :param int $time: Cache expiration time in minutes :returns: CI_Output instance (method chaining) :rtype: CI_Output - Caches the current page for the specified amount of seconds. + Caches the current page for the specified amount of minutes. For more information, please see the :doc:`caching documentation <../general/caching>`. From c70216d560d85adf907d9941868a0d8d3df868ca Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 20 Jan 2016 17:25:13 +0200 Subject: [PATCH 2573/3829] Fix #4391 --- system/libraries/Email.php | 18 +++++++++++------- user_guide_src/source/changelog.rst | 4 ++++ 2 files changed, 15 insertions(+), 7 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 007f9b4317c..ed6f737a1f9 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -574,14 +574,18 @@ public function reply_to($replyto, $name = '') $this->validate_email($this->_str_to_array($replyto)); } - if ($name === '') - { - $name = $replyto; - } - - if (strpos($name, '"') !== 0) + if ($name !== '') { - $name = '"'.$name.'"'; + // only use Q encoding if there are characters that would require it + if ( ! preg_match('/[\200-\377]/', $name)) + { + // add slashes for non-printing characters, slashes, and double quotes, and surround it in double quotes + $name = '"'.addcslashes($name, "\0..\37\177'\"\\").'"'; + } + else + { + $name = $this->_prep_q_encoding($name); + } } $this->set_header('Reply-To', $name.' <'.$replyto.'>'); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1ba85fa3544..bd3d567d95f 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,10 @@ Version 3.0.5 Release Date: Not Released +Bug fixes for 3.0.5 +------------------- + +- Fixed a bug (#4391) - :doc:`Email Library ` method ``reply_to()`` didn't apply Q-encoding. Version 3.0.4 ============= From 356ad58b61d485570d4f4ca96fefda0d3a9c5d32 Mon Sep 17 00:00:00 2001 From: jekkos Date: Mon, 18 Jan 2016 21:14:06 +0100 Subject: [PATCH 2574/3829] Respect $config['cur_page'] variable for pagination After upgrading to CI3 I noticed that developers are able to determine the current page counter for pagination based on * Explicit query string parameters * URI segment configuration In earlier versions a developer could still set the current page counter in the pagination lib directly which is useful if you want to use pagination with HTTP POST instead of GET. This could be done by passing $config['cur_page'] = '10'; to the pagination function for link generation. Currently this code has changed and will always try to check whether the uri segment is a valid number or not, even if the cur_page variable was passed in the associative array, and fallback to zero if it fails to validate that result. This can be easily resolved by checking whether the counter was already set with a valid number from the $config array before trying to resolve it from the uri segment. This fix give a developer more flexibility and stop CI from overwriting the externally set value with an incorrect one. Signed-off-by: jekkos --- system/libraries/Pagination.php | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index cef98ebf483..9ac9661ad80 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -497,7 +497,7 @@ public function create_links() { $this->cur_page = $this->CI->input->get($this->query_string_segment); } - else + elseif (empty($this->cur_page)) { // Default to the last segment number if one hasn't been defined. if ($this->uri_segment === 0) @@ -512,6 +512,10 @@ public function create_links() { $this->cur_page = str_replace(array($this->prefix, $this->suffix), '', $this->cur_page); } + } + else + { + $this->cur_page = (string) $this->cur_page; } // If something isn't quite right, back to the default base page. From 1e77136c47032221ae0cdb7f6b43f56792dae224 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 20 Jan 2016 19:36:39 +0200 Subject: [PATCH 2575/3829] [ci skip] Remove a trailing space from latest PR merge --- system/libraries/Pagination.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index 9ac9661ad80..44f848fe035 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -512,7 +512,7 @@ public function create_links() { $this->cur_page = str_replace(array($this->prefix, $this->suffix), '', $this->cur_page); } - } + } else { $this->cur_page = (string) $this->cur_page; From 4e87bd3622b3b9edcb90d7d4792f4374daf46446 Mon Sep 17 00:00:00 2001 From: jekkos Date: Mon, 18 Jan 2016 21:14:06 +0100 Subject: [PATCH 2576/3829] Respect $config['cur_page'] variable for pagination After upgrading to CI3 I noticed that developers are able to determine the current page counter for pagination based on * Explicit query string parameters * URI segment configuration In earlier versions a developer could still set the current page counter in the pagination lib directly which is useful if you want to use pagination with HTTP POST instead of GET. This could be done by passing $config['cur_page'] = '10'; to the pagination function for link generation. Currently this code has changed and will always try to check whether the uri segment is a valid number or not, even if the cur_page variable was passed in the associative array, and fallback to zero if it fails to validate that result. This can be easily resolved by checking whether the counter was already set with a valid number from the $config array before trying to resolve it from the uri segment. This fix give a developer more flexibility and stop CI from overwriting the externally set value with an incorrect one. Signed-off-by: jekkos --- system/libraries/Pagination.php | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index cef98ebf483..9ac9661ad80 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -497,7 +497,7 @@ public function create_links() { $this->cur_page = $this->CI->input->get($this->query_string_segment); } - else + elseif (empty($this->cur_page)) { // Default to the last segment number if one hasn't been defined. if ($this->uri_segment === 0) @@ -512,6 +512,10 @@ public function create_links() { $this->cur_page = str_replace(array($this->prefix, $this->suffix), '', $this->cur_page); } + } + else + { + $this->cur_page = (string) $this->cur_page; } // If something isn't quite right, back to the default base page. From ca26561a987bf0ec6e2736ea4c2eab29c663b94b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 20 Jan 2016 19:36:39 +0200 Subject: [PATCH 2577/3829] [ci skip] Remove a trailing space from latest PR merge --- system/libraries/Pagination.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index 9ac9661ad80..44f848fe035 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -512,7 +512,7 @@ public function create_links() { $this->cur_page = str_replace(array($this->prefix, $this->suffix), '', $this->cur_page); } - } + } else { $this->cur_page = (string) $this->cur_page; From b5d410530f7641ba0feb1ec0e25b4243be1fe053 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 20 Jan 2016 19:41:29 +0200 Subject: [PATCH 2578/3829] [ci skip] Add changelog entry for PR #4384 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index bd3d567d95f..d0d0a10eb78 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -11,6 +11,7 @@ Bug fixes for 3.0.5 ------------------- - Fixed a bug (#4391) - :doc:`Email Library ` method ``reply_to()`` didn't apply Q-encoding. +- Fixed a bug (#4384) - :doc:`Pagination Library ` ignored (possible) *cur_page* configuration value. Version 3.0.4 ============= From 075bdb4e90d9b567cdb4db3e46410854c0437856 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 25 Jan 2016 13:31:23 +0200 Subject: [PATCH 2579/3829] Fix #4395 --- system/database/DB_query_builder.php | 16 +++++++++++++++- user_guide_src/source/changelog.rst | 1 + 2 files changed, 16 insertions(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index e92c570919a..c180a17e922 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1379,7 +1379,16 @@ public function count_all_results($table = '', $reset = TRUE) $this->from($table); } - $result = ($this->qb_distinct === TRUE OR ! empty($this->qb_orderby)) + // ORDER BY usage is often problematic here (most notably + // on Microsoft SQL Server) and ultimately unnecessary + // for selecting COUNT(*) ... + if ( ! empty($this->qb_orderby)) + { + $orderby = $this->qb_orderby; + $this->qb_orderby = NULL; + } + + $result = ($this->qb_distinct === TRUE) ? $this->query($this->_count_string.$this->protect_identifiers('numrows')."\nFROM (\n".$this->_compile_select()."\n) CI_count_all_results") : $this->query($this->_compile_select($this->_count_string.$this->protect_identifiers('numrows'))); @@ -1387,6 +1396,11 @@ public function count_all_results($table = '', $reset = TRUE) { $this->_reset_select(); } + // If we've previously reset the qb_orderby values, get them back + elseif ( ! isset($this->qb_orderby)) + { + $this->qb_orderby = $orderby; + } if ($result->num_rows() === 0) { diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d0d0a10eb78..466726a7ea4 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -12,6 +12,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4391) - :doc:`Email Library ` method ``reply_to()`` didn't apply Q-encoding. - Fixed a bug (#4384) - :doc:`Pagination Library ` ignored (possible) *cur_page* configuration value. +- Fixed a bug (#4395) - :doc:`Query Builder ` method ``count_all_results()`` still fails if an ``ORDER BY`` condition is used. Version 3.0.4 ============= From 8ec82e2885d60847331e88f22ecffa71feafcb61 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 26 Jan 2016 16:33:31 +0200 Subject: [PATCH 2580/3829] Fix #4399 --- system/database/DB_query_builder.php | 43 ++++++++++++++++++---------- user_guide_src/source/changelog.rst | 1 + 2 files changed, 29 insertions(+), 15 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index c180a17e922..be7582815dd 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1458,20 +1458,26 @@ public function get_where($table = '', $where = NULL, $limit = NULL, $offset = N * @param bool $escape Whether to escape values and identifiers * @return int Number of rows inserted or FALSE on failure */ - public function insert_batch($table = '', $set = NULL, $escape = NULL) + public function insert_batch($table, $set = NULL, $escape = NULL) { - if ($set !== NULL) + if ($set === NULL) { - $this->set_insert_batch($set, '', $escape); + if (empty($this->qb_set)) + { + return ($this->db_debug) ? $this->display_error('db_must_use_set') : FALSE; + } } - - if (count($this->qb_set) === 0) + else { - // No valid data array. Folds in cases where keys and values did not match up - return ($this->db_debug) ? $this->display_error('db_must_use_set') : FALSE; + if (empty($set)) + { + return ($this->db_debug) ? $this->display_error('insert_batch() called with no data') : FALSE; + } + + $this->set_insert_batch($set, '', $escape); } - if ($table === '') + if (strlen($table) === 0) { if ( ! isset($this->qb_from[0])) { @@ -1859,7 +1865,7 @@ protected function _validate_update($table) * @param string the where key * @return int number of rows affected or FALSE on failure */ - public function update_batch($table = '', $set = NULL, $index = NULL) + public function update_batch($table, $set = NULL, $index = NULL) { // Combine any cached components with the current statements $this->_merge_cache(); @@ -1869,17 +1875,24 @@ public function update_batch($table = '', $set = NULL, $index = NULL) return ($this->db_debug) ? $this->display_error('db_must_use_index') : FALSE; } - if ($set !== NULL) + if ($set === NULL) { - $this->set_update_batch($set, $index); + if (empty($this->qb_set)) + { + return ($this->db_debug) ? $this->display_error('db_must_use_set') : FALSE; + } } - - if (count($this->qb_set) === 0) + else { - return ($this->db_debug) ? $this->display_error('db_must_use_set') : FALSE; + if (empty($set)) + { + return ($this->db_debug) ? $this->display_error('update_batch() called with no data') : FALSE; + } + + $this->set_update_batch($set, $index); } - if ($table === '') + if (strlen($table) === 0) { if ( ! isset($this->qb_from[0])) { diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 466726a7ea4..1623341ea1a 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -13,6 +13,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4391) - :doc:`Email Library ` method ``reply_to()`` didn't apply Q-encoding. - Fixed a bug (#4384) - :doc:`Pagination Library ` ignored (possible) *cur_page* configuration value. - Fixed a bug (#4395) - :doc:`Query Builder ` method ``count_all_results()`` still fails if an ``ORDER BY`` condition is used. +- Fixed a bug (#4399) - :doc:`Query Builder ` methods ``insert_batch()``, ``update_batch()`` produced confusing error messages when called with no data and *db_debug* is enabled. Version 3.0.4 ============= From 1089a862fc8cd6fdd6bb2a5f88e1446d37912ace Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 27 Jan 2016 16:15:01 +0200 Subject: [PATCH 2581/3829] Fix #4401 --- system/database/DB_driver.php | 8 ++++---- user_guide_src/source/changelog.rst | 1 + 2 files changed, 5 insertions(+), 4 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index df0ce6a9bb3..bad641d1772 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1566,11 +1566,11 @@ protected function _get_operator($str) '\s*>\s*', // > '\s+IS NULL', // IS NULL '\s+IS NOT NULL', // IS NOT NULL - '\s+EXISTS\s*\([^\)]+\)', // EXISTS(sql) - '\s+NOT EXISTS\s*\([^\)]+\)', // NOT EXISTS(sql) + '\s+EXISTS\s*\(.*\)', // EXISTS(sql) + '\s+NOT EXISTS\s*\(.*\)', // NOT EXISTS(sql) '\s+BETWEEN\s+', // BETWEEN value AND value - '\s+IN\s*\([^\)]+\)', // IN(list) - '\s+NOT IN\s*\([^\)]+\)', // NOT IN (list) + '\s+IN\s*\(.*\)', // IN(list) + '\s+NOT IN\s*\(.*\)', // NOT IN (list) '\s+LIKE\s+\S.*('.$_les.')?', // LIKE 'expr'[ ESCAPE '%s'] '\s+NOT LIKE\s+\S.*('.$_les.')?' // NOT LIKE 'expr'[ ESCAPE '%s'] ); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1623341ea1a..8e76f1d01f0 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -14,6 +14,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4384) - :doc:`Pagination Library ` ignored (possible) *cur_page* configuration value. - Fixed a bug (#4395) - :doc:`Query Builder ` method ``count_all_results()`` still fails if an ``ORDER BY`` condition is used. - Fixed a bug (#4399) - :doc:`Query Builder ` methods ``insert_batch()``, ``update_batch()`` produced confusing error messages when called with no data and *db_debug* is enabled. +- Fixed a bug (#4401) - :doc:`Query Builder ` breaks ``WHERE`` and ``HAVING`` conditions that use ``IN()`` with strings containing a closing parenthesis. Version 3.0.4 ============= From 4a7d2fd8d7dfc3512f15172431c75c8b2dba281a Mon Sep 17 00:00:00 2001 From: Sherman K Date: Fri, 29 Jan 2016 02:12:04 +0800 Subject: [PATCH 2582/3829] Fixed minor typographical error Signed-off-by: Sherman K --- user_guide_src/source/contributing/index.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/contributing/index.rst b/user_guide_src/source/contributing/index.rst index da5bb527b68..64e9f0d92cf 100644 --- a/user_guide_src/source/contributing/index.rst +++ b/user_guide_src/source/contributing/index.rst @@ -155,5 +155,5 @@ could even alias git commit to use the -s flag so you don’t have to think abou it. By signing your work in this manner, you certify to a "Developer's Certificate -or Origin". The current version of this certificate is in the :doc:`/DCO` file +of Origin". The current version of this certificate is in the :doc:`/DCO` file in the root of this documentation. From 168c7212a2b458bf27460e790b63066d24f2296d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 29 Jan 2016 00:56:27 +0200 Subject: [PATCH 2583/3829] Merge pull request #4408 from ShrmnK/develop [ci skip] Fixed minor typographical error in DCO doc --- user_guide_src/source/contributing/index.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/contributing/index.rst b/user_guide_src/source/contributing/index.rst index 9551fbeb74c..739d436a0fb 100644 --- a/user_guide_src/source/contributing/index.rst +++ b/user_guide_src/source/contributing/index.rst @@ -155,5 +155,5 @@ could even alias git commit to use the -s flag so you don’t have to think abou it. By signing your work in this manner, you certify to a "Developer's Certificate -or Origin". The current version of this certificate is in the :doc:`/DCO` file +of Origin". The current version of this certificate is in the :doc:`/DCO` file in the root of this documentation. From 0b59bdd3cd647b44c83e746a5d3d3aa179325df4 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 29 Jan 2016 01:18:08 +0200 Subject: [PATCH 2584/3829] Fix a regression in Form helper caused by 0139e6a4a99cbe9b0cc06f394fa12d5691193b72 --- system/helpers/form_helper.php | 4 ++-- user_guide_src/source/changelog.rst | 1 + 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 04778b08487..3e103952560 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -791,7 +791,7 @@ function set_checkbox($field, $value = '', $default = FALSE) // Unchecked checkbox and radio inputs are not even submitted by browsers ... if ($CI->input->method() === 'post') { - return ($input === 'value') ? ' checked="checked"' : ''; + return ($input === $value) ? ' checked="checked"' : ''; } return ($default === TRUE) ? ' checked="checked"' : ''; @@ -843,7 +843,7 @@ function set_radio($field, $value = '', $default = FALSE) // Unchecked checkbox and radio inputs are not even submitted by browsers ... if ($CI->input->method() === 'post') { - return ($input === 'value') ? ' checked="checked"' : ''; + return ($input === $value) ? ' checked="checked"' : ''; } return ($default === TRUE) ? ' checked="checked"' : ''; diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 8e76f1d01f0..372261efde9 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -15,6 +15,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4395) - :doc:`Query Builder ` method ``count_all_results()`` still fails if an ``ORDER BY`` condition is used. - Fixed a bug (#4399) - :doc:`Query Builder ` methods ``insert_batch()``, ``update_batch()`` produced confusing error messages when called with no data and *db_debug* is enabled. - Fixed a bug (#4401) - :doc:`Query Builder ` breaks ``WHERE`` and ``HAVING`` conditions that use ``IN()`` with strings containing a closing parenthesis. +- Fixed a regression in :doc:`Form Helper ` functions :php:func:`set_checkbox()`, :php:func:`set_radio()` where "checked" inputs aren't recognized after a form submit. Version 3.0.4 ============= From 237b4c915d873ab1b4efc80d50e86b97cbb97c03 Mon Sep 17 00:00:00 2001 From: Sherman K Date: Fri, 29 Jan 2016 09:33:20 +0800 Subject: [PATCH 2585/3829] Consistent formatting of italicised file paths and inline code references Signed-off-by: Sherman K --- user_guide_src/source/installation/index.rst | 18 +++++++++--------- .../source/installation/troubleshooting.rst | 6 +++--- user_guide_src/source/overview/at_a_glance.rst | 4 ++-- .../source/tutorial/create_news_items.rst | 16 ++++++++-------- .../source/tutorial/static_pages.rst | 2 +- 5 files changed, 23 insertions(+), 23 deletions(-) diff --git a/user_guide_src/source/installation/index.rst b/user_guide_src/source/installation/index.rst index 50493bbbd32..fbf6ecee1ca 100644 --- a/user_guide_src/source/installation/index.rst +++ b/user_guide_src/source/installation/index.rst @@ -6,37 +6,37 @@ CodeIgniter is installed in four steps: #. Unzip the package. #. Upload the CodeIgniter folders and files to your server. Normally the - index.php file will be at your root. -#. Open the application/config/config.php file with a text editor and + *index.php* file will be at your root. +#. Open the *application/config/config.php* file with a text editor and set your base URL. If you intend to use encryption or sessions, set your encryption key. #. If you intend to use a database, open the - application/config/database.php file with a text editor and set your + *application/config/database.php* file with a text editor and set your database settings. If you wish to increase security by hiding the location of your CodeIgniter files you can rename the system and application folders to something more private. If you do rename them, you must open your main -index.php file and set the $system_path and $application_folder +*index.php* file and set the ``$system_path`` and ``$application_folder`` variables at the top of the file with the new name you've chosen. For the best security, both the system and any application folders should be placed above web root so that they are not directly accessible -via a browser. By default, .htaccess files are included in each folder +via a browser. By default, *.htaccess* files are included in each folder to help prevent direct access, but it is best to remove them from public access entirely in case the web server configuration changes or doesn't -abide by the .htaccess. +abide by the *.htaccess*. If you would like to keep your views public it is also possible to move the views folder out of your application folder. After moving them, open your main index.php file and set the -$system_path, $application_folder and $view_folder variables, -preferably with a full path, e.g. '/www/MyUser/system'. +``$system_path``, ``$application_folder`` and ``$view_folder`` variables, +preferably with a full path, e.g. '*/www/MyUser/system*'. One additional measure to take in production environments is to disable PHP error reporting and any other development-only functionality. In -CodeIgniter, this can be done by setting the ENVIRONMENT constant, which +CodeIgniter, this can be done by setting the ``ENVIRONMENT`` constant, which is more fully described on the :doc:`security page <../general/security>`. diff --git a/user_guide_src/source/installation/troubleshooting.rst b/user_guide_src/source/installation/troubleshooting.rst index e874bb0ecc6..ffd65e0e966 100644 --- a/user_guide_src/source/installation/troubleshooting.rst +++ b/user_guide_src/source/installation/troubleshooting.rst @@ -4,12 +4,12 @@ Troubleshooting If you find that no matter what you put in your URL only your default page is loading, it might be that your server does not support the -REQUEST_URI variable needed to serve search-engine friendly URLs. As a -first step, open your application/config/config.php file and look for +``REQUEST_URI`` variable needed to serve search-engine friendly URLs. As a +first step, open your *application/config/config.php* file and look for the URI Protocol information. It will recommend that you try a couple alternate settings. If it still doesn't work after you've tried this you'll need to force CodeIgniter to add a question mark to your URLs. To -do this open your **application/config/config.php** file and change this:: +do this open your *application/config/config.php* file and change this:: $config['index_page'] = "index.php"; diff --git a/user_guide_src/source/overview/at_a_glance.rst b/user_guide_src/source/overview/at_a_glance.rst index ce195c21104..b4db6b18bca 100644 --- a/user_guide_src/source/overview/at_a_glance.rst +++ b/user_guide_src/source/overview/at_a_glance.rst @@ -54,8 +54,8 @@ approach:: example.com/news/article/345 -Note: By default the index.php file is included in the URL but it can be -removed using a simple .htaccess file. +Note: By default the *index.php* file is included in the URL but it can be +removed using a simple *.htaccess* file. CodeIgniter Packs a Punch ========================= diff --git a/user_guide_src/source/tutorial/create_news_items.rst b/user_guide_src/source/tutorial/create_news_items.rst index bc0ce7612bc..e10eebd3bdd 100644 --- a/user_guide_src/source/tutorial/create_news_items.rst +++ b/user_guide_src/source/tutorial/create_news_items.rst @@ -14,7 +14,7 @@ To input data into the database you need to create a form where you can input the information to be stored. This means you'll be needing a form with two fields, one for the title and one for the text. You'll derive the slug from our title in the model. Create the new view at -application/views/news/create.php. +*application/views/news/create.php*. :: @@ -35,7 +35,7 @@ application/views/news/create.php. There are only two things here that probably look unfamiliar to you: the -form_open() function and the validation_errors() function. +``form_open()`` function and the ``validation_errors()`` function. The first function is provided by the :doc:`form helper <../helpers/form_helper>` and renders the form element and @@ -76,7 +76,7 @@ validation <../libraries/form_validation>` library to do this. The code above adds a lot of functionality. The first few lines load the form helper and the form validation library. After that, rules for the -form validation are set. The set\_rules() method takes three arguments; +form validation are set. The ``set\_rules()`` method takes three arguments; the name of the input field, the name to be used in error messages, and the rule. In this case the title and text fields are required. @@ -88,7 +88,7 @@ Continuing down, you can see a condition that checks whether the form validation ran successfully. If it did not, the form is displayed, if it was submitted **and** passed all the rules, the model is called. After this, a view is loaded to display a success message. Create a view at -application/views/news/success.php and write a success message. +*application/views/news/success.php* and write a success message. Model ----- @@ -123,19 +123,19 @@ sure everything is in lowercase characters. This leaves you with a nice slug, perfect for creating URIs. Let's continue with preparing the record that is going to be inserted -later, inside the $data array. Each element corresponds with a column in +later, inside the ``$data`` array. Each element corresponds with a column in the database table created earlier. You might notice a new method here, -namely the post() method from the :doc:`input +namely the ``post()`` method from the :doc:`input library <../libraries/input>`. This method makes sure the data is sanitized, protecting you from nasty attacks from others. The input -library is loaded by default. At last, you insert our $data array into +library is loaded by default. At last, you insert our ``$data`` array into our database. Routing ------- Before you can start adding news items into your CodeIgniter application -you have to add an extra rule to config/routes.php file. Make sure your +you have to add an extra rule to *config/routes.php* file. Make sure your file contains the following. This makes sure CodeIgniter sees 'create' as a method instead of a news item's slug. diff --git a/user_guide_src/source/tutorial/static_pages.rst b/user_guide_src/source/tutorial/static_pages.rst index 66621471e9d..569287c98a6 100644 --- a/user_guide_src/source/tutorial/static_pages.rst +++ b/user_guide_src/source/tutorial/static_pages.rst @@ -24,7 +24,7 @@ you'll see URL patterns that match: As URL schemes become more complex, this may change. But for now, this is all we will need to know. -Create a file at application/controllers/Pages.php with the following +Create a file at *application/controllers/Pages.php* with the following code. :: From c31588a7fc0a2bc44d6b64644726cebba0be7b3f Mon Sep 17 00:00:00 2001 From: kenjis Date: Mon, 25 Jan 2016 14:57:39 +0900 Subject: [PATCH 2586/3829] Fix formatting of paths Signed-off-by: Kenji Suzuki --- user_guide_src/source/installation/upgrade_300.rst | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index 45ce2132031..9a40f2b60ec 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -65,7 +65,7 @@ Step 3: Replace config/mimes.php ******************************** This config file has been updated to contain more user mime-types, please copy -it to _application/config/mimes.php*. +it to *application/config/mimes.php*. ************************************************************** Step 4: Remove $autoload['core'] from your config/autoload.php @@ -206,13 +206,13 @@ Step 8: Replace your error templates ************************************ In CodeIgniter 3.0, the error templates are now considered as views and have been moved to the -_application/views/errors* directory. +*application/views/errors* directory. Furthermore, we've added support for CLI error templates in plain-text format that unlike HTML, is suitable for the command line. This of course requires another level of separation. -It is safe to move your old templates from _application/errors* to _application/views/errors/html*, -but you'll have to copy the new _application/views/errors/cli* directory from the CodeIgniter archive. +It is safe to move your old templates from *application/errors* to *application/views/errors/html*, +but you'll have to copy the new *application/views/errors/cli* directory from the CodeIgniter archive. ****************************************** Step 9: Update your config/routes.php file From 6a802289522abc85309527855d9dc2faa34f54e0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 29 Jan 2016 12:12:57 +0200 Subject: [PATCH 2587/3829] Merge pull request #4411 from kenjis/fix-upgrade_300-1 [ci skip] Fix formatting of paths in 3.0.0 upgrade instructions --- user_guide_src/source/installation/upgrade_300.rst | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index 45ce2132031..9a40f2b60ec 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -65,7 +65,7 @@ Step 3: Replace config/mimes.php ******************************** This config file has been updated to contain more user mime-types, please copy -it to _application/config/mimes.php*. +it to *application/config/mimes.php*. ************************************************************** Step 4: Remove $autoload['core'] from your config/autoload.php @@ -206,13 +206,13 @@ Step 8: Replace your error templates ************************************ In CodeIgniter 3.0, the error templates are now considered as views and have been moved to the -_application/views/errors* directory. +*application/views/errors* directory. Furthermore, we've added support for CLI error templates in plain-text format that unlike HTML, is suitable for the command line. This of course requires another level of separation. -It is safe to move your old templates from _application/errors* to _application/views/errors/html*, -but you'll have to copy the new _application/views/errors/cli* directory from the CodeIgniter archive. +It is safe to move your old templates from *application/errors* to *application/views/errors/html*, +but you'll have to copy the new *application/views/errors/cli* directory from the CodeIgniter archive. ****************************************** Step 9: Update your config/routes.php file From 6af9dd6e24687b6a7b9d14a058a47edcac761e61 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 29 Jan 2016 13:29:57 +0200 Subject: [PATCH 2588/3829] Fix #4407 --- system/helpers/text_helper.php | 21 ++++++++++++++++++--- user_guide_src/source/changelog.rst | 1 + 2 files changed, 19 insertions(+), 3 deletions(-) diff --git a/system/helpers/text_helper.php b/system/helpers/text_helper.php index 1fdbedda5d7..79aaf1492db 100644 --- a/system/helpers/text_helper.php +++ b/system/helpers/text_helper.php @@ -275,13 +275,28 @@ function word_censor($str, $censored, $replacement = '') foreach ($censored as $badword) { + $badword = str_replace('\*', '\w*?', preg_quote($badword, '/')); if ($replacement !== '') { - $str = preg_replace("/({$delim})(".str_replace('\*', '\w*?', preg_quote($badword, '/')).")({$delim})/i", "\\1{$replacement}\\3", $str); + $str = preg_replace( + "/({$delim})(".$badword.")({$delim})/i", + "\\1{$replacement}\\3", + $str + ); } - else + elseif (preg_match_all("/{$delim}(".$badword."){$delim}/i", $str, $matches, PREG_PATTERN_ORDER | PREG_OFFSET_CAPTURE)) { - $str = preg_replace("/({$delim})(".str_replace('\*', '\w*?', preg_quote($badword, '/')).")({$delim})/ie", "'\\1'.str_repeat('#', strlen('\\2')).'\\3'", $str); + $matches = $matches[1]; + for ($i = count($matches); $i >= 0; $i--) + { + $length = strlen($matches[$i][0]); + $str = substr_replace( + $str, + str_repeat('#', $length), + $matches[$i][1], + $length + ); + } } } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 372261efde9..a3fed6af32d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -16,6 +16,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4399) - :doc:`Query Builder ` methods ``insert_batch()``, ``update_batch()`` produced confusing error messages when called with no data and *db_debug* is enabled. - Fixed a bug (#4401) - :doc:`Query Builder ` breaks ``WHERE`` and ``HAVING`` conditions that use ``IN()`` with strings containing a closing parenthesis. - Fixed a regression in :doc:`Form Helper ` functions :php:func:`set_checkbox()`, :php:func:`set_radio()` where "checked" inputs aren't recognized after a form submit. +- Fixed a bug (#4407) - :doc:`Text Helper ` function :php:func:`word_censor()` doesn't work under PHP 7 if there's no custom replacement provided. Version 3.0.4 ============= From 9aab22e0a1aa876b98dcfa58781b0ffde71f97a1 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 29 Jan 2016 16:19:46 +0200 Subject: [PATCH 2589/3829] Fix an error from 6af9dd6e24687b6a7b9d14a058a47edcac761e61 Related: #4407 --- system/helpers/text_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/text_helper.php b/system/helpers/text_helper.php index 79aaf1492db..4f9210f2da1 100644 --- a/system/helpers/text_helper.php +++ b/system/helpers/text_helper.php @@ -287,7 +287,7 @@ function word_censor($str, $censored, $replacement = '') elseif (preg_match_all("/{$delim}(".$badword."){$delim}/i", $str, $matches, PREG_PATTERN_ORDER | PREG_OFFSET_CAPTURE)) { $matches = $matches[1]; - for ($i = count($matches); $i >= 0; $i--) + for ($i = count($matches) - 1; $i >= 0; $i--) { $length = strlen($matches[$i][0]); $str = substr_replace( From 391d339b921623ce921bdb5520fb93f9cf62fac5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 30 Jan 2016 22:43:41 +0200 Subject: [PATCH 2590/3829] Fix #4415 and add unit tests for https://bugs.php.net/bug.php?id=51192 --- system/libraries/Form_validation.php | 8 ++++++++ tests/codeigniter/libraries/Form_validation_test.php | 7 +++++++ user_guide_src/source/changelog.rst | 1 + 3 files changed, 16 insertions(+) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 31632762d45..ea3bc6de766 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -1214,6 +1214,14 @@ public function valid_url(https://github.com/$str) $str = $matches[2]; } + // PHP 7 accepts IPv6 addresses within square brackets as hostnames, + // but it appears that the PR that came in with https://bugs.php.net/bug.php?id=68039 + // was never merged into a PHP 5 branch ... https://3v4l.org/8PsSN + if (preg_match('/^\[([^\]]+)\]/', $str, $matches) && ! is_php('7') && filter_var($matches[1], FILTER_VALIDATE_IP, FILTER_FLAG_IPV6) !== FALSE) + { + $str = 'ipv6.host'.substr($str, strlen($matches[1]) + 2); + } + $str = 'http://'.$str; // There's a bug affecting PHP 5.2.13, 5.3.2 that considers the diff --git a/tests/codeigniter/libraries/Form_validation_test.php b/tests/codeigniter/libraries/Form_validation_test.php index 65a3bbff7e3..f455b9146a6 100644 --- a/tests/codeigniter/libraries/Form_validation_test.php +++ b/tests/codeigniter/libraries/Form_validation_test.php @@ -231,6 +231,13 @@ public function test_rule_valid_url() $this->assertTrue($this->form_validation->valid_url('https://github.com/www.codeigniter.com')); $this->assertTrue($this->form_validation->valid_url('http://codeigniter.com/')); + // https://bugs.php.net/bug.php?id=51192 + $this->assertTrue($this->form_validation->valid_url('http://accept-dashes.tld/')); + $this->assertFalse($this->form_validation->valid_url('http://reject_underscores.tld/')); + + // https://github.com/bcit-ci/CodeIgniter/issues/4415 + $this->assertTrue($this->form_validation->valid_url('http://[::1]/ipv6')); + $this->assertFalse($this->form_validation->valid_url('/service/htt://www.codeIgniter.com')); $this->assertFalse($this->form_validation->valid_url('')); $this->assertFalse($this->form_validation->valid_url('https://github.com/code%20igniter')); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index a3fed6af32d..a8cb3f5c345 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -17,6 +17,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4401) - :doc:`Query Builder ` breaks ``WHERE`` and ``HAVING`` conditions that use ``IN()`` with strings containing a closing parenthesis. - Fixed a regression in :doc:`Form Helper ` functions :php:func:`set_checkbox()`, :php:func:`set_radio()` where "checked" inputs aren't recognized after a form submit. - Fixed a bug (#4407) - :doc:`Text Helper ` function :php:func:`word_censor()` doesn't work under PHP 7 if there's no custom replacement provided. +- Fixed a bug (#4415) - :doc:`Form Validation Library ` rule **valid_url** didn't accept URLs with IPv6 addresses enclosed in square brackets under PHP 5 (upstream bug). Version 3.0.4 ============= From f51ef09e34f049911af99332f937ebaf723c129e Mon Sep 17 00:00:00 2001 From: Kristian Matthews Date: Sun, 31 Jan 2016 15:54:30 +0000 Subject: [PATCH 2591/3829] Added Unique Field Attribute Doc Signed-off-by: Kristian Matthews --- user_guide_src/source/database/forge.rst | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/user_guide_src/source/database/forge.rst b/user_guide_src/source/database/forge.rst index 646e3a56eea..cb5c3566234 100644 --- a/user_guide_src/source/database/forge.rst +++ b/user_guide_src/source/database/forge.rst @@ -97,6 +97,7 @@ Additionally, the following key/values can be used: - auto_increment/true : generates an auto_increment flag on the field. Note that the field type must be a type that supports this, such as integer. +- unique/false : to generate a unique key for the field definition. :: @@ -110,6 +111,7 @@ Additionally, the following key/values can be used: 'blog_title' => array( 'type' => 'VARCHAR', 'constraint' => '100', + 'unique' => TRUE, ), 'blog_author' => array( 'type' =>'VARCHAR', @@ -175,14 +177,14 @@ below is for MySQL. $this->dbforge->add_key('blog_id', TRUE); // gives PRIMARY KEY `blog_id` (`blog_id`) - + $this->dbforge->add_key('blog_id', TRUE); $this->dbforge->add_key('site_id', TRUE); // gives PRIMARY KEY `blog_id_site_id` (`blog_id`, `site_id`) - + $this->dbforge->add_key('blog_name'); // gives KEY `blog_name` (`blog_name`) - + $this->dbforge->add_key(array('blog_name', 'blog_label')); // gives KEY `blog_name_blog_label` (`blog_name`, `blog_label`) @@ -261,7 +263,7 @@ number of additional fields. $fields = array( 'preferences' => array('type' => 'TEXT') ); - $this->dbforge->add_column('table_name', $fields); + $this->dbforge->add_column('table_name', $fields); // Executes: ALTER TABLE table_name ADD preferences TEXT If you are using MySQL or CUBIRD, then you can take advantage of their From ea07f04725c56730d4b99d5f215d6e09edb54df6 Mon Sep 17 00:00:00 2001 From: Kristian Matthews Date: Mon, 1 Feb 2016 18:06:17 +0000 Subject: [PATCH 2592/3829] Changed Unique Value Changed unique value from false to true. Signed-off-by: Kristian Matthews --- user_guide_src/source/database/forge.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/database/forge.rst b/user_guide_src/source/database/forge.rst index cb5c3566234..5af4f224843 100644 --- a/user_guide_src/source/database/forge.rst +++ b/user_guide_src/source/database/forge.rst @@ -97,7 +97,7 @@ Additionally, the following key/values can be used: - auto_increment/true : generates an auto_increment flag on the field. Note that the field type must be a type that supports this, such as integer. -- unique/false : to generate a unique key for the field definition. +- unique/true : to generate a unique key for the field definition. :: From e8bcc9eeb4ccbbea78442275c646de21aaaa6594 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 2 Feb 2016 14:01:50 +0200 Subject: [PATCH 2593/3829] Merge pull request #4419 from EpicKris/hotfix/database-forge-unique-doc [ci skip] Added docs for UNIQUE keys in DBForge --- user_guide_src/source/database/forge.rst | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/user_guide_src/source/database/forge.rst b/user_guide_src/source/database/forge.rst index 646e3a56eea..5af4f224843 100644 --- a/user_guide_src/source/database/forge.rst +++ b/user_guide_src/source/database/forge.rst @@ -97,6 +97,7 @@ Additionally, the following key/values can be used: - auto_increment/true : generates an auto_increment flag on the field. Note that the field type must be a type that supports this, such as integer. +- unique/true : to generate a unique key for the field definition. :: @@ -110,6 +111,7 @@ Additionally, the following key/values can be used: 'blog_title' => array( 'type' => 'VARCHAR', 'constraint' => '100', + 'unique' => TRUE, ), 'blog_author' => array( 'type' =>'VARCHAR', @@ -175,14 +177,14 @@ below is for MySQL. $this->dbforge->add_key('blog_id', TRUE); // gives PRIMARY KEY `blog_id` (`blog_id`) - + $this->dbforge->add_key('blog_id', TRUE); $this->dbforge->add_key('site_id', TRUE); // gives PRIMARY KEY `blog_id_site_id` (`blog_id`, `site_id`) - + $this->dbforge->add_key('blog_name'); // gives KEY `blog_name` (`blog_name`) - + $this->dbforge->add_key(array('blog_name', 'blog_label')); // gives KEY `blog_name_blog_label` (`blog_name`, `blog_label`) @@ -261,7 +263,7 @@ number of additional fields. $fields = array( 'preferences' => array('type' => 'TEXT') ); - $this->dbforge->add_column('table_name', $fields); + $this->dbforge->add_column('table_name', $fields); // Executes: ALTER TABLE table_name ADD preferences TEXT If you are using MySQL or CUBIRD, then you can take advantage of their From 4dc17cf59142b3d3d80e9b3cdba77e7db0d2b75c Mon Sep 17 00:00:00 2001 From: Jonty Sewell Date: Wed, 3 Feb 2016 11:41:34 +0000 Subject: [PATCH 2594/3829] If attempting to write an empty session to Redis, a key will not actually be created, so when the driver tries to set the expiration timeout on the key, 0 is returned, triggering a warning from session_write_close Signed-off-by: Jonty Sewell --- .../Session/drivers/Session_redis_driver.php | 12 +++++++++--- 1 file changed, 9 insertions(+), 3 deletions(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index c7c57420233..aa8459beffd 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -240,9 +240,15 @@ public function write($session_id, $session_data) return $this->_failure; } - return ($this->_redis->setTimeout($this->_key_prefix.$session_id, $this->_config['expiration'])) - ? $this->_success - : $this->_failure; + if($this->_fingerprint === md5('')) + { + // A blank session will not be written to redis, so a timeout cannot be set on it + return $this->_success; + } else { + return ($this->_redis->setTimeout($this->_key_prefix.$session_id, $this->_config['expiration'])) + ? $this->_success + : $this->_failure; + } } return $this->_failure; From ec9e96eb09caa9d024c89a8bdb1b00bf6540278a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 4 Feb 2016 14:43:46 +0200 Subject: [PATCH 2595/3829] Fix #4427 --- system/helpers/captcha_helper.php | 45 +++++++++++++++-------------- user_guide_src/source/changelog.rst | 1 + 2 files changed, 24 insertions(+), 22 deletions(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index fd1b8f1edb6..3c1e006f8b5 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -171,35 +171,36 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = $byte_index = $word_index = 0; while ($word_index < $word_length) { - list(, $rand_index) = unpack('C', $bytes[$byte_index++]); - if ($rand_index > $rand_max) + // Do we have more random data to use? + // It could be exhausted by previous iterations + // ignoring bytes higher than $rand_max. + if ($byte_index === $pool_length) { - // Was this the last byte we have? - // If so, try to fetch more. - if ($byte_index === $pool_length) + // No failures should be possible if the + // first get_random_bytes() call didn't + // return FALSE, but still ... + for ($i = 0; $i < 5; $i++) { - // No failures should be possible if - // the first get_random_bytes() call - // didn't return FALSE, but still ... - for ($i = 0; $i < 5; $i++) + if (($bytes = $security->get_random_bytes($pool_length)) === FALSE) { - if (($bytes = $security->get_random_bytes($pool_length)) === FALSE) - { - continue; - } - - $byte_index = 0; - break; + continue; } - if ($bytes === FALSE) - { - // Sadly, this means fallback to mt_rand() - $word = ''; - break; - } + $byte_index = 0; + break; + } + + if ($bytes === FALSE) + { + // Sadly, this means fallback to mt_rand() + $word = ''; + break; } + } + list(, $rand_index) = unpack('C', $bytes[$byte_index++]); + if ($rand_index > $rand_max) + { continue; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index a8cb3f5c345..cde4b8b4e8d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -18,6 +18,7 @@ Bug fixes for 3.0.5 - Fixed a regression in :doc:`Form Helper ` functions :php:func:`set_checkbox()`, :php:func:`set_radio()` where "checked" inputs aren't recognized after a form submit. - Fixed a bug (#4407) - :doc:`Text Helper ` function :php:func:`word_censor()` doesn't work under PHP 7 if there's no custom replacement provided. - Fixed a bug (#4415) - :doc:`Form Validation Library ` rule **valid_url** didn't accept URLs with IPv6 addresses enclosed in square brackets under PHP 5 (upstream bug). +- Fixed a bug (#4427) - :doc:`CAPTCHA Helper ` triggers an error if the provided character pool is too small. Version 3.0.4 ============= From 71d64cbcfde625606ffb55867e0bb547123ef22f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 4 Feb 2016 15:04:35 +0200 Subject: [PATCH 2596/3829] Fix #4430 --- system/libraries/Upload.php | 6 ++++++ user_guide_src/source/changelog.rst | 1 + 2 files changed, 7 insertions(+) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 15caebebe5b..f2418378b03 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -526,6 +526,12 @@ public function do_upload($field = 'userfile') $this->file_name = preg_replace('/\s+/', '_', $this->file_name); } + if ($this->file_ext_tolower && ($ext_length = strlen($this->file_ext))) + { + // file_ext was previously lower-cased by a get_extension() call + $this->file_name = substr($this->file_name, 0, -$ext_length).$this->file_ext; + } + /* * Validate the file name * This function appends an number onto the end of diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index cde4b8b4e8d..1a06bd5aef1 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -19,6 +19,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4407) - :doc:`Text Helper ` function :php:func:`word_censor()` doesn't work under PHP 7 if there's no custom replacement provided. - Fixed a bug (#4415) - :doc:`Form Validation Library ` rule **valid_url** didn't accept URLs with IPv6 addresses enclosed in square brackets under PHP 5 (upstream bug). - Fixed a bug (#4427) - :doc:`CAPTCHA Helper ` triggers an error if the provided character pool is too small. +- Fixed a bug (#4430) - :doc:`File Uploading Library ` option **file_ext_tolower** didn't work. Version 3.0.4 ============= From 105a48bbfc97be5902dbe80f90f8936fe174c9cf Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 4 Feb 2016 15:45:10 +0200 Subject: [PATCH 2597/3829] Add batch_size param to insert_batch(), update_batch() This should resolve #42 --- system/database/DB_query_builder.php | 12 ++++++------ user_guide_src/source/changelog.rst | 5 +++++ .../source/database/query_builder.rst | 18 ++++++++++++++---- 3 files changed, 25 insertions(+), 10 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index be7582815dd..4922dd6231e 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1458,7 +1458,7 @@ public function get_where($table = '', $where = NULL, $limit = NULL, $offset = N * @param bool $escape Whether to escape values and identifiers * @return int Number of rows inserted or FALSE on failure */ - public function insert_batch($table, $set = NULL, $escape = NULL) + public function insert_batch($table, $set = NULL, $escape = NULL, $batch_size = 100) { if ($set === NULL) { @@ -1489,9 +1489,9 @@ public function insert_batch($table, $set = NULL, $escape = NULL) // Batch this baby $affected_rows = 0; - for ($i = 0, $total = count($this->qb_set); $i < $total; $i += 100) + for ($i = 0, $total = count($this->qb_set); $i < $total; $i += $batch_size) { - $this->query($this->_insert_batch($this->protect_identifiers($table, TRUE, $escape, FALSE), $this->qb_keys, array_slice($this->qb_set, $i, 100))); + $this->query($this->_insert_batch($this->protect_identifiers($table, TRUE, $escape, FALSE), $this->qb_keys, array_slice($this->qb_set, $i, $batch_size))); $affected_rows += $this->affected_rows(); } @@ -1865,7 +1865,7 @@ protected function _validate_update($table) * @param string the where key * @return int number of rows affected or FALSE on failure */ - public function update_batch($table, $set = NULL, $index = NULL) + public function update_batch($table, $set = NULL, $index = NULL, $batch_size = 100) { // Combine any cached components with the current statements $this->_merge_cache(); @@ -1904,9 +1904,9 @@ public function update_batch($table, $set = NULL, $index = NULL) // Batch this baby $affected_rows = 0; - for ($i = 0, $total = count($this->qb_set); $i < $total; $i += 100) + for ($i = 0, $total = count($this->qb_set); $i < $total; $i += $batch_size) { - $this->query($this->_update_batch($this->protect_identifiers($table, TRUE, NULL, FALSE), array_slice($this->qb_set, $i, 100), $this->protect_identifiers($index))); + $this->query($this->_update_batch($this->protect_identifiers($table, TRUE, NULL, FALSE), array_slice($this->qb_set, $i, $batch_size), $this->protect_identifiers($index))); $affected_rows += $this->affected_rows(); $this->qb_where = array(); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1a06bd5aef1..7e72c230fc6 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,11 @@ Version 3.0.5 Release Date: Not Released +- :doc:`Query Builder ` + + - Added a ``$batch_size`` parameter to the ``insert_batch()`` method (defaults to 100). + - Added a ``$batch_size`` parameter to the ``update_batch()`` method (defaults to 100). + Bug fixes for 3.0.5 ------------------- diff --git a/user_guide_src/source/database/query_builder.rst b/user_guide_src/source/database/query_builder.rst index 5d9ae459231..3135f76daae 100644 --- a/user_guide_src/source/database/query_builder.rst +++ b/user_guide_src/source/database/query_builder.rst @@ -1433,15 +1433,20 @@ Class Reference Compiles and executes an INSERT statement. - .. php:method:: insert_batch([$table = ''[, $set = NULL[, $escape = NULL]]]) + .. php:method:: insert_batch($table[, $set = NULL[, $escape = NULL[, $batch_size = 100]]]) :param string $table: Table name :param array $set: Data to insert :param bool $escape: Whether to escape values and identifiers + :param int $batch_size: Count of rows to insert at once :returns: Number of rows inserted or FALSE on failure :rtype: mixed - Compiles and executes batch INSERT statements. + Compiles and executes batch ``INSERT`` statements. + + .. note:: When more than ``$batch_size`` rows are provided, multiple + ``INSERT`` queries will be executed, each trying to insert + up to ``$batch_size`` rows. .. php:method:: set_insert_batch($key[, $value = ''[, $escape = NULL]]) @@ -1464,15 +1469,20 @@ Class Reference Compiles and executes an UPDATE statement. - .. php:method:: update_batch([$table = ''[, $set = NULL[, $value = NULL]]]) + .. php:method:: update_batch($table[, $set = NULL[, $value = NULL[, $batch_size = 100]]]) :param string $table: Table name :param array $set: Field name, or an associative array of field/value pairs :param string $value: Field value, if $set is a single field + :param int $batch_size: Count of conditions to group in a single query :returns: Number of rows updated or FALSE on failure :rtype: mixed - Compiles and executes batch UPDATE statements. + Compiles and executes batch ``UPDATE`` statements. + + .. note:: When more than ``$batch_size`` field/value pairs are provided, + multiple queries will be executed, each handling up to + ``$batch_size`` field/value pairs. .. php:method:: set_update_batch($key[, $value = ''[, $escape = NULL]]) From b864ece65755e91e28a802824da7e4beebab3a9c Mon Sep 17 00:00:00 2001 From: Claudio Galdiolo Date: Thu, 4 Feb 2016 13:02:39 -0500 Subject: [PATCH 2598/3829] [ci skip] fix comment --- system/database/DB_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index e565f0fd158..1b52bf3b8ec 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1731,7 +1731,7 @@ public function display_error($error = '', $swap = '', $native = FALSE) * the table prefix onto it. Some logic is necessary in order to deal with * column names that include the path. Consider a query like this: * - * SELECT * FROM hostname.database.table.column AS c FROM hostname.database.table + * SELECT hostname.database.table.column AS c FROM hostname.database.table * * Or a query with aliasing: * From 27eb5c9e63b15643f9648bb7198c680010debbd1 Mon Sep 17 00:00:00 2001 From: Claudio Galdiolo Date: Thu, 4 Feb 2016 13:02:39 -0500 Subject: [PATCH 2599/3829] [ci skip] fix comment --- system/database/DB_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index bad641d1772..848516adc54 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1793,7 +1793,7 @@ public function display_error($error = '', $swap = '', $native = FALSE) * the table prefix onto it. Some logic is necessary in order to deal with * column names that include the path. Consider a query like this: * - * SELECT * FROM hostname.database.table.column AS c FROM hostname.database.table + * SELECT hostname.database.table.column AS c FROM hostname.database.table * * Or a query with aliasing: * From 880036d5cea0021258c43c0d0fba0e6fd9d04b69 Mon Sep 17 00:00:00 2001 From: Jonty Sewell Date: Fri, 5 Feb 2016 09:27:47 +0000 Subject: [PATCH 2600/3829] Revert previous changes - fixing the source of the problem rather than working around it Signed-off-by: Jonty Sewell --- .../Session/drivers/Session_redis_driver.php | 12 +++--------- 1 file changed, 3 insertions(+), 9 deletions(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index aa8459beffd..c7c57420233 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -240,15 +240,9 @@ public function write($session_id, $session_data) return $this->_failure; } - if($this->_fingerprint === md5('')) - { - // A blank session will not be written to redis, so a timeout cannot be set on it - return $this->_success; - } else { - return ($this->_redis->setTimeout($this->_key_prefix.$session_id, $this->_config['expiration'])) - ? $this->_success - : $this->_failure; - } + return ($this->_redis->setTimeout($this->_key_prefix.$session_id, $this->_config['expiration'])) + ? $this->_success + : $this->_failure; } return $this->_failure; From 74f846890d69e6f5ff5f0bb4268539803242d015 Mon Sep 17 00:00:00 2001 From: Jonty Sewell Date: Fri, 5 Feb 2016 09:39:05 +0000 Subject: [PATCH 2601/3829] Add a flag to determine whether the redis key currently exists, and if not, force creation of it at write-time Signed-off-by: Jonty Sewell --- .../Session/drivers/Session_redis_driver.php | 19 +++++++++++++++++-- 1 file changed, 17 insertions(+), 2 deletions(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index c7c57420233..e62a3c597c8 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -69,6 +69,13 @@ class CI_Session_redis_driver extends CI_Session_driver implements SessionHandle */ protected $_lock_key; + /** + * Key exists flag + * + * @var boolean + */ + protected $_key_exists = FALSE; + // ------------------------------------------------------------------------ /** @@ -189,7 +196,15 @@ public function read($session_id) // Needed by write() to detect session_regenerate_id() calls $this->_session_id = $session_id; - $session_data = (string) $this->_redis->get($this->_key_prefix.$session_id); + $session_data = $this->_redis->get($this->_key_prefix.$session_id); + + if ($session_data === FALSE) + { + // The session ID does not exist in redis yet, so set a flag to create it + $this->_key_exists = FALSE; + $session_data = ''; + } + $this->_fingerprint = md5($session_data); return $session_data; } @@ -229,7 +244,7 @@ public function write($session_id, $session_data) if (isset($this->_lock_key)) { $this->_redis->setTimeout($this->_lock_key, 300); - if ($this->_fingerprint !== ($fingerprint = md5($session_data))) + if ($this->_fingerprint !== ($fingerprint = md5($session_data)) OR $this->_key_exists === FALSE) { if ($this->_redis->set($this->_key_prefix.$session_id, $session_data, $this->_config['expiration'])) { From a7f9ea28aa40bd036de1cee7a4ec4ab63235fd12 Mon Sep 17 00:00:00 2001 From: Jonty Sewell Date: Fri, 5 Feb 2016 10:33:00 +0000 Subject: [PATCH 2602/3829] Set the _key_exists flag to TRUE when the key does in fact exist. Set it to FALSE if the ID is being regenerated, and set it to TRUE once it's been written. Signed-off-by: Jonty Sewell --- .../libraries/Session/drivers/Session_redis_driver.php | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index e62a3c597c8..be5b37e813d 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -72,7 +72,7 @@ class CI_Session_redis_driver extends CI_Session_driver implements SessionHandle /** * Key exists flag * - * @var boolean + * @var bool */ protected $_key_exists = FALSE; @@ -204,6 +204,10 @@ public function read($session_id) $this->_key_exists = FALSE; $session_data = ''; } + else + { + $this->_key_exists = TRUE; + } $this->_fingerprint = md5($session_data); return $session_data; @@ -237,7 +241,7 @@ public function write($session_id, $session_data) return $this->_failure; } - $this->_fingerprint = md5(''); + $this->_key_exists = FALSE; $this->_session_id = $session_id; } @@ -249,6 +253,7 @@ public function write($session_id, $session_data) if ($this->_redis->set($this->_key_prefix.$session_id, $session_data, $this->_config['expiration'])) { $this->_fingerprint = $fingerprint; + $this->_key_exists = TRUE; return $this->_success; } From 0f19fd0550e95354e8512c28ff19799aa913c0f9 Mon Sep 17 00:00:00 2001 From: Jonty Sewell Date: Fri, 5 Feb 2016 10:38:43 +0000 Subject: [PATCH 2603/3829] Setting the flag to FALSE is unnecessary since it defaults to FALSE, therefore this block of code can be reduced to a single statement Signed-off-by: Jonty Sewell --- .../Session/drivers/Session_redis_driver.php | 11 +---------- 1 file changed, 1 insertion(+), 10 deletions(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index be5b37e813d..c4483e439d9 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -198,16 +198,7 @@ public function read($session_id) $session_data = $this->_redis->get($this->_key_prefix.$session_id); - if ($session_data === FALSE) - { - // The session ID does not exist in redis yet, so set a flag to create it - $this->_key_exists = FALSE; - $session_data = ''; - } - else - { - $this->_key_exists = TRUE; - } + is_string($session_data) && $this->_key_exists = TRUE; $this->_fingerprint = md5($session_data); return $session_data; From 805eddaefd9503b5dbbd924bd6da66e29c4768f3 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Feb 2016 12:44:19 +0200 Subject: [PATCH 2604/3829] Fix #4431 --- system/database/DB_query_builder.php | 9 ++++----- user_guide_src/source/changelog.rst | 1 + 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 4922dd6231e..68df309f9ae 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -542,9 +542,8 @@ public function join($table, $cond, $type = '', $escape = NULL) $s = $m[0][$i][1] + strlen($m[0][$i][0]), $i++) { $temp = substr($cond, $s, ($m[0][$i][1] - $s)); - - $newcond .= preg_match("/([\[\]\w\.'-]+)(\s*[^\"\[`'\w]+\s*)(.+)/i", $temp, $match) - ? $this->protect_identifiers($match[1]).$match[2].$this->protect_identifiers($match[3]) + $newcond .= preg_match("/(.*)([\[\]\w\.'-]+)(\s*[^\"\[`'\w]+\s*)(.+)/i", $temp, $match) + ? $match[1].$this->protect_identifiers($match[2]).$match[3].$this->protect_identifiers($match[4]) : $temp; $newcond .= $m[0][$i][0]; @@ -553,9 +552,9 @@ public function join($table, $cond, $type = '', $escape = NULL) $cond = ' ON '.$newcond; } // Split apart the condition and protect the identifiers - elseif ($escape === TRUE && preg_match("/([\[\]\w\.'-]+)(\s*[^\"\[`'\w]+\s*)(.+)/i", $cond, $match)) + elseif ($escape === TRUE && preg_match("/(.*)([\[\]\w\.'-]+)(\s*[^\"\[`'\w]+\s*)(.+)/i", $cond, $match)) { - $cond = ' ON '.$this->protect_identifiers($match[1]).$match[2].$this->protect_identifiers($match[3]); + $cond = ' ON '.$match[1].$this->protect_identifiers($match[2]).$match[3].$this->protect_identifiers($match[4]); } elseif ( ! $this->_has_operator($cond)) { diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 7e72c230fc6..e993a862ae8 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -25,6 +25,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4415) - :doc:`Form Validation Library ` rule **valid_url** didn't accept URLs with IPv6 addresses enclosed in square brackets under PHP 5 (upstream bug). - Fixed a bug (#4427) - :doc:`CAPTCHA Helper ` triggers an error if the provided character pool is too small. - Fixed a bug (#4430) - :doc:`File Uploading Library ` option **file_ext_tolower** didn't work. +- Fixed a bug (#4431) - :doc:`Query Builder ` method ``join()`` discarded opening parentheses. Version 3.0.4 ============= From 28fdb3185c4f1e4f78b493c5a7eab09e975260ef Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Feb 2016 14:04:32 +0200 Subject: [PATCH 2605/3829] Fix a regression caused by 805eddaefd9503b5dbbd924bd6da66e29c4768f3 --- system/database/DB_query_builder.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 68df309f9ae..b46730e220d 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -552,9 +552,9 @@ public function join($table, $cond, $type = '', $escape = NULL) $cond = ' ON '.$newcond; } // Split apart the condition and protect the identifiers - elseif ($escape === TRUE && preg_match("/(.*)([\[\]\w\.'-]+)(\s*[^\"\[`'\w]+\s*)(.+)/i", $cond, $match)) + elseif ($escape === TRUE && preg_match("/([\[\]\w\.'-]+)(\s*[^\"\[`'\w]+\s*)(.+)/i", $cond, $match)) { - $cond = ' ON '.$match[1].$this->protect_identifiers($match[2]).$match[3].$this->protect_identifiers($match[4]); + $cond = ' ON '.$this->protect_identifiers($match[1]).$match[2].$this->protect_identifiers($match[3]); } elseif ( ! $this->_has_operator($cond)) { From 95bd763784f215a5cb4c38a4bc1caf5ac3c8f72d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Feb 2016 14:15:45 +0200 Subject: [PATCH 2606/3829] Fix another regression caused by 805eddaefd9503b5dbbd924bd6da66e29c4768f3 Also added a unit test for #4431 --- system/database/DB_query_builder.php | 6 +++--- .../database/query_builder/join_test.php | 20 +++++++++++++++++++ 2 files changed, 23 insertions(+), 3 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index b46730e220d..66ef913c90f 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -542,7 +542,7 @@ public function join($table, $cond, $type = '', $escape = NULL) $s = $m[0][$i][1] + strlen($m[0][$i][0]), $i++) { $temp = substr($cond, $s, ($m[0][$i][1] - $s)); - $newcond .= preg_match("/(.*)([\[\]\w\.'-]+)(\s*[^\"\[`'\w]+\s*)(.+)/i", $temp, $match) + $newcond .= preg_match("/(\(*)?([\[\]\w\.'-]+)(\s*[^\"\[`'\w]+\s*)(.+)/i", $temp, $match) ? $match[1].$this->protect_identifiers($match[2]).$match[3].$this->protect_identifiers($match[4]) : $temp; @@ -552,9 +552,9 @@ public function join($table, $cond, $type = '', $escape = NULL) $cond = ' ON '.$newcond; } // Split apart the condition and protect the identifiers - elseif ($escape === TRUE && preg_match("/([\[\]\w\.'-]+)(\s*[^\"\[`'\w]+\s*)(.+)/i", $cond, $match)) + elseif ($escape === TRUE && preg_match("/(\(*)?([\[\]\w\.'-]+)(\s*[^\"\[`'\w]+\s*)(.+)/i", $cond, $match)) { - $cond = ' ON '.$this->protect_identifiers($match[1]).$match[2].$this->protect_identifiers($match[3]); + $cond = ' ON '.$match[1].$this->protect_identifiers($match[2]).$match[3].$this->protect_identifiers($match[4]); } elseif ( ! $this->_has_operator($cond)) { diff --git a/tests/codeigniter/database/query_builder/join_test.php b/tests/codeigniter/database/query_builder/join_test.php index 25bd4accbb4..58cb2149223 100644 --- a/tests/codeigniter/database/query_builder/join_test.php +++ b/tests/codeigniter/database/query_builder/join_test.php @@ -55,4 +55,24 @@ public function test_join_escape_multiple_conditions() $this->assertEquals($expected, $result); } + // ------------------------------------------------------------------------ + + public function test_join_escape_multiple_conditions_with_parentheses() + { + // We just need a valid query produced, not one that makes sense + $fields = array($this->db->protect_identifiers('table1.field1'), $this->db->protect_identifiers('table2.field2')); + + $expected = 'SELECT '.implode(', ', $fields) + ."\nFROM ".$this->db->escape_identifiers('table1') + ."\nRIGHT JOIN ".$this->db->escape_identifiers('table2').' ON '.implode(' = ', $fields) + .' AND ('.$fields[0]." = 'foo' OR ".$fields[1].' = 0)'; + + $result = $this->db->select('table1.field1, table2.field2') + ->from('table1') + ->join('table2', "table1.field1 = table2.field2 AND (table1.field1 = 'foo' OR table2.field2 = 0)", 'RIGHT') + ->get_compiled_select(); + + $this->assertEquals($expected, $result); + } + } \ No newline at end of file From c07ae0888377fb434ce70d0817746962722ea3b1 Mon Sep 17 00:00:00 2001 From: Jonty Sewell Date: Fri, 5 Feb 2016 12:34:01 +0000 Subject: [PATCH 2607/3829] Fix regression on PHP7 when regenerating the session (#4362) --- system/libraries/Session/drivers/Session_redis_driver.php | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index c4483e439d9..dc4328644b4 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -198,7 +198,9 @@ public function read($session_id) $session_data = $this->_redis->get($this->_key_prefix.$session_id); - is_string($session_data) && $this->_key_exists = TRUE; + is_string($session_data) + ? $this->_key_exists = TRUE + : $session_data = ''; $this->_fingerprint = md5($session_data); return $session_data; From 173cf413d38be042b40c2e519041ecaafb6a0919 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Feb 2016 14:36:50 +0200 Subject: [PATCH 2608/3829] Merge pull request #4424 from jonty-comp/develop [ci skip] Fix PHP session_write_close() warning when writing a new session to Redis --- .../Session/drivers/Session_redis_driver.php | 19 ++++++++++++++++--- 1 file changed, 16 insertions(+), 3 deletions(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index 46b8fa1c244..ad95309da7a 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -69,6 +69,13 @@ class CI_Session_redis_driver extends CI_Session_driver implements SessionHandle */ protected $_lock_key; + /** + * Key exists flag + * + * @var bool + */ + protected $_key_exists = FALSE; + // ------------------------------------------------------------------------ /** @@ -166,7 +173,12 @@ public function read($session_id) // Needed by write() to detect session_regenerate_id() calls $this->_session_id = $session_id; - $session_data = (string) $this->_redis->get($this->_key_prefix.$session_id); + $session_data = $this->_redis->get($this->_key_prefix.$session_id); + + is_string($session_data) + ? $this->_key_exists = TRUE + : $session_data = ''; + $this->_fingerprint = md5($session_data); return $session_data; } @@ -199,18 +211,19 @@ public function write($session_id, $session_data) return $this->_failure; } - $this->_fingerprint = md5(''); + $this->_key_exists = FALSE; $this->_session_id = $session_id; } if (isset($this->_lock_key)) { $this->_redis->setTimeout($this->_lock_key, 300); - if ($this->_fingerprint !== ($fingerprint = md5($session_data))) + if ($this->_fingerprint !== ($fingerprint = md5($session_data)) OR $this->_key_exists === FALSE) { if ($this->_redis->set($this->_key_prefix.$session_id, $session_data, $this->_config['expiration'])) { $this->_fingerprint = $fingerprint; + $this->_key_exists = TRUE; return $this->_success; } From acc2f249315f70bfb9c236389627869d4b247930 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 5 Feb 2016 14:39:40 +0200 Subject: [PATCH 2609/3829] [ci skip] Add changelog entry for PR #4424 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index e993a862ae8..6176875c739 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -26,6 +26,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4427) - :doc:`CAPTCHA Helper ` triggers an error if the provided character pool is too small. - Fixed a bug (#4430) - :doc:`File Uploading Library ` option **file_ext_tolower** didn't work. - Fixed a bug (#4431) - :doc:`Query Builder ` method ``join()`` discarded opening parentheses. +- Fixed a bug (#4424) - :doc:`Session Library ` triggered a PHP warning when writing a newly created session with the 'redis' driver. Version 3.0.4 ============= From 57fb63c388b8487e3f4d08f251b3fca1677688e5 Mon Sep 17 00:00:00 2001 From: Sherman K Date: Sat, 6 Feb 2016 14:16:38 +0800 Subject: [PATCH 2610/3829] Reverted formatting for non-variable --- user_guide_src/source/installation/troubleshooting.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/installation/troubleshooting.rst b/user_guide_src/source/installation/troubleshooting.rst index ffd65e0e966..cca2907633d 100644 --- a/user_guide_src/source/installation/troubleshooting.rst +++ b/user_guide_src/source/installation/troubleshooting.rst @@ -4,7 +4,7 @@ Troubleshooting If you find that no matter what you put in your URL only your default page is loading, it might be that your server does not support the -``REQUEST_URI`` variable needed to serve search-engine friendly URLs. As a +REQUEST_URI variable needed to serve search-engine friendly URLs. As a first step, open your *application/config/config.php* file and look for the URI Protocol information. It will recommend that you try a couple alternate settings. If it still doesn't work after you've tried this From b37036a48a7639b82050d9aba24d92a48f50de75 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 6 Feb 2016 15:25:40 +0200 Subject: [PATCH 2611/3829] Merge pull request #4410 from ShrmnK/develop [ci skip] Consistent formatting of file paths and inline code in docs --- user_guide_src/source/installation/index.rst | 18 +++++++++--------- .../source/installation/troubleshooting.rst | 4 ++-- user_guide_src/source/overview/at_a_glance.rst | 4 ++-- .../source/tutorial/create_news_items.rst | 16 ++++++++-------- .../source/tutorial/static_pages.rst | 2 +- 5 files changed, 22 insertions(+), 22 deletions(-) diff --git a/user_guide_src/source/installation/index.rst b/user_guide_src/source/installation/index.rst index 50493bbbd32..fbf6ecee1ca 100644 --- a/user_guide_src/source/installation/index.rst +++ b/user_guide_src/source/installation/index.rst @@ -6,37 +6,37 @@ CodeIgniter is installed in four steps: #. Unzip the package. #. Upload the CodeIgniter folders and files to your server. Normally the - index.php file will be at your root. -#. Open the application/config/config.php file with a text editor and + *index.php* file will be at your root. +#. Open the *application/config/config.php* file with a text editor and set your base URL. If you intend to use encryption or sessions, set your encryption key. #. If you intend to use a database, open the - application/config/database.php file with a text editor and set your + *application/config/database.php* file with a text editor and set your database settings. If you wish to increase security by hiding the location of your CodeIgniter files you can rename the system and application folders to something more private. If you do rename them, you must open your main -index.php file and set the $system_path and $application_folder +*index.php* file and set the ``$system_path`` and ``$application_folder`` variables at the top of the file with the new name you've chosen. For the best security, both the system and any application folders should be placed above web root so that they are not directly accessible -via a browser. By default, .htaccess files are included in each folder +via a browser. By default, *.htaccess* files are included in each folder to help prevent direct access, but it is best to remove them from public access entirely in case the web server configuration changes or doesn't -abide by the .htaccess. +abide by the *.htaccess*. If you would like to keep your views public it is also possible to move the views folder out of your application folder. After moving them, open your main index.php file and set the -$system_path, $application_folder and $view_folder variables, -preferably with a full path, e.g. '/www/MyUser/system'. +``$system_path``, ``$application_folder`` and ``$view_folder`` variables, +preferably with a full path, e.g. '*/www/MyUser/system*'. One additional measure to take in production environments is to disable PHP error reporting and any other development-only functionality. In -CodeIgniter, this can be done by setting the ENVIRONMENT constant, which +CodeIgniter, this can be done by setting the ``ENVIRONMENT`` constant, which is more fully described on the :doc:`security page <../general/security>`. diff --git a/user_guide_src/source/installation/troubleshooting.rst b/user_guide_src/source/installation/troubleshooting.rst index e874bb0ecc6..cca2907633d 100644 --- a/user_guide_src/source/installation/troubleshooting.rst +++ b/user_guide_src/source/installation/troubleshooting.rst @@ -5,11 +5,11 @@ Troubleshooting If you find that no matter what you put in your URL only your default page is loading, it might be that your server does not support the REQUEST_URI variable needed to serve search-engine friendly URLs. As a -first step, open your application/config/config.php file and look for +first step, open your *application/config/config.php* file and look for the URI Protocol information. It will recommend that you try a couple alternate settings. If it still doesn't work after you've tried this you'll need to force CodeIgniter to add a question mark to your URLs. To -do this open your **application/config/config.php** file and change this:: +do this open your *application/config/config.php* file and change this:: $config['index_page'] = "index.php"; diff --git a/user_guide_src/source/overview/at_a_glance.rst b/user_guide_src/source/overview/at_a_glance.rst index ce195c21104..b4db6b18bca 100644 --- a/user_guide_src/source/overview/at_a_glance.rst +++ b/user_guide_src/source/overview/at_a_glance.rst @@ -54,8 +54,8 @@ approach:: example.com/news/article/345 -Note: By default the index.php file is included in the URL but it can be -removed using a simple .htaccess file. +Note: By default the *index.php* file is included in the URL but it can be +removed using a simple *.htaccess* file. CodeIgniter Packs a Punch ========================= diff --git a/user_guide_src/source/tutorial/create_news_items.rst b/user_guide_src/source/tutorial/create_news_items.rst index bc0ce7612bc..e10eebd3bdd 100644 --- a/user_guide_src/source/tutorial/create_news_items.rst +++ b/user_guide_src/source/tutorial/create_news_items.rst @@ -14,7 +14,7 @@ To input data into the database you need to create a form where you can input the information to be stored. This means you'll be needing a form with two fields, one for the title and one for the text. You'll derive the slug from our title in the model. Create the new view at -application/views/news/create.php. +*application/views/news/create.php*. :: @@ -35,7 +35,7 @@ application/views/news/create.php. There are only two things here that probably look unfamiliar to you: the -form_open() function and the validation_errors() function. +``form_open()`` function and the ``validation_errors()`` function. The first function is provided by the :doc:`form helper <../helpers/form_helper>` and renders the form element and @@ -76,7 +76,7 @@ validation <../libraries/form_validation>` library to do this. The code above adds a lot of functionality. The first few lines load the form helper and the form validation library. After that, rules for the -form validation are set. The set\_rules() method takes three arguments; +form validation are set. The ``set\_rules()`` method takes three arguments; the name of the input field, the name to be used in error messages, and the rule. In this case the title and text fields are required. @@ -88,7 +88,7 @@ Continuing down, you can see a condition that checks whether the form validation ran successfully. If it did not, the form is displayed, if it was submitted **and** passed all the rules, the model is called. After this, a view is loaded to display a success message. Create a view at -application/views/news/success.php and write a success message. +*application/views/news/success.php* and write a success message. Model ----- @@ -123,19 +123,19 @@ sure everything is in lowercase characters. This leaves you with a nice slug, perfect for creating URIs. Let's continue with preparing the record that is going to be inserted -later, inside the $data array. Each element corresponds with a column in +later, inside the ``$data`` array. Each element corresponds with a column in the database table created earlier. You might notice a new method here, -namely the post() method from the :doc:`input +namely the ``post()`` method from the :doc:`input library <../libraries/input>`. This method makes sure the data is sanitized, protecting you from nasty attacks from others. The input -library is loaded by default. At last, you insert our $data array into +library is loaded by default. At last, you insert our ``$data`` array into our database. Routing ------- Before you can start adding news items into your CodeIgniter application -you have to add an extra rule to config/routes.php file. Make sure your +you have to add an extra rule to *config/routes.php* file. Make sure your file contains the following. This makes sure CodeIgniter sees 'create' as a method instead of a news item's slug. diff --git a/user_guide_src/source/tutorial/static_pages.rst b/user_guide_src/source/tutorial/static_pages.rst index 66621471e9d..569287c98a6 100644 --- a/user_guide_src/source/tutorial/static_pages.rst +++ b/user_guide_src/source/tutorial/static_pages.rst @@ -24,7 +24,7 @@ you'll see URL patterns that match: As URL schemes become more complex, this may change. But for now, this is all we will need to know. -Create a file at application/controllers/Pages.php with the following +Create a file at *application/controllers/Pages.php* with the following code. :: From c52ff48f7449b25719fde942757f6043a2d14dde Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 6 Feb 2016 15:27:15 +0200 Subject: [PATCH 2612/3829] [ci skip] Note adjustment in docs --- user_guide_src/source/overview/at_a_glance.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/overview/at_a_glance.rst b/user_guide_src/source/overview/at_a_glance.rst index b4db6b18bca..742d7bd0e47 100644 --- a/user_guide_src/source/overview/at_a_glance.rst +++ b/user_guide_src/source/overview/at_a_glance.rst @@ -54,8 +54,8 @@ approach:: example.com/news/article/345 -Note: By default the *index.php* file is included in the URL but it can be -removed using a simple *.htaccess* file. +.. note:: By default the *index.php* file is included in the URL but it can + be removed using a simple *.htaccess* file. CodeIgniter Packs a Punch ========================= From 9fee9e450372963e0869ed4fe034acebc74b7a81 Mon Sep 17 00:00:00 2001 From: Ivan Tcholakov Date: Sun, 7 Feb 2016 21:33:46 +0200 Subject: [PATCH 2613/3829] hunanize() helper: Escaping the $separator argument. --- system/helpers/inflector_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/inflector_helper.php b/system/helpers/inflector_helper.php index 96b723c8d16..c064d8de470 100644 --- a/system/helpers/inflector_helper.php +++ b/system/helpers/inflector_helper.php @@ -219,7 +219,7 @@ function underscore($str) */ function humanize($str, $separator = '_') { - return ucwords(preg_replace('/['.$separator.']+/', ' ', trim(MB_ENABLED ? mb_strtolower($str) : strtolower($str)))); + return ucwords(preg_replace('/['.preg_quote($separator).']+/', ' ', trim(MB_ENABLED ? mb_strtolower($str) : strtolower($str)))); } } From c65a37e21d87a27ac7dc397eac16b5f70aec064f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 8 Feb 2016 12:29:14 +0200 Subject: [PATCH 2614/3829] [ci skip] Add a changelog entry for PR #4437 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 6176875c739..a64a6c75a90 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -27,6 +27,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4430) - :doc:`File Uploading Library ` option **file_ext_tolower** didn't work. - Fixed a bug (#4431) - :doc:`Query Builder ` method ``join()`` discarded opening parentheses. - Fixed a bug (#4424) - :doc:`Session Library ` triggered a PHP warning when writing a newly created session with the 'redis' driver. +- Fixed a bug (#4437) - :doc:`Inflector Helper ` function :php:func:`humanize()` didn't escape its ``$separator`` parameter while using it in a regular expression. Version 3.0.4 ============= From dd149da93a2064937e490977343d152207b73815 Mon Sep 17 00:00:00 2001 From: Sai Phaninder Reddy Jonnala Date: Mon, 8 Feb 2016 09:32:24 -0500 Subject: [PATCH 2615/3829] code styling changes as suggested by @narfbg --- system/libraries/Form_validation.php | 36 ++++++++++++---------------- 1 file changed, 15 insertions(+), 21 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index c37a734188a..da5ab4e0441 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -637,7 +637,7 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) // Set the message type $type = in_array('required', $rules) ? 'required' : 'isset'; - $line = $this->_get_raw_error_message($type, $row); + $line = $this->_get_error_message($type, $row["field"]); // Build the error message $message = $this->_build_error_msg($line, $this->_translate_fieldname($row['label'])); @@ -808,7 +808,7 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) } else { - $line = $this->_get_raw_error_message($rule, $row); + $line = $this->_get_error_message($rule, $row["field"]); } // Is the parameter we are inserting into the error message the name @@ -839,40 +839,34 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) /** * Get the error message for the rule * - * @param string the rule name. - * @param array + * @param string $rule The rule name + * @param string $field + * * @return string */ - private function _get_raw_error_message($rule_name, $row) + protected function _get_error_message($rule, $field) { - $error_message = ''; // check if a custom message is defined through validation config row. - if (isset($this->_field_data[$row['field']]['errors'][$rule_name])) + if (isset($this->_field_data[$field]['errors'][$rule])) { - $error_message = $this->_field_data[$row['field']]['errors'][$rule_name]; + return $this->_field_data[$field]['errors'][$rule]; } // check if a custom message has been set using the set_message() function - elseif (isset($this->_error_messages[$rule_name])) + elseif (isset($this->_error_messages[$rule])) { - $error_message = $this->_error_messages[$rule_name]; + return $this->_error_messages[$rule]; } - // check if we have an error message in lang file - elseif (FALSE !== ($line_tmp = $this->CI->lang->line('form_validation_'.$rule_name))) + elseif (FALSE !== ($tmp = $this->CI->lang->line('form_validation_' . $rule))) { - $error_message = $line_tmp; + return $tmp; } // DEPRECATED support for non-prefixed keys, lang file again - elseif (FALSE !== ($line_tmp = $this->CI->lang->line($rule_name, FALSE))) - { - $error_message = $line_tmp; - } - // error message not found - else + elseif (FALSE !== ($tmp = $this->CI->lang->line($rule, FALSE))) { - $error_message = $this->CI->lang->line('form_validation_error_message_not_set').'('.$rule_name.')'; + return $tmp; } - return $error_message; + return $this->CI->lang->line('form_validation_error_message_not_set'). '(' . $rule . ')'; } // -------------------------------------------------------------------- From e9aad049553f4f276093a1a212a2f03f20cb337d Mon Sep 17 00:00:00 2001 From: Sai Phaninder Reddy Jonnala Date: Mon, 8 Feb 2016 16:42:37 -0500 Subject: [PATCH 2616/3829] Doc block formatting change. --- system/core/Log.php | 7 +++---- 1 file changed, 3 insertions(+), 4 deletions(-) diff --git a/system/core/Log.php b/system/core/Log.php index f338a36ec4a..34ac64a27a5 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -232,14 +232,13 @@ public function write_log($level, $msg) /** * Format the log line. * - * This is for extensibility of log formatting. - * If you want to change the log format, - * extend the CI_Log class and override this method. + * This is for extensibility of log formatting + * If you want to change the log format, extend the CI_Log class and override this method * * @param string $level The error level * @param string $date Formatted date string * @param string $msg The log message - * @return string formatted log line with a new line character '\n' at the end. + * @return string Formatted log line with a new line character '\n' at the end */ protected function _format_line($level, $date, $message) { From 7b31ac381409989580dbcab99d56be4024d14cb9 Mon Sep 17 00:00:00 2001 From: Damien Grandi Date: Tue, 9 Feb 2016 13:49:04 +0100 Subject: [PATCH 2617/3829] Update DB_query_builder.php - phpdoc (some incorrect return type) Edit of some return type in phpdoc. This can also help to fix some autocompletion troubles in some IDE. --- system/database/DB_query_builder.php | 24 ++++++++++++------------ 1 file changed, 12 insertions(+), 12 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index be7582815dd..cf2927b23ab 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1138,7 +1138,7 @@ public function group_by($by, $escape = NULL) * @param string $key * @param string $value * @param bool $escape - * @return object + * @return CI_DB_query_builder */ public function having($key, $value = NULL, $escape = NULL) { @@ -1155,7 +1155,7 @@ public function having($key, $value = NULL, $escape = NULL) * @param string $key * @param string $value * @param bool $escape - * @return object + * @return CI_DB_query_builder */ public function or_having($key, $value = NULL, $escape = NULL) { @@ -1339,7 +1339,7 @@ public function get_compiled_select($table = '', $reset = TRUE) * @param string the table * @param string the limit clause * @param string the offset clause - * @return object + * @return CI_DB_result */ public function get($table = '', $limit = NULL, $offset = NULL) { @@ -1422,7 +1422,7 @@ public function count_all_results($table = '', $reset = TRUE) * @param string $where * @param int $limit * @param int $offset - * @return object + * @return CI_DB_result */ public function get_where($table = '', $where = NULL, $limit = NULL, $offset = NULL) { @@ -1456,7 +1456,7 @@ public function get_where($table = '', $where = NULL, $limit = NULL, $offset = N * @param string $table Table to insert into * @param array $set An associative array of insert values * @param bool $escape Whether to escape values and identifiers - * @return int Number of rows inserted or FALSE on failure + * @return int|bool Number of rows inserted or FALSE on failure */ public function insert_batch($table, $set = NULL, $escape = NULL) { @@ -1618,7 +1618,7 @@ public function get_compiled_insert($table = '', $reset = TRUE) * @param string the table to insert data into * @param array an associative array of insert values * @param bool $escape Whether to escape values and identifiers - * @return object + * @return bool TRUE on success, FALSE on failure */ public function insert($table = '', $set = NULL, $escape = NULL) { @@ -1684,7 +1684,7 @@ protected function _validate_insert($table = '') * * @param string the table to replace data into * @param array an associative array of insert values - * @return object + * @return bool TRUE on success, FALSE on failure */ public function replace($table = '', $set = NULL) { @@ -1790,7 +1790,7 @@ public function get_compiled_update($table = '', $reset = TRUE) * @param array $set An associative array of update values * @param mixed $where * @param int $limit - * @return object + * @return bool TRUE on success, FALSE on failure */ public function update($table = '', $set = NULL, $where = NULL, $limit = NULL) { @@ -1863,7 +1863,7 @@ protected function _validate_update($table) * @param string the table to retrieve the results from * @param array an associative array of update values * @param string the where key - * @return int number of rows affected or FALSE on failure + * @return int|bool Number of rows affected or FALSE on failure */ public function update_batch($table, $set = NULL, $index = NULL) { @@ -2010,7 +2010,7 @@ public function set_update_batch($key, $index = '', $escape = NULL) * Compiles a delete string and runs "DELETE FROM table" * * @param string the table to empty - * @return object + * @return bool TRUE on success, FALSE on failure */ public function empty_table($table = '') { @@ -2043,7 +2043,7 @@ public function empty_table($table = '') * This function maps to "DELETE FROM table" * * @param string the table to truncate - * @return object + * @return bool TRUE on success, FALSE on failure */ public function truncate($table = '') { @@ -2114,7 +2114,7 @@ public function get_compiled_delete($table = '', $reset = TRUE) * @param mixed the where clause * @param mixed the limit clause * @param bool - * @return mixed + * @return CI_DB_query_builder|bool CI_DB_query_builder instance or FALSE on failure */ public function delete($table = '', $where = '', $limit = NULL, $reset_data = TRUE) { From 8d6df5afde9b4c0eb29fcce233bc8e290378d557 Mon Sep 17 00:00:00 2001 From: Damien Grandi Date: Tue, 9 Feb 2016 18:09:46 +0100 Subject: [PATCH 2618/3829] Revert some previous changes --- system/database/DB_query_builder.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index cf2927b23ab..02be94d6659 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1456,7 +1456,7 @@ public function get_where($table = '', $where = NULL, $limit = NULL, $offset = N * @param string $table Table to insert into * @param array $set An associative array of insert values * @param bool $escape Whether to escape values and identifiers - * @return int|bool Number of rows inserted or FALSE on failure + * @return int Number of rows inserted or FALSE on failure */ public function insert_batch($table, $set = NULL, $escape = NULL) { @@ -1863,7 +1863,7 @@ protected function _validate_update($table) * @param string the table to retrieve the results from * @param array an associative array of update values * @param string the where key - * @return int|bool Number of rows affected or FALSE on failure + * @return int Number of rows affected or FALSE on failure */ public function update_batch($table, $set = NULL, $index = NULL) { @@ -2114,7 +2114,7 @@ public function get_compiled_delete($table = '', $reset = TRUE) * @param mixed the where clause * @param mixed the limit clause * @param bool - * @return CI_DB_query_builder|bool CI_DB_query_builder instance or FALSE on failure + * @return mixed */ public function delete($table = '', $where = '', $limit = NULL, $reset_data = TRUE) { From a90c53e71d3dfac5372526363f8aaa0e1d30ad9e Mon Sep 17 00:00:00 2001 From: Damien Grandi Date: Tue, 9 Feb 2016 18:11:29 +0100 Subject: [PATCH 2619/3829] fix a typo edit --- system/database/DB_query_builder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 02be94d6659..00c5394e2ed 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1863,7 +1863,7 @@ protected function _validate_update($table) * @param string the table to retrieve the results from * @param array an associative array of update values * @param string the where key - * @return int Number of rows affected or FALSE on failure + * @return int number of rows affected or FALSE on failure */ public function update_batch($table, $set = NULL, $index = NULL) { From aec5126f5d554fb3b14cd8f37adf57339446d957 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Feb 2016 21:11:07 +0200 Subject: [PATCH 2620/3829] Merge pull request #4445 from damiengrandi/develop [ci skip] Update QB phpdoc returns --- system/database/DB_query_builder.php | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 66ef913c90f..d6f35e0df66 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1137,7 +1137,7 @@ public function group_by($by, $escape = NULL) * @param string $key * @param string $value * @param bool $escape - * @return object + * @return CI_DB_query_builder */ public function having($key, $value = NULL, $escape = NULL) { @@ -1154,7 +1154,7 @@ public function having($key, $value = NULL, $escape = NULL) * @param string $key * @param string $value * @param bool $escape - * @return object + * @return CI_DB_query_builder */ public function or_having($key, $value = NULL, $escape = NULL) { @@ -1338,7 +1338,7 @@ public function get_compiled_select($table = '', $reset = TRUE) * @param string the table * @param string the limit clause * @param string the offset clause - * @return object + * @return CI_DB_result */ public function get($table = '', $limit = NULL, $offset = NULL) { @@ -1421,7 +1421,7 @@ public function count_all_results($table = '', $reset = TRUE) * @param string $where * @param int $limit * @param int $offset - * @return object + * @return CI_DB_result */ public function get_where($table = '', $where = NULL, $limit = NULL, $offset = NULL) { @@ -1617,7 +1617,7 @@ public function get_compiled_insert($table = '', $reset = TRUE) * @param string the table to insert data into * @param array an associative array of insert values * @param bool $escape Whether to escape values and identifiers - * @return object + * @return bool TRUE on success, FALSE on failure */ public function insert($table = '', $set = NULL, $escape = NULL) { @@ -1683,7 +1683,7 @@ protected function _validate_insert($table = '') * * @param string the table to replace data into * @param array an associative array of insert values - * @return object + * @return bool TRUE on success, FALSE on failure */ public function replace($table = '', $set = NULL) { @@ -1789,7 +1789,7 @@ public function get_compiled_update($table = '', $reset = TRUE) * @param array $set An associative array of update values * @param mixed $where * @param int $limit - * @return object + * @return bool TRUE on success, FALSE on failure */ public function update($table = '', $set = NULL, $where = NULL, $limit = NULL) { @@ -2009,7 +2009,7 @@ public function set_update_batch($key, $index = '', $escape = NULL) * Compiles a delete string and runs "DELETE FROM table" * * @param string the table to empty - * @return object + * @return bool TRUE on success, FALSE on failure */ public function empty_table($table = '') { @@ -2042,7 +2042,7 @@ public function empty_table($table = '') * This function maps to "DELETE FROM table" * * @param string the table to truncate - * @return object + * @return bool TRUE on success, FALSE on failure */ public function truncate($table = '') { From 1ccc8bed6ed169356ef31397d9ae988a16cd9a63 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Feb 2016 21:15:10 +0200 Subject: [PATCH 2621/3829] Merge pull request #4323 from jspreddy/sai/log_line_formatting_extensibility_change Refactored CI_Log line formatting to allow extensibility --- system/core/Log.php | 23 ++++++++++++++++++++--- 1 file changed, 20 insertions(+), 3 deletions(-) diff --git a/system/core/Log.php b/system/core/Log.php index 72d3cfbae86..7c81d358b28 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -154,8 +154,8 @@ public function __construct() * * Generally this function will be called using the global log_message() function * - * @param string the error level: 'error', 'debug' or 'info' - * @param string the error message + * @param string $level The error level: 'error', 'debug' or 'info' + * @param string $msg The error message * @return bool */ public function write_log($level, $msg) @@ -204,7 +204,7 @@ public function write_log($level, $msg) $date = date($this->_date_fmt); } - $message .= $level.' - '.$date.' --> '.$msg."\n"; + $message .= $this->_format_line($level, $date, $msg); flock($fp, LOCK_EX); @@ -227,4 +227,21 @@ public function write_log($level, $msg) return is_int($result); } + // -------------------------------------------------------------------- + + /** + * Format the log line. + * + * This is for extensibility of log formatting + * If you want to change the log format, extend the CI_Log class and override this method + * + * @param string $level The error level + * @param string $date Formatted date string + * @param string $msg The log message + * @return string Formatted log line with a new line character '\n' at the end + */ + protected function _format_line($level, $date, $message) + { + return $level.' - '.$date.' --> '.$message."\n"; + } } From 37da3bd78530478b2bb2a23bc2144d50e1589313 Mon Sep 17 00:00:00 2001 From: Sai Phaninder Reddy Jonnala Date: Tue, 9 Feb 2016 16:09:57 -0500 Subject: [PATCH 2622/3829] Code formatting changes, again. I am bad at this. --- system/libraries/Form_validation.php | 11 +++++------ 1 file changed, 5 insertions(+), 6 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index da5ab4e0441..097d7aabaa3 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -637,7 +637,7 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) // Set the message type $type = in_array('required', $rules) ? 'required' : 'isset'; - $line = $this->_get_error_message($type, $row["field"]); + $line = $this->_get_error_message($type, $row['field']); // Build the error message $message = $this->_build_error_msg($line, $this->_translate_fieldname($row['label'])); @@ -808,7 +808,7 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) } else { - $line = $this->_get_error_message($rule, $row["field"]); + $line = $this->_get_error_message($rule, $row['field']); } // Is the parameter we are inserting into the error message the name @@ -840,8 +840,7 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) * Get the error message for the rule * * @param string $rule The rule name - * @param string $field - * + * @param string $field The field name * @return string */ protected function _get_error_message($rule, $field) @@ -856,7 +855,7 @@ protected function _get_error_message($rule, $field) { return $this->_error_messages[$rule]; } - elseif (FALSE !== ($tmp = $this->CI->lang->line('form_validation_' . $rule))) + elseif (FALSE !== ($tmp = $this->CI->lang->line('form_validation_'.$rule))) { return $tmp; } @@ -866,7 +865,7 @@ protected function _get_error_message($rule, $field) return $tmp; } - return $this->CI->lang->line('form_validation_error_message_not_set'). '(' . $rule . ')'; + return $this->CI->lang->line('form_validation_error_message_not_set').'('.$rule.')'; } // -------------------------------------------------------------------- From 39967987ebcc79fc867c1f7fa8d69cc65801f594 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Feb 2016 23:34:04 +0200 Subject: [PATCH 2623/3829] Add CI_Log test cases --- tests/codeigniter/core/Log_test.php | 64 +++++++++++++++++++++++++++++ 1 file changed, 64 insertions(+) create mode 100644 tests/codeigniter/core/Log_test.php diff --git a/tests/codeigniter/core/Log_test.php b/tests/codeigniter/core/Log_test.php new file mode 100644 index 00000000000..01e90f5fca2 --- /dev/null +++ b/tests/codeigniter/core/Log_test.php @@ -0,0 +1,64 @@ +setAccessible(TRUE); + $threshold = new ReflectionProperty('CI_Log', '_threshold'); + $threshold->setAccessible(TRUE); + $date_fmt = new ReflectionProperty('CI_Log', '_date_fmt'); + $date_fmt->setAccessible(TRUE); + $file_ext = new ReflectionProperty('CI_Log', '_file_ext'); + $file_ext->setAccessible(TRUE); + $file_perms = new ReflectionProperty('CI_Log', '_file_permissions'); + $file_perms->setAccessible(TRUE); + $enabled = new ReflectionProperty('CI_Log', '_enabled'); + $enabled->setAccessible(TRUE); + + $this->ci_set_config('log_path', '/root/'); + $this->ci_set_config('log_threshold', 'z'); + $this->ci_set_config('log_date_format', 'd.m.Y'); + $this->ci_set_config('log_file_extension', ''); + $this->ci_set_config('log_file_permissions', ''); + $instance = new CI_Log(); + + $this->assertEquals($path->getValue($instance), '/root/'); + $this->assertEquals($threshold->getValue($instance), 1); + $this->assertEquals($date_fmt->getValue($instance), 'd.m.Y'); + $this->assertEquals($file_ext->getValue($instance), 'php'); + $this->assertEquals($file_perms->getValue($instance), 0644); + $this->assertEquals($enabled->getValue($instance), FALSE); + + $this->ci_set_config('log_path', ''); + $this->ci_set_config('log_threshold', '0'); + $this->ci_set_config('log_date_format', ''); + $this->ci_set_config('log_file_extension', '.log'); + $this->ci_set_config('log_file_permissions', 0600); + $instance = new CI_Log(); + + $this->assertEquals($path->getValue($instance), APPPATH.'logs/'); + $this->assertEquals($threshold->getValue($instance), 0); + $this->assertEquals($date_fmt->getValue($instance), 'Y-m-d H:i:s'); + $this->assertEquals($file_ext->getValue($instance), 'log'); + $this->assertEquals($file_perms->getValue($instance), 0600); + $this->assertEquals($enabled->getValue($instance), TRUE); + } + + // -------------------------------------------------------------------- + + public function test_format_line() + { + $this->ci_set_config('log_path', ''); + $this->ci_set_config('log_threshold', 0); + $instance = new CI_Log(); + + $format_line = new ReflectionMethod($instance, '_format_line'); + $format_line->setAccessible(TRUE); + $this->assertEquals( + $format_line->invoke($instance, 'LEVEL', 'Timestamp', 'Message'), + "LEVEL - Timestamp --> Message\n" + ); + } +} \ No newline at end of file From 9a33f7833729005e2ffd40dea9c10268b1bc0fbe Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Feb 2016 23:37:59 +0200 Subject: [PATCH 2624/3829] [ci skip] Whitespace --- tests/codeigniter/core/Log_test.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tests/codeigniter/core/Log_test.php b/tests/codeigniter/core/Log_test.php index 01e90f5fca2..d44cbac0fc8 100644 --- a/tests/codeigniter/core/Log_test.php +++ b/tests/codeigniter/core/Log_test.php @@ -17,7 +17,7 @@ public function test_configuration() $enabled = new ReflectionProperty('CI_Log', '_enabled'); $enabled->setAccessible(TRUE); - $this->ci_set_config('log_path', '/root/'); + $this->ci_set_config('log_path', '/root/'); $this->ci_set_config('log_threshold', 'z'); $this->ci_set_config('log_date_format', 'd.m.Y'); $this->ci_set_config('log_file_extension', ''); From 376ae77cb420df1bae8313d76bf0b01d5c523c48 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Feb 2016 23:37:59 +0200 Subject: [PATCH 2625/3829] [ci skip] Whitespace --- tests/codeigniter/core/Log_test.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tests/codeigniter/core/Log_test.php b/tests/codeigniter/core/Log_test.php index 01e90f5fca2..d44cbac0fc8 100644 --- a/tests/codeigniter/core/Log_test.php +++ b/tests/codeigniter/core/Log_test.php @@ -17,7 +17,7 @@ public function test_configuration() $enabled = new ReflectionProperty('CI_Log', '_enabled'); $enabled->setAccessible(TRUE); - $this->ci_set_config('log_path', '/root/'); + $this->ci_set_config('log_path', '/root/'); $this->ci_set_config('log_threshold', 'z'); $this->ci_set_config('log_date_format', 'd.m.Y'); $this->ci_set_config('log_file_extension', ''); From 98c14ae881549c58298aef1d3f5ef7f88ff48d1e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Feb 2016 23:43:55 +0200 Subject: [PATCH 2626/3829] Merge pull request #4342 from jspreddy/sai/form_validation_refactor Abstract error message fetching in Form_validation --- system/libraries/Form_validation.php | 66 +++++++++++++++------------- 1 file changed, 36 insertions(+), 30 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index ea3bc6de766..24b2d1fc432 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -637,21 +637,7 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) // Set the message type $type = in_array('required', $rules) ? 'required' : 'isset'; - // Check if a custom message is defined - if (isset($this->_field_data[$row['field']]['errors'][$type])) - { - $line = $this->_field_data[$row['field']]['errors'][$type]; - } - elseif (isset($this->_error_messages[$type])) - { - $line = $this->_error_messages[$type]; - } - elseif (FALSE === ($line = $this->CI->lang->line('form_validation_'.$type)) - // DEPRECATED support for non-prefixed keys - && FALSE === ($line = $this->CI->lang->line($type, FALSE))) - { - $line = 'The field was not set'; - } + $line = $this->_get_error_message($type, $row['field']); // Build the error message $message = $this->_build_error_msg($line, $this->_translate_fieldname($row['label'])); @@ -820,23 +806,9 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) { $line = $this->CI->lang->line('form_validation_error_message_not_set').'(Anonymous function)'; } - // Check if a custom message is defined - elseif (isset($this->_field_data[$row['field']]['errors'][$rule])) - { - $line = $this->_field_data[$row['field']]['errors'][$rule]; - } - elseif ( ! isset($this->_error_messages[$rule])) - { - if (FALSE === ($line = $this->CI->lang->line('form_validation_'.$rule)) - // DEPRECATED support for non-prefixed keys - && FALSE === ($line = $this->CI->lang->line($rule, FALSE))) - { - $line = $this->CI->lang->line('form_validation_error_message_not_set').'('.$rule.')'; - } - } else { - $line = $this->_error_messages[$rule]; + $line = $this->_get_error_message($rule, $row['field']); } // Is the parameter we are inserting into the error message the name @@ -864,6 +836,40 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) // -------------------------------------------------------------------- + /** + * Get the error message for the rule + * + * @param string $rule The rule name + * @param string $field The field name + * @return string + */ + protected function _get_error_message($rule, $field) + { + // check if a custom message is defined through validation config row. + if (isset($this->_field_data[$field]['errors'][$rule])) + { + return $this->_field_data[$field]['errors'][$rule]; + } + // check if a custom message has been set using the set_message() function + elseif (isset($this->_error_messages[$rule])) + { + return $this->_error_messages[$rule]; + } + elseif (FALSE !== ($tmp = $this->CI->lang->line('form_validation_'.$rule))) + { + return $tmp; + } + // DEPRECATED support for non-prefixed keys, lang file again + elseif (FALSE !== ($tmp = $this->CI->lang->line($rule, FALSE))) + { + return $tmp; + } + + return $this->CI->lang->line('form_validation_error_message_not_set').'('.$rule.')'; + } + + // -------------------------------------------------------------------- + /** * Translate a field name * From b30a64a73057ad1253ae1f61f6cd8b125f64cc99 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Feb 2016 23:46:25 +0200 Subject: [PATCH 2627/3829] Rename back a variable changed by the last PR merge Because. --- system/libraries/Form_validation.php | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 24b2d1fc432..296ddb92a3e 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -855,14 +855,14 @@ protected function _get_error_message($rule, $field) { return $this->_error_messages[$rule]; } - elseif (FALSE !== ($tmp = $this->CI->lang->line('form_validation_'.$rule))) + elseif (FALSE !== ($line = $this->CI->lang->line('form_validation_'.$rule))) { - return $tmp; + return $line; } // DEPRECATED support for non-prefixed keys, lang file again - elseif (FALSE !== ($tmp = $this->CI->lang->line($rule, FALSE))) + elseif (FALSE !== ($line = $this->CI->lang->line($rule, FALSE))) { - return $tmp; + return $line; } return $this->CI->lang->line('form_validation_error_message_not_set').'('.$rule.')'; From 24adbfc5e163de9da72f59e36be6c0ac02bf10c2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 9 Feb 2016 23:46:25 +0200 Subject: [PATCH 2628/3829] Rename back a variable changed by the last PR merge Because. --- system/libraries/Form_validation.php | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 24b2d1fc432..296ddb92a3e 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -855,14 +855,14 @@ protected function _get_error_message($rule, $field) { return $this->_error_messages[$rule]; } - elseif (FALSE !== ($tmp = $this->CI->lang->line('form_validation_'.$rule))) + elseif (FALSE !== ($line = $this->CI->lang->line('form_validation_'.$rule))) { - return $tmp; + return $line; } // DEPRECATED support for non-prefixed keys, lang file again - elseif (FALSE !== ($tmp = $this->CI->lang->line($rule, FALSE))) + elseif (FALSE !== ($line = $this->CI->lang->line($rule, FALSE))) { - return $tmp; + return $line; } return $this->CI->lang->line('form_validation_error_message_not_set').'('.$rule.')'; From c4de3c2f93cb6d2af65b325ae2812fccad7e98b8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 10 Feb 2016 07:41:43 +0200 Subject: [PATCH 2629/3829] [ci skip] Fix Memcached session lock handling and error checking around replace() usage --- .../drivers/Session_memcached_driver.php | 26 ++++++++++++------- 1 file changed, 17 insertions(+), 9 deletions(-) diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index d017dfb2f3e..e9246443caf 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -204,10 +204,16 @@ public function write($session_id, $session_data) if (isset($this->_lock_key)) { + $key = $this->_key_prefix.$session_id; + $this->_memcached->replace($this->_lock_key, time(), 300); if ($this->_fingerprint !== ($fingerprint = md5($session_data))) { - if ($this->_memcached->set($this->_key_prefix.$session_id, $session_data, $this->_config['expiration'])) + + if ( + $this->_memcached->replace($key, $session_data, $this->_config['expiration']) + OR ($this->_memcached->getResultCode() === Memcached::RES_NOTSTORED && $this->_memcached->set($key, $session_data, $this->_config['expiration'])) + ) { $this->_fingerprint = $fingerprint; return $this->_success; @@ -305,9 +311,12 @@ protected function _get_lock($session_id) // correct session ID. if ($this->_lock_key === $this->_key_prefix.$session_id.':lock') { - return ($this->_memcached->replace($this->_lock_key, time(), 300)) - ? $this->_success - : $this->_failure; + if ( ! $this->_memcached->replace($this->_lock_key, time(), 300)) + { + return ($this->_memcached->getResultCode() === Memcached::RES_NOTSTORED) + ? $this->_memcached->set($this->_lock_key, time(), 300) + : FALSE; + } } // 30 attempts to obtain a lock, in case another request already has it @@ -324,7 +333,7 @@ protected function _get_lock($session_id) if ( ! $this->_memcached->set($lock_key, time(), 300)) { log_message('error', 'Session: Error while trying to obtain lock for '.$this->_key_prefix.$session_id); - return $this->_failure; + return FALSE; } $this->_lock_key = $lock_key; @@ -335,11 +344,11 @@ protected function _get_lock($session_id) if ($attempt === 30) { log_message('error', 'Session: Unable to obtain lock for '.$this->_key_prefix.$session_id.' after 30 attempts, aborting.'); - return $this->_failure; + return FALSE; } $this->_lock = TRUE; - return $this->_success; + return TRUE; } // ------------------------------------------------------------------------ @@ -367,5 +376,4 @@ protected function _release_lock() return TRUE; } - -} +} \ No newline at end of file From d45cd5ab7d35f3c9b55414dc7709a0a41d91c0be Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 10 Feb 2016 07:50:19 +0200 Subject: [PATCH 2630/3829] [ci skip] Add changelog entry for latest commit --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index a64a6c75a90..cd18599baab 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -28,6 +28,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4431) - :doc:`Query Builder ` method ``join()`` discarded opening parentheses. - Fixed a bug (#4424) - :doc:`Session Library ` triggered a PHP warning when writing a newly created session with the 'redis' driver. - Fixed a bug (#4437) - :doc:`Inflector Helper ` function :php:func:`humanize()` didn't escape its ``$separator`` parameter while using it in a regular expression. +- Fixed a bug where :doc:`Session Library ` didn't properly handle its locks' statuses with the 'memcached' driver. Version 3.0.4 ============= From a54a2b90bf057d7883ea7506d78a1073478ea4cf Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 10 Feb 2016 19:55:39 +0200 Subject: [PATCH 2631/3829] Fix a bug where CI_Session_memcached_driver doesn't write empty sessions Related: #3919 --- .../Session/drivers/Session_memcached_driver.php | 11 +++++++---- user_guide_src/source/changelog.rst | 1 + 2 files changed, 8 insertions(+), 4 deletions(-) diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index e9246443caf..ab3b1d97cd3 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -209,7 +209,6 @@ public function write($session_id, $session_data) $this->_memcached->replace($this->_lock_key, time(), 300); if ($this->_fingerprint !== ($fingerprint = md5($session_data))) { - if ( $this->_memcached->replace($key, $session_data, $this->_config['expiration']) OR ($this->_memcached->getResultCode() === Memcached::RES_NOTSTORED && $this->_memcached->set($key, $session_data, $this->_config['expiration'])) @@ -222,9 +221,13 @@ public function write($session_id, $session_data) return $this->_failure; } - return $this->_memcached->touch($this->_key_prefix.$session_id, $this->_config['expiration']) - ? $this->_success - : $this->_failure; + if ( + $this->_memcached->touch($key, $this->_config['expiration']) + OR ($this->_memcached->getResultCode() === Memcached::RES_NOTFOUND && $this->_memcached->set($key, $session_data, $this->_config['expiration'])) + ) + { + return $this->_success; + } } return $this->_failure; diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index cd18599baab..e9a265f764a 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -29,6 +29,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4424) - :doc:`Session Library ` triggered a PHP warning when writing a newly created session with the 'redis' driver. - Fixed a bug (#4437) - :doc:`Inflector Helper ` function :php:func:`humanize()` didn't escape its ``$separator`` parameter while using it in a regular expression. - Fixed a bug where :doc:`Session Library ` didn't properly handle its locks' statuses with the 'memcached' driver. +- Fixed a bug where :doc:`Session Library ` triggered a PHP warning when writing a newly created session with the 'memcached' driver. Version 3.0.4 ============= From 46adb9fdbc9604065dc7990bc61707446aa5cc81 Mon Sep 17 00:00:00 2001 From: Kristian Matthews Date: Thu, 11 Feb 2016 21:23:30 +0000 Subject: [PATCH 2632/3829] Autoload Driver Object Names Updated documentation for `$autoload['drivers']`. Updated loader to autoload drivers with object names the same as autoloading libraries. Signed-off-by: Kristian Matthews --- application/config/autoload.php | 5 +++++ system/core/Loader.php | 16 ++++++++++------ 2 files changed, 15 insertions(+), 6 deletions(-) diff --git a/application/config/autoload.php b/application/config/autoload.php index 4bc6bf0ad80..aeacbdb66b8 100644 --- a/application/config/autoload.php +++ b/application/config/autoload.php @@ -72,6 +72,11 @@ | Prototype: | | $autoload['drivers'] = array('cache'); +| +| You can also supply an alternative library name to be assigned in +| the controller: +| +| $autoload['drivers'] = array('cache' => 'cch'); */ $autoload['drivers'] = array(); diff --git a/system/core/Loader.php b/system/core/Loader.php index 18e4c5287a9..dc61ed88246 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -688,9 +688,16 @@ public function driver($library, $params = NULL, $object_name = NULL) { if (is_array($library)) { - foreach ($library as $driver) + foreach ($library as $key => $value) { - $this->driver($driver); + if (is_int($key)) + { + $this->driver($value, $params); + } + else + { + $this->driver($key, $params, $value) + } } return $this; @@ -1304,10 +1311,7 @@ protected function _ci_autoloader() // Autoload drivers if (isset($autoload['drivers'])) { - foreach ($autoload['drivers'] as $item) - { - $this->driver($item); - } + $this->driver($autoload['drivers']); } // Load libraries From c6011941511e706c3a3d44151eccda7d0b472007 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 11 Feb 2016 23:49:37 +0200 Subject: [PATCH 2633/3829] Fix #4449 --- system/database/DB_query_builder.php | 60 +++++++++++-------- .../database/query_builder/join_test.php | 27 ++++++++- 2 files changed, 59 insertions(+), 28 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index d6f35e0df66..6bf039ead59 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -531,38 +531,46 @@ public function join($table, $cond, $type = '', $escape = NULL) is_bool($escape) OR $escape = $this->_protect_identifiers; - // Split multiple conditions - if ($escape === TRUE && preg_match_all('/\sAND\s|\sOR\s/i', $cond, $m, PREG_OFFSET_CAPTURE)) + if ( ! $this->_has_operator($cond)) { - $newcond = ''; - $m[0][] = array('', strlen($cond)); - - for ($i = 0, $c = count($m[0]), $s = 0; - $i < $c; - $s = $m[0][$i][1] + strlen($m[0][$i][0]), $i++) - { - $temp = substr($cond, $s, ($m[0][$i][1] - $s)); - $newcond .= preg_match("/(\(*)?([\[\]\w\.'-]+)(\s*[^\"\[`'\w]+\s*)(.+)/i", $temp, $match) - ? $match[1].$this->protect_identifiers($match[2]).$match[3].$this->protect_identifiers($match[4]) - : $temp; - - $newcond .= $m[0][$i][0]; - } - - $cond = ' ON '.$newcond; - } - // Split apart the condition and protect the identifiers - elseif ($escape === TRUE && preg_match("/(\(*)?([\[\]\w\.'-]+)(\s*[^\"\[`'\w]+\s*)(.+)/i", $cond, $match)) - { - $cond = ' ON '.$match[1].$this->protect_identifiers($match[2]).$match[3].$this->protect_identifiers($match[4]); + $cond = ' USING ('.($escape ? $this->escape_identifiers($cond) : $cond).')'; } - elseif ( ! $this->_has_operator($cond)) + elseif ($escape === FALSE) { - $cond = ' USING ('.($escape ? $this->escape_identifiers($cond) : $cond).')'; + $cond = ' ON '.$cond; } else { - $cond = ' ON '.$cond; + // Split multiple conditions + if (preg_match_all('/\sAND\s|\sOR\s/i', $cond, $joints, PREG_OFFSET_CAPTURE)) + { + $conditions = array(); + $joints = $joints[0]; + array_unshift($joints, array('', 0)); + + for ($i = count($joints) - 1, $pos = strlen($cond); $i >= 0; $i--) + { + $joints[$i][1] += strlen($joints[$i][0]); // offset + $conditions[$i] = substr($cond, $joints[$i][1], $pos - $joints[$i][1]); + $pos = $joints[$i][1] - strlen($joints[$i][0]); + $joints[$i] = $joints[$i][0]; + } + } + else + { + $conditions = array($cond); + $joints = array(''); + } + + $cond = ' ON '; + for ($i = 0, $c = count($conditions); $i < $c; $i++) + { + $operator = $this->_get_operator($conditions[$i]); + $cond .= $joints[$i]; + $cond .= preg_match("/(\(*)?([\[\]\w\.'-]+)".preg_quote($operator)."(.*)/i", $conditions[$i], $match) + ? $match[1].$this->protect_identifiers($match[2]).$operator.$this->protect_identifiers($match[3]) + : $conditions[$i]; + } } // Do we want to escape the table name? diff --git a/tests/codeigniter/database/query_builder/join_test.php b/tests/codeigniter/database/query_builder/join_test.php index 58cb2149223..54b2a4e1863 100644 --- a/tests/codeigniter/database/query_builder/join_test.php +++ b/tests/codeigniter/database/query_builder/join_test.php @@ -37,6 +37,29 @@ public function test_join_simple() // ------------------------------------------------------------------------ + public function test_join_escape_is_null() + { + $expected = 'SELECT '.$this->db->escape_identifiers('field') + ."\nFROM ".$this->db->escape_identifiers('table1') + ."\nJOIN ".$this->db->escape_identifiers('table2').' ON '.$this->db->escape_identifiers('field').' IS NULL'; + + $this->assertEquals( + $expected, + $this->db->select('field')->from('table1')->join('table2', 'field IS NULL')->get_compiled_select() + ); + + $expected = 'SELECT '.$this->db->escape_identifiers('field') + ."\nFROM ".$this->db->escape_identifiers('table1') + ."\nJOIN ".$this->db->escape_identifiers('table2').' ON '.$this->db->escape_identifiers('field').' IS NOT NULL'; + + $this->assertEquals( + $expected, + $this->db->select('field')->from('table1')->join('table2', 'field IS NOT NULL')->get_compiled_select() + ); + } + + // ------------------------------------------------------------------------ + public function test_join_escape_multiple_conditions() { // We just need a valid query produced, not one that makes sense @@ -65,11 +88,11 @@ public function test_join_escape_multiple_conditions_with_parentheses() $expected = 'SELECT '.implode(', ', $fields) ."\nFROM ".$this->db->escape_identifiers('table1') ."\nRIGHT JOIN ".$this->db->escape_identifiers('table2').' ON '.implode(' = ', $fields) - .' AND ('.$fields[0]." = 'foo' OR ".$fields[1].' = 0)'; + .' AND ('.$fields[0]." = 'foo' OR ".$fields[1].' IS NULL)'; $result = $this->db->select('table1.field1, table2.field2') ->from('table1') - ->join('table2', "table1.field1 = table2.field2 AND (table1.field1 = 'foo' OR table2.field2 = 0)", 'RIGHT') + ->join('table2', "table1.field1 = table2.field2 AND (table1.field1 = 'foo' OR table2.field2 IS NULL)", 'RIGHT') ->get_compiled_select(); $this->assertEquals($expected, $result); From 9198ad04ba27803ce9f924bbd753fad36122fb5a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 12 Feb 2016 00:07:31 +0200 Subject: [PATCH 2634/3829] [ci skip] Add changelog entry for issue #4449 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index e9a265f764a..ba9f93860c5 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -30,6 +30,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4437) - :doc:`Inflector Helper ` function :php:func:`humanize()` didn't escape its ``$separator`` parameter while using it in a regular expression. - Fixed a bug where :doc:`Session Library ` didn't properly handle its locks' statuses with the 'memcached' driver. - Fixed a bug where :doc:`Session Library ` triggered a PHP warning when writing a newly created session with the 'memcached' driver. +- Fixed a bug (#4449) - :doc:`Query Builder ` method ``join()`` breaks conditions containing ``IS NULL``, ``IS NOT NULL``. Version 3.0.4 ============= From 7730dbebab54e6533a30f93c43311039b89c5760 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 12 Feb 2016 00:09:23 +0200 Subject: [PATCH 2635/3829] Skip CI_Log tests on PHP 5.2 We still run those (with failures enabled) and that test breaks them --- tests/codeigniter/core/Log_test.php | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/tests/codeigniter/core/Log_test.php b/tests/codeigniter/core/Log_test.php index d44cbac0fc8..2dd9d90d219 100644 --- a/tests/codeigniter/core/Log_test.php +++ b/tests/codeigniter/core/Log_test.php @@ -1,9 +1,13 @@ markTestSkipped("PHP 5.2 doesn't have ReflectionProperty::setAccessible() and can't run this test"); + } + $path = new ReflectionProperty('CI_Log', '_log_path'); $path->setAccessible(TRUE); $threshold = new ReflectionProperty('CI_Log', '_threshold'); @@ -50,6 +54,11 @@ public function test_configuration() public function test_format_line() { + if ( ! is_php('5.3')) + { + return $this->markTestSkipped("PHP 5.2 doesn't have ReflectionProperty::setAccessible() and can't run this test"); + } + $this->ci_set_config('log_path', ''); $this->ci_set_config('log_threshold', 0); $instance = new CI_Log(); From 0d181ee540749c3a5dc147b1e280b7515d1b360e Mon Sep 17 00:00:00 2001 From: Kristian Matthews Date: Fri, 12 Feb 2016 12:13:04 +0000 Subject: [PATCH 2636/3829] Fixed syntax error. Signed-off-by: Kristian Matthews --- system/core/Loader.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index dc61ed88246..b9f5a52c7c9 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -696,7 +696,7 @@ public function driver($library, $params = NULL, $object_name = NULL) } else { - $this->driver($key, $params, $value) + $this->driver($key, $params, $value); } } From 1be0f05e3f70a369e9e3e5153d0f786c0d2dface Mon Sep 17 00:00:00 2001 From: KN4CK3R Date: Fri, 12 Feb 2016 22:31:15 +0100 Subject: [PATCH 2637/3829] return false when image isn't valid --- system/language/english/imglib_lang.php | 1 + system/libraries/Image_lib.php | 5 +++++ 2 files changed, 6 insertions(+) diff --git a/system/language/english/imglib_lang.php b/system/language/english/imglib_lang.php index 7f23233b4f7..0f3ba0f5999 100644 --- a/system/language/english/imglib_lang.php +++ b/system/language/english/imglib_lang.php @@ -51,6 +51,7 @@ $lang['imglib_image_process_failed'] = 'Image processing failed. Please verify that your server supports the chosen protocol and that the path to your image library is correct.'; $lang['imglib_rotation_angle_required'] = 'An angle of rotation is required to rotate the image.'; $lang['imglib_invalid_path'] = 'The path to the image is not correct.'; +$lang['imglib_invalid_image'] = 'The provided image is not valid.'; $lang['imglib_copy_failed'] = 'The image copy routine failed.'; $lang['imglib_missing_font'] = 'Unable to find a font to use.'; $lang['imglib_save_failed'] = 'Unable to save the image. Please make sure the image and file directory are writable.'; diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index f594b712580..e3e87f93f19 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -1641,6 +1641,11 @@ public function get_image_properties($path = '', $return = FALSE) } $vals = getimagesize($path); + if ($vals === FALSE) + { + $this->set_error('imglib_invalid_image'); + return FALSE; + } $types = array(1 => 'gif', 2 => 'jpeg', 3 => 'png'); $mime = (isset($types[$vals[2]])) ? 'image/'.$types[$vals[2]] : 'image/jpg'; From 8215e2fcf828964b232e9f48befac4f08fa11187 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 11 Feb 2016 20:30:43 +0200 Subject: [PATCH 2638/3829] [ci skip] Fix Memcached replace() result code checks in CI_Session Related #3919 --- system/libraries/Session/drivers/Session_memcached_driver.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index ab3b1d97cd3..875e72255d5 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -211,7 +211,7 @@ public function write($session_id, $session_data) { if ( $this->_memcached->replace($key, $session_data, $this->_config['expiration']) - OR ($this->_memcached->getResultCode() === Memcached::RES_NOTSTORED && $this->_memcached->set($key, $session_data, $this->_config['expiration'])) + OR ($this->_memcached->getResultCode() === Memcached::RES_NOTFOUND && $this->_memcached->set($key, $session_data, $this->_config['expiration'])) ) { $this->_fingerprint = $fingerprint; @@ -316,7 +316,7 @@ protected function _get_lock($session_id) { if ( ! $this->_memcached->replace($this->_lock_key, time(), 300)) { - return ($this->_memcached->getResultCode() === Memcached::RES_NOTSTORED) + return ($this->_memcached->getResultCode() === Memcached::RES_NOTFOUND) ? $this->_memcached->set($this->_lock_key, time(), 300) : FALSE; } From a6d1c538f61ce12216eef7bb92716e24af0b86bf Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 15 Feb 2016 14:09:48 +0200 Subject: [PATCH 2639/3829] Don't apply url_suffix, permitted_uri_chars to CLI requests Close #4085 Close #4460 --- system/core/URI.php | 118 ++++++++++-------- user_guide_src/source/changelog.rst | 4 + .../source/installation/upgrade_310.rst | 15 ++- 3 files changed, 86 insertions(+), 51 deletions(-) diff --git a/system/core/URI.php b/system/core/URI.php index 544f6c85f0d..79cf640b973 100644 --- a/system/core/URI.php +++ b/system/core/URI.php @@ -100,41 +100,36 @@ public function __construct() { $this->config =& load_class('Config', 'core'); + // If it's a CLI request, ignore the configuration + if (is_cli()) + { + $this->_set_uri_string($this->_parse_argv(), TRUE); + } // If query strings are enabled, we don't need to parse any segments. - // However, they don't make sense under CLI. - if (is_cli() OR $this->config->item('enable_query_strings') !== TRUE) + elseif ($this->config->item('enable_query_strings') !== TRUE) { $this->_permitted_uri_chars = $this->config->item('permitted_uri_chars'); + $protocol = $this->config->item('uri_protocol'); + empty($protocol) && $protocol = 'REQUEST_URI'; - // If it's a CLI request, ignore the configuration - if (is_cli()) + switch ($protocol) { - $uri = $this->_parse_argv(); + case 'AUTO': // For BC purposes only + case 'REQUEST_URI': + $uri = $this->_parse_request_uri(); + break; + case 'QUERY_STRING': + $uri = $this->_parse_query_string(); + break; + case 'PATH_INFO': + default: + $uri = isset($_SERVER[$protocol]) + ? $_SERVER[$protocol] + : $this->_parse_request_uri(); + break; } - else - { - $protocol = $this->config->item('uri_protocol'); - empty($protocol) && $protocol = 'REQUEST_URI'; - switch ($protocol) - { - case 'AUTO': // For BC purposes only - case 'REQUEST_URI': - $uri = $this->_parse_request_uri(); - break; - case 'QUERY_STRING': - $uri = $this->_parse_query_string(); - break; - case 'PATH_INFO': - default: - $uri = isset($_SERVER[$protocol]) - ? $_SERVER[$protocol] - : $this->_parse_request_uri(); - break; - } - } - - $this->_set_uri_string($uri); + $this->_set_uri_string($uri, FALSE); } log_message('info', 'URI Class Initialized'); @@ -145,43 +140,66 @@ public function __construct() /** * Set URI String * - * @param string $str + * @param string $str Input URI string + * @param bool $is_cli Whether the input comes from CLI * @return void */ - protected function _set_uri_string($str) + protected function _set_uri_string($str, $is_cli = FALSE) { - // Filter out control characters and trim slashes - $this->uri_string = trim(remove_invisible_characters($str, FALSE), '/'); - - if ($this->uri_string !== '') + // CLI requests have a bit simpler logic + if ($is_cli) { - // Remove the URL suffix, if present - if (($suffix = (string) $this->config->item('url_suffix')) !== '') + if (($this->uri_string = trim($str, '/')) === '') { - $slen = strlen($suffix); - - if (substr($this->uri_string, -$slen) === $suffix) - { - $this->uri_string = substr($this->uri_string, 0, -$slen); - } + return; } $this->segments[0] = NULL; - // Populate the segments array - foreach (explode('/', trim($this->uri_string, '/')) as $val) + foreach (explode('/', $this->uri_string) as $segment) { - $val = trim($val); - // Filter segments for security - $this->filter_uri($val); - - if ($val !== '') + if (($segment = trim($segment)) !== '') { - $this->segments[] = $val; + $this->segments[] = $segment; } } unset($this->segments[0]); + return; + } + + // Filter out control characters and trim slashes + $this->uri_string = trim(remove_invisible_characters($str, FALSE), '/'); + + if ($this->uri_string === '') + { + return; } + + // Remove the URL suffix, if present + if (($suffix = (string) $this->config->item('url_suffix')) !== '') + { + $slen = strlen($suffix); + + if (substr($this->uri_string, -$slen) === $suffix) + { + $this->uri_string = substr($this->uri_string, 0, -$slen); + } + } + + $this->segments[0] = NULL; + foreach (explode('/', trim($this->uri_string, '/')) as $segment) + { + $segment = trim($segment); + // Filter segments for security + $this->filter_uri($segment); + + if ($segment !== '') + { + $this->segments[] = $segment; + } + } + + unset($this->segments[0]); } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d490f15048a..8e1789fb9c4 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,10 @@ Version 3.1.0 Release Date: Not Released +- Core + + - Changed :doc:`URI Library ` to ignore the ``$config['url_suffix']``, ``$config['permitted_uri_chars']`` configuration settings for CLI requests. + - Libraries - Added UNIX socket connection support to :doc:`Session Library ` 'redis' driver. diff --git a/user_guide_src/source/installation/upgrade_310.rst b/user_guide_src/source/installation/upgrade_310.rst index b86bb1da3c6..a6e6bae7e58 100644 --- a/user_guide_src/source/installation/upgrade_310.rst +++ b/user_guide_src/source/installation/upgrade_310.rst @@ -58,7 +58,20 @@ That doesn't make sense and that's the reason why most database drivers don't support it at all. Thus, ``db_set_charset()`` is no longer necessary and is removed. -Step 3: Check usage of doctype() HTML helper +Step 3: Check logic related to URI parsing of CLI requests +========================================================== + +When running a CodeIgniter application from the CLI, the +:doc:`URI Library ` will now ignore the +``$config['url_suffix']`` and ``$config['permitted_uri_chars']`` +configuration settings. + +These two options don't make sense under the command line (which is why +this change was made) and therefore you shouldn't be affected by this, but +if you've relied on them for some reason, you'd probably have to make some +changes to your code. + +Step 4: Check usage of doctype() HTML helper ============================================ The :doc:`HTML Helper <../helpers/html_helper>` function From 2426635afc58f7bbf8355e80d4228076321a669d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 15 Feb 2016 14:21:13 +0200 Subject: [PATCH 2640/3829] [ci skip] Add notes in config about CLI for url_suffix, permitted_uri_chars --- application/config/config.php | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/application/config/config.php b/application/config/config.php index 23ef5a528c7..0a7b8202be6 100644 --- a/application/config/config.php +++ b/application/config/config.php @@ -63,6 +63,8 @@ | For more information please see the user guide: | | https://codeigniter.com/user_guide/general/urls.html +| +| Note: This option is ignored for CLI requests. */ $config['url_suffix'] = ''; @@ -157,6 +159,8 @@ | | DO NOT CHANGE THIS UNLESS YOU FULLY UNDERSTAND THE REPERCUSSIONS!! | +| Note: This option is ignored for CLI requests. +| */ $config['permitted_uri_chars'] = 'a-z 0-9~%.:_\-'; From 2a34081c5e1b8a86d2d3f87c3da69b9d580d6027 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 15 Feb 2016 14:33:34 +0200 Subject: [PATCH 2641/3829] Pass CI_Config as a parameter to CI_URI constructor --- system/core/CodeIgniter.php | 2 +- system/core/URI.php | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 14f62edaa7c..84f2241233c 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -298,7 +298,7 @@ * Instantiate the URI class * ------------------------------------------------------ */ - $URI =& load_class('URI', 'core'); + $URI =& load_class('URI', 'core', $CFG); /* * ------------------------------------------------------ diff --git a/system/core/URI.php b/system/core/URI.php index 79cf640b973..7c93e36b722 100644 --- a/system/core/URI.php +++ b/system/core/URI.php @@ -96,9 +96,9 @@ class CI_URI { * * @return void */ - public function __construct() + public function __construct(CI_Config &$config) { - $this->config =& load_class('Config', 'core'); + $this->config = $config; // If it's a CLI request, ignore the configuration if (is_cli()) From 02fde67322db74df42ef8dc953cc2be3f9fc4ccd Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 15 Feb 2016 14:35:37 +0200 Subject: [PATCH 2642/3829] Remove reference usage from last commit ... it's useless --- system/core/URI.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/URI.php b/system/core/URI.php index 7c93e36b722..7f07bfe1e4b 100644 --- a/system/core/URI.php +++ b/system/core/URI.php @@ -96,7 +96,7 @@ class CI_URI { * * @return void */ - public function __construct(CI_Config &$config) + public function __construct(CI_Config $config) { $this->config = $config; From a7bd30c75e844f133b6aa8aae7c64e6cf9ce143a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 15 Feb 2016 14:39:59 +0200 Subject: [PATCH 2643/3829] [ci skip] Polish changes from PR #4453 --- application/config/autoload.php | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/application/config/autoload.php b/application/config/autoload.php index aeacbdb66b8..7cdc9013c11 100644 --- a/application/config/autoload.php +++ b/application/config/autoload.php @@ -73,10 +73,11 @@ | | $autoload['drivers'] = array('cache'); | -| You can also supply an alternative library name to be assigned in +| You can also supply an alternative property name to be assigned in | the controller: | -| $autoload['drivers'] = array('cache' => 'cch'); +| $autoload['drivers'] = array('cache' => 'cch'); +| */ $autoload['drivers'] = array(); From 44d3b185ae7a15e50bd595440187c6c863a13415 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 15 Feb 2016 14:37:14 +0200 Subject: [PATCH 2644/3829] Merge pull request #4453 from EpicKris/feature/Autoload-Driver-Object-Name Autoload Driver Object Names --- application/config/autoload.php | 5 +++++ system/core/Loader.php | 16 ++++++++++------ 2 files changed, 15 insertions(+), 6 deletions(-) diff --git a/application/config/autoload.php b/application/config/autoload.php index 4bc6bf0ad80..aeacbdb66b8 100644 --- a/application/config/autoload.php +++ b/application/config/autoload.php @@ -72,6 +72,11 @@ | Prototype: | | $autoload['drivers'] = array('cache'); +| +| You can also supply an alternative library name to be assigned in +| the controller: +| +| $autoload['drivers'] = array('cache' => 'cch'); */ $autoload['drivers'] = array(); diff --git a/system/core/Loader.php b/system/core/Loader.php index 37d1ecaf946..80de804ead1 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -718,9 +718,16 @@ public function driver($library, $params = NULL, $object_name = NULL) { if (is_array($library)) { - foreach ($library as $driver) + foreach ($library as $key => $value) { - $this->driver($driver); + if (is_int($key)) + { + $this->driver($value, $params); + } + else + { + $this->driver($key, $params, $value); + } } return $this; @@ -1334,10 +1341,7 @@ protected function _ci_autoloader() // Autoload drivers if (isset($autoload['drivers'])) { - foreach ($autoload['drivers'] as $item) - { - $this->driver($item); - } + $this->driver($autoload['drivers']); } // Load libraries From 5fd4afdecba772d5f38254cb57a845b2fd607d82 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 15 Feb 2016 14:39:59 +0200 Subject: [PATCH 2645/3829] [ci skip] Polish changes from PR #4453 --- application/config/autoload.php | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/application/config/autoload.php b/application/config/autoload.php index aeacbdb66b8..7cdc9013c11 100644 --- a/application/config/autoload.php +++ b/application/config/autoload.php @@ -73,10 +73,11 @@ | | $autoload['drivers'] = array('cache'); | -| You can also supply an alternative library name to be assigned in +| You can also supply an alternative property name to be assigned in | the controller: | -| $autoload['drivers'] = array('cache' => 'cch'); +| $autoload['drivers'] = array('cache' => 'cch'); +| */ $autoload['drivers'] = array(); From 82efb383544dc06aef7c628780b74acac31fb622 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 15 Feb 2016 14:43:06 +0200 Subject: [PATCH 2646/3829] [ci skip] Add changelog entry for PR #4453 --- user_guide_src/source/changelog.rst | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index ba9f93860c5..6bbd7f9e9ce 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,10 @@ Version 3.0.5 Release Date: Not Released +- Core + + - Changed :doc:`Loader Library ` to allow ``$autoload['drivers']`` assigning with custom property names. + - :doc:`Query Builder ` - Added a ``$batch_size`` parameter to the ``insert_batch()`` method (defaults to 100). From 86d2ec40b47f885a6d7e28b9dd519fac3332e7ae Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 17 Feb 2016 19:19:56 +0200 Subject: [PATCH 2647/3829] [ci skip] Update docs to reflect escape_like_str() usage with ESCAPE '\!' Closes #4462 --- user_guide_src/source/database/db_driver_reference.rst | 7 +++++++ user_guide_src/source/database/queries.rst | 8 +++++++- 2 files changed, 14 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/database/db_driver_reference.rst b/user_guide_src/source/database/db_driver_reference.rst index 1e436ede18d..1ecd389688a 100644 --- a/user_guide_src/source/database/db_driver_reference.rst +++ b/user_guide_src/source/database/db_driver_reference.rst @@ -234,6 +234,13 @@ This article is intended to be a reference for them. and ``_`` wildcard characters, so that they don't cause false-positives in LIKE conditions. + .. important:: The ``escape_like_str()`` method uses '!' (exclamation mark) + to escape special characters for *LIKE* conditions. Because this + method escapes partial strings that you would wrap in quotes + yourself, it cannot automatically add the ``ESCAPE '!'`` + condition for you, and so you'll have to manually do that. + + .. php:method:: primary($table) :param string $table: Table name diff --git a/user_guide_src/source/database/queries.rst b/user_guide_src/source/database/queries.rst index 43a0a30bf03..d4ffd16cfcc 100644 --- a/user_guide_src/source/database/queries.rst +++ b/user_guide_src/source/database/queries.rst @@ -123,7 +123,13 @@ this: $search = '20% raise'; $sql = "SELECT id FROM table WHERE column LIKE '%" . - $this->db->escape_like_str($search)."%'"; + $this->db->escape_like_str($search)."%' ESCAPE '!'"; + +.. important:: The ``escape_like_str()`` method uses '!' (exclamation mark) + to escape special characters for *LIKE* conditions. Because this + method escapes partial strings that you would wrap in quotes + yourself, it cannot automatically add the ``ESCAPE '!'`` + condition for you, and so you'll have to manually do that. ************** From 6f1342986a2954daa331b0a849e8a6817e5e1920 Mon Sep 17 00:00:00 2001 From: vibbow Date: Sat, 20 Feb 2016 17:30:48 +0000 Subject: [PATCH 2648/3829] Update CodeIgniter.php Declare get_instance() return type --- system/core/CodeIgniter.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 84f2241233c..3d8ae7e8746 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -359,7 +359,7 @@ * * Returns current CI instance object * - * @return object + * @return CI_Controller object */ function &get_instance() { From 7230d5dea1e2fa6b242df2b840ad2dc54f0306b0 Mon Sep 17 00:00:00 2001 From: versalle88 Date: Tue, 23 Feb 2016 11:44:35 -0500 Subject: [PATCH 2649/3829] Changed calls to class_exists to ignore __autoload() to match other calls --- system/core/Loader.php | 2 +- system/libraries/Session/Session.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index 80de804ead1..62781a7bf9f 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -321,7 +321,7 @@ public function model($model, $name = '', $db_conn = FALSE) } $model = ucfirst($model); - if ( ! class_exists($model)) + if ( ! class_exists($model, FALSE)) { foreach ($this->_ci_model_paths as $mod_path) { diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index b93c00c156b..c6413c102a2 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -231,7 +231,7 @@ interface_exists('SessionHandlerInterface', FALSE) OR require_once(BASEPATH.'lib } } - if ( ! class_exists($prefix.$class) && file_exists($file_path = APPPATH.'libraries/Session/drivers/'.$prefix.$class.'.php')) + if ( ! class_exists($prefix.$class, FAlSE) && file_exists($file_path = APPPATH.'libraries/Session/drivers/'.$prefix.$class.'.php')) { require_once($file_path); if (class_exists($prefix.$class, FALSE)) From 17c52eaef97a58545004b49141689ef612c9456c Mon Sep 17 00:00:00 2001 From: versalle88 Date: Tue, 23 Feb 2016 11:46:08 -0500 Subject: [PATCH 2650/3829] Changed calls to class_exists to ignore __autoload() to match other calls --- system/libraries/Session/Session.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index c6413c102a2..77c56ae7003 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -231,7 +231,7 @@ interface_exists('SessionHandlerInterface', FALSE) OR require_once(BASEPATH.'lib } } - if ( ! class_exists($prefix.$class, FAlSE) && file_exists($file_path = APPPATH.'libraries/Session/drivers/'.$prefix.$class.'.php')) + if ( ! class_exists($prefix.$class, FALSE) && file_exists($file_path = APPPATH.'libraries/Session/drivers/'.$prefix.$class.'.php')) { require_once($file_path); if (class_exists($prefix.$class, FALSE)) From 1e4e75421ec0fd00b75de1b34ca60d84b300e050 Mon Sep 17 00:00:00 2001 From: versalle88 Date: Tue, 23 Feb 2016 11:47:45 -0500 Subject: [PATCH 2651/3829] Removed --- system/libraries/Session/Session.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index 77c56ae7003..b93c00c156b 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -231,7 +231,7 @@ interface_exists('SessionHandlerInterface', FALSE) OR require_once(BASEPATH.'lib } } - if ( ! class_exists($prefix.$class, FALSE) && file_exists($file_path = APPPATH.'libraries/Session/drivers/'.$prefix.$class.'.php')) + if ( ! class_exists($prefix.$class) && file_exists($file_path = APPPATH.'libraries/Session/drivers/'.$prefix.$class.'.php')) { require_once($file_path); if (class_exists($prefix.$class, FALSE)) From 82d5c231d55aa290a2739d01055a9b8e6c8243a6 Mon Sep 17 00:00:00 2001 From: versalle88 Date: Tue, 23 Feb 2016 11:48:04 -0500 Subject: [PATCH 2652/3829] Fixed typo --- system/libraries/Session/Session.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index b93c00c156b..77c56ae7003 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -231,7 +231,7 @@ interface_exists('SessionHandlerInterface', FALSE) OR require_once(BASEPATH.'lib } } - if ( ! class_exists($prefix.$class) && file_exists($file_path = APPPATH.'libraries/Session/drivers/'.$prefix.$class.'.php')) + if ( ! class_exists($prefix.$class, FALSE) && file_exists($file_path = APPPATH.'libraries/Session/drivers/'.$prefix.$class.'.php')) { require_once($file_path); if (class_exists($prefix.$class, FALSE)) From 738b9e30404a56a8e2e8053f024550232b72ea09 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 24 Feb 2016 12:14:10 +0200 Subject: [PATCH 2653/3829] Merge pull request #4480 from versalle88/develop Changed class_exists() calls to ignore __autoload() --- system/core/Loader.php | 2 +- system/libraries/Session/Session.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index 80de804ead1..62781a7bf9f 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -321,7 +321,7 @@ public function model($model, $name = '', $db_conn = FALSE) } $model = ucfirst($model); - if ( ! class_exists($model)) + if ( ! class_exists($model, FALSE)) { foreach ($this->_ci_model_paths as $mod_path) { diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index b93c00c156b..77c56ae7003 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -231,7 +231,7 @@ interface_exists('SessionHandlerInterface', FALSE) OR require_once(BASEPATH.'lib } } - if ( ! class_exists($prefix.$class) && file_exists($file_path = APPPATH.'libraries/Session/drivers/'.$prefix.$class.'.php')) + if ( ! class_exists($prefix.$class, FALSE) && file_exists($file_path = APPPATH.'libraries/Session/drivers/'.$prefix.$class.'.php')) { require_once($file_path); if (class_exists($prefix.$class, FALSE)) From fa34429e85b4bf452ba595072124a884ca3e8b89 Mon Sep 17 00:00:00 2001 From: sprakash4 Date: Fri, 26 Feb 2016 16:02:07 -0800 Subject: [PATCH 2654/3829] Downgraded log level for some pesky messages to INFO --- system/core/Config.php | 2 +- system/core/Input.php | 2 +- system/core/Output.php | 4 ++-- system/core/Utf8.php | 4 ++-- 4 files changed, 6 insertions(+), 6 deletions(-) diff --git a/system/core/Config.php b/system/core/Config.php index ca6fb379371..5c6ba2a4d17 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -169,7 +169,7 @@ public function load($file = '', $use_sections = FALSE, $fail_gracefully = FALSE $this->is_loaded[] = $file_path; $config = NULL; $loaded = TRUE; - log_message('debug', 'Config file loaded: '.$file_path); + log_message('info', 'Config file loaded: '.$file_path); } } diff --git a/system/core/Input.php b/system/core/Input.php index a7c9ecd0d74..59b39620c5d 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -653,7 +653,7 @@ protected function _sanitize_globals() // Sanitize PHP_SELF $_SERVER['PHP_SELF'] = strip_tags($_SERVER['PHP_SELF']); - log_message('debug', 'Global POST, GET and COOKIE data sanitized'); + log_message('info', 'Global POST, GET and COOKIE data sanitized'); } // -------------------------------------------------------------------- diff --git a/system/core/Output.php b/system/core/Output.php index ec9c21b9177..6e0b4e724ea 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -492,7 +492,7 @@ public function _display($output = '') echo $output; log_message('info', 'Final output sent to browser'); - log_message('debug', 'Total execution time: '.$elapsed); + log_message('info', 'Total execution time: '.$elapsed); return; } @@ -529,7 +529,7 @@ public function _display($output = '') } log_message('info', 'Final output sent to browser'); - log_message('debug', 'Total execution time: '.$elapsed); + log_message('info', 'Total execution time: '.$elapsed); } // -------------------------------------------------------------------- diff --git a/system/core/Utf8.php b/system/core/Utf8.php index f2f42e6ca6c..93c61167501 100644 --- a/system/core/Utf8.php +++ b/system/core/Utf8.php @@ -66,12 +66,12 @@ public function __construct() ) { define('UTF8_ENABLED', TRUE); - log_message('debug', 'UTF-8 Support Enabled'); + log_message('info', 'UTF-8 Support Enabled'); } else { define('UTF8_ENABLED', FALSE); - log_message('debug', 'UTF-8 Support Disabled'); + log_message('info', 'UTF-8 Support Disabled'); } log_message('info', 'Utf8 Class Initialized'); From b89f5d3ddfc897f0afc4f15a0993f8f1b2b56b88 Mon Sep 17 00:00:00 2001 From: roastduck Date: Sun, 28 Feb 2016 10:18:19 +0800 Subject: [PATCH 2655/3829] clean current lock key in redis session driver set $this->_lock_key to NULL after close Signed-off-by: roastduck --- system/libraries/Session/drivers/Session_redis_driver.php | 1 + 1 file changed, 1 insertion(+) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index dc4328644b4..5081bd5d47f 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -278,6 +278,7 @@ public function close() if ($this->_redis->ping() === '+PONG') { isset($this->_lock_key) && $this->_redis->delete($this->_lock_key); + $this->_lock_key = NULL; if ($this->_redis->close() === $this->_failure) { return $this->_failure; From 9d1c16a8ccbfe555e5646b4a08c47d26dc36a33c Mon Sep 17 00:00:00 2001 From: Claudio Galdiolo Date: Mon, 29 Feb 2016 09:36:20 -0500 Subject: [PATCH 2656/3829] [ci skip] fix comment --- system/database/DB_query_builder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index d6f35e0df66..eb9620f1637 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -2342,7 +2342,7 @@ protected function _compile_select($select_override = FALSE) * * Escapes identifiers in WHERE and HAVING statements at execution time. * - * Required so that aliases are tracked properly, regardless of wether + * Required so that aliases are tracked properly, regardless of whether * where(), or_where(), having(), or_having are called prior to from(), * join() and dbprefix is added only if needed. * From 99c17e516438843a69496046e5bc0ea627c3b0f8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 29 Feb 2016 16:53:45 +0200 Subject: [PATCH 2657/3829] Merge pull request #4495 from galdiolo/patch-15 [ci skip] Fix a comment typo --- system/database/DB_query_builder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 6bf039ead59..c862d937de2 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -2350,7 +2350,7 @@ protected function _compile_select($select_override = FALSE) * * Escapes identifiers in WHERE and HAVING statements at execution time. * - * Required so that aliases are tracked properly, regardless of wether + * Required so that aliases are tracked properly, regardless of whether * where(), or_where(), having(), or_having are called prior to from(), * join() and dbprefix is added only if needed. * From 7f0f73ba81ad712f2553e2f7ef5d0a50f16e119e Mon Sep 17 00:00:00 2001 From: __RD Date: Mon, 29 Feb 2016 22:56:29 +0800 Subject: [PATCH 2658/3829] delete lock directly -> call _release_lock() --- system/libraries/Session/drivers/Session_redis_driver.php | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index 5081bd5d47f..3b648d18364 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -277,8 +277,7 @@ public function close() try { if ($this->_redis->ping() === '+PONG') { - isset($this->_lock_key) && $this->_redis->delete($this->_lock_key); - $this->_lock_key = NULL; + $this->_release_lock($this->_lock_key); if ($this->_redis->close() === $this->_failure) { return $this->_failure; From 9a15344bc610b2c6a3a1a0a0b73db2fe0eba987a Mon Sep 17 00:00:00 2001 From: __RD Date: Mon, 29 Feb 2016 22:58:23 +0800 Subject: [PATCH 2659/3829] fix typo --- system/libraries/Session/drivers/Session_redis_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index 3b648d18364..c0c20a7cabd 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -277,7 +277,7 @@ public function close() try { if ($this->_redis->ping() === '+PONG') { - $this->_release_lock($this->_lock_key); + $this->_release_lock(); if ($this->_redis->close() === $this->_failure) { return $this->_failure; From f06858c3df09fd33c80f9fc415b6c63b3430869c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 29 Feb 2016 17:35:12 +0200 Subject: [PATCH 2660/3829] Merge pull request #4491 from roastduck/develop [ci skip] Clean current lock key on close() in redis session driver --- system/libraries/Session/drivers/Session_redis_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index ad95309da7a..7b7951f5d82 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -254,7 +254,7 @@ public function close() try { if ($this->_redis->ping() === '+PONG') { - isset($this->_lock_key) && $this->_redis->delete($this->_lock_key); + $this->_release_lock(); if ($this->_redis->close() === $this->_failure) { return $this->_failure; From 215922144082eb4b613e2418ba552776d23ea1db Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 29 Feb 2016 17:38:51 +0200 Subject: [PATCH 2661/3829] [ci skip] Apply #4491 to Memcached driver --- system/libraries/Session/drivers/Session_memcached_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index 875e72255d5..4bd63991f87 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -246,7 +246,7 @@ public function close() { if (isset($this->_memcached)) { - isset($this->_lock_key) && $this->_memcached->delete($this->_lock_key); + $this->_release_lock(); if ( ! $this->_memcached->quit()) { return $this->_failure; From e0b11e9a57f1fa3ef8b0d8ee7cef640aa5cc0eef Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 29 Feb 2016 17:41:19 +0200 Subject: [PATCH 2662/3829] [ci skip] Add changelog entries for PR #4491 and 215922144082eb4b613e2418ba552776d23ea1db --- user_guide_src/source/changelog.rst | 2 ++ 1 file changed, 2 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 6bbd7f9e9ce..45e891e8905 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -35,6 +35,8 @@ Bug fixes for 3.0.5 - Fixed a bug where :doc:`Session Library ` didn't properly handle its locks' statuses with the 'memcached' driver. - Fixed a bug where :doc:`Session Library ` triggered a PHP warning when writing a newly created session with the 'memcached' driver. - Fixed a bug (#4449) - :doc:`Query Builder ` method ``join()`` breaks conditions containing ``IS NULL``, ``IS NOT NULL``. +- Fixed a bug (#4491) - :doc:`Session Library ` didn't clean-up internal variables for emulated locks with the 'redis' driver. +- Fixed a bug where :doc:`Session Library ` didn't clean-up internal variables for emulated locks with the 'memcached' driver. Version 3.0.4 ============= From e1f36e341a4ff513f8ba1f9908326f159edca4e7 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 1 Mar 2016 13:33:37 +0200 Subject: [PATCH 2663/3829] [ci skip] Move flock() call in CI_Log::write_log() immediately after fopen() --- system/core/Log.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/core/Log.php b/system/core/Log.php index 7c81d358b28..1abdaa00e85 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -191,6 +191,8 @@ public function write_log($level, $msg) return FALSE; } + flock($fp, LOCK_EX); + // Instantiating DateTime with microseconds appended to initial date is needed for proper support of this format if (strpos($this->_date_fmt, 'u') !== FALSE) { @@ -206,8 +208,6 @@ public function write_log($level, $msg) $message .= $this->_format_line($level, $date, $msg); - flock($fp, LOCK_EX); - for ($written = 0, $length = strlen($message); $written < $length; $written += $result) { if (($result = fwrite($fp, substr($message, $written))) === FALSE) From b03380c8d20f76bbc6b49c7d9d31198bb769f422 Mon Sep 17 00:00:00 2001 From: Adi Prasetyo Date: Thu, 3 Mar 2016 03:53:26 +0700 Subject: [PATCH 2664/3829] Doc , update image_lib.rst > at *the* same level *as* --- user_guide_src/source/libraries/image_lib.rst | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/image_lib.rst b/user_guide_src/source/libraries/image_lib.rst index d5c24c1b097..b25d2512f1a 100644 --- a/user_guide_src/source/libraries/image_lib.rst +++ b/user_guide_src/source/libraries/image_lib.rst @@ -63,7 +63,8 @@ called *mypic.jpg* located in the source_image folder, then create a thumbnail that is 75 X 50 pixels using the GD2 image_library. Since the maintain_ratio option is enabled, the thumb will be as close to the target width and height as possible while preserving the original aspect -ratio. The thumbnail will be called *mypic_thumb.jpg* +ratio. The thumbnail will be called *mypic_thumb.jpg* and located at +the same level as *source_image*. .. note:: In order for the image class to be allowed to do any processing, the folder containing the image files must have write From 858e8b704fef1378713e3a6c865dcd2b07577076 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 4 Mar 2016 15:19:24 +0200 Subject: [PATCH 2665/3829] Merge pull request #4502 from brutalcrozt/develop [ci skip] Update image_lib docs --- user_guide_src/source/libraries/image_lib.rst | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/image_lib.rst b/user_guide_src/source/libraries/image_lib.rst index 27d2eb98c3f..22407962f71 100644 --- a/user_guide_src/source/libraries/image_lib.rst +++ b/user_guide_src/source/libraries/image_lib.rst @@ -63,7 +63,8 @@ called *mypic.jpg* located in the source_image folder, then create a thumbnail that is 75 X 50 pixels using the GD2 image_library. Since the maintain_ratio option is enabled, the thumb will be as close to the target width and height as possible while preserving the original aspect -ratio. The thumbnail will be called *mypic_thumb.jpg* +ratio. The thumbnail will be called *mypic_thumb.jpg* and located at +the same level as *source_image*. .. note:: In order for the image class to be allowed to do any processing, the folder containing the image files must have write From 1d7443acb57fa473295ecf4856a456d2c4fbe59f Mon Sep 17 00:00:00 2001 From: mixinix Date: Mon, 7 Mar 2016 05:23:38 +0700 Subject: [PATCH 2666/3829] Update calendar.rst --- user_guide_src/source/libraries/calendar.rst | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/user_guide_src/source/libraries/calendar.rst b/user_guide_src/source/libraries/calendar.rst index ea0f4d108af..8fdacf1d75d 100644 --- a/user_guide_src/source/libraries/calendar.rst +++ b/user_guide_src/source/libraries/calendar.rst @@ -60,10 +60,10 @@ parameter of the calendar generating function. Consider this example:: $this->load->library('calendar'); $data = array( - 3 => 'http://example.com/news/article/2006/03/', - 7 => 'http://example.com/news/article/2006/07/', - 13 => 'http://example.com/news/article/2006/13/', - 26 => 'http://example.com/news/article/2006/26/' + 3 => 'http://example.com/news/article/2006/06/03/', + 7 => 'http://example.com/news/article/2006/06/07/', + 13 => 'http://example.com/news/article/2006/06/13/', + 26 => 'http://example.com/news/article/2006/06/26/' ); echo $this->calendar->generate(2006, 6, $data); From c1721f15c72fb0b062a381d89dadaf1e86f8576b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 7 Mar 2016 10:03:58 +0200 Subject: [PATCH 2667/3829] Merge pull request #4506 from mixinix/patch-1 [ci skip] Update Calendar docs --- user_guide_src/source/libraries/calendar.rst | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/user_guide_src/source/libraries/calendar.rst b/user_guide_src/source/libraries/calendar.rst index ea0f4d108af..8fdacf1d75d 100644 --- a/user_guide_src/source/libraries/calendar.rst +++ b/user_guide_src/source/libraries/calendar.rst @@ -60,10 +60,10 @@ parameter of the calendar generating function. Consider this example:: $this->load->library('calendar'); $data = array( - 3 => 'http://example.com/news/article/2006/03/', - 7 => 'http://example.com/news/article/2006/07/', - 13 => 'http://example.com/news/article/2006/13/', - 26 => 'http://example.com/news/article/2006/26/' + 3 => 'http://example.com/news/article/2006/06/03/', + 7 => 'http://example.com/news/article/2006/06/07/', + 13 => 'http://example.com/news/article/2006/06/13/', + 26 => 'http://example.com/news/article/2006/06/26/' ); echo $this->calendar->generate(2006, 6, $data); From 8108b612fb80327215ae66b53c75c158d6f07e62 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 7 Mar 2016 10:10:17 +0200 Subject: [PATCH 2668/3829] [ci skip] Fix transactions for the ibase driver Reported via the forums: http://forum.codeigniter.com/thread-64559.html --- system/database/drivers/ibase/ibase_driver.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php index cbc1022ff88..c1055c1e6a8 100644 --- a/system/database/drivers/ibase/ibase_driver.php +++ b/system/database/drivers/ibase/ibase_driver.php @@ -126,7 +126,7 @@ public function version() */ protected function _execute($sql) { - return ibase_query($this->conn_id, $sql); + return ibase_query(isset($this->_ibase_trans) ? $this->_ibase_trans : $this->conn_id, $sql); } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 45e891e8905..d963b57dc3d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -37,6 +37,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4449) - :doc:`Query Builder ` method ``join()`` breaks conditions containing ``IS NULL``, ``IS NOT NULL``. - Fixed a bug (#4491) - :doc:`Session Library ` didn't clean-up internal variables for emulated locks with the 'redis' driver. - Fixed a bug where :doc:`Session Library ` didn't clean-up internal variables for emulated locks with the 'memcached' driver. +- Fixed a bug where :doc:`Database ` transactions didn't work with the 'ibase' driver. Version 3.0.4 ============= From 3c0d8da56b8535bb3ab563256e221c81a4a96e4a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 7 Mar 2016 10:52:15 +0200 Subject: [PATCH 2669/3829] Fix #4475 --- system/core/Security.php | 9 ++++++++- tests/codeigniter/core/Security_test.php | 6 ++++-- user_guide_src/source/changelog.rst | 1 + 3 files changed, 13 insertions(+), 3 deletions(-) diff --git a/system/core/Security.php b/system/core/Security.php index bad511dd3a7..d5305d1ca0b 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -762,7 +762,14 @@ public function sanitize_filename($str, $relative_path = FALSE) */ public function strip_image_tags($str) { - return preg_replace(array('##', '##'), '\\1', $str); + return preg_replace( + array( + '##i', + '#`]+)).*?\>#i' + ), + '\\2', + $str + ); } // ---------------------------------------------------------------- diff --git a/tests/codeigniter/core/Security_test.php b/tests/codeigniter/core/Security_test.php index 2ef8228631c..8328c37cbc9 100644 --- a/tests/codeigniter/core/Security_test.php +++ b/tests/codeigniter/core/Security_test.php @@ -299,7 +299,8 @@ public function test_strip_image_tags() 'MD Logo', '', '', - '' + '', + '' ); $urls = array( @@ -310,7 +311,8 @@ public function test_strip_image_tags() 'mdn-logo-sm.png', '', '', - '' + '', + 'non-quoted.attribute' ); for ($i = 0; $i < count($imgtags); $i++) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d963b57dc3d..12d1fc4a363 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -38,6 +38,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4491) - :doc:`Session Library ` didn't clean-up internal variables for emulated locks with the 'redis' driver. - Fixed a bug where :doc:`Session Library ` didn't clean-up internal variables for emulated locks with the 'memcached' driver. - Fixed a bug where :doc:`Database ` transactions didn't work with the 'ibase' driver. +- Fixed a bug (#4475) - :doc:`Security Library ` method ``strip_image_tags()`` preserves only the first URL character from non-quoted *src* attributes. Version 3.0.4 ============= From e6a5f797de7381791537b736eb83b71c6fb28b39 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 7 Mar 2016 11:34:43 +0200 Subject: [PATCH 2670/3829] [ci skip] Fix Profiler not applying htmlspecialchars() to all inputs --- system/libraries/Profiler.php | 44 ++++++++++++----------------- user_guide_src/source/changelog.rst | 1 + 2 files changed, 19 insertions(+), 26 deletions(-) diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index cc76414362f..cf455d3dab9 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -314,12 +314,14 @@ protected function _compile_get() foreach ($_GET as $key => $val) { - is_int($key) OR $key = "'".$key."'"; + is_int($key) OR $key = "'".htmlspecialchars($key, ENT_QUOTES, config_item('charset'))."'"; + $val = (is_array($val) OR is_object($val)) + ? '
'.htmlspecialchars(print_r($val, TRUE), ENT_QUOTES, config_item('charset'))
+					: htmlspecialchars($val, ENT_QUOTES, config_item('charset'));
 
 				$output .= '$_GET['
 					.$key.']   '
-					.((is_array($val) OR is_object($val)) ? '
'.htmlspecialchars(stripslashes(print_r($val, TRUE))).'
' : htmlspecialchars(stripslashes($val))) - ."\n"; + .$val."\n"; } $output .= "\n"; @@ -352,36 +354,26 @@ protected function _compile_post() foreach ($_POST as $key => $val) { - is_int($key) OR $key = "'".$key."'"; + is_int($key) OR $key = "'".htmlspecialchars($key, ENT_QUOTES, config_item('charset'))."'"; + $val = (is_array($val) OR is_object($val)) + ? '
'.htmlspecialchars(print_r($val, TRUE), ENT_QUOTES, config_item('charset'))
+					: htmlspecialchars($val, ENT_QUOTES, config_item('charset'));
 
 				$output .= '$_POST['
-					.$key.']   ';
-
-				if (is_array($val) OR is_object($val))
-				{
-					$output .= '
'.htmlspecialchars(stripslashes(print_r($val, TRUE))).'
'; - } - else - { - $output .= htmlspecialchars(stripslashes($val)); - } - - $output .= "\n"; + .$key.']   ' + .$val."\n"; } foreach ($_FILES as $key => $val) { - is_int($key) OR $key = "'".$key."'"; + is_int($key) OR $key = "'".htmlspecialchars($key, ENT_QUOTES, config_item('charset'))."'"; + $val = (is_array($val) OR is_object($val)) + ? '
'.htmlspecialchars(print_r($val, TRUE), ENT_QUOTES, config_item('charset'))
+					: htmlspecialchars($val, ENT_QUOTES, config_item('charset'));
 
 				$output .= '$_FILES['
-					.$key.']   ';
-
-				if (is_array($val) OR is_object($val))
-				{
-					$output .= '
'.htmlspecialchars(stripslashes(print_r($val, TRUE))).'
'; - } - - $output .= "\n"; + .$key.']   ' + .$val."\n"; } $output .= "\n"; @@ -465,7 +457,7 @@ protected function _compile_http_headers() foreach (array('HTTP_ACCEPT', 'HTTP_USER_AGENT', 'HTTP_CONNECTION', 'SERVER_PORT', 'SERVER_NAME', 'REMOTE_ADDR', 'SERVER_SOFTWARE', 'HTTP_ACCEPT_LANGUAGE', 'SCRIPT_NAME', 'REQUEST_METHOD',' HTTP_HOST', 'REMOTE_HOST', 'CONTENT_TYPE', 'SERVER_PROTOCOL', 'QUERY_STRING', 'HTTP_ACCEPT_ENCODING', 'HTTP_X_FORWARDED_FOR', 'HTTP_DNT') as $header) { - $val = isset($_SERVER[$header]) ? $_SERVER[$header] : ''; + $val = isset($_SERVER[$header]) ? htmlspecialchars($_SERVER[$header], ENT_QUOTES, config_item('charset')) : ''; $output .= '' .$header.'  '.$val."\n"; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 12d1fc4a363..4f2bfc04e2a 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -39,6 +39,7 @@ Bug fixes for 3.0.5 - Fixed a bug where :doc:`Session Library ` didn't clean-up internal variables for emulated locks with the 'memcached' driver. - Fixed a bug where :doc:`Database ` transactions didn't work with the 'ibase' driver. - Fixed a bug (#4475) - :doc:`Security Library ` method ``strip_image_tags()`` preserves only the first URL character from non-quoted *src* attributes. +- Fixed a bug where :doc:`Profiler Library ` didn't apply ``htmlspecialchars()`` to all displayed inputs. Version 3.0.4 ============= From 1b7840b58c0705cc8a78c164940a114fa0012fae Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 7 Mar 2016 13:01:57 +0200 Subject: [PATCH 2671/3829] [ci skip] Add random_compat as a suggested package in composer.json --- composer.json | 3 +++ 1 file changed, 3 insertions(+) diff --git a/composer.json b/composer.json index 4a9e8748e80..64d1be155f6 100644 --- a/composer.json +++ b/composer.json @@ -13,6 +13,9 @@ "require": { "php": ">=5.2.4" }, + "suggest": { + "paragonie/random_compat": "Provides better randomness in PHP 5.x" + }, "require-dev": { "mikey179/vfsStream": "1.1.*" } From a479ae85f21caef9d109b2e75229853e0b660cce Mon Sep 17 00:00:00 2001 From: vibbow Date: Mon, 7 Mar 2016 15:38:36 +0000 Subject: [PATCH 2672/3829] Update CodeIgniter.php --- system/core/CodeIgniter.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 3d8ae7e8746..d9ac7efe301 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -359,7 +359,7 @@ * * Returns current CI instance object * - * @return CI_Controller object + * @return CI_Controller */ function &get_instance() { From 7e0bde27c8a6669b781d87c15ea51b750c91f97c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 7 Mar 2016 17:52:26 +0200 Subject: [PATCH 2673/3829] Merge pull request #4472 from vibbow/patch-1 [ci skip] Update get_instance() return type in docblock --- system/core/CodeIgniter.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 52b542654a9..bf41ab2a21f 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -359,7 +359,7 @@ * * Returns current CI instance object * - * @return object + * @return CI_Controller */ function &get_instance() { From a027a7fd0d770cec0d71e888d8b6f4aa1568ce9f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 10 Mar 2016 13:59:20 +0200 Subject: [PATCH 2674/3829] Improve ext/session error messages --- system/libraries/Session/Session_driver.php | 20 +++++++++++++++++ .../drivers/Session_database_driver.php | 21 +++++++++--------- .../drivers/Session_memcached_driver.php | 20 ++++++++--------- .../Session/drivers/Session_redis_driver.php | 22 +++++++++---------- user_guide_src/source/changelog.rst | 4 ++++ 5 files changed, 55 insertions(+), 32 deletions(-) diff --git a/system/libraries/Session/Session_driver.php b/system/libraries/Session/Session_driver.php index 98fc897e3b2..55ddb25e0cc 100644 --- a/system/libraries/Session/Session_driver.php +++ b/system/libraries/Session/Session_driver.php @@ -168,4 +168,24 @@ protected function _release_lock() return TRUE; } + // ------------------------------------------------------------------------ + + /** + * Fail + * + * Drivers other than the 'files' one don't (need to) use the + * session.save_path INI setting, but that leads to confusing + * error messages emitted by PHP when open() or write() fail, + * as the message contains session.save_path ... + * To work around the problem, the drivers will call this method + * so that the INI is set just in time for the error message to + * be properly generated. + * + * @return mixed + */ + protected function _fail() + { + ini_set('session.save_path', config_item('sess_save_path')); + return $this->_failure; + } } diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index 3ba9d3d366b..da0331220fa 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -127,7 +127,7 @@ public function open($save_path, $name) { if (empty($this->_db->conn_id) && ! $this->_db->db_connect()) { - return $this->_failure; + return $this->_fail(); } return $this->_success; @@ -163,7 +163,7 @@ public function read($session_id) $this->_db->where('ip_address', $_SERVER['REMOTE_ADDR']); } - if (($result = $this->_db->get()->row()) === NULL) + if ( ! ($result = $this->_db->get()) OR $result->row() === NULL) { // PHP7 will reuse the same SessionHandler object after // ID regeneration, so we need to explicitly set this to @@ -210,7 +210,7 @@ public function write($session_id, $session_data) { if ( ! $this->_release_lock() OR ! $this->_get_lock($session_id)) { - return $this->_failure; + return $this->_fail(); } $this->_row_exists = FALSE; @@ -218,7 +218,7 @@ public function write($session_id, $session_data) } elseif ($this->_lock === FALSE) { - return $this->_failure; + return $this->_fail(); } if ($this->_row_exists === FALSE) @@ -237,7 +237,7 @@ public function write($session_id, $session_data) return $this->_success; } - return $this->_failure; + return $this->_fail(); } $this->_db->where('id', $session_id); @@ -260,7 +260,7 @@ public function write($session_id, $session_data) return $this->_success; } - return $this->_failure; + return $this->_fail(); } // ------------------------------------------------------------------------ @@ -275,7 +275,7 @@ public function write($session_id, $session_data) public function close() { return ($this->_lock && ! $this->_release_lock()) - ? $this->_failure + ? $this->_fail() : $this->_success; } @@ -304,7 +304,7 @@ public function destroy($session_id) if ( ! $this->_db->delete($this->_config['save_path'])) { - return $this->_failure; + return $this->_fail(); } } @@ -314,7 +314,7 @@ public function destroy($session_id) return $this->_success; } - return $this->_failure; + return $this->_fail(); } // ------------------------------------------------------------------------ @@ -334,7 +334,7 @@ public function gc($maxlifetime) return ($this->_db->delete($this->_config['save_path'], 'timestamp < '.(time() - $maxlifetime))) ? $this->_success - : $this->_failure; + : $this->_fail(); } // ------------------------------------------------------------------------ @@ -414,5 +414,4 @@ protected function _release_lock() return parent::_release_lock(); } - } \ No newline at end of file diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index 4bd63991f87..88eb4b3a6f8 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -117,7 +117,7 @@ public function open($save_path, $name) { $this->_memcached = NULL; log_message('error', 'Session: Invalid Memcached save path format: '.$this->_config['save_path']); - return $this->_failure; + return $this->_fail(); } foreach ($matches as $match) @@ -142,7 +142,7 @@ public function open($save_path, $name) if (empty($server_list)) { log_message('error', 'Session: Memcached server pool is empty.'); - return $this->_failure; + return $this->_fail(); } return $this->_success; @@ -170,7 +170,7 @@ public function read($session_id) return $session_data; } - return $this->_failure; + return $this->_fail(); } // ------------------------------------------------------------------------ @@ -188,14 +188,14 @@ public function write($session_id, $session_data) { if ( ! isset($this->_memcached)) { - return $this->_failure; + return $this->_fail(); } // Was the ID regenerated? elseif ($session_id !== $this->_session_id) { if ( ! $this->_release_lock() OR ! $this->_get_lock($session_id)) { - return $this->_failure; + return $this->_fail(); } $this->_fingerprint = md5(''); @@ -218,7 +218,7 @@ public function write($session_id, $session_data) return $this->_success; } - return $this->_failure; + return $this->_fail(); } if ( @@ -230,7 +230,7 @@ public function write($session_id, $session_data) } } - return $this->_failure; + return $this->_fail(); } // ------------------------------------------------------------------------ @@ -249,14 +249,14 @@ public function close() $this->_release_lock(); if ( ! $this->_memcached->quit()) { - return $this->_failure; + return $this->_fail(); } $this->_memcached = NULL; return $this->_success; } - return $this->_failure; + return $this->_fail(); } // ------------------------------------------------------------------------ @@ -278,7 +278,7 @@ public function destroy($session_id) return $this->_success; } - return $this->_failure; + return $this->_fail(); } // ------------------------------------------------------------------------ diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index 7b7951f5d82..cc242dd3d93 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -131,7 +131,7 @@ public function open($save_path, $name) { if (empty($this->_config['save_path'])) { - return $this->_failure; + return $this->_fail(); } $redis = new Redis(); @@ -153,7 +153,7 @@ public function open($save_path, $name) return $this->_success; } - return $this->_failure; + return $this->_fail(); } // ------------------------------------------------------------------------ @@ -183,7 +183,7 @@ public function read($session_id) return $session_data; } - return $this->_failure; + return $this->_fail(); } // ------------------------------------------------------------------------ @@ -201,14 +201,14 @@ public function write($session_id, $session_data) { if ( ! isset($this->_redis)) { - return $this->_failure; + return $this->_fail(); } // Was the ID regenerated? elseif ($session_id !== $this->_session_id) { if ( ! $this->_release_lock() OR ! $this->_get_lock($session_id)) { - return $this->_failure; + return $this->_fail(); } $this->_key_exists = FALSE; @@ -227,15 +227,15 @@ public function write($session_id, $session_data) return $this->_success; } - return $this->_failure; + return $this->_fail(); } return ($this->_redis->setTimeout($this->_key_prefix.$session_id, $this->_config['expiration'])) ? $this->_success - : $this->_failure; + : $this->_fail(); } - return $this->_failure; + return $this->_fail(); } // ------------------------------------------------------------------------ @@ -255,9 +255,9 @@ public function close() if ($this->_redis->ping() === '+PONG') { $this->_release_lock(); - if ($this->_redis->close() === $this->_failure) + if ($this->_redis->close() === $this->_fail()) { - return $this->_failure; + return $this->_fail(); } } } @@ -296,7 +296,7 @@ public function destroy($session_id) return $this->_success; } - return $this->_failure; + return $this->_fail(); } // ------------------------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4f2bfc04e2a..888ae5f8269 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -11,6 +11,10 @@ Release Date: Not Released - Changed :doc:`Loader Library ` to allow ``$autoload['drivers']`` assigning with custom property names. +- General Changes + + - Updated the :doc:`Session Library ` to produce friendlier error messages on failures with drivers other than 'files'. + - :doc:`Query Builder ` - Added a ``$batch_size`` parameter to the ``insert_batch()`` method (defaults to 100). From 7bdd4950da2226859b00042ce9e8b2b9797129a7 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 10 Mar 2016 14:01:09 +0200 Subject: [PATCH 2675/3829] Fix a logical error from last commit --- system/libraries/Session/drivers/Session_database_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index da0331220fa..317bd7d4d0a 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -163,7 +163,7 @@ public function read($session_id) $this->_db->where('ip_address', $_SERVER['REMOTE_ADDR']); } - if ( ! ($result = $this->_db->get()) OR $result->row() === NULL) + if ( ! ($result = $this->_db->get()) OR ($result = $result->row()) === NULL) { // PHP7 will reuse the same SessionHandler object after // ID regeneration, so we need to explicitly set this to From f56068bfd34e3ebc1325b049bf33901d855c7321 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 11 Mar 2016 11:11:53 +0200 Subject: [PATCH 2676/3829] Revert an unintended change from a027a7fd0d770cec0d71e888d8b6f4aa1568ce9f --- system/libraries/Session/drivers/Session_redis_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index cc242dd3d93..e4e09fe0dda 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -255,7 +255,7 @@ public function close() if ($this->_redis->ping() === '+PONG') { $this->_release_lock(); - if ($this->_redis->close() === $this->_fail()) + if ($this->_redis->close() === $this->_failure) { return $this->_fail(); } From 1be8987176ad422ae6bc8af5c8f148eba9b5dff1 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 11 Mar 2016 18:12:57 +0200 Subject: [PATCH 2677/3829] Fix a number of CI_Cache bugs Fixes #4277 Supersedes #4474 Really fixes #4066 --- system/libraries/Cache/drivers/Cache_apc.php | 27 +++++++++++++------ .../Cache/drivers/Cache_memcached.php | 1 + .../libraries/Cache/drivers/Cache_redis.php | 6 +++++ .../Cache/drivers/Cache_wincache.php | 27 +++++++++++++------ user_guide_src/source/changelog.rst | 2 ++ 5 files changed, 47 insertions(+), 16 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_apc.php b/system/libraries/Cache/drivers/Cache_apc.php index dd18e7bc84e..07ea8f474f9 100644 --- a/system/libraries/Cache/drivers/Cache_apc.php +++ b/system/libraries/Cache/drivers/Cache_apc.php @@ -48,6 +48,24 @@ */ class CI_Cache_apc extends CI_Driver { + /** + * Class constructor + * + * Only present so that an error message is logged + * if APC is not available. + * + * @return void + */ + public function __construct() + { + if ( ! $this->is_supported()) + { + log_message('error', 'Cache: Failed to initialize APC; extension not loaded/enabled?'); + } + } + + // ------------------------------------------------------------------------ + /** * Get * @@ -198,13 +216,6 @@ public function get_metadata($id) */ public function is_supported() { - if ( ! extension_loaded('apc') OR ! ini_get('apc.enabled')) - { - log_message('debug', 'The APC PHP extension must be loaded to use APC Cache.'); - return FALSE; - } - - return TRUE; + return (extension_loaded('apc') && ini_get('apc.enabled')); } - } diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index c44958b9765..7e67fc40f9c 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -107,6 +107,7 @@ public function __construct() else { log_message('error', 'Cache: Failed to create Memcache(d) object; extension not loaded?'); + return; } foreach ($this->_memcache_conf as $cache_server) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index 81b49e2fcb7..e9194a4997b 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -91,6 +91,12 @@ class CI_Cache_redis extends CI_Driver */ public function __construct() { + if ( ! $this->is_supported()) + { + log_message('error', 'Cache: Failed to create Redis object; extension not loaded?'); + return; + } + $config = array(); $CI =& get_instance(); diff --git a/system/libraries/Cache/drivers/Cache_wincache.php b/system/libraries/Cache/drivers/Cache_wincache.php index f66080514c0..d6a0d4fb6b8 100644 --- a/system/libraries/Cache/drivers/Cache_wincache.php +++ b/system/libraries/Cache/drivers/Cache_wincache.php @@ -51,6 +51,24 @@ */ class CI_Cache_wincache extends CI_Driver { + /** + * Class constructor + * + * Only present so that an error message is logged + * if APC is not available. + * + * @return void + */ + public function __construct() + { + if ( ! $this->is_supported()) + { + log_message('error', 'Cache: Failed to initialize Wincache; extension not loaded/enabled?'); + } + } + + // ------------------------------------------------------------------------ + /** * Get * @@ -194,13 +212,6 @@ public function get_metadata($id) */ public function is_supported() { - if ( ! extension_loaded('wincache') OR ! ini_get('wincache.ucenabled')) - { - log_message('debug', 'The Wincache PHP extension must be loaded to use Wincache Cache.'); - return FALSE; - } - - return TRUE; + return (extension_loaded('wincache') && ini_get('wincache.ucenabled')); } - } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 888ae5f8269..52e8d13d6db 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -44,6 +44,8 @@ Bug fixes for 3.0.5 - Fixed a bug where :doc:`Database ` transactions didn't work with the 'ibase' driver. - Fixed a bug (#4475) - :doc:`Security Library ` method ``strip_image_tags()`` preserves only the first URL character from non-quoted *src* attributes. - Fixed a bug where :doc:`Profiler Library ` didn't apply ``htmlspecialchars()`` to all displayed inputs. +- Fixed a bug (#4277) - :doc:`Cache Library ` triggered fatal errors if accessing the Memcache(d) and/or Redis driver and they are not available on the system. +- Fixed a bug where :doc:`Cache Library ` method ``is_supported()`` logged an error message on when it returns ``FALSE`` for the APC and Wincache drivers. Version 3.0.4 ============= From 92d1cc05362998ceabe39c4023f41fd939c1f5b2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 11 Mar 2016 18:19:23 +0200 Subject: [PATCH 2678/3829] Add a defensive check in CI_Loader::_ci_load() Prevents possible internal variable overwrites when loading views --- system/core/Loader.php | 8 ++++++++ user_guide_src/source/changelog.rst | 1 + 2 files changed, 9 insertions(+) diff --git a/system/core/Loader.php b/system/core/Loader.php index 62781a7bf9f..c742ae71a75 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -936,6 +936,14 @@ protected function _ci_load($_ci_data) */ if (is_array($_ci_vars)) { + foreach (array_keys($_ci_vars) as $key) + { + if (strncmp($key, '_ci_', 4) === 0) + { + unset($_ci_vars[$key]); + } + } + $this->_ci_cached_vars = array_merge($this->_ci_cached_vars, $_ci_vars); } extract($this->_ci_cached_vars); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 52e8d13d6db..11d7918e7bb 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -10,6 +10,7 @@ Release Date: Not Released - Core - Changed :doc:`Loader Library ` to allow ``$autoload['drivers']`` assigning with custom property names. + - Changed :doc:`Loader Library ` to ignore variables prefixed with '_ci_' when loading views. - General Changes From 59bcd1810f6c18e6dd4158003f122f750536d22e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 11 Mar 2016 18:23:27 +0200 Subject: [PATCH 2679/3829] [ci skip] Prepare for 3.0.5 release --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/changelog.rst | 2 +- user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/installation/downloads.rst | 2 +- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index bf41ab2a21f..94d34c3fd9d 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - define('CI_VERSION', '3.0.5-dev'); + define('CI_VERSION', '3.0.5'); /* * ------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 11d7918e7bb..efb5c111c48 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -5,7 +5,7 @@ Change Log Version 3.0.5 ============= -Release Date: Not Released +Release Date: March 11, 2016 - Core diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index 12339eb9194..6c263d7ff3b 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.0.5-dev' +version = '3.0.5' # The full version, including alpha/beta/rc tags. -release = '3.0.5-dev' +release = '3.0.5' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index c7db54cd80f..598bc5a9a94 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,7 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.0.5-dev (Current version) `_ +- `CodeIgniter v3.0.5 (Current version) `_ - `CodeIgniter v3.0.4 `_ - `CodeIgniter v3.0.3 `_ - `CodeIgniter v3.0.2 `_ From aac958210f862ed74f85f1ba8963775bca2d6402 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 11 Mar 2016 18:25:37 +0200 Subject: [PATCH 2680/3829] [ci skip] Fix a wrong page link in the changelog --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index efb5c111c48..c689017f6e4 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -32,7 +32,7 @@ Bug fixes for 3.0.5 - Fixed a regression in :doc:`Form Helper ` functions :php:func:`set_checkbox()`, :php:func:`set_radio()` where "checked" inputs aren't recognized after a form submit. - Fixed a bug (#4407) - :doc:`Text Helper ` function :php:func:`word_censor()` doesn't work under PHP 7 if there's no custom replacement provided. - Fixed a bug (#4415) - :doc:`Form Validation Library ` rule **valid_url** didn't accept URLs with IPv6 addresses enclosed in square brackets under PHP 5 (upstream bug). -- Fixed a bug (#4427) - :doc:`CAPTCHA Helper ` triggers an error if the provided character pool is too small. +- Fixed a bug (#4427) - :doc:`CAPTCHA Helper ` triggers an error if the provided character pool is too small. - Fixed a bug (#4430) - :doc:`File Uploading Library ` option **file_ext_tolower** didn't work. - Fixed a bug (#4431) - :doc:`Query Builder ` method ``join()`` discarded opening parentheses. - Fixed a bug (#4424) - :doc:`Session Library ` triggered a PHP warning when writing a newly created session with the 'redis' driver. From 4f9b20ae507dda7379d392386fb7ce5702626a91 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 11 Mar 2016 18:35:58 +0200 Subject: [PATCH 2681/3829] [ci skip] Mark the start of 3.0.6 development --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/changelog.rst | 6 ++++++ user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/installation/downloads.rst | 3 ++- user_guide_src/source/installation/upgrade_306.rst | 14 ++++++++++++++ user_guide_src/source/installation/upgrading.rst | 1 + 6 files changed, 26 insertions(+), 4 deletions(-) create mode 100644 user_guide_src/source/installation/upgrade_306.rst diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 94d34c3fd9d..f0d7c8f533e 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - define('CI_VERSION', '3.0.5'); + define('CI_VERSION', '3.0.6-dev'); /* * ------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index c689017f6e4..71e9673ab8d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -2,6 +2,12 @@ Change Log ########## +Version 3.0.6 +============= + +Release Date: Not Released + + Version 3.0.5 ============= diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index 6c263d7ff3b..e4d14d10032 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.0.5' +version = '3.0.6-dev' # The full version, including alpha/beta/rc tags. -release = '3.0.5' +release = '3.0.6-dev' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index 598bc5a9a94..be33a1dc9af 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,8 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.0.5 (Current version) `_ +- `CodeIgniter v3.0.6-dev (Current version) `_ +- `CodeIgniter v3.0.5 `_ - `CodeIgniter v3.0.4 `_ - `CodeIgniter v3.0.3 `_ - `CodeIgniter v3.0.2 `_ diff --git a/user_guide_src/source/installation/upgrade_306.rst b/user_guide_src/source/installation/upgrade_306.rst new file mode 100644 index 00000000000..e9c4bdd7957 --- /dev/null +++ b/user_guide_src/source/installation/upgrade_306.rst @@ -0,0 +1,14 @@ +############################# +Upgrading from 3.0.5 to 3.0.6 +############################# + +Before performing an update you should take your site offline by +replacing the index.php file with a static one. + +Step 1: Update your CodeIgniter files +===================================== + +Replace all files and directories in your *system/* directory. + +.. note:: If you have any custom developed files in these directories, + please make copies of them first. diff --git a/user_guide_src/source/installation/upgrading.rst b/user_guide_src/source/installation/upgrading.rst index 102f20abf39..040c7283267 100644 --- a/user_guide_src/source/installation/upgrading.rst +++ b/user_guide_src/source/installation/upgrading.rst @@ -8,6 +8,7 @@ upgrading from. .. toctree:: :titlesonly: + Upgrading from 3.0.5 to 3.0.6 Upgrading from 3.0.4 to 3.0.5 Upgrading from 3.0.3 to 3.0.4 Upgrading from 3.0.2 to 3.0.3 From 1719223f936c1f202b176ebeba7718f6b24e4886 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 11 Mar 2016 22:09:53 +0200 Subject: [PATCH 2682/3829] [ci skip] Fix a changelog message typo --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 71e9673ab8d..1492b30119b 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -52,7 +52,7 @@ Bug fixes for 3.0.5 - Fixed a bug (#4475) - :doc:`Security Library ` method ``strip_image_tags()`` preserves only the first URL character from non-quoted *src* attributes. - Fixed a bug where :doc:`Profiler Library ` didn't apply ``htmlspecialchars()`` to all displayed inputs. - Fixed a bug (#4277) - :doc:`Cache Library ` triggered fatal errors if accessing the Memcache(d) and/or Redis driver and they are not available on the system. -- Fixed a bug where :doc:`Cache Library ` method ``is_supported()`` logged an error message on when it returns ``FALSE`` for the APC and Wincache drivers. +- Fixed a bug where :doc:`Cache Library ` method ``is_supported()`` logged an error message when it returns ``FALSE`` for the APC and Wincache drivers. Version 3.0.4 ============= From fb78f8576816133973ee9586c523a72cdcaeac35 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 10:49:41 +0500 Subject: [PATCH 2683/3829] Added variables to Docblocks where they are skipped --- system/libraries/Cache/drivers/Cache_redis.php | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index 81b49e2fcb7..a9a9e09cbde 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -138,7 +138,7 @@ public function __construct() /** * Get cache * - * @param string Cache ID + * @param string $key Cache ID * @return mixed */ public function get($key) @@ -190,7 +190,7 @@ public function save($id, $data, $ttl = 60, $raw = FALSE) /** * Delete from cache * - * @param string Cache key + * @param string $key Cache key * @return bool */ public function delete($key) @@ -255,7 +255,7 @@ public function clean() /** * Get cache driver info * - * @param string Not supported in Redis. + * @param string $type Not supported in Redis. * Only included in order to offer a * consistent cache API. * @return array @@ -271,7 +271,7 @@ public function cache_info($type = NULL) /** * Get cache metadata * - * @param string Cache key + * @param string $key Cache key * @return array */ public function get_metadata($key) From bbfa3ffdb8096e9d20b800ebbc8de672caf98d9e Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 11:12:58 +0500 Subject: [PATCH 2684/3829] Added the destructor (disconnect from memcache(d)) --- .../Cache/drivers/Cache_memcached.php | 21 +++++++++++++++++++ 1 file changed, 21 insertions(+) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index c44958b9765..91ad4d243c7 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -286,4 +286,25 @@ public function is_supported() { return (extension_loaded('memcached') OR extension_loaded('memcache')); } + + // ------------------------------------------------------------------------ + + /** + * Class destructor + * + * Closes the connection to Memcache(d) if present. + * + * @return void + */ + public function __destruct() + { + if ($this->_memcached instanceof Memcache) + { + $this->_memcached->close(); + } + elseif ($this->_memcached instanceof Memcached) + { + $this->_memcached->quit(); + } + } } From ae340cc7fca696b9d71588f724c6f35924d24dc4 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 11:19:25 +0500 Subject: [PATCH 2685/3829] Added variables to Docblocks (memcached) --- system/libraries/Cache/drivers/Cache_memcached.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index c44958b9765..16684fbb1e1 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -186,7 +186,7 @@ public function save($id, $data, $ttl = 60, $raw = FALSE) /** * Delete from Cache * - * @param mixed key to be deleted. + * @param mixed $id key to be deleted. * @return bool true on success, false on failure */ public function delete($id) @@ -251,7 +251,7 @@ public function cache_info() /** * Get Cache Metadata * - * @param mixed key to get cache metadata on + * @param mixed $id key to get cache metadata on * @return mixed FALSE on failure, array on success. */ public function get_metadata($id) From 4933c16efd7bad7353877910b7d43d0b5a87735e Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 11:26:28 +0500 Subject: [PATCH 2686/3829] Renamed $this->_memcache_conf to $this->_config --- system/libraries/Cache/drivers/Cache_memcached.php | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index c44958b9765..09dc7b0de4d 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -60,7 +60,7 @@ class CI_Cache_memcached extends CI_Driver { * * @var array */ - protected $_memcache_conf = array( + protected $_config = array( 'default' => array( 'host' => '127.0.0.1', 'port' => 11211, @@ -81,17 +81,17 @@ public function __construct() { // Try to load memcached server info from the config file. $CI =& get_instance(); - $defaults = $this->_memcache_conf['default']; + $defaults = $this->_config['default']; if ($CI->config->load('memcached', TRUE, TRUE)) { if (is_array($CI->config->config['memcached'])) { - $this->_memcache_conf = array(); + $this->_config = array(); foreach ($CI->config->config['memcached'] as $name => $conf) { - $this->_memcache_conf[$name] = $conf; + $this->_config[$name] = $conf; } } } @@ -109,7 +109,7 @@ public function __construct() log_message('error', 'Cache: Failed to create Memcache(d) object; extension not loaded?'); } - foreach ($this->_memcache_conf as $cache_server) + foreach ($this->_config as $cache_server) { isset($cache_server['hostname']) OR $cache_server['hostname'] = $defaults['host']; isset($cache_server['port']) OR $cache_server['port'] = $defaults['port']; From 2f10aebf8ca7d650ecf7614e8d5e3455c88f96d9 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 11:28:57 +0500 Subject: [PATCH 2687/3829] Reduction of constructions --- system/libraries/Cache/drivers/Cache_memcached.php | 7 +------ 1 file changed, 1 insertion(+), 6 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index 09dc7b0de4d..7a3267a1eeb 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -87,12 +87,7 @@ public function __construct() { if (is_array($CI->config->config['memcached'])) { - $this->_config = array(); - - foreach ($CI->config->config['memcached'] as $name => $conf) - { - $this->_config[$name] = $conf; - } + $this->_config = $CI->config->config['memcached']; } } From d03832c6ee27ac1dcf3c5bff3831fcfdd35765f6 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 11:31:16 +0500 Subject: [PATCH 2688/3829] Combined two "if" conditions to one --- system/libraries/Cache/drivers/Cache_memcached.php | 7 ++----- 1 file changed, 2 insertions(+), 5 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index 7a3267a1eeb..02b2d438e58 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -83,12 +83,9 @@ public function __construct() $CI =& get_instance(); $defaults = $this->_config['default']; - if ($CI->config->load('memcached', TRUE, TRUE)) + if ($CI->config->load('memcached', TRUE, TRUE) && is_array($CI->config->config['memcached'])) { - if (is_array($CI->config->config['memcached'])) - { - $this->_config = $CI->config->config['memcached']; - } + $this->_config = $CI->config->config['memcached']; } if (class_exists('Memcached', FALSE)) From db91d5b1b3ed2cfd8e1ad0ba59906ad527ef8786 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 11:37:27 +0500 Subject: [PATCH 2689/3829] The "get_class($A) == B" replaced by "$A instanceof B" --- system/libraries/Cache/drivers/Cache_memcached.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index c44958b9765..ae90b985851 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -115,7 +115,7 @@ public function __construct() isset($cache_server['port']) OR $cache_server['port'] = $defaults['port']; isset($cache_server['weight']) OR $cache_server['weight'] = $defaults['weight']; - if (get_class($this->_memcached) === 'Memcache') + if ($this->_memcached instanceof Memcache) { // Third parameter is persistance and defaults to TRUE. $this->_memcached->addServer( @@ -169,11 +169,11 @@ public function save($id, $data, $ttl = 60, $raw = FALSE) $data = array($data, time(), $ttl); } - if (get_class($this->_memcached) === 'Memcached') + if ($this->_memcached instanceof Memcached) { return $this->_memcached->set($id, $data, $ttl); } - elseif (get_class($this->_memcached) === 'Memcache') + elseif ($this->_memcached instanceof Memcache) { return $this->_memcached->set($id, $data, 0, $ttl); } From 35d9f36538be2acc86beb060fb54d93f268cf307 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 11:38:47 +0500 Subject: [PATCH 2690/3829] Added a second check "instanceof" --- system/libraries/Cache/drivers/Cache_memcached.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index ae90b985851..c22a36f4c00 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -125,7 +125,7 @@ public function __construct() $cache_server['weight'] ); } - else + elseif ($this->_memcached instanceof Memcached) { $this->_memcached->addServer( $cache_server['hostname'], From e5102e1fa8adaa7317f8d3da773f8b77d6f7a2c1 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 12:32:49 +0500 Subject: [PATCH 2691/3829] Changed the methods of working with serializable values --- .../libraries/Cache/drivers/Cache_redis.php | 47 +++++++------------ 1 file changed, 17 insertions(+), 30 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index 81b49e2fcb7..c50da130384 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -143,14 +143,21 @@ public function __construct() */ public function get($key) { - $value = $this->_redis->get($key); + $value = $this->_redis->hMGet($key, array('serialized', 'data')); - if ($value !== FALSE && isset($this->_serialized[$key])) + if ( ! is_array($value)) { - return unserialize($value); + return FALSE; } - return $value; + if ( ! empty($value['serialized'])) + { + return unserialize($value['data']); + } + else + { + return $value['data']; + } } // ------------------------------------------------------------------------ @@ -168,21 +175,12 @@ public function save($id, $data, $ttl = 60, $raw = FALSE) { if (is_array($data) OR is_object($data)) { - if ( ! $this->_redis->sIsMember('_ci_redis_serialized', $id) && ! $this->_redis->sAdd('_ci_redis_serialized', $id)) - { - return FALSE; - } - - isset($this->_serialized[$id]) OR $this->_serialized[$id] = TRUE; - $data = serialize($data); + return $this->_redis->hMSet($id, array('serialized' => TRUE, 'data' => serialize($data))); } - elseif (isset($this->_serialized[$id])) + else { - $this->_serialized[$id] = NULL; - $this->_redis->sRemove('_ci_redis_serialized', $id); + return $this->_redis->hMSet($id, array('serialized' => FALSE, 'data' => $data)); } - - return $this->_redis->set($id, $data, $ttl); } // ------------------------------------------------------------------------ @@ -195,18 +193,7 @@ public function save($id, $data, $ttl = 60, $raw = FALSE) */ public function delete($key) { - if ($this->_redis->delete($key) !== 1) - { - return FALSE; - } - - if (isset($this->_serialized[$key])) - { - $this->_serialized[$key] = NULL; - $this->_redis->sRemove('_ci_redis_serialized', $key); - } - - return TRUE; + return ($this->_redis->delete($key) === 1); } // ------------------------------------------------------------------------ @@ -220,7 +207,7 @@ public function delete($key) */ public function increment($id, $offset = 1) { - return $this->_redis->incr($id, $offset); + return $this->_redis->hIncrBy($id, 'data', $offset); } // ------------------------------------------------------------------------ @@ -234,7 +221,7 @@ public function increment($id, $offset = 1) */ public function decrement($id, $offset = 1) { - return $this->_redis->decr($id, $offset); + return $this->_redis->hIncrBy($id, 'data', -$offset); } // ------------------------------------------------------------------------ From 25da4ec2e02d7ec258f11916d1b9b40c10b97ace Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 12:40:07 +0500 Subject: [PATCH 2692/3829] Fixed the index existence error --- system/libraries/Cache/drivers/Cache_redis.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index c50da130384..a302609a208 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -145,12 +145,12 @@ public function get($key) { $value = $this->_redis->hMGet($key, array('serialized', 'data')); - if ( ! is_array($value)) + if ( ! is_array($value) OR ! isset($value['serialized'], $value['data'])) { return FALSE; } - if ( ! empty($value['serialized'])) + if ($value['serialized']) { return unserialize($value['data']); } From 12c3d1474e43cdd6e76245e89f11440793a5d8f0 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 12:51:46 +0500 Subject: [PATCH 2693/3829] Setup the data defining for stored data --- system/libraries/Cache/drivers/Cache_redis.php | 11 ++++++----- 1 file changed, 6 insertions(+), 5 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index a302609a208..c334afb0d6e 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -143,19 +143,20 @@ public function __construct() */ public function get($key) { - $value = $this->_redis->hMGet($key, array('serialized', 'data')); + $value = $this->_redis->hMGet($key, array('type', 'data')); - if ( ! is_array($value) OR ! isset($value['serialized'], $value['data'])) + if ( ! is_array($value) OR ! isset($value['type'], $value['data'])) { return FALSE; } - if ($value['serialized']) + if ($value['type'] === 'array' OR $value['type'] === 'object') { return unserialize($value['data']); } else { + settype($value['data'], $value['type']); return $value['data']; } } @@ -175,11 +176,11 @@ public function save($id, $data, $ttl = 60, $raw = FALSE) { if (is_array($data) OR is_object($data)) { - return $this->_redis->hMSet($id, array('serialized' => TRUE, 'data' => serialize($data))); + return $this->_redis->hMSet($id, array('type' => gettype($data), 'data' => serialize($data))); } else { - return $this->_redis->hMSet($id, array('serialized' => FALSE, 'data' => $data)); + return $this->_redis->hMSet($id, array('type' => gettype($data), 'data' => $data)); } } From 7243d0b9019eec108255fae5b7eaf08a14a8092e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 11:40:34 +0200 Subject: [PATCH 2694/3829] Fix #4516 --- system/libraries/Form_validation.php | 5 ++++- tests/codeigniter/libraries/Form_validation_test.php | 10 ++++++++++ user_guide_src/source/changelog.rst | 4 ++++ 3 files changed, 18 insertions(+), 1 deletion(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 296ddb92a3e..09d6c9a9724 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -583,7 +583,10 @@ protected function _reset_post_array() protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) { // If the $_POST data is an array we will run a recursive call - if (is_array($postdata)) + // + // Note: We MUST check if the array is empty or not! + // Otherwise empty arrays will always pass validation. + if (is_array($postdata) && ! empty($postdata)) { foreach ($postdata as $key => $val) { diff --git a/tests/codeigniter/libraries/Form_validation_test.php b/tests/codeigniter/libraries/Form_validation_test.php index f455b9146a6..3537eb3552a 100644 --- a/tests/codeigniter/libraries/Form_validation_test.php +++ b/tests/codeigniter/libraries/Form_validation_test.php @@ -28,6 +28,16 @@ public function set_up() $this->form_validation = new CI_Form_validation(); } + public function test_empty_array_input() + { + $this->assertFalse( + $this->run_rules( + array(array('field' => 'foo', 'label' => 'Foo Label', 'rules' => 'required')), + array('foo' => array()) + ) + ); + } + public function test_rule_required() { $rules = array(array('field' => 'foo', 'label' => 'foo_label', 'rules' => 'required')); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1492b30119b..227841250b2 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,10 @@ Version 3.0.6 Release Date: Not Released +Bug fixes for 3.0.6 +------------------- + +- Fixed a bug (#4516) - :doc:`Form Validation Library ` always accepted empty array inputs. Version 3.0.5 ============= From 522c3f32c0fe3113ce6ffc7d79c0e698dfc0bcc1 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 12:13:43 +0200 Subject: [PATCH 2695/3829] Merge pull request #4522 from masterklavi/memcached_destruct Added destructor to Cache_memcached --- .../Cache/drivers/Cache_memcached.php | 21 +++++++++++++++++++ 1 file changed, 21 insertions(+) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index 7e67fc40f9c..8bb4a5696cc 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -287,4 +287,25 @@ public function is_supported() { return (extension_loaded('memcached') OR extension_loaded('memcache')); } + + // ------------------------------------------------------------------------ + + /** + * Class destructor + * + * Closes the connection to Memcache(d) if present. + * + * @return void + */ + public function __destruct() + { + if ($this->_memcached instanceof Memcache) + { + $this->_memcached->close(); + } + elseif ($this->_memcached instanceof Memcached) + { + $this->_memcached->quit(); + } + } } From fab0d4fe1315ef8114e9755e4a3a94abf47825f8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 12:16:49 +0200 Subject: [PATCH 2696/3829] [ci skip] Add changelog entry for PR #4522 --- user_guide_src/source/changelog.rst | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 227841250b2..de488a9956d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,10 @@ Version 3.0.6 Release Date: Not Released +- General Changes + + - Added a destructor to :doc:`Cache Library ` 'memcached' driver to ensure that Memcache(d) connections are properly closed. + Bug fixes for 3.0.6 ------------------- From 364ba6fb407f281a4ba9e5ace070025f507faf69 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 12:18:36 +0200 Subject: [PATCH 2697/3829] Merge pull request #4523 from masterklavi/memcached_docblock [ci skip] Added missing variable names to Cache_memcached docblocks --- system/libraries/Cache/drivers/Cache_memcached.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index 8bb4a5696cc..56ab5b85bfd 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -187,7 +187,7 @@ public function save($id, $data, $ttl = 60, $raw = FALSE) /** * Delete from Cache * - * @param mixed key to be deleted. + * @param mixed $id key to be deleted. * @return bool true on success, false on failure */ public function delete($id) @@ -252,7 +252,7 @@ public function cache_info() /** * Get Cache Metadata * - * @param mixed key to get cache metadata on + * @param mixed $id key to get cache metadata on * @return mixed FALSE on failure, array on success. */ public function get_metadata($id) From 5ea30f85f964b6b207a27c2700c65df89736d0e9 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 15:21:29 +0500 Subject: [PATCH 2698/3829] Fixed an indent of description --- system/libraries/Cache/drivers/Cache_redis.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index a9a9e09cbde..9d48da8f9c8 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -256,8 +256,8 @@ public function clean() * Get cache driver info * * @param string $type Not supported in Redis. - * Only included in order to offer a - * consistent cache API. + * Only included in order to offer a + * consistent cache API. * @return array * @see Redis::info() */ From a604554c592c090334b3a57d41e498d6f03fd1e4 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 15:27:58 +0500 Subject: [PATCH 2699/3829] Removed an unnecessary is_array() check. --- system/libraries/Cache/drivers/Cache_memcached.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index 02b2d438e58..2d6236a6f92 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -83,7 +83,7 @@ public function __construct() $CI =& get_instance(); $defaults = $this->_config['default']; - if ($CI->config->load('memcached', TRUE, TRUE) && is_array($CI->config->config['memcached'])) + if ($CI->config->load('memcached', TRUE, TRUE)) { $this->_config = $CI->config->config['memcached']; } From 51f00ca8f3ba297ac0eec04071bd6aa85968d2ca Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 12:27:14 +0200 Subject: [PATCH 2700/3829] Merge pull request #4521 from masterklavi/redis_docblock [ci skip] Added missing variable names to Cache_redis docblocks --- system/libraries/Cache/drivers/Cache_redis.php | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index e9194a4997b..a58aaef4ed6 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -144,7 +144,7 @@ public function __construct() /** * Get cache * - * @param string Cache ID + * @param string $key Cache ID * @return mixed */ public function get($key) @@ -196,7 +196,7 @@ public function save($id, $data, $ttl = 60, $raw = FALSE) /** * Delete from cache * - * @param string Cache key + * @param string $key Cache key * @return bool */ public function delete($key) @@ -261,9 +261,9 @@ public function clean() /** * Get cache driver info * - * @param string Not supported in Redis. - * Only included in order to offer a - * consistent cache API. + * @param string $type Not supported in Redis. + * Only included in order to offer a + * consistent cache API. * @return array * @see Redis::info() */ @@ -277,7 +277,7 @@ public function cache_info($type = NULL) /** * Get cache metadata * - * @param string Cache key + * @param string $key Cache key * @return array */ public function get_metadata($key) From c13b4a6bfe45fc3eeb71aeb27ae0d69ef09580a5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 12:30:21 +0200 Subject: [PATCH 2701/3829] Merge pull request #4525 from masterklavi/memcached_instanceof Use instanceof instead of get_class() in Cache_memcached --- system/libraries/Cache/drivers/Cache_memcached.php | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index 56ab5b85bfd..df02ca2d06e 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -116,7 +116,7 @@ public function __construct() isset($cache_server['port']) OR $cache_server['port'] = $defaults['port']; isset($cache_server['weight']) OR $cache_server['weight'] = $defaults['weight']; - if (get_class($this->_memcached) === 'Memcache') + if ($this->_memcached instanceof Memcache) { // Third parameter is persistance and defaults to TRUE. $this->_memcached->addServer( @@ -126,7 +126,7 @@ public function __construct() $cache_server['weight'] ); } - else + elseif ($this->_memcached instanceof Memcached) { $this->_memcached->addServer( $cache_server['hostname'], @@ -170,11 +170,11 @@ public function save($id, $data, $ttl = 60, $raw = FALSE) $data = array($data, time(), $ttl); } - if (get_class($this->_memcached) === 'Memcached') + if ($this->_memcached instanceof Memcached) { return $this->_memcached->set($id, $data, $ttl); } - elseif (get_class($this->_memcached) === 'Memcache') + elseif ($this->_memcached instanceof Memcache) { return $this->_memcached->set($id, $data, 0, $ttl); } From 9c948aa715a539aa4dcdd1647156436700411dd1 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 12:33:07 +0200 Subject: [PATCH 2702/3829] Merge pull request #4524 from masterklavi/memcached_refactoring Cache_memcached configuration refactoring --- .../libraries/Cache/drivers/Cache_memcached.php | 16 ++++------------ 1 file changed, 4 insertions(+), 12 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index df02ca2d06e..6dee1e8e465 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -60,7 +60,7 @@ class CI_Cache_memcached extends CI_Driver { * * @var array */ - protected $_memcache_conf = array( + protected $_config = array( 'default' => array( 'host' => '127.0.0.1', 'port' => 11211, @@ -81,19 +81,11 @@ public function __construct() { // Try to load memcached server info from the config file. $CI =& get_instance(); - $defaults = $this->_memcache_conf['default']; + $defaults = $this->_config['default']; if ($CI->config->load('memcached', TRUE, TRUE)) { - if (is_array($CI->config->config['memcached'])) - { - $this->_memcache_conf = array(); - - foreach ($CI->config->config['memcached'] as $name => $conf) - { - $this->_memcache_conf[$name] = $conf; - } - } + $this->_config = $CI->config->config['memcached']; } if (class_exists('Memcached', FALSE)) @@ -110,7 +102,7 @@ public function __construct() return; } - foreach ($this->_memcache_conf as $cache_server) + foreach ($this->_config as $cache_server) { isset($cache_server['hostname']) OR $cache_server['hostname'] = $defaults['host']; isset($cache_server['port']) OR $cache_server['port'] = $defaults['port']; From b13604287adcd1b70a624c83be67b8e2f35835c5 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 11:59:54 +0500 Subject: [PATCH 2703/3829] The "$config" variable is moved to "if" condition --- system/libraries/Cache/drivers/Cache_redis.php | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index a58aaef4ed6..27107b332d2 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -102,10 +102,13 @@ public function __construct() if ($CI->config->load('redis', TRUE, TRUE)) { - $config = $CI->config->item('redis'); + $config = array_merge(self::$_default_config, $CI->config->item('redis')); + } + else + { + $config = self::$_default_config; } - $config = array_merge(self::$_default_config, $config); $this->_redis = new Redis(); try From 12798c426d6232eb4ad2930af4d58d18692d077f Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 15:55:51 +0500 Subject: [PATCH 2704/3829] Removed an unnecessary array() initialization --- system/libraries/Cache/drivers/Cache_redis.php | 1 - 1 file changed, 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index 27107b332d2..d4d95ebb183 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -97,7 +97,6 @@ public function __construct() return; } - $config = array(); $CI =& get_instance(); if ($CI->config->load('redis', TRUE, TRUE)) From a0556f128417467faaa7048bb1bf8da154e79582 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 13:05:38 +0200 Subject: [PATCH 2705/3829] Merge pull request #4526 from masterklavi/redis_refactor Remove an unnecessary assignment from Cache_redis configuration --- system/libraries/Cache/drivers/Cache_redis.php | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index a58aaef4ed6..d4d95ebb183 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -97,15 +97,17 @@ public function __construct() return; } - $config = array(); $CI =& get_instance(); if ($CI->config->load('redis', TRUE, TRUE)) { - $config = $CI->config->item('redis'); + $config = array_merge(self::$_default_config, $CI->config->item('redis')); + } + else + { + $config = self::$_default_config; } - $config = array_merge(self::$_default_config, $config); $this->_redis = new Redis(); try From 0c70b8ab83998c3771bbda3a9717da574f421357 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 16:15:30 +0500 Subject: [PATCH 2706/3829] Fixed a condition in the get method --- system/libraries/Cache/drivers/Cache_redis.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index c334afb0d6e..a50eb22aca6 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -145,7 +145,7 @@ public function get($key) { $value = $this->_redis->hMGet($key, array('type', 'data')); - if ( ! is_array($value) OR ! isset($value['type'], $value['data'])) + if ($value === FALSE OR $value['type'] === FALSE) { return FALSE; } From f26a876acf4cca26329dfbe3d0eee1aa0c05ace0 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 16:25:56 +0500 Subject: [PATCH 2707/3829] Removed an extra space char --- system/libraries/Cache/drivers/Cache_redis.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index a50eb22aca6..e29551089af 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -145,7 +145,7 @@ public function get($key) { $value = $this->_redis->hMGet($key, array('type', 'data')); - if ($value === FALSE OR $value['type'] === FALSE) + if ($value === FALSE OR $value['type'] === FALSE) { return FALSE; } From 0abb9777fd45cf87dc3e0e4780ae2292b2822407 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 16:32:13 +0500 Subject: [PATCH 2708/3829] Changed a condition in the get method to empty() --- system/libraries/Cache/drivers/Cache_redis.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index e29551089af..88f1815a7d0 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -145,7 +145,7 @@ public function get($key) { $value = $this->_redis->hMGet($key, array('type', 'data')); - if ($value === FALSE OR $value['type'] === FALSE) + if (empty($value['type'])) { return FALSE; } From fb722b6eacc574975de223a05e619f9c90aa8d99 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 17:32:12 +0500 Subject: [PATCH 2709/3829] Added the expiration to save() method --- system/libraries/Cache/drivers/Cache_redis.php | 11 +++++++++-- 1 file changed, 9 insertions(+), 2 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index 6da86728cd8..fa318403e60 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -184,12 +184,19 @@ public function save($id, $data, $ttl = 60, $raw = FALSE) { if (is_array($data) OR is_object($data)) { - return $this->_redis->hMSet($id, array('type' => gettype($data), 'data' => serialize($data))); + $success = $this->_redis->hMSet($id, array('type' => gettype($data), 'data' => serialize($data))); } else { - return $this->_redis->hMSet($id, array('type' => gettype($data), 'data' => $data)); + $success = $this->_redis->hMSet($id, array('type' => gettype($data), 'data' => $data)); } + + if ($success && $ttl) + { + $this->_redis->expireAt($id, time() + $ttl); + } + + return $success; } // ------------------------------------------------------------------------ From 44ce8f4545c8a0c0de97e93ceb9b2b9f751bc474 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 14:52:22 +0200 Subject: [PATCH 2710/3829] Add changelog entries for and polish changes from PRs #4528, #4530 --- .../libraries/Cache/drivers/Cache_redis.php | 52 +++++++++++++------ user_guide_src/source/changelog.rst | 6 +++ 2 files changed, 42 insertions(+), 16 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index fa318403e60..49385dffa85 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -151,21 +151,29 @@ public function __construct() */ public function get($key) { - $value = $this->_redis->hMGet($key, array('type', 'data')); + $data = $this->_redis->hMGet($key, array('__ci_type', '__ci_value')); - if (empty($value['type'])) + if ( ! isset($data['__ci_type'], $data['__ci_value']) OR $data['__ci_value'] === FALSE) { return FALSE; } - if ($value['type'] === 'array' OR $value['type'] === 'object') + switch ($data['__ci_type']) { - return unserialize($value['data']); - } - else - { - settype($value['data'], $value['type']); - return $value['data']; + case 'array': + case 'object': + return unserialize($data['__ci_value']); + case 'boolean': + case 'integer': + case 'double': // Yes, 'double' is returned and NOT 'float' + case 'string': + case 'NULL': + return settype($data['__ci_value'], $data['__ci_type']) + ? $data['__ci_value'] + : FALSE; + case 'resource': + default: + return FALSE; } } @@ -182,21 +190,33 @@ public function get($key) */ public function save($id, $data, $ttl = 60, $raw = FALSE) { - if (is_array($data) OR is_object($data)) + switch ($data_type = gettype($data)) { - $success = $this->_redis->hMSet($id, array('type' => gettype($data), 'data' => serialize($data))); + case 'array': + case 'object': + $data = serialize($data); + break; + case 'boolean': + case 'integer': + case 'double': // Yes, 'double' is returned and NOT 'float' + case 'string': + case 'NULL': + break; + case 'resource': + default: + return FALSE; } - else + + if ( ! $this->_redis->hMSet($id, array('__ci_type' => $data_type, '__ci_value' => $data))) { - $success = $this->_redis->hMSet($id, array('type' => gettype($data), 'data' => $data)); + return FALSE; } - - if ($success && $ttl) + elseif ($ttl) { $this->_redis->expireAt($id, time() + $ttl); } - return $success; + return TRUE; } // ------------------------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 2a9ccd57aa5..3bb7e48f5e0 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -14,6 +14,7 @@ Release Date: Not Released - Libraries - Added UNIX socket connection support to :doc:`Session Library ` 'redis' driver. + - Changed data serialization logic in :doc:`Cache Library ` 'redis' driver for better performance. - Database @@ -26,6 +27,11 @@ Release Date: Not Released - Updated :doc:`HTML Helper ` function :php:func:`meta()` with support for "charset" and "property" properties. - Changed :doc:`HTML Helper ` function :php:func:`doctype()` default document type to HTML 5. +Bug fixes for 3.1.0 +------------------- + +- Fixed a bug (#4528) - :doc:`Cache Library ` stored all scalar values as strings with the 'redis' driver. + Version 3.0.6 ============= From 16436e3c037ba4688954cffab2316d44115b2eff Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 15:00:43 +0200 Subject: [PATCH 2711/3829] [ci skip] Removed leftovers from the old serialization logic in Cache_redis --- system/libraries/Cache/drivers/Cache_redis.php | 11 ----------- 1 file changed, 11 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index 49385dffa85..7d1b4f39af8 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -69,13 +69,6 @@ class CI_Cache_redis extends CI_Driver */ protected $_redis; - /** - * An internal cache for storing keys of serialized values. - * - * @var array - */ - protected $_serialized = array(); - // ------------------------------------------------------------------------ /** @@ -135,10 +128,6 @@ public function __construct() { log_message('error', 'Cache: Redis connection refused ('.$e->getMessage().')'); } - - // Initialize the index of serialized values. - $serialized = $this->_redis->sMembers('_ci_redis_serialized'); - empty($serialized) OR $this->_serialized = array_flip($serialized); } // ------------------------------------------------------------------------ From 55a40b769b5e3350d07b63264b332fce5e1341d2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 15:43:22 +0200 Subject: [PATCH 2712/3829] A small memory optimization to CI_Form_validation --- system/libraries/Form_validation.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 09d6c9a9724..9fb686892ef 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -450,7 +450,7 @@ public function run($group = '') $this->CI->lang->load('form_validation'); // Cycle through the rules for each field and match the corresponding $validation_data item - foreach ($this->_field_data as $field => $row) + foreach ($this->_field_data as $field => &$row) { // Fetch the data from the validation_data array item and cache it in the _field_data array. // Depending on whether the field name is an array or a string will determine where we get it from. @@ -467,7 +467,7 @@ public function run($group = '') // Execute validation rules // Note: A second foreach (for now) is required in order to avoid false-positives // for rules like 'matches', which correlate to other validation fields. - foreach ($this->_field_data as $field => $row) + foreach ($this->_field_data as $field => &$row) { // Don't try to validate if we have no rules set if (empty($row['rules'])) @@ -475,7 +475,7 @@ public function run($group = '') continue; } - $this->_execute($row, $row['rules'], $this->_field_data[$field]['postdata']); + $this->_execute($row, $row['rules'], $row['postdata']); } // Did we end up with any errors? From 9cc1618502a147d973e5917d6b305642437e7e8c Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sat, 12 Mar 2016 19:05:47 +0500 Subject: [PATCH 2713/3829] Removed the second condition for unix sockets --- system/libraries/Cache/drivers/Cache_redis.php | 12 +----------- 1 file changed, 1 insertion(+), 11 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index 7d1b4f39af8..29f43ba6f9e 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -55,7 +55,6 @@ class CI_Cache_redis extends CI_Driver * @var array */ protected static $_default_config = array( - 'socket_type' => 'tcp', 'host' => '127.0.0.1', 'password' => NULL, 'port' => 6379, @@ -105,16 +104,7 @@ public function __construct() try { - if ($config['socket_type'] === 'unix') - { - $success = $this->_redis->connect($config['socket']); - } - else // tcp socket - { - $success = $this->_redis->connect($config['host'], $config['port'], $config['timeout']); - } - - if ( ! $success) + if ( ! $this->_redis->connect($config['host'], $config['port'], $config['timeout'])) { log_message('error', 'Cache: Redis connection failed. Check your configuration.'); } From 7e5ed70625180c416a1b7d784c3fae7fe9ff6cea Mon Sep 17 00:00:00 2001 From: Goran Grbic Date: Sat, 12 Mar 2016 15:26:50 +0100 Subject: [PATCH 2714/3829] Removing character Removing forward slash since `APPPATH` ends with `DIRECTORY_SEPARATOR`. --- user_guide_src/source/tutorial/static_pages.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/tutorial/static_pages.rst b/user_guide_src/source/tutorial/static_pages.rst index 569287c98a6..5daaa958fd9 100644 --- a/user_guide_src/source/tutorial/static_pages.rst +++ b/user_guide_src/source/tutorial/static_pages.rst @@ -97,7 +97,7 @@ page actually exists: public function view($page = 'home') { - if ( ! file_exists(APPPATH.'/views/pages/'.$page.'.php')) + if ( ! file_exists(APPPATH.'views/pages/'.$page.'.php')) { // Whoops, we don't have a page for that! show_404(); From b5a5d76d0733780c846963592ff813f867beaf97 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 16:34:30 +0200 Subject: [PATCH 2715/3829] Merge pull request #4532 from Tpojka/develop [ci skip] Remove an unnecessary slash from a documentation example --- user_guide_src/source/tutorial/static_pages.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/tutorial/static_pages.rst b/user_guide_src/source/tutorial/static_pages.rst index 569287c98a6..5daaa958fd9 100644 --- a/user_guide_src/source/tutorial/static_pages.rst +++ b/user_guide_src/source/tutorial/static_pages.rst @@ -97,7 +97,7 @@ page actually exists: public function view($page = 'home') { - if ( ! file_exists(APPPATH.'/views/pages/'.$page.'.php')) + if ( ! file_exists(APPPATH.'views/pages/'.$page.'.php')) { // Whoops, we don't have a page for that! show_404(); From 4f555079a6d85abd11403c72b9dbaa8823dc2e6d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 17:21:55 +0200 Subject: [PATCH 2716/3829] [ci skip] Deprecate prep_for_form() in Form_validation --- system/libraries/Form_validation.php | 7 ++++--- user_guide_src/source/changelog.rst | 1 + .../source/installation/upgrade_306.rst | 19 +++++++++++++++++++ .../source/libraries/form_validation.rst | 8 ++++---- 4 files changed, 28 insertions(+), 7 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 9fb686892ef..6be593adda3 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -1515,10 +1515,11 @@ public function valid_base64($str) * This function allows HTML to be safely shown in a form. * Special characters are converted. * - * @param string - * @return string + * @deprecated 3.0.6 Not used anywhere within the framework and pretty much useless + * @param mixed $data Input data + * @return mixed */ - public function prep_for_form($data = '') + public function prep_for_form($data) { if ($this->_safe_form_data === FALSE OR empty($data)) { diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index de488a9956d..e88b68f85f0 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -10,6 +10,7 @@ Release Date: Not Released - General Changes - Added a destructor to :doc:`Cache Library ` 'memcached' driver to ensure that Memcache(d) connections are properly closed. + - Deprecated :doc:`Form Validation Library ` method ``prep_for_form()``. Bug fixes for 3.0.6 ------------------- diff --git a/user_guide_src/source/installation/upgrade_306.rst b/user_guide_src/source/installation/upgrade_306.rst index e9c4bdd7957..f6d2f13d40a 100644 --- a/user_guide_src/source/installation/upgrade_306.rst +++ b/user_guide_src/source/installation/upgrade_306.rst @@ -12,3 +12,22 @@ Replace all files and directories in your *system/* directory. .. note:: If you have any custom developed files in these directories, please make copies of them first. + +Step 2: Remove 'prep_for_form' usage (deprecation) +================================================== + +The :doc:`Form Validation Library <../libraries/form_validation>` has a +``prep_for_form()`` method, which is/can also be used as a rule in +``set_rules()`` to automatically perform HTML encoding on input data. + +Automatically encoding input (instead of output) data is a bad practice in +the first place, and CodeIgniter and PHP itself offer other alternatives +to this method anyway. +For example, :doc:`Form Helper <../helpers/form_helper>` functions will +automatically perform HTML escaping when necessary. + +Therefore, the *prep_for_form* method/rule is pretty much useless and is now +deprecated and scheduled for removal in 3.1+. + +.. note:: The method is still available, but you're strongly encouraged to + remove its usage sooner rather than later. diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index 9189d082ef8..44adfd715cc 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -1007,14 +1007,14 @@ Prepping Reference The following is a list of all the prepping methods that are available to use: -==================== ========= ======================================================================================================= +==================== ========= ============================================================================================================== Name Parameter Description -==================== ========= ======================================================================================================= -**prep_for_form** No Converts special characters so that HTML data can be shown in a form field without breaking it. +==================== ========= ============================================================================================================== +**prep_for_form** No DEPRECATED: Converts special characters so that HTML data can be shown in a form field without breaking it. **prep_url** No Adds "\http://" to URLs if missing. **strip_image_tags** No Strips the HTML from image tags leaving the raw URL. **encode_php_tags** No Converts PHP tags to entities. -==================== ========= ======================================================================================================= +==================== ========= ============================================================================================================== .. note:: You can also use any native PHP functions that permits one parameter, like ``trim()``, ``htmlspecialchars()``, ``urldecode()``, From 2961883c06ba963a67a68c34ef90a57ff5c38646 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 20:01:57 +0200 Subject: [PATCH 2717/3829] [ci skip] Update the index.php file - Use DIRECTORY_SEPARATOR instead of a hard-coded forward-slash - Use more proper terminology in comment descriptions - Small tweaks to directory detection logic --- index.php | 125 +++++++++++------- .../source/installation/upgrade_306.rst | 17 ++- 2 files changed, 90 insertions(+), 52 deletions(-) diff --git a/index.php b/index.php index 5cc37108a8d..6986e1e5ddb 100755 --- a/index.php +++ b/index.php @@ -91,24 +91,25 @@ /* *--------------------------------------------------------------- - * SYSTEM FOLDER NAME + * SYSTEM DIRCTORY NAME *--------------------------------------------------------------- * - * This variable must contain the name of your "system" folder. - * Include the path if the folder is not in the same directory - * as this file. + * This variable must contain the name of your "system" directory. + * Set the path if it is not in the same directory as this file. */ $system_path = 'system'; /* *--------------------------------------------------------------- - * APPLICATION FOLDER NAME + * APPLICATION DIRECTORY NAME *--------------------------------------------------------------- * * If you want this front controller to use a different "application" - * folder than the default one you can set its name here. The folder - * can also be renamed or relocated anywhere on your server. If - * you do, use a full server path. For more info please see the user guide: + * directory than the default one you can set its name here. The directory + * can also be renamed or relocated anywhere on your server. If you do, + * use an absolute (full) server path. + * For more info please see the user guide: + * * https://codeigniter.com/user_guide/general/managing_apps.html * * NO TRAILING SLASH! @@ -117,14 +118,14 @@ /* *--------------------------------------------------------------- - * VIEW FOLDER NAME + * VIEW DIRECTORY NAME *--------------------------------------------------------------- * - * If you want to move the view folder out of the application - * folder set the path to the folder here. The folder can be renamed + * If you want to move the view directory out of the application + * directory, set the path to it here. The directory can be renamed * and relocated anywhere on your server. If blank, it will default - * to the standard location inside your application folder. If you - * do move this, use the full server path to this folder. + * to the standard location inside your application directory. + * If you do move this, use an absolute (full) server path. * * NO TRAILING SLASH! */ @@ -150,8 +151,8 @@ * * Un-comment the $routing array below to use this feature */ - // The directory name, relative to the "controllers" folder. Leave blank - // if your controller is not in a sub-folder within the "controllers" folder + // The directory name, relative to the "controllers" directory. Leave blank + // if your controller is not in a sub-directory within the "controllers" one // $routing['directory'] = ''; // The controller class file name. Example: mycontroller @@ -197,12 +198,16 @@ if (($_temp = realpath($system_path)) !== FALSE) { - $system_path = $_temp.'/'; + $system_path = $_temp.DIRECTORY_SEPARATOR; } else { // Ensure there's a trailing slash - $system_path = rtrim($system_path, '/').'/'; + $system_path = strtr( + rtrim($system_path, '/\\'), + '/\\', + DIRECTORY_SEPARATOR.DIRECTORY_SEPARATOR + ).DIRECTORY_SEPARATOR; } // Is the system path correct? @@ -221,66 +226,84 @@ // The name of THIS file define('SELF', pathinfo(__FILE__, PATHINFO_BASENAME)); - // Path to the system folder - define('BASEPATH', str_replace('\\', '/', $system_path)); + // Path to the system directory + define('BASEPATH', $system_path); - // Path to the front controller (this file) - define('FCPATH', dirname(__FILE__).'/'); + // Path to the front controller (this file) directory + define('FCPATH', dirname(__FILE__).DIRECTORY_SEPARATOR); - // Name of the "system folder" - define('SYSDIR', trim(strrchr(trim(BASEPATH, '/'), '/'), '/')); + // Name of the "system" directory + define('SYSDIR', basename(BASEPATH)); - // The path to the "application" folder + // The path to the "application" directory if (is_dir($application_folder)) { if (($_temp = realpath($application_folder)) !== FALSE) { - $application_folder = $_temp; + $application_folder = $_temp.DIRECTORY_SEPARATOR; + } + else + { + $application_folder = strtr( + rtrim($application_folder, '/\\'), + '/\\', + DIRECTORY_SEPARATOR.DIRECTORY_SEPARATOR + ); } - - define('APPPATH', $application_folder.DIRECTORY_SEPARATOR); + } + elseif (is_dir(BASEPATH.$application_folder.DIRECTORY_SEPARATOR)) + { + $application_folder = BASEPATH.strtr( + trim($application_folder, '/\\'), + '/\\', + DIRECTORY_SEPARATOR.DIRECTORY_SEPARATOR + ); } else { - if ( ! is_dir(BASEPATH.$application_folder.DIRECTORY_SEPARATOR)) - { - header('HTTP/1.1 503 Service Unavailable.', TRUE, 503); - echo 'Your application folder path does not appear to be set correctly. Please open the following file and correct this: '.SELF; - exit(3); // EXIT_CONFIG - } - - define('APPPATH', BASEPATH.$application_folder.DIRECTORY_SEPARATOR); + header('HTTP/1.1 503 Service Unavailable.', TRUE, 503); + echo 'Your application folder path does not appear to be set correctly. Please open the following file and correct this: '.SELF; + exit(3); // EXIT_CONFIG } - // The path to the "views" folder - if ( ! is_dir($view_folder)) + define('APPPATH', $application_folder.DIRECTORY_SEPARATOR); + + // The path to the "views" directory + if ( ! isset($view_folder[0]) && is_dir(APPPATH.'views'.DIRECTORY_SEPARATOR)) { - if ( ! empty($view_folder) && is_dir(APPPATH.$view_folder.DIRECTORY_SEPARATOR)) - { - $view_folder = APPPATH.$view_folder; - } - elseif ( ! is_dir(APPPATH.'views'.DIRECTORY_SEPARATOR)) + $view_folder = APPPATH.'views'; + } + elseif (is_dir($view_folder)) + { + if (($_temp = realpath($view_folder)) !== FALSE) { - header('HTTP/1.1 503 Service Unavailable.', TRUE, 503); - echo 'Your view folder path does not appear to be set correctly. Please open the following file and correct this: '.SELF; - exit(3); // EXIT_CONFIG + $view_folder = $_temp; } else { - $view_folder = APPPATH.'views'; + $view_folder = strtr( + rtrim($view_folder, '/\\'), + '/\\', + DIRECTORY_SEPARATOR.DIRECTORY_SEPARATOR + ); } } - - if (($_temp = realpath($view_folder)) !== FALSE) + elseif (is_dir(APPPATH.$view_folder.DIRECTORY_SEPARATOR)) { - $view_folder = $_temp.DIRECTORY_SEPARATOR; + $view_folder = APPPATH.strtr( + trim($view_folder, '/\\'), + '/\\', + DIRECTORY_SEPARATOR.DIRECTORY_SEPARATOR + ); } else { - $view_folder = rtrim($view_folder, '/\\').DIRECTORY_SEPARATOR; + header('HTTP/1.1 503 Service Unavailable.', TRUE, 503); + echo 'Your view folder path does not appear to be set correctly. Please open the following file and correct this: '.SELF; + exit(3); // EXIT_CONFIG } - define('VIEWPATH', $view_folder); + define('VIEWPATH', $view_folder.DIRECTORY_SEPARATOR); /* * -------------------------------------------------------------------- diff --git a/user_guide_src/source/installation/upgrade_306.rst b/user_guide_src/source/installation/upgrade_306.rst index f6d2f13d40a..3863e0afa5f 100644 --- a/user_guide_src/source/installation/upgrade_306.rst +++ b/user_guide_src/source/installation/upgrade_306.rst @@ -13,7 +13,22 @@ Replace all files and directories in your *system/* directory. .. note:: If you have any custom developed files in these directories, please make copies of them first. -Step 2: Remove 'prep_for_form' usage (deprecation) +Step 2: Update your index.php file (optional) +============================================= + +We've made some tweaks to the index.php file, mostly related to proper +usage of directory separators (i.e. use the ``DIRECTORY_SEPARATOR`` +constant instead of a hard coded forward slash "/"). + +Nothing will break if you skip this step, but if you're running Windows +or just want to be up to date with every change - we do recommend that +you update your index.php file. + +*Tip: Just copy the ``ENVIRONMENT``, ``$system_path``, ``$application_folder`` +and ``$view_folder`` declarations from the old file and put them into the +new one, replacing the defaults.* + +Step 3: Remove 'prep_for_form' usage (deprecation) ================================================== The :doc:`Form Validation Library <../libraries/form_validation>` has a From ca956162f5793527d7151bddd1fb223edbfed46b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 12 Mar 2016 20:04:08 +0200 Subject: [PATCH 2718/3829] [ci skip] Revert an unnecessary change from last commit --- index.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/index.php b/index.php index 6986e1e5ddb..7f9a777b572 100755 --- a/index.php +++ b/index.php @@ -240,7 +240,7 @@ { if (($_temp = realpath($application_folder)) !== FALSE) { - $application_folder = $_temp.DIRECTORY_SEPARATOR; + $application_folder = $_temp; } else { From a990a8d195a13dd38bdd1620391a4e1b40770952 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sun, 13 Mar 2016 15:44:01 +0200 Subject: [PATCH 2719/3829] [ci skip] Fix a comment typo --- index.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/index.php b/index.php index 7f9a777b572..d02b6bb3899 100755 --- a/index.php +++ b/index.php @@ -91,7 +91,7 @@ /* *--------------------------------------------------------------- - * SYSTEM DIRCTORY NAME + * SYSTEM DIRECTORY NAME *--------------------------------------------------------------- * * This variable must contain the name of your "system" directory. From 6047ec16b2a99b3c19d452b07b81be9df8d2ad78 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Mon, 14 Mar 2016 13:08:22 +0500 Subject: [PATCH 2720/3829] Removed socket_type and socket parameters from the user guide --- user_guide_src/source/libraries/caching.rst | 2 -- 1 file changed, 2 deletions(-) diff --git a/user_guide_src/source/libraries/caching.rst b/user_guide_src/source/libraries/caching.rst index a7081ec6b61..81019c0150e 100644 --- a/user_guide_src/source/libraries/caching.rst +++ b/user_guide_src/source/libraries/caching.rst @@ -255,8 +255,6 @@ To use it, you need `Redis server and phpredis PHP extension Date: Mon, 14 Mar 2016 13:18:39 +0500 Subject: [PATCH 2721/3829] UNIX socket check --- system/libraries/Cache/drivers/Cache_redis.php | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index 29f43ba6f9e..b55d8bf258c 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -104,6 +104,11 @@ public function __construct() try { + if ($config['host']{0} === '/') + { + $config['port'] = 0; // for unix domain socket + } + if ( ! $this->_redis->connect($config['host'], $config['port'], $config['timeout'])) { log_message('error', 'Cache: Redis connection failed. Check your configuration.'); From 7755322d9457b1ba73f27e46e1d1fcfa62b46830 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Mon, 14 Mar 2016 13:36:15 +0500 Subject: [PATCH 2722/3829] Fixed brackets --- system/libraries/Cache/drivers/Cache_redis.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index b55d8bf258c..bae46bab480 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -104,7 +104,7 @@ public function __construct() try { - if ($config['host']{0} === '/') + if ($config['host'][0] === '/') { $config['port'] = 0; // for unix domain socket } From d3029505bc703c439d17dc902ad208574ba788b4 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Mon, 14 Mar 2016 13:38:58 +0500 Subject: [PATCH 2723/3829] Added the timeout value for the UNIX socket check --- system/libraries/Cache/drivers/Cache_redis.php | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index bae46bab480..1c12a0a2258 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -104,9 +104,11 @@ public function __construct() try { + // for unix domain socket if ($config['host'][0] === '/') { - $config['port'] = 0; // for unix domain socket + $config['port'] = 0; + $config['timeout'] = 0; } if ( ! $this->_redis->connect($config['host'], $config['port'], $config['timeout'])) From 49f440a12974ea0af37b3e306cd3a26aa557f469 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Mon, 14 Mar 2016 13:40:01 +0500 Subject: [PATCH 2724/3829] Removed a space char --- system/libraries/Cache/drivers/Cache_redis.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index 1c12a0a2258..475dd4420d9 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -104,7 +104,7 @@ public function __construct() try { - // for unix domain socket + // for unix domain socket if ($config['host'][0] === '/') { $config['port'] = 0; From d327a4fc32b507a44e418cdd4b6e2c63690bc5cc Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Mon, 14 Mar 2016 14:05:12 +0500 Subject: [PATCH 2725/3829] Unix socket check in one long line --- system/libraries/Cache/drivers/Cache_redis.php | 9 +-------- 1 file changed, 1 insertion(+), 8 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index 475dd4420d9..ec443243791 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -104,14 +104,7 @@ public function __construct() try { - // for unix domain socket - if ($config['host'][0] === '/') - { - $config['port'] = 0; - $config['timeout'] = 0; - } - - if ( ! $this->_redis->connect($config['host'], $config['port'], $config['timeout'])) + if ( ! $this->_redis->connect($config['host'], ($config['host'][0] === '/' ? 0 : $config['port']), $config['timeout'])) { log_message('error', 'Cache: Redis connection failed. Check your configuration.'); } From 2c10f60586faf59b9380608c5a9bf01ff2522483 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 15 Mar 2016 14:39:02 +0200 Subject: [PATCH 2726/3829] Add __isset() to CI_Session --- system/libraries/Session/Session.php | 18 ++++++++++++++++++ user_guide_src/source/changelog.rst | 1 + 2 files changed, 19 insertions(+) diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index 77c56ae7003..c9d2e8adc07 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -583,6 +583,24 @@ public function __get($key) // ------------------------------------------------------------------------ + /** + * __isset() + * + * @param string $key 'session_id' or a session data key + * @return bool + */ + public function __isset($key) + { + if ($key === 'session_id') + { + return (session_status() === PHP_SESSION_ACTIVE); + } + + return isset($_SESSION[$key]); + } + + // ------------------------------------------------------------------------ + /** * __set() * diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index e88b68f85f0..e235d2e6af3 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -16,6 +16,7 @@ Bug fixes for 3.0.6 ------------------- - Fixed a bug (#4516) - :doc:`Form Validation Library ` always accepted empty array inputs. +- Fixed a bug where :doc:`Session Library ` allowed accessing ``$_SESSION`` values as class properties but ``isset()`` didn't work on them. Version 3.0.5 ============= From 5576d2ca40666ada969fb2cb951fbddf8ca4ad8e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 16 Mar 2016 12:16:45 +0200 Subject: [PATCH 2727/3829] Simplify a bit of internal code in CI_Form_validation --- system/libraries/Form_validation.php | 20 ++------------------ 1 file changed, 2 insertions(+), 18 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 6be593adda3..ed4b9bccbc2 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -527,10 +527,7 @@ protected function _reset_post_array() { if ($row['is_array'] === FALSE) { - if (isset($_POST[$row['field']])) - { - $_POST[$row['field']] = $row['postdata']; - } + isset($_POST[$field]) && $_POST[$field] = $row['postdata']; } else { @@ -550,20 +547,7 @@ protected function _reset_post_array() } } - if (is_array($row['postdata'])) - { - $array = array(); - foreach ($row['postdata'] as $k => $v) - { - $array[$k] = $v; - } - - $post_ref = $array; - } - else - { - $post_ref = $row['postdata']; - } + $post_ref = $row['postdata']; } } } From 02ac187ce4789c5ab122a41e3b064ca923d98a82 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 16 Mar 2016 12:19:34 +0200 Subject: [PATCH 2728/3829] Fix a Form_validation bug that unnecessarily modifes $_POST --- system/libraries/Form_validation.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index ed4b9bccbc2..e4a5189579a 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -486,7 +486,7 @@ public function run($group = '') } // Now we need to re-set the POST data with the new, processed data - $this->_reset_post_array(); + empty($this->validation_data) && $this->_reset_post_array(); return ($total_errors === 0); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index e235d2e6af3..8203aba4101 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -17,6 +17,7 @@ Bug fixes for 3.0.6 - Fixed a bug (#4516) - :doc:`Form Validation Library ` always accepted empty array inputs. - Fixed a bug where :doc:`Session Library ` allowed accessing ``$_SESSION`` values as class properties but ``isset()`` didn't work on them. +- Fixed a bug where :doc:`Form Validation Library ` modified the ``$_POST`` array when the data being validated was actually provided via ``set_data()``. Version 3.0.5 ============= From 7df9453c0797b3e9f8af2b2a03413282890a677b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 16 Mar 2016 12:39:52 +0200 Subject: [PATCH 2729/3829] [ci skip] Add (detection-based) UNIX sockets support to Cache_memcached --- .../Cache/drivers/Cache_memcached.php | 18 +++++++++++++++--- 1 file changed, 15 insertions(+), 3 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index 6dee1e8e465..ca3997ad57b 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -102,10 +102,22 @@ public function __construct() return; } - foreach ($this->_config as $cache_server) + foreach ($this->_config as $cache_name => $cache_server) { - isset($cache_server['hostname']) OR $cache_server['hostname'] = $defaults['host']; - isset($cache_server['port']) OR $cache_server['port'] = $defaults['port']; + if ( ! isset($cache_server['hostname'])) + { + log_message('debug', 'Cache: Memcache(d) configuration "'.$cache_name.'" doesn\'t include a hostname; ignoring.'); + continue; + } + elseif ($cache_server['hostname'][0] === '/') + { + $cache_server['port'] = 0; + } + elseif (empty($cache_server['port'])) + { + $cache_server['port'] = $defaults['port']; + } + isset($cache_server['weight']) OR $cache_server['weight'] = $defaults['weight']; if ($this->_memcached instanceof Memcache) From 35e91f609d7d4d5944d13d1048c61e407b537c9e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 16 Mar 2016 12:40:24 +0200 Subject: [PATCH 2730/3829] [ci skip] Add changelog entries for recent CI_Cache changes to redis, memcached --- user_guide_src/source/changelog.rst | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 3bb7e48f5e0..a9614cf8466 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -14,7 +14,13 @@ Release Date: Not Released - Libraries - Added UNIX socket connection support to :doc:`Session Library ` 'redis' driver. - - Changed data serialization logic in :doc:`Cache Library ` 'redis' driver for better performance. + + - :doc:`Cache Library ` changes include: + + - Added UNIX socket connection support to the 'memcached' driver. + - Changed the 'memcached' driver to ignore configurations that don't specify a hostname. + - Removed the *socket_type* configuration setting from the 'redis' driver. + - Changed data serialization logic in 'redis' driver for better performance. - Database From fa91f30c144c041ad19925e55fe06c4065337896 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 16 Mar 2016 14:33:15 +0200 Subject: [PATCH 2731/3829] [ci skip] Add upgrade instructions for CI_Cache changes --- .../source/installation/upgrade_310.rst | 31 +++++++++++++++++-- 1 file changed, 29 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/installation/upgrade_310.rst b/user_guide_src/source/installation/upgrade_310.rst index a6e6bae7e58..36f69d01bd6 100644 --- a/user_guide_src/source/installation/upgrade_310.rst +++ b/user_guide_src/source/installation/upgrade_310.rst @@ -62,7 +62,7 @@ Step 3: Check logic related to URI parsing of CLI requests ========================================================== When running a CodeIgniter application from the CLI, the -:doc:`URI Library ` will now ignore the +:doc:`URI Library <../libraries/uri>` will now ignore the ``$config['url_suffix']`` and ``$config['permitted_uri_chars']`` configuration settings. @@ -71,7 +71,34 @@ this change was made) and therefore you shouldn't be affected by this, but if you've relied on them for some reason, you'd probably have to make some changes to your code. -Step 4: Check usage of doctype() HTML helper +Step 4: Check Cache Library configurations for Redis, Memcache(d) +================================================================= + +The new improvements for the 'redis' and 'memcached' drivers of the +:doc:`Cache Library <../libraries/caching>` may require some small +adjustments to your configuration values ... + +Redis +----- + +If you're using the 'redis' driver with a UNIX socket connection, you'll +have to move the socket path from ``$config['socket']`` to +``$config['host']`` instead. + +The ``$config['socket_type']`` option is also removed, although that won't +affect your application - it will be ignored and the connection type will +be determined by the format used for ``$config['host']`` instead. + +Memcache(d) +----------- + +The 'memcached' will now ignore configurations that don't specify a ``host`` +value (previously, it just set the host to the default '127.0.0.1'). + +Therefore, if you've added a configuration that only sets e.g. a ``port``, +you will now have to explicitly set the ``host`` to '127.0.0.1' as well. + +Step 5: Check usage of doctype() HTML helper ============================================ The :doc:`HTML Helper <../helpers/html_helper>` function From f8490b994c959de3e1eabba27d8d919433e3fc70 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 16 Mar 2016 16:22:14 +0200 Subject: [PATCH 2732/3829] Fix #4539 --- system/libraries/Migration.php | 97 +++++++++++++++++++---------- user_guide_src/source/changelog.rst | 2 + 2 files changed, 65 insertions(+), 34 deletions(-) diff --git a/system/libraries/Migration.php b/system/libraries/Migration.php index 7aefb6c23cd..74bec3d60bc 100644 --- a/system/libraries/Migration.php +++ b/system/libraries/Migration.php @@ -96,9 +96,9 @@ class CI_Migration { /** * Migration basename regex * - * @var bool + * @var string */ - protected $_migration_regex = NULL; + protected $_migration_regex; /** * Error message @@ -217,31 +217,61 @@ public function version($target_version) if ($target_version > $current_version) { - // Moving Up $method = 'up'; } else { - // Moving Down, apply in reverse order $method = 'down'; + // We need this so that migrations are applied in reverse order krsort($migrations); } - if (empty($migrations)) - { - return TRUE; - } - - $previous = FALSE; - - // Validate all available migrations, and run the ones within our target range + // Validate all available migrations within our target range. + // + // Unfortunately, we'll have to use another loop to run them + // in order to avoid leaving the procedure in a broken state. + // + // See https://github.com/bcit-ci/CodeIgniter/issues/4539 + $pending = array(); foreach ($migrations as $number => $file) { + // Ignore versions out of our range. + // + // Because we've previously sorted the $migrations array depending on the direction, + // we can safely break the loop once we reach $target_version ... + if ($method === 'up') + { + if ($number <= $current_version) + { + continue; + } + elseif ($number > $target_version) + { + break; + } + } + else + { + if ($number > $current_version) + { + continue; + } + elseif ($number <= $target_version) + { + break; + } + } + // Check for sequence gaps - if ($this->_migration_type === 'sequential' && $previous !== FALSE && abs($number - $previous) > 1) + if ($this->_migration_type === 'sequential') { - $this->_error_string = sprintf($this->lang->line('migration_sequence_gap'), $number); - return FALSE; + if (isset($previous) && abs($number - $previous) > 1) + { + $this->_error_string = sprintf($this->lang->line('migration_sequence_gap'), $number); + return FALSE; + } + + $previous = $number; } include_once($file); @@ -253,27 +283,27 @@ public function version($target_version) $this->_error_string = sprintf($this->lang->line('migration_class_doesnt_exist'), $class); return FALSE; } + // method_exists() returns true for non-public methods, + // while is_callable() can't be used without instantiating. + // Only get_class_methods() satisfies both conditions. + elseif ( ! in_array($method, array_map('strtolower', get_class_methods($class)))) + { + $this->_error_string = sprintf($this->lang->line('migration_missing_'.$method.'_method'), $class); + return FALSE; + } - $previous = $number; + $pending[$number] = array($class, $method); + } - // Run migrations that are inside the target range - if ( - ($method === 'up' && $number > $current_version && $number <= $target_version) OR - ($method === 'down' && $number <= $current_version && $number > $target_version) - ) - { - $instance = new $class(); - if ( ! is_callable(array($instance, $method))) - { - $this->_error_string = sprintf($this->lang->line('migration_missing_'.$method.'_method'), $class); - return FALSE; - } + // Now just run the necessary migrations + foreach ($pending as $number => $migration) + { + log_message('debug', 'Migrating '.$method.' from version '.$current_version.' to version '.$number); - log_message('debug', 'Migrating '.$method.' from version '.$current_version.' to version '.$number); - call_user_func(array($instance, $method)); - $current_version = $number; - $this->_update_version($current_version); - } + $migration[0] = new $migration[0]; + call_user_func($migration); + $current_version = $number; + $this->_update_version($current_version); } // This is necessary when moving down, since the the last migration applied @@ -285,7 +315,6 @@ public function version($target_version) } log_message('debug', 'Finished migrating to '.$current_version); - return $current_version; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 8203aba4101..b6d64fb8fff 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -18,6 +18,8 @@ Bug fixes for 3.0.6 - Fixed a bug (#4516) - :doc:`Form Validation Library ` always accepted empty array inputs. - Fixed a bug where :doc:`Session Library ` allowed accessing ``$_SESSION`` values as class properties but ``isset()`` didn't work on them. - Fixed a bug where :doc:`Form Validation Library ` modified the ``$_POST`` array when the data being validated was actually provided via ``set_data()``. +- Fixed a bug (#4539) - :doc:`Migration Library ` applied migrations before validating that all migrations within the requested version range are valid. +- Fixed a bug (#4539) - :doc:`Migration Library ` triggered failures for migrations that are out of the requested version range. Version 3.0.5 ============= From 3df07729b8018acd764a7a8a08f34f1579c43e5e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 16 Mar 2016 21:15:52 +0200 Subject: [PATCH 2733/3829] A small Migrations tweak --- system/libraries/Migration.php | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/system/libraries/Migration.php b/system/libraries/Migration.php index 74bec3d60bc..316c94ae3a2 100644 --- a/system/libraries/Migration.php +++ b/system/libraries/Migration.php @@ -219,12 +219,17 @@ public function version($target_version) { $method = 'up'; } - else + elseif ($target_version < $current_version) { $method = 'down'; // We need this so that migrations are applied in reverse order krsort($migrations); } + else + { + // Well, there's nothing to migrate then ... + return TRUE; + } // Validate all available migrations within our target range. // From 51ee810a6463d05730da61893a76b122e0acc993 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?F=C3=BCl=C3=B6p=20M=C3=A1rk?= Date: Thu, 17 Mar 2016 13:58:40 +0100 Subject: [PATCH 2734/3829] adding code format on line 29 --- user_guide_src/source/libraries/zip.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/zip.rst b/user_guide_src/source/libraries/zip.rst index 816f49ca1ec..9704d5b1d81 100644 --- a/user_guide_src/source/libraries/zip.rst +++ b/user_guide_src/source/libraries/zip.rst @@ -24,7 +24,7 @@ your controller using the $this->load->library function:: $this->load->library('zip'); -Once loaded, the Zip library object will be available using: +Once loaded, the Zip library object will be available using:: $this->zip From 83dfab90b351ad575fb8b8b7c6ff4b2c287d1e9b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 17 Mar 2016 18:09:50 +0200 Subject: [PATCH 2735/3829] Merge pull request #4544 from fulopm/develop [ci skip] Fix codeblock formatting in Zip library docs --- user_guide_src/source/libraries/zip.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/zip.rst b/user_guide_src/source/libraries/zip.rst index 816f49ca1ec..9704d5b1d81 100644 --- a/user_guide_src/source/libraries/zip.rst +++ b/user_guide_src/source/libraries/zip.rst @@ -24,7 +24,7 @@ your controller using the $this->load->library function:: $this->load->library('zip'); -Once loaded, the Zip library object will be available using: +Once loaded, the Zip library object will be available using:: $this->zip From 9de0f0b3a65bea6adff9999977ea6b717099e194 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 21 Mar 2016 18:22:33 +0200 Subject: [PATCH 2736/3829] [ci skip] Prepare for 3.0.6 release --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/changelog.rst | 2 +- user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/installation/downloads.rst | 2 +- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index f0d7c8f533e..3eb3e057333 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - define('CI_VERSION', '3.0.6-dev'); + define('CI_VERSION', '3.0.6'); /* * ------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index b6d64fb8fff..86f51ca58d7 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -5,7 +5,7 @@ Change Log Version 3.0.6 ============= -Release Date: Not Released +Release Date: March 21, 2016 - General Changes diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index e4d14d10032..4fa2f01ba31 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.0.6-dev' +version = '3.0.6' # The full version, including alpha/beta/rc tags. -release = '3.0.6-dev' +release = '3.0.6' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index be33a1dc9af..979e4c20f6c 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,7 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.0.6-dev (Current version) `_ +- `CodeIgniter v3.0.6 (Current version) `_ - `CodeIgniter v3.0.5 `_ - `CodeIgniter v3.0.4 `_ - `CodeIgniter v3.0.3 `_ From eb373a1abb348515001123ecbaca5e5384e69d19 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 21 Mar 2016 18:30:06 +0200 Subject: [PATCH 2737/3829] [ci skip] Mark the start of 3.0.7 development --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/changelog.rst | 6 ++++++ user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/installation/downloads.rst | 3 ++- user_guide_src/source/installation/upgrade_307.rst | 14 ++++++++++++++ user_guide_src/source/installation/upgrading.rst | 1 + 6 files changed, 26 insertions(+), 4 deletions(-) create mode 100644 user_guide_src/source/installation/upgrade_307.rst diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 3eb3e057333..f0d7c8f533e 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - define('CI_VERSION', '3.0.6'); + define('CI_VERSION', '3.0.6-dev'); /* * ------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 86f51ca58d7..341415f14b5 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -2,6 +2,12 @@ Change Log ########## +Version 3.0.7 +============= + +Release Date: Not Released + + Version 3.0.6 ============= diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index 4fa2f01ba31..26f854d85af 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.0.6' +version = '3.0.7-dev' # The full version, including alpha/beta/rc tags. -release = '3.0.6' +release = '3.0.7-dev' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index 979e4c20f6c..22c63b873d0 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,8 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.0.6 (Current version) `_ +- `CodeIgniter v3.0.7-dev (Current version) `_ +- `CodeIgniter v3.0.6 `_ - `CodeIgniter v3.0.5 `_ - `CodeIgniter v3.0.4 `_ - `CodeIgniter v3.0.3 `_ diff --git a/user_guide_src/source/installation/upgrade_307.rst b/user_guide_src/source/installation/upgrade_307.rst new file mode 100644 index 00000000000..ee957aabf96 --- /dev/null +++ b/user_guide_src/source/installation/upgrade_307.rst @@ -0,0 +1,14 @@ +############################# +Upgrading from 3.0.6 to 3.0.7 +############################# + +Before performing an update you should take your site offline by +replacing the index.php file with a static one. + +Step 1: Update your CodeIgniter files +===================================== + +Replace all files and directories in your *system/* directory. + +.. note:: If you have any custom developed files in these directories, + please make copies of them first. diff --git a/user_guide_src/source/installation/upgrading.rst b/user_guide_src/source/installation/upgrading.rst index 040c7283267..5beca65865e 100644 --- a/user_guide_src/source/installation/upgrading.rst +++ b/user_guide_src/source/installation/upgrading.rst @@ -8,6 +8,7 @@ upgrading from. .. toctree:: :titlesonly: + Upgrading from 3.0.6 to 3.0.7 Upgrading from 3.0.5 to 3.0.6 Upgrading from 3.0.4 to 3.0.5 Upgrading from 3.0.3 to 3.0.4 From 951a4d5c76a5b6403b40bcaff326cf8dbedcbca6 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 22 Mar 2016 11:08:54 +0200 Subject: [PATCH 2738/3829] [ci skip] Fix CI_VERSION --- system/core/CodeIgniter.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index f0d7c8f533e..aef0d3a5db1 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - define('CI_VERSION', '3.0.6-dev'); + define('CI_VERSION', '3.0.7-dev'); /* * ------------------------------------------------------ From eac4adfc24d1ad60af2bc3e08222ee7e5858f638 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 22 Mar 2016 11:24:14 +0200 Subject: [PATCH 2739/3829] [ci skip] Validate width, height config values --- system/libraries/Image_lib.php | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index f594b712580..edd13372d9e 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -456,7 +456,7 @@ public function initialize($props = array()) { if (property_exists($this, $key)) { - if (in_array($key, array('wm_font_color', 'wm_shadow_color'))) + if (in_array($key, array('wm_font_color', 'wm_shadow_color'), TRUE)) { if (preg_match('/^#?([0-9a-f]{3}|[0-9a-f]{6})$/i', $val, $matches)) { @@ -478,6 +478,10 @@ public function initialize($props = array()) continue; } } + elseif (in_array($key, array('width', 'height'), TRUE) && ! ctype_digit((string) $val)) + { + continue; + } $this->$key = $val; } From b3f6934cb870f2da9c9891968e6f4d98effa741e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 22 Mar 2016 11:31:58 +0200 Subject: [PATCH 2740/3829] [ci skip] Escape image paths passed as shell arguments to imagemagick --- system/libraries/Image_lib.php | 15 ++++++++------- 1 file changed, 8 insertions(+), 7 deletions(-) diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index edd13372d9e..24fe8c68dfb 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -866,27 +866,28 @@ public function image_process_imagemagick($action = 'resize') if ($action === 'crop') { - $cmd .= ' -crop '.$this->width.'x'.$this->height.'+'.$this->x_axis.'+'.$this->y_axis.' "'.$this->full_src_path.'" "'.$this->full_dst_path .'" 2>&1'; + $cmd .= ' -crop '.$this->width.'x'.$this->height.'+'.$this->x_axis.'+'.$this->y_axis; } elseif ($action === 'rotate') { - $angle = ($this->rotation_angle === 'hor' OR $this->rotation_angle === 'vrt') - ? '-flop' : '-rotate '.$this->rotation_angle; - - $cmd .= ' '.$angle.' "'.$this->full_src_path.'" "'.$this->full_dst_path.'" 2>&1'; + $cmd .= ($this->rotation_angle === 'hor' OR $this->rotation_angle === 'vrt') + ? ' -flop' + : ' -rotate '.$this->rotation_angle; } else // Resize { if($this->maintain_ratio === TRUE) { - $cmd .= ' -resize '.$this->width.'x'.$this->height.' "'.$this->full_src_path.'" "'.$this->full_dst_path.'" 2>&1'; + $cmd .= ' -resize '.$this->width.'x'.$this->height; } else { - $cmd .= ' -resize '.$this->width.'x'.$this->height.'\! "'.$this->full_src_path.'" "'.$this->full_dst_path.'" 2>&1'; + $cmd .= ' -resize '.$this->width.'x'.$this->height.'\!'; } } + $cmd .= ' "'.escapeshellarg($this->full_src_path).'" "'.escapeshellarg($this->full_dst_path).'" 2>&1'; + $retval = 1; // exec() might be disabled if (function_usable('exec')) From 86758e1003e6ce44b205d2eb104318a309fd92ab Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 22 Mar 2016 11:39:41 +0200 Subject: [PATCH 2741/3829] [ci skip] Add changelog entries for last two commits --- user_guide_src/source/changelog.rst | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 341415f14b5..88b797b9187 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,14 @@ Version 3.0.7 Release Date: Not Released +- General Changes + + - Updated :doc:`Image Manipulation Library ` to validate *width* and *height* configuration values. + +Bug fixes for 3.0.7 +------------------- + +- Fixed a bug where :doc:`Image Manipulation Library ` didn't escape image source paths passed to ImageMagick as shell arguments. Version 3.0.6 ============= From 4d2628e8aab6d0673ac0a010acbfaa9d76b7d568 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 22 Mar 2016 13:42:03 +0200 Subject: [PATCH 2742/3829] random_bytes()-related improvements See #4260 --- system/core/compat/password.php | 26 ++++++++++++++++++++++---- system/libraries/Encryption.php | 26 ++++++++++++++++++++------ user_guide_src/source/changelog.rst | 7 +++++++ 3 files changed, 49 insertions(+), 10 deletions(-) diff --git a/system/core/compat/password.php b/system/core/compat/password.php index f0c22c780cc..76dd2cf0a1d 100644 --- a/system/core/compat/password.php +++ b/system/core/compat/password.php @@ -116,13 +116,21 @@ function password_hash($password, $algo, array $options = array()) } elseif ( ! isset($options['salt'])) { - if (defined('MCRYPT_DEV_URANDOM')) + if (function_exists('random_bytes')) { - $options['salt'] = mcrypt_create_iv(16, MCRYPT_DEV_URANDOM); + try + { + $options['salt'] = random_bytes(16); + } + catch (Exception $e) + { + log_message('error', 'compat/password: Error while trying to use random_bytes(): '.$e->getMessage()); + return FALSE; + } } - elseif (function_exists('openssl_random_pseudo_bytes')) + elseif (defined('MCRYPT_DEV_URANDOM')) { - $options['salt'] = openssl_random_pseudo_bytes(16); + $options['salt'] = mcrypt_create_iv(16, MCRYPT_DEV_URANDOM); } elseif (DIRECTORY_SEPARATOR === '/' && (is_readable($dev = '/dev/arandom') OR is_readable($dev = '/dev/urandom'))) { @@ -148,6 +156,16 @@ function password_hash($password, $algo, array $options = array()) fclose($fp); } + elseif (function_exists('openssl_random_pseudo_bytes')) + { + $is_secure = NULL; + $options['salt'] = openssl_random_pseudo_bytes(16, $is_secure); + if ($is_secure !== TRUE) + { + log_message('error', 'compat/password: openssl_random_pseudo_bytes() set the $cryto_strong flag to FALSE'); + return FALSE; + } + } else { log_message('error', 'compat/password: No CSPRNG available.'); diff --git a/system/libraries/Encryption.php b/system/libraries/Encryption.php index 92c38a0ed24..a10a5c20ccc 100644 --- a/system/libraries/Encryption.php +++ b/system/libraries/Encryption.php @@ -339,12 +339,26 @@ public function create_key($length) { if (function_exists('random_bytes')) { - return random_bytes((int) $length); + try + { + return random_bytes((int) $length); + } + catch (Exception $e) + { + log_message('error', $e->getMessage()); + return FALSE; + } + } + elseif (defined('MCRYPT_DEV_URANDOM')) + { + return mcrypt_create_iv($length, MCRYPT_DEV_URANDOM); } - return ($this->_driver === 'mcrypt') - ? mcrypt_create_iv($length, MCRYPT_DEV_URANDOM) - : openssl_random_pseudo_bytes($length); + $is_secure = NULL; + $key = openssl_random_pseudo_bytes($length, $is_secure); + return ($is_secure === TRUE) + ? $key + : FALSE; } // -------------------------------------------------------------------- @@ -400,7 +414,7 @@ protected function _mcrypt_encrypt($data, $params) // The greater-than-1 comparison is mostly a work-around for a bug, // where 1 is returned for ARCFour instead of 0. $iv = (($iv_size = mcrypt_enc_get_iv_size($params['handle'])) > 1) - ? mcrypt_create_iv($iv_size, MCRYPT_DEV_URANDOM) + ? $this->create_key($iv_size) : NULL; if (mcrypt_generic_init($params['handle'], $params['key'], $iv) < 0) @@ -463,7 +477,7 @@ protected function _openssl_encrypt($data, $params) } $iv = ($iv_size = openssl_cipher_iv_length($params['handle'])) - ? openssl_random_pseudo_bytes($iv_size) + ? $this->create_key($iv_size) : NULL; $data = openssl_encrypt( diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 88b797b9187..5732ed3c6a5 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -10,6 +10,13 @@ Release Date: Not Released - General Changes - Updated :doc:`Image Manipulation Library ` to validate *width* and *height* configuration values. + - Updated :doc:`Encryption Library ` to always prefer ``random_bytes()`` when it is available. + + - :php:func:`password_hash()` :doc:`compatibility function ` changes: + + - Changed salt-generation logic to prefer ``random_bytes()`` when it is available. + - Changed salt-generation logic to prefer direct access to */dev/urandom* over ``openssl_random_pseudo_bytes()``. + - Changed salt-generation logic to error if ``openssl_random_pseudo_bytes()`` sets its ``$crypto_strong`` flag to FALSE. Bug fixes for 3.0.7 ------------------- From 2f576ef91e9517191b31f6771c3a3e58f638b47d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 22 Mar 2016 15:32:52 +0200 Subject: [PATCH 2743/3829] [ci skip] Add prep_for_form deprecation (since 3.0.6) to 3.0.x upgrade instructions --- .../source/installation/upgrade_300.rst | 20 ++++++++++++++++++- 1 file changed, 19 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index 9a40f2b60ec..0fc211f893f 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -842,7 +842,6 @@ CodeIgniter 3.1+. .. note:: This method is still available, but you're strongly encouraged to remove its usage sooner rather than later. -====================== The Javascript library ====================== @@ -854,6 +853,25 @@ It is now deprecated and scheduled for removal in CodeIgniter 3.1+. .. note:: This library is still available, but you're strongly encouraged to remove its usage sooner rather than later. +Form Validation method prep_for_form() +====================================== + +The :doc:`Form Validation Library <../libraries/form_validation>` has a +``prep_for_form()`` method, which is/can also be used as a rule in +``set_rules()`` to automatically perform HTML encoding on input data. + +Automatically encoding input (instead of output) data is a bad practice in +the first place, and CodeIgniter and PHP itself offer other alternatives +to this method anyway. +For example, :doc:`Form Helper <../helpers/form_helper>` functions will +automatically perform HTML escaping when necessary. + +Therefore, the *prep_for_form* method/rule is pretty much useless and is now +deprecated and scheduled for removal in 3.1+. + +.. note:: The method is still available, but you're strongly encouraged to + remove its usage sooner rather than later. + *********************************************************** Step 21: Check your usage of Text helper highlight_phrase() *********************************************************** From b9c69165355732c5c8d18f16f11481283a04ccb0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 30 Mar 2016 13:32:15 +0300 Subject: [PATCH 2744/3829] [ci skip] Fix #4557 --- user_guide_src/source/libraries/form_validation.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index 44adfd715cc..b03b544e2fb 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -465,7 +465,7 @@ for you to process. To invoke a callback just put the method name in a rule, with "callback\_" as the rule **prefix**. If you need to receive an extra parameter in your callback method, just add it normally after the -method name between square brackets, as in: "callback_foo**[bar]**", +method name between square brackets, as in: ``callback_foo[bar]``, then it will be passed as the second argument of your callback method. .. note:: You can also process the form data that is passed to your From b97e6b2e7e2f58aa7bba937b96dd2e9d3089e4d2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 1 Apr 2016 12:04:01 +0300 Subject: [PATCH 2745/3829] [ci skip] Fix #861 (regression) --- system/database/drivers/mssql/mssql_forge.php | 5 +++++ system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php | 5 +++++ system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php | 5 +++++ system/database/drivers/sqlsrv/sqlsrv_forge.php | 5 +++++ user_guide_src/source/changelog.rst | 1 + 5 files changed, 21 insertions(+) diff --git a/system/database/drivers/mssql/mssql_forge.php b/system/database/drivers/mssql/mssql_forge.php index 24d1fc204b0..91b5794bc04 100644 --- a/system/database/drivers/mssql/mssql_forge.php +++ b/system/database/drivers/mssql/mssql_forge.php @@ -113,6 +113,11 @@ protected function _alter_table($alter_type, $table, $field) */ protected function _attr_type(&$attributes) { + if (isset($attributes['CONSTRAINT']) && strpos($attributes['TYPE'], 'INT') !== FALSE) + { + unset($attributes['CONSTRAINT']); + } + switch (strtoupper($attributes['TYPE'])) { case 'MEDIUMINT': diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php index d5dd9aad13f..83020032545 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php @@ -111,6 +111,11 @@ protected function _alter_table($alter_type, $table, $field) */ protected function _attr_type(&$attributes) { + if (isset($attributes['CONSTRAINT']) && strpos($attributes['TYPE'], 'INT') !== FALSE) + { + unset($attributes['CONSTRAINT']); + } + switch (strtoupper($attributes['TYPE'])) { case 'MEDIUMINT': diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php index 602f895f188..56bf87f3a4c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php @@ -111,6 +111,11 @@ protected function _alter_table($alter_type, $table, $field) */ protected function _attr_type(&$attributes) { + if (isset($attributes['CONSTRAINT']) && strpos($attributes['TYPE'], 'INT') !== FALSE) + { + unset($attributes['CONSTRAINT']); + } + switch (strtoupper($attributes['TYPE'])) { case 'MEDIUMINT': diff --git a/system/database/drivers/sqlsrv/sqlsrv_forge.php b/system/database/drivers/sqlsrv/sqlsrv_forge.php index f915dad3eed..4f0ce9d6fa6 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_forge.php +++ b/system/database/drivers/sqlsrv/sqlsrv_forge.php @@ -111,6 +111,11 @@ protected function _alter_table($alter_type, $table, $field) */ protected function _attr_type(&$attributes) { + if (isset($attributes['CONSTRAINT']) && strpos($attributes['TYPE'], 'INT') !== FALSE) + { + unset($attributes['CONSTRAINT']); + } + switch (strtoupper($attributes['TYPE'])) { case 'MEDIUMINT': diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 5732ed3c6a5..3cef6b66cf6 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -22,6 +22,7 @@ Bug fixes for 3.0.7 ------------------- - Fixed a bug where :doc:`Image Manipulation Library ` didn't escape image source paths passed to ImageMagick as shell arguments. +- Fixed a bug (#861) - :doc:`Database Forge ` method ``create_table()`` incorrectly accepts field width constraints for MSSQL/SQLSRV integer-type columns. Version 3.0.6 ============= From f8312cfa38d2793f1b365f918395019f343fe1c0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 1 Apr 2016 21:11:23 +0300 Subject: [PATCH 2746/3829] [ci skip] Fix #4562 --- system/libraries/Cache/drivers/Cache_memcached.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index 6dee1e8e465..836336d469d 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -295,7 +295,7 @@ public function __destruct() { $this->_memcached->close(); } - elseif ($this->_memcached instanceof Memcached) + elseif ($this->_memcached instanceof Memcached && method_exists($this->_memcached, 'quit')) { $this->_memcached->quit(); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 3cef6b66cf6..1f886608904 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -23,6 +23,7 @@ Bug fixes for 3.0.7 - Fixed a bug where :doc:`Image Manipulation Library ` didn't escape image source paths passed to ImageMagick as shell arguments. - Fixed a bug (#861) - :doc:`Database Forge ` method ``create_table()`` incorrectly accepts field width constraints for MSSQL/SQLSRV integer-type columns. +- Fixed a bug (#4562) - :doc:`Cache Library ` didn't check if ``Memcached::quit()`` is available before calling it. Version 3.0.6 ============= From 85dfc2a6f76ca95e803535c25877e2aa1c05c38b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 1 Apr 2016 22:54:15 +0300 Subject: [PATCH 2747/3829] [ci skip] Add some 'debug' log messages to CI_Session --- system/libraries/Session/Session.php | 1 + system/libraries/Session/drivers/Session_database_driver.php | 5 ++++- system/libraries/Session/drivers/Session_files_driver.php | 1 + user_guide_src/source/changelog.rst | 1 + 4 files changed, 7 insertions(+), 1 deletion(-) diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index c9d2e8adc07..1bdc6e5ccef 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -91,6 +91,7 @@ public function __construct(array $params = array()) // Note: BC workaround elseif (config_item('sess_use_database')) { + log_message('debug', 'Session: "sess_driver" is empty; using BC fallback to "sess_use_database".'); $this->_driver = 'database'; } diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index 317bd7d4d0a..cb152f91fa7 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -109,7 +109,10 @@ public function __construct(&$params) } // Note: BC work-around for the old 'sess_table_name' setting, should be removed in the future. - isset($this->_config['save_path']) OR $this->_config['save_path'] = config_item('sess_table_name'); + if ( ! isset($this->_config['save_path']) && ($this->_config['save_path'] = config_item('sess_table_name'))) + { + log_message('debug', 'Session: "sess_save_path" is empty; using BC fallback to "sess_table_name".'); + } } // ------------------------------------------------------------------------ diff --git a/system/libraries/Session/drivers/Session_files_driver.php b/system/libraries/Session/drivers/Session_files_driver.php index 119bf65729e..57c3777a2a5 100644 --- a/system/libraries/Session/drivers/Session_files_driver.php +++ b/system/libraries/Session/drivers/Session_files_driver.php @@ -95,6 +95,7 @@ public function __construct(&$params) } else { + log_message('debug', 'Session: "sess_save_path" is empty; using "session.save_path" value from php.ini.'); $this->_config['save_path'] = rtrim(ini_get('session.save_path'), '/\\'); } } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1f886608904..40f7c13028f 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -11,6 +11,7 @@ Release Date: Not Released - Updated :doc:`Image Manipulation Library ` to validate *width* and *height* configuration values. - Updated :doc:`Encryption Library ` to always prefer ``random_bytes()`` when it is available. + - Updated :doc:`Session Library ` to log 'debug' messages when using fallbacks to *session.save_path* (php.ini) or 'sess_use_database', 'sess_table_name' settings. - :php:func:`password_hash()` :doc:`compatibility function ` changes: From cd3d5956f7880091740489c5f24af0e72f677c0c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 4 Apr 2016 10:28:31 +0300 Subject: [PATCH 2748/3829] Fix #4563 --- system/core/Input.php | 26 ++++++++++++++------------ user_guide_src/source/changelog.rst | 1 + 2 files changed, 15 insertions(+), 12 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index a7c9ecd0d74..50ca047e8d2 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -760,30 +760,32 @@ public function request_headers($xss_clean = FALSE) // If header is already defined, return it immediately if ( ! empty($this->headers)) { - return $this->headers; + return $this->_fetch_from_array($this->headers, NULL, $xss_clean); } // In Apache, you can simply call apache_request_headers() if (function_exists('apache_request_headers')) { - return $this->headers = apache_request_headers(); + $this->headers = apache_request_headers(); } - - $this->headers['Content-Type'] = isset($_SERVER['CONTENT_TYPE']) ? $_SERVER['CONTENT_TYPE'] : @getenv('CONTENT_TYPE'); - - foreach ($_SERVER as $key => $val) + else { - if (sscanf($key, 'HTTP_%s', $header) === 1) + isset($_SERVER['CONTENT_TYPE']) && $this->headers['Content-Type'] = $_SERVER['CONTENT_TYPE']; + + foreach ($_SERVER as $key => $val) { - // take SOME_HEADER and turn it into Some-Header - $header = str_replace('_', ' ', strtolower($header)); - $header = str_replace(' ', '-', ucwords($header)); + if (sscanf($key, 'HTTP_%s', $header) === 1) + { + // take SOME_HEADER and turn it into Some-Header + $header = str_replace('_', ' ', strtolower($header)); + $header = str_replace(' ', '-', ucwords($header)); - $this->headers[$header] = $this->_fetch_from_array($_SERVER, $key, $xss_clean); + $this->headers[$header] = $_SERVER[$key]; + } } } - return $this->headers; + return $this->_fetch_from_array($this->headers, NULL, $xss_clean); } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 40f7c13028f..5a482208aa9 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -25,6 +25,7 @@ Bug fixes for 3.0.7 - Fixed a bug where :doc:`Image Manipulation Library ` didn't escape image source paths passed to ImageMagick as shell arguments. - Fixed a bug (#861) - :doc:`Database Forge ` method ``create_table()`` incorrectly accepts field width constraints for MSSQL/SQLSRV integer-type columns. - Fixed a bug (#4562) - :doc:`Cache Library ` didn't check if ``Memcached::quit()`` is available before calling it. +- Fixed a bug (#4563) - :doc:`Input Library ` method ``request_headers()`` ignores ``$xss_clean`` parameter value after first call. Version 3.0.6 ============= From a2f837f0931f23cc440c1b7ffd298c6fe8705fe9 Mon Sep 17 00:00:00 2001 From: Moses Kurniawan Date: Wed, 13 Apr 2016 01:05:17 +0700 Subject: [PATCH 2749/3829] Removed double quotes on $cid because if we using quotes, the embedded image will not appear. --- user_guide_src/source/libraries/email.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/email.rst b/user_guide_src/source/libraries/email.rst index eadfcfd5c38..0b38737f10f 100644 --- a/user_guide_src/source/libraries/email.rst +++ b/user_guide_src/source/libraries/email.rst @@ -374,7 +374,7 @@ Class Reference { $this->email->to($address); $cid = $this->email->attachment_cid($filename); - $this->email->message('photo1'); + $this->email->message('photo1'); $this->email->send(); } From 98026f1ef2b05859b15602a5e2445575b24188ba Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 12 Apr 2016 21:15:38 +0300 Subject: [PATCH 2750/3829] Merge pull request #4579 from mokalovesoulmate/develop [ci skip] Fix a CI_Email documentation example --- user_guide_src/source/libraries/email.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/email.rst b/user_guide_src/source/libraries/email.rst index eadfcfd5c38..0b38737f10f 100644 --- a/user_guide_src/source/libraries/email.rst +++ b/user_guide_src/source/libraries/email.rst @@ -374,7 +374,7 @@ Class Reference { $this->email->to($address); $cid = $this->email->attachment_cid($filename); - $this->email->message('photo1'); + $this->email->message('photo1'); $this->email->send(); } From 92d8eb2acf7204d01f595081551a4b08c4660cf3 Mon Sep 17 00:00:00 2001 From: Robert Angyal Date: Sun, 17 Apr 2016 06:48:22 +0200 Subject: [PATCH 2751/3829] Fixes #4583 by separating attachments to related and mixed multiparts Signed-off-by: Robert Angyal --- system/libraries/Email.php | 135 +++++++++++++++++++++++++++---------- 1 file changed, 101 insertions(+), 34 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index ed6f737a1f9..ef9b58b617d 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -149,13 +149,6 @@ class CI_Email { */ public $charset = 'utf-8'; - /** - * Multipart message - * - * @var string 'mixed' (in the body) or 'related' (separate) - */ - public $multipart = 'mixed'; // "mixed" (in the body) or "related" (separate) - /** * Alternative message (for HTML messages only) * @@ -274,6 +267,13 @@ class CI_Email { */ protected $_atc_boundary = ''; + /** + * Related Attachment boundary + * + * @var string + */ + protected $_rel_boundary = ''; + /** * Final headers to send * @@ -766,7 +766,8 @@ public function attach($file, $disposition = '', $newname = NULL, $mime = '') 'name' => array($file, $newname), 'disposition' => empty($disposition) ? 'attachment' : $disposition, // Can also be 'inline' Not sure if it matters 'type' => $mime, - 'content' => chunk_split(base64_encode($file_content)) + 'content' => chunk_split(base64_encode($file_content)), + 'multipart' => 'mixed' ); return $this; @@ -784,15 +785,11 @@ public function attach($file, $disposition = '', $newname = NULL, $mime = '') */ public function attachment_cid($filename) { - if ($this->multipart !== 'related') - { - $this->multipart = 'related'; // Thunderbird need this for inline images - } - for ($i = 0, $c = count($this->_attachments); $i < $c; $i++) { if ($this->_attachments[$i]['name'][0] === $filename) { + $this->_attachments[$i]['multipart'] = 'related'; $this->_attachments[$i]['cid'] = uniqid(basename($this->_attachments[$i]['name'][0]).'@'); return $this->_attachments[$i]['cid']; } @@ -945,6 +942,7 @@ protected function _set_boundaries() { $this->_alt_boundary = 'B_ALT_'.uniqid(''); // multipart/alternative $this->_atc_boundary = 'B_ATC_'.uniqid(''); // attachment boundary + $this->_rel_boundary = 'B_REL_'.uniqid(''); // related attachment boundary } // -------------------------------------------------------------------- @@ -1391,7 +1389,7 @@ protected function _build_message() case 'plain-attach' : - $hdr .= 'Content-Type: multipart/'.$this->multipart.'; boundary="'.$this->_atc_boundary.'"'; + $hdr .= 'Content-Type: multipart/mixed; boundary="'.$this->_atc_boundary.'"'; if ($this->_get_protocol() === 'mail') { @@ -1406,18 +1404,45 @@ protected function _build_message() .$this->newline .$this->_body.$this->newline.$this->newline; + $attachment_prepared = $this->_prep_attachments($this->_attachments, $this->_atc_boundary); + break; case 'html-attach' : - $hdr .= 'Content-Type: multipart/'.$this->multipart.'; boundary="'.$this->_atc_boundary.'"'; + $attachments_indexed_by_multipart = $this->_attachments_indexed_by_multipart(); + $attachments_related = $attachments_indexed_by_multipart['related']; + $attachments_mixed = $attachments_indexed_by_multipart['mixed']; + $prepared_attachment_parts = array(); + + if (isset($attachments_mixed) && count($attachments_mixed) > 0) + { + $hdr .= 'Content-Type: multipart/mixed; boundary="'.$this->_atc_boundary.'"'; + + array_push($prepared_attachment_parts, $this->_prep_attachments($attachments_mixed, $this->_atc_boundary)); + $last_boundary = $this->_atc_boundary; + } + + if (isset($attachments_related) && count($attachments_related) > 0) + { + $target_container =& $hdr; + if (isset($last_boundary)) { + $target_container =& $body; + $target_container .= '--' . $last_boundary . $this->newline; + } + $target_container .= 'Content-Type: multipart/related; boundary="'.$this->_rel_boundary.'"'; + + array_unshift($prepared_attachment_parts, $this->_prep_attachments($attachments_related, $this->_rel_boundary)); + $last_boundary = $this->_rel_boundary; + } if ($this->_get_protocol() === 'mail') { $this->_header_str .= $hdr; } + if (strlen(body) > 0) $body .= $this->newline.$this->newline; $body .= $this->_get_mime_message().$this->newline.$this->newline - .'--'.$this->_atc_boundary.$this->newline + .'--'.$last_boundary.$this->newline .'Content-Type: multipart/alternative; boundary="'.$this->_alt_boundary.'"'.$this->newline.$this->newline .'--'.$this->_alt_boundary.$this->newline @@ -1432,27 +1457,12 @@ protected function _build_message() .$this->_prep_quoted_printable($this->_body).$this->newline.$this->newline .'--'.$this->_alt_boundary.'--'.$this->newline.$this->newline; - break; - } - - $attachment = array(); - for ($i = 0, $c = count($this->_attachments), $z = 0; $i < $c; $i++) - { - $filename = $this->_attachments[$i]['name'][0]; - $basename = ($this->_attachments[$i]['name'][1] === NULL) - ? basename($filename) : $this->_attachments[$i]['name'][1]; - - $attachment[$z++] = '--'.$this->_atc_boundary.$this->newline - .'Content-type: '.$this->_attachments[$i]['type'].'; ' - .'name="'.$basename.'"'.$this->newline - .'Content-Disposition: '.$this->_attachments[$i]['disposition'].';'.$this->newline - .'Content-Transfer-Encoding: base64'.$this->newline - .(empty($this->_attachments[$i]['cid']) ? '' : 'Content-ID: <'.$this->_attachments[$i]['cid'].'>'.$this->newline); + $attachment_prepared = implode($this->newline.$this->newline, $prepared_attachment_parts); - $attachment[$z++] = $this->_attachments[$i]['content']; + break; } - $body .= implode($this->newline, $attachment).$this->newline.'--'.$this->_atc_boundary.'--'; + $body .= $attachment_prepared; $this->_finalbody = ($this->_get_protocol() === 'mail') ? $body : $hdr.$this->newline.$this->newline.$body; @@ -1462,6 +1472,63 @@ protected function _build_message() // -------------------------------------------------------------------- + /** + * Returns attachments mapped by multipart type + * + * @return array + */ + protected function _attachments_indexed_by_multipart() + { + foreach ($this->_attachments as $attachment) + { + $multipart = $attachment['multipart']; + if (!isset($attachments_indexed[$multipart])) + { + $attachments_indexed[$multipart] = array(); + } + array_push($attachments_indexed[$multipart], $attachment); + } + + return $attachments_indexed; + } + + // -------------------------------------------------------------------- + + /** + * Prepares attachment string + * + * @param array $attachments + * @param string $boundary Multipart boundary string + * @return string + */ + protected function _prep_attachments($attachments, $boundary) + { + if (!isset($attachments) || count($attachments) === 0) return ''; + + $attachment_parts = array(); + foreach ($attachments as $attachment) + { + $filename = $attachment['name'][0]; + $basename = ($attachment['name'][1] === NULL) + ? basename($filename) : $attachment['name'][1]; + + array_push( + $attachment_parts, + '--'.$boundary.$this->newline + .'Content-type: '.$attachment['type'].'; ' + .'name="'.$basename.'"'.$this->newline + .'Content-Disposition: '.$attachment['disposition'].';'.$this->newline + .'Content-Transfer-Encoding: base64'.$this->newline + .(empty($attachment['cid']) ? '' : 'Content-ID: <'.$attachment['cid'].'>'.$this->newline), + $attachment['content'] + ); + } + + return implode($this->newline, $attachment_parts).$this->newline.'--'.$boundary.'--'; + } + + // -------------------------------------------------------------------- + /** * Prep Quoted Printable * From 832fd00b10f2fb236e0bf5b770d3298e6fedee64 Mon Sep 17 00:00:00 2001 From: Robert Angyal Date: Wed, 20 Apr 2016 05:20:15 +0200 Subject: [PATCH 2752/3829] #4583 Fix code style issues Signed-off-by: Robert Angyal --- system/libraries/Email.php | 24 ++++++++++++++++-------- 1 file changed, 16 insertions(+), 8 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index ef9b58b617d..cbb48f52574 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -767,7 +767,7 @@ public function attach($file, $disposition = '', $newname = NULL, $mime = '') 'disposition' => empty($disposition) ? 'attachment' : $disposition, // Can also be 'inline' Not sure if it matters 'type' => $mime, 'content' => chunk_split(base64_encode($file_content)), - 'multipart' => 'mixed' + 'multipart' => 'mixed' ); return $this; @@ -1413,6 +1413,7 @@ protected function _build_message() $attachments_related = $attachments_indexed_by_multipart['related']; $attachments_mixed = $attachments_indexed_by_multipart['mixed']; $prepared_attachment_parts = array(); + $last_boundary = NULL; if (isset($attachments_mixed) && count($attachments_mixed) > 0) { @@ -1425,7 +1426,8 @@ protected function _build_message() if (isset($attachments_related) && count($attachments_related) > 0) { $target_container =& $hdr; - if (isset($last_boundary)) { + if (isset($last_boundary)) + { $target_container =& $body; $target_container .= '--' . $last_boundary . $this->newline; } @@ -1440,7 +1442,10 @@ protected function _build_message() $this->_header_str .= $hdr; } - if (strlen(body) > 0) $body .= $this->newline.$this->newline; + if (strlen(body) > 0) + { + $body .= $this->newline.$this->newline; + } $body .= $this->_get_mime_message().$this->newline.$this->newline .'--'.$last_boundary.$this->newline @@ -1475,7 +1480,7 @@ protected function _build_message() /** * Returns attachments mapped by multipart type * - * @return array + * @return array */ protected function _attachments_indexed_by_multipart() { @@ -1497,13 +1502,16 @@ protected function _attachments_indexed_by_multipart() /** * Prepares attachment string * - * @param array $attachments - * @param string $boundary Multipart boundary string - * @return string + * @param array $attachments + * @param string $boundary Multipart boundary string + * @return string */ protected function _prep_attachments($attachments, $boundary) { - if (!isset($attachments) || count($attachments) === 0) return ''; + if (!isset($attachments) OR count($attachments) === 0) + { + return ''; + } $attachment_parts = array(); foreach ($attachments as $attachment) From 57d2140687c74abd7b5a4bb4b859015eb703d565 Mon Sep 17 00:00:00 2001 From: rochefort Date: Thu, 28 Apr 2016 02:41:17 +0900 Subject: [PATCH 2753/3829] Fix a type of parameter in url_title [ci skip] --- user_guide_src/source/helpers/url_helper.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/helpers/url_helper.rst b/user_guide_src/source/helpers/url_helper.rst index 64deae240ec..6fb0dd94260 100644 --- a/user_guide_src/source/helpers/url_helper.rst +++ b/user_guide_src/source/helpers/url_helper.rst @@ -277,7 +277,7 @@ Available Functions :param string $str: Input string :param string $separator: Word separator - :param string $lowercase: Whether to transform the output string to lower-case + :param bool $lowercase: Whether to transform the output string to lower-case :returns: URL-formatted string :rtype: string @@ -370,4 +370,4 @@ Available Functions will *automatically* be selected when the page is currently accessed via POST and HTTP/1.1 is used. - .. important:: This function will terminate script execution. \ No newline at end of file + .. important:: This function will terminate script execution. From 9343851e6155f6728e02332000f1885e248e907d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 28 Apr 2016 11:09:06 +0300 Subject: [PATCH 2754/3829] Merge pull request #4603 from rochefort/fix-type [ci skip] Fix a parameter type in url_title() docs --- user_guide_src/source/helpers/url_helper.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/helpers/url_helper.rst b/user_guide_src/source/helpers/url_helper.rst index 64deae240ec..6fb0dd94260 100644 --- a/user_guide_src/source/helpers/url_helper.rst +++ b/user_guide_src/source/helpers/url_helper.rst @@ -277,7 +277,7 @@ Available Functions :param string $str: Input string :param string $separator: Word separator - :param string $lowercase: Whether to transform the output string to lower-case + :param bool $lowercase: Whether to transform the output string to lower-case :returns: URL-formatted string :rtype: string @@ -370,4 +370,4 @@ Available Functions will *automatically* be selected when the page is currently accessed via POST and HTTP/1.1 is used. - .. important:: This function will terminate script execution. \ No newline at end of file + .. important:: This function will terminate script execution. From ed458fbdb36f8d8d7bd7d818dbb2983485e86b3c Mon Sep 17 00:00:00 2001 From: Robert Angyal Date: Thu, 28 Apr 2016 10:26:56 +0200 Subject: [PATCH 2755/3829] #4583 Refactor according to the suggestions commented on Pull Request Signed-off-by: Robert Angyal --- system/libraries/Email.php | 68 +++++++++++++++++--------------------- 1 file changed, 30 insertions(+), 38 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index cbb48f52574..e35c48ec46a 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1406,34 +1406,34 @@ protected function _build_message() $attachment_prepared = $this->_prep_attachments($this->_attachments, $this->_atc_boundary); - break; + break; case 'html-attach' : $attachments_indexed_by_multipart = $this->_attachments_indexed_by_multipart(); - $attachments_related = $attachments_indexed_by_multipart['related']; - $attachments_mixed = $attachments_indexed_by_multipart['mixed']; $prepared_attachment_parts = array(); $last_boundary = NULL; - if (isset($attachments_mixed) && count($attachments_mixed) > 0) + if ( ! empty($attachments_indexed_by_multipart['mixed'])) { $hdr .= 'Content-Type: multipart/mixed; boundary="'.$this->_atc_boundary.'"'; - array_push($prepared_attachment_parts, $this->_prep_attachments($attachments_mixed, $this->_atc_boundary)); + $prepared_attachment_parts[] = $this->_prep_attachments($attachments_indexed_by_multipart['mixed'], $this->_atc_boundary); $last_boundary = $this->_atc_boundary; } - if (isset($attachments_related) && count($attachments_related) > 0) + if ( ! empty($attachments_indexed_by_multipart['related'])) { - $target_container =& $hdr; + $rel_boundary_header = 'Content-Type: multipart/related; boundary="'.$this->_rel_boundary.'"'; if (isset($last_boundary)) { - $target_container =& $body; - $target_container .= '--' . $last_boundary . $this->newline; + $body .= '--' . $last_boundary . $this->newline . $rel_boundary_header; + } + else + { + $hdr .= $rel_boundary_header; } - $target_container .= 'Content-Type: multipart/related; boundary="'.$this->_rel_boundary.'"'; - array_unshift($prepared_attachment_parts, $this->_prep_attachments($attachments_related, $this->_rel_boundary)); + array_unshift($prepared_attachment_parts, $this->_prep_attachments($attachments_indexed_by_multipart['related'], $this->_rel_boundary)); $last_boundary = $this->_rel_boundary; } @@ -1442,10 +1442,7 @@ protected function _build_message() $this->_header_str .= $hdr; } - if (strlen(body) > 0) - { - $body .= $this->newline.$this->newline; - } + strlen($body) && $body .= $this->newline.$this->newline; $body .= $this->_get_mime_message().$this->newline.$this->newline .'--'.$last_boundary.$this->newline @@ -1464,7 +1461,7 @@ protected function _build_message() $attachment_prepared = implode($this->newline.$this->newline, $prepared_attachment_parts); - break; + break; } $body .= $attachment_prepared; @@ -1487,11 +1484,8 @@ protected function _attachments_indexed_by_multipart() foreach ($this->_attachments as $attachment) { $multipart = $attachment['multipart']; - if (!isset($attachments_indexed[$multipart])) - { - $attachments_indexed[$multipart] = array(); - } - array_push($attachments_indexed[$multipart], $attachment); + isset($attachments_indexed[$multipart]) OR $attachments_indexed[$multipart] = array(); + $attachments_indexed[$multipart][] = $attachment; } return $attachments_indexed; @@ -1508,31 +1502,29 @@ protected function _attachments_indexed_by_multipart() */ protected function _prep_attachments($attachments, $boundary) { - if (!isset($attachments) OR count($attachments) === 0) + if (empty($attachments)) { return ''; } - $attachment_parts = array(); - foreach ($attachments as $attachment) + $attachment = array(); + for ($i = 0, $c = count($attachments), $z = 0; $i < $c; $i++) { - $filename = $attachment['name'][0]; - $basename = ($attachment['name'][1] === NULL) - ? basename($filename) : $attachment['name'][1]; + $filename = $attachments[$i]['name'][0]; + $basename = ($attachments[$i]['name'][1] === NULL) + ? basename($filename) : $attachments[$i]['name'][1]; + + $attachment[$z++] = '--'.$boundary.$this->newline + .'Content-type: '.$attachments[$i]['type'].'; ' + .'name="'.$basename.'"'.$this->newline + .'Content-Disposition: '.$attachments[$i]['disposition'].';'.$this->newline + .'Content-Transfer-Encoding: base64'.$this->newline + .(empty($attachments[$i]['cid']) ? '' : 'Content-ID: <'.$attachments[$i]['cid'].'>'.$this->newline); - array_push( - $attachment_parts, - '--'.$boundary.$this->newline - .'Content-type: '.$attachment['type'].'; ' - .'name="'.$basename.'"'.$this->newline - .'Content-Disposition: '.$attachment['disposition'].';'.$this->newline - .'Content-Transfer-Encoding: base64'.$this->newline - .(empty($attachment['cid']) ? '' : 'Content-ID: <'.$attachment['cid'].'>'.$this->newline), - $attachment['content'] - ); + $attachment[$z++] = $attachments[$i]['content']; } - return implode($this->newline, $attachment_parts).$this->newline.'--'.$boundary.'--'; + return implode($this->newline, $attachment).$this->newline.'--'.$boundary.'--'; } // -------------------------------------------------------------------- From 4ac24c201c673b52b39b7efc2235f1d84d1acd08 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 28 Apr 2016 14:28:07 +0300 Subject: [PATCH 2756/3829] Fix #4605 --- system/core/Config.php | 9 +++------ tests/codeigniter/core/Config_test.php | 2 ++ user_guide_src/source/changelog.rst | 1 + 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/system/core/Config.php b/system/core/Config.php index ca6fb379371..9fd3e4a7da4 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -319,7 +319,7 @@ public function base_url(https://github.com/$uri%20=%20'',%20$protocol%20=%20NULL) } } - return $base_url.ltrim($this->_uri_string($uri), '/'); + return $base_url.$this->_uri_string($uri); } // ------------------------------------------------------------- @@ -337,11 +337,8 @@ protected function _uri_string($uri) { if ($this->item('enable_query_strings') === FALSE) { - if (is_array($uri)) - { - $uri = implode('/', $uri); - } - return trim($uri, '/'); + is_array($uri) && $uri = implode('/', $uri); + return ltrim($uri, '/'); } elseif (is_array($uri)) { diff --git a/tests/codeigniter/core/Config_test.php b/tests/codeigniter/core/Config_test.php index 26a5f32f568..b5c9e849d99 100644 --- a/tests/codeigniter/core/Config_test.php +++ b/tests/codeigniter/core/Config_test.php @@ -127,6 +127,8 @@ public function test_site_url() $this->assertEquals($index_page.'/'.$uri, $this->config->site_url(https://github.com/$uri)); $this->assertEquals($index_page.'/'.$uri.'/'.$uri2, $this->config->site_url(https://github.com/array($uri,%20$uri2))); + $this->assertEquals($index_page.'/test/', $this->config->site_url('https://github.com/test/')); + $suffix = 'ing'; $this->config->set_item('url_suffix', $suffix); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 5a482208aa9..d50c0a05262 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -26,6 +26,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#861) - :doc:`Database Forge ` method ``create_table()`` incorrectly accepts field width constraints for MSSQL/SQLSRV integer-type columns. - Fixed a bug (#4562) - :doc:`Cache Library ` didn't check if ``Memcached::quit()`` is available before calling it. - Fixed a bug (#4563) - :doc:`Input Library ` method ``request_headers()`` ignores ``$xss_clean`` parameter value after first call. +- Fixed a bug (#4605) - :doc:`Config Library ` method ``site_url()`` stripped trailing slashes from relative URIs passed to it. Version 3.0.6 ============= From 5277583e7336675d02665ff77359b41e782853ce Mon Sep 17 00:00:00 2001 From: Robert Angyal Date: Wed, 4 May 2016 16:33:25 +0200 Subject: [PATCH 2757/3829] #4583 Refactor according to the suggestions commented on Pull Request Signed-off-by: Robert Angyal --- system/libraries/Email.php | 16 +++++++--------- 1 file changed, 7 insertions(+), 9 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index e35c48ec46a..4fd1107c5c0 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1404,20 +1404,17 @@ protected function _build_message() .$this->newline .$this->_body.$this->newline.$this->newline; - $attachment_prepared = $this->_prep_attachments($this->_attachments, $this->_atc_boundary); + $body .= $this->_prep_attachments($this->_attachments, $this->_atc_boundary); break; case 'html-attach' : $attachments_indexed_by_multipart = $this->_attachments_indexed_by_multipart(); - $prepared_attachment_parts = array(); $last_boundary = NULL; if ( ! empty($attachments_indexed_by_multipart['mixed'])) { $hdr .= 'Content-Type: multipart/mixed; boundary="'.$this->_atc_boundary.'"'; - - $prepared_attachment_parts[] = $this->_prep_attachments($attachments_indexed_by_multipart['mixed'], $this->_atc_boundary); $last_boundary = $this->_atc_boundary; } @@ -1426,14 +1423,12 @@ protected function _build_message() $rel_boundary_header = 'Content-Type: multipart/related; boundary="'.$this->_rel_boundary.'"'; if (isset($last_boundary)) { - $body .= '--' . $last_boundary . $this->newline . $rel_boundary_header; + $body .= '--'.$last_boundary.$this->newline.$rel_boundary_header; } else { $hdr .= $rel_boundary_header; } - - array_unshift($prepared_attachment_parts, $this->_prep_attachments($attachments_indexed_by_multipart['related'], $this->_rel_boundary)); $last_boundary = $this->_rel_boundary; } @@ -1459,12 +1454,15 @@ protected function _build_message() .$this->_prep_quoted_printable($this->_body).$this->newline.$this->newline .'--'.$this->_alt_boundary.'--'.$this->newline.$this->newline; - $attachment_prepared = implode($this->newline.$this->newline, $prepared_attachment_parts); + ( ! empty($attachments_indexed_by_multipart['related'])) && $body .= $this->newline.$this->newline + .$this->_prep_attachments($attachments_indexed_by_multipart['related'], $this->_rel_boundary); + + ( ! empty($attachments_indexed_by_multipart['mixed'])) && $body .= $this->newline.$this->newline + .$this->_prep_attachments($attachments_indexed_by_multipart['mixed'], $this->_atc_boundary); break; } - $body .= $attachment_prepared; $this->_finalbody = ($this->_get_protocol() === 'mail') ? $body : $hdr.$this->newline.$this->newline.$body; From fd024c6fce2197b13520c1c53a5faa9f2704bdd2 Mon Sep 17 00:00:00 2001 From: kadoppe Date: Fri, 6 May 2016 17:25:18 +0900 Subject: [PATCH 2758/3829] Remove unnecessary backslash from user guide. Signed-off-by: kadoppe --- user_guide_src/source/tutorial/create_news_items.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/tutorial/create_news_items.rst b/user_guide_src/source/tutorial/create_news_items.rst index e10eebd3bdd..cde52fde864 100644 --- a/user_guide_src/source/tutorial/create_news_items.rst +++ b/user_guide_src/source/tutorial/create_news_items.rst @@ -76,7 +76,7 @@ validation <../libraries/form_validation>` library to do this. The code above adds a lot of functionality. The first few lines load the form helper and the form validation library. After that, rules for the -form validation are set. The ``set\_rules()`` method takes three arguments; +form validation are set. The ``set_rules()`` method takes three arguments; the name of the input field, the name to be used in error messages, and the rule. In this case the title and text fields are required. From f6dc21b2f57ad0f76de6e4e005cfe3d79a420d0a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 9 May 2016 11:24:55 +0300 Subject: [PATCH 2759/3829] [ci skip] Remove unnecessary backslash from user guide [ci skip] Remove unnecessary backslash from user guide --- user_guide_src/source/tutorial/create_news_items.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/tutorial/create_news_items.rst b/user_guide_src/source/tutorial/create_news_items.rst index e10eebd3bdd..cde52fde864 100644 --- a/user_guide_src/source/tutorial/create_news_items.rst +++ b/user_guide_src/source/tutorial/create_news_items.rst @@ -76,7 +76,7 @@ validation <../libraries/form_validation>` library to do this. The code above adds a lot of functionality. The first few lines load the form helper and the form validation library. After that, rules for the -form validation are set. The ``set\_rules()`` method takes three arguments; +form validation are set. The ``set_rules()`` method takes three arguments; the name of the input field, the name to be used in error messages, and the rule. In this case the title and text fields are required. From fd8349f0328cb6c0cd56fd19c931fd79a707faa8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 9 May 2016 12:10:24 +0300 Subject: [PATCH 2760/3829] Use 5.3.latest on Travis to fix the build errors 5.3.3 doesn't have ext/openssl ... Also, allow failures on 5.3 --- .travis.yml | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 5a7eb11b9f8..e531f8d90c8 100644 --- a/.travis.yml +++ b/.travis.yml @@ -2,7 +2,7 @@ language: php php: - 5.2 - - 5.3.3 + - 5.3 - 5.4 - 5.5 - 5.6 @@ -31,6 +31,7 @@ script: phpunit -d zend.enable_gc=0 -d date.timezone=UTC --coverage-text --confi matrix: allow_failures: - php: 5.2 + - php: 5.3 - php: hhvm exclude: - php: hhvm From a380c69a71bcf2362e8cebe707994cc519a93bfd Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 9 May 2016 12:12:45 +0300 Subject: [PATCH 2761/3829] Stop testing 3.1.0-dev on PHP 5.2, 5.3 --- .travis.yml | 9 +-------- 1 file changed, 1 insertion(+), 8 deletions(-) diff --git a/.travis.yml b/.travis.yml index 5a7eb11b9f8..1e0ee65dbec 100644 --- a/.travis.yml +++ b/.travis.yml @@ -1,8 +1,6 @@ language: php php: - - 5.2 - - 5.3.3 - 5.4 - 5.5 - 5.6 @@ -21,7 +19,7 @@ env: sudo: false before_script: - - sh -c "if [ '$TRAVIS_PHP_VERSION' = '5.2' ]; then pear channel-discover pear.bovigo.org && pear install bovigo/vfsStream-beta; else composer install --dev --no-progress; fi" + - sh -c "composer install --dev --no-progress" - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'DROP DATABASE IF EXISTS ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'create database ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'mysql' ] || [ '$DB' = 'mysqli' ] || [ '$DB' = 'pdo/mysql' ]; then mysql -e 'create database IF NOT EXISTS ci_test;'; fi" @@ -30,7 +28,6 @@ script: phpunit -d zend.enable_gc=0 -d date.timezone=UTC --coverage-text --confi matrix: allow_failures: - - php: 5.2 - php: hhvm exclude: - php: hhvm @@ -39,10 +36,6 @@ matrix: env: DB=pdo/pgsql - php: 7 env: DB=mysql - - php: 5.2 - env: DB=sqlite - - php: 5.2 - env: DB=pdo/sqlite branches: only: From 8425319eb523ee50b11b06b97738c5a46def84e4 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 9 May 2016 12:24:52 +0300 Subject: [PATCH 2762/3829] [ci skip] Fix #4613 --- system/libraries/Email.php | 5 +++++ user_guide_src/source/changelog.rst | 1 + 2 files changed, 6 insertions(+) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index ed6f737a1f9..cdfb43bb58c 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -2153,6 +2153,11 @@ protected function _smtp_authenticate() return FALSE; } + if ($this->smtp_keepalive) + { + $this->_smtp_auth = FALSE; + } + return TRUE; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d50c0a05262..567eb10a6ff 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -27,6 +27,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4562) - :doc:`Cache Library ` didn't check if ``Memcached::quit()`` is available before calling it. - Fixed a bug (#4563) - :doc:`Input Library ` method ``request_headers()`` ignores ``$xss_clean`` parameter value after first call. - Fixed a bug (#4605) - :doc:`Config Library ` method ``site_url()`` stripped trailing slashes from relative URIs passed to it. +- Fixed a bug (#4613) - :doc:`Email Library ` failed to send multiple emails via SMTP due to "already authenticated" errors when keep-alive is enabled. Version 3.0.6 ============= From 8c95c3d6d1b589771890e5383c3e0f78a58303e9 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 9 May 2016 12:35:41 +0300 Subject: [PATCH 2763/3829] [ci skip] Minor optimizations to CI_Email --- system/libraries/Email.php | 50 +++++++++++++++----------------------- 1 file changed, 19 insertions(+), 31 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index cdfb43bb58c..6ff3efad970 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -147,7 +147,7 @@ class CI_Email { * * @var string */ - public $charset = 'utf-8'; + public $charset = 'UTF-8'; /** * Multipart message @@ -408,47 +408,24 @@ class CI_Email { public function __construct(array $config = array()) { $this->charset = config_item('charset'); - - if (count($config) > 0) - { - $this->initialize($config); - } - else - { - $this->_smtp_auth = ! ($this->smtp_user === '' && $this->smtp_pass === ''); - } - + $this->initialize($config); $this->_safe_mode = ( ! is_php('5.4') && ini_get('safe_mode')); - $this->charset = strtoupper($this->charset); log_message('info', 'Email Class Initialized'); } // -------------------------------------------------------------------- - /** - * Destructor - Releases Resources - * - * @return void - */ - public function __destruct() - { - if (is_resource($this->_smtp_connect)) - { - $this->_send_command('quit'); - } - } - - // -------------------------------------------------------------------- - /** * Initialize preferences * - * @param array + * @param array $config * @return CI_Email */ - public function initialize($config = array()) + public function initialize(array $config = array()) { + $this->clear(); + foreach ($config as $key => $val) { if (isset($this->$key)) @@ -465,9 +442,9 @@ public function initialize($config = array()) } } } - $this->clear(); - $this->_smtp_auth = ! ($this->smtp_user === '' && $this->smtp_pass === ''); + $this->charset = strtoupper($this->charset); + $this->_smtp_auth = isset($this->smtp_user[0], $this->smtp_pass[0]); return $this; } @@ -2347,4 +2324,15 @@ protected function _mime_types($ext = '') return 'application/x-unknown-content-type'; } + // -------------------------------------------------------------------- + + /** + * Destructor + * + * @return void + */ + public function __destruct() + { + is_resource($this->_smtp_connect) && $this->_send_command('quit'); + } } From 22f1545d986391e71682eba37ef60e56f3f8ca77 Mon Sep 17 00:00:00 2001 From: Master Yoda Date: Mon, 9 May 2016 13:07:38 -0700 Subject: [PATCH 2764/3829] Add favicon to user guide source (it was missing). This was mentioned in a tweet. The user guide currently has a configuraiton setting with a favicon link, but it referenced a non-existant file. Signed-off-by:Master Yoda --- .../sphinx_rtd_theme/static/images/ci-icon.ico | Bin 0 -> 1150 bytes 1 file changed, 0 insertions(+), 0 deletions(-) create mode 100644 user_guide_src/source/_themes/sphinx_rtd_theme/static/images/ci-icon.ico diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/images/ci-icon.ico b/user_guide_src/source/_themes/sphinx_rtd_theme/static/images/ci-icon.ico new file mode 100644 index 0000000000000000000000000000000000000000..c4246f8bf585a0540c46ff253c328143327ca08b GIT binary patch literal 1150 zcmc&xyAHxI3_Ju9YbU0H82L0dKB3=M^#k|?1RF&Hi2(*gun8x*Rv%$Nq;fC0^Vy9H zjO58O$a{(P1egI>NeCrOATOR%VMk2k6DSp;b z^femVu{jH?ac_H*BU(-O<{9 literal 0 HcmV?d00001 From ae435f79ca958127b2d4ce2572bfd97e829df81f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 10 May 2016 10:21:19 +0300 Subject: [PATCH 2765/3829] Merge pull request #4620 from jim-parry/favicon [ci skip] Add missing favicon to user guide source --- .../sphinx_rtd_theme/static/images/ci-icon.ico | Bin 0 -> 1150 bytes 1 file changed, 0 insertions(+), 0 deletions(-) create mode 100644 user_guide_src/source/_themes/sphinx_rtd_theme/static/images/ci-icon.ico diff --git a/user_guide_src/source/_themes/sphinx_rtd_theme/static/images/ci-icon.ico b/user_guide_src/source/_themes/sphinx_rtd_theme/static/images/ci-icon.ico new file mode 100644 index 0000000000000000000000000000000000000000..c4246f8bf585a0540c46ff253c328143327ca08b GIT binary patch literal 1150 zcmc&xyAHxI3_Ju9YbU0H82L0dKB3=M^#k|?1RF&Hi2(*gun8x*Rv%$Nq;fC0^Vy9H zjO58O$a{(P1egI>NeCrOATOR%VMk2k6DSp;b z^femVu{jH?ac_H*BU(-O<{9 literal 0 HcmV?d00001 From 4426e1d3bc627cc73d2454cba4bf9426c7dd0ce4 Mon Sep 17 00:00:00 2001 From: rochefort Date: Wed, 11 May 2016 02:52:22 +0900 Subject: [PATCH 2766/3829] Fix docs [ci skip] - Fix missing parenthesis of function - Fix incorrect place of a sentence - Fix a missing doc link --- user_guide_src/source/helpers/typography_helper.rst | 4 ++-- user_guide_src/source/helpers/url_helper.rst | 6 +++--- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/user_guide_src/source/helpers/typography_helper.rst b/user_guide_src/source/helpers/typography_helper.rst index 7eb4fceece8..89730b03d53 100644 --- a/user_guide_src/source/helpers/typography_helper.rst +++ b/user_guide_src/source/helpers/typography_helper.rst @@ -35,7 +35,7 @@ The following functions are available: Formats text so that it is semantically and typographically correct HTML. - This function is an alias for ``CI_Typography::auto_typography``. + This function is an alias for ``CI_Typography::auto_typography()``. For more info, please see the :doc:`Typography Library <../libraries/typography>` documentation. @@ -45,7 +45,7 @@ The following functions are available: .. note:: Typographic formatting can be processor intensive, particularly if you have a lot of content being formatted. If you choose to use this - function you may want to consider `caching <../general/caching>` your + function you may want to consider :doc:`caching <../general/caching>` your pages. diff --git a/user_guide_src/source/helpers/url_helper.rst b/user_guide_src/source/helpers/url_helper.rst index 6fb0dd94260..435a21df45e 100644 --- a/user_guide_src/source/helpers/url_helper.rst +++ b/user_guide_src/source/helpers/url_helper.rst @@ -18,11 +18,11 @@ This helper is loaded using the following code:: $this->load->helper('url'); -The following functions are available: - Available Functions =================== +The following functions are available: + .. php:function:: site_url(https://github.com/[$uri%20=%20''[,%20$protocol%20=%20NULL]]) :param string $uri: URI string @@ -360,7 +360,7 @@ Available Functions is outputted to the browser since it utilizes server headers. .. note:: For very fine grained control over headers, you should use the - `Output Library ` ``set_header()`` method. + :doc:`Output Library ` ``set_header()`` method. .. note:: To IIS users: if you hide the `Server` HTTP header, the *auto* method won't detect IIS, in that case it is advised you explicitly From e0c566eeb1866764eaa865e42bb4769921137594 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 11 May 2016 16:05:23 +0300 Subject: [PATCH 2767/3829] Merge pull request #4625 from rochefort/missing_parenthesis [ci skip] Minor documentation fixes --- user_guide_src/source/helpers/typography_helper.rst | 4 ++-- user_guide_src/source/helpers/url_helper.rst | 6 +++--- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/user_guide_src/source/helpers/typography_helper.rst b/user_guide_src/source/helpers/typography_helper.rst index 7eb4fceece8..89730b03d53 100644 --- a/user_guide_src/source/helpers/typography_helper.rst +++ b/user_guide_src/source/helpers/typography_helper.rst @@ -35,7 +35,7 @@ The following functions are available: Formats text so that it is semantically and typographically correct HTML. - This function is an alias for ``CI_Typography::auto_typography``. + This function is an alias for ``CI_Typography::auto_typography()``. For more info, please see the :doc:`Typography Library <../libraries/typography>` documentation. @@ -45,7 +45,7 @@ The following functions are available: .. note:: Typographic formatting can be processor intensive, particularly if you have a lot of content being formatted. If you choose to use this - function you may want to consider `caching <../general/caching>` your + function you may want to consider :doc:`caching <../general/caching>` your pages. diff --git a/user_guide_src/source/helpers/url_helper.rst b/user_guide_src/source/helpers/url_helper.rst index 6fb0dd94260..435a21df45e 100644 --- a/user_guide_src/source/helpers/url_helper.rst +++ b/user_guide_src/source/helpers/url_helper.rst @@ -18,11 +18,11 @@ This helper is loaded using the following code:: $this->load->helper('url'); -The following functions are available: - Available Functions =================== +The following functions are available: + .. php:function:: site_url(https://github.com/[$uri%20=%20''[,%20$protocol%20=%20NULL]]) :param string $uri: URI string @@ -360,7 +360,7 @@ Available Functions is outputted to the browser since it utilizes server headers. .. note:: For very fine grained control over headers, you should use the - `Output Library ` ``set_header()`` method. + :doc:`Output Library ` ``set_header()`` method. .. note:: To IIS users: if you hide the `Server` HTTP header, the *auto* method won't detect IIS, in that case it is advised you explicitly From 0a840c6768de97a489062307e72aa16a608d7942 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 16 May 2016 13:20:54 +0300 Subject: [PATCH 2768/3829] [ci skip] Correct an erroneous step in 2.0.3 to 2.1.0 upgrade instructions --- user_guide_src/source/installation/upgrade_210.rst | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/user_guide_src/source/installation/upgrade_210.rst b/user_guide_src/source/installation/upgrade_210.rst index 5874bfc8629..866dcf4aefa 100644 --- a/user_guide_src/source/installation/upgrade_210.rst +++ b/user_guide_src/source/installation/upgrade_210.rst @@ -13,11 +13,11 @@ Replace all files and directories in your "system" folder. .. note:: If you have any custom developed files in these folders please make copies of them first. -Step 2: Replace config/user_agents.php -====================================== +Step 2: Replace config/mimes.php +================================ This config file has been updated to contain more user agent types, -please copy it to _application/config/user_agents.php*. +please copy it to _application/config/mimes.php*. Step 3: Update your user guide ============================== From 0fae625de48885b565362fe5d62cd6ce4fd76faa Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 17 May 2016 13:46:55 +0300 Subject: [PATCH 2769/3829] Fix #4633 --- system/libraries/Form_validation.php | 132 ++++++++---------- .../libraries/Form_validation_test.php | 2 +- user_guide_src/source/changelog.rst | 1 + 3 files changed, 63 insertions(+), 72 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index e4a5189579a..f5b07a2058d 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -493,6 +493,63 @@ public function run($group = '') // -------------------------------------------------------------------- + /** + * Prepare rules + * + * Re-orders the provided rules in order of importance, so that + * they can easily be executed later without weird checks ... + * + * "Callbacks" are given the highest priority (always called), + * followed by 'required' (called if callbacks didn't fail), + * and then every next rule depends on the previous one passing. + * + * @param array $rules + * @return array + */ + protected function _prepare_rules($rules) + { + $new_rules = array(); + $callbacks = array(); + + foreach ($rules as &$rule) + { + // Let 'required' always be the first (non-callback) rule + if ($rule === 'required') + { + array_unshift($new_rules, 'required'); + } + // 'isset' is a kind of a weird alias for 'required' ... + elseif ($rule === 'isset' && (empty($new_rules) OR $new_rules[0] !== 'required')) + { + array_unshift($new_rules, 'isset'); + } + // The old/classic 'callback_'-prefixed rules + elseif (is_string($rule) && strncmp('callback_', $rule, 9) === 0) + { + $callbacks[] = $rule; + } + // Proper callables + elseif (is_callable($rule)) + { + $callbacks[] = $rule; + } + // "Named" callables; i.e. array('name' => $callable) + elseif (is_array($rule) && isset($rule[0], $rule[1]) && is_callable($rule[1])) + { + $callbacks[] = $rule; + } + // Everything else goes at the end of the queue + else + { + $new_rules[] = $rule; + } + } + + return array_merge($callbacks, $new_rules); + } + + // -------------------------------------------------------------------- + /** * Traverse a multidimensional $_POST array index until the data is found * @@ -580,70 +637,7 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) return; } - // If the field is blank, but NOT required, no further tests are necessary - $callback = FALSE; - if ( ! in_array('required', $rules) && ($postdata === NULL OR $postdata === '')) - { - // Before we bail out, does the rule contain a callback? - foreach ($rules as &$rule) - { - if (is_string($rule)) - { - if (strncmp($rule, 'callback_', 9) === 0) - { - $callback = TRUE; - $rules = array(1 => $rule); - break; - } - } - elseif (is_callable($rule)) - { - $callback = TRUE; - $rules = array(1 => $rule); - break; - } - elseif (is_array($rule) && isset($rule[0], $rule[1]) && is_callable($rule[1])) - { - $callback = TRUE; - $rules = array(array($rule[0], $rule[1])); - break; - } - } - - if ( ! $callback) - { - return; - } - } - - // Isset Test. Typically this rule will only apply to checkboxes. - if (($postdata === NULL OR $postdata === '') && ! $callback) - { - if (in_array('isset', $rules, TRUE) OR in_array('required', $rules)) - { - // Set the message type - $type = in_array('required', $rules) ? 'required' : 'isset'; - - $line = $this->_get_error_message($type, $row['field']); - - // Build the error message - $message = $this->_build_error_msg($line, $this->_translate_fieldname($row['label'])); - - // Save the error message - $this->_field_data[$row['field']]['error'] = $message; - - if ( ! isset($this->_error_array[$row['field']])) - { - $this->_error_array[$row['field']] = $message; - } - } - - return; - } - - // -------------------------------------------------------------------- - - // Cycle through each rule and run it + $rules = $this->_prepare_rules($rules); foreach ($rules as $rule) { $_in_array = FALSE; @@ -740,12 +734,6 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) { $this->_field_data[$row['field']]['postdata'] = is_bool($result) ? $postdata : $result; } - - // If the field isn't required and we just processed a callback we'll move on... - if ( ! in_array('required', $rules, TRUE) && $result !== FALSE) - { - continue; - } } elseif ( ! method_exists($this, $rule)) { @@ -1055,7 +1043,9 @@ public function set_checkbox($field = '', $value = '', $default = FALSE) */ public function required($str) { - return is_array($str) ? (bool) count($str) : (trim($str) !== ''); + return is_array($str) + ? (empty($str) === FALSE) + : (trim($str) !== ''); } // -------------------------------------------------------------------- diff --git a/tests/codeigniter/libraries/Form_validation_test.php b/tests/codeigniter/libraries/Form_validation_test.php index 3537eb3552a..d11d616ad74 100644 --- a/tests/codeigniter/libraries/Form_validation_test.php +++ b/tests/codeigniter/libraries/Form_validation_test.php @@ -55,9 +55,9 @@ public function test_rule_matches() ); $values_base = array('foo' => 'sample'); - $this->assertTrue($this->run_rules($rules, array_merge($values_base, array('bar' => '')))); $this->assertTrue($this->run_rules($rules, array_merge($values_base, array('bar' => 'sample')))); + $this->assertFalse($this->run_rules($rules, array_merge($values_base, array('bar' => '')))); $this->assertFalse($this->run_rules($rules, array_merge($values_base, array('bar' => 'Sample')))); $this->assertFalse($this->run_rules($rules, array_merge($values_base, array('bar' => ' sample')))); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 567eb10a6ff..eb36b0d1e82 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -28,6 +28,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4563) - :doc:`Input Library ` method ``request_headers()`` ignores ``$xss_clean`` parameter value after first call. - Fixed a bug (#4605) - :doc:`Config Library ` method ``site_url()`` stripped trailing slashes from relative URIs passed to it. - Fixed a bug (#4613) - :doc:`Email Library ` failed to send multiple emails via SMTP due to "already authenticated" errors when keep-alive is enabled. +- Fixed a bug (#4633) - :doc:`Form Validation Library ` ignored multiple "callback" rules for empty, non-required fields. Version 3.0.6 ============= From b3bac2497aaacb702921dfe89c5f43969257ff53 Mon Sep 17 00:00:00 2001 From: Master Yoda Date: Thu, 19 May 2016 01:12:33 -0700 Subject: [PATCH 2770/3829] Fix typo in inflector helper writeup. Reported by email from Jessie Rubi Signed-off-by:Master Yoda --- user_guide_src/source/helpers/inflector_helper.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/helpers/inflector_helper.rst b/user_guide_src/source/helpers/inflector_helper.rst index ed1e2b30fe5..17dab57bf8e 100644 --- a/user_guide_src/source/helpers/inflector_helper.rst +++ b/user_guide_src/source/helpers/inflector_helper.rst @@ -38,7 +38,7 @@ The following functions are available: .. php:function:: plural($str) :param string $str: Input string - :returns: A plular word + :returns: A plural word :rtype: string Changes a singular word to plural. Example:: From b076b5651c028e1c92f8d1bfad0f27a13839378a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 19 May 2016 12:11:55 +0300 Subject: [PATCH 2771/3829] Merge pull request #4635 from jim-parry/fix-userguide [ci skip] Fix a typo in inflector helper docs --- user_guide_src/source/helpers/inflector_helper.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/helpers/inflector_helper.rst b/user_guide_src/source/helpers/inflector_helper.rst index ed1e2b30fe5..17dab57bf8e 100644 --- a/user_guide_src/source/helpers/inflector_helper.rst +++ b/user_guide_src/source/helpers/inflector_helper.rst @@ -38,7 +38,7 @@ The following functions are available: .. php:function:: plural($str) :param string $str: Input string - :returns: A plular word + :returns: A plural word :rtype: string Changes a singular word to plural. Example:: From 45520a5a0b57490e1c8c5e031bce61e0dc4851e5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 19 May 2016 18:51:25 +0300 Subject: [PATCH 2772/3829] [ci skip] Fix #4637 --- system/database/drivers/oci8/oci8_driver.php | 20 +++++++++++++------- user_guide_src/source/changelog.rst | 1 + 2 files changed, 14 insertions(+), 7 deletions(-) diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index 59f0e8456c1..60fab757846 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -559,23 +559,29 @@ public function field_data($table) */ public function error() { - /* oci_error() returns an array that already contains the - * 'code' and 'message' keys, so we can just return it. - */ + // oci_error() returns an array that already contains + // 'code' and 'message' keys, but it can return false + // if there was no error .... if (is_resource($this->curs_id)) { - return oci_error($this->curs_id); + $error = oci_error($this->curs_id); } elseif (is_resource($this->stmt_id)) { - return oci_error($this->stmt_id); + $error = oci_error($this->stmt_id); } elseif (is_resource($this->conn_id)) { - return oci_error($this->conn_id); + $error = oci_error($this->conn_id); + } + else + { + $error = oci_error(); } - return oci_error(); + return is_array($error) + ? $error + : array('code' => '', 'message'); } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index eb36b0d1e82..7d1d961c065 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -29,6 +29,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4605) - :doc:`Config Library ` method ``site_url()`` stripped trailing slashes from relative URIs passed to it. - Fixed a bug (#4613) - :doc:`Email Library ` failed to send multiple emails via SMTP due to "already authenticated" errors when keep-alive is enabled. - Fixed a bug (#4633) - :doc:`Form Validation Library ` ignored multiple "callback" rules for empty, non-required fields. +- Fixed a bug (#4637) - :doc:`Database ` method `error()` returned ``FALSE`` with the 'oci8' driver if there was no error. Version 3.0.6 ============= From cadcef85a218595b5999442d669086bdb5628947 Mon Sep 17 00:00:00 2001 From: Kasim Tan Date: Thu, 19 May 2016 12:06:07 -0700 Subject: [PATCH 2773/3829] Fixed PHPDoc parameter name and type discrepancies --- system/core/Loader.php | 2 +- system/core/Log.php | 2 +- system/core/Output.php | 2 +- system/core/compat/standard.php | 2 +- system/helpers/form_helper.php | 2 +- system/libraries/Cache/drivers/Cache_apc.php | 2 +- system/libraries/Session/Session.php | 2 +- system/libraries/Upload.php | 2 +- tests/mocks/database/drivers/mysql.php | 1 - tests/mocks/database/drivers/mysqli.php | 1 - tests/mocks/database/drivers/pdo.php | 1 - tests/mocks/database/drivers/postgre.php | 1 - tests/mocks/database/drivers/sqlite.php | 1 - 13 files changed, 8 insertions(+), 13 deletions(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index c742ae71a75..d2c35081698 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -1106,7 +1106,7 @@ protected function _ci_load_library($class, $params = NULL, $object_name = NULL) * @used-by CI_Loader::_ci_load_library() * @uses CI_Loader::_ci_init_library() * - * @param string $library Library name to load + * @param string $library_name Library name to load * @param string $file_path Path to the library filename, relative to libraries/ * @param mixed $params Optional parameters to pass to the class constructor * @param string $object_name Optional object name to assign to diff --git a/system/core/Log.php b/system/core/Log.php index 1abdaa00e85..986121526b2 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -237,7 +237,7 @@ public function write_log($level, $msg) * * @param string $level The error level * @param string $date Formatted date string - * @param string $msg The log message + * @param string $message The log message * @return string Formatted log line with a new line character '\n' at the end */ protected function _format_line($level, $date, $message) diff --git a/system/core/Output.php b/system/core/Output.php index 6e0b4e724ea..98db212a093 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -285,7 +285,7 @@ public function get_content_type() /** * Get Header * - * @param string $header_name + * @param string $header * @return string */ public function get_header($header) diff --git a/system/core/compat/standard.php b/system/core/compat/standard.php index 47d47aeff88..c54cab95146 100644 --- a/system/core/compat/standard.php +++ b/system/core/compat/standard.php @@ -62,7 +62,7 @@ * array_column() * * @link http://php.net/array_column - * @param string $array + * @param array $array * @param mixed $column_key * @param mixed $index_key * @return array diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 3e103952560..dfb9ae2d261 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -568,7 +568,7 @@ function form_button($data = '', $content = '', $extra = '') * * @param string The text to appear onscreen * @param string The id the label applies to - * @param string Additional attributes + * @param array Additional attributes * @return string */ function form_label($label_text = '', $id = '', $attributes = array()) diff --git a/system/libraries/Cache/drivers/Cache_apc.php b/system/libraries/Cache/drivers/Cache_apc.php index 07ea8f474f9..fb8df03a7ef 100644 --- a/system/libraries/Cache/drivers/Cache_apc.php +++ b/system/libraries/Cache/drivers/Cache_apc.php @@ -97,7 +97,7 @@ public function get($id) * * @param string $id Cache ID * @param mixed $data Data to store - * @param int $ttol Length of time (in seconds) to cache the data + * @param int $ttl Length of time (in seconds) to cache the data * @param bool $raw Whether to store the raw value * @return bool TRUE on success, FALSE on failure */ diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index c9d2e8adc07..dde84a775b7 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -729,7 +729,7 @@ public function set_userdata($data, $value = NULL) * * Legacy CI_Session compatibility method * - * @param mixed $data Session data key(s) + * @param mixed $key Session data key(s) * @return void */ public function unset_userdata($key) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index f2418378b03..fa365058c2f 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -286,7 +286,7 @@ class CI_Upload { /** * Constructor * - * @param array $props + * @param array $config * @return void */ public function __construct($config = array()) diff --git a/tests/mocks/database/drivers/mysql.php b/tests/mocks/database/drivers/mysql.php index e0c1fb06cef..b7718ebaf23 100644 --- a/tests/mocks/database/drivers/mysql.php +++ b/tests/mocks/database/drivers/mysql.php @@ -5,7 +5,6 @@ class Mock_Database_Drivers_Mysql extends Mock_Database_DB_Driver { /** * Instantiate the database driver * - * @param string DB Driver class name * @param array DB configuration to set * @return void */ diff --git a/tests/mocks/database/drivers/mysqli.php b/tests/mocks/database/drivers/mysqli.php index 73c35b6099e..f747aad46d4 100644 --- a/tests/mocks/database/drivers/mysqli.php +++ b/tests/mocks/database/drivers/mysqli.php @@ -5,7 +5,6 @@ class Mock_Database_Drivers_Mysqli extends Mock_Database_DB_Driver { /** * Instantiate the database driver * - * @param string DB Driver class name * @param array DB configuration to set * @return void */ diff --git a/tests/mocks/database/drivers/pdo.php b/tests/mocks/database/drivers/pdo.php index 17768eed712..af1958aea0b 100644 --- a/tests/mocks/database/drivers/pdo.php +++ b/tests/mocks/database/drivers/pdo.php @@ -5,7 +5,6 @@ class Mock_Database_Drivers_PDO extends Mock_Database_DB_Driver { /** * Instantiate the database driver * - * @param string DB Driver class name * @param array DB configuration to set * @return void */ diff --git a/tests/mocks/database/drivers/postgre.php b/tests/mocks/database/drivers/postgre.php index 5a45115fa6a..8c91e54a926 100644 --- a/tests/mocks/database/drivers/postgre.php +++ b/tests/mocks/database/drivers/postgre.php @@ -5,7 +5,6 @@ class Mock_Database_Drivers_Postgre extends Mock_Database_DB_Driver { /** * Instantiate the database driver * - * @param string DB Driver class name * @param array DB configuration to set * @return void */ diff --git a/tests/mocks/database/drivers/sqlite.php b/tests/mocks/database/drivers/sqlite.php index 512467520a3..b2aec28e6b1 100644 --- a/tests/mocks/database/drivers/sqlite.php +++ b/tests/mocks/database/drivers/sqlite.php @@ -5,7 +5,6 @@ class Mock_Database_Drivers_Sqlite extends Mock_Database_DB_Driver { /** * Instantiate the database driver * - * @param string DB Driver class name * @param array DB configuration to set * @return void */ From e1b9495b7b1b55c8dfd6b602e35b6d5c269c0a90 Mon Sep 17 00:00:00 2001 From: Kasim Tan Date: Fri, 20 May 2016 07:16:14 -0700 Subject: [PATCH 2774/3829] Removed an extra space char --- system/helpers/form_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index dfb9ae2d261..8825ecc2c4e 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -568,7 +568,7 @@ function form_button($data = '', $content = '', $extra = '') * * @param string The text to appear onscreen * @param string The id the label applies to - * @param array Additional attributes + * @param array Additional attributes * @return string */ function form_label($label_text = '', $id = '', $attributes = array()) From e13fa9fdb3f2e311bd7331e49b26889f24bc81cb Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 20 May 2016 17:30:07 +0300 Subject: [PATCH 2775/3829] Merge pull request #4638 from kasimtan/phpdoc_fixes [ci skip] Fixed PHPDoc parameter name and type discrepancies --- system/core/Loader.php | 2 +- system/core/Log.php | 2 +- system/core/Output.php | 2 +- system/core/compat/standard.php | 2 +- system/helpers/form_helper.php | 2 +- system/libraries/Cache/drivers/Cache_apc.php | 2 +- system/libraries/Session/Session.php | 2 +- system/libraries/Upload.php | 2 +- tests/mocks/database/drivers/mysql.php | 1 - tests/mocks/database/drivers/mysqli.php | 1 - tests/mocks/database/drivers/pdo.php | 1 - tests/mocks/database/drivers/postgre.php | 1 - tests/mocks/database/drivers/sqlite.php | 1 - 13 files changed, 8 insertions(+), 13 deletions(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index c742ae71a75..d2c35081698 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -1106,7 +1106,7 @@ protected function _ci_load_library($class, $params = NULL, $object_name = NULL) * @used-by CI_Loader::_ci_load_library() * @uses CI_Loader::_ci_init_library() * - * @param string $library Library name to load + * @param string $library_name Library name to load * @param string $file_path Path to the library filename, relative to libraries/ * @param mixed $params Optional parameters to pass to the class constructor * @param string $object_name Optional object name to assign to diff --git a/system/core/Log.php b/system/core/Log.php index 1abdaa00e85..986121526b2 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -237,7 +237,7 @@ public function write_log($level, $msg) * * @param string $level The error level * @param string $date Formatted date string - * @param string $msg The log message + * @param string $message The log message * @return string Formatted log line with a new line character '\n' at the end */ protected function _format_line($level, $date, $message) diff --git a/system/core/Output.php b/system/core/Output.php index ec9c21b9177..06ff1011ca5 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -285,7 +285,7 @@ public function get_content_type() /** * Get Header * - * @param string $header_name + * @param string $header * @return string */ public function get_header($header) diff --git a/system/core/compat/standard.php b/system/core/compat/standard.php index 47d47aeff88..c54cab95146 100644 --- a/system/core/compat/standard.php +++ b/system/core/compat/standard.php @@ -62,7 +62,7 @@ * array_column() * * @link http://php.net/array_column - * @param string $array + * @param array $array * @param mixed $column_key * @param mixed $index_key * @return array diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 3e103952560..8825ecc2c4e 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -568,7 +568,7 @@ function form_button($data = '', $content = '', $extra = '') * * @param string The text to appear onscreen * @param string The id the label applies to - * @param string Additional attributes + * @param array Additional attributes * @return string */ function form_label($label_text = '', $id = '', $attributes = array()) diff --git a/system/libraries/Cache/drivers/Cache_apc.php b/system/libraries/Cache/drivers/Cache_apc.php index 07ea8f474f9..fb8df03a7ef 100644 --- a/system/libraries/Cache/drivers/Cache_apc.php +++ b/system/libraries/Cache/drivers/Cache_apc.php @@ -97,7 +97,7 @@ public function get($id) * * @param string $id Cache ID * @param mixed $data Data to store - * @param int $ttol Length of time (in seconds) to cache the data + * @param int $ttl Length of time (in seconds) to cache the data * @param bool $raw Whether to store the raw value * @return bool TRUE on success, FALSE on failure */ diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index 1bdc6e5ccef..3b391a8eff0 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -730,7 +730,7 @@ public function set_userdata($data, $value = NULL) * * Legacy CI_Session compatibility method * - * @param mixed $data Session data key(s) + * @param mixed $key Session data key(s) * @return void */ public function unset_userdata($key) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index f2418378b03..fa365058c2f 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -286,7 +286,7 @@ class CI_Upload { /** * Constructor * - * @param array $props + * @param array $config * @return void */ public function __construct($config = array()) diff --git a/tests/mocks/database/drivers/mysql.php b/tests/mocks/database/drivers/mysql.php index e0c1fb06cef..b7718ebaf23 100644 --- a/tests/mocks/database/drivers/mysql.php +++ b/tests/mocks/database/drivers/mysql.php @@ -5,7 +5,6 @@ class Mock_Database_Drivers_Mysql extends Mock_Database_DB_Driver { /** * Instantiate the database driver * - * @param string DB Driver class name * @param array DB configuration to set * @return void */ diff --git a/tests/mocks/database/drivers/mysqli.php b/tests/mocks/database/drivers/mysqli.php index 73c35b6099e..f747aad46d4 100644 --- a/tests/mocks/database/drivers/mysqli.php +++ b/tests/mocks/database/drivers/mysqli.php @@ -5,7 +5,6 @@ class Mock_Database_Drivers_Mysqli extends Mock_Database_DB_Driver { /** * Instantiate the database driver * - * @param string DB Driver class name * @param array DB configuration to set * @return void */ diff --git a/tests/mocks/database/drivers/pdo.php b/tests/mocks/database/drivers/pdo.php index 17768eed712..af1958aea0b 100644 --- a/tests/mocks/database/drivers/pdo.php +++ b/tests/mocks/database/drivers/pdo.php @@ -5,7 +5,6 @@ class Mock_Database_Drivers_PDO extends Mock_Database_DB_Driver { /** * Instantiate the database driver * - * @param string DB Driver class name * @param array DB configuration to set * @return void */ diff --git a/tests/mocks/database/drivers/postgre.php b/tests/mocks/database/drivers/postgre.php index 5a45115fa6a..8c91e54a926 100644 --- a/tests/mocks/database/drivers/postgre.php +++ b/tests/mocks/database/drivers/postgre.php @@ -5,7 +5,6 @@ class Mock_Database_Drivers_Postgre extends Mock_Database_DB_Driver { /** * Instantiate the database driver * - * @param string DB Driver class name * @param array DB configuration to set * @return void */ diff --git a/tests/mocks/database/drivers/sqlite.php b/tests/mocks/database/drivers/sqlite.php index 512467520a3..b2aec28e6b1 100644 --- a/tests/mocks/database/drivers/sqlite.php +++ b/tests/mocks/database/drivers/sqlite.php @@ -5,7 +5,6 @@ class Mock_Database_Drivers_Sqlite extends Mock_Database_DB_Driver { /** * Instantiate the database driver * - * @param string DB Driver class name * @param array DB configuration to set * @return void */ From ad20f71b0395d8fadd417b3a2b580b6c53a80000 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 25 May 2016 09:58:03 +0300 Subject: [PATCH 2776/3829] Amend fix for #4637 --- system/database/drivers/oci8/oci8_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index 60fab757846..df7e0848a4d 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -581,7 +581,7 @@ public function error() return is_array($error) ? $error - : array('code' => '', 'message'); + : array('code' => '', 'message' => ''); } // -------------------------------------------------------------------- From 9e78be0d736ed0caab396f58109ce1db7169d727 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 25 May 2016 10:54:36 +0300 Subject: [PATCH 2777/3829] Fix #4639 Really fix #4633 --- system/libraries/Form_validation.php | 11 +++++++++++ .../libraries/Form_validation_test.php | 15 +++++++++++++-- 2 files changed, 24 insertions(+), 2 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index f5b07a2058d..04445f5b799 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -696,6 +696,17 @@ protected function _execute($row, $rules, $postdata = NULL, $cycles = 0) $param = $match[2]; } + // Ignore empty, non-required inputs with a few exceptions ... + if ( + ($postdata === NULL OR $postdata === '') + && $callback === FALSE + && $callable === FALSE + && ! in_array($rule, array('required', 'isset', 'matches'), TRUE) + ) + { + continue; + } + // Call the function that corresponds to the rule if ($callback OR $callable !== FALSE) { diff --git a/tests/codeigniter/libraries/Form_validation_test.php b/tests/codeigniter/libraries/Form_validation_test.php index d11d616ad74..b87ca65fffb 100644 --- a/tests/codeigniter/libraries/Form_validation_test.php +++ b/tests/codeigniter/libraries/Form_validation_test.php @@ -40,11 +40,22 @@ public function test_empty_array_input() public function test_rule_required() { - $rules = array(array('field' => 'foo', 'label' => 'foo_label', 'rules' => 'required')); - $this->assertTrue($this->run_rules($rules, array('foo' => 'bar'))); + $rules = array(array('field' => 'foo', 'label' => 'Foo', 'rules' => 'is_numeric')); + // Empty, not required + $this->assertTrue($this->run_rules($rules, array('foo' => ''))); + + + // Not required, but also not empty + $this->assertTrue($this->run_rules($rules, array('foo' => '123'))); + $this->assertFalse($this->run_rules($rules, array('foo' => 'bar'))); + + // Required variations + $rules[0]['rules'] .= '|required'; + $this->assertTrue($this->run_rules($rules, array('foo' => '123'))); $this->assertFalse($this->run_rules($rules, array('foo' => ''))); $this->assertFalse($this->run_rules($rules, array('foo' => ' '))); + $this->assertFalse($this->run_rules($rules, array('foo' => 'bar'))); } public function test_rule_matches() From 75794bccae31233bb7f8e12915f42562ac4eb295 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 25 May 2016 12:58:30 +0300 Subject: [PATCH 2778/3829] [ci skip] Add 'LONGTEXT' to 'STRING' alias to CUBRID drivers for DBForge Requested in #4640 --- system/database/drivers/cubrid/cubrid_forge.php | 3 +++ system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php | 3 +++ user_guide_src/source/changelog.rst | 1 + 3 files changed, 7 insertions(+) diff --git a/system/database/drivers/cubrid/cubrid_forge.php b/system/database/drivers/cubrid/cubrid_forge.php index 8262beb6b41..46a3b2185e5 100644 --- a/system/database/drivers/cubrid/cubrid_forge.php +++ b/system/database/drivers/cubrid/cubrid_forge.php @@ -178,6 +178,9 @@ protected function _attr_type(&$attributes) $attributes['TYPE'] = 'INTEGER'; $attributes['UNSIGNED'] = FALSE; return; + case 'LONGTEXT': + $attributes['TYPE'] = 'STRING'; + return; default: return; } } diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php index 5f854061d0e..b5b95078e14 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php @@ -178,6 +178,9 @@ protected function _attr_type(&$attributes) $attributes['TYPE'] = 'INTEGER'; $attributes['UNSIGNED'] = FALSE; return; + case 'LONGTEXT': + $attributes['TYPE'] = 'STRING'; + return; default: return; } } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 7d1d961c065..471e78f53db 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -12,6 +12,7 @@ Release Date: Not Released - Updated :doc:`Image Manipulation Library ` to validate *width* and *height* configuration values. - Updated :doc:`Encryption Library ` to always prefer ``random_bytes()`` when it is available. - Updated :doc:`Session Library ` to log 'debug' messages when using fallbacks to *session.save_path* (php.ini) or 'sess_use_database', 'sess_table_name' settings. + - Added a 'LONGTEXT' to 'STRING' alias to :doc:`Database Forge ` for the 'cubrid', 'pdo/cubrid' drivers. - :php:func:`password_hash()` :doc:`compatibility function ` changes: From 21a41ba37b9248291939cf4c801ac0f27982668e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 25 May 2016 15:27:39 +0300 Subject: [PATCH 2779/3829] [ci skip] Refactor changes from PR #4585 Related: #4583 --- system/libraries/Email.php | 165 ++++++++++++++++--------------------- 1 file changed, 70 insertions(+), 95 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 4fd1107c5c0..21b62fea0c5 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -253,27 +253,6 @@ class CI_Email { */ protected $_finalbody = ''; - /** - * multipart/alternative boundary - * - * @var string - */ - protected $_alt_boundary = ''; - - /** - * Attachment boundary - * - * @var string - */ - protected $_atc_boundary = ''; - - /** - * Related Attachment boundary - * - * @var string - */ - protected $_rel_boundary = ''; - /** * Final headers to send * @@ -933,20 +912,6 @@ public function set_crlf($crlf = "\n") // -------------------------------------------------------------------- - /** - * Set Message Boundary - * - * @return void - */ - protected function _set_boundaries() - { - $this->_alt_boundary = 'B_ALT_'.uniqid(''); // multipart/alternative - $this->_atc_boundary = 'B_ATC_'.uniqid(''); // attachment boundary - $this->_rel_boundary = 'B_REL_'.uniqid(''); // related attachment boundary - } - - // -------------------------------------------------------------------- - /** * Get the Message ID * @@ -1014,9 +979,9 @@ protected function _get_content_type() { if ($this->mailtype === 'html') { - return (count($this->_attachments) === 0) ? 'html' : 'html-attach'; + return empty($this->_attachments) ? 'html' : 'html-attach'; } - elseif ($this->mailtype === 'text' && count($this->_attachments) > 0) + elseif ($this->mailtype === 'text' && ! empty($this->_attachments)) { return 'plain-attach'; } @@ -1322,7 +1287,6 @@ protected function _build_message() $this->_body = $this->word_wrap($this->_body); } - $this->_set_boundaries(); $this->_write_headers(); $hdr = ($this->_get_protocol() === 'mail') ? $this->newline : ''; @@ -1330,7 +1294,7 @@ protected function _build_message() switch ($this->_get_content_type()) { - case 'plain' : + case 'plain': $hdr .= 'Content-Type: text/plain; charset='.$this->charset.$this->newline .'Content-Transfer-Encoding: '.$this->_get_encoding(); @@ -1347,7 +1311,7 @@ protected function _build_message() return; - case 'html' : + case 'html': if ($this->send_multipart === FALSE) { @@ -1356,14 +1320,16 @@ protected function _build_message() } else { - $hdr .= 'Content-Type: multipart/alternative; boundary="'.$this->_alt_boundary.'"'; + $boundary = uniqid('B_ALT_'); + $hdr .= 'Content-Type: multipart/alternative; boundary="'.$boundary.'"'; $body .= $this->_get_mime_message().$this->newline.$this->newline - .'--'.$this->_alt_boundary.$this->newline + .'--'.$boundary.$this->newline .'Content-Type: text/plain; charset='.$this->charset.$this->newline .'Content-Transfer-Encoding: '.$this->_get_encoding().$this->newline.$this->newline - .$this->_get_alt_message().$this->newline.$this->newline.'--'.$this->_alt_boundary.$this->newline + .$this->_get_alt_message().$this->newline.$this->newline + .'--'.$boundary.$this->newline .'Content-Type: text/html; charset='.$this->charset.$this->newline .'Content-Transfer-Encoding: quoted-printable'.$this->newline.$this->newline; @@ -1382,14 +1348,15 @@ protected function _build_message() if ($this->send_multipart !== FALSE) { - $this->_finalbody .= '--'.$this->_alt_boundary.'--'; + $this->_finalbody .= '--'.$boundary.'--'; } return; - case 'plain-attach' : + case 'plain-attach': - $hdr .= 'Content-Type: multipart/mixed; boundary="'.$this->_atc_boundary.'"'; + $boundary = uniqid('B_ATC_'); + $hdr .= 'Content-Type: multipart/mixed; boundary="'.$boundary.'"'; if ($this->_get_protocol() === 'mail') { @@ -1398,29 +1365,32 @@ protected function _build_message() $body .= $this->_get_mime_message().$this->newline .$this->newline - .'--'.$this->_atc_boundary.$this->newline + .'--'.$boundary.$this->newline .'Content-Type: text/plain; charset='.$this->charset.$this->newline .'Content-Transfer-Encoding: '.$this->_get_encoding().$this->newline .$this->newline .$this->_body.$this->newline.$this->newline; - $body .= $this->_prep_attachments($this->_attachments, $this->_atc_boundary); + $this->_append_attachments($body, $boundary); break; - case 'html-attach' : + case 'html-attach': - $attachments_indexed_by_multipart = $this->_attachments_indexed_by_multipart(); + $alt_boundary = uniqid('B_ALT_'); $last_boundary = NULL; - if ( ! empty($attachments_indexed_by_multipart['mixed'])) + if ($this->_attachments_have_multipart('mixed')) { - $hdr .= 'Content-Type: multipart/mixed; boundary="'.$this->_atc_boundary.'"'; - $last_boundary = $this->_atc_boundary; + $atc_boundary = uniqid('B_ATC_'); + $hdr .= 'Content-Type: multipart/mixed; boundary="'.$atc_boundary.'"'; + $last_boundary = $atc_boundary; } - if ( ! empty($attachments_indexed_by_multipart['related'])) + if ($this->_attachments_have_multipart('related')) { - $rel_boundary_header = 'Content-Type: multipart/related; boundary="'.$this->_rel_boundary.'"'; + $rel_boundary = uniqid('B_REL_'); + $rel_boundary_header = 'Content-Type: multipart/related; boundary="'.$rel_boundary.'"'; + if (isset($last_boundary)) { $body .= '--'.$last_boundary.$this->newline.$rel_boundary_header; @@ -1429,7 +1399,8 @@ protected function _build_message() { $hdr .= $rel_boundary_header; } - $last_boundary = $this->_rel_boundary; + + $last_boundary = $rel_boundary; } if ($this->_get_protocol() === 'mail') @@ -1441,24 +1412,32 @@ protected function _build_message() $body .= $this->_get_mime_message().$this->newline.$this->newline .'--'.$last_boundary.$this->newline - .'Content-Type: multipart/alternative; boundary="'.$this->_alt_boundary.'"'.$this->newline.$this->newline - .'--'.$this->_alt_boundary.$this->newline + .'Content-Type: multipart/alternative; boundary="'.$alt_boundary.'"'.$this->newline.$this->newline + .'--'.$alt_boundary.$this->newline .'Content-Type: text/plain; charset='.$this->charset.$this->newline .'Content-Transfer-Encoding: '.$this->_get_encoding().$this->newline.$this->newline - .$this->_get_alt_message().$this->newline.$this->newline.'--'.$this->_alt_boundary.$this->newline + .$this->_get_alt_message().$this->newline.$this->newline + .'--'.$alt_boundary.$this->newline .'Content-Type: text/html; charset='.$this->charset.$this->newline .'Content-Transfer-Encoding: quoted-printable'.$this->newline.$this->newline .$this->_prep_quoted_printable($this->_body).$this->newline.$this->newline - .'--'.$this->_alt_boundary.'--'.$this->newline.$this->newline; + .'--'.$alt_boundary.'--'.$this->newline.$this->newline; - ( ! empty($attachments_indexed_by_multipart['related'])) && $body .= $this->newline.$this->newline - .$this->_prep_attachments($attachments_indexed_by_multipart['related'], $this->_rel_boundary); + // multipart/mixed attachments + if ( ! empty($atc_boundary)) + { + $body .= $this->newline.$this->newline; + $this->_append_attachments($body, $atc_boundary, 'mixed'); + } - ( ! empty($attachments_indexed_by_multipart['mixed'])) && $body .= $this->newline.$this->newline - .$this->_prep_attachments($attachments_indexed_by_multipart['mixed'], $this->_atc_boundary); + if ( ! empty($rel_boundary)) + { + $body .= $this->newline.$this->newline; + $this->_append_attachments($body, $rel_boundary, 'related'); + } break; } @@ -1472,21 +1451,17 @@ protected function _build_message() // -------------------------------------------------------------------- - /** - * Returns attachments mapped by multipart type - * - * @return array - */ - protected function _attachments_indexed_by_multipart() + protected function _attachments_have_multipart($type) { - foreach ($this->_attachments as $attachment) + foreach ($this->_attachments as &$attachment) { - $multipart = $attachment['multipart']; - isset($attachments_indexed[$multipart]) OR $attachments_indexed[$multipart] = array(); - $attachments_indexed[$multipart][] = $attachment; + if ($attachment[$i]['multipart'] === $type) + { + return TRUE; + } } - return $attachments_indexed; + return FALSE; } // -------------------------------------------------------------------- @@ -1494,35 +1469,35 @@ protected function _attachments_indexed_by_multipart() /** * Prepares attachment string * - * @param array $attachments - * @param string $boundary Multipart boundary string + * @param string $body Message body to append to + * @param string $boundary Multipart boundary + * @param string $multipart When provided, only attachments of this type will be processed * @return string */ - protected function _prep_attachments($attachments, $boundary) + protected function _append_attachments(&$body, $boundary, $multipart = null) { - if (empty($attachments)) + for ($i = 0, $c = count($this->_attachments); $i < $c; $i++) { - return ''; - } + if (isset($multipart) && $this->_attachments[$i]['multipart'] !== $multipart) + { + continue; + } - $attachment = array(); - for ($i = 0, $c = count($attachments), $z = 0; $i < $c; $i++) - { - $filename = $attachments[$i]['name'][0]; - $basename = ($attachments[$i]['name'][1] === NULL) - ? basename($filename) : $attachments[$i]['name'][1]; + $name = isset($this->_attachments[$i]['name'][1]) + ? $this->_attachments[$i]['name'][1] + : basename($this->_attachments[$i]['name'][0]); - $attachment[$z++] = '--'.$boundary.$this->newline - .'Content-type: '.$attachments[$i]['type'].'; ' - .'name="'.$basename.'"'.$this->newline - .'Content-Disposition: '.$attachments[$i]['disposition'].';'.$this->newline + $body .= '--'.$boundary.$this->newline + .'Content-Type: '.$this->_attachments[$i]['type'].'; name="'.$name.'"'.$this->newline + .'Content-Disposition: '.$this->_attachments[$i]['disposition'].';'.$this->newline .'Content-Transfer-Encoding: base64'.$this->newline - .(empty($attachments[$i]['cid']) ? '' : 'Content-ID: <'.$attachments[$i]['cid'].'>'.$this->newline); - - $attachment[$z++] = $attachments[$i]['content']; + .(empty($this->_attachments[$i]['cid']) ? '' : 'Content-ID: <'.$this->_attachments[$i]['cid'].'>'.$this->newline.$this->newline) + .$this->_attachments[$i]['content'].$this->newline; } - return implode($this->newline, $attachment).$this->newline.'--'.$boundary.'--'; + // $name won't be set if no attachments were appended, + // and therefore a boundary wouldn't be necessary + empty($name) OR $body .= '--'.$boundary.'--'; } // -------------------------------------------------------------------- From df70014e4be5b7d45c123adecd194b457ffb971b Mon Sep 17 00:00:00 2001 From: el-ma Date: Wed, 25 May 2016 18:03:28 +0300 Subject: [PATCH 2780/3829] added "Alexa Crawler" --- application/config/user_agents.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/application/config/user_agents.php b/application/config/user_agents.php index 721ec08d3a9..f520df9bd3b 100644 --- a/application/config/user_agents.php +++ b/application/config/user_agents.php @@ -208,5 +208,6 @@ 'CRAZYWEBCRAWLER' => 'Crazy Webcrawler', 'adsbot-google' => 'AdsBot Google', 'feedfetcher-google' => 'Feedfetcher Google', - 'curious george' => 'Curious George' + 'curious george' => 'Curious George', + 'ia_archiver' => 'Alexa Crawler' ); From c0d1b651fb44742711180465a6b677b1cf538137 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 25 May 2016 18:12:46 +0300 Subject: [PATCH 2781/3829] Merge pull request #4646 from el-ma/develop [ci skip] Add "Alexa Crawler" to robots --- application/config/user_agents.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/application/config/user_agents.php b/application/config/user_agents.php index 1129dbacd48..e5954e988c7 100644 --- a/application/config/user_agents.php +++ b/application/config/user_agents.php @@ -207,5 +207,6 @@ 'CRAZYWEBCRAWLER' => 'Crazy Webcrawler', 'adsbot-google' => 'AdsBot Google', 'feedfetcher-google' => 'Feedfetcher Google', - 'curious george' => 'Curious George' + 'curious george' => 'Curious George', + 'ia_archiver' => 'Alexa Crawler' ); From 5bdcdd1f6c263ecdccabeb20f313215fb8532b88 Mon Sep 17 00:00:00 2001 From: el-ma Date: Thu, 26 May 2016 09:34:16 +0300 Subject: [PATCH 2782/3829] Update robots in config/user_agents.php Added Majestic-12 and Uptimebot --- application/config/user_agents.php | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/application/config/user_agents.php b/application/config/user_agents.php index f520df9bd3b..1359bbea923 100644 --- a/application/config/user_agents.php +++ b/application/config/user_agents.php @@ -209,5 +209,7 @@ 'adsbot-google' => 'AdsBot Google', 'feedfetcher-google' => 'Feedfetcher Google', 'curious george' => 'Curious George', - 'ia_archiver' => 'Alexa Crawler' + 'ia_archiver' => 'Alexa Crawler', + 'MJ12bot' => 'Majestic-12', + 'Uptimebot' => 'Uptimebot' ); From e84a1f5814cc1c6dcfb20ab768e394720d42741b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 26 May 2016 10:09:37 +0300 Subject: [PATCH 2783/3829] Fix #4647 --- system/database/DB_query_builder.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index c862d937de2..84346a6edd1 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1395,7 +1395,7 @@ public function count_all_results($table = '', $reset = TRUE) $this->qb_orderby = NULL; } - $result = ($this->qb_distinct === TRUE) + $result = ($this->qb_distinct === TRUE OR ! empty($this->qb_groupby)) ? $this->query($this->_count_string.$this->protect_identifiers('numrows')."\nFROM (\n".$this->_compile_select()."\n) CI_count_all_results") : $this->query($this->_compile_select($this->_count_string.$this->protect_identifiers('numrows'))); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 471e78f53db..27b49f9156b 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -31,6 +31,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4613) - :doc:`Email Library ` failed to send multiple emails via SMTP due to "already authenticated" errors when keep-alive is enabled. - Fixed a bug (#4633) - :doc:`Form Validation Library ` ignored multiple "callback" rules for empty, non-required fields. - Fixed a bug (#4637) - :doc:`Database ` method `error()` returned ``FALSE`` with the 'oci8' driver if there was no error. +- Fixed a bug (#4647) - :doc:`Query Builder ` method ``count_all_results()`` doesn't take into account ``GROUP BY`` clauses while deciding whether to do a subquery or not. Version 3.0.6 ============= From c6b01c8b602a8bb458f2817494f54c414ef40c8a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 26 May 2016 10:24:32 +0300 Subject: [PATCH 2784/3829] Merge pull request #4648 from el-ma/develop [ci skip] Add two more robots to config/user_agents.php --- application/config/user_agents.php | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/application/config/user_agents.php b/application/config/user_agents.php index e5954e988c7..798086b65cd 100644 --- a/application/config/user_agents.php +++ b/application/config/user_agents.php @@ -208,5 +208,7 @@ 'adsbot-google' => 'AdsBot Google', 'feedfetcher-google' => 'Feedfetcher Google', 'curious george' => 'Curious George', - 'ia_archiver' => 'Alexa Crawler' + 'ia_archiver' => 'Alexa Crawler', + 'MJ12bot' => 'Majestic-12', + 'Uptimebot' => 'Uptimebot' ); From d680779debb08d1e50fb234ceb63a75b1a2710ed Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 26 May 2016 10:28:04 +0300 Subject: [PATCH 2785/3829] [ci skip] Fix a minor Redis Session bug --- system/libraries/Session/drivers/Session_redis_driver.php | 2 +- user_guide_src/source/changelog.rst | 3 ++- 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index e4e09fe0dda..8db74c0ca66 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -255,7 +255,7 @@ public function close() if ($this->_redis->ping() === '+PONG') { $this->_release_lock(); - if ($this->_redis->close() === $this->_failure) + if ($this->_redis->close() === FALSE) { return $this->_fail(); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 27b49f9156b..c86693d329d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -11,7 +11,7 @@ Release Date: Not Released - Updated :doc:`Image Manipulation Library ` to validate *width* and *height* configuration values. - Updated :doc:`Encryption Library ` to always prefer ``random_bytes()`` when it is available. - - Updated :doc:`Session Library ` to log 'debug' messages when using fallbacks to *session.save_path* (php.ini) or 'sess_use_database', 'sess_table_name' settings. + - Updated :doc:`Session Library ` to log 'debug' messages when using fallbacks to *session.save_path* (php.ini) or 'sess_use_database', 'sess_table_name' settings. - Added a 'LONGTEXT' to 'STRING' alias to :doc:`Database Forge ` for the 'cubrid', 'pdo/cubrid' drivers. - :php:func:`password_hash()` :doc:`compatibility function ` changes: @@ -32,6 +32,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4633) - :doc:`Form Validation Library ` ignored multiple "callback" rules for empty, non-required fields. - Fixed a bug (#4637) - :doc:`Database ` method `error()` returned ``FALSE`` with the 'oci8' driver if there was no error. - Fixed a bug (#4647) - :doc:`Query Builder ` method ``count_all_results()`` doesn't take into account ``GROUP BY`` clauses while deciding whether to do a subquery or not. +- Fixed a bug where :doc:`Session Library ` 'redis' driver didn't properly detect if a connection is properly closed on PHP 5.x. Version 3.0.6 ============= From e341601efed83a2c9cdca72de30de43a7ae12e1d Mon Sep 17 00:00:00 2001 From: Robert Angyal Date: Sat, 4 Jun 2016 12:12:28 +0200 Subject: [PATCH 2786/3829] Update Email.php --- system/libraries/Email.php | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 21b62fea0c5..0a55e184121 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1426,17 +1426,17 @@ protected function _build_message() .$this->_prep_quoted_printable($this->_body).$this->newline.$this->newline .'--'.$alt_boundary.'--'.$this->newline.$this->newline; - // multipart/mixed attachments - if ( ! empty($atc_boundary)) + if ( ! empty($rel_boundary)) { $body .= $this->newline.$this->newline; - $this->_append_attachments($body, $atc_boundary, 'mixed'); + $this->_append_attachments($body, $rel_boundary, 'related'); } - if ( ! empty($rel_boundary)) + // multipart/mixed attachments + if ( ! empty($atc_boundary)) { $body .= $this->newline.$this->newline; - $this->_append_attachments($body, $rel_boundary, 'related'); + $this->_append_attachments($body, $atc_boundary, 'mixed'); } break; @@ -1455,7 +1455,7 @@ protected function _attachments_have_multipart($type) { foreach ($this->_attachments as &$attachment) { - if ($attachment[$i]['multipart'] === $type) + if ($attachment['multipart'] === $type) { return TRUE; } From 3c42279598dfdd4832b1411f4a94355f2025db4b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 6 Jun 2016 09:44:50 +0300 Subject: [PATCH 2787/3829] Merge branch 'feature/email-attachments' into develop --- system/libraries/Email.php | 194 ++++++++++++++++++++++--------------- 1 file changed, 117 insertions(+), 77 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 6ff3efad970..f8772c6566f 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -149,13 +149,6 @@ class CI_Email { */ public $charset = 'UTF-8'; - /** - * Multipart message - * - * @var string 'mixed' (in the body) or 'related' (separate) - */ - public $multipart = 'mixed'; // "mixed" (in the body) or "related" (separate) - /** * Alternative message (for HTML messages only) * @@ -260,20 +253,6 @@ class CI_Email { */ protected $_finalbody = ''; - /** - * multipart/alternative boundary - * - * @var string - */ - protected $_alt_boundary = ''; - - /** - * Attachment boundary - * - * @var string - */ - protected $_atc_boundary = ''; - /** * Final headers to send * @@ -743,7 +722,8 @@ public function attach($file, $disposition = '', $newname = NULL, $mime = '') 'name' => array($file, $newname), 'disposition' => empty($disposition) ? 'attachment' : $disposition, // Can also be 'inline' Not sure if it matters 'type' => $mime, - 'content' => chunk_split(base64_encode($file_content)) + 'content' => chunk_split(base64_encode($file_content)), + 'multipart' => 'mixed' ); return $this; @@ -761,15 +741,11 @@ public function attach($file, $disposition = '', $newname = NULL, $mime = '') */ public function attachment_cid($filename) { - if ($this->multipart !== 'related') - { - $this->multipart = 'related'; // Thunderbird need this for inline images - } - for ($i = 0, $c = count($this->_attachments); $i < $c; $i++) { if ($this->_attachments[$i]['name'][0] === $filename) { + $this->_attachments[$i]['multipart'] = 'related'; $this->_attachments[$i]['cid'] = uniqid(basename($this->_attachments[$i]['name'][0]).'@'); return $this->_attachments[$i]['cid']; } @@ -913,19 +889,6 @@ public function set_crlf($crlf = "\n") // -------------------------------------------------------------------- - /** - * Set Message Boundary - * - * @return void - */ - protected function _set_boundaries() - { - $this->_alt_boundary = 'B_ALT_'.uniqid(''); // multipart/alternative - $this->_atc_boundary = 'B_ATC_'.uniqid(''); // attachment boundary - } - - // -------------------------------------------------------------------- - /** * Get the Message ID * @@ -993,9 +956,9 @@ protected function _get_content_type() { if ($this->mailtype === 'html') { - return (count($this->_attachments) === 0) ? 'html' : 'html-attach'; + return empty($this->_attachments) ? 'html' : 'html-attach'; } - elseif ($this->mailtype === 'text' && count($this->_attachments) > 0) + elseif ($this->mailtype === 'text' && ! empty($this->_attachments)) { return 'plain-attach'; } @@ -1301,7 +1264,6 @@ protected function _build_message() $this->_body = $this->word_wrap($this->_body); } - $this->_set_boundaries(); $this->_write_headers(); $hdr = ($this->_get_protocol() === 'mail') ? $this->newline : ''; @@ -1309,7 +1271,7 @@ protected function _build_message() switch ($this->_get_content_type()) { - case 'plain' : + case 'plain': $hdr .= 'Content-Type: text/plain; charset='.$this->charset.$this->newline .'Content-Transfer-Encoding: '.$this->_get_encoding(); @@ -1326,7 +1288,7 @@ protected function _build_message() return; - case 'html' : + case 'html': if ($this->send_multipart === FALSE) { @@ -1335,14 +1297,16 @@ protected function _build_message() } else { - $hdr .= 'Content-Type: multipart/alternative; boundary="'.$this->_alt_boundary.'"'; + $boundary = uniqid('B_ALT_'); + $hdr .= 'Content-Type: multipart/alternative; boundary="'.$boundary.'"'; $body .= $this->_get_mime_message().$this->newline.$this->newline - .'--'.$this->_alt_boundary.$this->newline + .'--'.$boundary.$this->newline .'Content-Type: text/plain; charset='.$this->charset.$this->newline .'Content-Transfer-Encoding: '.$this->_get_encoding().$this->newline.$this->newline - .$this->_get_alt_message().$this->newline.$this->newline.'--'.$this->_alt_boundary.$this->newline + .$this->_get_alt_message().$this->newline.$this->newline + .'--'.$boundary.$this->newline .'Content-Type: text/html; charset='.$this->charset.$this->newline .'Content-Transfer-Encoding: quoted-printable'.$this->newline.$this->newline; @@ -1361,14 +1325,15 @@ protected function _build_message() if ($this->send_multipart !== FALSE) { - $this->_finalbody .= '--'.$this->_alt_boundary.'--'; + $this->_finalbody .= '--'.$boundary.'--'; } return; - case 'plain-attach' : + case 'plain-attach': - $hdr .= 'Content-Type: multipart/'.$this->multipart.'; boundary="'.$this->_atc_boundary.'"'; + $boundary = uniqid('B_ATC_'); + $hdr .= 'Content-Type: multipart/mixed; boundary="'.$boundary.'"'; if ($this->_get_protocol() === 'mail') { @@ -1377,59 +1342,83 @@ protected function _build_message() $body .= $this->_get_mime_message().$this->newline .$this->newline - .'--'.$this->_atc_boundary.$this->newline + .'--'.$boundary.$this->newline .'Content-Type: text/plain; charset='.$this->charset.$this->newline .'Content-Transfer-Encoding: '.$this->_get_encoding().$this->newline .$this->newline .$this->_body.$this->newline.$this->newline; - break; - case 'html-attach' : + $this->_append_attachments($body, $boundary); - $hdr .= 'Content-Type: multipart/'.$this->multipart.'; boundary="'.$this->_atc_boundary.'"'; + break; + case 'html-attach': + + $alt_boundary = uniqid('B_ALT_'); + $last_boundary = NULL; + + if ($this->_attachments_have_multipart('mixed')) + { + $atc_boundary = uniqid('B_ATC_'); + $hdr .= 'Content-Type: multipart/mixed; boundary="'.$atc_boundary.'"'; + $last_boundary = $atc_boundary; + } + + if ($this->_attachments_have_multipart('related')) + { + $rel_boundary = uniqid('B_REL_'); + $rel_boundary_header = 'Content-Type: multipart/related; boundary="'.$rel_boundary.'"'; + + if (isset($last_boundary)) + { + $body .= '--'.$last_boundary.$this->newline.$rel_boundary_header; + } + else + { + $hdr .= $rel_boundary_header; + } + + $last_boundary = $rel_boundary; + } if ($this->_get_protocol() === 'mail') { $this->_header_str .= $hdr; } + strlen($body) && $body .= $this->newline.$this->newline; $body .= $this->_get_mime_message().$this->newline.$this->newline - .'--'.$this->_atc_boundary.$this->newline + .'--'.$last_boundary.$this->newline - .'Content-Type: multipart/alternative; boundary="'.$this->_alt_boundary.'"'.$this->newline.$this->newline - .'--'.$this->_alt_boundary.$this->newline + .'Content-Type: multipart/alternative; boundary="'.$alt_boundary.'"'.$this->newline.$this->newline + .'--'.$alt_boundary.$this->newline .'Content-Type: text/plain; charset='.$this->charset.$this->newline .'Content-Transfer-Encoding: '.$this->_get_encoding().$this->newline.$this->newline - .$this->_get_alt_message().$this->newline.$this->newline.'--'.$this->_alt_boundary.$this->newline + .$this->_get_alt_message().$this->newline.$this->newline + .'--'.$alt_boundary.$this->newline .'Content-Type: text/html; charset='.$this->charset.$this->newline .'Content-Transfer-Encoding: quoted-printable'.$this->newline.$this->newline .$this->_prep_quoted_printable($this->_body).$this->newline.$this->newline - .'--'.$this->_alt_boundary.'--'.$this->newline.$this->newline; + .'--'.$alt_boundary.'--'.$this->newline.$this->newline; - break; - } - - $attachment = array(); - for ($i = 0, $c = count($this->_attachments), $z = 0; $i < $c; $i++) - { - $filename = $this->_attachments[$i]['name'][0]; - $basename = ($this->_attachments[$i]['name'][1] === NULL) - ? basename($filename) : $this->_attachments[$i]['name'][1]; + if ( ! empty($rel_boundary)) + { + $body .= $this->newline.$this->newline; + $this->_append_attachments($body, $rel_boundary, 'related'); + } - $attachment[$z++] = '--'.$this->_atc_boundary.$this->newline - .'Content-type: '.$this->_attachments[$i]['type'].'; ' - .'name="'.$basename.'"'.$this->newline - .'Content-Disposition: '.$this->_attachments[$i]['disposition'].';'.$this->newline - .'Content-Transfer-Encoding: base64'.$this->newline - .(empty($this->_attachments[$i]['cid']) ? '' : 'Content-ID: <'.$this->_attachments[$i]['cid'].'>'.$this->newline); + // multipart/mixed attachments + if ( ! empty($atc_boundary)) + { + $body .= $this->newline.$this->newline; + $this->_append_attachments($body, $atc_boundary, 'mixed'); + } - $attachment[$z++] = $this->_attachments[$i]['content']; + break; } - $body .= implode($this->newline, $attachment).$this->newline.'--'.$this->_atc_boundary.'--'; $this->_finalbody = ($this->_get_protocol() === 'mail') ? $body : $hdr.$this->newline.$this->newline.$body; @@ -1439,6 +1428,57 @@ protected function _build_message() // -------------------------------------------------------------------- + protected function _attachments_have_multipart($type) + { + foreach ($this->_attachments as &$attachment) + { + if ($attachment['multipart'] === $type) + { + return TRUE; + } + } + + return FALSE; + } + + // -------------------------------------------------------------------- + + /** + * Prepares attachment string + * + * @param string $body Message body to append to + * @param string $boundary Multipart boundary + * @param string $multipart When provided, only attachments of this type will be processed + * @return string + */ + protected function _append_attachments(&$body, $boundary, $multipart = null) + { + for ($i = 0, $c = count($this->_attachments); $i < $c; $i++) + { + if (isset($multipart) && $this->_attachments[$i]['multipart'] !== $multipart) + { + continue; + } + + $name = isset($this->_attachments[$i]['name'][1]) + ? $this->_attachments[$i]['name'][1] + : basename($this->_attachments[$i]['name'][0]); + + $body .= '--'.$boundary.$this->newline + .'Content-Type: '.$this->_attachments[$i]['type'].'; name="'.$name.'"'.$this->newline + .'Content-Disposition: '.$this->_attachments[$i]['disposition'].';'.$this->newline + .'Content-Transfer-Encoding: base64'.$this->newline + .(empty($this->_attachments[$i]['cid']) ? '' : 'Content-ID: <'.$this->_attachments[$i]['cid'].'>'.$this->newline.$this->newline) + .$this->_attachments[$i]['content'].$this->newline; + } + + // $name won't be set if no attachments were appended, + // and therefore a boundary wouldn't be necessary + empty($name) OR $body .= '--'.$boundary.'--'; + } + + // -------------------------------------------------------------------- + /** * Prep Quoted Printable * From 83630055ab671867b14f02d45370eb0bc41a0cb0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 6 Jun 2016 09:52:58 +0300 Subject: [PATCH 2788/3829] [ci skip] Add changelog entry for issue #4583, PR #4585 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index c86693d329d..0647f6dbb6e 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -33,6 +33,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4637) - :doc:`Database ` method `error()` returned ``FALSE`` with the 'oci8' driver if there was no error. - Fixed a bug (#4647) - :doc:`Query Builder ` method ``count_all_results()`` doesn't take into account ``GROUP BY`` clauses while deciding whether to do a subquery or not. - Fixed a bug where :doc:`Session Library ` 'redis' driver didn't properly detect if a connection is properly closed on PHP 5.x. +- Fixed a bug (#4583) - :doc:`Email Library ` didn't properly handle inline attachments in HTML emails. Version 3.0.6 ============= From ed6f01077abb8946b54413d383fa1b7b46cd3d1f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 8 Jun 2016 11:06:59 +0300 Subject: [PATCH 2789/3829] Make db_select() clear cached database metadata --- system/database/drivers/mssql/mssql_driver.php | 1 + system/database/drivers/mysql/mysql_driver.php | 1 + system/database/drivers/mysqli/mysqli_driver.php | 1 + system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php | 1 + system/database/drivers/sqlsrv/sqlsrv_driver.php | 1 + user_guide_src/source/changelog.rst | 1 + 6 files changed, 6 insertions(+) diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index d40d67a0b34..66d7572e49f 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -158,6 +158,7 @@ public function db_select($database = '') if (mssql_select_db('['.$database.']', $this->conn_id)) { $this->database = $database; + $this->data_cache = array(); return TRUE; } diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 78b1d703a18..7804dda5838 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -208,6 +208,7 @@ public function db_select($database = '') if (mysql_select_db($database, $this->conn_id)) { $this->database = $database; + $this->data_cache = array(); return TRUE; } diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 06c34187f4a..f52163c2d1e 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -256,6 +256,7 @@ public function db_select($database = '') if ($this->conn_id->select_db($database)) { $this->database = $database; + $this->data_cache = array(); return TRUE; } diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index 70f2bfd4ed7..38a5a8affb5 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -218,6 +218,7 @@ public function db_select($database = '') if (FALSE !== $this->simple_query('USE '.$this->escape_identifiers($database))) { $this->database = $database; + $this->data_cache = array(); return TRUE; } diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index 0cd9ce16df5..c55d5f7b757 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -171,6 +171,7 @@ public function db_select($database = '') if ($this->_execute('USE '.$this->escape_identifiers($database))) { $this->database = $database; + $this->data_cache = array(); return TRUE; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 0647f6dbb6e..8774d4b844d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -34,6 +34,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4647) - :doc:`Query Builder ` method ``count_all_results()`` doesn't take into account ``GROUP BY`` clauses while deciding whether to do a subquery or not. - Fixed a bug where :doc:`Session Library ` 'redis' driver didn't properly detect if a connection is properly closed on PHP 5.x. - Fixed a bug (#4583) - :doc:`Email Library ` didn't properly handle inline attachments in HTML emails. +- Fixed a bug where :doc:`Database ` method `db_select()` didn't clear metadata cached for the previously used database. Version 3.0.6 ============= From 343163624e2527df9ce0c22a6e4ccfebf5b9f48b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 20 Jun 2016 13:32:45 +0300 Subject: [PATCH 2790/3829] [ci skip] Remove non-existent parameter from log_message() docs Reported in #4671 --- user_guide_src/source/general/errors.rst | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/user_guide_src/source/general/errors.rst b/user_guide_src/source/general/errors.rst index 9c190feb1f1..a1cc3517a3a 100644 --- a/user_guide_src/source/general/errors.rst +++ b/user_guide_src/source/general/errors.rst @@ -78,11 +78,10 @@ The following functions let you generate errors: CodeIgniter automatically logs any ``show_404()`` calls. Setting the optional second parameter to FALSE will skip logging. -.. php:function:: log_message($level, $message, $php_error = FALSE) +.. php:function:: log_message($level, $message) :param string $level: Log level: 'error', 'debug' or 'info' :param string $message: Message to log - :param bool $php_error: Whether we're logging a native PHP error message :rtype: void This function lets you write messages to your log files. You must From f7b028bf6db9c298db99cf800777ad3691b206b5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 22 Jun 2016 12:42:44 +0300 Subject: [PATCH 2791/3829] Fix #4675 --- system/helpers/file_helper.php | 8 +++++--- user_guide_src/source/changelog.rst | 1 + 2 files changed, 6 insertions(+), 3 deletions(-) diff --git a/system/helpers/file_helper.php b/system/helpers/file_helper.php index 0d8d1d0d94f..3cb36a551f0 100644 --- a/system/helpers/file_helper.php +++ b/system/helpers/file_helper.php @@ -138,13 +138,15 @@ function delete_files($path, $del_dir = FALSE, $htdocs = FALSE, $_level = 0) { if ($filename !== '.' && $filename !== '..') { - if (is_dir($path.DIRECTORY_SEPARATOR.$filename) && $filename[0] !== '.') + $filepath = $path.DIRECTORY_SEPARATOR.$filename; + + if (is_dir($filepath) && $filename[0] !== '.' && ! is_link($filepath)) { - delete_files($path.DIRECTORY_SEPARATOR.$filename, $del_dir, $htdocs, $_level + 1); + delete_files($filepath, $del_dir, $htdocs, $_level + 1); } elseif ($htdocs !== TRUE OR ! preg_match('/^(\.htaccess|index\.(html|htm|php)|web\.config)$/i', $filename)) { - @unlink($path.DIRECTORY_SEPARATOR.$filename); + @unlink($filepath); } } } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 8774d4b844d..da96b009e01 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -35,6 +35,7 @@ Bug fixes for 3.0.7 - Fixed a bug where :doc:`Session Library ` 'redis' driver didn't properly detect if a connection is properly closed on PHP 5.x. - Fixed a bug (#4583) - :doc:`Email Library ` didn't properly handle inline attachments in HTML emails. - Fixed a bug where :doc:`Database ` method `db_select()` didn't clear metadata cached for the previously used database. +- Fixed a bug (#4675) - :doc:`File Helper ` function :php:func:`delete_files()` treated symbolic links as regular directories. Version 3.0.6 ============= From ac718628e8b486f8016ac775829a32cfbc9fa3da Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 22 Jun 2016 13:01:51 +0300 Subject: [PATCH 2792/3829] Fix #4674 --- system/database/drivers/pdo/pdo_driver.php | 5 ++++- .../database/drivers/pdo/subdrivers/pdo_dblib_driver.php | 7 ++++++- user_guide_src/source/changelog.rst | 1 + 3 files changed, 11 insertions(+), 2 deletions(-) diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index c6f84e0f937..c27607e5527 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -126,7 +126,10 @@ public function __construct($params) */ public function db_connect($persistent = FALSE) { - $this->options[PDO::ATTR_PERSISTENT] = $persistent; + if ($persistent === TRUE) + { + $this->options[PDO::ATTR_PERSISTENT] = TRUE; + } try { diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php index 84695ee9b40..9a1cbcaf4be 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php @@ -126,7 +126,12 @@ public function __construct($params) */ public function db_connect($persistent = FALSE) { - $this->conn_id = parent::db_connect($persistent); + if ($persistent === TRUE) + { + log_message('debug', "dblib driver doesn't support persistent connections"); + } + + $this->conn_id = parent::db_connect(FALSE); if ( ! is_object($this->conn_id)) { diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index da96b009e01..ec7239649bb 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -36,6 +36,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4583) - :doc:`Email Library ` didn't properly handle inline attachments in HTML emails. - Fixed a bug where :doc:`Database ` method `db_select()` didn't clear metadata cached for the previously used database. - Fixed a bug (#4675) - :doc:`File Helper ` function :php:func:`delete_files()` treated symbolic links as regular directories. +- Fixed a bug (#4674) - :doc:`Database ` driver 'dblib' triggered E_WARNING messages while connecting. Version 3.0.6 ============= From e947ff5e84e46cef404c7403e0d94b206c1a6404 Mon Sep 17 00:00:00 2001 From: kenjis Date: Sun, 26 Jun 2016 20:49:07 +0900 Subject: [PATCH 2793/3829] Fix oci8_forge * Oracle does not have `create table if exists` * Oracle has only NUMBER for integer Signed-off-by: Kenji Suzuki --- system/database/drivers/oci8/oci8_forge.php | 37 +++++++++++++++++++ .../drivers/pdo/subdrivers/pdo_oci_forge.php | 35 ++++++++++++++++++ 2 files changed, 72 insertions(+) diff --git a/system/database/drivers/oci8/oci8_forge.php b/system/database/drivers/oci8/oci8_forge.php index 1ca559a32b7..989c7a8b72f 100644 --- a/system/database/drivers/oci8/oci8_forge.php +++ b/system/database/drivers/oci8/oci8_forge.php @@ -53,6 +53,13 @@ class CI_DB_oci8_forge extends CI_DB_forge { */ protected $_create_database = FALSE; + /** + * CREATE TABLE IF statement + * + * @var string + */ + protected $_create_table_if = FALSE; + /** * DROP DATABASE statement * @@ -146,4 +153,34 @@ protected function _attr_auto_increment(&$attributes, &$field) // Not supported - sequences and triggers must be used instead } + // -------------------------------------------------------------------- + + /** + * Field attribute TYPE + * + * Performs a data type mapping between different databases. + * + * @param array &$attributes + * @return void + */ + protected function _attr_type(&$attributes) + { + switch (strtoupper($attributes['TYPE'])) + { + case 'TINYINT': + $attributes['TYPE'] = 'NUMBER'; + return; + case 'MEDIUMINT': + $attributes['TYPE'] = 'NUMBER'; + return; + case 'INT': + $attributes['TYPE'] = 'NUMBER'; + return; + case 'BIGINT': + $attributes['TYPE'] = 'NUMBER'; + return; + default: return; + } + } + } diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php index d0b7be8f257..f7b7f8f5a94 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php @@ -53,6 +53,13 @@ class CI_DB_pdo_oci_forge extends CI_DB_pdo_forge { */ protected $_create_database = FALSE; + /** + * CREATE TABLE IF statement + * + * @var string + */ + protected $_create_table_if = FALSE; + /** * DROP DATABASE statement * @@ -146,4 +153,32 @@ protected function _attr_auto_increment(&$attributes, &$field) // Not supported - sequences and triggers must be used instead } + /** + * Field attribute TYPE + * + * Performs a data type mapping between different databases. + * + * @param array &$attributes + * @return void + */ + protected function _attr_type(&$attributes) + { + switch (strtoupper($attributes['TYPE'])) + { + case 'TINYINT': + $attributes['TYPE'] = 'NUMBER'; + return; + case 'MEDIUMINT': + $attributes['TYPE'] = 'NUMBER'; + return; + case 'INT': + $attributes['TYPE'] = 'NUMBER'; + return; + case 'BIGINT': + $attributes['TYPE'] = 'NUMBER'; + return; + default: return; + } + } + } From 4b933ad9d24daf67e28d804b95a231a707afede3 Mon Sep 17 00:00:00 2001 From: kenjis Date: Tue, 28 Jun 2016 11:20:35 +0900 Subject: [PATCH 2794/3829] Remove duplicated $_create_table_if Signed-off-by: Kenji Suzuki --- system/database/drivers/pdo/subdrivers/pdo_oci_forge.php | 7 ------- 1 file changed, 7 deletions(-) diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php index f7b7f8f5a94..94a52ffc809 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php @@ -67,13 +67,6 @@ class CI_DB_pdo_oci_forge extends CI_DB_pdo_forge { */ protected $_drop_database = FALSE; - /** - * CREATE TABLE IF statement - * - * @var string - */ - protected $_create_table_if = 'CREATE TABLE IF NOT EXISTS'; - /** * UNSIGNED support * From a09b96900af8615f4bb0b50046588fb3d5e5db84 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 28 Jun 2016 11:06:47 +0300 Subject: [PATCH 2795/3829] Merge pull request #4678 from kenjis/fix-oci8_forge DBForge adjustments for Oracle --- system/database/drivers/oci8/oci8_forge.php | 37 +++++++++++++++++++ .../drivers/pdo/subdrivers/pdo_oci_forge.php | 36 ++++++++++++++++-- 2 files changed, 69 insertions(+), 4 deletions(-) diff --git a/system/database/drivers/oci8/oci8_forge.php b/system/database/drivers/oci8/oci8_forge.php index 1ca559a32b7..989c7a8b72f 100644 --- a/system/database/drivers/oci8/oci8_forge.php +++ b/system/database/drivers/oci8/oci8_forge.php @@ -53,6 +53,13 @@ class CI_DB_oci8_forge extends CI_DB_forge { */ protected $_create_database = FALSE; + /** + * CREATE TABLE IF statement + * + * @var string + */ + protected $_create_table_if = FALSE; + /** * DROP DATABASE statement * @@ -146,4 +153,34 @@ protected function _attr_auto_increment(&$attributes, &$field) // Not supported - sequences and triggers must be used instead } + // -------------------------------------------------------------------- + + /** + * Field attribute TYPE + * + * Performs a data type mapping between different databases. + * + * @param array &$attributes + * @return void + */ + protected function _attr_type(&$attributes) + { + switch (strtoupper($attributes['TYPE'])) + { + case 'TINYINT': + $attributes['TYPE'] = 'NUMBER'; + return; + case 'MEDIUMINT': + $attributes['TYPE'] = 'NUMBER'; + return; + case 'INT': + $attributes['TYPE'] = 'NUMBER'; + return; + case 'BIGINT': + $attributes['TYPE'] = 'NUMBER'; + return; + default: return; + } + } + } diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php index d0b7be8f257..94a52ffc809 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php @@ -54,18 +54,18 @@ class CI_DB_pdo_oci_forge extends CI_DB_pdo_forge { protected $_create_database = FALSE; /** - * DROP DATABASE statement + * CREATE TABLE IF statement * * @var string */ - protected $_drop_database = FALSE; + protected $_create_table_if = FALSE; /** - * CREATE TABLE IF statement + * DROP DATABASE statement * * @var string */ - protected $_create_table_if = 'CREATE TABLE IF NOT EXISTS'; + protected $_drop_database = FALSE; /** * UNSIGNED support @@ -146,4 +146,32 @@ protected function _attr_auto_increment(&$attributes, &$field) // Not supported - sequences and triggers must be used instead } + /** + * Field attribute TYPE + * + * Performs a data type mapping between different databases. + * + * @param array &$attributes + * @return void + */ + protected function _attr_type(&$attributes) + { + switch (strtoupper($attributes['TYPE'])) + { + case 'TINYINT': + $attributes['TYPE'] = 'NUMBER'; + return; + case 'MEDIUMINT': + $attributes['TYPE'] = 'NUMBER'; + return; + case 'INT': + $attributes['TYPE'] = 'NUMBER'; + return; + case 'BIGINT': + $attributes['TYPE'] = 'NUMBER'; + return; + default: return; + } + } + } From 9a7f19c08d98aeb1331cf19327fe8e4560415c91 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 28 Jun 2016 11:12:07 +0300 Subject: [PATCH 2796/3829] [ci skip] Add changelog entries for PR #4678 --- system/database/drivers/oci8/oci8_forge.php | 1 - system/database/drivers/pdo/subdrivers/pdo_oci_forge.php | 1 - user_guide_src/source/changelog.rst | 2 ++ 3 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/database/drivers/oci8/oci8_forge.php b/system/database/drivers/oci8/oci8_forge.php index 989c7a8b72f..23e0257574f 100644 --- a/system/database/drivers/oci8/oci8_forge.php +++ b/system/database/drivers/oci8/oci8_forge.php @@ -182,5 +182,4 @@ protected function _attr_type(&$attributes) default: return; } } - } diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php index 94a52ffc809..705b1c711c9 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php @@ -173,5 +173,4 @@ protected function _attr_type(&$attributes) default: return; } } - } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index ec7239649bb..22302ab0943 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -13,6 +13,7 @@ Release Date: Not Released - Updated :doc:`Encryption Library ` to always prefer ``random_bytes()`` when it is available. - Updated :doc:`Session Library ` to log 'debug' messages when using fallbacks to *session.save_path* (php.ini) or 'sess_use_database', 'sess_table_name' settings. - Added a 'LONGTEXT' to 'STRING' alias to :doc:`Database Forge ` for the 'cubrid', 'pdo/cubrid' drivers. + - Added 'TINYINT', 'MEDIUMINT', 'INT' and 'BIGINT' aliases to 'NUMBER' to :doc:`Database Forge ` for the 'oci8', 'pdo/oci' drivers. - :php:func:`password_hash()` :doc:`compatibility function ` changes: @@ -37,6 +38,7 @@ Bug fixes for 3.0.7 - Fixed a bug where :doc:`Database ` method `db_select()` didn't clear metadata cached for the previously used database. - Fixed a bug (#4675) - :doc:`File Helper ` function :php:func:`delete_files()` treated symbolic links as regular directories. - Fixed a bug (#4674) - :doc:`Database ` driver 'dblib' triggered E_WARNING messages while connecting. +- Fixed a bug (#4678) - :doc:`Database Forge ` tried to use unsupported `IF NOT EXISTS` clause when creating tables on Oracle. Version 3.0.6 ============= From 2761c4c4e801098fddfa97e156c485bd8f84f675 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 4 Jul 2016 17:25:56 +0300 Subject: [PATCH 2797/3829] [ci skip] Make the ZIP library's doc 'Next' button point to DB Suggested in #4682 --- user_guide_src/source/index.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/index.rst b/user_guide_src/source/index.rst index a13ec983e11..615c27f3c5d 100644 --- a/user_guide_src/source/index.rst +++ b/user_guide_src/source/index.rst @@ -116,7 +116,7 @@ Helper Reference installation/index general/index libraries/index - helpers/index database/index + helpers/index tutorial/index general/credits From abfa962e7ed45b5dbc5ac2a9ef99be42008504d6 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 4 Jul 2016 17:26:33 +0300 Subject: [PATCH 2798/3829] [ci skip] Fix a changelog entry reference --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 22302ab0943..cfa28aea0fe 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -37,7 +37,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4583) - :doc:`Email Library ` didn't properly handle inline attachments in HTML emails. - Fixed a bug where :doc:`Database ` method `db_select()` didn't clear metadata cached for the previously used database. - Fixed a bug (#4675) - :doc:`File Helper ` function :php:func:`delete_files()` treated symbolic links as regular directories. -- Fixed a bug (#4674) - :doc:`Database ` driver 'dblib' triggered E_WARNING messages while connecting. +- Fixed a bug (#4674) - :doc:`Database ` driver 'dblib' triggered E_WARNING messages while connecting. - Fixed a bug (#4678) - :doc:`Database Forge ` tried to use unsupported `IF NOT EXISTS` clause when creating tables on Oracle. Version 3.0.6 From 87f7634117c34a7667b1eb13c39bf8e53bdb1b87 Mon Sep 17 00:00:00 2001 From: chestnutprog Date: Wed, 6 Jul 2016 21:13:22 +0800 Subject: [PATCH 2799/3829] Update Upload.php MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit 特殊文件名可能会引起bug --- system/libraries/Upload.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index fa365058c2f..7b94a230c96 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -601,7 +601,7 @@ public function data($index = NULL) 'file_type' => $this->file_type, 'file_path' => $this->upload_path, 'full_path' => $this->upload_path.$this->file_name, - 'raw_name' => str_replace($this->file_ext, '', $this->file_name), + 'raw_name' => substr($this->file_name, 0, strlen($this->file_name) - strlen($this->file_ext)), 'orig_name' => $this->orig_name, 'client_name' => $this->client_name, 'file_ext' => $this->file_ext, From 7a6ae33b3d457a1f86bc20ef78426ada3f37f899 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 6 Jul 2016 16:36:40 +0300 Subject: [PATCH 2800/3829] Merge pull request #4691 from chestnutprog/develop [ci skip] Fix a bug in CI_Upload::data() --- system/libraries/Upload.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index fa365058c2f..7b94a230c96 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -601,7 +601,7 @@ public function data($index = NULL) 'file_type' => $this->file_type, 'file_path' => $this->upload_path, 'full_path' => $this->upload_path.$this->file_name, - 'raw_name' => str_replace($this->file_ext, '', $this->file_name), + 'raw_name' => substr($this->file_name, 0, strlen($this->file_name) - strlen($this->file_ext)), 'orig_name' => $this->orig_name, 'client_name' => $this->client_name, 'file_ext' => $this->file_ext, From 17fa8defc1b580df4395200f6536498918bc6ea6 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 6 Jul 2016 16:48:15 +0300 Subject: [PATCH 2801/3829] [ci skip] Add a changelog entry for PR #4691 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index cfa28aea0fe..d39900c675e 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -39,6 +39,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4675) - :doc:`File Helper ` function :php:func:`delete_files()` treated symbolic links as regular directories. - Fixed a bug (#4674) - :doc:`Database ` driver 'dblib' triggered E_WARNING messages while connecting. - Fixed a bug (#4678) - :doc:`Database Forge ` tried to use unsupported `IF NOT EXISTS` clause when creating tables on Oracle. +- Fixed a bug (#4691) - :doc:`File Uploading Library ` method ``data()`` returns wrong 'raw_name' when the filename extension is also contained in the raw filename. Version 3.0.6 ============= From 64d9d1ec12be9f02459a5e5c8a9124fc97686529 Mon Sep 17 00:00:00 2001 From: nopesled Date: Thu, 7 Jul 2016 17:40:47 +0100 Subject: [PATCH 2802/3829] Update path_helper.php Protect against RFI via php:// wrapper --- system/helpers/path_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/path_helper.php b/system/helpers/path_helper.php index 838ece9e975..f3757affb37 100644 --- a/system/helpers/path_helper.php +++ b/system/helpers/path_helper.php @@ -61,7 +61,7 @@ function set_realpath($path, $check_existance = FALSE) { // Security check to make sure the path is NOT a URL. No remote file inclusion! - if (preg_match('#^(http:\/\/|https:\/\/|www\.|ftp)#i', $path) OR filter_var($path, FILTER_VALIDATE_IP) === $path ) + if (preg_match('#^(http:\/\/|https:\/\/|www\.|ftp|php)#i', $path) OR filter_var($path, FILTER_VALIDATE_IP) === $path ) { show_error('The path you submitted must be a local server path, not a URL'); } From 85eaa0bff12574b8a1c08b68942ff070e6bb341c Mon Sep 17 00:00:00 2001 From: nopesled Date: Thu, 7 Jul 2016 17:48:22 +0100 Subject: [PATCH 2803/3829] Update path_helper.php --- system/helpers/path_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/path_helper.php b/system/helpers/path_helper.php index f3757affb37..18e17509337 100644 --- a/system/helpers/path_helper.php +++ b/system/helpers/path_helper.php @@ -61,7 +61,7 @@ function set_realpath($path, $check_existance = FALSE) { // Security check to make sure the path is NOT a URL. No remote file inclusion! - if (preg_match('#^(http:\/\/|https:\/\/|www\.|ftp|php)#i', $path) OR filter_var($path, FILTER_VALIDATE_IP) === $path ) + if (preg_match('#^(http:\/\/|https:\/\/|www\.|ftp|php:\/\/)#i', $path) OR filter_var($path, FILTER_VALIDATE_IP) === $path ) { show_error('The path you submitted must be a local server path, not a URL'); } From a1b0c7e3e5e7c63defbb58bae77b50370df30524 Mon Sep 17 00:00:00 2001 From: Claudio Galdiolo Date: Thu, 7 Jul 2016 15:32:12 -0400 Subject: [PATCH 2804/3829] recommend PHP >= 5.6 PHP 5.5 end of life is July 10, 2016 --- readme.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/readme.rst b/readme.rst index 84ecc67f94e..7a376322d4d 100644 --- a/readme.rst +++ b/readme.rst @@ -29,7 +29,7 @@ guide change log Date: Mon, 11 Jul 2016 18:01:54 +0800 Subject: [PATCH 2805/3829] Use negative length for speeding up. Signed-off-by: tianhe1986 --- system/libraries/Upload.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 7b94a230c96..056f6de1ef0 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -601,7 +601,7 @@ public function data($index = NULL) 'file_type' => $this->file_type, 'file_path' => $this->upload_path, 'full_path' => $this->upload_path.$this->file_name, - 'raw_name' => substr($this->file_name, 0, strlen($this->file_name) - strlen($this->file_ext)), + 'raw_name' => substr($this->file_name, 0, -strlen($this->file_ext)), 'orig_name' => $this->orig_name, 'client_name' => $this->client_name, 'file_ext' => $this->file_ext, From e12fcec770d7bc03f746c291e96cc75b51475f74 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 19 Jul 2016 13:37:40 +0300 Subject: [PATCH 2806/3829] [ci skip] Fix an undefined index for 'timeout' in Redis session driver http://forum.codeigniter.com/thread-64219.html --- system/libraries/Session/drivers/Session_redis_driver.php | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index ad14cbfdcca..d3a265958f7 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -99,8 +99,9 @@ public function __construct(&$params) elseif (preg_match('#(?:tcp://)?([^:?]+)(?:\:(\d+))?(?\?.+)?#', $this->_config['save_path'], $matches)) { $save_path = array( - 'host' => $matches[1], - 'port' => empty($matches[2]) ? NULL : $matches[2] + 'host' => $matches[1], + 'port' => empty($matches[2]) ? NULL : $matches[2], + 'timeout' => NULL // We always pass this to Redis::connect(), so it needs to exist ); } else From 9fd9248a2d712d5ae95bf2e6c6cd036e6b522cbb Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 19 Jul 2016 14:04:17 +0300 Subject: [PATCH 2807/3829] Fix #4679 --- system/core/Input.php | 4 ++-- tests/codeigniter/core/Input_test.php | 6 ++++++ user_guide_src/source/changelog.rst | 1 + 3 files changed, 9 insertions(+), 2 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index 50ca047e8d2..b81d51ebff9 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -519,9 +519,9 @@ public function ip_address() if ($separator === ':') { $netaddr = explode(':', str_replace('::', str_repeat(':', 9 - substr_count($netaddr, ':')), $netaddr)); - for ($i = 0; $i < 8; $i++) + for ($j = 0; $j < 8; $j++) { - $netaddr[$i] = intval($netaddr[$i], 16); + $netaddr[$i] = intval($netaddr[$j], 16); } } else diff --git a/tests/codeigniter/core/Input_test.php b/tests/codeigniter/core/Input_test.php index c56900d2205..e1f4011b57e 100644 --- a/tests/codeigniter/core/Input_test.php +++ b/tests/codeigniter/core/Input_test.php @@ -261,6 +261,12 @@ public function test_ip_address() $_SERVER['REMOTE_ADDR'] = 'FE80:0000:0000:0000:0202:B3FF:FE1E:8329'; $this->assertEquals('FE80:0000:0000:0000:0202:B3FF:FE1E:8300', $this->input->ip_address()); + $this->input->ip_address = FALSE; + $this->ci_set_config('proxy_ips', '0::/32'); + $_SERVER['HTTP_CLIENT_IP'] = '127.0.0.7'; + $_SERVER['REMOTE_ADDR'] = '0000:0000:0000:0000:0000:0000:0000:0001'; + $this->assertEquals('127.0.0.7', $this->input->ip_address()); + $this->input->ip_address = FALSE; $_SERVER['REMOTE_ADDR'] = '127.0.0.1'; // back to reality } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d39900c675e..ef8b5d6cecb 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -40,6 +40,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4674) - :doc:`Database ` driver 'dblib' triggered E_WARNING messages while connecting. - Fixed a bug (#4678) - :doc:`Database Forge ` tried to use unsupported `IF NOT EXISTS` clause when creating tables on Oracle. - Fixed a bug (#4691) - :doc:`File Uploading Library ` method ``data()`` returns wrong 'raw_name' when the filename extension is also contained in the raw filename. +- Fixed a bug (#4679) - :doc:`Input Library ` method ``ip_address()`` errors with a matching ``$config['proxy_ips']`` IPv6 address. Version 3.0.6 ============= From 79b9923634cdb69f746ffcd4b288f738988b1367 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 19 Jul 2016 14:12:46 +0300 Subject: [PATCH 2808/3829] [ci skip] Consistent changelog syntax --- user_guide_src/source/changelog.rst | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index ef8b5d6cecb..a9cb450c862 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -31,14 +31,14 @@ Bug fixes for 3.0.7 - Fixed a bug (#4605) - :doc:`Config Library ` method ``site_url()`` stripped trailing slashes from relative URIs passed to it. - Fixed a bug (#4613) - :doc:`Email Library ` failed to send multiple emails via SMTP due to "already authenticated" errors when keep-alive is enabled. - Fixed a bug (#4633) - :doc:`Form Validation Library ` ignored multiple "callback" rules for empty, non-required fields. -- Fixed a bug (#4637) - :doc:`Database ` method `error()` returned ``FALSE`` with the 'oci8' driver if there was no error. +- Fixed a bug (#4637) - :doc:`Database ` method ``error()`` returned ``FALSE`` with the 'oci8' driver if there was no error. - Fixed a bug (#4647) - :doc:`Query Builder ` method ``count_all_results()`` doesn't take into account ``GROUP BY`` clauses while deciding whether to do a subquery or not. - Fixed a bug where :doc:`Session Library ` 'redis' driver didn't properly detect if a connection is properly closed on PHP 5.x. - Fixed a bug (#4583) - :doc:`Email Library ` didn't properly handle inline attachments in HTML emails. -- Fixed a bug where :doc:`Database ` method `db_select()` didn't clear metadata cached for the previously used database. +- Fixed a bug where :doc:`Database ` method ``db_select()`` didn't clear metadata cached for the previously used database. - Fixed a bug (#4675) - :doc:`File Helper ` function :php:func:`delete_files()` treated symbolic links as regular directories. - Fixed a bug (#4674) - :doc:`Database ` driver 'dblib' triggered E_WARNING messages while connecting. -- Fixed a bug (#4678) - :doc:`Database Forge ` tried to use unsupported `IF NOT EXISTS` clause when creating tables on Oracle. +- Fixed a bug (#4678) - :doc:`Database Forge ` tried to use unsupported ``IF NOT EXISTS`` clause when creating tables on Oracle. - Fixed a bug (#4691) - :doc:`File Uploading Library ` method ``data()`` returns wrong 'raw_name' when the filename extension is also contained in the raw filename. - Fixed a bug (#4679) - :doc:`Input Library ` method ``ip_address()`` errors with a matching ``$config['proxy_ips']`` IPv6 address. From fc6f444f74b54a3c7ff3c53ba7fdf83378a86bcc Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 19 Jul 2016 14:15:49 +0300 Subject: [PATCH 2809/3829] [ci skip] Clarify lang() helper docs As requested in #4693 --- user_guide_src/source/helpers/language_helper.rst | 13 ++++++++----- 1 file changed, 8 insertions(+), 5 deletions(-) diff --git a/user_guide_src/source/helpers/language_helper.rst b/user_guide_src/source/helpers/language_helper.rst index cadf3c0cee2..cfbd6c05723 100644 --- a/user_guide_src/source/helpers/language_helper.rst +++ b/user_guide_src/source/helpers/language_helper.rst @@ -27,17 +27,20 @@ The following functions are available: .. php:function:: lang($line[, $for = ''[, $attributes = array()]]) - :param string $line: Language line key - :param string $for: HTML "for" attribute (ID of the element we're creating a label for) - :param array $attributes: Any additional HTML attributes - :returns: HTML-formatted language line label + :param string $line: Language line key + :param string $for: HTML "for" attribute (ID of the element we're creating a label for) + :param array $attributes: Any additional HTML attributes + :returns: The language line; in an HTML label tag, if the ``$for`` parameter is not empty :rtype: string This function returns a line of text from a loaded language file with simplified syntax that may be more desirable for view files than ``CI_Lang::line()``. - Example:: + Examples:: + + echo lang('language_key'); + // Outputs: Language line echo lang('language_key', 'form_item_id', array('class' => 'myClass')); // Outputs: \ No newline at end of file From b01047570608a976d4721147bbb8710ffd674551 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 19 Jul 2016 14:36:20 +0300 Subject: [PATCH 2810/3829] Fix #4695 --- system/libraries/User_agent.php | 6 ++---- user_guide_src/source/changelog.rst | 1 + 2 files changed, 3 insertions(+), 4 deletions(-) diff --git a/system/libraries/User_agent.php b/system/libraries/User_agent.php index c4e11592d98..60d1599668a 100644 --- a/system/libraries/User_agent.php +++ b/system/libraries/User_agent.php @@ -173,13 +173,11 @@ class CI_User_agent { */ public function __construct() { + $this->_load_agent_file(); + if (isset($_SERVER['HTTP_USER_AGENT'])) { $this->agent = trim($_SERVER['HTTP_USER_AGENT']); - } - - if ($this->agent !== NULL && $this->_load_agent_file()) - { $this->_compile_data(); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index a9cb450c862..ed6446bb42e 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -41,6 +41,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4678) - :doc:`Database Forge ` tried to use unsupported ``IF NOT EXISTS`` clause when creating tables on Oracle. - Fixed a bug (#4691) - :doc:`File Uploading Library ` method ``data()`` returns wrong 'raw_name' when the filename extension is also contained in the raw filename. - Fixed a bug (#4679) - :doc:`Input Library ` method ``ip_address()`` errors with a matching ``$config['proxy_ips']`` IPv6 address. +- Fixed a bug (#4695) - :doc:`User Agent Library ` didn't load the *config/user_agents.php* file when there's no ``User-Agent`` HTTP request header. Version 3.0.6 ============= From 11bdddcf2290dcd8f782de9727673070c78317ff Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 19 Jul 2016 14:53:50 +0300 Subject: [PATCH 2811/3829] Close #4692 --- user_guide_src/source/helpers/inflector_helper.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/helpers/inflector_helper.rst b/user_guide_src/source/helpers/inflector_helper.rst index 17dab57bf8e..df0c568c0d7 100644 --- a/user_guide_src/source/helpers/inflector_helper.rst +++ b/user_guide_src/source/helpers/inflector_helper.rst @@ -3,7 +3,7 @@ Inflector Helper ################ The Inflector Helper file contains functions that permits you to change -words to plural, singular, camel case, etc. +**English** words to plural, singular, camel case, etc. .. contents:: :local: From 81b13ba41f00da46ab23c10e9d625b8fe45b4349 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 19 Jul 2016 15:45:37 +0300 Subject: [PATCH 2812/3829] Merge pull request #4705 from tianhe1986/develop_upload_raw_name Improve #4691 --- system/libraries/Upload.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 7b94a230c96..056f6de1ef0 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -601,7 +601,7 @@ public function data($index = NULL) 'file_type' => $this->file_type, 'file_path' => $this->upload_path, 'full_path' => $this->upload_path.$this->file_name, - 'raw_name' => substr($this->file_name, 0, strlen($this->file_name) - strlen($this->file_ext)), + 'raw_name' => substr($this->file_name, 0, -strlen($this->file_ext)), 'orig_name' => $this->orig_name, 'client_name' => $this->client_name, 'file_ext' => $this->file_ext, From ac86263d83eea14f346e358cf7666d6ad21f0dfc Mon Sep 17 00:00:00 2001 From: Harrison Emmanuel Date: Thu, 21 Jul 2016 01:39:55 +0100 Subject: [PATCH 2813/3829] Fixed typos Changed umark_flash() and umark_temp() to unmark_flash() and unmark_temp() to match with their respective methods in the Session class. --- user_guide_src/source/libraries/sessions.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/libraries/sessions.rst b/user_guide_src/source/libraries/sessions.rst index 9c9761bbf59..082828c4eb6 100644 --- a/user_guide_src/source/libraries/sessions.rst +++ b/user_guide_src/source/libraries/sessions.rst @@ -906,7 +906,7 @@ Class Reference Gets a list of all ``$_SESSION`` that have been marked as "flashdata". - .. php:method:: umark_flash($key) + .. php:method:: unmark_flash($key) :param mixed $key: Key to be un-marked as flashdata, or an array of multiple keys :rtype: void @@ -971,7 +971,7 @@ Class Reference Gets a list of all ``$_SESSION`` that have been marked as "tempdata". - .. php:method:: umark_temp($key) + .. php:method:: unmark_temp($key) :param mixed $key: Key to be un-marked as tempdata, or an array of multiple keys :rtype: void From 71789ce7bb345a9d32bfa9cbf1334876647ea7e1 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 21 Jul 2016 12:45:58 +0300 Subject: [PATCH 2814/3829] Merge pull request #4716 from Ema4rl/patch-1 [ci skip] Fix Session userguide typos --- user_guide_src/source/libraries/sessions.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/libraries/sessions.rst b/user_guide_src/source/libraries/sessions.rst index 9c9761bbf59..082828c4eb6 100644 --- a/user_guide_src/source/libraries/sessions.rst +++ b/user_guide_src/source/libraries/sessions.rst @@ -906,7 +906,7 @@ Class Reference Gets a list of all ``$_SESSION`` that have been marked as "flashdata". - .. php:method:: umark_flash($key) + .. php:method:: unmark_flash($key) :param mixed $key: Key to be un-marked as flashdata, or an array of multiple keys :rtype: void @@ -971,7 +971,7 @@ Class Reference Gets a list of all ``$_SESSION`` that have been marked as "tempdata". - .. php:method:: umark_temp($key) + .. php:method:: unmark_temp($key) :param mixed $key: Key to be un-marked as tempdata, or an array of multiple keys :rtype: void From d9a4063f87d82836e7d7fe340c5c962e0332e2e5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 22 Jul 2016 15:49:08 +0300 Subject: [PATCH 2815/3829] Fix #4713 --- system/database/DB_query_builder.php | 13 +++++++++---- user_guide_src/source/changelog.rst | 1 + 2 files changed, 10 insertions(+), 4 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 84346a6edd1..713bf18f310 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1498,8 +1498,10 @@ public function insert_batch($table, $set = NULL, $escape = NULL, $batch_size = $affected_rows = 0; for ($i = 0, $total = count($this->qb_set); $i < $total; $i += $batch_size) { - $this->query($this->_insert_batch($this->protect_identifiers($table, TRUE, $escape, FALSE), $this->qb_keys, array_slice($this->qb_set, $i, $batch_size))); - $affected_rows += $this->affected_rows(); + if ($this->query($this->_insert_batch($this->protect_identifiers($table, TRUE, $escape, FALSE), $this->qb_keys, array_slice($this->qb_set, $i, $batch_size)))) + { + $affected_rows += $this->affected_rows(); + } } $this->_reset_write(); @@ -1913,8 +1915,11 @@ public function update_batch($table, $set = NULL, $index = NULL, $batch_size = 1 $affected_rows = 0; for ($i = 0, $total = count($this->qb_set); $i < $total; $i += $batch_size) { - $this->query($this->_update_batch($this->protect_identifiers($table, TRUE, NULL, FALSE), array_slice($this->qb_set, $i, $batch_size), $this->protect_identifiers($index))); - $affected_rows += $this->affected_rows(); + if ($this->query($this->_update_batch($this->protect_identifiers($table, TRUE, NULL, FALSE), array_slice($this->qb_set, $i, $batch_size), $this->protect_identifiers($index)))) + { + $affected_rows += $this->affected_rows(); + } + $this->qb_where = array(); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index ed6446bb42e..419859f5c68 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -42,6 +42,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4691) - :doc:`File Uploading Library ` method ``data()`` returns wrong 'raw_name' when the filename extension is also contained in the raw filename. - Fixed a bug (#4679) - :doc:`Input Library ` method ``ip_address()`` errors with a matching ``$config['proxy_ips']`` IPv6 address. - Fixed a bug (#4695) - :doc:`User Agent Library ` didn't load the *config/user_agents.php* file when there's no ``User-Agent`` HTTP request header. +- Fixed a bug (#4713) - :doc:`Query Builder ` methods ``insert_batch()``, ``update_batch()`` could return wrong affected rows count. Version 3.0.6 ============= From 19ca6442222a316ca2400252a8917426046a3eda Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 22 Jul 2016 15:56:10 +0300 Subject: [PATCH 2816/3829] [ci skip] Add affected_rows() to db reference docs --- user_guide_src/source/database/db_driver_reference.rst | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/user_guide_src/source/database/db_driver_reference.rst b/user_guide_src/source/database/db_driver_reference.rst index 1ecd389688a..aaca90840f6 100644 --- a/user_guide_src/source/database/db_driver_reference.rst +++ b/user_guide_src/source/database/db_driver_reference.rst @@ -116,6 +116,15 @@ This article is intended to be a reference for them. for use when you don't need to get a result object or to just send a query to the database and not care for the result. + .. php:method:: affected_rows() + :returns: Number of rows affected + :rtype: int + + Returns the number of rows *changed* by the last executed query. + + Useful for checking how much rows were created, updated or deleted + during the last executed query. + .. php:method:: trans_strict([$mode = TRUE]) :param bool $mode: Strict mode flag From 0c821bbeb549077eb5c0550e6de6df0adba3d4fa Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 19 Jul 2016 16:04:02 +0300 Subject: [PATCH 2817/3829] Fix #4712 --- system/libraries/Email.php | 33 +++++++++++++++++++++++---------- 1 file changed, 23 insertions(+), 10 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index f8772c6566f..be89d65695a 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1919,6 +1919,7 @@ protected function _send_with_smtp() if ( ! $this->_send_command('from', $this->clean_email($this->_headers['From']))) { + $this->_smtp_end(); return FALSE; } @@ -1926,6 +1927,7 @@ protected function _send_with_smtp() { if ( ! $this->_send_command('to', $val)) { + $this->_smtp_end(); return FALSE; } } @@ -1936,6 +1938,7 @@ protected function _send_with_smtp() { if ($val !== '' && ! $this->_send_command('to', $val)) { + $this->_smtp_end(); return FALSE; } } @@ -1947,6 +1950,7 @@ protected function _send_with_smtp() { if ($val !== '' && ! $this->_send_command('to', $val)) { + $this->_smtp_end(); return FALSE; } } @@ -1954,6 +1958,7 @@ protected function _send_with_smtp() if ( ! $this->_send_command('data')) { + $this->_smtp_end(); return FALSE; } @@ -1963,29 +1968,37 @@ protected function _send_with_smtp() $this->_send_data('.'); $reply = $this->_get_smtp_data(); - $this->_set_error_message($reply); + $this->_smtp_end(); + if (strpos($reply, '250') !== 0) { $this->_set_error_message('lang:email_smtp_error', $reply); return FALSE; } - if ($this->smtp_keepalive) - { - $this->_send_command('reset'); - } - else - { - $this->_send_command('quit'); - } - return TRUE; } // -------------------------------------------------------------------- + /** + * SMTP End + * + * Shortcut to send RSET or QUIT depending on keep-alive + * + * @return void + */ + protected function _smtp_end() + { + ($this->smtp_keepalive) + ? $this->_send_command('reset') + : $this->_send_command('quit'); + } + + // -------------------------------------------------------------------- + /** * SMTP Connect * From fd128d536fa08cf7668a232aaa2fd8fce30b8ea2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 22 Jul 2016 16:21:06 +0300 Subject: [PATCH 2818/3829] [ci skip] Add changelog entry for #4712 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 419859f5c68..1a0af5a9198 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -43,6 +43,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4679) - :doc:`Input Library ` method ``ip_address()`` errors with a matching ``$config['proxy_ips']`` IPv6 address. - Fixed a bug (#4695) - :doc:`User Agent Library ` didn't load the *config/user_agents.php* file when there's no ``User-Agent`` HTTP request header. - Fixed a bug (#4713) - :doc:`Query Builder ` methods ``insert_batch()``, ``update_batch()`` could return wrong affected rows count. +- Fixed a bug (#4712) - :doc:`Email Library ` doesn't sent ``RSET`` to SMTP servers after a failure and while using keep-alive. Version 3.0.6 ============= From 1dbe93713f138ce24f971b18ac49f6cc627be1ea Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Sat, 23 Jul 2016 00:19:00 +0800 Subject: [PATCH 2819/3829] Call strtolower before comparing $_SERVER['HTTP_X_FORWARDED_PROTO']. Signed-off-by: tianhe1986 --- system/core/Common.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Common.php b/system/core/Common.php index b87ce4d626f..85e18e406c5 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -355,7 +355,7 @@ function is_https() { return TRUE; } - elseif (isset($_SERVER['HTTP_X_FORWARDED_PROTO']) && $_SERVER['HTTP_X_FORWARDED_PROTO'] === 'https') + elseif (isset($_SERVER['HTTP_X_FORWARDED_PROTO']) && strtolower($_SERVER['HTTP_X_FORWARDED_PROTO']) === 'https') { return TRUE; } From 5afba5a8c444d608712174665288aa10237e8b27 Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Sat, 23 Jul 2016 01:02:01 +0800 Subject: [PATCH 2820/3829] Replace url_encoded invisible characters case-insensitively. Signed-off-by: tianhe1986 --- system/core/Common.php | 4 ++-- tests/codeigniter/core/Common_test.php | 12 ++++++++++++ 2 files changed, 14 insertions(+), 2 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index b87ce4d626f..e0d011db7a0 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -716,8 +716,8 @@ function remove_invisible_characters($str, $url_encoded = TRUE) // carriage return (dec 13) and horizontal tab (dec 09) if ($url_encoded) { - $non_displayables[] = '/%0[0-8bcef]/'; // url encoded 00-08, 11, 12, 14, 15 - $non_displayables[] = '/%1[0-9a-f]/'; // url encoded 16-31 + $non_displayables[] = '/%0[0-8bcef]/i'; // url encoded 00-08, 11, 12, 14, 15 + $non_displayables[] = '/%1[0-9a-f]/i'; // url encoded 16-31 } $non_displayables[] = '/[\x00-\x08\x0B\x0C\x0E-\x1F\x7F]+/S'; // 00-08, 11, 12, 14-31, 127 diff --git a/tests/codeigniter/core/Common_test.php b/tests/codeigniter/core/Common_test.php index 81a185eafb4..ca19e5de043 100644 --- a/tests/codeigniter/core/Common_test.php +++ b/tests/codeigniter/core/Common_test.php @@ -54,4 +54,16 @@ public function test_html_escape() ); } + // ------------------------------------------------------------------------ + + public function test_remove_invisible_characters() + { + $raw_string = 'Here is a string containing invisible'.chr(0x08).' text %0e.'; + $removed_string = 'Here is a string containing invisible text %0e.'; + $this->assertEquals($removed_string, remove_invisible_characters($raw_string, FALSE)); + + $raw_string = 'Here is a string %0econtaining url_encoded invisible%1F text.'; + $removed_string = 'Here is a string containing url_encoded invisible text.'; + $this->assertEquals($removed_string, remove_invisible_characters($raw_string)); + } } \ No newline at end of file From 85f3d1ae7fb2da9e0dd364cc91d623040f8b3666 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 25 Jul 2016 10:28:21 +0300 Subject: [PATCH 2821/3829] Merge pull request #4724 from tianhe1986/develop_is_https_strtolower Compare X-Forwarded-Proto case-insensitively --- system/core/Common.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Common.php b/system/core/Common.php index b87ce4d626f..85e18e406c5 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -355,7 +355,7 @@ function is_https() { return TRUE; } - elseif (isset($_SERVER['HTTP_X_FORWARDED_PROTO']) && $_SERVER['HTTP_X_FORWARDED_PROTO'] === 'https') + elseif (isset($_SERVER['HTTP_X_FORWARDED_PROTO']) && strtolower($_SERVER['HTTP_X_FORWARDED_PROTO']) === 'https') { return TRUE; } From 384a46150d3014e914c4780a550513395d4bed83 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 25 Jul 2016 10:30:04 +0300 Subject: [PATCH 2822/3829] Merge pull request #4725 from tianhe1986/develop_url_encode_case_insensitive Fix remove_invisible_characters() for URL-encoded characters in upper case --- system/core/Common.php | 4 ++-- tests/codeigniter/core/Common_test.php | 12 ++++++++++++ 2 files changed, 14 insertions(+), 2 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 85e18e406c5..d66649f590d 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -716,8 +716,8 @@ function remove_invisible_characters($str, $url_encoded = TRUE) // carriage return (dec 13) and horizontal tab (dec 09) if ($url_encoded) { - $non_displayables[] = '/%0[0-8bcef]/'; // url encoded 00-08, 11, 12, 14, 15 - $non_displayables[] = '/%1[0-9a-f]/'; // url encoded 16-31 + $non_displayables[] = '/%0[0-8bcef]/i'; // url encoded 00-08, 11, 12, 14, 15 + $non_displayables[] = '/%1[0-9a-f]/i'; // url encoded 16-31 } $non_displayables[] = '/[\x00-\x08\x0B\x0C\x0E-\x1F\x7F]+/S'; // 00-08, 11, 12, 14-31, 127 diff --git a/tests/codeigniter/core/Common_test.php b/tests/codeigniter/core/Common_test.php index 81a185eafb4..ca19e5de043 100644 --- a/tests/codeigniter/core/Common_test.php +++ b/tests/codeigniter/core/Common_test.php @@ -54,4 +54,16 @@ public function test_html_escape() ); } + // ------------------------------------------------------------------------ + + public function test_remove_invisible_characters() + { + $raw_string = 'Here is a string containing invisible'.chr(0x08).' text %0e.'; + $removed_string = 'Here is a string containing invisible text %0e.'; + $this->assertEquals($removed_string, remove_invisible_characters($raw_string, FALSE)); + + $raw_string = 'Here is a string %0econtaining url_encoded invisible%1F text.'; + $removed_string = 'Here is a string containing url_encoded invisible text.'; + $this->assertEquals($removed_string, remove_invisible_characters($raw_string)); + } } \ No newline at end of file From a8a6bc7f8f65be83abeb9d00e1a94f080d8749ca Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 25 Jul 2016 10:33:35 +0300 Subject: [PATCH 2823/3829] [ci skip] Add changelog entries for PRs #4724, #4725 --- user_guide_src/source/changelog.rst | 2 ++ 1 file changed, 2 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1a0af5a9198..a91893ba0c5 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -44,6 +44,8 @@ Bug fixes for 3.0.7 - Fixed a bug (#4695) - :doc:`User Agent Library ` didn't load the *config/user_agents.php* file when there's no ``User-Agent`` HTTP request header. - Fixed a bug (#4713) - :doc:`Query Builder ` methods ``insert_batch()``, ``update_batch()`` could return wrong affected rows count. - Fixed a bug (#4712) - :doc:`Email Library ` doesn't sent ``RSET`` to SMTP servers after a failure and while using keep-alive. +- Fixed a bug (#4724) - :doc:`Common function ` :php:func:`is_https()` compared the ``X-Forwarded-Proto`` HTTP header case-sensitively. +- Fixed a bug (#4725) - :doc:`Common function ` :php:func:`remove_invisible_characters()`` searched case-sensitively for URL-encoded characters. Version 3.0.6 ============= From c3a6bfdc30fdba41f4cded7c5ecd4b98f65af02d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 25 Jul 2016 10:41:31 +0300 Subject: [PATCH 2824/3829] [ci skip] Fix a changelog entry from last commit --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index a91893ba0c5..7842136f30b 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -45,7 +45,7 @@ Bug fixes for 3.0.7 - Fixed a bug (#4713) - :doc:`Query Builder ` methods ``insert_batch()``, ``update_batch()`` could return wrong affected rows count. - Fixed a bug (#4712) - :doc:`Email Library ` doesn't sent ``RSET`` to SMTP servers after a failure and while using keep-alive. - Fixed a bug (#4724) - :doc:`Common function ` :php:func:`is_https()` compared the ``X-Forwarded-Proto`` HTTP header case-sensitively. -- Fixed a bug (#4725) - :doc:`Common function ` :php:func:`remove_invisible_characters()`` searched case-sensitively for URL-encoded characters. +- Fixed a bug (#4725) - :doc:`Common function ` :php:func:`remove_invisible_characters()` searched case-sensitively for URL-encoded characters. Version 3.0.6 ============= From 0e49b7879f5c40074d77e6aefc4d924cb527abbf Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 26 Jul 2016 19:37:23 +0300 Subject: [PATCH 2825/3829] Merge pull request #4709 from nopesled/develop Filter php:// wrappers in set_realpath() helper --- system/helpers/path_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/path_helper.php b/system/helpers/path_helper.php index 838ece9e975..18e17509337 100644 --- a/system/helpers/path_helper.php +++ b/system/helpers/path_helper.php @@ -61,7 +61,7 @@ function set_realpath($path, $check_existance = FALSE) { // Security check to make sure the path is NOT a URL. No remote file inclusion! - if (preg_match('#^(http:\/\/|https:\/\/|www\.|ftp)#i', $path) OR filter_var($path, FILTER_VALIDATE_IP) === $path ) + if (preg_match('#^(http:\/\/|https:\/\/|www\.|ftp|php:\/\/)#i', $path) OR filter_var($path, FILTER_VALIDATE_IP) === $path ) { show_error('The path you submitted must be a local server path, not a URL'); } From 3d10ffa77854044570a1809a884776fd4bbd8b70 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 26 Jul 2016 19:42:05 +0300 Subject: [PATCH 2826/3829] Fix SQLi in ODBC drivers --- system/database/drivers/odbc/odbc_driver.php | 161 ++++++++++++------ .../pdo/subdrivers/pdo_odbc_driver.php | 81 ++------- 2 files changed, 118 insertions(+), 124 deletions(-) diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index 19b7b744bf9..63df2963de9 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -50,7 +50,7 @@ * @author EllisLab Dev Team * @link https://codeigniter.com/user_guide/database/ */ -class CI_DB_odbc_driver extends CI_DB { +class CI_DB_odbc_driver extends CI_DB_driver { /** * Database driver @@ -93,6 +93,22 @@ class CI_DB_odbc_driver extends CI_DB { // -------------------------------------------------------------------- + /** + * ODBC result ID resource returned from odbc_prepare() + * + * @var resource + */ + private $odbc_result; + + /** + * Values to use with odbc_execute() for prepared statements + * + * @var array + */ + private $binds = array(); + + // -------------------------------------------------------------------- + /** * Class constructor * @@ -127,6 +143,74 @@ public function db_connect($persistent = FALSE) // -------------------------------------------------------------------- + /** + * Compile Bindings + * + * @param string $sql SQL statement + * @param array $binds An array of values to bind + * @return string + */ + public function compile_binds($sql, $binds) + { + if (empty($binds) OR empty($this->bind_marker) OR strpos($sql, $this->bind_marker) === FALSE) + { + return $sql; + } + elseif ( ! is_array($binds)) + { + $binds = array($binds); + $bind_count = 1; + } + else + { + // Make sure we're using numeric keys + $binds = array_values($binds); + $bind_count = count($binds); + } + + // We'll need the marker length later + $ml = strlen($this->bind_marker); + + // Make sure not to replace a chunk inside a string that happens to match the bind marker + if ($c = preg_match_all("/'[^']*'/i", $sql, $matches)) + { + $c = preg_match_all('/'.preg_quote($this->bind_marker, '/').'/i', + str_replace($matches[0], + str_replace($this->bind_marker, str_repeat(' ', $ml), $matches[0]), + $sql, $c), + $matches, PREG_OFFSET_CAPTURE); + + // Bind values' count must match the count of markers in the query + if ($bind_count !== $c) + { + return $sql; + } + } + elseif (($c = preg_match_all('/'.preg_quote($this->bind_marker, '/').'/i', $sql, $matches, PREG_OFFSET_CAPTURE)) !== $bind_count) + { + return $sql; + } + + if ($this->bind_marker !== '?') + { + do + { + $c--; + $sql = substr_replace($sql, '?', $matches[0][$c][1], $ml); + } + while ($c !== 0); + } + + if (FALSE !== ($this->odbc_result = odbc_prepare($this->conn_id, $sql))) + { + $this->binds = array_values($binds); + } + + return $sql; + } + + // -------------------------------------------------------------------- + /** * Execute the query * @@ -135,7 +219,25 @@ public function db_connect($persistent = FALSE) */ protected function _execute($sql) { - return odbc_exec($this->conn_id, $sql); + if ( ! isset($this->odbc_result)) + { + return odbc_exec($this->conn_id, $sql); + } + elseif ($this->odbc_result === FALSE) + { + return FALSE; + } + + if (TRUE === ($success = odbc_execute($this->odbc_result, $this->binds))) + { + // For queries that return result sets, return the result_id resource on success + $this->is_write_type($sql) OR $success = $this->odbc_result; + } + + $this->odbc_result = NULL; + $this->binds = array(); + + return $success; } // -------------------------------------------------------------------- @@ -214,7 +316,7 @@ public function is_write_type($sql) */ protected function _escape_str($str) { - return remove_invisible_characters($str); + $this->db->display_error('db_unsupported_feature'); } // -------------------------------------------------------------------- @@ -311,58 +413,6 @@ public function error() // -------------------------------------------------------------------- - /** - * Update statement - * - * Generates a platform-specific update string from the supplied data - * - * @param string $table - * @param array $values - * @return string - */ - protected function _update($table, $values) - { - $this->qb_limit = FALSE; - $this->qb_orderby = array(); - return parent::_update($table, $values); - } - - // -------------------------------------------------------------------- - - /** - * Truncate statement - * - * Generates a platform-specific truncate string from the supplied data - * - * If the database does not support the TRUNCATE statement, - * then this method maps to 'DELETE FROM table' - * - * @param string $table - * @return string - */ - protected function _truncate($table) - { - return 'DELETE FROM '.$table; - } - - // -------------------------------------------------------------------- - - /** - * Delete statement - * - * Generates a platform-specific delete string from the supplied data - * - * @param string $table - * @return string - */ - protected function _delete($table) - { - $this->qb_limit = FALSE; - return parent::_delete($table); - } - - // -------------------------------------------------------------------- - /** * Close DB Connection * @@ -372,5 +422,4 @@ protected function _close() { odbc_close($this->conn_id); } - } diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php index 333448838e7..82554ec8029 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php @@ -160,6 +160,19 @@ public function __construct($params) // -------------------------------------------------------------------- + /** + * Platform-dependant string escape + * + * @param string + * @return string + */ + protected function _escape_str($str) + { + $this->db->display_error('db_unsupported_feature'); + } + + // -------------------------------------------------------------------- + /** * Determines if a query is a "write" type. * @@ -213,72 +226,4 @@ protected function _list_columns($table = '') { return 'SELECT column_name FROM information_schema.columns WHERE table_name = '.$this->escape($table); } - - // -------------------------------------------------------------------- - - /** - * Update statement - * - * Generates a platform-specific update string from the supplied data - * - * @param string $table - * @param array $values - * @return string - */ - protected function _update($table, $values) - { - $this->qb_limit = FALSE; - $this->qb_orderby = array(); - return parent::_update($table, $values); - } - - // -------------------------------------------------------------------- - - /** - * Truncate statement - * - * Generates a platform-specific truncate string from the supplied data - * - * If the database does not support the TRUNCATE statement, - * then this method maps to 'DELETE FROM table' - * - * @param string $table - * @return string - */ - protected function _truncate($table) - { - return 'DELETE FROM '.$table; - } - - // -------------------------------------------------------------------- - - /** - * Delete statement - * - * Generates a platform-specific delete string from the supplied data - * - * @param string the table name - * @return string - */ - protected function _delete($table) - { - $this->qb_limit = FALSE; - return parent::_delete($table); - } - - // -------------------------------------------------------------------- - - /** - * LIMIT - * - * Generates a platform-specific LIMIT clause - * - * @param string $sql SQL Query - * @return string - */ - protected function _limit($sql) - { - return preg_replace('/(^\SELECT (DISTINCT)?)/i','\\1 TOP '.$this->qb_limit.' ', $sql); - } - } From 287b795b0e423d356427405d04d0c4d3a6c3ab13 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 26 Jul 2016 19:42:41 +0300 Subject: [PATCH 2827/3829] [ci skip] Whitespace --- system/helpers/path_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/path_helper.php b/system/helpers/path_helper.php index 18e17509337..6c846a2116e 100644 --- a/system/helpers/path_helper.php +++ b/system/helpers/path_helper.php @@ -61,7 +61,7 @@ function set_realpath($path, $check_existance = FALSE) { // Security check to make sure the path is NOT a URL. No remote file inclusion! - if (preg_match('#^(http:\/\/|https:\/\/|www\.|ftp|php:\/\/)#i', $path) OR filter_var($path, FILTER_VALIDATE_IP) === $path ) + if (preg_match('#^(http:\/\/|https:\/\/|www\.|ftp|php:\/\/)#i', $path) OR filter_var($path, FILTER_VALIDATE_IP) === $path) { show_error('The path you submitted must be a local server path, not a URL'); } From edd347fa069d39b9684fd61a3d6befa6ef59dab3 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 26 Jul 2016 19:45:17 +0300 Subject: [PATCH 2828/3829] [ci skip] Add changelog entries for security patches --- user_guide_src/source/changelog.rst | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 7842136f30b..156b6be564e 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,11 @@ Version 3.0.7 Release Date: Not Released +- **Security** + + - Fixed an SQL injection in the 'odbc' database driver. + - Updated :php:func:`set_realpath()` :doc:`Path Helpr ` function to filter-out ``php://`` wrapper inputs. + - General Changes - Updated :doc:`Image Manipulation Library ` to validate *width* and *height* configuration values. From 606ad654dcbc9f0fc30f00ce6574918790ee0d1e Mon Sep 17 00:00:00 2001 From: Claudio Galdiolo Date: Thu, 7 Jul 2016 15:32:12 -0400 Subject: [PATCH 2829/3829] Prepare for 3.1.0 release --- readme.rst | 4 +-- system/core/CodeIgniter.php | 2 +- user_guide_src/source/changelog.rst | 6 ++--- user_guide_src/source/conf.py | 4 +-- .../source/installation/downloads.rst | 2 +- .../source/installation/upgrade_307.rst | 14 ---------- .../source/installation/upgrade_310.rst | 27 +++++++++++++++++++ .../source/installation/upgrading.rst | 2 +- 8 files changed, 37 insertions(+), 24 deletions(-) delete mode 100644 user_guide_src/source/installation/upgrade_307.rst create mode 100644 user_guide_src/source/installation/upgrade_310.rst diff --git a/readme.rst b/readme.rst index 526950e679a..7a376322d4d 100644 --- a/readme.rst +++ b/readme.rst @@ -29,7 +29,7 @@ guide change log ` didn't escape image source paths passed to ImageMagick as shell arguments. diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index 26f854d85af..9e78d242d48 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.0.7-dev' +version = '3.1.0' # The full version, including alpha/beta/rc tags. -release = '3.0.7-dev' +release = '3.1.0' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index 22c63b873d0..80d2412cd8a 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,7 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.0.7-dev (Current version) `_ +- `CodeIgniter v3.1.0 (Current version) `_ - `CodeIgniter v3.0.6 `_ - `CodeIgniter v3.0.5 `_ - `CodeIgniter v3.0.4 `_ diff --git a/user_guide_src/source/installation/upgrade_307.rst b/user_guide_src/source/installation/upgrade_307.rst deleted file mode 100644 index ee957aabf96..00000000000 --- a/user_guide_src/source/installation/upgrade_307.rst +++ /dev/null @@ -1,14 +0,0 @@ -############################# -Upgrading from 3.0.6 to 3.0.7 -############################# - -Before performing an update you should take your site offline by -replacing the index.php file with a static one. - -Step 1: Update your CodeIgniter files -===================================== - -Replace all files and directories in your *system/* directory. - -.. note:: If you have any custom developed files in these directories, - please make copies of them first. diff --git a/user_guide_src/source/installation/upgrade_310.rst b/user_guide_src/source/installation/upgrade_310.rst new file mode 100644 index 00000000000..1dc71a58c54 --- /dev/null +++ b/user_guide_src/source/installation/upgrade_310.rst @@ -0,0 +1,27 @@ +############################# +Upgrading from 3.0.6 to 3.1.0 +############################# + +Before performing an update you should take your site offline by +replacing the index.php file with a static one. + +Step 1: Update your CodeIgniter files +===================================== + +Replace all files and directories in your *system/* directory. + +.. note:: If you have any custom developed files in these directories, + please make copies of them first. + +Step 2: If you're using the 'odbc' database driver, check for usage of Query Builder +==================================================================================== + +:doc:`Query Builder <../database/query_builder>` functionality and ``escape()`` can +no longer be used with the 'odbc' database driver. + +This is because, due to its nature, the `ODBC extension for PHP `_ +does not provide a function that allows to safely escape user-supplied strings for usage +inside an SQL query (which our :doc:`Query Builder ` relies on). + +Thus, user inputs MUST be bound, as shown in :doc:`Running Queries <../database/queries>`, +under the "Query Bindings" section. \ No newline at end of file diff --git a/user_guide_src/source/installation/upgrading.rst b/user_guide_src/source/installation/upgrading.rst index 5beca65865e..f0cf8c9030e 100644 --- a/user_guide_src/source/installation/upgrading.rst +++ b/user_guide_src/source/installation/upgrading.rst @@ -8,7 +8,7 @@ upgrading from. .. toctree:: :titlesonly: - Upgrading from 3.0.6 to 3.0.7 + Upgrading from 3.0.6 to 3.1.0 Upgrading from 3.0.5 to 3.0.6 Upgrading from 3.0.4 to 3.0.5 Upgrading from 3.0.3 to 3.0.4 From 850a3c91a191256967d6fc81dda26a7c8ff258c0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 26 Jul 2016 20:12:06 +0300 Subject: [PATCH 2830/3829] [ci skip] Minor documentation fixes --- user_guide_src/source/database/db_driver_reference.rst | 1 + user_guide_src/source/installation/upgrade_310.rst | 2 +- 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/database/db_driver_reference.rst b/user_guide_src/source/database/db_driver_reference.rst index aaca90840f6..1f036cd775f 100644 --- a/user_guide_src/source/database/db_driver_reference.rst +++ b/user_guide_src/source/database/db_driver_reference.rst @@ -117,6 +117,7 @@ This article is intended to be a reference for them. just send a query to the database and not care for the result. .. php:method:: affected_rows() + :returns: Number of rows affected :rtype: int diff --git a/user_guide_src/source/installation/upgrade_310.rst b/user_guide_src/source/installation/upgrade_310.rst index 1dc71a58c54..812162308de 100644 --- a/user_guide_src/source/installation/upgrade_310.rst +++ b/user_guide_src/source/installation/upgrade_310.rst @@ -21,7 +21,7 @@ no longer be used with the 'odbc' database driver. This is because, due to its nature, the `ODBC extension for PHP `_ does not provide a function that allows to safely escape user-supplied strings for usage -inside an SQL query (which our :doc:`Query Builder ` relies on). +inside an SQL query (which our :doc:`Query Builder <../database/query_builder>` relies on). Thus, user inputs MUST be bound, as shown in :doc:`Running Queries <../database/queries>`, under the "Query Bindings" section. \ No newline at end of file From 54f6a09e22a0d564317fc84ea32a9c7072bebe0f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 26 Jul 2016 20:21:39 +0300 Subject: [PATCH 2831/3829] [ci skip] Officially drop PHP 5.2.x --- .travis.yml | 3 --- readme.rst | 2 +- 2 files changed, 1 insertion(+), 4 deletions(-) diff --git a/.travis.yml b/.travis.yml index e531f8d90c8..b32390dfbdc 100644 --- a/.travis.yml +++ b/.travis.yml @@ -1,7 +1,6 @@ language: php php: - - 5.2 - 5.3 - 5.4 - 5.5 @@ -21,7 +20,6 @@ env: sudo: false before_script: - - sh -c "if [ '$TRAVIS_PHP_VERSION' = '5.2' ]; then pear channel-discover pear.bovigo.org && pear install bovigo/vfsStream-beta; else composer install --dev --no-progress; fi" - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'DROP DATABASE IF EXISTS ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'create database ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'mysql' ] || [ '$DB' = 'mysqli' ] || [ '$DB' = 'pdo/mysql' ]; then mysql -e 'create database IF NOT EXISTS ci_test;'; fi" @@ -30,7 +28,6 @@ script: phpunit -d zend.enable_gc=0 -d date.timezone=UTC --coverage-text --confi matrix: allow_failures: - - php: 5.2 - php: 5.3 - php: hhvm exclude: diff --git a/readme.rst b/readme.rst index 7a376322d4d..f5d73702892 100644 --- a/readme.rst +++ b/readme.rst @@ -31,7 +31,7 @@ Server Requirements PHP version 5.6 or newer is recommended. -It should work on 5.2.4 as well, but we strongly advise you NOT to run +It should work on 5.3.7 as well, but we strongly advise you NOT to run such old versions of PHP, because of potential security and performance issues, as well as missing features. From bcfe461f69c29805229c60d5643604edbae997aa Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 26 Jul 2016 20:34:30 +0300 Subject: [PATCH 2832/3829] [ci skip] More on dropping 5.2.x --- user_guide_src/source/changelog.rst | 1 + user_guide_src/source/contributing/index.rst | 8 ++++---- user_guide_src/source/general/requirements.rst | 4 ++-- user_guide_src/source/general/styleguide.rst | 4 ++-- user_guide_src/source/installation/upgrade_310.rst | 13 ++++++++++++- 5 files changed, 21 insertions(+), 9 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 76aeecbcb81..058eb275f81 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -11,6 +11,7 @@ Release Date: July 26, 2016 - Fixed an SQL injection in the 'odbc' database driver. - Updated :php:func:`set_realpath()` :doc:`Path Helpr ` function to filter-out ``php://`` wrapper inputs. + - Officially dropped any kind of support for PHP 5.2.x and anything under 5.3.7. - General Changes diff --git a/user_guide_src/source/contributing/index.rst b/user_guide_src/source/contributing/index.rst index 739d436a0fb..be776ec1fb6 100644 --- a/user_guide_src/source/contributing/index.rst +++ b/user_guide_src/source/contributing/index.rst @@ -103,10 +103,10 @@ must also be updated for every change. Also PHPDoc blocks must be maintained. Compatibility ============= -CodeIgniter recommends PHP 5.4 or newer to be used, but it should be -compatible with PHP 5.2.4 so all code supplied must stick to this -requirement. If PHP 5.3 (and above) functions or features are used then -there must be a fallback for PHP 5.2.4. +CodeIgniter recommends PHP 5.6 or newer to be used, but it should be +compatible with PHP 5.3.7 so all code supplied must stick to this +requirement. If PHP 5.4 (and above) functions or features are used then +there must be a fallback for PHP 5.3.7. Branching ========= diff --git a/user_guide_src/source/general/requirements.rst b/user_guide_src/source/general/requirements.rst index f90cdd30d84..f2729f3d50d 100644 --- a/user_guide_src/source/general/requirements.rst +++ b/user_guide_src/source/general/requirements.rst @@ -2,9 +2,9 @@ Server Requirements ################### -`PHP `_ version 5.4 or newer is recommended. +`PHP `_ version 5.6 or newer is recommended. -It should work on 5.2.4 as well, but we strongly advise you NOT to run +It should work on 5.3.7 as well, but we strongly advise you NOT to run such old versions of PHP, because of potential security and performance issues, as well as missing features. diff --git a/user_guide_src/source/general/styleguide.rst b/user_guide_src/source/general/styleguide.rst index 7704a59c5bd..9b4a84e1422 100644 --- a/user_guide_src/source/general/styleguide.rst +++ b/user_guide_src/source/general/styleguide.rst @@ -345,8 +345,8 @@ inability for CodeIgniter to send proper headers. Compatibility ============= -CodeIgniter recommends PHP 5.4 or newer to be used, but it should be -compatible with PHP 5.2.4. Your code must either be compatible with this +CodeIgniter recommends PHP 5.6 or newer to be used, but it should be +compatible with PHP 5.3.7. Your code must either be compatible with this requirement, provide a suitable fallback, or be an optional feature that dies quietly without affecting a user's application. diff --git a/user_guide_src/source/installation/upgrade_310.rst b/user_guide_src/source/installation/upgrade_310.rst index 812162308de..9e0108691ec 100644 --- a/user_guide_src/source/installation/upgrade_310.rst +++ b/user_guide_src/source/installation/upgrade_310.rst @@ -13,7 +13,18 @@ Replace all files and directories in your *system/* directory. .. note:: If you have any custom developed files in these directories, please make copies of them first. -Step 2: If you're using the 'odbc' database driver, check for usage of Query Builder +Step 2: Check your PHP version +============================== + +We recommend always running versions that are `currently supported +`_, which right now is at least PHP 5.6. + +PHP 5.2.x versions are now officially not supported by CodeIgniter, and while 5.3.7+ +may be at least runnable, we strongly discourage you from using any PHP versions below +the ones listed on the `PHP.net Supported Versions `_ +page. + +Step 3: If you're using the 'odbc' database driver, check for usage of Query Builder ==================================================================================== :doc:`Query Builder <../database/query_builder>` functionality and ``escape()`` can From 0b9540209499fbd0515e13fdc66e85dea4b6baad Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 26 Jul 2016 20:52:30 +0300 Subject: [PATCH 2833/3829] [ci skip] Mark the start of 3.1.1 development --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/changelog.rst | 13 +++++++++++++ user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/installation/downloads.rst | 3 ++- user_guide_src/source/installation/upgrade_311.rst | 14 ++++++++++++++ user_guide_src/source/installation/upgrading.rst | 1 + 6 files changed, 33 insertions(+), 4 deletions(-) create mode 100644 user_guide_src/source/installation/upgrade_311.rst diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 2525edae20e..70f33d5eda4 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - define('CI_VERSION', '3.1.0'); + define('CI_VERSION', '3.1.1-dev'); /* * ------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 058eb275f81..c09c1b592bd 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -2,6 +2,19 @@ Change Log ########## +Version 3.1.1 +============= + +Release Date: Not Released + + + +Bug fixes for 3.1.1 +------------------- + + + + Version 3.1.0 ============= diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index 9e78d242d48..0c4901d8fb0 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.1.0' +version = '3.1.1-dev' # The full version, including alpha/beta/rc tags. -release = '3.1.0' +release = '3.1.1-dev' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index 80d2412cd8a..7380dcb2868 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,8 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.1.0 (Current version) `_ +- `CodeIgniter v3.1.1 (Current version) `_ +- `CodeIgniter v3.1.0 `_ - `CodeIgniter v3.0.6 `_ - `CodeIgniter v3.0.5 `_ - `CodeIgniter v3.0.4 `_ diff --git a/user_guide_src/source/installation/upgrade_311.rst b/user_guide_src/source/installation/upgrade_311.rst new file mode 100644 index 00000000000..a36e723230c --- /dev/null +++ b/user_guide_src/source/installation/upgrade_311.rst @@ -0,0 +1,14 @@ +############################# +Upgrading from 3.1.0 to 3.1.1 +############################# + +Before performing an update you should take your site offline by +replacing the index.php file with a static one. + +Step 1: Update your CodeIgniter files +===================================== + +Replace all files and directories in your *system/* directory. + +.. note:: If you have any custom developed files in these directories, + please make copies of them first. diff --git a/user_guide_src/source/installation/upgrading.rst b/user_guide_src/source/installation/upgrading.rst index f0cf8c9030e..727d054d1b1 100644 --- a/user_guide_src/source/installation/upgrading.rst +++ b/user_guide_src/source/installation/upgrading.rst @@ -8,6 +8,7 @@ upgrading from. .. toctree:: :titlesonly: + Upgrading from 3.1.0 to 3.1.1 Upgrading from 3.0.6 to 3.1.0 Upgrading from 3.0.5 to 3.0.6 Upgrading from 3.0.4 to 3.0.5 From d293fdd18125f393b196360f963c39cfd73e8521 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 26 Jul 2016 21:04:01 +0300 Subject: [PATCH 2834/3829] Add 3.1-stable to tested branches list --- .travis.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.travis.yml b/.travis.yml index b32390dfbdc..5815c957750 100644 --- a/.travis.yml +++ b/.travis.yml @@ -46,4 +46,5 @@ branches: only: - develop - 3.0-stable + - 3.1-stable - /^feature\/.+$/ From 005ca972ba5056111354d3af6203cc7af047fb39 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 26 Jul 2016 21:17:41 +0300 Subject: [PATCH 2835/3829] Fix Travis builds --- .travis.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.travis.yml b/.travis.yml index 5815c957750..54647689b53 100644 --- a/.travis.yml +++ b/.travis.yml @@ -20,6 +20,7 @@ env: sudo: false before_script: + - sh -c "composer install --dev --no-progress" - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'DROP DATABASE IF EXISTS ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'create database ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'mysql' ] || [ '$DB' = 'mysqli' ] || [ '$DB' = 'pdo/mysql' ]; then mysql -e 'create database IF NOT EXISTS ci_test;'; fi" From 12117be8293eff1a56b575ccc2e5d11c68c8cfcf Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 26 Jul 2016 21:19:58 +0300 Subject: [PATCH 2836/3829] Fix Travis builds --- .travis.yml | 3 --- 1 file changed, 3 deletions(-) diff --git a/.travis.yml b/.travis.yml index 4680d2ac693..22c3b6e1860 100644 --- a/.travis.yml +++ b/.travis.yml @@ -19,10 +19,7 @@ env: sudo: false before_script: -<<<<<<< HEAD - sh -c "composer install --dev --no-progress" -======= ->>>>>>> 3.1-stable - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'DROP DATABASE IF EXISTS ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'pgsql' ] || [ '$DB' = 'pdo/pgsql' ]; then psql -c 'create database ci_test;' -U postgres; fi" - sh -c "if [ '$DB' = 'mysql' ] || [ '$DB' = 'mysqli' ] || [ '$DB' = 'pdo/mysql' ]; then mysql -e 'create database IF NOT EXISTS ci_test;'; fi" From 1748567f5442409d6a8c1e795f56599caff8296e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 28 Jul 2016 15:16:38 +0300 Subject: [PATCH 2837/3829] [ci skip] Fix #3919, #4732 --- .../Session/drivers/Session_memcached_driver.php | 8 ++------ user_guide_src/source/changelog.rst | 2 +- 2 files changed, 3 insertions(+), 7 deletions(-) diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index 88eb4b3a6f8..99b4d1baab7 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -209,10 +209,7 @@ public function write($session_id, $session_data) $this->_memcached->replace($this->_lock_key, time(), 300); if ($this->_fingerprint !== ($fingerprint = md5($session_data))) { - if ( - $this->_memcached->replace($key, $session_data, $this->_config['expiration']) - OR ($this->_memcached->getResultCode() === Memcached::RES_NOTFOUND && $this->_memcached->set($key, $session_data, $this->_config['expiration'])) - ) + if ($this->_memcached->set($key, $session_data, $this->_config['expiration'])) { $this->_fingerprint = $fingerprint; return $this->_success; @@ -220,8 +217,7 @@ public function write($session_id, $session_data) return $this->_fail(); } - - if ( + elseif ( $this->_memcached->touch($key, $this->_config['expiration']) OR ($this->_memcached->getResultCode() === Memcached::RES_NOTFOUND && $this->_memcached->set($key, $session_data, $this->_config['expiration'])) ) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index c09c1b592bd..400b36e09ce 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -12,7 +12,7 @@ Release Date: Not Released Bug fixes for 3.1.1 ------------------- - +- Fixed a bug (#4732) - :doc:`Session Library ` triggered errors while writing data for a newly-created sessions with the 'memcached' driver. Version 3.1.0 From a838279625becfba98ccb7635d35c67297129c42 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 28 Jul 2016 16:40:12 +0300 Subject: [PATCH 2838/3829] Remove dead code written for PHP 5.2 --- system/core/CodeIgniter.php | 6 +- system/core/Security.php | 7 +- system/core/compat/password.php | 2 +- system/core/compat/standard.php | 207 ------------------ .../database/drivers/mysqli/mysqli_driver.php | 7 +- system/database/drivers/oci8/oci8_driver.php | 2 +- .../pdo/subdrivers/pdo_mysql_driver.php | 16 +- system/helpers/date_helper.php | 79 +------ system/libraries/Email.php | 9 +- system/libraries/Encryption.php | 6 +- system/libraries/Form_validation.php | 13 +- system/libraries/Migration.php | 5 +- .../Session/drivers/Session_files_driver.php | 15 +- system/libraries/Upload.php | 41 ++-- tests/Bootstrap.php | 6 - tests/codeigniter/core/Log_test.php | 10 - .../codeigniter/core/compat/password_test.php | 5 - .../codeigniter/core/compat/standard_test.php | 202 ----------------- tests/codeigniter/libraries/Upload_test.php | 12 +- .../general/compatibility_functions.rst | 32 --- user_guide_src/source/general/hooks.rst | 4 +- user_guide_src/source/general/routing.rst | 4 +- user_guide_src/source/general/security.rst | 7 +- .../source/libraries/encryption.rst | 2 +- .../source/libraries/form_validation.rst | 5 +- 25 files changed, 55 insertions(+), 649 deletions(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 70f33d5eda4..22072e983f1 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -416,11 +416,7 @@ function &get_instance() $params = array($method, array_slice($URI->rsegments, 2)); $method = '_remap'; } - // WARNING: It appears that there are issues with is_callable() even in PHP 5.2! - // Furthermore, there are bug reports and feature/change requests related to it - // that make it unreliable to use in this context. Please, DO NOT change this - // work-around until a better alternative is available. - elseif ( ! in_array(strtolower($method), array_map('strtolower', get_class_methods($class)), TRUE)) + elseif ( ! is_callable(array($class, $method))) { $e404 = TRUE; } diff --git a/system/core/Security.php b/system/core/Security.php index d5305d1ca0b..a2907009550 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -678,12 +678,7 @@ public function entity_decode($str, $charset = NULL) { if ( ! isset($_entities)) { - $_entities = array_map( - 'strtolower', - is_php('5.3.4') - ? get_html_translation_table(HTML_ENTITIES, $flag, $charset) - : get_html_translation_table(HTML_ENTITIES, $flag) - ); + $_entities = array_map('strtolower', get_html_translation_table(HTML_ENTITIES, $flag, $charset)); // If we're not on PHP 5.4+, add the possibly dangerous HTML 5 // entities to the array manually diff --git a/system/core/compat/password.php b/system/core/compat/password.php index 76dd2cf0a1d..1b5219e7b1d 100644 --- a/system/core/compat/password.php +++ b/system/core/compat/password.php @@ -50,7 +50,7 @@ // ------------------------------------------------------------------------ -if (is_php('5.5') OR ! is_php('5.3.7') OR ! defined('CRYPT_BLOWFISH') OR CRYPT_BLOWFISH !== 1 OR defined('HHVM_VERSION')) +if (is_php('5.5') OR ! defined('CRYPT_BLOWFISH') OR CRYPT_BLOWFISH !== 1 OR defined('HHVM_VERSION')) { return; } diff --git a/system/core/compat/standard.php b/system/core/compat/standard.php index c54cab95146..c839c9bc939 100644 --- a/system/core/compat/standard.php +++ b/system/core/compat/standard.php @@ -180,210 +180,3 @@ function hex2bin($data) return pack('H*', $data); } } - -// ------------------------------------------------------------------------ - -if (is_php('5.3')) -{ - return; -} - -// ------------------------------------------------------------------------ - -if ( ! function_exists('array_replace')) -{ - /** - * array_replace() - * - * @link http://php.net/array_replace - * @return array - */ - function array_replace() - { - $arrays = func_get_args(); - - if (($c = count($arrays)) === 0) - { - trigger_error('array_replace() expects at least 1 parameter, 0 given', E_USER_WARNING); - return NULL; - } - elseif ($c === 1) - { - if ( ! is_array($arrays[0])) - { - trigger_error('array_replace(): Argument #1 is not an array', E_USER_WARNING); - return NULL; - } - - return $arrays[0]; - } - - $array = array_shift($arrays); - $c--; - - for ($i = 0; $i < $c; $i++) - { - if ( ! is_array($arrays[$i])) - { - trigger_error('array_replace(): Argument #'.($i + 2).' is not an array', E_USER_WARNING); - return NULL; - } - elseif (empty($arrays[$i])) - { - continue; - } - - foreach (array_keys($arrays[$i]) as $key) - { - $array[$key] = $arrays[$i][$key]; - } - } - - return $array; - } -} - -// ------------------------------------------------------------------------ - -if ( ! function_exists('array_replace_recursive')) -{ - /** - * array_replace_recursive() - * - * @link http://php.net/array_replace_recursive - * @return array - */ - function array_replace_recursive() - { - $arrays = func_get_args(); - - if (($c = count($arrays)) === 0) - { - trigger_error('array_replace_recursive() expects at least 1 parameter, 0 given', E_USER_WARNING); - return NULL; - } - elseif ($c === 1) - { - if ( ! is_array($arrays[0])) - { - trigger_error('array_replace_recursive(): Argument #1 is not an array', E_USER_WARNING); - return NULL; - } - - return $arrays[0]; - } - - $array = array_shift($arrays); - $c--; - - for ($i = 0; $i < $c; $i++) - { - if ( ! is_array($arrays[$i])) - { - trigger_error('array_replace_recursive(): Argument #'.($i + 2).' is not an array', E_USER_WARNING); - return NULL; - } - elseif (empty($arrays[$i])) - { - continue; - } - - foreach (array_keys($arrays[$i]) as $key) - { - $array[$key] = (is_array($arrays[$i][$key]) && isset($array[$key]) && is_array($array[$key])) - ? array_replace_recursive($array[$key], $arrays[$i][$key]) - : $arrays[$i][$key]; - } - } - - return $array; - } -} - -// ------------------------------------------------------------------------ - -if ( ! function_exists('quoted_printable_encode')) -{ - /** - * quoted_printable_encode() - * - * @link http://php.net/quoted_printable_encode - * @param string $str - * @return string - */ - function quoted_printable_encode($str) - { - if (strlen($str) === 0) - { - return ''; - } - elseif (in_array($type = gettype($str), array('array', 'object'), TRUE)) - { - if ($type === 'object' && method_exists($str, '__toString')) - { - $str = (string) $str; - } - else - { - trigger_error('quoted_printable_encode() expects parameter 1 to be string, '.$type.' given', E_USER_WARNING); - return NULL; - } - } - - if (function_exists('imap_8bit')) - { - return imap_8bit($str); - } - - $i = $lp = 0; - $output = ''; - $hex = '0123456789ABCDEF'; - $length = (extension_loaded('mbstring') && ini_get('mbstring.func_overload')) - ? mb_strlen($str, '8bit') - : strlen($str); - - while ($length--) - { - if ((($c = $str[$i++]) === "\015") && isset($str[$i]) && ($str[$i] === "\012") && $length > 0) - { - $output .= "\015".$str[$i++]; - $length--; - $lp = 0; - continue; - } - - if ( - ctype_cntrl($c) - OR (ord($c) === 0x7f) - OR (ord($c) & 0x80) - OR ($c === '=') - OR ($c === ' ' && isset($str[$i]) && $str[$i] === "\015") - ) - { - if ( - (($lp += 3) > 75 && ord($c) <= 0x7f) - OR (ord($c) > 0x7f && ord($c) <= 0xdf && ($lp + 3) > 75) - OR (ord($c) > 0xdf && ord($c) <= 0xef && ($lp + 6) > 75) - OR (ord($c) > 0xef && ord($c) <= 0xf4 && ($lp + 9) > 75) - ) - { - $output .= "=\015\012"; - $lp = 3; - } - - $output .= '='.$hex[ord($c) >> 4].$hex[ord($c) & 0xf]; - continue; - } - - if ((++$lp) > 75) - { - $output .= "=\015\012"; - $lp = 1; - } - - $output .= $c; - } - - return $output; - } -} diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index f52163c2d1e..f4597c74636 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -125,8 +125,7 @@ public function db_connect($persistent = FALSE) } else { - // Persistent connection support was added in PHP 5.3.0 - $hostname = ($persistent === TRUE && is_php('5.3')) + $hostname = ($persistent === TRUE) ? 'p:'.$this->hostname : $this->hostname; $port = empty($this->port) ? NULL : $this->port; $socket = NULL; @@ -502,8 +501,8 @@ public function error() if ( ! empty($this->_mysqli->connect_errno)) { return array( - 'code' => $this->_mysqli->connect_errno, - 'message' => is_php('5.2.9') ? $this->_mysqli->connect_error : mysqli_connect_error() + 'code' => $this->_mysqli->connect_errno, + 'message' => $this->_mysqli->connect_error ); } diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index df7e0848a4d..56fdf32cf43 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -386,7 +386,7 @@ protected function _bind_params($params) */ protected function _trans_begin() { - $this->commit_mode = is_php('5.3.2') ? OCI_NO_AUTO_COMMIT : OCI_DEFAULT; + $this->commit_mode = OCI_NO_AUTO_COMMIT; return TRUE; } diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index 38a5a8affb5..3631cdf7a61 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -106,7 +106,7 @@ public function __construct($params) empty($this->database) OR $this->dsn .= ';dbname='.$this->database; empty($this->char_set) OR $this->dsn .= ';charset='.$this->char_set; } - elseif ( ! empty($this->char_set) && strpos($this->dsn, 'charset=', 6) === FALSE && is_php('5.3.6')) + elseif ( ! empty($this->char_set) && strpos($this->dsn, 'charset=', 6) === FALSE) { $this->dsn .= ';charset='.$this->char_set; } @@ -122,17 +122,6 @@ public function __construct($params) */ public function db_connect($persistent = FALSE) { - /* Prior to PHP 5.3.6, even if the charset was supplied in the DSN - * on connect - it was ignored. This is a work-around for the issue. - * - * Reference: http://www.php.net/manual/en/ref.pdo-mysql.connection.php - */ - if ( ! is_php('5.3.6') && ! empty($this->char_set)) - { - $this->options[PDO::MYSQL_ATTR_INIT_COMMAND] = 'SET NAMES '.$this->char_set - .(empty($this->dbcollat) ? '' : ' COLLATE '.$this->dbcollat); - } - if (isset($this->stricton)) { if ($this->stricton) @@ -169,8 +158,7 @@ public function db_connect($persistent = FALSE) $this->options[PDO::MYSQL_ATTR_COMPRESS] = TRUE; } - // SSL support was added to PDO_MYSQL in PHP 5.3.7 - if (is_array($this->encrypt) && is_php('5.3.7')) + if (is_array($this->encrypt)) { $ssl = array(); empty($this->encrypt['ssl_key']) OR $ssl[PDO::MYSQL_ATTR_SSL_KEY] = $this->encrypt['ssl_key']; diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index c43209f0570..5f1fcf07ea9 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -707,87 +707,32 @@ function date_range($unix_start = '', $mixed = '', $is_unix = TRUE, $format = 'Y $range = array(); - /* NOTE: Even though the DateTime object has many useful features, it appears that - * it doesn't always handle properly timezones, when timestamps are passed - * directly to its constructor. Neither of the following gave proper results: - * - * new DateTime('') - * new DateTime('', '') - * - * --- available in PHP 5.3: - * - * DateTime::createFromFormat('', '') - * DateTime::createFromFormat('', '', 'setTimestamp($unix_start); - if (is_php('5.3')) - { - $from->setTimestamp($unix_start); - if ($is_unix) - { - $arg = new DateTime(); - $arg->setTimestamp($mixed); - } - else - { - $arg = (int) $mixed; - } - - $period = new DatePeriod($from, new DateInterval('P1D'), $arg); - foreach ($period as $date) - { - $range[] = $date->format($format); - } - - /* If a period end date was passed to the DatePeriod constructor, it might not - * be in our results. Not sure if this is a bug or it's just possible because - * the end date might actually be less than 24 hours away from the previously - * generated DateTime object, but either way - we have to append it manually. - */ - if ( ! is_int($arg) && $range[count($range) - 1] !== $arg->format($format)) - { - $range[] = $arg->format($format); - } - - return $range; - } - - $from->setDate(date('Y', $unix_start), date('n', $unix_start), date('j', $unix_start)); - $from->setTime(date('G', $unix_start), date('i', $unix_start), date('s', $unix_start)); if ($is_unix) { $arg = new DateTime(); - $arg->setDate(date('Y', $mixed), date('n', $mixed), date('j', $mixed)); - $arg->setTime(date('G', $mixed), date('i', $mixed), date('s', $mixed)); + $arg->setTimestamp($mixed); } else { $arg = (int) $mixed; } - $range[] = $from->format($format); - if (is_int($arg)) // Day intervals + $period = new DatePeriod($from, new DateInterval('P1D'), $arg); + foreach ($period as $date) { - do - { - $from->modify('+1 day'); - $range[] = $from->format($format); - } - while (--$arg > 0); + $range[] = $date->format($format); } - else // end date UNIX timestamp - { - for ($from->modify('+1 day'), $end_check = $arg->format('Ymd'); $from->format('Ymd') < $end_check; $from->modify('+1 day')) - { - $range[] = $from->format($format); - } - // Our loop only appended dates prior to our end date + /* If a period end date was passed to the DatePeriod constructor, it might not + * be in our results. Not sure if this is a bug or it's just possible because + * the end date might actually be less than 24 hours away from the previously + * generated DateTime object, but either way - we have to append it manually. + */ + if ( ! is_int($arg) && $range[count($range) - 1] !== $arg->format($format)) + { $range[] = $arg->format($format); } diff --git a/system/libraries/Email.php b/system/libraries/Email.php index be89d65695a..5049578ed78 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1514,14 +1514,7 @@ protected function _prep_quoted_printable($str) // which only works with "\n". if ($this->crlf === "\r\n") { - if (is_php('5.3')) - { - return quoted_printable_encode($str); - } - elseif (function_exists('imap_8bit')) - { - return imap_8bit($str); - } + return quoted_printable_encode($str); } // Reduce multiple spaces & remove nulls diff --git a/system/libraries/Encryption.php b/system/libraries/Encryption.php index a10a5c20ccc..06284c2ed49 100644 --- a/system/libraries/Encryption.php +++ b/system/libraries/Encryption.php @@ -152,10 +152,8 @@ class CI_Encryption { public function __construct(array $params = array()) { $this->_drivers = array( - 'mcrypt' => defined('MCRYPT_DEV_URANDOM'), - // While OpenSSL is available for PHP 5.3.0, an IV parameter - // for the encrypt/decrypt functions is only available since 5.3.3 - 'openssl' => (is_php('5.3.3') && extension_loaded('openssl')) + 'mcrypt' => defined('MCRYPT_DEV_URANDOM'), + 'openssl' => extension_loaded('openssl') ); if ( ! $this->_drivers['mcrypt'] && ! $this->_drivers['openssl']) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 04445f5b799..25dc0d41ecf 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -1216,18 +1216,7 @@ public function valid_url(https://github.com/$str) $str = 'ipv6.host'.substr($str, strlen($matches[1]) + 2); } - $str = 'http://'.$str; - - // There's a bug affecting PHP 5.2.13, 5.3.2 that considers the - // underscore to be a valid hostname character instead of a dash. - // Reference: https://bugs.php.net/bug.php?id=51192 - if (version_compare(PHP_VERSION, '5.2.13', '==') OR version_compare(PHP_VERSION, '5.3.2', '==')) - { - sscanf($str, 'http://%[^/]', $host); - $str = substr_replace($str, strtr($host, array('_' => '-', '-' => '_')), 7, strlen($host)); - } - - return (filter_var($str, FILTER_VALIDATE_URL) !== FALSE); + return (filter_var('http://'.$str, FILTER_VALIDATE_URL) !== FALSE); } // -------------------------------------------------------------------- diff --git a/system/libraries/Migration.php b/system/libraries/Migration.php index 316c94ae3a2..3e2107e83c0 100644 --- a/system/libraries/Migration.php +++ b/system/libraries/Migration.php @@ -288,10 +288,7 @@ public function version($target_version) $this->_error_string = sprintf($this->lang->line('migration_class_doesnt_exist'), $class); return FALSE; } - // method_exists() returns true for non-public methods, - // while is_callable() can't be used without instantiating. - // Only get_class_methods() satisfies both conditions. - elseif ( ! in_array($method, array_map('strtolower', get_class_methods($class)))) + elseif ( ! is_callable(array($class, $method))) { $this->_error_string = sprintf($this->lang->line('migration_missing_'.$method.'_method'), $class); return FALSE; diff --git a/system/libraries/Session/drivers/Session_files_driver.php b/system/libraries/Session/drivers/Session_files_driver.php index 57c3777a2a5..bf4df8b208f 100644 --- a/system/libraries/Session/drivers/Session_files_driver.php +++ b/system/libraries/Session/drivers/Session_files_driver.php @@ -149,18 +149,9 @@ public function read($session_id) // which re-reads session data if ($this->_file_handle === NULL) { - // Just using fopen() with 'c+b' mode would be perfect, but it is only - // available since PHP 5.2.6 and we have to set permissions for new files, - // so we'd have to hack around this ... - if (($this->_file_new = ! file_exists($this->_file_path.$session_id)) === TRUE) - { - if (($this->_file_handle = fopen($this->_file_path.$session_id, 'w+b')) === FALSE) - { - log_message('error', "Session: File '".$this->_file_path.$session_id."' doesn't exist and cannot be created."); - return $this->_failure; - } - } - elseif (($this->_file_handle = fopen($this->_file_path.$session_id, 'r+b')) === FALSE) + $this->_file_new = ! file_exists($this->_file_path.$session_id); + + if (($this->_file_handle = fopen($this->_file_path.$session_id, 'c+b')) === FALSE) { log_message('error', "Session: Unable to open file '".$this->_file_path.$session_id."'."); return $this->_failure; diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 056f6de1ef0..a8cf7526407 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -1086,13 +1086,7 @@ public function do_xss_clean() if (memory_get_usage() && ($memory_limit = ini_get('memory_limit'))) { $memory_limit *= 1024 * 1024; - - // There was a bug/behavioural change in PHP 5.2, where numbers over one million get output - // into scientific notation. number_format() ensures this number is an integer - // http://bugs.php.net/bug.php?id=43053 - - $memory_limit = number_format(ceil(filesize($file) + $memory_limit), 0, '.', ''); - + $memory_limit = (int) ceil(filesize($file) + $memory_limit); ini_set('memory_limit', $memory_limit); // When an integer is used, the value is measured in bytes. - PHP.net } @@ -1207,28 +1201,21 @@ protected function _file_mime_type($file) // We'll need this to validate the MIME info string (e.g. text/plain; charset=us-ascii) $regexp = '/^([a-z\-]+\/[a-z0-9\-\.\+]+)(;\s.+)?$/'; - /* Fileinfo extension - most reliable method - * - * Unfortunately, prior to PHP 5.3 - it's only available as a PECL extension and the - * more convenient FILEINFO_MIME_TYPE flag doesn't exist. - */ - if (function_exists('finfo_file')) + // Fileinfo extension - most reliable method + $finfo = @finfo_open(FILEINFO_MIME); + if (is_resource($finfo)) // It is possible that a FALSE value is returned, if there is no magic MIME database file found on the system { - $finfo = @finfo_open(FILEINFO_MIME); - if (is_resource($finfo)) // It is possible that a FALSE value is returned, if there is no magic MIME database file found on the system + $mime = @finfo_file($finfo, $file['tmp_name']); + finfo_close($finfo); + + /* According to the comments section of the PHP manual page, + * it is possible that this function returns an empty string + * for some files (e.g. if they don't exist in the magic MIME database) + */ + if (is_string($mime) && preg_match($regexp, $mime, $matches)) { - $mime = @finfo_file($finfo, $file['tmp_name']); - finfo_close($finfo); - - /* According to the comments section of the PHP manual page, - * it is possible that this function returns an empty string - * for some files (e.g. if they don't exist in the magic MIME database) - */ - if (is_string($mime) && preg_match($regexp, $mime, $matches)) - { - $this->file_type = $matches[1]; - return; - } + $this->file_type = $matches[1]; + return; } } diff --git a/tests/Bootstrap.php b/tests/Bootstrap.php index 8240d23401a..b4e56bdae8e 100644 --- a/tests/Bootstrap.php +++ b/tests/Bootstrap.php @@ -1,10 +1,4 @@ markTestSkipped("PHP 5.2 doesn't have ReflectionProperty::setAccessible() and can't run this test"); - } - $path = new ReflectionProperty('CI_Log', '_log_path'); $path->setAccessible(TRUE); $threshold = new ReflectionProperty('CI_Log', '_threshold'); @@ -54,11 +49,6 @@ public function test_configuration() public function test_format_line() { - if ( ! is_php('5.3')) - { - return $this->markTestSkipped("PHP 5.2 doesn't have ReflectionProperty::setAccessible() and can't run this test"); - } - $this->ci_set_config('log_path', ''); $this->ci_set_config('log_threshold', 0); $instance = new CI_Log(); diff --git a/tests/codeigniter/core/compat/password_test.php b/tests/codeigniter/core/compat/password_test.php index 8a507d14a2d..77f5eba4e56 100644 --- a/tests/codeigniter/core/compat/password_test.php +++ b/tests/codeigniter/core/compat/password_test.php @@ -8,11 +8,6 @@ public function test_bootstrap() { return $this->markTestSkipped('ext/standard/password is available on PHP 5.5'); } - elseif ( ! is_php('5.3.7')) - { - $this->assertFalse(defined('PASSWORD_BCRYPT')); - return $this->markTestSkipped("PHP versions prior to 5.3.7 don't have the '2y' Blowfish version"); - } // defined as of HHVM 2.3.0, which is also when they introduce password_*() as well // Note: Do NOT move this after the CRYPT_BLOWFISH check elseif (defined('HHVM_VERSION')) diff --git a/tests/codeigniter/core/compat/standard_test.php b/tests/codeigniter/core/compat/standard_test.php index 4077a5c7c72..a9846012978 100644 --- a/tests/codeigniter/core/compat/standard_test.php +++ b/tests/codeigniter/core/compat/standard_test.php @@ -15,13 +15,6 @@ public function test_bootstrap() { $this->assertTrue(function_exists('hex2bin')); } - - if ( ! is_php('5.3')) - { - $this->assertTrue(function_exists('array_replace')); - $this->assertTrue(function_exists('array_replace_recursive')); - $this->assertTrue(function_exists('quoted_printable_encode')); - } } // ------------------------------------------------------------------------ @@ -356,193 +349,6 @@ public function test_hex2bin() $this->assertEquals('', hex2bin('')); $this->assertEquals("\x01\x02\x03", hex2bin(new FooHex())); } - - // ------------------------------------------------------------------------ - - /** - * array_replace(), array_replace_recursive() tests - * - * Borrowed from PHP's own tests - * - * @depends test_bootstrap - */ - public function test_array_replace_recursive() - { - if (is_php('5.3')) - { - return $this->markTestSkipped('array_replace() and array_replace_recursive() are already available on PHP 5.3'); - } - - $array1 = array( - 0 => 'dontclobber', - '1' => 'unclobbered', - 'test2' => 0.0, - 'test3' => array( - 'testarray2' => TRUE, - 1 => array( - 'testsubarray1' => 'dontclobber2', - 'testsubarray2' => 'dontclobber3' - ) - ) - ); - - $array2 = array( - 1 => 'clobbered', - 'test3' => array( - 'testarray2' => FALSE - ), - 'test4' => array( - 'clobbered3' => array(0, 1, 2) - ) - ); - - // array_replace() - $this->assertEquals( - array( - 0 => 'dontclobber', - 1 => 'clobbered', - 'test2' => 0.0, - 'test3' => array( - 'testarray2' => FALSE - ), - 'test4' => array( - 'clobbered3' => array(0, 1, 2) - ) - ), - array_replace($array1, $array2) - ); - - // array_replace_recursive() - $this->assertEquals( - array( - 0 => 'dontclobber', - 1 => 'clobbered', - 'test2' => 0.0, - 'test3' => array( - 'testarray2' => FALSE, - 1 => array( - 'testsubarray1' => 'dontclobber2', - 'testsubarray2' => 'dontclobber3' - ) - ), - 'test4' => array( - 'clobbered3' => array(0, 1, 2) - ) - ), - array_replace_recursive($array1, $array2) - ); - } - - // ------------------------------------------------------------------------ - - /** - * quoted_printable_encode() tests - * - * Borrowed from PHP's own tests - * - * @depends test_bootstrap - */ - public function test_quoted_printable_encode() - { - if (is_php('5.3')) - { - return $this->markTestSkipped('quoted_printable_encode() is already available on PHP 5.3'); - } - - // These are actually imap_8bit() tests: - $this->assertEquals("String with CRLF at end=20\r\n", quoted_printable_encode("String with CRLF at end \r\n")); - // ext/imap/tests/imap_8bit_basic.phpt says for this line: - // NB this appears to be a bug in cclient; a space at end of string should be encoded as =20 - $this->assertEquals("String with space at end ", quoted_printable_encode("String with space at end ")); - $this->assertEquals("String with tabs =09=09 in middle", quoted_printable_encode("String with tabs \t\t in middle")); - $this->assertEquals("String with tab at end =09", quoted_printable_encode("String with tab at end \t")); - $this->assertEquals("=00=01=02=03=04=FE=FF=0A=0D", quoted_printable_encode("\x00\x01\x02\x03\x04\xfe\xff\x0a\x0d")); - - if (function_exists('imap_8bit')) - { - return $this->markTestIncomplete('imap_8bit() exists and is called as an alias for quoted_printable_encode()'); - } - - // And these are from ext/standard/tests/strings/quoted_printable_encode_002.phpt: - $this->assertEquals( - "=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=\r\n" - ."=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=\r\n" - ."=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=\r\n" - ."=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=\r\n" - ."=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=\r\n" - ."=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=\r\n" - ."=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=\r\n" - ."=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00=00", - $d = quoted_printable_encode(str_repeat("\0", 200)) - ); - $this->assertEquals(str_repeat("\x0", 200), quoted_printable_decode($d)); - $this->assertEquals( - "=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=\r\n" - ."=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=\r\n" - ."=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=\r\n" - ."=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=\r\n" - ."=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=\r\n" - ."=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=\r\n" - ."=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=\r\n" - ."=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=\r\n" - ."=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =\r\n" - ."=D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=\r\n" - ."=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=\r\n" - ."=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=\r\n" - ."=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=\r\n" - ."=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=\r\n" - ."=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=\r\n" - ."=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=\r\n" - ."=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=\r\n" - ."=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=\r\n" - ."=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=\r\n" - ."=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =\r\n" - ."=D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=\r\n" - ."=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=\r\n" - ."=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=\r\n" - ."=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=\r\n" - ."=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=\r\n" - ."=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=\r\n" - ."=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=\r\n" - ."=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=\r\n" - ."=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=\r\n" - ."=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=\r\n" - ."=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=\r\n" - ."=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =\r\n" - ."=D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=\r\n" - ."=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=\r\n" - ."=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=\r\n" - ."=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=\r\n" - ."=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=\r\n" - ."=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=\r\n" - ."=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=\r\n" - ."=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=\r\n" - ."=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=\r\n" - ."=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=\r\n" - ."=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =\r\n" - ."=D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=\r\n" - ."=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=\r\n" - ."=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=\r\n" - ."=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=\r\n" - ."=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=\r\n" - ."=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=\r\n" - ."=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=\r\n" - ."=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=\r\n" - ."=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=\r\n" - ."=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=\r\n" - ."=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=\r\n" - ."=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =\r\n" - ."=D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=\r\n" - ."=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=\r\n" - ."=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=\r\n" - ."=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=8E=D0=BD=D0=B8=\r\n" - ."=D0=BA=D0=BE=D0=B4=D0=B5=D1=81=D1=82=D1=80=D0=BE=D0=BA=D0=B0 =D0=B2 =D1=\r\n" - ."=8E=D0=BD=D0=B8=D0=BA=D0=BE=D0=B4=D0=B5", - $d = quoted_printable_encode(str_repeat('строка в юникоде', 50)) - ); - $this->assertEquals(str_repeat('строка в юникоде', 50), quoted_printable_decode($d)); - $this->assertEquals('this is a foo', quoted_printable_encode(new FooObject())); - } } // ------------------------------------------------------------------------ @@ -570,11 +376,3 @@ public function __toString() return '010203'; } } - -class FooObject -{ - public function __toString() - { - return 'this is a foo'; - } -} \ No newline at end of file diff --git a/tests/codeigniter/libraries/Upload_test.php b/tests/codeigniter/libraries/Upload_test.php index 4fbc11ef00b..820bd37e242 100644 --- a/tests/codeigniter/libraries/Upload_test.php +++ b/tests/codeigniter/libraries/Upload_test.php @@ -25,14 +25,10 @@ public function test___construct_initialize() ) ); - // ReflectionProperty::setAccessible() is not available in PHP 5.2.x - if (is_php('5.3')) - { - $reflection = new ReflectionClass($upload); - $reflection = $reflection->getProperty('_file_name_override'); - $reflection->setAccessible(TRUE); - $this->assertEquals('foo', $reflection->getValue($upload)); - } + $reflection = new ReflectionClass($upload); + $reflection = $reflection->getProperty('_file_name_override'); + $reflection->setAccessible(TRUE); + $this->assertEquals('foo', $reflection->getValue($upload)); $this->assertTrue($upload->file_ext_tolower); diff --git a/user_guide_src/source/general/compatibility_functions.rst b/user_guide_src/source/general/compatibility_functions.rst index 434b0982fd8..936f2a24b93 100644 --- a/user_guide_src/source/general/compatibility_functions.rst +++ b/user_guide_src/source/general/compatibility_functions.rst @@ -222,29 +222,6 @@ Function reference For more information, please refer to the `PHP manual for array_column() `_. -.. php:function:: array_replace(array $array1[, ...]) - - :param array $array1: Array in which to replace elements - :param array ...: Array (or multiple ones) from which to extract elements - :returns: Modified array - :rtype: array - - For more information, please refer to the `PHP manual for - array_replace() `_. - -.. php:function:: array_replace_recursive(array $array1[, ...]) - - :param array $array1: Array in which to replace elements - :param array ...: Array (or multiple ones) from which to extract elements - :returns: Modified array - :rtype: array - - For more information, please refer to the `PHP manual for - array_replace_recursive() `_. - - .. important:: Only PHP's native function can detect endless recursion. - Unless you are running PHP 5.3+, be careful with references! - .. php:function:: hex2bin($data) :param array $data: Hexadecimal representation of data @@ -253,12 +230,3 @@ Function reference For more information, please refer to the `PHP manual for hex2bin() `_. - -.. php:function:: quoted_printable_encode($str) - - :param string $str: Input string - :returns: 8bit-encoded string - :rtype: string - - For more information, please refer to the `PHP manual for - quoted_printable_encode() `_. \ No newline at end of file diff --git a/user_guide_src/source/general/hooks.rst b/user_guide_src/source/general/hooks.rst index ffe3fef3983..6cc3407a379 100644 --- a/user_guide_src/source/general/hooks.rst +++ b/user_guide_src/source/general/hooks.rst @@ -56,8 +56,8 @@ defined in your associative hook array: - **params** Any parameters you wish to pass to your script. This item is optional. -If you're running PHP 5.3+, you can also use lambda/anoymous functions -(or closures) as hooks, with a simpler syntax:: +You can also use lambda/anoymous functions (or closures) as hooks, with +a simpler syntax:: $hook['post_controller'] = function() { diff --git a/user_guide_src/source/general/routing.rst b/user_guide_src/source/general/routing.rst index 51536809922..b53a85d314e 100644 --- a/user_guide_src/source/general/routing.rst +++ b/user_guide_src/source/general/routing.rst @@ -133,8 +133,8 @@ might be a good starting point. Callbacks ========= -If you are using PHP >= 5.3 you can use callbacks in place of the normal -routing rules to process the back-references. Example:: +You can also use callbacks in place of the normal routing rules to process +the back-references. Example:: $route['products/([a-zA-Z]+)/edit/(\d+)'] = function ($product_type, $id) { diff --git a/user_guide_src/source/general/security.rst b/user_guide_src/source/general/security.rst index 8afdaca3151..744a2c934e9 100644 --- a/user_guide_src/source/general/security.rst +++ b/user_guide_src/source/general/security.rst @@ -133,12 +133,7 @@ with that. Please read below. in PHP's own `Password Hashing `_ functions. Please use them, even if you're not running PHP 5.5+, CodeIgniter - provides them for you as long as you're running at least PHP version - 5.3.7 (and if you don't meet that requirement - please, upgrade). - - If you're one of the really unlucky people who can't even upgrade to a - more recent PHP version, use `hash_pbkdf() `, - which we also provide in our compatibility layer. + provides them for you. - DO NOT ever display or send a password in plain-text format! diff --git a/user_guide_src/source/libraries/encryption.rst b/user_guide_src/source/libraries/encryption.rst index cac4b79211b..377e650a9ab 100644 --- a/user_guide_src/source/libraries/encryption.rst +++ b/user_guide_src/source/libraries/encryption.rst @@ -13,7 +13,7 @@ unfortunately not always available on all systems. You must meet one of the following dependencies in order to use this library: -- `OpenSSL `_ (and PHP 5.3.3) +- `OpenSSL `_ - `MCrypt `_ (and `MCRYPT_DEV_URANDOM` availability) If neither of the above dependencies is met, we simply cannot offer diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index b03b544e2fb..5b9a7427307 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -495,8 +495,7 @@ The above code would use the ``valid_username()`` method from your This is just an example of course, and callbacks aren't limited to models. You can use any object/method that accepts the field value as its' first -parameter. Or if you're running PHP 5.3+, you can also use an anonymous -function:: +parameter. You can also use an anonymous function:: $this->form_validation->set_rules( 'username', 'Username', @@ -522,7 +521,7 @@ the second element of an array, with the first one being the rule name:: ) ); -Anonymous function (PHP 5.3+) version:: +Anonymous function version:: $this->form_validation->set_rules( 'username', 'Username', From ca102a05b1403c573f03c4cdb7fbba15ab99fe87 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 28 Jul 2016 17:22:21 +0300 Subject: [PATCH 2839/3829] [ci skip] Use const keyword to define CI_VERSION Because. --- system/core/CodeIgniter.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 22072e983f1..804c6856df5 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - define('CI_VERSION', '3.1.1-dev'); + const CI_VERSION = '3.1.1-dev'; /* * ------------------------------------------------------ From b9f53a8d7a96bad5c6f1ff7e41a075fcb5d8fb5c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 29 Jul 2016 11:31:05 +0300 Subject: [PATCH 2840/3829] [ci skip] Fix #4736 --- system/libraries/Image_lib.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index 24fe8c68dfb..7ec8ba365dd 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -886,7 +886,7 @@ public function image_process_imagemagick($action = 'resize') } } - $cmd .= ' "'.escapeshellarg($this->full_src_path).'" "'.escapeshellarg($this->full_dst_path).'" 2>&1'; + $cmd .= escapeshellarg($this->full_src_path).' '.escapeshellarg($this->full_dst_path).' 2>&1'; $retval = 1; // exec() might be disabled diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 400b36e09ce..0fc3138b7b7 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -13,6 +13,7 @@ Bug fixes for 3.1.1 ------------------- - Fixed a bug (#4732) - :doc:`Session Library ` triggered errors while writing data for a newly-created sessions with the 'memcached' driver. +- Fixed a regression (#4736) - :doc:`Image Manipulation Library ` processing via ImageMagick didn't work. Version 3.1.0 From acc6481807fc9cac56b7c1de16239d98af711575 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 29 Jul 2016 11:42:28 +0300 Subject: [PATCH 2841/3829] Fix #4737 --- system/database/DB_query_builder.php | 4 ++-- user_guide_src/source/changelog.rst | 1 + 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 713bf18f310..7a008eeb8e8 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1271,7 +1271,7 @@ public function offset($offset) */ protected function _limit($sql) { - return $sql.' LIMIT '.($this->qb_offset ? $this->qb_offset.', ' : '').$this->qb_limit; + return $sql.' LIMIT '.($this->qb_offset ? $this->qb_offset.', ' : '').(int) $this->qb_limit; } // -------------------------------------------------------------------- @@ -2340,7 +2340,7 @@ protected function _compile_select($select_override = FALSE) .$this->_compile_order_by(); // ORDER BY // LIMIT - if ($this->qb_limit) + if ($this->qb_limit OR $this->qb_offset) { return $this->_limit($sql."\n"); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 0fc3138b7b7..4f04d4b8bd4 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -14,6 +14,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4732) - :doc:`Session Library ` triggered errors while writing data for a newly-created sessions with the 'memcached' driver. - Fixed a regression (#4736) - :doc:`Image Manipulation Library ` processing via ImageMagick didn't work. +- Fixed a bug (#4737) - :doc:`Query Builder ` didn't add an ``OFFSET`` when ``LIMIT`` is zero or unused. Version 3.1.0 From 4a0ed97e26101bb5346972d2486668e1b5dfa561 Mon Sep 17 00:00:00 2001 From: Masterklavi Date: Sun, 31 Jul 2016 03:25:56 +0500 Subject: [PATCH 2842/3829] Changed the return value of CI_DB_result::_fetch_object(..) to object --- system/database/DB_result.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_result.php b/system/database/DB_result.php index d9d1fccc7b6..4e2429376e0 100644 --- a/system/database/DB_result.php +++ b/system/database/DB_result.php @@ -660,7 +660,7 @@ protected function _fetch_assoc() */ protected function _fetch_object($class_name = 'stdClass') { - return array(); + return new $class_name(); } } From ac8541b99be74c2870699221efbe898f132217e3 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 1 Aug 2016 11:37:04 +0300 Subject: [PATCH 2843/3829] Merge pull request #4742 from masterklavi/db_fetch_object Change ... for the sake of change --- system/database/DB_result.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_result.php b/system/database/DB_result.php index d9d1fccc7b6..4e2429376e0 100644 --- a/system/database/DB_result.php +++ b/system/database/DB_result.php @@ -660,7 +660,7 @@ protected function _fetch_assoc() */ protected function _fetch_object($class_name = 'stdClass') { - return array(); + return new $class_name(); } } From 9b0f5fa0339eb1f74ff06e769d71e5911ba2be06 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 1 Aug 2016 13:54:06 +0300 Subject: [PATCH 2844/3829] [ci skip] Fix #4739 --- system/libraries/Email.php | 3 ++- user_guide_src/source/changelog.rst | 2 +- 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 5049578ed78..315200344fa 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1468,7 +1468,8 @@ protected function _append_attachments(&$body, $boundary, $multipart = null) .'Content-Type: '.$this->_attachments[$i]['type'].'; name="'.$name.'"'.$this->newline .'Content-Disposition: '.$this->_attachments[$i]['disposition'].';'.$this->newline .'Content-Transfer-Encoding: base64'.$this->newline - .(empty($this->_attachments[$i]['cid']) ? '' : 'Content-ID: <'.$this->_attachments[$i]['cid'].'>'.$this->newline.$this->newline) + .(empty($this->_attachments[$i]['cid']) ? '' : 'Content-ID: <'.$this->_attachments[$i]['cid'].'>'.$this->newline) + .$this->newline .$this->_attachments[$i]['content'].$this->newline; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4f04d4b8bd4..8e047953db6 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -15,7 +15,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4732) - :doc:`Session Library ` triggered errors while writing data for a newly-created sessions with the 'memcached' driver. - Fixed a regression (#4736) - :doc:`Image Manipulation Library ` processing via ImageMagick didn't work. - Fixed a bug (#4737) - :doc:`Query Builder ` didn't add an ``OFFSET`` when ``LIMIT`` is zero or unused. - +- Fixed a regression (#4739) - :doc:`Email Library ` doesn't properly separate attachment bodies from headers. Version 3.1.0 ============= From de4686ab2cb4d8de9995eeba62a12f632c2e3324 Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Tue, 9 Aug 2016 19:07:47 +0800 Subject: [PATCH 2845/3829] CI_Unit_test: Fix name of visible test items. Signed-off-by: tianhe1986 --- system/libraries/Unit_test.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Unit_test.php b/system/libraries/Unit_test.php index 3ac6af78ed9..ea78e0d98c0 100644 --- a/system/libraries/Unit_test.php +++ b/system/libraries/Unit_test.php @@ -291,7 +291,7 @@ public function result($results = array()) { continue; } - elseif (in_array($key, array('test_name', 'test_datatype', 'test_res_datatype', 'result'), TRUE)) + elseif (in_array($key, array('test_name', 'test_datatype', 'res_datatype', 'result'), TRUE)) { if (FALSE !== ($line = $CI->lang->line(strtolower('ut_'.$val), FALSE))) { From a40418b794843f9ab37c30a909f3118a5c1c63af Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Tue, 9 Aug 2016 19:25:07 +0800 Subject: [PATCH 2846/3829] CI_Unit_test: Do not replace "is_double" with "is_float". Signed-off-by: tianhe1986 --- system/libraries/Unit_test.php | 1 - 1 file changed, 1 deletion(-) diff --git a/system/libraries/Unit_test.php b/system/libraries/Unit_test.php index 3ac6af78ed9..eee0723a15c 100644 --- a/system/libraries/Unit_test.php +++ b/system/libraries/Unit_test.php @@ -154,7 +154,6 @@ public function run($test, $expected = TRUE, $test_name = 'undefined', $notes = if (in_array($expected, array('is_object', 'is_string', 'is_bool', 'is_true', 'is_false', 'is_int', 'is_numeric', 'is_float', 'is_double', 'is_array', 'is_null', 'is_resource'), TRUE)) { - $expected = str_replace('is_double', 'is_float', $expected); $result = $expected($test); $extype = str_replace(array('true', 'false'), 'bool', str_replace('is_', '', $expected)); } From 4e239a3913d161f560de9e20a3ef291ebf1c16fb Mon Sep 17 00:00:00 2001 From: Vivek Dinesh Date: Tue, 9 Aug 2016 22:34:42 +0530 Subject: [PATCH 2847/3829] URI schemes are not case sensitive Signed-off-by: Vivek Dinesh --- system/libraries/Form_validation.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 04445f5b799..d5f67d1dafb 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -1200,7 +1200,7 @@ public function valid_url(https://github.com/$str) { return FALSE; } - elseif ( ! in_array($matches[1], array('http', 'https'), TRUE)) + elseif ( ! in_array(strtolower($matches[1]), array('http', 'https'), TRUE)) { return FALSE; } From fba242cf6bc99833c21fc3600fdff2691244e243 Mon Sep 17 00:00:00 2001 From: Vivek Dinesh Date: Tue, 9 Aug 2016 22:43:52 +0530 Subject: [PATCH 2848/3829] URI schemes are not case sensitive Signed-off-by: Vivek Dinesh --- system/libraries/Trackback.php | 2 +- system/libraries/Xmlrpc.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Trackback.php b/system/libraries/Trackback.php index a9b256464b2..848f5b3c994 100644 --- a/system/libraries/Trackback.php +++ b/system/libraries/Trackback.php @@ -370,7 +370,7 @@ public function validate_url(https://github.com/&$url) { $url = trim($url); - if (strpos($url, 'http') !== 0) + if (strpos(strtolower($url), 'http') !== 0) { $url = 'http://'.$url; } diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index f965858e2e7..b01691ac221 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -352,7 +352,7 @@ public function initialize($config = array()) */ public function server($url, $port = 80, $proxy = FALSE, $proxy_port = 8080) { - if (strpos($url, 'http') !== 0) + if (strpos(strtolower($url), 'http') !== 0) { $url = 'http://'.$url; } From b5e2410c54f867307fb88647729794a1ded7e552 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 10 Aug 2016 13:21:15 +0300 Subject: [PATCH 2849/3829] Merge pull request #4754 from tianhe1986/develop_fix_unit_test_name CI_Unit_test: Fix translation of result datatype --- system/libraries/Unit_test.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Unit_test.php b/system/libraries/Unit_test.php index 3ac6af78ed9..ea78e0d98c0 100644 --- a/system/libraries/Unit_test.php +++ b/system/libraries/Unit_test.php @@ -291,7 +291,7 @@ public function result($results = array()) { continue; } - elseif (in_array($key, array('test_name', 'test_datatype', 'test_res_datatype', 'result'), TRUE)) + elseif (in_array($key, array('test_name', 'test_datatype', 'res_datatype', 'result'), TRUE)) { if (FALSE !== ($line = $CI->lang->line(strtolower('ut_'.$val), FALSE))) { From 7e6db8ef0dd87c11a77f674e77d8b47489eef8a5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 10 Aug 2016 13:23:58 +0300 Subject: [PATCH 2850/3829] [ci skip] Add changelog entry for #4754 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 8e047953db6..75270489ef8 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -16,6 +16,7 @@ Bug fixes for 3.1.1 - Fixed a regression (#4736) - :doc:`Image Manipulation Library ` processing via ImageMagick didn't work. - Fixed a bug (#4737) - :doc:`Query Builder ` didn't add an ``OFFSET`` when ``LIMIT`` is zero or unused. - Fixed a regression (#4739) - :doc:`Email Library ` doesn't properly separate attachment bodies from headers. +- Fixed a bug (#4754) - :doc:`Unit Testing Library ` method ``result()`` didn't translate ``res_datatype``. Version 3.1.0 ============= From 353f7483c61e7e4d375d4637f1e97406669648ac Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 10 Aug 2016 14:18:19 +0300 Subject: [PATCH 2851/3829] Merge pull request #4755 from tianhe1986/develop_not_replace_is_double CI_Unit_test: Do not replace "is_double" with "is_float". --- system/libraries/Unit_test.php | 1 - 1 file changed, 1 deletion(-) diff --git a/system/libraries/Unit_test.php b/system/libraries/Unit_test.php index ea78e0d98c0..3122ed624b1 100644 --- a/system/libraries/Unit_test.php +++ b/system/libraries/Unit_test.php @@ -154,7 +154,6 @@ public function run($test, $expected = TRUE, $test_name = 'undefined', $notes = if (in_array($expected, array('is_object', 'is_string', 'is_bool', 'is_true', 'is_false', 'is_int', 'is_numeric', 'is_float', 'is_double', 'is_array', 'is_null', 'is_resource'), TRUE)) { - $expected = str_replace('is_double', 'is_float', $expected); $result = $expected($test); $extype = str_replace(array('true', 'false'), 'bool', str_replace('is_', '', $expected)); } From 656fd7eef9624c3c07918b2d573d9ccb6f971c57 Mon Sep 17 00:00:00 2001 From: Vivek Dinesh Date: Wed, 10 Aug 2016 17:36:49 +0530 Subject: [PATCH 2852/3829] Better usage Based on GitHub discussion. Signed-off-by: Vivek Dinesh --- system/libraries/Trackback.php | 2 +- system/libraries/Xmlrpc.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Trackback.php b/system/libraries/Trackback.php index 848f5b3c994..7222c00c210 100644 --- a/system/libraries/Trackback.php +++ b/system/libraries/Trackback.php @@ -370,7 +370,7 @@ public function validate_url(https://github.com/&$url) { $url = trim($url); - if (strpos(strtolower($url), 'http') !== 0) + if (stripos($url, 'http') !== 0) { $url = 'http://'.$url; } diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index b01691ac221..181a104d0e6 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -352,7 +352,7 @@ public function initialize($config = array()) */ public function server($url, $port = 80, $proxy = FALSE, $proxy_port = 8080) { - if (strpos(strtolower($url), 'http') !== 0) + if (stripos($url, 'http') !== 0) { $url = 'http://'.$url; } From 878e23f8883b2510d573850deb7dca5761cc1848 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 10 Aug 2016 15:15:49 +0300 Subject: [PATCH 2853/3829] Use getMockBuilder() in PHPUnit instead of the deprecated getMock() --- tests/codeigniter/core/Loader_test.php | 4 ++-- tests/codeigniter/helpers/date_helper_test.php | 4 ++-- tests/codeigniter/helpers/language_helper_test.php | 4 ++-- tests/codeigniter/helpers/number_helper_test.php | 4 ++-- tests/codeigniter/libraries/Calendar_test.php | 6 +++--- tests/codeigniter/libraries/Driver_test.php | 4 ++-- tests/codeigniter/libraries/Form_validation_test.php | 4 ++-- tests/codeigniter/libraries/Upload_test.php | 4 ++-- 8 files changed, 17 insertions(+), 17 deletions(-) diff --git a/tests/codeigniter/core/Loader_test.php b/tests/codeigniter/core/Loader_test.php index db5088d8068..c1c4997c4cc 100644 --- a/tests/codeigniter/core/Loader_test.php +++ b/tests/codeigniter/core/Loader_test.php @@ -291,7 +291,7 @@ public function test_load_view() $this->assertEquals($content.$value, $out); // Mock output class - $output = $this->getMock('CI_Output', array('append_output')); + $output = $this->getMockBuilder('CI_Output')->setMethods(array('append_output'))->getMock(); $output->expects($this->once())->method('append_output')->with($content.$value); $this->ci_instance_var('output', $output); @@ -441,7 +441,7 @@ public function test_language() { // Mock lang class and test load call $file = 'test'; - $lang = $this->getMock('CI_Lang', array('load')); + $lang = $this->getMockBuilder('CI_Lang')->setMethods(array('load'))->getMock(); $lang->expects($this->once())->method('load')->with($file); $this->ci_instance_var('lang', $lang); $this->assertInstanceOf('CI_Loader', $this->load->language($file)); diff --git a/tests/codeigniter/helpers/date_helper_test.php b/tests/codeigniter/helpers/date_helper_test.php index c80e92cd04f..c4f99a97c3d 100644 --- a/tests/codeigniter/helpers/date_helper_test.php +++ b/tests/codeigniter/helpers/date_helper_test.php @@ -15,7 +15,7 @@ public function test_now_local() /* // This stub job, is simply to cater $config['time_reference'] - $config = $this->getMock('CI_Config'); + $config = $this->getMockBuilder('CI_Config')->getMock(); $config->expects($this->any()) ->method('item') ->will($this->returnValue('local')); @@ -37,7 +37,7 @@ public function test_now_utc() /* // This stub job, is simply to cater $config['time_reference'] - $config = $this->getMock('CI_Config'); + $config = $this->getMockBuilder('CI_Config')->getMock(); $config->expects($this->any()) ->method('item') ->will($this->returnValue('UTC')); diff --git a/tests/codeigniter/helpers/language_helper_test.php b/tests/codeigniter/helpers/language_helper_test.php index 176da689a04..1ddabea3d6b 100644 --- a/tests/codeigniter/helpers/language_helper_test.php +++ b/tests/codeigniter/helpers/language_helper_test.php @@ -5,7 +5,7 @@ class Language_helper_test extends CI_TestCase { public function test_lang() { $this->helper('language'); - $lang = $this->getMock('CI_Lang', array('line')); + $lang = $this->getMockBuilder('CI_Lang')->setMethods(array('line'))->getMock(); $lang->expects($this->any())->method('line')->will($this->returnValue(FALSE)); $this->ci_instance_var('lang', $lang); @@ -13,4 +13,4 @@ public function test_lang() $this->assertEquals('', lang(1, 'foo', array('class' => 'bar'))); } -} \ No newline at end of file +} diff --git a/tests/codeigniter/helpers/number_helper_test.php b/tests/codeigniter/helpers/number_helper_test.php index 817db2c7e91..663e354fef3 100644 --- a/tests/codeigniter/helpers/number_helper_test.php +++ b/tests/codeigniter/helpers/number_helper_test.php @@ -11,7 +11,7 @@ public function set_up() // Mock away load, too much going on in there, // we'll just check for the expected parameter - $lang = $this->getMock($lang_cls, array('load')); + $lang = $this->getMockBuilder('CI_Lang')->setMethods(array('load'))->getMock(); $lang->expects($this->once()) ->method('load') ->with($this->equalTo('number')); @@ -60,4 +60,4 @@ public function test_tb_format() $this->assertEquals('112,283.3 TB', byte_format(123456789123456789)); } -} \ No newline at end of file +} diff --git a/tests/codeigniter/libraries/Calendar_test.php b/tests/codeigniter/libraries/Calendar_test.php index 54879fec90d..ad1f45e8c77 100644 --- a/tests/codeigniter/libraries/Calendar_test.php +++ b/tests/codeigniter/libraries/Calendar_test.php @@ -5,9 +5,9 @@ class Calendar_test extends CI_TestCase { public function set_up() { // Required for get_total_days() - $this->ci_instance_var('load', $this->getMock('CI_Loader', array('helper'))); + $this->ci_instance_var('load', $this->getMockBuilder('CI_Loader')->setMethods(array('helper'))->getMock()); - $lang = $this->getMock('CI_Lang', array('load', 'line')); + $lang = $this->getMockBuilder('CI_Lang')->setMethods(array('load', 'line'))->getMock(); $lang->expects($this->any())->method('line')->will($this->returnValue(FALSE)); $this->ci_instance_var('lang', $lang); @@ -219,4 +219,4 @@ public function test_default_template() $this->assertEquals($array, $this->calendar->default_template()); } -} \ No newline at end of file +} diff --git a/tests/codeigniter/libraries/Driver_test.php b/tests/codeigniter/libraries/Driver_test.php index c62cbee450a..e4401e6885f 100644 --- a/tests/codeigniter/libraries/Driver_test.php +++ b/tests/codeigniter/libraries/Driver_test.php @@ -16,7 +16,7 @@ public function set_up() // Mock Loader->get_package_paths $paths = 'get_package_paths'; - $ldr = $this->getMock('CI_Loader', array($paths)); + $ldr = $this->getMockBuilder('CI_Loader')->setMethods(array($paths))->getMock(); $ldr->expects($this->any())->method($paths)->will($this->returnValue(array(APPPATH, BASEPATH))); $this->ci_instance_var('load', $ldr); @@ -175,4 +175,4 @@ public function test_decorate() $this->assertEquals($return, $child->$method()); } -} \ No newline at end of file +} diff --git a/tests/codeigniter/libraries/Form_validation_test.php b/tests/codeigniter/libraries/Form_validation_test.php index b87ca65fffb..905f663e23c 100644 --- a/tests/codeigniter/libraries/Form_validation_test.php +++ b/tests/codeigniter/libraries/Form_validation_test.php @@ -8,10 +8,10 @@ public function set_up() // Create a mock loader since load->helper() looks in the wrong directories for unit tests, // We'll use CI_TestCase->helper() instead - $loader = $this->getMock('CI_Loader', array('helper')); + $loader = $this->getMockBuilder('CI_Loader')->setMethods(array('helper'))->getMock(); // Same applies for lang - $lang = $this->getMock('CI_Lang', array('load')); + $lang = $this->getMockBuilder('CI_Lang')->setMethods(array('load'))->getMock(); $this->ci_set_config('charset', 'UTF-8'); $utf8 = new Mock_Core_Utf8(); diff --git a/tests/codeigniter/libraries/Upload_test.php b/tests/codeigniter/libraries/Upload_test.php index 820bd37e242..8bac597b3da 100644 --- a/tests/codeigniter/libraries/Upload_test.php +++ b/tests/codeigniter/libraries/Upload_test.php @@ -7,7 +7,7 @@ public function set_up() $ci = $this->ci_instance(); $ci->upload = new CI_Upload(); $ci->security = new Mock_Core_Security(); - $ci->lang = $this->getMock('CI_Lang', array('load', 'line')); + $ci->lang = $this->getMockBuilder('CI_Lang')->setMethods(array('load', 'line'))->getMock(); $ci->lang->expects($this->any())->method('line')->will($this->returnValue(FALSE)); $this->upload = $ci->upload; } @@ -296,4 +296,4 @@ function test_display_errors() $this->assertEquals('

Error test

', $this->upload->display_errors()); } -} \ No newline at end of file +} From e33c82d62e5a56b2fe46096420de838eb74553e8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 10 Aug 2016 15:18:31 +0300 Subject: [PATCH 2854/3829] Merge pull request #4758 from butane/uri_scheme_case URI schemes are not case-sensitive --- system/libraries/Form_validation.php | 2 +- system/libraries/Trackback.php | 2 +- system/libraries/Xmlrpc.php | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 25dc0d41ecf..61f0298fdb7 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -1200,7 +1200,7 @@ public function valid_url(https://github.com/$str) { return FALSE; } - elseif ( ! in_array($matches[1], array('http', 'https'), TRUE)) + elseif ( ! in_array(strtolower($matches[1]), array('http', 'https'), TRUE)) { return FALSE; } diff --git a/system/libraries/Trackback.php b/system/libraries/Trackback.php index a9b256464b2..7222c00c210 100644 --- a/system/libraries/Trackback.php +++ b/system/libraries/Trackback.php @@ -370,7 +370,7 @@ public function validate_url(https://github.com/&$url) { $url = trim($url); - if (strpos($url, 'http') !== 0) + if (stripos($url, 'http') !== 0) { $url = 'http://'.$url; } diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index f965858e2e7..181a104d0e6 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -352,7 +352,7 @@ public function initialize($config = array()) */ public function server($url, $port = 80, $proxy = FALSE, $proxy_port = 8080) { - if (strpos($url, 'http') !== 0) + if (stripos($url, 'http') !== 0) { $url = 'http://'.$url; } From 9180a1264dc536c34e5cc8a0e44bb399a8ba484f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 10 Aug 2016 15:23:42 +0300 Subject: [PATCH 2855/3829] Add changelog entry and a test case for #4758 --- tests/codeigniter/libraries/Form_validation_test.php | 3 +++ user_guide_src/source/changelog.rst | 1 + 2 files changed, 4 insertions(+) diff --git a/tests/codeigniter/libraries/Form_validation_test.php b/tests/codeigniter/libraries/Form_validation_test.php index 905f663e23c..0815300e6be 100644 --- a/tests/codeigniter/libraries/Form_validation_test.php +++ b/tests/codeigniter/libraries/Form_validation_test.php @@ -259,6 +259,9 @@ public function test_rule_valid_url() // https://github.com/bcit-ci/CodeIgniter/issues/4415 $this->assertTrue($this->form_validation->valid_url('http://[::1]/ipv6')); + // URI scheme case-sensitivity: https://github.com/bcit-ci/CodeIgniter/pull/4758 + $this->assertTrue($this->form_validation->valid_url('http://127.0.0.1/')); + $this->assertFalse($this->form_validation->valid_url('/service/htt://www.codeIgniter.com')); $this->assertFalse($this->form_validation->valid_url('')); $this->assertFalse($this->form_validation->valid_url('https://github.com/code%20igniter')); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 75270489ef8..e95d509f79a 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -17,6 +17,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4737) - :doc:`Query Builder ` didn't add an ``OFFSET`` when ``LIMIT`` is zero or unused. - Fixed a regression (#4739) - :doc:`Email Library ` doesn't properly separate attachment bodies from headers. - Fixed a bug (#4754) - :doc:`Unit Testing Library ` method ``result()`` didn't translate ``res_datatype``. +- Fixed a bug (#4759) - :doc:`Form Validation `, :doc:`Trackback ` and `XML-RPC ` libraries treated URI schemes in a case-sensitive manner. Version 3.1.0 ============= From e1f76634b6c658680c2ea869dc1bcc38828c7da0 Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Thu, 11 Aug 2016 12:40:47 +0800 Subject: [PATCH 2856/3829] Cache_file: use is_file() for checking instead of file_exists(). Signed-off-by: tianhe1986 --- system/libraries/Cache/drivers/Cache_file.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_file.php b/system/libraries/Cache/drivers/Cache_file.php index e1ce16a5a4e..f579eaae4a4 100644 --- a/system/libraries/Cache/drivers/Cache_file.php +++ b/system/libraries/Cache/drivers/Cache_file.php @@ -120,7 +120,7 @@ public function save($id, $data, $ttl = 60, $raw = FALSE) */ public function delete($id) { - return file_exists($this->_cache_path.$id) ? unlink($this->_cache_path.$id) : FALSE; + return is_file($this->_cache_path.$id) ? unlink($this->_cache_path.$id) : FALSE; } // ------------------------------------------------------------------------ @@ -216,7 +216,7 @@ public function cache_info($type = NULL) */ public function get_metadata($id) { - if ( ! file_exists($this->_cache_path.$id)) + if ( ! is_file($this->_cache_path.$id)) { return FALSE; } From 4c8a0eb32c2aa94eb621171a89084f1388e3c4c5 Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Thu, 11 Aug 2016 12:54:15 +0800 Subject: [PATCH 2857/3829] Cache_file: use $data['time'] for calculating expired time. Signed-off-by: tianhe1986 --- system/libraries/Cache/drivers/Cache_file.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_file.php b/system/libraries/Cache/drivers/Cache_file.php index e1ce16a5a4e..c46de2f958c 100644 --- a/system/libraries/Cache/drivers/Cache_file.php +++ b/system/libraries/Cache/drivers/Cache_file.php @@ -233,7 +233,7 @@ public function get_metadata($id) } return array( - 'expire' => $mtime + $data['ttl'], + 'expire' => $data['time'] + $data['ttl'], 'mtime' => $mtime ); } From 04649d9dd5fbdf2d032eb3e4b969a4788d9451f0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 11 Aug 2016 14:13:11 +0300 Subject: [PATCH 2858/3829] Merge pull request #4761 from tianhe1986/develop_cache_file_check Cache_file: use is_file() for checking instead of file_exists(). --- system/libraries/Cache/drivers/Cache_file.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_file.php b/system/libraries/Cache/drivers/Cache_file.php index e1ce16a5a4e..f579eaae4a4 100644 --- a/system/libraries/Cache/drivers/Cache_file.php +++ b/system/libraries/Cache/drivers/Cache_file.php @@ -120,7 +120,7 @@ public function save($id, $data, $ttl = 60, $raw = FALSE) */ public function delete($id) { - return file_exists($this->_cache_path.$id) ? unlink($this->_cache_path.$id) : FALSE; + return is_file($this->_cache_path.$id) ? unlink($this->_cache_path.$id) : FALSE; } // ------------------------------------------------------------------------ @@ -216,7 +216,7 @@ public function cache_info($type = NULL) */ public function get_metadata($id) { - if ( ! file_exists($this->_cache_path.$id)) + if ( ! is_file($this->_cache_path.$id)) { return FALSE; } From 87c50228998440b86f1ee4233ea8c6aacb0a8a3c Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Thu, 11 Aug 2016 20:03:34 +0800 Subject: [PATCH 2859/3829] Checking for $data['time']. Signed-off-by: tianhe1986 --- system/libraries/Cache/drivers/Cache_file.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_file.php b/system/libraries/Cache/drivers/Cache_file.php index c46de2f958c..e5614f8bdd0 100644 --- a/system/libraries/Cache/drivers/Cache_file.php +++ b/system/libraries/Cache/drivers/Cache_file.php @@ -227,7 +227,7 @@ public function get_metadata($id) { $mtime = filemtime($this->_cache_path.$id); - if ( ! isset($data['ttl'])) + if ( ! isset($data['ttl']) OR ! isset($data['time'])) { return FALSE; } From b6ed3d102dc7c8e2a591405e56aa780d64d385d6 Mon Sep 17 00:00:00 2001 From: Vivek Dinesh Date: Thu, 11 Aug 2016 17:40:45 +0530 Subject: [PATCH 2860/3829] URI schemes are not case-sensitive Signed-off-by: Vivek Dinesh --- system/helpers/url_helper.php | 2 +- system/libraries/Form_validation.php | 4 ++-- system/libraries/Javascript.php | 4 ++-- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php index fd7b5e116f3..82b9e02afd7 100644 --- a/system/helpers/url_helper.php +++ b/system/helpers/url_helper.php @@ -443,7 +443,7 @@ function auto_link($str, $type = 'both', $popup = FALSE) */ function prep_url(https://github.com/$str%20=%20'') { - if ($str === 'http://' OR $str === '') + if (strtolower($str) === 'http://' OR $str === '') { return ''; } diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 61f0298fdb7..fa28a6207b6 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -1523,12 +1523,12 @@ public function prep_for_form($data) */ public function prep_url(https://github.com/$str%20=%20'') { - if ($str === 'http://' OR $str === '') + if (strtolower($str) === 'http://' OR $str === '') { return ''; } - if (strpos($str, 'http://') !== 0 && strpos($str, 'https://') !== 0) + if (stripos($str, 'http://') !== 0 && stripos($str, 'https://') !== 0) { return 'http://'.$str; } diff --git a/system/libraries/Javascript.php b/system/libraries/Javascript.php index dcf9337794d..2ddab38ee54 100644 --- a/system/libraries/Javascript.php +++ b/system/libraries/Javascript.php @@ -650,11 +650,11 @@ public function external($external_file = '', $relative = FALSE) $this->_javascript_location = $this->CI->config->item('javascript_location'); } - if ($relative === TRUE OR strpos($external_file, 'http://') === 0 OR strpos($external_file, 'https://') === 0) + if ($relative === TRUE OR stripos($external_file, 'http://') === 0 OR stripos($external_file, 'https://') === 0) { $str = $this->_open_script($external_file); } - elseif (strpos($this->_javascript_location, 'http://') !== FALSE) + elseif (stripos($this->_javascript_location, 'http://') !== FALSE) { $str = $this->_open_script($this->_javascript_location.$external_file); } From ae31a918a3c0eff331f3ae2f03afca25158e93ff Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Thu, 11 Aug 2016 20:13:06 +0800 Subject: [PATCH 2861/3829] =?UTF-8?q?Using=20"!=20isset($a,=20$b,=20?= =?UTF-8?q?=E2=80=A6=E2=80=A6)"=20instead=20of=20"!=20isset($a)=20OR=20!?= =?UTF-8?q?=20isset($b)=20OR=20=E2=80=A6=E2=80=A6"?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: tianhe1986 --- system/libraries/Cache/drivers/Cache_file.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_file.php b/system/libraries/Cache/drivers/Cache_file.php index e5614f8bdd0..554f10b957e 100644 --- a/system/libraries/Cache/drivers/Cache_file.php +++ b/system/libraries/Cache/drivers/Cache_file.php @@ -227,7 +227,7 @@ public function get_metadata($id) { $mtime = filemtime($this->_cache_path.$id); - if ( ! isset($data['ttl']) OR ! isset($data['time'])) + if ( ! isset($data['ttl'], $data['time'])) { return FALSE; } From 9514dc35154cdfd5e3380976a37c8a3640413e48 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 11 Aug 2016 15:14:33 +0300 Subject: [PATCH 2862/3829] Merge pull request #4762 from tianhe1986/develop_cache_file_metadata Cache_file: use $data['time'] for calculating expired time. --- system/libraries/Cache/drivers/Cache_file.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Cache/drivers/Cache_file.php b/system/libraries/Cache/drivers/Cache_file.php index f579eaae4a4..93932d4cf95 100644 --- a/system/libraries/Cache/drivers/Cache_file.php +++ b/system/libraries/Cache/drivers/Cache_file.php @@ -227,13 +227,13 @@ public function get_metadata($id) { $mtime = filemtime($this->_cache_path.$id); - if ( ! isset($data['ttl'])) + if ( ! isset($data['ttl'], $data['time'])) { return FALSE; } return array( - 'expire' => $mtime + $data['ttl'], + 'expire' => $data['time'] + $data['ttl'], 'mtime' => $mtime ); } From 15a5e0db1fc00ad26516bd92f3c476bcc77fe5fe Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 11 Aug 2016 15:17:43 +0300 Subject: [PATCH 2863/3829] [ci skip] Add changelog entry for #4762 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index e95d509f79a..64ea521ddaf 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -18,6 +18,7 @@ Bug fixes for 3.1.1 - Fixed a regression (#4739) - :doc:`Email Library ` doesn't properly separate attachment bodies from headers. - Fixed a bug (#4754) - :doc:`Unit Testing Library ` method ``result()`` didn't translate ``res_datatype``. - Fixed a bug (#4759) - :doc:`Form Validation `, :doc:`Trackback ` and `XML-RPC ` libraries treated URI schemes in a case-sensitive manner. +- Fixed a bug (#4762) - :doc:`Cache Library ` 'file' driver method ``get_metadata()`` checked TTL time against ``mtime`` instead of the cache item's creation time. Version 3.1.0 ============= From 669cc5f881970ec3cc19b57f4da0382c7d8f5542 Mon Sep 17 00:00:00 2001 From: Vivek Dinesh Date: Thu, 11 Aug 2016 18:21:11 +0530 Subject: [PATCH 2864/3829] Removed useless checks Based on GitHub discussion. Signed-off-by: Vivek Dinesh --- system/helpers/url_helper.php | 2 +- system/libraries/Form_validation.php | 7 +------ 2 files changed, 2 insertions(+), 7 deletions(-) diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php index 82b9e02afd7..8a5a75c449f 100644 --- a/system/helpers/url_helper.php +++ b/system/helpers/url_helper.php @@ -443,7 +443,7 @@ function auto_link($str, $type = 'both', $popup = FALSE) */ function prep_url(https://github.com/$str%20=%20'') { - if (strtolower($str) === 'http://' OR $str === '') + if ($str === '') { return ''; } diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index fa28a6207b6..86a569cedc6 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -1523,12 +1523,7 @@ public function prep_for_form($data) */ public function prep_url(https://github.com/$str%20=%20'') { - if (strtolower($str) === 'http://' OR $str === '') - { - return ''; - } - - if (stripos($str, 'http://') !== 0 && stripos($str, 'https://') !== 0) + if ($str !== '' && stripos($str, 'http://') !== 0 && stripos($str, 'https://') !== 0) { return 'http://'.$str; } From a309badf3a73f427af030e790e5080347da67372 Mon Sep 17 00:00:00 2001 From: Kristaps V Date: Fri, 12 Aug 2016 17:55:36 +0300 Subject: [PATCH 2865/3829] Fix custom user agent not working Signed-off-by: Kristaps V --- system/libraries/Email.php | 1 + 1 file changed, 1 insertion(+) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 50d0cd04e73..426731135e0 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1206,6 +1206,7 @@ public function word_wrap($str, $charlim = NULL) */ protected function _build_headers() { + $this->set_header('User-Agent', $this->useragent); $this->set_header('X-Sender', $this->clean_email($this->_headers['From'])); $this->set_header('X-Mailer', $this->useragent); $this->set_header('X-Priority', $this->_priorities[$this->priority]); From abd7e295e65a27ae431641a7bbcbdc9b1fddedf5 Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Fri, 19 Aug 2016 14:31:52 +0800 Subject: [PATCH 2866/3829] Common: Adding E_PARSE in error judgment. Signed-off-by: tianhe1986 --- system/core/Common.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Common.php b/system/core/Common.php index d66649f590d..2c7651943c1 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -598,7 +598,7 @@ function set_status_header($code = 200, $text = '') */ function _error_handler($severity, $message, $filepath, $line) { - $is_error = (((E_ERROR | E_COMPILE_ERROR | E_CORE_ERROR | E_USER_ERROR) & $severity) === $severity); + $is_error = (((E_ERROR | E_PARSE | E_COMPILE_ERROR | E_CORE_ERROR | E_USER_ERROR) & $severity) === $severity); // When an error occurred, set the status header to '500 Internal Server Error' // to indicate to the client something went wrong. From c114deba71fdbbb0b7087696960f15e5ae0a08c5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 19 Aug 2016 19:17:59 +0300 Subject: [PATCH 2867/3829] Merge pull request #4777 from tianhe1986/develop_error_handler Add E_PARSE to errors detected by shutdown handler --- system/core/Common.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Common.php b/system/core/Common.php index d66649f590d..2c7651943c1 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -598,7 +598,7 @@ function set_status_header($code = 200, $text = '') */ function _error_handler($severity, $message, $filepath, $line) { - $is_error = (((E_ERROR | E_COMPILE_ERROR | E_CORE_ERROR | E_USER_ERROR) & $severity) === $severity); + $is_error = (((E_ERROR | E_PARSE | E_COMPILE_ERROR | E_CORE_ERROR | E_USER_ERROR) & $severity) === $severity); // When an error occurred, set the status header to '500 Internal Server Error' // to indicate to the client something went wrong. From 69070510fb62887e5d06e446b50d3a941ee1e4f9 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 19 Aug 2016 19:21:36 +0300 Subject: [PATCH 2868/3829] [ci skip] Add changelog entry for PR #4777 --- user_guide_src/source/changelog.rst | 2 ++ 1 file changed, 2 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 64ea521ddaf..4870cb1a853 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,7 +7,9 @@ Version 3.1.1 Release Date: Not Released +- General Changes + - Added ``E_PARSE`` to the list of error levels detected by the shutdown handler. Bug fixes for 3.1.1 ------------------- From 2fb1551fe8eb73164d341909054cabe6c33a6fa8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 19 Aug 2016 19:26:27 +0300 Subject: [PATCH 2869/3829] Travis builds on PHP 7.1 (beta) --- .travis.yml | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/.travis.yml b/.travis.yml index 54647689b53..ba2d6b31dfb 100644 --- a/.travis.yml +++ b/.travis.yml @@ -5,7 +5,8 @@ php: - 5.4 - 5.5 - 5.6 - - 7 + - 7.0 + - 7.1 - hhvm env: @@ -31,17 +32,16 @@ matrix: allow_failures: - php: 5.3 - php: hhvm + - php: 7.1 exclude: - php: hhvm env: DB=pgsql - php: hhvm env: DB=pdo/pgsql - - php: 7 + - php: 7.0 + env: DB=mysql + - php: 7.1 env: DB=mysql - - php: 5.2 - env: DB=sqlite - - php: 5.2 - env: DB=pdo/sqlite branches: only: From b52ae04ae36b8d02b04b275cf34a73bf39bd5dff Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 19 Aug 2016 19:26:27 +0300 Subject: [PATCH 2870/3829] Travis builds on PHP 7.1 (beta) --- .travis.yml | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/.travis.yml b/.travis.yml index 22c3b6e1860..334cb614fea 100644 --- a/.travis.yml +++ b/.travis.yml @@ -4,7 +4,8 @@ php: - 5.4 - 5.5 - 5.6 - - 7 + - 7.0 + - 7.1 - hhvm env: @@ -29,12 +30,15 @@ script: phpunit -d zend.enable_gc=0 -d date.timezone=UTC --coverage-text --confi matrix: allow_failures: - php: hhvm + - php: 7.1 exclude: - php: hhvm env: DB=pgsql - php: hhvm env: DB=pdo/pgsql - - php: 7 + - php: 7.0 + env: DB=mysql + - php: 7.1 env: DB=mysql branches: From 50e87ec848f27bb5e40093ade2b67dc104679fb9 Mon Sep 17 00:00:00 2001 From: Igor Ostapchuk Date: Sun, 21 Aug 2016 16:28:28 +0300 Subject: [PATCH 2871/3829] return fix --- system/libraries/Email.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 50d0cd04e73..6a7e2b3a70a 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1202,7 +1202,7 @@ public function word_wrap($str, $charlim = NULL) /** * Build final headers * - * @return string + * @return void */ protected function _build_headers() { @@ -2046,7 +2046,7 @@ protected function _smtp_connect() * * @param string * @param string - * @return string + * @return bool */ protected function _send_command($cmd, $data = '') { From 1927709235ed11f51b700abcb390b660e2762053 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 22 Aug 2016 11:34:56 +0300 Subject: [PATCH 2872/3829] Merge pull request #4778 from antydemant/patch-1 [ci skip] Docblock return type corrections --- system/libraries/Email.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 315200344fa..7f49c1b3d89 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1202,7 +1202,7 @@ public function word_wrap($str, $charlim = NULL) /** * Build final headers * - * @return string + * @return void */ protected function _build_headers() { @@ -2046,7 +2046,7 @@ protected function _smtp_connect() * * @param string * @param string - * @return string + * @return bool */ protected function _send_command($cmd, $data = '') { From 549a601bac3b1467168e0bb7b5642ba7fc59c35e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 22 Aug 2016 13:18:36 +0300 Subject: [PATCH 2873/3829] Fix CI_Upload errors on PHP 7.1 --- system/libraries/Upload.php | 23 ++++++++++++++++++++--- user_guide_src/source/changelog.rst | 1 + 2 files changed, 21 insertions(+), 3 deletions(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index a8cf7526407..23fd02ead1b 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -1083,10 +1083,27 @@ public function do_xss_clean() return FALSE; } - if (memory_get_usage() && ($memory_limit = ini_get('memory_limit'))) + if (memory_get_usage() && ($memory_limit = ini_get('memory_limit')) > 0) { - $memory_limit *= 1024 * 1024; - $memory_limit = (int) ceil(filesize($file) + $memory_limit); + $memory_limit = str_split($memory_limit, strspn($memory_limit, '1234567890')); + if ( ! empty($memory_limit[1])) + { + switch ($memory_limit[1][0]) + { + case 'g': + case 'G': + $memory_limit[0] *= 1024 * 1024 * 1024; + break; + case 'm': + case 'M': + $memory_limit[0] *= 1024 * 1024; + break; + default: + break; + } + } + + $memory_limit = (int) ceil(filesize($file) + $memory_limit[0]); ini_set('memory_limit', $memory_limit); // When an integer is used, the value is measured in bytes. - PHP.net } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4870cb1a853..97b4d254d76 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -21,6 +21,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4754) - :doc:`Unit Testing Library ` method ``result()`` didn't translate ``res_datatype``. - Fixed a bug (#4759) - :doc:`Form Validation `, :doc:`Trackback ` and `XML-RPC ` libraries treated URI schemes in a case-sensitive manner. - Fixed a bug (#4762) - :doc:`Cache Library ` 'file' driver method ``get_metadata()`` checked TTL time against ``mtime`` instead of the cache item's creation time. +- Fixed a bug where :doc:`File Uploading Library ` generated error messages on PHP 7.1. Version 3.1.0 ============= From c95df51c90dc9506ec9a37a43d87238965210550 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 22 Aug 2016 13:19:24 +0300 Subject: [PATCH 2874/3829] Skip mcrypt-related testcases on PHP 7.1 ext/mcrypt is deprecated and the test cases in question trigger E_DEPRECATED messages as a result. --- tests/codeigniter/libraries/Encrypt_test.php | 6 +++++- tests/codeigniter/libraries/Encryption_test.php | 10 +++++++++- 2 files changed, 14 insertions(+), 2 deletions(-) diff --git a/tests/codeigniter/libraries/Encrypt_test.php b/tests/codeigniter/libraries/Encrypt_test.php index ced7633017f..adbca31b24f 100644 --- a/tests/codeigniter/libraries/Encrypt_test.php +++ b/tests/codeigniter/libraries/Encrypt_test.php @@ -10,6 +10,10 @@ public function set_up() { return; } + elseif (version_compare(PHP_VERSION, '7.1.0-alpha', '>=')) + { + return $this->markTestSkipped('ext/mcrypt is deprecated since PHP 7.1 and will generate notices here.'); + } $this->encrypt = new Mock_Libraries_Encrypt(); $this->ci_instance_var('encrypt', $this->encrypt); @@ -72,4 +76,4 @@ public function test_set_mode() $this->assertEquals('cfb', $this->encrypt->get_mode()); } -} \ No newline at end of file +} diff --git a/tests/codeigniter/libraries/Encryption_test.php b/tests/codeigniter/libraries/Encryption_test.php index cbcae3133e6..96e52ada838 100644 --- a/tests/codeigniter/libraries/Encryption_test.php +++ b/tests/codeigniter/libraries/Encryption_test.php @@ -240,6 +240,10 @@ public function test__mcrypt_get_handle() { return $this->markTestSkipped('Cannot test MCrypt because it is not available.'); } + elseif (version_compare(PHP_VERSION, '7.1.0-alpha', '>=')) + { + return $this->markTestSkipped('ext/mcrypt is deprecated since PHP 7.1 and will generate notices here.'); + } $this->assertTrue(is_resource($this->encryption->__driver_get_handle('mcrypt', 'rijndael-128', 'cbc'))); } @@ -274,6 +278,10 @@ public function test_portability() $this->markTestSkipped('Both MCrypt and OpenSSL support are required for portability tests.'); return; } + elseif (version_compare(PHP_VERSION, '7.1.0-alpha', '>=')) + { + return $this->markTestSkipped('ext/mcrypt is deprecated since PHP 7.1 and will generate notices here.'); + } $message = 'This is a message encrypted via MCrypt and decrypted via OpenSSL, or vice-versa.'; @@ -377,4 +385,4 @@ public function test_magic_get() $this->assertEquals('stream', $this->encryption->mode); } -} \ No newline at end of file +} From aed367157d396c8320e278d74227664e0af43d51 Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Mon, 22 Aug 2016 19:04:27 +0800 Subject: [PATCH 2875/3829] Standard: filtering "resource" type in hex2bin() Signed-off-by: tianhe1986 --- system/core/compat/standard.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/compat/standard.php b/system/core/compat/standard.php index c839c9bc939..6b7caa48524 100644 --- a/system/core/compat/standard.php +++ b/system/core/compat/standard.php @@ -153,7 +153,7 @@ function array_column(array $array, $column_key, $index_key = NULL) */ function hex2bin($data) { - if (in_array($type = gettype($data), array('array', 'double', 'object'), TRUE)) + if (in_array($type = gettype($data), array('array', 'double', 'object', 'resource'), TRUE)) { if ($type === 'object' && method_exists($data, '__toString')) { From fa1ca8bdee7021a67f58a5278900266c16ef7cd7 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 22 Aug 2016 14:13:54 +0300 Subject: [PATCH 2876/3829] Merge pull request #4780 from tianhe1986/develop_standard_hex2bin [ci skip] Trigger error for "resource" type in hex2bin() inputs --- system/core/compat/standard.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/compat/standard.php b/system/core/compat/standard.php index c839c9bc939..6b7caa48524 100644 --- a/system/core/compat/standard.php +++ b/system/core/compat/standard.php @@ -153,7 +153,7 @@ function array_column(array $array, $column_key, $index_key = NULL) */ function hex2bin($data) { - if (in_array($type = gettype($data), array('array', 'double', 'object'), TRUE)) + if (in_array($type = gettype($data), array('array', 'double', 'object', 'resource'), TRUE)) { if ($type === 'object' && method_exists($data, '__toString')) { From 5ecf4f91caba105128405b784ceac93c1af69362 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 22 Aug 2016 14:16:33 +0300 Subject: [PATCH 2877/3829] [ci skip] Add changelog entry for PR #4780 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 97b4d254d76..aa9af21b671 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -22,6 +22,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4759) - :doc:`Form Validation `, :doc:`Trackback ` and `XML-RPC ` libraries treated URI schemes in a case-sensitive manner. - Fixed a bug (#4762) - :doc:`Cache Library ` 'file' driver method ``get_metadata()`` checked TTL time against ``mtime`` instead of the cache item's creation time. - Fixed a bug where :doc:`File Uploading Library ` generated error messages on PHP 7.1. +- Fixed a bug (#4780) - :doc:`compatibility function ` ``hex2bin()`` didn't reject inputs of type "resource". Version 3.1.0 ============= From 24ad2dd11ed66bafe3a8a9224b310d7e4b005446 Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Tue, 23 Aug 2016 17:44:21 +0800 Subject: [PATCH 2878/3829] Hash: processing algorithm name case-insensitively in hash_pbkdf2(): Signed-off-by: tianhe1986 --- system/core/compat/hash.php | 1 + 1 file changed, 1 insertion(+) diff --git a/system/core/compat/hash.php b/system/core/compat/hash.php index 6854e4c2689..6d4a0c19a1f 100644 --- a/system/core/compat/hash.php +++ b/system/core/compat/hash.php @@ -119,6 +119,7 @@ function hash_equals($known_string, $user_string) */ function hash_pbkdf2($algo, $password, $salt, $iterations, $length = 0, $raw_output = FALSE) { + $algo = strtolower($algo); if ( ! in_array($algo, hash_algos(), TRUE)) { trigger_error('hash_pbkdf2(): Unknown hashing algorithm: '.$algo, E_USER_WARNING); From 1de09516123b4ca1caeef667d58261105d854ffe Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Tue, 23 Aug 2016 18:21:35 +0800 Subject: [PATCH 2879/3829] Move strtolower() inside the is_array() check, Signed-off-by: tianhe1986 --- system/core/compat/hash.php | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/system/core/compat/hash.php b/system/core/compat/hash.php index 6d4a0c19a1f..d567d0f80e3 100644 --- a/system/core/compat/hash.php +++ b/system/core/compat/hash.php @@ -119,8 +119,7 @@ function hash_equals($known_string, $user_string) */ function hash_pbkdf2($algo, $password, $salt, $iterations, $length = 0, $raw_output = FALSE) { - $algo = strtolower($algo); - if ( ! in_array($algo, hash_algos(), TRUE)) + if ( ! in_array(strtolower($algo), hash_algos(), TRUE)) { trigger_error('hash_pbkdf2(): Unknown hashing algorithm: '.$algo, E_USER_WARNING); return FALSE; From a9d83fb0ddef91f0fb386cbe8bdb9cef69ca2af3 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 23 Aug 2016 14:07:11 +0300 Subject: [PATCH 2880/3829] Merge pull request #4781 from tianhe1986/develop_hash_pbkdf2 Hash: processing algorithm name case-insensitively in hash_pbkdf2() --- system/core/compat/hash.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/compat/hash.php b/system/core/compat/hash.php index 6854e4c2689..d567d0f80e3 100644 --- a/system/core/compat/hash.php +++ b/system/core/compat/hash.php @@ -119,7 +119,7 @@ function hash_equals($known_string, $user_string) */ function hash_pbkdf2($algo, $password, $salt, $iterations, $length = 0, $raw_output = FALSE) { - if ( ! in_array($algo, hash_algos(), TRUE)) + if ( ! in_array(strtolower($algo), hash_algos(), TRUE)) { trigger_error('hash_pbkdf2(): Unknown hashing algorithm: '.$algo, E_USER_WARNING); return FALSE; From 27210ea42f3aea0d2e52b2738181f3fb1170775e Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Ant=C3=B4nio?= Date: Fri, 26 Aug 2016 17:00:23 -0300 Subject: [PATCH 2881/3829] fix typo --- system/core/Security.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Security.php b/system/core/Security.php index a2907009550..3a5da4fde3c 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -230,7 +230,7 @@ public function csrf_verify() $this->csrf_show_error(); } - // We kill this since we're done and we don't want to polute the _POST array + // We kill this since we're done and we don't want to pollute the _POST array unset($_POST[$this->_csrf_token_name]); // Regenerate on every submission? From 1d0bd83d0f4b9f133bf9657113fc50d57d767762 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 29 Aug 2016 14:14:54 +0300 Subject: [PATCH 2882/3829] Merge pull request #4785 from guitarrist/develop [ci skip] Fix a comment typo --- system/core/Security.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/core/Security.php b/system/core/Security.php index a2907009550..3a5da4fde3c 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -230,7 +230,7 @@ public function csrf_verify() $this->csrf_show_error(); } - // We kill this since we're done and we don't want to polute the _POST array + // We kill this since we're done and we don't want to pollute the _POST array unset($_POST[$this->_csrf_token_name]); // Regenerate on every submission? From 0abc0dfca3c4e9e17da07edc864e009c13222174 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 29 Aug 2016 15:15:49 +0300 Subject: [PATCH 2883/3829] Fix #4787 --- system/libraries/Form_validation.php | 4 ++-- user_guide_src/source/changelog.rst | 1 + 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 61f0298fdb7..c39b65d8924 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -1229,9 +1229,9 @@ public function valid_url(https://github.com/$str) */ public function valid_email($str) { - if (function_exists('idn_to_ascii') && $atpos = strpos($str, '@')) + if (function_exists('idn_to_ascii') && sscanf($str, '%[^@]@%s', $name, $domain) === 2) { - $str = substr($str, 0, ++$atpos).idn_to_ascii(substr($str, $atpos)); + $str = $name.'@'.idn_to_ascii($domain); } return (bool) filter_var($str, FILTER_VALIDATE_EMAIL); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index aa9af21b671..5bdcda93465 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -23,6 +23,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4762) - :doc:`Cache Library ` 'file' driver method ``get_metadata()`` checked TTL time against ``mtime`` instead of the cache item's creation time. - Fixed a bug where :doc:`File Uploading Library ` generated error messages on PHP 7.1. - Fixed a bug (#4780) - :doc:`compatibility function ` ``hex2bin()`` didn't reject inputs of type "resource". +- Fixed a bug (#4787) - :doc:`Form Validation Library ` method ``valid_email()`` triggered ``E_WARNING`` when input emails have empty domain names. Version 3.1.0 ============= From 19d033c5e32b0ab61041381c76b34f972513e525 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?=C3=89derson=20T=2E=20Szlachta?= Date: Mon, 29 Aug 2016 19:04:34 -0300 Subject: [PATCH 2884/3829] OpenOffice mime-types According to IANA media types : http://www.iana.org/assignments/media-types/media-types.xhtml --- application/config/mimes.php | 18 +++++++++++++++++- 1 file changed, 17 insertions(+), 1 deletion(-) diff --git a/application/config/mimes.php b/application/config/mimes.php index 8bac8725111..01765333512 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -163,5 +163,21 @@ 'vcf' => 'text/x-vcard', 'srt' => array('text/srt', 'text/plain'), 'vtt' => array('text/vtt', 'text/plain'), - 'ico' => array('image/x-icon', 'image/x-ico', 'image/vnd.microsoft.icon') + 'ico' => array('image/x-icon', 'image/x-ico', 'image/vnd.microsoft.icon'), + 'odc' => 'application/vnd.oasis.opendocument.chart', + 'otc' => 'application/vnd.oasis.opendocument.chart-template', + 'odf' => 'application/vnd.oasis.opendocument.formula', + 'otf' => 'application/vnd.oasis.opendocument.formula-template', + 'odg' => 'application/vnd.oasis.opendocument.graphics', + 'otg' => 'application/vnd.oasis.opendocument.graphics-template', + 'odi' => 'application/vnd.oasis.opendocument.image', + 'oti' => 'application/vnd.oasis.opendocument.image-template', + 'odp' => 'application/vnd.oasis.opendocument.presentation', + 'otp' => 'application/vnd.oasis.opendocument.presentation-template', + 'ods' => 'application/vnd.oasis.opendocument.spreadsheet', + 'ots' => 'application/vnd.oasis.opendocument.spreadsheet-template', + 'odt' => 'application/vnd.oasis.opendocument.text', + 'odm' => 'application/vnd.oasis.opendocument.text-master', + 'ott' => 'application/vnd.oasis.opendocument.text-template', + 'oth' => 'application/vnd.oasis.opendocument.text-web' ); From a70b9614e71c0060700ab99bfa752fa2b9fafaed Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 30 Aug 2016 10:58:19 +0300 Subject: [PATCH 2885/3829] Merge pull request #4788 from edtsz/patch-2 Add OpenOffice mime-types to config/mimes.php --- application/config/mimes.php | 18 +++++++++++++++++- 1 file changed, 17 insertions(+), 1 deletion(-) diff --git a/application/config/mimes.php b/application/config/mimes.php index 8bac8725111..01765333512 100644 --- a/application/config/mimes.php +++ b/application/config/mimes.php @@ -163,5 +163,21 @@ 'vcf' => 'text/x-vcard', 'srt' => array('text/srt', 'text/plain'), 'vtt' => array('text/vtt', 'text/plain'), - 'ico' => array('image/x-icon', 'image/x-ico', 'image/vnd.microsoft.icon') + 'ico' => array('image/x-icon', 'image/x-ico', 'image/vnd.microsoft.icon'), + 'odc' => 'application/vnd.oasis.opendocument.chart', + 'otc' => 'application/vnd.oasis.opendocument.chart-template', + 'odf' => 'application/vnd.oasis.opendocument.formula', + 'otf' => 'application/vnd.oasis.opendocument.formula-template', + 'odg' => 'application/vnd.oasis.opendocument.graphics', + 'otg' => 'application/vnd.oasis.opendocument.graphics-template', + 'odi' => 'application/vnd.oasis.opendocument.image', + 'oti' => 'application/vnd.oasis.opendocument.image-template', + 'odp' => 'application/vnd.oasis.opendocument.presentation', + 'otp' => 'application/vnd.oasis.opendocument.presentation-template', + 'ods' => 'application/vnd.oasis.opendocument.spreadsheet', + 'ots' => 'application/vnd.oasis.opendocument.spreadsheet-template', + 'odt' => 'application/vnd.oasis.opendocument.text', + 'odm' => 'application/vnd.oasis.opendocument.text-master', + 'ott' => 'application/vnd.oasis.opendocument.text-template', + 'oth' => 'application/vnd.oasis.opendocument.text-web' ); From 9dc8cacf71ed228452da451b2cf216a4fa6c1cd1 Mon Sep 17 00:00:00 2001 From: intekhab Date: Fri, 9 Sep 2016 15:53:40 +0530 Subject: [PATCH 2886/3829] supplied flag to turn off mysqli SSL verification if ssl_verify passed as false --- system/database/drivers/mysqli/mysqli_driver.php | 1 + 1 file changed, 1 insertion(+) diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index c26f975c409..2dc2a97102b 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -184,6 +184,7 @@ public function db_connect($persistent = FALSE) elseif (defined('MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT')) { $this->_mysqli->options(MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT, TRUE); + $client_flags |= MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT; } } From 24bd981e2fdbb22064f3d89c81367f69f9e52f6a Mon Sep 17 00:00:00 2001 From: intekhab Date: Fri, 9 Sep 2016 17:45:02 +0530 Subject: [PATCH 2887/3829] Removed mysqli options function for ssl certificate verification false --- system/database/drivers/mysqli/mysqli_driver.php | 1 - 1 file changed, 1 deletion(-) diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 2dc2a97102b..cf931a35130 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -183,7 +183,6 @@ public function db_connect($persistent = FALSE) // https://bugs.php.net/bug.php?id=68344 elseif (defined('MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT')) { - $this->_mysqli->options(MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT, TRUE); $client_flags |= MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT; } } From 676072ea1a1d5806c19cd0f76aaf9b6bf48d2741 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 9 Sep 2016 15:33:09 +0300 Subject: [PATCH 2888/3829] Merge pull request #4805 from intekhabrizvi/develop Use MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT as a connection flag instead of option --- system/database/drivers/mysqli/mysqli_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index f4597c74636..4a14eea9314 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -183,7 +183,7 @@ public function db_connect($persistent = FALSE) // https://bugs.php.net/bug.php?id=68344 elseif (defined('MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT')) { - $this->_mysqli->options(MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT, TRUE); + $client_flags |= MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT; } } From 8c61ec2fb48dc75a19a594c5c704e6f8e186357d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 9 Sep 2016 15:35:26 +0300 Subject: [PATCH 2889/3829] [ci skip] Add changelog entry for PR #4805 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 5bdcda93465..51de7b7abec 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -24,6 +24,7 @@ Bug fixes for 3.1.1 - Fixed a bug where :doc:`File Uploading Library ` generated error messages on PHP 7.1. - Fixed a bug (#4780) - :doc:`compatibility function ` ``hex2bin()`` didn't reject inputs of type "resource". - Fixed a bug (#4787) - :doc:`Form Validation Library ` method ``valid_email()`` triggered ``E_WARNING`` when input emails have empty domain names. +- Fixed a bug (#4805) - :doc:`Database ` driver 'mysqli' didn't use the ``MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT`` flag properly. Version 3.1.0 ============= From c771ea6e0dd663e95ccbb9792a5dc82f0eb67939 Mon Sep 17 00:00:00 2001 From: Hex Date: Mon, 12 Sep 2016 14:30:56 +0800 Subject: [PATCH 2890/3829] Fix small doc problem. --- user_guide_src/source/installation/upgrade_210.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/installation/upgrade_210.rst b/user_guide_src/source/installation/upgrade_210.rst index 866dcf4aefa..42143545239 100644 --- a/user_guide_src/source/installation/upgrade_210.rst +++ b/user_guide_src/source/installation/upgrade_210.rst @@ -17,10 +17,10 @@ Step 2: Replace config/mimes.php ================================ This config file has been updated to contain more user agent types, -please copy it to _application/config/mimes.php*. +please copy it to *application/config/mimes.php*. Step 3: Update your user guide ============================== Please also replace your local copy of the user guide with the new -version. \ No newline at end of file +version. From 5f693cb38769b973f89cb8a40b43bb15ef3cd9cf Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 12 Sep 2016 12:35:57 +0300 Subject: [PATCH 2891/3829] Merge pull request #4806 from hex-ci/patch-1 [ci skip] Fix formatting in 2.1.0 upgrade instructions --- user_guide_src/source/installation/upgrade_210.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/installation/upgrade_210.rst b/user_guide_src/source/installation/upgrade_210.rst index 866dcf4aefa..42143545239 100644 --- a/user_guide_src/source/installation/upgrade_210.rst +++ b/user_guide_src/source/installation/upgrade_210.rst @@ -17,10 +17,10 @@ Step 2: Replace config/mimes.php ================================ This config file has been updated to contain more user agent types, -please copy it to _application/config/mimes.php*. +please copy it to *application/config/mimes.php*. Step 3: Update your user guide ============================== Please also replace your local copy of the user guide with the new -version. \ No newline at end of file +version. From 442ea6861a5fdfb9780e79b00875e55cdab3f6ff Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 16 Sep 2016 11:51:25 +0300 Subject: [PATCH 2892/3829] [ci skip] Fix #4808 --- system/database/drivers/odbc/odbc_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php | 2 +- system/database/drivers/postgre/postgre_driver.php | 2 +- user_guide_src/source/changelog.rst | 1 + 5 files changed, 5 insertions(+), 4 deletions(-) diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index 63df2963de9..dbce1cf79ff 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -298,7 +298,7 @@ protected function _trans_rollback() */ public function is_write_type($sql) { - if (preg_match('#^(INSERT|UPDATE).*RETURNING\s.+(\,\s?.+)*$#i', $sql)) + if (preg_match('#^(INSERT|UPDATE).*RETURNING\s.+(\,\s?.+)*$#is', $sql)) { return FALSE; } diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php index 82554ec8029..ebe1ed6f0b0 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php @@ -181,7 +181,7 @@ protected function _escape_str($str) */ public function is_write_type($sql) { - if (preg_match('#^(INSERT|UPDATE).*RETURNING\s.+(\,\s?.+)*$#i', $sql)) + if (preg_match('#^(INSERT|UPDATE).*RETURNING\s.+(\,\s?.+)*$#is', $sql)) { return FALSE; } diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php index ee8f76348cb..9483d24571c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php @@ -154,7 +154,7 @@ public function insert_id($name = NULL) */ public function is_write_type($sql) { - if (preg_match('#^(INSERT|UPDATE).*RETURNING\s.+(\,\s?.+)*$#i', $sql)) + if (preg_match('#^(INSERT|UPDATE).*RETURNING\s.+(\,\s?.+)*$#is', $sql)) { return FALSE; } diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index 58d4451874e..dfd87f95ad6 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -288,7 +288,7 @@ protected function _trans_rollback() */ public function is_write_type($sql) { - if (preg_match('#^(INSERT|UPDATE).*RETURNING\s.+(\,\s?.+)*$#i', $sql)) + if (preg_match('#^(INSERT|UPDATE).*RETURNING\s.+(\,\s?.+)*$#is', $sql)) { return FALSE; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 51de7b7abec..2c8a131ff33 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -25,6 +25,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4780) - :doc:`compatibility function ` ``hex2bin()`` didn't reject inputs of type "resource". - Fixed a bug (#4787) - :doc:`Form Validation Library ` method ``valid_email()`` triggered ``E_WARNING`` when input emails have empty domain names. - Fixed a bug (#4805) - :doc:`Database ` driver 'mysqli' didn't use the ``MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT`` flag properly. +- Fixed a bug (#4808) - :doc:`Database ` method ``is_write_type()`` only looked at the first line of a queries using ``RETURNING`` with the 'postgre', 'pdo/pgsql', 'odbc' and 'pdo/odbc' drivers. Version 3.1.0 ============= From 0a4dd844b8a3d6edb7712d3bb4edf1b4f0e9dc4c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 16 Sep 2016 12:06:40 +0300 Subject: [PATCH 2893/3829] [ci skip] Don't try to insert_batch() when we know it's not supported on Firebird --- system/database/drivers/ibase/ibase_driver.php | 17 +++++++++++++++++ .../pdo/subdrivers/pdo_firebird_driver.php | 16 ++++++++++++++++ user_guide_src/source/changelog.rst | 1 + 3 files changed, 34 insertions(+) diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php index c1055c1e6a8..671a353bc1e 100644 --- a/system/database/drivers/ibase/ibase_driver.php +++ b/system/database/drivers/ibase/ibase_driver.php @@ -383,6 +383,23 @@ protected function _limit($sql) // -------------------------------------------------------------------- + /** + * Insert batch statement + * + * Generates a platform-specific insert string from the supplied data. + * + * @param string $table Table name + * @param array $keys INSERT keys + * @param array $values INSERT values + * @return string|bool + */ + protected function _insert_batch($table, $keys, $values) + { + return ($this->db->db_debug) ? $this->db->display_error('db_unsupported_feature') : FALSE; + } + + // -------------------------------------------------------------------- + /** * Close DB Connection * diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php index 96dcc5ec172..7811d3da4f8 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php @@ -260,4 +260,20 @@ protected function _limit($sql) return preg_replace('`SELECT`i', 'SELECT '.$select, $sql); } + // -------------------------------------------------------------------- + + /** + * Insert batch statement + * + * Generates a platform-specific insert string from the supplied data. + * + * @param string $table Table name + * @param array $keys INSERT keys + * @param array $values INSERT values + * @return string|bool + */ + protected function _insert_batch($table, $keys, $values) + { + return ($this->db->db_debug) ? $this->db->display_error('db_unsupported_feature') : FALSE; + } } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 2c8a131ff33..d99e4427622 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -26,6 +26,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4787) - :doc:`Form Validation Library ` method ``valid_email()`` triggered ``E_WARNING`` when input emails have empty domain names. - Fixed a bug (#4805) - :doc:`Database ` driver 'mysqli' didn't use the ``MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT`` flag properly. - Fixed a bug (#4808) - :doc:`Database ` method ``is_write_type()`` only looked at the first line of a queries using ``RETURNING`` with the 'postgre', 'pdo/pgsql', 'odbc' and 'pdo/odbc' drivers. +- Fixed a bug where :doc:`Query Builder ` method ``insert_batch()`` tried to execute an unsupported SQL query with the 'ibase' and 'pdo/firebird' drivers. Version 3.1.0 ============= From fd8d3987226bcde81db0682eee9c9acca0beb9a1 Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Sun, 25 Sep 2016 19:52:58 +0300 Subject: [PATCH 2894/3829] - captcha helper uses now filemtime to get file timestamp - captcha generated files are a sha1 of current timestamp and word - changed the usage of microtime to time, as this is a more realistic approach Signed-off-by: George Petculescu --- system/helpers/captcha_helper.php | 9 +++++---- 1 file changed, 5 insertions(+), 4 deletions(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index 3c1e006f8b5..c2a1dcfbd17 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -105,12 +105,13 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = // Remove old images // ----------------------------------- - $now = microtime(TRUE); + $now = time(); $current_dir = @opendir($img_path); while ($filename = @readdir($current_dir)) { - if (substr($filename, -4) === '.jpg' && (str_replace('.jpg', '', $filename) + $expiration) < $now) + if (in_array(substr($filename, -4), array('.jpg', '.png')) + && (filemtime($img_path.$filename) + $expiration) < $now) { @unlink($img_path.$filename); } @@ -319,12 +320,12 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = if (function_exists('imagejpeg')) { - $img_filename = $now.'.jpg'; + $img_filename = sha1($now.$word).'.jpg'; imagejpeg($im, $img_path.$img_filename); } elseif (function_exists('imagepng')) { - $img_filename = $now.'.png'; + $img_filename = sha1($now.$word).'.png'; imagepng($im, $img_path.$img_filename); } else From 8d684c23364f2fd28700e0a5ae2e90dd7fab61fe Mon Sep 17 00:00:00 2001 From: Edwin Smulders Date: Tue, 27 Sep 2016 11:02:39 +0200 Subject: [PATCH 2895/3829] Remove inline styles from hidden form input This change fixes console errors when using a CSP header that disables inline styles. --- system/helpers/form_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 8825ecc2c4e..aa7379f77bf 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -100,7 +100,7 @@ function form_open($action = '', $attributes = array(), $hidden = array()) { foreach ($hidden as $name => $value) { - $form .= ''."\n"; + $form .= ''."\n"; } } From 7a49c0b0f12121be39001a13a97bd608f6a30a7a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 27 Sep 2016 14:00:26 +0300 Subject: [PATCH 2896/3829] Merge pull request #4810 from Dutchy-/patch-1 Remove inline style from form_open() hidden fields --- system/helpers/form_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 8825ecc2c4e..aa7379f77bf 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -100,7 +100,7 @@ function form_open($action = '', $attributes = array(), $hidden = array()) { foreach ($hidden as $name => $value) { - $form .= ''."\n"; + $form .= ''."\n"; } } From 8a15f5af819424087b6676709d98de6fa5fc6115 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 27 Sep 2016 14:12:05 +0300 Subject: [PATCH 2897/3829] Fix #4809 --- .../pdo/subdrivers/pdo_mysql_driver.php | 49 +++++++++++++++++++ user_guide_src/source/changelog.rst | 1 + 2 files changed, 50 insertions(+) diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index 3631cdf7a61..6452b787bfd 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -215,6 +215,55 @@ public function db_select($database = '') // -------------------------------------------------------------------- + /** + * Begin Transaction + * + * @return bool + */ + protected function _trans_begin() + { + $this->conn_id->setAttribute(PDO::ATTR_AUTOCOMMIT, FALSE); + return $this->conn_id->beginTransaction(); + } + + // -------------------------------------------------------------------- + + /** + * Commit Transaction + * + * @return bool + */ + protected function _trans_commit() + { + if ($this->conn_id->commit()) + { + $this->conn_id->setAttribute(PDO::ATTR_AUTOCOMMIT, TRUE); + return TRUE; + } + + return FALSE; + } + + // -------------------------------------------------------------------- + + /** + * Rollback Transaction + * + * @return bool + */ + protected function _trans_rollback() + { + if ($this->conn_id->rollBack()) + { + $this->conn_id->setAttribute(PDO::ATTR_AUTOCOMMIT, TRUE); + return TRUE; + } + + return FALSE; + } + + // -------------------------------------------------------------------- + /** * Show table query * diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d99e4427622..d41e79945e4 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -27,6 +27,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4805) - :doc:`Database ` driver 'mysqli' didn't use the ``MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT`` flag properly. - Fixed a bug (#4808) - :doc:`Database ` method ``is_write_type()`` only looked at the first line of a queries using ``RETURNING`` with the 'postgre', 'pdo/pgsql', 'odbc' and 'pdo/odbc' drivers. - Fixed a bug where :doc:`Query Builder ` method ``insert_batch()`` tried to execute an unsupported SQL query with the 'ibase' and 'pdo/firebird' drivers. +- Fixed a bug (#4809) - :doc:`Database ` driver 'pdo/mysql' didn't turn off ``AUTOCOMMIT`` when starting a transaction. Version 3.1.0 ============= From eea02de557834006c5d6a0bfccca7f39e75bf3a8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 27 Sep 2016 14:59:37 +0300 Subject: [PATCH 2898/3829] Fix entity_decode() issue --- system/core/Security.php | 39 +++++++++++++----------- tests/codeigniter/core/Security_test.php | 6 ++++ user_guide_src/source/changelog.rst | 4 +++ 3 files changed, 32 insertions(+), 17 deletions(-) diff --git a/system/core/Security.php b/system/core/Security.php index 3a5da4fde3c..4a69daa181b 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -669,6 +669,22 @@ public function entity_decode($str, $charset = NULL) ? ENT_COMPAT | ENT_HTML5 : ENT_COMPAT; + if ( ! isset($_entities)) + { + $_entities = array_map('strtolower', get_html_translation_table(HTML_ENTITIES, $flag, $charset)); + + // If we're not on PHP 5.4+, add the possibly dangerous HTML 5 + // entities to the array manually + if ($flag === ENT_COMPAT) + { + $_entities[':'] = ':'; + $_entities['('] = '('; + $_entities[')'] = ')'; + $_entities["\n"] = ' '; + $_entities["\t"] = ' '; + } + } + do { $str_compare = $str; @@ -676,22 +692,6 @@ public function entity_decode($str, $charset = NULL) // Decode standard entities, avoiding false positives if (preg_match_all('/&[a-z]{2,}(?![a-z;])/i', $str, $matches)) { - if ( ! isset($_entities)) - { - $_entities = array_map('strtolower', get_html_translation_table(HTML_ENTITIES, $flag, $charset)); - - // If we're not on PHP 5.4+, add the possibly dangerous HTML 5 - // entities to the array manually - if ($flag === ENT_COMPAT) - { - $_entities[':'] = ':'; - $_entities['('] = '('; - $_entities[')'] = ')'; - $_entities["\n"] = '&newline;'; - $_entities["\t"] = '&tab;'; - } - } - $replace = array(); $matches = array_unique(array_map('strtolower', $matches[0])); foreach ($matches as &$match) @@ -702,7 +702,7 @@ public function entity_decode($str, $charset = NULL) } } - $str = str_ireplace(array_keys($replace), array_values($replace), $str); + $str = str_replace(array_keys($replace), array_values($replace), $str); } // Decode numeric & UTF16 two byte entities @@ -711,6 +711,11 @@ public function entity_decode($str, $charset = NULL) $flag, $charset ); + + if ($flag === ENT_COMPAT) + { + $str = str_replace(array_values($_entities), array_keys($_entities), $str); + } } while ($str_compare !== $str); return $str; diff --git a/tests/codeigniter/core/Security_test.php b/tests/codeigniter/core/Security_test.php index 8328c37cbc9..cbf0285ecd9 100644 --- a/tests/codeigniter/core/Security_test.php +++ b/tests/codeigniter/core/Security_test.php @@ -270,6 +270,12 @@ public function test_entity_decode() $this->assertEquals('
Hello Booya
', $decoded); + $this->assertEquals('colon:', $this->security->entity_decode('colon:')); + $this->assertEquals("NewLine\n", $this->security->entity_decode('NewLine ')); + $this->assertEquals("Tab\t", $this->security->entity_decode('Tab ')); + $this->assertEquals("lpar(", $this->security->entity_decode('lpar(')); + $this->assertEquals("rpar)", $this->security->entity_decode('rpar)')); + // Issue #3057 (https://github.com/bcit-ci/CodeIgniter/issues/3057) $this->assertEquals( '&foo should not include a semicolon', diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d41e79945e4..a0ed34a2f03 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,10 @@ Version 3.1.1 Release Date: Not Released +- **Security** + + - Fixed a flaw in :doc:`Security Library ` method ``entity_decode()`` (used by ``xss_clean()``) that affects HTML 5 entities when using PHP 5.3. + - General Changes - Added ``E_PARSE`` to the list of error levels detected by the shutdown handler. From 7ed227b9075498e307c91a3ae0345755f935a520 Mon Sep 17 00:00:00 2001 From: logach Date: Tue, 27 Sep 2016 15:56:22 +0300 Subject: [PATCH 2899/3829] Add database index by default Select database if exists --- system/libraries/Cache/drivers/Cache_redis.php | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index ec443243791..2d1ead45213 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -58,7 +58,8 @@ class CI_Cache_redis extends CI_Driver 'host' => '127.0.0.1', 'password' => NULL, 'port' => 6379, - 'timeout' => 0 + 'timeout' => 0, + 'database' => 0 ); /** @@ -113,6 +114,11 @@ public function __construct() { log_message('error', 'Cache: Redis authentication failed.'); } + + if (isset($config['database']) && $config['database'] > 0 && ! $this->_redis->select($config['database'])) + { + log_message('error', 'Cache: Redis select database failed.'); + } } catch (RedisException $e) { From 49ef8402ffed15fd7d6cbf18f0dd5b04352344dd Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 27 Sep 2016 16:36:37 +0300 Subject: [PATCH 2900/3829] [ci skip] Add changelog entry for PR #4821 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 35dc7647624..484e6a13b90 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -18,6 +18,7 @@ Release Date: Not Released - :doc:`Cache Library ` changes include: - Added UNIX socket connection support to the 'memcached' driver. + - Added 'database' configuration option to the 'redis' driver, allowing to auto-select another database. - Changed the 'memcached' driver to ignore configurations that don't specify a hostname. - Removed the *socket_type* configuration setting from the 'redis' driver. - Changed data serialization logic in 'redis' driver for better performance. From 6ed047335d216a74162aab488002239235dfe95e Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Tue, 27 Sep 2016 20:07:58 +0300 Subject: [PATCH 2901/3829] - revert --- system/helpers/captcha_helper.php | 9 ++++----- 1 file changed, 4 insertions(+), 5 deletions(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index c2a1dcfbd17..3c1e006f8b5 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -105,13 +105,12 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = // Remove old images // ----------------------------------- - $now = time(); + $now = microtime(TRUE); $current_dir = @opendir($img_path); while ($filename = @readdir($current_dir)) { - if (in_array(substr($filename, -4), array('.jpg', '.png')) - && (filemtime($img_path.$filename) + $expiration) < $now) + if (substr($filename, -4) === '.jpg' && (str_replace('.jpg', '', $filename) + $expiration) < $now) { @unlink($img_path.$filename); } @@ -320,12 +319,12 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = if (function_exists('imagejpeg')) { - $img_filename = sha1($now.$word).'.jpg'; + $img_filename = $now.'.jpg'; imagejpeg($im, $img_path.$img_filename); } elseif (function_exists('imagepng')) { - $img_filename = sha1($now.$word).'.png'; + $img_filename = $now.'.png'; imagepng($im, $img_path.$img_filename); } else From 89eb04b5f09f4d7fb2d319e417bc188f0ed915d0 Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Tue, 27 Sep 2016 20:25:43 +0300 Subject: [PATCH 2902/3829] - captcha helper will now look for .png files too when deleting old files --- system/helpers/captcha_helper.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index 3c1e006f8b5..f6c42b4f707 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -110,7 +110,8 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = $current_dir = @opendir($img_path); while ($filename = @readdir($current_dir)) { - if (substr($filename, -4) === '.jpg' && (str_replace('.jpg', '', $filename) + $expiration) < $now) + if (in_array(substr($filename, -4), array('.jpg', '.png')) + && (str_replace(array('.jpg', '.png'), '', $filename) + $expiration) < $now) { @unlink($img_path.$filename); } From f394b9e0a764d47532363cae8f3e491718fcf8fa Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Tue, 27 Sep 2016 20:28:24 +0300 Subject: [PATCH 2903/3829] - fixed identation --- system/helpers/captcha_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index f6c42b4f707..f2ff4dccf14 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -111,7 +111,7 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = while ($filename = @readdir($current_dir)) { if (in_array(substr($filename, -4), array('.jpg', '.png')) - && (str_replace(array('.jpg', '.png'), '', $filename) + $expiration) < $now) + && (str_replace(array('.jpg', '.png'), '', $filename) + $expiration) < $now) { @unlink($img_path.$filename); } From e36664c07896a9a9ef69daad5dc9f880ea08e5c4 Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Thu, 29 Sep 2016 00:01:59 +0300 Subject: [PATCH 2904/3829] - download helper uses better file buffering when the content of a local file is output'd --- system/helpers/download_helper.php | 16 +++++----------- 1 file changed, 5 insertions(+), 11 deletions(-) diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index a6463dfd754..3701e0b8b95 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -121,11 +121,6 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) $filename = implode('.', $x); } - if ($data === NULL && ($fp = @fopen($filepath, 'rb')) === FALSE) - { - return; - } - // Clean output buffer if (ob_get_level() !== 0 && @ob_end_clean() === FALSE) { @@ -146,13 +141,12 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) exit($data); } - // Flush 1MB chunks of data - while ( ! feof($fp) && ($data = fread($fp, 1048576)) !== FALSE) - { - echo $data; - } + // Flush the file + if (@readfile($filepath) === FALSE) + { + return; + } - fclose($fp); exit; } } From bdf21c4e4cae0c232661f783c2f7070a03a7a912 Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Thu, 29 Sep 2016 00:26:46 +0300 Subject: [PATCH 2905/3829] - reverting changes, wrong branch selected. --- system/helpers/download_helper.php | 16 +++++++++++----- 1 file changed, 11 insertions(+), 5 deletions(-) diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index 3701e0b8b95..a6463dfd754 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -121,6 +121,11 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) $filename = implode('.', $x); } + if ($data === NULL && ($fp = @fopen($filepath, 'rb')) === FALSE) + { + return; + } + // Clean output buffer if (ob_get_level() !== 0 && @ob_end_clean() === FALSE) { @@ -141,12 +146,13 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) exit($data); } - // Flush the file - if (@readfile($filepath) === FALSE) - { - return; - } + // Flush 1MB chunks of data + while ( ! feof($fp) && ($data = fread($fp, 1048576)) !== FALSE) + { + echo $data; + } + fclose($fp); exit; } } From 7e669e67636a1d5cb10fa4288cdb9b0c39ad2124 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 30 Sep 2016 12:23:03 +0300 Subject: [PATCH 2906/3829] Merge pull request #4822 from gxgpet/develop Fix PNG file deletion on captcha helper --- system/helpers/captcha_helper.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index 3c1e006f8b5..f2ff4dccf14 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -110,7 +110,8 @@ function create_captcha($data = '', $img_path = '', $img_url = '', $font_path = $current_dir = @opendir($img_path); while ($filename = @readdir($current_dir)) { - if (substr($filename, -4) === '.jpg' && (str_replace('.jpg', '', $filename) + $expiration) < $now) + if (in_array(substr($filename, -4), array('.jpg', '.png')) + && (str_replace(array('.jpg', '.png'), '', $filename) + $expiration) < $now) { @unlink($img_path.$filename); } From 386e8e0356a50b0f5ef18632533b9410613b9f65 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 30 Sep 2016 12:26:27 +0300 Subject: [PATCH 2907/3829] [ci skip] Add a changelog entry for #4822 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d41e79945e4..2f08de07236 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -28,6 +28,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4808) - :doc:`Database ` method ``is_write_type()`` only looked at the first line of a queries using ``RETURNING`` with the 'postgre', 'pdo/pgsql', 'odbc' and 'pdo/odbc' drivers. - Fixed a bug where :doc:`Query Builder ` method ``insert_batch()`` tried to execute an unsupported SQL query with the 'ibase' and 'pdo/firebird' drivers. - Fixed a bug (#4809) - :doc:`Database ` driver 'pdo/mysql' didn't turn off ``AUTOCOMMIT`` when starting a transaction. +- Fixed a bug (#4822) - :doc:`CAPTCHA Helper ` didn't clear expired PNG images. Version 3.1.0 ============= From 826b6196b748c2c1ccca0dbb5703fd50c600afa5 Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Fri, 30 Sep 2016 21:34:44 +0300 Subject: [PATCH 2908/3829] - download helper uses better file buffering when the content of a local file is output'd --- system/helpers/download_helper.php | 12 +++--------- 1 file changed, 3 insertions(+), 9 deletions(-) diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index a6463dfd754..7f5c2397a85 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -121,11 +121,6 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) $filename = implode('.', $x); } - if ($data === NULL && ($fp = @fopen($filepath, 'rb')) === FALSE) - { - return; - } - // Clean output buffer if (ob_get_level() !== 0 && @ob_end_clean() === FALSE) { @@ -146,13 +141,12 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) exit($data); } - // Flush 1MB chunks of data - while ( ! feof($fp) && ($data = fread($fp, 1048576)) !== FALSE) + // Flush the file + if (@readfile($filepath) === FALSE) { - echo $data; + return; } - fclose($fp); exit; } } From 8800fedd37be6fe4267ed7635fc536ff91a94c62 Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Sat, 1 Oct 2016 10:10:04 +0300 Subject: [PATCH 2909/3829] - small fix for HTML Table library: caption is not clearing properly and method chaining has been fixed for set_caption method. --- system/libraries/Table.php | 2 ++ user_guide_src/source/libraries/table.rst | 4 +++- 2 files changed, 5 insertions(+), 1 deletion(-) diff --git a/system/libraries/Table.php b/system/libraries/Table.php index 3bce294d8c4..37a639d1db5 100644 --- a/system/libraries/Table.php +++ b/system/libraries/Table.php @@ -277,6 +277,7 @@ protected function _prep_args($args) public function set_caption($caption) { $this->caption = $caption; + return $this; } // -------------------------------------------------------------------- @@ -426,6 +427,7 @@ public function clear() $this->rows = array(); $this->heading = array(); $this->auto_heading = TRUE; + $this->caption = NULL; return $this; } diff --git a/user_guide_src/source/libraries/table.rst b/user_guide_src/source/libraries/table.rst index 91ae1ae8dbd..fb6fefadbce 100644 --- a/user_guide_src/source/libraries/table.rst +++ b/user_guide_src/source/libraries/table.rst @@ -275,11 +275,12 @@ Class Reference :returns: CI_Table instance (method chaining) :rtype: CI_Table - Lets you clear the table heading and row data. If you need to show multiple tables with different data you should to call this method + Lets you clear the table heading, row data, and the caption. If you need to show multiple tables with different data you should to call this method after each table has been generated to clear the previous table information. Example:: $this->load->library('table'); + $this->table->set_caption('Preferences'); $this->table->set_heading('Name', 'Color', 'Size'); $this->table->add_row('Fred', 'Blue', 'Small'); $this->table->add_row('Mary', 'Red', 'Large'); @@ -289,6 +290,7 @@ Class Reference $this->table->clear(); + $this->table->set_caption('Shipping'); $this->table->set_heading('Name', 'Day', 'Delivery'); $this->table->add_row('Fred', 'Wednesday', 'Express'); $this->table->add_row('Mary', 'Monday', 'Air'); From 4cf8d4d4b2e4a5cb09b65a8ab4f6f4c2f59b4b1e Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Sat, 1 Oct 2016 10:11:33 +0300 Subject: [PATCH 2910/3829] - fixed codingstyle --- system/libraries/Table.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Table.php b/system/libraries/Table.php index 37a639d1db5..08e530800b9 100644 --- a/system/libraries/Table.php +++ b/system/libraries/Table.php @@ -427,7 +427,7 @@ public function clear() $this->rows = array(); $this->heading = array(); $this->auto_heading = TRUE; - $this->caption = NULL; + $this->caption = NULL; return $this; } From e67855fffea9496e2aaf8bdd1bdcc9a891986186 Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Sat, 1 Oct 2016 10:13:08 +0300 Subject: [PATCH 2911/3829] - fixed codingstyle (2) ... --- system/libraries/Table.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Table.php b/system/libraries/Table.php index 08e530800b9..2f1b3b41404 100644 --- a/system/libraries/Table.php +++ b/system/libraries/Table.php @@ -277,7 +277,7 @@ protected function _prep_args($args) public function set_caption($caption) { $this->caption = $caption; - return $this; + return $this; } // -------------------------------------------------------------------- From 103a4263fe8c2715f622355ee7d76114d015f242 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 3 Oct 2016 11:19:11 +0300 Subject: [PATCH 2912/3829] Fix #4823 --- .../Session/drivers/Session_files_driver.php | 27 +++++++++++++++++-- user_guide_src/source/changelog.rst | 1 + 2 files changed, 26 insertions(+), 2 deletions(-) diff --git a/system/libraries/Session/drivers/Session_files_driver.php b/system/libraries/Session/drivers/Session_files_driver.php index bf4df8b208f..5f05396c0cf 100644 --- a/system/libraries/Session/drivers/Session_files_driver.php +++ b/system/libraries/Session/drivers/Session_files_driver.php @@ -76,6 +76,13 @@ class CI_Session_files_driver extends CI_Session_driver implements SessionHandle */ protected $_file_new; + /** + * mbstring.func_override flag + * + * @var bool + */ + protected static $func_override; + // ------------------------------------------------------------------------ /** @@ -98,6 +105,8 @@ public function __construct(&$params) log_message('debug', 'Session: "sess_save_path" is empty; using "session.save_path" value from php.ini.'); $this->_config['save_path'] = rtrim(ini_get('session.save_path'), '/\\'); } + + isset(self::$func_override) OR self::$func_override = (extension_loaded('mbstring') && ini_get('mbstring.func_override')); } // ------------------------------------------------------------------------ @@ -187,7 +196,7 @@ public function read($session_id) } $session_data = ''; - for ($read = 0, $length = filesize($this->_file_path.$session_id); $read < $length; $read += strlen($buffer)) + for ($read = 0, $length = filesize($this->_file_path.$session_id); $read < $length; $read += self::strlen($buffer)) { if (($buffer = fread($this->_file_handle, $length - $read)) === FALSE) { @@ -368,4 +377,18 @@ public function gc($maxlifetime) return $this->_success; } -} \ No newline at end of file + // -------------------------------------------------------------------- + + /** + * Byte-safe strlen() + * + * @param string $str + * @return int + */ + protected static function strlen($str) + { + return (self::$func_override) + ? mb_strlen($str, '8bit') + : strlen($str); + } +} diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 2f08de07236..080b51c68f9 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -29,6 +29,7 @@ Bug fixes for 3.1.1 - Fixed a bug where :doc:`Query Builder ` method ``insert_batch()`` tried to execute an unsupported SQL query with the 'ibase' and 'pdo/firebird' drivers. - Fixed a bug (#4809) - :doc:`Database ` driver 'pdo/mysql' didn't turn off ``AUTOCOMMIT`` when starting a transaction. - Fixed a bug (#4822) - :doc:`CAPTCHA Helper ` didn't clear expired PNG images. +- Fixed a bug (#4823) - :doc:`Session Library ` 'files' driver could enter an infinite loop if ``mbstring.func_override`` is enabled. Version 3.1.0 ============= From 8dc32005f0364a07a0d472106e350826c651ea8d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 3 Oct 2016 11:19:49 +0300 Subject: [PATCH 2913/3829] [ci skip] Alter a docblock --- system/libraries/Encryption.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Encryption.php b/system/libraries/Encryption.php index 06284c2ed49..545081b3b76 100644 --- a/system/libraries/Encryption.php +++ b/system/libraries/Encryption.php @@ -907,7 +907,7 @@ public function __get($key) * Byte-safe strlen() * * @param string $str - * @return integer + * @return int */ protected static function strlen($str) { From bc838a9b08d6dae677ba036c2f640358843b14b2 Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Fri, 7 Oct 2016 17:56:31 +0300 Subject: [PATCH 2914/3829] - fixed small typo --- user_guide_src/source/libraries/table.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/table.rst b/user_guide_src/source/libraries/table.rst index fb6fefadbce..3cd120f953c 100644 --- a/user_guide_src/source/libraries/table.rst +++ b/user_guide_src/source/libraries/table.rst @@ -275,7 +275,7 @@ Class Reference :returns: CI_Table instance (method chaining) :rtype: CI_Table - Lets you clear the table heading, row data, and the caption. If you need to show multiple tables with different data you should to call this method + Lets you clear the table heading, row data and the caption. If you need to show multiple tables with different data you should to call this method after each table has been generated to clear the previous table information. Example:: $this->load->library('table'); From 7e302394b21ea16b2dce9c42d4431a180c4a58aa Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Ren=C3=A9=20de=20Kat?= Date: Mon, 10 Oct 2016 14:46:23 +0100 Subject: [PATCH 2915/3829] Updated list of words that aren't countable Updated list of words that are the same in plural and singular form in English. --- system/helpers/inflector_helper.php | 33 +++++++++++++++++++++++++++-- 1 file changed, 31 insertions(+), 2 deletions(-) diff --git a/system/helpers/inflector_helper.php b/system/helpers/inflector_helper.php index c064d8de470..6dc3b50308c 100644 --- a/system/helpers/inflector_helper.php +++ b/system/helpers/inflector_helper.php @@ -238,8 +238,37 @@ function is_countable($word) return ! in_array( strtolower($word), array( - 'equipment', 'information', 'rice', 'money', - 'species', 'series', 'fish', 'meta' + 'audio', + 'bison', + 'chassis', + 'compensation', + 'coreopsis', + 'data', + 'deer', + 'education', + 'emoji', + 'equipment', + 'fish', + 'furniture', + 'gold', + 'information', + 'knowledge', + 'love', + 'rain', + 'money', + 'moose', + 'nutrition', + 'offspring', + 'plankton', + 'pokemon', + 'police', + 'rice', + 'series', + 'sheep', + 'species', + 'swine', + 'traffic', + 'wheat', ) ); } From 6b33b232aa21f4db38ead696321287768751cfd1 Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Mon, 10 Oct 2016 19:25:25 +0300 Subject: [PATCH 2916/3829] - revert: set_caption method chaining will be fixed lately. --- system/libraries/Table.php | 1 - 1 file changed, 1 deletion(-) diff --git a/system/libraries/Table.php b/system/libraries/Table.php index 2f1b3b41404..c9851813a7b 100644 --- a/system/libraries/Table.php +++ b/system/libraries/Table.php @@ -277,7 +277,6 @@ protected function _prep_args($args) public function set_caption($caption) { $this->caption = $caption; - return $this; } // -------------------------------------------------------------------- From 727051267a83f6781745316ea4b749af09c8737f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 11 Oct 2016 15:18:40 +0300 Subject: [PATCH 2917/3829] Merge pull request #4834 from renedekat/patch-1 Updated list of words that aren't countable in is_countable() inflector helper --- system/helpers/inflector_helper.php | 33 +++++++++++++++++++++++++++-- 1 file changed, 31 insertions(+), 2 deletions(-) diff --git a/system/helpers/inflector_helper.php b/system/helpers/inflector_helper.php index c064d8de470..6dc3b50308c 100644 --- a/system/helpers/inflector_helper.php +++ b/system/helpers/inflector_helper.php @@ -238,8 +238,37 @@ function is_countable($word) return ! in_array( strtolower($word), array( - 'equipment', 'information', 'rice', 'money', - 'species', 'series', 'fish', 'meta' + 'audio', + 'bison', + 'chassis', + 'compensation', + 'coreopsis', + 'data', + 'deer', + 'education', + 'emoji', + 'equipment', + 'fish', + 'furniture', + 'gold', + 'information', + 'knowledge', + 'love', + 'rain', + 'money', + 'moose', + 'nutrition', + 'offspring', + 'plankton', + 'pokemon', + 'police', + 'rice', + 'series', + 'sheep', + 'species', + 'swine', + 'traffic', + 'wheat', ) ); } From 5e22caa8d00165a63999cd828739f71758fba4e2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 11 Oct 2016 15:20:27 +0300 Subject: [PATCH 2918/3829] [ci skip] Add changelog entry for PR #4834 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 080b51c68f9..07815e85154 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -10,6 +10,7 @@ Release Date: Not Released - General Changes - Added ``E_PARSE`` to the list of error levels detected by the shutdown handler. + - Updated :doc:`Inflector Helper ` function ``is_countable()`` with more words. Bug fixes for 3.1.1 ------------------- From f2f6d8a70ca35930da798c1e2da134c810a17158 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 11 Oct 2016 16:00:57 +0300 Subject: [PATCH 2919/3829] [ci skip] Add new HTTP status codes https://tools.ietf.org/html/rfc2817 https://tools.ietf.org/html/rfc6585 Requested in #4835 --- system/core/Common.php | 7 ++++++- user_guide_src/source/changelog.rst | 7 +++++-- 2 files changed, 11 insertions(+), 3 deletions(-) diff --git a/system/core/Common.php b/system/core/Common.php index 2c7651943c1..257763dd330 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -544,13 +544,18 @@ function set_status_header($code = 200, $text = '') 416 => 'Requested Range Not Satisfiable', 417 => 'Expectation Failed', 422 => 'Unprocessable Entity', + 426 => 'Upgrade Required', + 428 => 'Precondition Required', + 429 => 'Too Many Requests', + 431 => 'Request Header Fields Too Large', 500 => 'Internal Server Error', 501 => 'Not Implemented', 502 => 'Bad Gateway', 503 => 'Service Unavailable', 504 => 'Gateway Timeout', - 505 => 'HTTP Version Not Supported' + 505 => 'HTTP Version Not Supported', + 511 => 'Network Authentication Required', ); if (isset($stati[$code])) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 07815e85154..019adad91a4 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -10,7 +10,10 @@ Release Date: Not Released - General Changes - Added ``E_PARSE`` to the list of error levels detected by the shutdown handler. - - Updated :doc:`Inflector Helper ` function ``is_countable()`` with more words. + - Updated :doc:`Inflector Helper ` :php:func:`is_countable()` with more words. + - Updated :doc:`common function ` :php:func:`set_status_header()` with new status codes from IETF RFCs + `2817 https://tools.ietf.org/html/rfc2817>`_ (426) + and `6585 `_ (428, 429, 431, 511). Bug fixes for 3.1.1 ------------------- @@ -40,7 +43,7 @@ Release Date: July 26, 2016 - **Security** - Fixed an SQL injection in the 'odbc' database driver. - - Updated :php:func:`set_realpath()` :doc:`Path Helpr ` function to filter-out ``php://`` wrapper inputs. + - Updated :php:func:`set_realpath()` :doc:`Path Helper ` function to filter-out ``php://`` wrapper inputs. - Officially dropped any kind of support for PHP 5.2.x and anything under 5.3.7. - General Changes From af88d57cf07e54f996d84da1926f252e963fa49b Mon Sep 17 00:00:00 2001 From: ihatehandles Date: Wed, 12 Oct 2016 05:25:24 +0200 Subject: [PATCH 2920/3829] Fixed typos --- user_guide_src/source/general/cli.rst | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/user_guide_src/source/general/cli.rst b/user_guide_src/source/general/cli.rst index b45be1aa8d0..764a6b8350d 100644 --- a/user_guide_src/source/general/cli.rst +++ b/user_guide_src/source/general/cli.rst @@ -47,11 +47,11 @@ in it:: Then save the file to your *application/controllers/* folder. -Now normally you would visit the your site using a URL similar to this:: +Now normally you would visit the site using a URL similar to this:: example.com/index.php/tools/message/to -Instead, we are going to open Terminal in Mac/Linux or go to Run > "cmd" +Instead, we are going to open the terminal in Mac/Linux or go to Run > "cmd" in Windows and navigate to our CodeIgniter project. .. code-block:: bash @@ -75,4 +75,4 @@ That's it! That, in a nutshell, is all there is to know about controllers on the command line. Remember that this is just a normal controller, so routing -and ``_remap()`` works fine. \ No newline at end of file +and ``_remap()`` works fine. From c34a3d6d052d2b7ba7955ea2bc70039ce0405b68 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 14 Oct 2016 14:23:10 +0300 Subject: [PATCH 2921/3829] Merge pull request #4840 from ihatehandles/patch-2 [ci skip] Fixed some typos --- user_guide_src/source/general/cli.rst | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/user_guide_src/source/general/cli.rst b/user_guide_src/source/general/cli.rst index b45be1aa8d0..764a6b8350d 100644 --- a/user_guide_src/source/general/cli.rst +++ b/user_guide_src/source/general/cli.rst @@ -47,11 +47,11 @@ in it:: Then save the file to your *application/controllers/* folder. -Now normally you would visit the your site using a URL similar to this:: +Now normally you would visit the site using a URL similar to this:: example.com/index.php/tools/message/to -Instead, we are going to open Terminal in Mac/Linux or go to Run > "cmd" +Instead, we are going to open the terminal in Mac/Linux or go to Run > "cmd" in Windows and navigate to our CodeIgniter project. .. code-block:: bash @@ -75,4 +75,4 @@ That's it! That, in a nutshell, is all there is to know about controllers on the command line. Remember that this is just a normal controller, so routing -and ``_remap()`` works fine. \ No newline at end of file +and ``_remap()`` works fine. From da270b26d7cb9c55385150659ecfb7d2d97b4c63 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 17 Oct 2016 18:22:43 +0300 Subject: [PATCH 2922/3829] Fix #4851 --- system/database/DB_forge.php | 4 ++-- system/database/drivers/ibase/ibase_forge.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php | 2 +- system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php | 4 ++-- system/database/drivers/sqlite/sqlite_forge.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_forge.php | 4 ++-- user_guide_src/source/changelog.rst | 1 + 7 files changed, 11 insertions(+), 10 deletions(-) diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index 826aa1ebfe4..ed6f4b672bc 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -184,7 +184,7 @@ public function create_database($db_name) { return ($this->db->db_debug) ? $this->db->display_error('db_unsupported_feature') : FALSE; } - elseif ( ! $this->db->query(sprintf($this->_create_database, $db_name, $this->db->char_set, $this->db->dbcollat))) + elseif ( ! $this->db->query(sprintf($this->_create_database, $this->db->escape_identifiers($db_name), $this->db->char_set, $this->db->dbcollat))) { return ($this->db->db_debug) ? $this->db->display_error('db_unable_to_drop') : FALSE; } @@ -211,7 +211,7 @@ public function drop_database($db_name) { return ($this->db->db_debug) ? $this->db->display_error('db_unsupported_feature') : FALSE; } - elseif ( ! $this->db->query(sprintf($this->_drop_database, $db_name))) + elseif ( ! $this->db->query(sprintf($this->_drop_database, $this->db->escape_identifiers($db_name)))) { return ($this->db->db_debug) ? $this->db->display_error('db_unable_to_drop') : FALSE; } diff --git a/system/database/drivers/ibase/ibase_forge.php b/system/database/drivers/ibase/ibase_forge.php index 9c358c36537..b35cc3749fa 100644 --- a/system/database/drivers/ibase/ibase_forge.php +++ b/system/database/drivers/ibase/ibase_forge.php @@ -111,7 +111,7 @@ public function create_database($db_name) * @param string $db_name (ignored) * @return bool */ - public function drop_database($db_name = '') + public function drop_database($db_name) { if ( ! ibase_drop_db($this->conn_id)) { diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php index 256fa1413c6..50df76905f3 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php @@ -97,7 +97,7 @@ public function create_database($db_name) * @param string $db_name (ignored) * @return bool */ - public function drop_database($db_name = '') + public function drop_database($db_name) { if ( ! ibase_drop_db($this->conn_id)) { diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php b/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php index f6f9bb4813e..b124bcad16a 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php @@ -101,7 +101,7 @@ public function __construct(&$db) * @param string $db_name (ignored) * @return bool */ - public function create_database($db_name = '') + public function create_database($db_name) { // In SQLite, a database is created when you connect to the database. // We'll return TRUE so that an error isn't generated @@ -116,7 +116,7 @@ public function create_database($db_name = '') * @param string $db_name (ignored) * @return bool */ - public function drop_database($db_name = '') + public function drop_database($db_name) { // In SQLite, a database is dropped when we delete a file if (file_exists($this->db->database)) diff --git a/system/database/drivers/sqlite/sqlite_forge.php b/system/database/drivers/sqlite/sqlite_forge.php index 8a16594300f..3ad3477e478 100644 --- a/system/database/drivers/sqlite/sqlite_forge.php +++ b/system/database/drivers/sqlite/sqlite_forge.php @@ -75,7 +75,7 @@ class CI_DB_sqlite_forge extends CI_DB_forge { * @param string $db_name (ignored) * @return bool */ - public function create_database($db_name = '') + public function create_database($db_name) { // In SQLite, a database is created when you connect to the database. // We'll return TRUE so that an error isn't generated @@ -90,7 +90,7 @@ public function create_database($db_name = '') * @param string $db_name (ignored) * @return bool */ - public function drop_database($db_name = '') + public function drop_database($db_name) { if ( ! file_exists($this->db->database) OR ! @unlink($this->db->database)) { diff --git a/system/database/drivers/sqlite3/sqlite3_forge.php b/system/database/drivers/sqlite3/sqlite3_forge.php index 43cbe33e5d9..c45472f548b 100644 --- a/system/database/drivers/sqlite3/sqlite3_forge.php +++ b/system/database/drivers/sqlite3/sqlite3_forge.php @@ -87,7 +87,7 @@ public function __construct(&$db) * @param string $db_name * @return bool */ - public function create_database($db_name = '') + public function create_database($db_name) { // In SQLite, a database is created when you connect to the database. // We'll return TRUE so that an error isn't generated @@ -102,7 +102,7 @@ public function create_database($db_name = '') * @param string $db_name (ignored) * @return bool */ - public function drop_database($db_name = '') + public function drop_database($db_name) { // In SQLite, a database is dropped when we delete a file if (file_exists($this->db->database)) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 019adad91a4..9aa716c892b 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -34,6 +34,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4809) - :doc:`Database ` driver 'pdo/mysql' didn't turn off ``AUTOCOMMIT`` when starting a transaction. - Fixed a bug (#4822) - :doc:`CAPTCHA Helper ` didn't clear expired PNG images. - Fixed a bug (#4823) - :doc:`Session Library ` 'files' driver could enter an infinite loop if ``mbstring.func_override`` is enabled. +- Fixed a bug (#4851) - :doc:`Database Forge ` didn't quote schema names passed to its ``create_database()`` method. Version 3.1.0 ============= From 2e57058329d6b8a76db8d6f04ff7467ff204a637 Mon Sep 17 00:00:00 2001 From: Master Yoda Date: Tue, 18 Oct 2016 14:06:22 -0700 Subject: [PATCH 2923/3829] Fix xmlrpc timeout, #4843 Signed-off-by:Master Yoda --- system/libraries/Xmlrpc.php | 5 ++--- user_guide_src/source/libraries/xmlrpc.rst | 4 ++++ 2 files changed, 6 insertions(+), 3 deletions(-) diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index 181a104d0e6..4be926f0edc 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -734,6 +734,8 @@ public function sendPayload($msg) .'User-Agent: '.$this->xmlrpcName.$r .'Content-Length: '.strlen($msg->payload).$r.$r .$msg->payload; + + stream_set_timeout($fp,$this->timeout); // set timeout for subsequent operations for ($written = $timestamp = 0, $length = strlen($op); $written < $length; $written += $result) { @@ -753,9 +755,6 @@ public function sendPayload($msg) $result = FALSE; break; } - - usleep(250000); - continue; } else { diff --git a/user_guide_src/source/libraries/xmlrpc.rst b/user_guide_src/source/libraries/xmlrpc.rst index 4d7ed66d537..04be8d52dcd 100644 --- a/user_guide_src/source/libraries/xmlrpc.rst +++ b/user_guide_src/source/libraries/xmlrpc.rst @@ -490,6 +490,10 @@ Class Reference $this->xmlrpc->timeout(6); + This timeout period will be used both for an initial connection to + the remote server, as well as for getting a response from it. + Make sure you set the timeout before calling `send_request`. + .. php:method:: method($function) :param string $function: Method name From d933c9eb04752496124ef4a5f5df6ffbaf0a1d87 Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Thu, 20 Oct 2016 00:52:50 +0300 Subject: [PATCH 2924/3829] added ordinal_format() to Number helper; added to docs the info. --- system/helpers/number_helper.php | 29 +++++++++++++++++++ .../source/helpers/number_helper.rst | 17 ++++++++++- 2 files changed, 45 insertions(+), 1 deletion(-) diff --git a/system/helpers/number_helper.php b/system/helpers/number_helper.php index e7810c70672..8e77c91ab6a 100644 --- a/system/helpers/number_helper.php +++ b/system/helpers/number_helper.php @@ -92,3 +92,32 @@ function byte_format($num, $precision = 1) return number_format($num, $precision).' '.$unit; } } + +// ------------------------------------------------------------------------ + +if ( ! function_exists('ordinal_format')) +{ + /** + * Returns the English ordinal numeral for a given number + * + * @param int $number + * @return string + */ + function ordinal_format($number) + { + if ( ! is_int($number) OR $number < 1) + { + return FALSE; + } + + $ends = array('th', 'st', 'nd', 'rd', 'th', 'th', 'th', 'th', 'th', 'th'); + if ((($number % 100) >= 11) && (($number % 100) <= 13)) + { + return $number.'th'; + } + else + { + return $number.$ends[$number % 10]; + } + } +} diff --git a/user_guide_src/source/helpers/number_helper.rst b/user_guide_src/source/helpers/number_helper.rst index 9d5e98cfb5e..20acdec180f 100644 --- a/user_guide_src/source/helpers/number_helper.rst +++ b/user_guide_src/source/helpers/number_helper.rst @@ -49,4 +49,19 @@ The following functions are available: echo byte_format(45678, 2); // Returns 44.61 KB .. note:: The text generated by this function is found in the following - language file: *language//number_lang.php* \ No newline at end of file + language file: *language//number_lang.php* + +.. php:function:: ordinal_format($number) + + :param int $number: Non-negative natural number to be converted + :returns: Ordinal numeral for given number or FALSE on failure + :rtype: string + + Returns the ordinal numeral (1st, 2nd, 3rd etc.) for a + non-negative natural number. If the input is not a natural number + greater than 0, the function will return boolean FALSE. Examples:: + + echo ordinal_format(1); // Returns 1st + echo ordinal_format(3); // Returns 3rd + echo ordinal_format(21); // Returns 21st + echo ordinal_format(102); // Returns 102nd From 85e6be1fea7970b39971dc3bd12587d4f032c65a Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Thu, 20 Oct 2016 01:02:17 +0300 Subject: [PATCH 2925/3829] - fixed method chaining for set_caption in Table helper. --- system/libraries/Table.php | 1 + 1 file changed, 1 insertion(+) diff --git a/system/libraries/Table.php b/system/libraries/Table.php index 3bce294d8c4..f2fa434d98c 100644 --- a/system/libraries/Table.php +++ b/system/libraries/Table.php @@ -277,6 +277,7 @@ protected function _prep_args($args) public function set_caption($caption) { $this->caption = $caption; + return $this; } // -------------------------------------------------------------------- From fb4cec2f9184af60791eaaae612e1ffcb9a4ee4f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 20 Oct 2016 11:47:58 +0300 Subject: [PATCH 2926/3829] Merge pull request #4863 from gxgpet/develop4 Add missing method chaining support to CI_Table::set_caption() --- system/libraries/Table.php | 1 + 1 file changed, 1 insertion(+) diff --git a/system/libraries/Table.php b/system/libraries/Table.php index 3bce294d8c4..f2fa434d98c 100644 --- a/system/libraries/Table.php +++ b/system/libraries/Table.php @@ -277,6 +277,7 @@ protected function _prep_args($args) public function set_caption($caption) { $this->caption = $caption; + return $this; } // -------------------------------------------------------------------- From a9e57732f000e4c90e4cdfbe9e747f6dc416d28c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 20 Oct 2016 11:51:50 +0300 Subject: [PATCH 2927/3829] [ci skip] Add changelog entry for #4863 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 9aa716c892b..61a982a4c84 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -35,6 +35,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4822) - :doc:`CAPTCHA Helper ` didn't clear expired PNG images. - Fixed a bug (#4823) - :doc:`Session Library ` 'files' driver could enter an infinite loop if ``mbstring.func_override`` is enabled. - Fixed a bug (#4851) - :doc:`Database Forge ` didn't quote schema names passed to its ``create_database()`` method. +- Fixed a bug (#4863) - :doc:`HTML Table Library ` method ``set_caption()`` was missing method chaining support. Version 3.1.0 ============= From a09ffbc3bc91acd60735c6f1289b97125dae5ed6 Mon Sep 17 00:00:00 2001 From: "Instructor, Computer Systems Technology" Date: Tue, 18 Oct 2016 15:28:05 -0700 Subject: [PATCH 2928/3829] Merge pull request #4855 from jim-parry/fix/xmlrpc-timeout Fix xmlrpc timeout, #4843 --- system/libraries/Xmlrpc.php | 5 ++--- user_guide_src/source/libraries/xmlrpc.rst | 4 ++++ 2 files changed, 6 insertions(+), 3 deletions(-) diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index 181a104d0e6..4be926f0edc 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -734,6 +734,8 @@ public function sendPayload($msg) .'User-Agent: '.$this->xmlrpcName.$r .'Content-Length: '.strlen($msg->payload).$r.$r .$msg->payload; + + stream_set_timeout($fp,$this->timeout); // set timeout for subsequent operations for ($written = $timestamp = 0, $length = strlen($op); $written < $length; $written += $result) { @@ -753,9 +755,6 @@ public function sendPayload($msg) $result = FALSE; break; } - - usleep(250000); - continue; } else { diff --git a/user_guide_src/source/libraries/xmlrpc.rst b/user_guide_src/source/libraries/xmlrpc.rst index 4d7ed66d537..04be8d52dcd 100644 --- a/user_guide_src/source/libraries/xmlrpc.rst +++ b/user_guide_src/source/libraries/xmlrpc.rst @@ -490,6 +490,10 @@ Class Reference $this->xmlrpc->timeout(6); + This timeout period will be used both for an initial connection to + the remote server, as well as for getting a response from it. + Make sure you set the timeout before calling `send_request`. + .. php:method:: method($function) :param string $function: Method name From 433ebc5814cda44a93664812f28e030f61732564 Mon Sep 17 00:00:00 2001 From: gxgpet Date: Thu, 20 Oct 2016 11:54:19 +0300 Subject: [PATCH 2929/3829] Accepting strings too, 0 allowed. --- system/helpers/number_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/number_helper.php b/system/helpers/number_helper.php index 8e77c91ab6a..d7b96c32223 100644 --- a/system/helpers/number_helper.php +++ b/system/helpers/number_helper.php @@ -105,7 +105,7 @@ function byte_format($num, $precision = 1) */ function ordinal_format($number) { - if ( ! is_int($number) OR $number < 1) + if ( ! is_numeric($number) OR $number < 0) { return FALSE; } From 4b2b27199025d3c5a6f9b1eee19340c45ec7f2a2 Mon Sep 17 00:00:00 2001 From: gxgpet Date: Thu, 20 Oct 2016 11:56:03 +0300 Subject: [PATCH 2930/3829] - fixed docs --- user_guide_src/source/helpers/number_helper.rst | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/user_guide_src/source/helpers/number_helper.rst b/user_guide_src/source/helpers/number_helper.rst index 20acdec180f..47f6166901b 100644 --- a/user_guide_src/source/helpers/number_helper.rst +++ b/user_guide_src/source/helpers/number_helper.rst @@ -53,13 +53,13 @@ The following functions are available: .. php:function:: ordinal_format($number) - :param int $number: Non-negative natural number to be converted + :param int $number: natural number to be converted :returns: Ordinal numeral for given number or FALSE on failure :rtype: string - Returns the ordinal numeral (1st, 2nd, 3rd etc.) for a - non-negative natural number. If the input is not a natural number - greater than 0, the function will return boolean FALSE. Examples:: + Returns the ordinal numeral (0th, 1st, 2nd, 3rd etc.) for a + natural number. If the input is not a natural number, the + function will return boolean FALSE. Examples:: echo ordinal_format(1); // Returns 1st echo ordinal_format(3); // Returns 3rd From dc44b922dfda28d72879f6e5d2ef509e8bb51275 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 20 Oct 2016 11:56:20 +0300 Subject: [PATCH 2931/3829] [ci skip] Polish changes and add a changelog entry for PR #4855 --- system/libraries/Xmlrpc.php | 4 ++-- user_guide_src/source/changelog.rst | 1 + user_guide_src/source/libraries/xmlrpc.rst | 4 ++-- 3 files changed, 5 insertions(+), 4 deletions(-) diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index 4be926f0edc..7186646dac9 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -734,8 +734,8 @@ public function sendPayload($msg) .'User-Agent: '.$this->xmlrpcName.$r .'Content-Length: '.strlen($msg->payload).$r.$r .$msg->payload; - - stream_set_timeout($fp,$this->timeout); // set timeout for subsequent operations + + stream_set_timeout($fp, $this->timeout); // set timeout for subsequent operations for ($written = $timestamp = 0, $length = strlen($op); $written < $length; $written += $result) { diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 61a982a4c84..4d2cad662d6 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -36,6 +36,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4823) - :doc:`Session Library ` 'files' driver could enter an infinite loop if ``mbstring.func_override`` is enabled. - Fixed a bug (#4851) - :doc:`Database Forge ` didn't quote schema names passed to its ``create_database()`` method. - Fixed a bug (#4863) - :doc:`HTML Table Library ` method ``set_caption()`` was missing method chaining support. +- Fixed a bug (#4843) - :doc:`XML-RPC Library ` client class didn't set a read/write socket timeout. Version 3.1.0 ============= diff --git a/user_guide_src/source/libraries/xmlrpc.rst b/user_guide_src/source/libraries/xmlrpc.rst index 04be8d52dcd..2fe07c49def 100644 --- a/user_guide_src/source/libraries/xmlrpc.rst +++ b/user_guide_src/source/libraries/xmlrpc.rst @@ -492,7 +492,7 @@ Class Reference This timeout period will be used both for an initial connection to the remote server, as well as for getting a response from it. - Make sure you set the timeout before calling `send_request`. + Make sure you set the timeout before calling ``send_request()``. .. php:method:: method($function) @@ -579,4 +579,4 @@ Class Reference 'struct' ); - return $this->xmlrpc->send_response($response); \ No newline at end of file + return $this->xmlrpc->send_response($response); From 020ede13e33e6c91d27ee2468ad26e98fe711100 Mon Sep 17 00:00:00 2001 From: "Instructor, Computer Systems Technology" Date: Thu, 20 Oct 2016 01:57:38 -0700 Subject: [PATCH 2932/3829] Update Xmlrpc.php Fix style --- system/libraries/Xmlrpc.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index 4be926f0edc..5435bde8de5 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -735,7 +735,7 @@ public function sendPayload($msg) .'Content-Length: '.strlen($msg->payload).$r.$r .$msg->payload; - stream_set_timeout($fp,$this->timeout); // set timeout for subsequent operations + stream_set_timeout($fp, $this->timeout); // set timeout for subsequent operations for ($written = $timestamp = 0, $length = strlen($op); $written < $length; $written += $result) { From d958ee1590e6d4e1cfc6030ff735e0be5a8685ca Mon Sep 17 00:00:00 2001 From: "Instructor, Computer Systems Technology" Date: Thu, 20 Oct 2016 01:58:33 -0700 Subject: [PATCH 2933/3829] Update xmlrpc.rst Fix markdown notation --- user_guide_src/source/libraries/xmlrpc.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/libraries/xmlrpc.rst b/user_guide_src/source/libraries/xmlrpc.rst index 04be8d52dcd..4460bb53e41 100644 --- a/user_guide_src/source/libraries/xmlrpc.rst +++ b/user_guide_src/source/libraries/xmlrpc.rst @@ -492,7 +492,7 @@ Class Reference This timeout period will be used both for an initial connection to the remote server, as well as for getting a response from it. - Make sure you set the timeout before calling `send_request`. + Make sure you set the timeout before calling ``send_request``. .. php:method:: method($function) @@ -579,4 +579,4 @@ Class Reference 'struct' ); - return $this->xmlrpc->send_response($response); \ No newline at end of file + return $this->xmlrpc->send_response($response); From 7534aa85c2c8a4359f6df0a6f421fb15ca981877 Mon Sep 17 00:00:00 2001 From: gxgpet Date: Thu, 20 Oct 2016 12:19:48 +0300 Subject: [PATCH 2934/3829] small refactorisations --- system/helpers/number_helper.php | 14 ++++++++++++-- 1 file changed, 12 insertions(+), 2 deletions(-) diff --git a/system/helpers/number_helper.php b/system/helpers/number_helper.php index d7b96c32223..e94a5ffbc5e 100644 --- a/system/helpers/number_helper.php +++ b/system/helpers/number_helper.php @@ -110,14 +110,24 @@ function ordinal_format($number) return FALSE; } - $ends = array('th', 'st', 'nd', 'rd', 'th', 'th', 'th', 'th', 'th', 'th'); + $last_digit = array( + 0 => 'th', + 1 => 'st', + 2 => 'nd', + 3 => 'rd', + 4 => 'th', + 5 => 'th', + 6 => 'th', + 7 => 'th', + 8 => 'th', + 9 => 'th'); if ((($number % 100) >= 11) && (($number % 100) <= 13)) { return $number.'th'; } else { - return $number.$ends[$number % 10]; + return $number.$last_digit[$number % 10]; } } } From 1ff88001bead0ff4187a5b121d9d36a25a45c313 Mon Sep 17 00:00:00 2001 From: gxgpet Date: Thu, 20 Oct 2016 12:21:05 +0300 Subject: [PATCH 2935/3829] fixed floating for ordinal_format() --- system/helpers/number_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/number_helper.php b/system/helpers/number_helper.php index e94a5ffbc5e..af8b70f86dd 100644 --- a/system/helpers/number_helper.php +++ b/system/helpers/number_helper.php @@ -105,7 +105,7 @@ function byte_format($num, $precision = 1) */ function ordinal_format($number) { - if ( ! is_numeric($number) OR $number < 0) + if ( ! ctype_digit((string) $number) OR $number < 0) { return FALSE; } From 7de46d4d99017b42ba172cebff8998163ee6295f Mon Sep 17 00:00:00 2001 From: gxgpet Date: Thu, 20 Oct 2016 12:31:44 +0300 Subject: [PATCH 2936/3829] fixed coding style + removal of extra paranthesis --- system/helpers/number_helper.php | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/system/helpers/number_helper.php b/system/helpers/number_helper.php index af8b70f86dd..20e262e6696 100644 --- a/system/helpers/number_helper.php +++ b/system/helpers/number_helper.php @@ -120,8 +120,9 @@ function ordinal_format($number) 6 => 'th', 7 => 'th', 8 => 'th', - 9 => 'th'); - if ((($number % 100) >= 11) && (($number % 100) <= 13)) + 9 => 'th' + ); + if (($number % 100) >= 11 && ($number % 100) <= 13) { return $number.'th'; } From 6513701f21e72fadbbadc4bfea501dd871fa5149 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 20 Oct 2016 12:36:06 +0300 Subject: [PATCH 2937/3829] [ci skip] Document FV set_rules() fourth parameter --- user_guide_src/source/libraries/form_validation.rst | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index 5b9a7427307..7792369b2e1 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -1027,11 +1027,12 @@ Class Reference .. php:class:: CI_Form_validation - .. php:method:: set_rules($field[, $label = ''[, $rules = '']]) + .. php:method:: set_rules($field[, $label = ''[, $rules = ''[, $errors = array()]]]) :param string $field: Field name :param string $label: Field label :param mixed $rules: Validation rules, as a string list separated by a pipe "|", or as an array or rules + :param array $errors: A list of custom error messages :returns: CI_Form_validation instance (method chaining) :rtype: CI_Form_validation From 2bd99a68fc253bd7dfad94aa0575b4dcbeec89d9 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 20 Oct 2016 11:56:20 +0300 Subject: [PATCH 2938/3829] [ci skip] Polish changes and add a changelog entry for PR #4855 --- system/libraries/Xmlrpc.php | 2 +- user_guide_src/source/changelog.rst | 11 +++++++++++ user_guide_src/source/libraries/xmlrpc.rst | 2 +- 3 files changed, 13 insertions(+), 2 deletions(-) diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index 5435bde8de5..7186646dac9 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -734,7 +734,7 @@ public function sendPayload($msg) .'User-Agent: '.$this->xmlrpcName.$r .'Content-Length: '.strlen($msg->payload).$r.$r .$msg->payload; - + stream_set_timeout($fp, $this->timeout); // set timeout for subsequent operations for ($written = $timestamp = 0, $length = strlen($op); $written < $length; $written += $result) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 484e6a13b90..3e7749f5b9c 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -59,6 +59,17 @@ Bug fixes for 3.1.1 - Fixed a bug (#4759) - :doc:`Form Validation `, :doc:`Trackback ` and `XML-RPC ` libraries treated URI schemes in a case-sensitive manner. - Fixed a bug (#4762) - :doc:`Cache Library ` 'file' driver method ``get_metadata()`` checked TTL time against ``mtime`` instead of the cache item's creation time. - Fixed a bug where :doc:`File Uploading Library ` generated error messages on PHP 7.1. +- Fixed a bug (#4780) - :doc:`compatibility function ` ``hex2bin()`` didn't reject inputs of type "resource". +- Fixed a bug (#4787) - :doc:`Form Validation Library ` method ``valid_email()`` triggered ``E_WARNING`` when input emails have empty domain names. +- Fixed a bug (#4805) - :doc:`Database ` driver 'mysqli' didn't use the ``MYSQLI_CLIENT_SSL_DONT_VERIFY_SERVER_CERT`` flag properly. +- Fixed a bug (#4808) - :doc:`Database ` method ``is_write_type()`` only looked at the first line of a queries using ``RETURNING`` with the 'postgre', 'pdo/pgsql', 'odbc' and 'pdo/odbc' drivers. +- Fixed a bug where :doc:`Query Builder ` method ``insert_batch()`` tried to execute an unsupported SQL query with the 'ibase' and 'pdo/firebird' drivers. +- Fixed a bug (#4809) - :doc:`Database ` driver 'pdo/mysql' didn't turn off ``AUTOCOMMIT`` when starting a transaction. +- Fixed a bug (#4822) - :doc:`CAPTCHA Helper ` didn't clear expired PNG images. +- Fixed a bug (#4823) - :doc:`Session Library ` 'files' driver could enter an infinite loop if ``mbstring.func_override`` is enabled. +- Fixed a bug (#4851) - :doc:`Database Forge ` didn't quote schema names passed to its ``create_database()`` method. +- Fixed a bug (#4863) - :doc:`HTML Table Library ` method ``set_caption()`` was missing method chaining support. +- Fixed a bug (#4843) - :doc:`XML-RPC Library ` client class didn't set a read/write socket timeout. Version 3.1.0 ============= diff --git a/user_guide_src/source/libraries/xmlrpc.rst b/user_guide_src/source/libraries/xmlrpc.rst index 4460bb53e41..2fe07c49def 100644 --- a/user_guide_src/source/libraries/xmlrpc.rst +++ b/user_guide_src/source/libraries/xmlrpc.rst @@ -492,7 +492,7 @@ Class Reference This timeout period will be used both for an initial connection to the remote server, as well as for getting a response from it. - Make sure you set the timeout before calling ``send_request``. + Make sure you set the timeout before calling ``send_request()``. .. php:method:: method($function) From 34fe402ea28e928865ec15242e8f20f760b7a334 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 20 Oct 2016 12:36:06 +0300 Subject: [PATCH 2939/3829] [ci skip] Document FV set_rules() fourth parameter --- user_guide_src/source/libraries/form_validation.rst | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index 5b9a7427307..7792369b2e1 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -1027,11 +1027,12 @@ Class Reference .. php:class:: CI_Form_validation - .. php:method:: set_rules($field[, $label = ''[, $rules = '']]) + .. php:method:: set_rules($field[, $label = ''[, $rules = ''[, $errors = array()]]]) :param string $field: Field name :param string $label: Field label :param mixed $rules: Validation rules, as a string list separated by a pipe "|", or as an array or rules + :param array $errors: A list of custom error messages :returns: CI_Form_validation instance (method chaining) :rtype: CI_Form_validation From 5d05372f4f59d27fdd93249d813970fcf181a4af Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 20 Oct 2016 13:40:57 +0300 Subject: [PATCH 2940/3829] FV: throw BadMethodCallException when set_rules() called without --- system/libraries/Form_validation.php | 6 +++++- tests/codeigniter/libraries/Form_validation_test.php | 6 ++++++ user_guide_src/source/changelog.rst | 4 ++++ user_guide_src/source/libraries/form_validation.rst | 3 ++- 4 files changed, 17 insertions(+), 2 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 86a569cedc6..4380dd2768d 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -164,7 +164,7 @@ public function __construct($rules = array()) * @param array $errors * @return CI_Form_validation */ - public function set_rules($field, $label = '', $rules = array(), $errors = array()) + public function set_rules($field, $label = null, $rules = null, $errors = array()) { // No reason to set rules if we have no POST data // or a validation array has not been specified @@ -197,6 +197,10 @@ public function set_rules($field, $label = '', $rules = array(), $errors = array return $this; } + elseif ( ! isset($rules)) + { + throw new BadMethodCallException('Form_validation: set_rules() called without a $rules parameter'); + } // No fields or no rules? Nothing to do... if ( ! is_string($field) OR $field === '' OR empty($rules)) diff --git a/tests/codeigniter/libraries/Form_validation_test.php b/tests/codeigniter/libraries/Form_validation_test.php index 0815300e6be..5f4bb931647 100644 --- a/tests/codeigniter/libraries/Form_validation_test.php +++ b/tests/codeigniter/libraries/Form_validation_test.php @@ -435,6 +435,12 @@ public function test_run() $this->assertFalse($form_validation->run('fail')); } + public function test_set_rules_exception() + { + $this->setExpectedException('BadMethodCallException'); + $this->form_validation->set_rules('foo', 'bar'); + } + public function test_has_rule() { $this->form_validation->reset_validation(); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 3e7749f5b9c..4bff51a938c 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -23,6 +23,10 @@ Release Date: Not Released - Removed the *socket_type* configuration setting from the 'redis' driver. - Changed data serialization logic in 'redis' driver for better performance. + - :doc:`Form Validation Library ` changes include: + + - Changed method ``set_rules()`` to throw a ``BadMethodCallException`` when its first parameter is not an array and the ``$rules`` one is unused. + - Database - Changed method ``initialize()`` to return void and instead throw a ``RuntimeException`` in case of failure. diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index 7792369b2e1..b503b9be03f 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -1027,13 +1027,14 @@ Class Reference .. php:class:: CI_Form_validation - .. php:method:: set_rules($field[, $label = ''[, $rules = ''[, $errors = array()]]]) + .. php:method:: set_rules($field[, $label = null[, $rules = null[, $errors = array()]]]) :param string $field: Field name :param string $label: Field label :param mixed $rules: Validation rules, as a string list separated by a pipe "|", or as an array or rules :param array $errors: A list of custom error messages :returns: CI_Form_validation instance (method chaining) + :throws: BadMethodCallException If $field is not an array and $rules was not used :rtype: CI_Form_validation Permits you to set validation rules, as described in the tutorial From 11954d2521475f6964bfa9c65dcd2f3e53a65af5 Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Thu, 20 Oct 2016 20:53:11 +0300 Subject: [PATCH 2941/3829] moved ordinal_format() helper function from Number helper to Inflector helper --- system/helpers/inflector_helper.php | 40 ++++++++++++++++++ system/helpers/number_helper.php | 42 +------------------ .../source/helpers/inflector_helper.rst | 17 +++++++- .../source/helpers/number_helper.rst | 17 +------- 4 files changed, 58 insertions(+), 58 deletions(-) diff --git a/system/helpers/inflector_helper.php b/system/helpers/inflector_helper.php index 6dc3b50308c..c71516564ce 100644 --- a/system/helpers/inflector_helper.php +++ b/system/helpers/inflector_helper.php @@ -273,3 +273,43 @@ function is_countable($word) ); } } + +// ------------------------------------------------------------------------ + +if ( ! function_exists('ordinal_format')) +{ + /** + * Returns the English ordinal numeral for a given number + * + * @param int $number + * @return string + */ + function ordinal_format($number) + { + if ( ! ctype_digit((string) $number) OR $number < 0) + { + return FALSE; + } + + $last_digit = array( + 0 => 'th', + 1 => 'st', + 2 => 'nd', + 3 => 'rd', + 4 => 'th', + 5 => 'th', + 6 => 'th', + 7 => 'th', + 8 => 'th', + 9 => 'th' + ); + if (($number % 100) >= 11 && ($number % 100) <= 13) + { + return $number.'th'; + } + else + { + return $number.$last_digit[$number % 10]; + } + } +} \ No newline at end of file diff --git a/system/helpers/number_helper.php b/system/helpers/number_helper.php index 20e262e6696..219124cb5ae 100644 --- a/system/helpers/number_helper.php +++ b/system/helpers/number_helper.php @@ -91,44 +91,4 @@ function byte_format($num, $precision = 1) return number_format($num, $precision).' '.$unit; } -} - -// ------------------------------------------------------------------------ - -if ( ! function_exists('ordinal_format')) -{ - /** - * Returns the English ordinal numeral for a given number - * - * @param int $number - * @return string - */ - function ordinal_format($number) - { - if ( ! ctype_digit((string) $number) OR $number < 0) - { - return FALSE; - } - - $last_digit = array( - 0 => 'th', - 1 => 'st', - 2 => 'nd', - 3 => 'rd', - 4 => 'th', - 5 => 'th', - 6 => 'th', - 7 => 'th', - 8 => 'th', - 9 => 'th' - ); - if (($number % 100) >= 11 && ($number % 100) <= 13) - { - return $number.'th'; - } - else - { - return $number.$last_digit[$number % 10]; - } - } -} +} \ No newline at end of file diff --git a/user_guide_src/source/helpers/inflector_helper.rst b/user_guide_src/source/helpers/inflector_helper.rst index df0c568c0d7..8a6ca7a9281 100644 --- a/user_guide_src/source/helpers/inflector_helper.rst +++ b/user_guide_src/source/helpers/inflector_helper.rst @@ -93,4 +93,19 @@ The following functions are available: Checks if the given word has a plural version. Example:: - is_countable('equipment'); // Returns FALSE \ No newline at end of file + is_countable('equipment'); // Returns FALSE + +.. php:function:: ordinal_format($number) + + :param int $number: natural number to be converted + :returns: Ordinal numeral for given number or FALSE on failure + :rtype: string + + Returns the ordinal numeral (0th, 1st, 2nd, 3rd etc.) for a + natural number. If the input is not a natural number, the + function will return boolean FALSE. Examples:: + + echo ordinal_format(1); // Returns 1st + echo ordinal_format(3); // Returns 3rd + echo ordinal_format(21); // Returns 21st + echo ordinal_format(102); // Returns 102nd diff --git a/user_guide_src/source/helpers/number_helper.rst b/user_guide_src/source/helpers/number_helper.rst index 47f6166901b..9d5e98cfb5e 100644 --- a/user_guide_src/source/helpers/number_helper.rst +++ b/user_guide_src/source/helpers/number_helper.rst @@ -49,19 +49,4 @@ The following functions are available: echo byte_format(45678, 2); // Returns 44.61 KB .. note:: The text generated by this function is found in the following - language file: *language//number_lang.php* - -.. php:function:: ordinal_format($number) - - :param int $number: natural number to be converted - :returns: Ordinal numeral for given number or FALSE on failure - :rtype: string - - Returns the ordinal numeral (0th, 1st, 2nd, 3rd etc.) for a - natural number. If the input is not a natural number, the - function will return boolean FALSE. Examples:: - - echo ordinal_format(1); // Returns 1st - echo ordinal_format(3); // Returns 3rd - echo ordinal_format(21); // Returns 21st - echo ordinal_format(102); // Returns 102nd + language file: *language//number_lang.php* \ No newline at end of file From 4fe5e99f437fe79cc40cebd08277eb319d8a6095 Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Thu, 20 Oct 2016 20:58:10 +0300 Subject: [PATCH 2942/3829] fixed unnecessary file termination for Number helper --- system/helpers/number_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/number_helper.php b/system/helpers/number_helper.php index 219124cb5ae..e7810c70672 100644 --- a/system/helpers/number_helper.php +++ b/system/helpers/number_helper.php @@ -91,4 +91,4 @@ function byte_format($num, $precision = 1) return number_format($num, $precision).' '.$unit; } -} \ No newline at end of file +} From 03a1eac3b7bed8ed6df59109364a3eebe3f1cceb Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Thu, 20 Oct 2016 21:03:38 +0300 Subject: [PATCH 2943/3829] ordinal_format will accept only non-negative natural numbers and return original value on failure + docs update regarding this. --- system/helpers/inflector_helper.php | 4 ++-- user_guide_src/source/helpers/inflector_helper.rst | 11 ++++++----- 2 files changed, 8 insertions(+), 7 deletions(-) diff --git a/system/helpers/inflector_helper.php b/system/helpers/inflector_helper.php index c71516564ce..04e178aecb2 100644 --- a/system/helpers/inflector_helper.php +++ b/system/helpers/inflector_helper.php @@ -286,9 +286,9 @@ function is_countable($word) */ function ordinal_format($number) { - if ( ! ctype_digit((string) $number) OR $number < 0) + if ( ! ctype_digit((string) $number) OR $number < 1) { - return FALSE; + return $number; } $last_digit = array( diff --git a/user_guide_src/source/helpers/inflector_helper.rst b/user_guide_src/source/helpers/inflector_helper.rst index 8a6ca7a9281..76cce6f4d95 100644 --- a/user_guide_src/source/helpers/inflector_helper.rst +++ b/user_guide_src/source/helpers/inflector_helper.rst @@ -97,15 +97,16 @@ The following functions are available: .. php:function:: ordinal_format($number) - :param int $number: natural number to be converted - :returns: Ordinal numeral for given number or FALSE on failure + :param int $number: non-negative natural number to be converted + :returns: Ordinal numeral for given number or original value on failure :rtype: string - Returns the ordinal numeral (0th, 1st, 2nd, 3rd etc.) for a - natural number. If the input is not a natural number, the - function will return boolean FALSE. Examples:: + Returns the ordinal numeral (1st, 2nd, 3rd etc.) for a + non-negative natural number. If the input is not a natural number + greater than 0, the function will return the original value. Examples:: echo ordinal_format(1); // Returns 1st echo ordinal_format(3); // Returns 3rd echo ordinal_format(21); // Returns 21st echo ordinal_format(102); // Returns 102nd + echo ordinal_format(-5); // Invalid input, will return -5 From 4ffe6345690f81872d0937e562faaf75f3185b6a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 21 Oct 2016 16:30:31 +0300 Subject: [PATCH 2944/3829] Fix #4865 --- system/core/Common.php | 1 + system/core/Exceptions.php | 1 - user_guide_src/source/changelog.rst | 1 + 3 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/core/Common.php b/system/core/Common.php index 257763dd330..91c585f7dcd 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -661,6 +661,7 @@ function _exception_handler($exception) $_error =& load_class('Exceptions', 'core'); $_error->log_exception('error', 'Exception: '.$exception->getMessage(), $exception->getFile(), $exception->getLine()); + is_cli() OR set_status_header(500); // Should we display the error? if (str_ireplace(array('off', 'none', 'no', 'false', 'null'), '', ini_get('display_errors'))) { diff --git a/system/core/Exceptions.php b/system/core/Exceptions.php index a1c6a19709e..4e10f28310c 100644 --- a/system/core/Exceptions.php +++ b/system/core/Exceptions.php @@ -207,7 +207,6 @@ public function show_exception($exception) } else { - set_status_header(500); $templates_path .= 'html'.DIRECTORY_SEPARATOR; } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4d2cad662d6..1b3820cb03c 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -37,6 +37,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4851) - :doc:`Database Forge ` didn't quote schema names passed to its ``create_database()`` method. - Fixed a bug (#4863) - :doc:`HTML Table Library ` method ``set_caption()`` was missing method chaining support. - Fixed a bug (#4843) - :doc:`XML-RPC Library ` client class didn't set a read/write socket timeout. +- Fixed a bug (#4865) - uncaught exceptions didn't set the HTTP Response status code to 500 unless ``display_errors`` was turned On. Version 3.1.0 ============= From 25dc0937dd27c6d3c9f4d4483a857c218d6a9dad Mon Sep 17 00:00:00 2001 From: gxgpet Date: Fri, 21 Oct 2016 17:44:03 +0300 Subject: [PATCH 2945/3829] fixed small coding style issues --- system/helpers/inflector_helper.php | 9 ++++----- 1 file changed, 4 insertions(+), 5 deletions(-) diff --git a/system/helpers/inflector_helper.php b/system/helpers/inflector_helper.php index 04e178aecb2..83bf2809815 100644 --- a/system/helpers/inflector_helper.php +++ b/system/helpers/inflector_helper.php @@ -303,13 +303,12 @@ function ordinal_format($number) 8 => 'th', 9 => 'th' ); + if (($number % 100) >= 11 && ($number % 100) <= 13) { return $number.'th'; } - else - { - return $number.$last_digit[$number % 10]; - } + + return $number.$last_digit[$number % 10]; } -} \ No newline at end of file +} From e7e70c3532f06ac008cfc038791fcb46d4a551ed Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 21 Oct 2016 18:06:26 +0300 Subject: [PATCH 2946/3829] [ci skip] Add changelog entry for PR #4862 --- system/helpers/inflector_helper.php | 6 +++--- user_guide_src/source/changelog.rst | 1 + 2 files changed, 4 insertions(+), 3 deletions(-) diff --git a/system/helpers/inflector_helper.php b/system/helpers/inflector_helper.php index 83bf2809815..f14f57c54a8 100644 --- a/system/helpers/inflector_helper.php +++ b/system/helpers/inflector_helper.php @@ -268,7 +268,7 @@ function is_countable($word) 'species', 'swine', 'traffic', - 'wheat', + 'wheat' ) ); } @@ -303,12 +303,12 @@ function ordinal_format($number) 8 => 'th', 9 => 'th' ); - + if (($number % 100) >= 11 && ($number % 100) <= 13) { return $number.'th'; } - + return $number.$last_digit[$number % 10]; } } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4bff51a938c..f60387cd5ba 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -35,6 +35,7 @@ Release Date: Not Released - Helpers + - Added new function :php:func:`ordinal_format()` to :doc:`Inflector Helper `. - Updated :doc:`HTML Helper ` function :php:func:`meta()` with support for "charset" and "property" properties. - Changed :doc:`HTML Helper ` function :php:func:`doctype()` default document type to HTML 5. From dae08b59fd808c3baf838161223fdba2a80f1610 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 22 Oct 2016 15:37:15 +0300 Subject: [PATCH 2947/3829] Allow binding 0, null out of array in query() --- system/database/DB_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 848516adc54..7ae52a307dc 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -980,7 +980,7 @@ public function trans_rollback() */ public function compile_binds($sql, $binds) { - if (empty($binds) OR empty($this->bind_marker) OR strpos($sql, $this->bind_marker) === FALSE) + if (empty($this->bind_marker) OR strpos($sql, $this->bind_marker) === FALSE) { return $sql; } From 6c6ee1a1e73b3f8a93ca031107bec35e56272a0a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 22 Oct 2016 16:33:06 +0300 Subject: [PATCH 2948/3829] Close #4830, #3649 --- system/libraries/Session/Session.php | 36 +++++++++++++++++-- .../Session/drivers/Session_files_driver.php | 18 ++++++++-- user_guide_src/source/changelog.rst | 1 + user_guide_src/source/libraries/sessions.rst | 4 +-- 4 files changed, 51 insertions(+), 8 deletions(-) diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index 3b391a8eff0..5aac12f36e9 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -57,6 +57,7 @@ class CI_Session { protected $_driver = 'files'; protected $_config; + protected $_sid_regexp; // ------------------------------------------------------------------------ @@ -99,6 +100,7 @@ public function __construct(array $params = array()) // Configuration ... $this->_configure($params); + $this->_config['_sid_regexp'] = $this->_sid_regexp; $class = new $class($this->_config); if ($class instanceof SessionHandlerInterface) @@ -131,7 +133,7 @@ public function __construct(array $params = array()) if (isset($_COOKIE[$this->_config['cookie_name']]) && ( ! is_string($_COOKIE[$this->_config['cookie_name']]) - OR ! preg_match('/^[0-9a-f]{40}$/', $_COOKIE[$this->_config['cookie_name']]) + OR ! preg_match('#\A'.$this->_sid_regexp.'\z#', $_COOKIE[$this->_config['cookie_name']]) ) ) { @@ -315,8 +317,36 @@ protected function _configure(&$params) ini_set('session.use_strict_mode', 1); ini_set('session.use_cookies', 1); ini_set('session.use_only_cookies', 1); - ini_set('session.hash_function', 1); - ini_set('session.hash_bits_per_character', 4); + + if (PHP_VERSION_ID < 70100) + { + if ((int) ini_get('session.hash_function') === 0) + { + ini_set('session.hash_function', 1); + ini_set('session.hash_bits_per_character', $bits_per_character = 4); + } + else + { + $bits_per_character = (int) ini_get('session.hash_bits_per_character'); + } + } + elseif ((int) ini_get('session.sid_length') < 40 && ($bits_per_character = (int) ini_get('session.sid_bits_per_character')) === 4) + { + ini_set('session.sid_length', 40); + } + + switch ($bits_per_character) + { + case 4: + $this->_sid_regexp = '[0-9a-f]{40,}'; + break; + case 5: + $this->_sid_regexp = '[0-9a-v]{40,}'; + break; + case 6: + $this->_sid_regexp = '[0-9a-zA-Z,-]{40,}'; + break; + } } // ------------------------------------------------------------------------ diff --git a/system/libraries/Session/drivers/Session_files_driver.php b/system/libraries/Session/drivers/Session_files_driver.php index 5f05396c0cf..37315d3cd07 100644 --- a/system/libraries/Session/drivers/Session_files_driver.php +++ b/system/libraries/Session/drivers/Session_files_driver.php @@ -76,6 +76,13 @@ class CI_Session_files_driver extends CI_Session_driver implements SessionHandle */ protected $_file_new; + /** + * Validate SID regular expression + * + * @var string + */ + protected $_sid_regexp; + /** * mbstring.func_override flag * @@ -106,6 +113,8 @@ public function __construct(&$params) $this->_config['save_path'] = rtrim(ini_get('session.save_path'), '/\\'); } + $this->_sid_regexp = $this->_config['_sid_regexp']; + isset(self::$func_override) OR self::$func_override = (extension_loaded('mbstring') && ini_get('mbstring.func_override')); } @@ -352,10 +361,13 @@ public function gc($maxlifetime) $ts = time() - $maxlifetime; + $pattern = ($this->_config['match_ip'] === TRUE) + ? '[0-9a-f]{32}' + : ''; + $pattern = sprintf( - '/^%s[0-9a-f]{%d}$/', - preg_quote($this->_config['cookie_name'], '/'), - ($this->_config['match_ip'] === TRUE ? 72 : 40) + '#\A%s'.$pattern.$this->_sid_regexp.'\z#', + preg_quote($this->_config['cookie_name']) ); while (($file = readdir($directory)) !== FALSE) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1b3820cb03c..d025d52f112 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -38,6 +38,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4863) - :doc:`HTML Table Library ` method ``set_caption()`` was missing method chaining support. - Fixed a bug (#4843) - :doc:`XML-RPC Library ` client class didn't set a read/write socket timeout. - Fixed a bug (#4865) - uncaught exceptions didn't set the HTTP Response status code to 500 unless ``display_errors`` was turned On. +- Fixed a bug (#4830) - :doc:`Session Library ` didn't take into account the new session INI settings in PHP 7.1. Version 3.1.0 ============= diff --git a/user_guide_src/source/libraries/sessions.rst b/user_guide_src/source/libraries/sessions.rst index 082828c4eb6..a95cd5a1938 100644 --- a/user_guide_src/source/libraries/sessions.rst +++ b/user_guide_src/source/libraries/sessions.rst @@ -594,7 +594,7 @@ And then of course, create the database table ... For MySQL:: CREATE TABLE IF NOT EXISTS `ci_sessions` ( - `id` varchar(40) NOT NULL, + `id` varchar(128) NOT NULL, `ip_address` varchar(45) NOT NULL, `timestamp` int(10) unsigned DEFAULT 0 NOT NULL, `data` blob NOT NULL, @@ -604,7 +604,7 @@ For MySQL:: For PostgreSQL:: CREATE TABLE "ci_sessions" ( - "id" varchar(40) NOT NULL, + "id" varchar(128) NOT NULL, "ip_address" varchar(45) NOT NULL, "timestamp" bigint DEFAULT 0 NOT NULL, "data" text DEFAULT '' NOT NULL From 378627bb0e0cfb433299a6d832c18099e5c1dc9c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 22 Oct 2016 16:48:35 +0300 Subject: [PATCH 2949/3829] [ci skip] Prepare for 3.1.1 release --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/changelog.rst | 2 +- user_guide_src/source/conf.py | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 804c6856df5..c5d26e52bd1 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - const CI_VERSION = '3.1.1-dev'; + const CI_VERSION = '3.1.1'; /* * ------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1e59d4ca251..c7bd5024054 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -5,7 +5,7 @@ Change Log Version 3.1.1 ============= -Release Date: Not Released +Release Date: Oct 22, 2016 - **Security** diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index 0c4901d8fb0..a685c444235 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.1.1-dev' +version = '3.1.1' # The full version, including alpha/beta/rc tags. -release = '3.1.1-dev' +release = '3.1.1' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. From 6c33f22983a60a046c7de580bebb9b95c4ea106a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Sat, 22 Oct 2016 17:08:13 +0300 Subject: [PATCH 2950/3829] [ci skip] Fix a changelog link --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index c7bd5024054..559c1288493 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -16,7 +16,7 @@ Release Date: Oct 22, 2016 - Added ``E_PARSE`` to the list of error levels detected by the shutdown handler. - Updated :doc:`Inflector Helper ` :php:func:`is_countable()` with more words. - Updated :doc:`common function ` :php:func:`set_status_header()` with new status codes from IETF RFCs - `2817 https://tools.ietf.org/html/rfc2817>`_ (426) + `2817 `_ (426) and `6585 `_ (428, 429, 431, 511). Bug fixes for 3.1.1 From 255e4c073fcd82f4c35ef0789aa2f98a16ee8092 Mon Sep 17 00:00:00 2001 From: vkeranov Date: Sun, 23 Oct 2016 20:47:32 +0300 Subject: [PATCH 2951/3829] Small Changelog Fix --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 559c1288493..2d9ef69b578 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -27,7 +27,7 @@ Bug fixes for 3.1.1 - Fixed a bug (#4737) - :doc:`Query Builder ` didn't add an ``OFFSET`` when ``LIMIT`` is zero or unused. - Fixed a regression (#4739) - :doc:`Email Library ` doesn't properly separate attachment bodies from headers. - Fixed a bug (#4754) - :doc:`Unit Testing Library ` method ``result()`` didn't translate ``res_datatype``. -- Fixed a bug (#4759) - :doc:`Form Validation `, :doc:`Trackback ` and `XML-RPC ` libraries treated URI schemes in a case-sensitive manner. +- Fixed a bug (#4759) - :doc:`Form Validation `, :doc:`Trackback ` and :doc:`XML-RPC ` libraries treated URI schemes in a case-sensitive manner. - Fixed a bug (#4762) - :doc:`Cache Library ` 'file' driver method ``get_metadata()`` checked TTL time against ``mtime`` instead of the cache item's creation time. - Fixed a bug where :doc:`File Uploading Library ` generated error messages on PHP 7.1. - Fixed a bug (#4780) - :doc:`compatibility function ` ``hex2bin()`` didn't reject inputs of type "resource". From 75b812f85b266dbe77518e56a4ad754a0d09eaff Mon Sep 17 00:00:00 2001 From: Hex Date: Mon, 24 Oct 2016 14:21:44 +0800 Subject: [PATCH 2952/3829] Fix small doc problem. --- user_guide_src/source/general/compatibility_functions.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/general/compatibility_functions.rst b/user_guide_src/source/general/compatibility_functions.rst index 936f2a24b93..584968663a7 100644 --- a/user_guide_src/source/general/compatibility_functions.rst +++ b/user_guide_src/source/general/compatibility_functions.rst @@ -10,7 +10,7 @@ Being custom implementations, these functions will also have some set of dependencies on their own, but are still useful if your PHP setup doesn't offer them natively. -.. note:: Much like the `common functions `, the +.. note:: Much like the :doc:`common functions `, the compatibility functions are always available, as long as their dependencies are met. From b6359a6edc03e4959ab7ae0918b89e49b4b39b8d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 24 Oct 2016 09:41:29 +0300 Subject: [PATCH 2953/3829] Merge pull request #4868 from hex-ci/patch-2 [ci skip] Fix a doc link --- user_guide_src/source/general/compatibility_functions.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/general/compatibility_functions.rst b/user_guide_src/source/general/compatibility_functions.rst index 936f2a24b93..584968663a7 100644 --- a/user_guide_src/source/general/compatibility_functions.rst +++ b/user_guide_src/source/general/compatibility_functions.rst @@ -10,7 +10,7 @@ Being custom implementations, these functions will also have some set of dependencies on their own, but are still useful if your PHP setup doesn't offer them natively. -.. note:: Much like the `common functions `, the +.. note:: Much like the :doc:`common functions `, the compatibility functions are always available, as long as their dependencies are met. From d81b59ef02dab9072e44eec2dec519e5178e7759 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 24 Oct 2016 09:45:54 +0300 Subject: [PATCH 2954/3829] [ci skip] Fix 3.1.1 download link --- user_guide_src/source/installation/downloads.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index 7380dcb2868..d04bccb7cb1 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,7 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.1.1 (Current version) `_ +- `CodeIgniter v3.1.1 (Current version) `_ - `CodeIgniter v3.1.0 `_ - `CodeIgniter v3.0.6 `_ - `CodeIgniter v3.0.5 `_ @@ -32,4 +32,4 @@ Please note that while every effort is made to keep this code base functional, we cannot guarantee the functionality of code taken from the develop branch. -Beginning with version 2.0.3, stable versions are also available via `GitHub Releases `_. \ No newline at end of file +Beginning with version 2.0.3, stable versions are also available via `GitHub Releases `_. From 777bb986d9e252dcc4dde3c76c03b0e0c7c1f8ef Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 24 Oct 2016 10:11:22 +0300 Subject: [PATCH 2955/3829] [ci skip] Update docs on trans_off() --- user_guide_src/source/database/transactions.rst | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/user_guide_src/source/database/transactions.rst b/user_guide_src/source/database/transactions.rst index 2e6d4b47717..e25b8ed1401 100644 --- a/user_guide_src/source/database/transactions.rst +++ b/user_guide_src/source/database/transactions.rst @@ -75,12 +75,11 @@ debugging is turned off, you can manage your own errors like this:: // generate an error... or use the log_message() function to log your error } -Enabling Transactions -===================== +Disabling Transactions +====================== -Transactions are enabled automatically the moment you use -$this->db->trans_start(). If you would like to disable transactions you -can do so using $this->db->trans_off():: +If you would like to disable transactions you can do so using +``$this->db->trans_off()``:: $this->db->trans_off(); @@ -88,8 +87,9 @@ can do so using $this->db->trans_off():: $this->db->query('AN SQL QUERY...'); $this->db->trans_complete(); -When transactions are disabled, your queries will be auto-commited, just -as they are when running queries without transactions. +When transactions are disabled, your queries will be auto-commited, just as +they are when running queries without transactions, practically ignoring +any calls to ``trans_start()``, ``trans_complete()``, etc. Test Mode ========= From 40282340cd7de02cbe8297f557b7d3e23cbc652a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 26 Oct 2016 17:41:18 +0300 Subject: [PATCH 2956/3829] Fix #4877 --- system/core/Security.php | 34 +++++++++++++++++++++++++++++----- 1 file changed, 29 insertions(+), 5 deletions(-) diff --git a/system/core/Security.php b/system/core/Security.php index 4a69daa181b..b9160a252b2 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -371,11 +371,17 @@ public function xss_clean($str, $is_image = FALSE) * * Note: Use rawurldecode() so it does not remove plus signs */ - do + if (stripos($str, '%') !== false) { - $str = rawurldecode($str); + do + { + $oldstr = $str; + $str = rawurldecode($str); + $str = preg_replace_callback('#%(?:\s*[0-9a-f]){2,}#i', array($this, '_urldecodespaces'), $str); + } + while ($oldstr !== $str); + unset($oldstr); } - while (preg_match('/%[0-9a-f]{2,}/i', $str)); /* * Convert character entities to ASCII @@ -466,7 +472,7 @@ public function xss_clean($str, $is_image = FALSE) if (preg_match('/
]+([^>]*?)(?:>|$)#si', array($this, '_js_link_removal'), $str); + $str = preg_replace_callback('#]+([^>]*?)(?:>|$)#si', array($this, '_js_link_removal'), $str); } if (preg_match('/ Date: Thu, 27 Oct 2016 15:06:46 +0300 Subject: [PATCH 2957/3829] [ci skip] This is 3.1.2-dev --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/installation/downloads.rst | 3 ++- user_guide_src/source/installation/upgrade_312.rst | 14 ++++++++++++++ user_guide_src/source/installation/upgrading.rst | 3 ++- 5 files changed, 21 insertions(+), 5 deletions(-) create mode 100644 user_guide_src/source/installation/upgrade_312.rst diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index c5d26e52bd1..6562e99a2f8 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - const CI_VERSION = '3.1.1'; + const CI_VERSION = '3.1.2-dev'; /* * ------------------------------------------------------ diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index a685c444235..17771fa9e80 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.1.1' +version = '3.1.2-dev' # The full version, including alpha/beta/rc tags. -release = '3.1.1' +release = '3.1.2-dev' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index d04bccb7cb1..1eacd4d335a 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,8 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.1.1 (Current version) `_ +- `CodeIgniter v3.1.2-dev (Current version) `_ +- `CodeIgniter v3.1.1 `_ - `CodeIgniter v3.1.0 `_ - `CodeIgniter v3.0.6 `_ - `CodeIgniter v3.0.5 `_ diff --git a/user_guide_src/source/installation/upgrade_312.rst b/user_guide_src/source/installation/upgrade_312.rst new file mode 100644 index 00000000000..91467233e3b --- /dev/null +++ b/user_guide_src/source/installation/upgrade_312.rst @@ -0,0 +1,14 @@ +############################# +Upgrading from 3.1.1 to 3.1.2 +############################# + +Before performing an update you should take your site offline by +replacing the index.php file with a static one. + +Step 1: Update your CodeIgniter files +===================================== + +Replace all files and directories in your *system/* directory. + +.. note:: If you have any custom developed files in these directories, + please make copies of them first. diff --git a/user_guide_src/source/installation/upgrading.rst b/user_guide_src/source/installation/upgrading.rst index 727d054d1b1..61b16e038fc 100644 --- a/user_guide_src/source/installation/upgrading.rst +++ b/user_guide_src/source/installation/upgrading.rst @@ -8,8 +8,9 @@ upgrading from. .. toctree:: :titlesonly: + Upgrading from 3.1.2 to 3.1.2 Upgrading from 3.1.0 to 3.1.1 - Upgrading from 3.0.6 to 3.1.0 + Upgrading from 3.0.6 to 3.1.x Upgrading from 3.0.5 to 3.0.6 Upgrading from 3.0.4 to 3.0.5 Upgrading from 3.0.3 to 3.0.4 From 098412502a966597631470a2f0cf935d9ecfe16d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 27 Oct 2016 15:10:30 +0300 Subject: [PATCH 2958/3829] [ci skip] Add changelog entry for #4877 --- user_guide_src/source/changelog.rst | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 2d9ef69b578..ee66cc0a428 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -2,6 +2,15 @@ Change Log ########## +Version 3.1.2 +============= + +Release Date: Not Released + +- **Security** + + - Fixed a new URL-encoding attack vector in :doc:`Security Library ` method ``xss_clean()`` affecting Firefox. + Version 3.1.1 ============= From 7bc882384ef4c442fb4edd699c8dd15bbd22e429 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 27 Oct 2016 15:41:23 +0300 Subject: [PATCH 2959/3829] Close #4875 --- system/core/CodeIgniter.php | 21 ++++++++++++++++++++- user_guide_src/source/changelog.rst | 4 ++++ 2 files changed, 24 insertions(+), 1 deletion(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 6562e99a2f8..32ad6189981 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -416,10 +416,29 @@ function &get_instance() $params = array($method, array_slice($URI->rsegments, 2)); $method = '_remap'; } - elseif ( ! is_callable(array($class, $method))) + elseif ( ! method_exists($class, $method)) { $e404 = TRUE; } + /** + * DO NOT CHANGE THIS, NOTHING ELSE WORKS! + * + * - method_exists() returns true for non-public methods, which passes the previous elseif + * - is_callable() returns false for PHP 4-style constructors, even if there's a __construct() + * - method_exists($class, '__construct') won't work because CI_Controller::__construct() is inherited + * - People will only complain if this doesn't work, even though it is documented that it shouldn't. + * + * ReflectionMethod::isConstructor() is the ONLY reliable check, + * knowing which method will be executed as a constructor. + */ + elseif ( ! is_callable(array($class, $method)) && strcasecmp($class, $method) === 0) + { + $reflection = new ReflectionMethod($class, $method); + if ( ! $reflection->isPublic() OR $reflection->isConstructor()) + { + $e404 = TRUE; + } + } } if ($e404) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index ee66cc0a428..b7be0866f8e 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -11,6 +11,10 @@ Release Date: Not Released - Fixed a new URL-encoding attack vector in :doc:`Security Library ` method ``xss_clean()`` affecting Firefox. +- General Changes + + - Allowed PHP 4-style constructors (``Mathching_name::Matching_name()`` methods) to be used as routes, if there's a ``__construct()`` to override them. + Version 3.1.1 ============= From 2f760877c313871e5066b93b0b1aa76428c09fb6 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 27 Oct 2016 16:39:12 +0300 Subject: [PATCH 2960/3829] Fix #4874 --- system/libraries/Session/Session.php | 63 ++++++++++++++++++++++++---- user_guide_src/source/changelog.rst | 5 +++ 2 files changed, 59 insertions(+), 9 deletions(-) diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index 5aac12f36e9..ea7853108eb 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -318,35 +318,80 @@ protected function _configure(&$params) ini_set('session.use_cookies', 1); ini_set('session.use_only_cookies', 1); + $this->_configure_sid_length(); + } + + // ------------------------------------------------------------------------ + + /** + * Configure session ID length + * + * To make life easier, we used to force SHA-1 and 4 bits per + * character on everyone. And of course, someone was unhappy. + * + * Then PHP 7.1 broke backwards-compatibility because ext/session + * is such a mess that nobody wants to touch it with a pole stick, + * and the one guy who does, nobody has the energy to argue with. + * + * So we were forced to make changes, and OF COURSE something was + * going to break and now we have this pile of shit. -- Narf + * + * @return void + */ + protected function _configure_sid_length() + { if (PHP_VERSION_ID < 70100) { - if ((int) ini_get('session.hash_function') === 0) + $hash_function = ini_get('session.hash_function'); + if (ctype_digit($hash_function)) + { + if ($hash_function !== '1') + { + ini_set('session.hash_function', 1); + $bits = 160; + } + } + elseif ( ! in_array($hash_function, hash_algos(), TRUE)) { ini_set('session.hash_function', 1); - ini_set('session.hash_bits_per_character', $bits_per_character = 4); + $bits = 160; } - else + elseif (($bits = strlen(hash($hash_function, 'dummy', false)) * 4) < 160) { - $bits_per_character = (int) ini_get('session.hash_bits_per_character'); + ini_set('session.hash_function', 1); + $bits = 160; } + + $bits_per_character = (int) ini_get('session.hash_bits_per_character'); + $sid_length = $bits * $bits_per_character; } - elseif ((int) ini_get('session.sid_length') < 40 && ($bits_per_character = (int) ini_get('session.sid_bits_per_character')) === 4) + else { - ini_set('session.sid_length', 40); + $bits_per_character = (int) ini_get('session.sid_bits_per_character'); + $sid_length = (int) ini_get('session.sid_length'); + if (($bits = $sid_length * $bits_per_character) < 160) + { + // Add as many more characters as necessary to reach at least 160 bits + $sid_length += (int) ceil((160 % $bits) / $bits_per_character); + ini_set('session.sid_length', $sid_length); + } } + // Yes, 4,5,6 are the only known possible values as of 2016-10-27 switch ($bits_per_character) { case 4: - $this->_sid_regexp = '[0-9a-f]{40,}'; + $this->_sid_regexp = '[0-9a-f]'; break; case 5: - $this->_sid_regexp = '[0-9a-v]{40,}'; + $this->_sid_regexp = '[0-9a-v]'; break; case 6: - $this->_sid_regexp = '[0-9a-zA-Z,-]{40,}'; + $this->_sid_regexp = '[0-9a-zA-Z,-]'; break; } + + $this->_sid_regexp .= '{'.$sid_length.'}'; } // ------------------------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index b7be0866f8e..4c6143c5989 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -15,6 +15,11 @@ Release Date: Not Released - Allowed PHP 4-style constructors (``Mathching_name::Matching_name()`` methods) to be used as routes, if there's a ``__construct()`` to override them. +Bug fixes for 3.1.2 +------------------- + +- Fixed a regression (#4874) - :doc:`Session Library ` didn't take into account `session.hash_bits_per_character` when validating session IDs. + Version 3.1.1 ============= From 2b9d88c3fe78218bb9d8bcbb6ea114d190bc0d0e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 27 Oct 2016 16:47:57 +0300 Subject: [PATCH 2961/3829] [ci skip] Fix changelog entry formatting from last commit --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4c6143c5989..51242efa32d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -18,7 +18,7 @@ Release Date: Not Released Bug fixes for 3.1.2 ------------------- -- Fixed a regression (#4874) - :doc:`Session Library ` didn't take into account `session.hash_bits_per_character` when validating session IDs. +- Fixed a regression (#4874) - :doc:`Session Library ` didn't take into account ``session.hash_bits_per_character`` when validating session IDs. Version 3.1.1 ============= From 0c23e9122666a30797079bea9415da135d4f7e12 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 27 Oct 2016 16:55:19 +0300 Subject: [PATCH 2962/3829] Fix #4871 --- system/database/DB_query_builder.php | 8 +++++--- user_guide_src/source/changelog.rst | 1 + 2 files changed, 6 insertions(+), 3 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 7a008eeb8e8..5491b20005a 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1915,7 +1915,7 @@ public function update_batch($table, $set = NULL, $index = NULL, $batch_size = 1 $affected_rows = 0; for ($i = 0, $total = count($this->qb_set); $i < $total; $i += $batch_size) { - if ($this->query($this->_update_batch($this->protect_identifiers($table, TRUE, NULL, FALSE), array_slice($this->qb_set, $i, $batch_size), $this->protect_identifiers($index)))) + if ($this->query($this->_update_batch($this->protect_identifiers($table, TRUE, NULL, FALSE), array_slice($this->qb_set, $i, $batch_size), $index))) { $affected_rows += $this->affected_rows(); } @@ -1941,6 +1941,8 @@ public function update_batch($table, $set = NULL, $index = NULL, $batch_size = 1 */ protected function _update_batch($table, $values, $index) { + $index_escaped = $this->protect_identifiers($index); + $ids = array(); foreach ($values as $key => $val) { @@ -1950,7 +1952,7 @@ protected function _update_batch($table, $values, $index) { if ($field !== $index) { - $final[$field][] = 'WHEN '.$index.' = '.$val[$index].' THEN '.$val[$field]; + $final[$field][] = 'WHEN '.$index_escaped.' = '.$val[$index].' THEN '.$val[$field]; } } } @@ -1963,7 +1965,7 @@ protected function _update_batch($table, $values, $index) .'ELSE '.$k.' END, '; } - $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); + $this->where($index_escaped.' IN('.implode(',', $ids).')', NULL, FALSE); return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 51242efa32d..58ca20ee9c4 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -19,6 +19,7 @@ Bug fixes for 3.1.2 ------------------- - Fixed a regression (#4874) - :doc:`Session Library ` didn't take into account ``session.hash_bits_per_character`` when validating session IDs. +- Fixed a bug (#4871) - :doc:`Query Builder ` method ``update_batch()`` didn't properly handle identifier escaping. Version 3.1.1 ============= From dbc025b6c2c9b0b085bb79dc126bc58fb2a8c2a8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 27 Oct 2016 17:37:25 +0300 Subject: [PATCH 2963/3829] [ci skip] Another attempt at #4874 --- system/libraries/Session/Session.php | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index ea7853108eb..01989d2d71b 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -348,8 +348,9 @@ protected function _configure_sid_length() if ($hash_function !== '1') { ini_set('session.hash_function', 1); - $bits = 160; } + + $bits = 160; } elseif ( ! in_array($hash_function, hash_algos(), TRUE)) { @@ -363,7 +364,7 @@ protected function _configure_sid_length() } $bits_per_character = (int) ini_get('session.hash_bits_per_character'); - $sid_length = $bits * $bits_per_character; + $sid_length = (int) ceil($bits / $bits_per_character); } else { From be4bab99fc8165858568e0278492aaebecee68f0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 28 Oct 2016 12:50:03 +0300 Subject: [PATCH 2964/3829] Fix #4884 --- system/database/DB_query_builder.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 5491b20005a..5a86ce50f41 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -679,7 +679,7 @@ protected function _wh($qb_key, $key, $value = NULL, $type = 'AND ', $escape = N // value appears not to have been set, assign the test to IS NULL $k .= ' IS NULL'; } - elseif (preg_match('/\s*(!?=|<>|IS(?:\s+NOT)?)\s*$/i', $k, $match, PREG_OFFSET_CAPTURE)) + elseif (preg_match('/\s*(!?=|<>|\sIS(?:\s+NOT)?\s)\s*$/i', $k, $match, PREG_OFFSET_CAPTURE)) { $k = substr($k, 0, $match[0][1]).($match[1][0] === '=' ? ' IS NULL' : ' IS NOT NULL'); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 58ca20ee9c4..0a8160acb6d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -20,6 +20,7 @@ Bug fixes for 3.1.2 - Fixed a regression (#4874) - :doc:`Session Library ` didn't take into account ``session.hash_bits_per_character`` when validating session IDs. - Fixed a bug (#4871) - :doc:`Query Builder ` method ``update_batch()`` didn't properly handle identifier escaping. +- Fixed a bug (#4884) - :doc:`Query Builder ` didn't properly parse field names ending in 'is' when used inside WHERE and HAVING statements. Version 3.1.1 ============= From 8bb7f7f50e99407c5f4def6e2f8e429245bd8613 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 28 Oct 2016 13:16:38 +0300 Subject: [PATCH 2965/3829] [ci skip] Add upgrade instructions for CI_Sessions --- .../source/installation/upgrade_312.rst | 26 +++++++++++++++++++ 1 file changed, 26 insertions(+) diff --git a/user_guide_src/source/installation/upgrade_312.rst b/user_guide_src/source/installation/upgrade_312.rst index 91467233e3b..e0b2191dd37 100644 --- a/user_guide_src/source/installation/upgrade_312.rst +++ b/user_guide_src/source/installation/upgrade_312.rst @@ -12,3 +12,29 @@ Replace all files and directories in your *system/* directory. .. note:: If you have any custom developed files in these directories, please make copies of them first. + +Step 2: Update your "ci_sessions" database table +================================================ + +If you're using the :doc:`Session Library ` with the +'database' driver, you may have to ``ALTER`` your sessions table for your +sessions to continue to work. + +.. note:: The table in question is not necessarily named "ci_sessions". + It is what you've set as your ``$config['sess_save_path']``. + +This will only affect you if you've changed your ``session.hash_function`` +*php.ini* setting to something like 'sha512'. Or if you've been running +an older CodeIgniter version on PHP 7.1+. + +It is recommended that you do this anyway, just to avoid potential issues +in the future if you do change your configuration. + +Just execute the one of the following SQL queries, depending on your +database:: + + // MySQL: + ALTER TABLE ci_sessions CHANGE id id varchar(128) NOT NULL; + + // PostgreSQL + ALTER TABLE ci_sessions ALTER COLUMN id SET DATA TYPE varchar(128); From 4c7323e2e0ff8f39e4b14233903c3bba878240b7 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 28 Oct 2016 13:18:17 +0300 Subject: [PATCH 2966/3829] [ci skip] Clear trailing whitespace from PR #4834 --- system/helpers/inflector_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/inflector_helper.php b/system/helpers/inflector_helper.php index 6dc3b50308c..f54dac019e9 100644 --- a/system/helpers/inflector_helper.php +++ b/system/helpers/inflector_helper.php @@ -268,7 +268,7 @@ function is_countable($word) 'species', 'swine', 'traffic', - 'wheat', + 'wheat' ) ); } From c274a8fc7f8f0a012e8c535eab976af01d6e106b Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Fri, 28 Oct 2016 18:43:30 +0800 Subject: [PATCH 2967/3829] Match both single and double quote in compile_binds(). Signed-off-by: tianhe1986 --- system/database/DB_driver.php | 2 +- system/database/drivers/odbc/odbc_driver.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 43e8eeac660..465d8db7bee 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -938,7 +938,7 @@ public function compile_binds($sql, $binds) $ml = strlen($this->bind_marker); // Make sure not to replace a chunk inside a string that happens to match the bind marker - if ($c = preg_match_all("/'[^']*'/i", $sql, $matches)) + if ($c = preg_match_all("/(['\"])[^\\1]*\\1/i", $sql, $matches)) { $c = preg_match_all('/'.preg_quote($this->bind_marker, '/').'/i', str_replace($matches[0], diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index 63df2963de9..3a893ace423 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -172,7 +172,7 @@ public function compile_binds($sql, $binds) $ml = strlen($this->bind_marker); // Make sure not to replace a chunk inside a string that happens to match the bind marker - if ($c = preg_match_all("/'[^']*'/i", $sql, $matches)) + if ($c = preg_match_all("/(['\"])[^\\1]*\\1/i", $sql, $matches)) { $c = preg_match_all('/'.preg_quote($this->bind_marker, '/').'/i', str_replace($matches[0], From eef5951ae313c2c4080e94b8c1aa743a6d6c93b7 Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Fri, 28 Oct 2016 18:48:35 +0800 Subject: [PATCH 2968/3829] Match single quote in is_write_type(). Signed-off-by: tianhe1986 --- system/database/DB_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 465d8db7bee..a9a3f29e530 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -982,7 +982,7 @@ public function compile_binds($sql, $binds) */ public function is_write_type($sql) { - return (bool) preg_match('/^\s*"?(SET|INSERT|UPDATE|DELETE|REPLACE|CREATE|DROP|TRUNCATE|LOAD|COPY|ALTER|RENAME|GRANT|REVOKE|LOCK|UNLOCK|REINDEX)\s/i', $sql); + return (bool) preg_match('/^\s*["\']?(SET|INSERT|UPDATE|DELETE|REPLACE|CREATE|DROP|TRUNCATE|LOAD|COPY|ALTER|RENAME|GRANT|REVOKE|LOCK|UNLOCK|REINDEX)\s/i', $sql); } // -------------------------------------------------------------------- From 4e2cdec6ff4b4af5f994be4c348ad3b9a9a2942f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 28 Oct 2016 14:19:08 +0300 Subject: [PATCH 2969/3829] Improve byte-safety --- system/core/Log.php | 53 +++++++++++++++++- system/core/Output.php | 62 +++++++++++++++++--- system/libraries/Email.php | 87 ++++++++++++++++++++++------- system/libraries/Zip.php | 74 +++++++++++++++++++----- user_guide_src/source/changelog.rst | 1 + 5 files changed, 236 insertions(+), 41 deletions(-) diff --git a/system/core/Log.php b/system/core/Log.php index 986121526b2..cf6c75a950f 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -104,6 +104,13 @@ class CI_Log { */ protected $_levels = array('ERROR' => 1, 'DEBUG' => 2, 'INFO' => 3, 'ALL' => 4); + /** + * mbstring.func_override flag + * + * @var bool + */ + protected static $func_override; + // -------------------------------------------------------------------- /** @@ -115,6 +122,8 @@ public function __construct() { $config =& get_config(); + isset(self::$func_override) OR self::$func_override = (extension_loaded('mbstring') && ini_get('mbstring.func_override')); + $this->_log_path = ($config['log_path'] !== '') ? $config['log_path'] : APPPATH.'logs/'; $this->_file_ext = (isset($config['log_file_extension']) && $config['log_file_extension'] !== '') ? ltrim($config['log_file_extension'], '.') : 'php'; @@ -208,9 +217,9 @@ public function write_log($level, $msg) $message .= $this->_format_line($level, $date, $msg); - for ($written = 0, $length = strlen($message); $written < $length; $written += $result) + for ($written = 0, $length = self::strlen($message); $written < $length; $written += $result) { - if (($result = fwrite($fp, substr($message, $written))) === FALSE) + if (($result = fwrite($fp, self::substr($message, $written))) === FALSE) { break; } @@ -244,4 +253,44 @@ protected function _format_line($level, $date, $message) { return $level.' - '.$date.' --> '.$message."\n"; } + + // -------------------------------------------------------------------- + + /** + * Byte-safe strlen() + * + * @param string $str + * @return int + */ + protected static function strlen($str) + { + return (self::$func_override) + ? mb_strlen($str, '8bit') + : strlen($str); + } + + // -------------------------------------------------------------------- + + /** + * Byte-safe substr() + * + * @param string $str + * @param int $start + * @param int $length + * @return string + */ + protected static function substr($str, $start, $length = NULL) + { + if (self::$func_override) + { + // mb_substr($str, $start, null, '8bit') returns an empty + // string on PHP 5.3 + isset($length) OR $length = ($start >= 0 ? self::strlen($str) - $start : -$start); + return mb_substr($str, $start, $length, '8bit'); + } + + return isset($length) + ? substr($str, $start, $length) + : substr($str, $start); + } } diff --git a/system/core/Output.php b/system/core/Output.php index 06ff1011ca5..cf6510ff16a 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -122,6 +122,13 @@ class CI_Output { */ public $parse_exec_vars = TRUE; + /** + * mbstring.func_override flag + * + * @var bool + */ + protected static $func_override; + /** * Class constructor * @@ -138,6 +145,8 @@ public function __construct() && extension_loaded('zlib') ); + isset(self::$func_override) OR self::$func_override = (extension_loaded('mbstring') && ini_get('mbstring.func_override')); + // Get mime types for later $this->mimes =& get_mimes(); @@ -304,9 +313,9 @@ public function get_header($header) for ($i = 0, $c = count($headers); $i < $c; $i++) { - if (strncasecmp($header, $headers[$i], $l = strlen($header)) === 0) + if (strncasecmp($header, $headers[$i], $l = self::strlen($header)) === 0) { - return trim(substr($headers[$i], $l+1)); + return trim(self::substr($headers[$i], $l+1)); } } @@ -480,13 +489,13 @@ public function _display($output = '') if (isset($_SERVER['HTTP_ACCEPT_ENCODING']) && strpos($_SERVER['HTTP_ACCEPT_ENCODING'], 'gzip') !== FALSE) { header('Content-Encoding: gzip'); - header('Content-Length: '.strlen($output)); + header('Content-Length: '.self::strlen($output)); } else { // User agent doesn't support gzip compression, // so we'll have to decompress our cache - $output = gzinflate(substr($output, 10, -8)); + $output = gzinflate(self::substr($output, 10, -8)); } } @@ -601,9 +610,9 @@ public function _write_cache($output) $output = $cache_info.'ENDCI--->'.$output; - for ($written = 0, $length = strlen($output); $written < $length; $written += $result) + for ($written = 0, $length = self::strlen($output); $written < $length; $written += $result) { - if (($result = fwrite($fp, substr($output, $written))) === FALSE) + if (($result = fwrite($fp, self::substr($output, $written))) === FALSE) { break; } @@ -711,7 +720,7 @@ public function _display_cache(&$CFG, &$URI) } // Display the cache - $this->_display(substr($cache, strlen($match[0]))); + $this->_display(self::substr($cache, self::strlen($match[0]))); log_message('debug', 'Cache file is current. Sending it to browser.'); return TRUE; } @@ -797,4 +806,43 @@ public function set_cache_header($last_modified, $expiration) } } + // -------------------------------------------------------------------- + + /** + * Byte-safe strlen() + * + * @param string $str + * @return int + */ + protected static function strlen($str) + { + return (self::$func_override) + ? mb_strlen($str, '8bit') + : strlen($str); + } + + // -------------------------------------------------------------------- + + /** + * Byte-safe substr() + * + * @param string $str + * @param int $start + * @param int $length + * @return string + */ + protected static function substr($str, $start, $length = NULL) + { + if (self::$func_override) + { + // mb_substr($str, $start, null, '8bit') returns an empty + // string on PHP 5.3 + isset($length) OR $length = ($start >= 0 ? self::strlen($str) - $start : -$start); + return mb_substr($str, $start, $length, '8bit'); + } + + return isset($length) + ? substr($str, $start, $length) + : substr($str, $start); + } } diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 7f49c1b3d89..676bbcafb56 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -374,6 +374,13 @@ class CI_Email { 5 => '5 (Lowest)' ); + /** + * mbstring.func_override flag + * + * @var bool + */ + protected static $func_override; + // -------------------------------------------------------------------- /** @@ -390,6 +397,8 @@ public function __construct(array $config = array()) $this->initialize($config); $this->_safe_mode = ( ! is_php('5.4') && ini_get('safe_mode')); + isset(self::$func_override) OR self::$func_override = (extension_loaded('mbstring') && ini_get('mbstring.func_override')); + log_message('info', 'Email Class Initialized'); } @@ -1037,7 +1046,7 @@ public function valid_email($email) { if (function_exists('idn_to_ascii') && $atpos = strpos($email, '@')) { - $email = substr($email, 0, ++$atpos).idn_to_ascii(substr($email, $atpos)); + $email = self::substr($email, 0, ++$atpos).idn_to_ascii(self::substr($email, $atpos)); } return (bool) filter_var($email, FILTER_VALIDATE_EMAIL); @@ -1154,7 +1163,7 @@ public function word_wrap($str, $charlim = NULL) { // Is the line within the allowed character count? // If so we'll join it to the output and continue - if (mb_strlen($line) <= $charlim) + if (self::strlen($line) <= $charlim) { $output .= $line.$this->newline; continue; @@ -1170,10 +1179,10 @@ public function word_wrap($str, $charlim = NULL) } // Trim the word down - $temp .= mb_substr($line, 0, $charlim - 1); - $line = mb_substr($line, $charlim - 1); + $temp .= self::substr($line, 0, $charlim - 1); + $line = self::substr($line, $charlim - 1); } - while (mb_strlen($line) > $charlim); + while (self::strlen($line) > $charlim); // If $temp contains data it means we had to split up an over-length // word into smaller chunks so we'll add it back to our current line @@ -1385,7 +1394,7 @@ protected function _build_message() $this->_header_str .= $hdr; } - strlen($body) && $body .= $this->newline.$this->newline; + self::strlen($body) && $body .= $this->newline.$this->newline; $body .= $this->_get_mime_message().$this->newline.$this->newline .'--'.$last_boundary.$this->newline @@ -1532,7 +1541,7 @@ protected function _prep_quoted_printable($str) foreach (explode("\n", $str) as $line) { - $length = strlen($line); + $length = self::strlen($line); $temp = ''; // Loop through each character in the line to add soft-wrap @@ -1567,7 +1576,7 @@ protected function _prep_quoted_printable($str) // If we're at the character limit, add the line to the output, // reset our temp variable, and keep on chuggin' - if ((strlen($temp) + strlen($char)) >= 76) + if ((self::strlen($temp) + self::strlen($char)) >= 76) { $output .= $temp.$escape.$this->crlf; $temp = ''; @@ -1582,7 +1591,7 @@ protected function _prep_quoted_printable($str) } // get rid of extra CRLF tacked onto the end - return substr($output, 0, strlen($this->crlf) * -1); + return self::substr($output, 0, self::strlen($this->crlf) * -1); } // -------------------------------------------------------------------- @@ -1624,7 +1633,7 @@ protected function _prep_q_encoding($str) // iconv_mime_encode() will always put a header field name. // We've passed it an empty one, but it still prepends our // encoded string with ': ', so we need to strip it. - return substr($output, 2); + return self::substr($output, 2); } $chars = iconv_strlen($str, 'UTF-8'); @@ -1636,10 +1645,10 @@ protected function _prep_q_encoding($str) } // We might already have this set for UTF-8 - isset($chars) OR $chars = strlen($str); + isset($chars) OR $chars = self::strlen($str); $output = '=?'.$this->charset.'?Q?'; - for ($i = 0, $length = strlen($output); $i < $chars; $i++) + for ($i = 0, $length = self::strlen($output); $i < $chars; $i++) { $chr = ($this->charset === 'UTF-8' && ICONV_ENABLED === TRUE) ? '='.implode('=', str_split(strtoupper(bin2hex(iconv_substr($str, $i, 1, $this->charset))), 2)) @@ -1647,11 +1656,11 @@ protected function _prep_q_encoding($str) // RFC 2045 sets a limit of 76 characters per line. // We'll append ?= to the end of each line though. - if ($length + ($l = strlen($chr)) > 74) + if ($length + ($l = self::strlen($chr)) > 74) { $output .= '?='.$this->crlf // EOL .' =?'.$this->charset.'?Q?'.$chr; // New line - $length = 6 + strlen($this->charset) + $l; // Reset the length for the new line + $length = 6 + self::strlen($this->charset) + $l; // Reset the length for the new line } else { @@ -1744,14 +1753,14 @@ public function batch_bcc_send() if ($i === $float) { - $chunk[] = substr($set, 1); + $chunk[] = self::substr($set, 1); $float += $this->bcc_batch_size; $set = ''; } if ($i === $c-1) { - $chunk[] = substr($set, 1); + $chunk[] = self::substr($set, 1); } } @@ -2109,7 +2118,7 @@ protected function _send_command($cmd, $data = '') $this->_debug_msg[] = '
'.$cmd.': '.$reply.'
'; - if ((int) substr($reply, 0, 3) !== $resp) + if ((int) self::substr($reply, 0, 3) !== $resp) { $this->_set_error_message('lang:email_smtp_error', $reply); return FALSE; @@ -2196,9 +2205,9 @@ protected function _smtp_authenticate() protected function _send_data($data) { $data .= $this->newline; - for ($written = $timestamp = 0, $length = strlen($data); $written < $length; $written += $result) + for ($written = $timestamp = 0, $length = self::strlen($data); $written < $length; $written += $result) { - if (($result = fwrite($this->_smtp_connect, substr($data, $written))) === FALSE) + if (($result = fwrite($this->_smtp_connect, self::substr($data, $written))) === FALSE) { break; } @@ -2382,4 +2391,44 @@ public function __destruct() { is_resource($this->_smtp_connect) && $this->_send_command('quit'); } + + // -------------------------------------------------------------------- + + /** + * Byte-safe strlen() + * + * @param string $str + * @return int + */ + protected static function strlen($str) + { + return (self::$func_override) + ? mb_strlen($str, '8bit') + : strlen($str); + } + + // -------------------------------------------------------------------- + + /** + * Byte-safe substr() + * + * @param string $str + * @param int $start + * @param int $length + * @return string + */ + protected static function substr($str, $start, $length = NULL) + { + if (self::$func_override) + { + // mb_substr($str, $start, null, '8bit') returns an empty + // string on PHP 5.3 + isset($length) OR $length = ($start >= 0 ? self::strlen($str) - $start : -$start); + return mb_substr($str, $start, $length, '8bit'); + } + + return isset($length) + ? substr($str, $start, $length) + : substr($str, $start); + } } diff --git a/system/libraries/Zip.php b/system/libraries/Zip.php index 140ad72123c..25315c92e67 100644 --- a/system/libraries/Zip.php +++ b/system/libraries/Zip.php @@ -105,6 +105,13 @@ class CI_Zip { */ public $compression_level = 2; + /** + * mbstring.func_override flag + * + * @var bool + */ + protected static $func_override; + /** * Initialize zip compression class * @@ -112,6 +119,8 @@ class CI_Zip { */ public function __construct() { + isset(self::$func_override) OR self::$func_override = (extension_loaded('mbstring') && ini_get('mbstring.func_override')); + $this->now = time(); log_message('info', 'Zip Compression Class Initialized'); } @@ -182,7 +191,7 @@ protected function _add_dir($dir, $file_mtime, $file_mdate) .pack('V', 0) // crc32 .pack('V', 0) // compressed filesize .pack('V', 0) // uncompressed filesize - .pack('v', strlen($dir)) // length of pathname + .pack('v', self::strlen($dir)) // length of pathname .pack('v', 0) // extra field length .$dir // below is "data descriptor" segment @@ -197,7 +206,7 @@ protected function _add_dir($dir, $file_mtime, $file_mdate) .pack('V',0) // crc32 .pack('V',0) // compressed filesize .pack('V',0) // uncompressed filesize - .pack('v', strlen($dir)) // length of pathname + .pack('v', self::strlen($dir)) // length of pathname .pack('v', 0) // extra field length .pack('v', 0) // file comment length .pack('v', 0) // disk number start @@ -206,7 +215,7 @@ protected function _add_dir($dir, $file_mtime, $file_mdate) .pack('V', $this->offset) // relative offset of local header .$dir; - $this->offset = strlen($this->zipdata); + $this->offset = self::strlen($this->zipdata); $this->entries++; } @@ -255,10 +264,10 @@ protected function _add_data($filepath, $data, $file_mtime, $file_mdate) { $filepath = str_replace('\\', '/', $filepath); - $uncompressed_size = strlen($data); + $uncompressed_size = self::strlen($data); $crc32 = crc32($data); - $gzdata = substr(gzcompress($data, $this->compression_level), 2, -4); - $compressed_size = strlen($gzdata); + $gzdata = self::substr(gzcompress($data, $this->compression_level), 2, -4); + $compressed_size = self::strlen($gzdata); $this->zipdata .= "\x50\x4b\x03\x04\x14\x00\x00\x00\x08\x00" @@ -267,7 +276,7 @@ protected function _add_data($filepath, $data, $file_mtime, $file_mdate) .pack('V', $crc32) .pack('V', $compressed_size) .pack('V', $uncompressed_size) - .pack('v', strlen($filepath)) // length of filename + .pack('v', self::strlen($filepath)) // length of filename .pack('v', 0) // extra field length .$filepath .$gzdata; // "file data" segment @@ -279,7 +288,7 @@ protected function _add_data($filepath, $data, $file_mtime, $file_mdate) .pack('V', $crc32) .pack('V', $compressed_size) .pack('V', $uncompressed_size) - .pack('v', strlen($filepath)) // length of filename + .pack('v', self::strlen($filepath)) // length of filename .pack('v', 0) // extra field length .pack('v', 0) // file comment length .pack('v', 0) // disk number start @@ -288,7 +297,7 @@ protected function _add_data($filepath, $data, $file_mtime, $file_mdate) .pack('V', $this->offset) // relative offset of local header .$filepath; - $this->offset = strlen($this->zipdata); + $this->offset = self::strlen($this->zipdata); $this->entries++; $this->file_num++; } @@ -401,8 +410,8 @@ public function get_zip() .$this->directory."\x50\x4b\x05\x06\x00\x00\x00\x00" .pack('v', $this->entries) // total # of entries "on this disk" .pack('v', $this->entries) // total # of entries overall - .pack('V', strlen($this->directory)) // size of central dir - .pack('V', strlen($this->zipdata)) // offset to start of central dir + .pack('V', self::strlen($this->directory)) // size of central dir + .pack('V', self::strlen($this->zipdata)) // offset to start of central dir ."\x00\x00"; // .zip file comment length } @@ -425,9 +434,9 @@ public function archive($filepath) flock($fp, LOCK_EX); - for ($result = $written = 0, $data = $this->get_zip(), $length = strlen($data); $written < $length; $written += $result) + for ($result = $written = 0, $data = $this->get_zip(), $length = self::strlen($data); $written < $length; $written += $result) { - if (($result = fwrite($fp, substr($data, $written))) === FALSE) + if (($result = fwrite($fp, self::substr($data, $written))) === FALSE) { break; } @@ -481,4 +490,43 @@ public function clear_data() return $this; } + // -------------------------------------------------------------------- + + /** + * Byte-safe strlen() + * + * @param string $str + * @return int + */ + protected static function strlen($str) + { + return (self::$func_override) + ? mb_strlen($str, '8bit') + : strlen($str); + } + + // -------------------------------------------------------------------- + + /** + * Byte-safe substr() + * + * @param string $str + * @param int $start + * @param int $length + * @return string + */ + protected static function substr($str, $start, $length = NULL) + { + if (self::$func_override) + { + // mb_substr($str, $start, null, '8bit') returns an empty + // string on PHP 5.3 + isset($length) OR $length = ($start >= 0 ? self::strlen($str) - $start : -$start); + return mb_substr($str, $start, $length, '8bit'); + } + + return isset($length) + ? substr($str, $start, $length) + : substr($str, $start); + } } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 0a8160acb6d..4be0b31d368 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -21,6 +21,7 @@ Bug fixes for 3.1.2 - Fixed a regression (#4874) - :doc:`Session Library ` didn't take into account ``session.hash_bits_per_character`` when validating session IDs. - Fixed a bug (#4871) - :doc:`Query Builder ` method ``update_batch()`` didn't properly handle identifier escaping. - Fixed a bug (#4884) - :doc:`Query Builder ` didn't properly parse field names ending in 'is' when used inside WHERE and HAVING statements. +- Fixed a bug where ``CI_Log``, ``CI_Output``, ``CI_Email`` and ``CI_Zip`` didn't handle strings in a byte-safe manner when ``mbstring.func_override`` is enabled. Version 3.1.1 ============= From df34b547c97ba1ce1ddb819495d299cb845a87de Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 28 Oct 2016 14:47:20 +0300 Subject: [PATCH 2970/3829] [ci skip] Add changelog entry for & polish doc changes from PR #4826 --- user_guide_src/source/changelog.rst | 4 ++++ user_guide_src/source/libraries/table.rst | 8 ++++++-- 2 files changed, 10 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index f60387cd5ba..518569097f4 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -27,6 +27,10 @@ Release Date: Not Released - Changed method ``set_rules()`` to throw a ``BadMethodCallException`` when its first parameter is not an array and the ``$rules`` one is unused. + - :doc:`HTML Table Library ` changes include: + + - Changed method ``clear()`` to also reset captions. + - Database - Changed method ``initialize()`` to return void and instead throw a ``RuntimeException`` in case of failure. diff --git a/user_guide_src/source/libraries/table.rst b/user_guide_src/source/libraries/table.rst index 3cd120f953c..06dfe59de09 100644 --- a/user_guide_src/source/libraries/table.rst +++ b/user_guide_src/source/libraries/table.rst @@ -275,8 +275,12 @@ Class Reference :returns: CI_Table instance (method chaining) :rtype: CI_Table - Lets you clear the table heading, row data and the caption. If you need to show multiple tables with different data you should to call this method - after each table has been generated to clear the previous table information. Example:: + Lets you clear the table heading, row data and caption. If + you need to show multiple tables with different data you + should to call this method after each table has been + generated to clear the previous table information. + + Example :: $this->load->library('table'); From e02ebabb19242e1cfc6b37217bc799ff7591e941 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 28 Oct 2016 16:35:12 +0300 Subject: [PATCH 2971/3829] [ci skip] Add a bash script to help with releases --- build-release.sh | 95 ++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 95 insertions(+) create mode 100755 build-release.sh diff --git a/build-release.sh b/build-release.sh new file mode 100755 index 00000000000..490680e7916 --- /dev/null +++ b/build-release.sh @@ -0,0 +1,95 @@ +#!/usr/bin/env bash + +cd $(dirname $BASH_SOURCE) + +if [ $# -eq 0 ]; then + echo 'Usage: '$BASH_SOURCE' ' + exit 1 +fi + +version_number=$1 + +if [ ${#version_number} -lt 5 ] +then + echo "Provided version number is too short" + exit 1 +elif [ ${version_number: -4} == "-dev" ] +then + echo "'-dev' releases are not allowed" + exit 1 +fi + +version_id=${version_number:0:5} +version_id=${version_id//./} +upgrade_rst='user_guide_src/source/installation/upgrade_'$version_id'.rst' + +if [ ${#version_id} -ne 3 ] +then + echo "Invalid version number format" + exit 1 +elif [ `grep -c -F --regexp="'$version_number'" system/core/CodeIgniter.php` -ne 1 ] +then + echo "Provided version number doesn't match in system/core/CodeIgniter.php" + exit 1 +elif [ `grep -c -F --regexp="'$version_number'" user_guide_src/source/conf.py` -ne 2 ] +then + echo "Provided version number doesn't match in user_guide_src/source/conf.py" + exit 1 +elif [ ! -f "$upgrade_rst" ] +then + echo "${upgrade_rst} doesn't exist" + exit 1 +fi + +echo "Running tests ..." + +cd tests/ +phpunit + +if [ $? -ne 0 ] +then + echo "Build FAILED!" + exit 1 +fi + +cd .. +cd user_guide_src/ + +echo "" +echo "Building HTML docs; please check output for warnings ..." +echo "" + +make html + +echo "" + +if [ $? -ne 0 ] +then + echo "Build FAILED!" + exit 1 +fi + +echo "Building EPUB docs; please check output for warnings ..." +echo "" + +make epub + +echo "" + +if [ $? -ne 0 ] +then + echo "Build FAILED!" + exit 1 +fi + +cd .. + +if [ -d user_guide/ ] +then + rm -r user_guide/ +fi + +cp -r user_guide_src/build/html/ user_guide/ +cp user_guide_src/build/epub/CodeIgniter.epub "CodeIgniter ${version_number}.epub" + +echo "Build complete." From 57fa143448577b670d8dd0e02b6e4cf31c4a7cff Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 28 Oct 2016 17:46:31 +0300 Subject: [PATCH 2972/3829] [ci skip] xss_clean() hardening - percent-sign tag (IE) - data: URI scheme inclinding whitespace (Chrome) --- system/core/Security.php | 21 +++++++++++---------- user_guide_src/source/changelog.rst | 2 +- 2 files changed, 12 insertions(+), 11 deletions(-) diff --git a/system/core/Security.php b/system/core/Security.php index b9160a252b2..d0308c5f95b 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -133,15 +133,16 @@ class CI_Security { * @var array */ protected $_never_allowed_str = array( - 'document.cookie' => '[removed]', - 'document.write' => '[removed]', - '.parentNode' => '[removed]', - '.innerHTML' => '[removed]', - '-moz-binding' => '[removed]', - '' => '-->', - ' '<![CDATA[', - '' => '<comment>' + 'document.cookie' => '[removed]', + 'document.write' => '[removed]', + '.parentNode' => '[removed]', + '.innerHTML' => '[removed]', + '-moz-binding' => '[removed]', + '' => '-->', + ' '<![CDATA[', + '' => '<comment>', + '<%' => '<%' ); /** @@ -924,7 +925,7 @@ protected function _js_link_removal($match) return str_replace( $match[1], preg_replace( - '#href=.*?(?:(?:alert|prompt|confirm)(?:\(|&\#40;)|javascript:|livescript:|mocha:|charset=|window\.|document\.|\.cookie|_filter_attributes($match[1]) ), diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4be0b31d368..2482c493cd1 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -9,7 +9,7 @@ Release Date: Not Released - **Security** - - Fixed a new URL-encoding attack vector in :doc:`Security Library ` method ``xss_clean()`` affecting Firefox. + - Fixed a number of new vulnerabilities in :doc:`Security Library ` method ``xss_clean()``. - General Changes From f52ad7a1a6340ea9d0e63dbf5fbf054b082fa3e9 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 28 Oct 2016 17:56:50 +0300 Subject: [PATCH 2973/3829] [ci skip] Add download link check to build-release.sh --- build-release.sh | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/build-release.sh b/build-release.sh index 490680e7916..6b3b31d1228 100755 --- a/build-release.sh +++ b/build-release.sh @@ -35,6 +35,10 @@ elif [ `grep -c -F --regexp="'$version_number'" user_guide_src/source/conf.py` - then echo "Provided version number doesn't match in user_guide_src/source/conf.py" exit 1 +elif [ `grep -c -F --regexp="$version_number (Current version) " user_guide_src/source/installation/downloads.rst` -ne 1 ] +then + echo "user_guide_src/source/installation/downloads.rst doesn't appear to contain a link for this version" + exit 1 elif [ ! -f "$upgrade_rst" ] then echo "${upgrade_rst} doesn't exist" From c877ac5d961831a087242ff780731c7372f84b6f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 28 Oct 2016 17:56:50 +0300 Subject: [PATCH 2974/3829] [ci skip] Add download link check to build-release.sh --- build-release.sh | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/build-release.sh b/build-release.sh index 490680e7916..6b3b31d1228 100755 --- a/build-release.sh +++ b/build-release.sh @@ -35,6 +35,10 @@ elif [ `grep -c -F --regexp="'$version_number'" user_guide_src/source/conf.py` - then echo "Provided version number doesn't match in user_guide_src/source/conf.py" exit 1 +elif [ `grep -c -F --regexp="$version_number (Current version) " user_guide_src/source/installation/downloads.rst` -ne 1 ] +then + echo "user_guide_src/source/installation/downloads.rst doesn't appear to contain a link for this version" + exit 1 elif [ ! -f "$upgrade_rst" ] then echo "${upgrade_rst} doesn't exist" From a1f830dedc53e31a48c8722ed11e3e645526bdcc Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 28 Oct 2016 17:59:47 +0300 Subject: [PATCH 2975/3829] [ci skip] Prepare for 3.1.2 release --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/changelog.rst | 2 +- user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/installation/downloads.rst | 2 +- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 32ad6189981..a2067fb1008 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - const CI_VERSION = '3.1.2-dev'; + const CI_VERSION = '3.1.2'; /* * ------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 2482c493cd1..437fdbabedb 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -5,7 +5,7 @@ Change Log Version 3.1.2 ============= -Release Date: Not Released +Release Date: Oct 28, 2016 - **Security** diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index 17771fa9e80..2f44e0cbe0f 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.1.2-dev' +version = '3.1.2' # The full version, including alpha/beta/rc tags. -release = '3.1.2-dev' +release = '3.1.2' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index 1eacd4d335a..6c1f007e36f 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,7 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.1.2-dev (Current version) `_ +- `CodeIgniter v3.1.2 (Current version) `_ - `CodeIgniter v3.1.1 `_ - `CodeIgniter v3.1.0 `_ - `CodeIgniter v3.0.6 `_ From b6995a6a1bdfb2275b3befb89d51da0a1769771e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 28 Oct 2016 18:05:24 +0300 Subject: [PATCH 2976/3829] [ci skip] Fix upgrading instruction link titles --- user_guide_src/source/installation/upgrading.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/installation/upgrading.rst b/user_guide_src/source/installation/upgrading.rst index 61b16e038fc..4e0b0453d1a 100644 --- a/user_guide_src/source/installation/upgrading.rst +++ b/user_guide_src/source/installation/upgrading.rst @@ -8,9 +8,9 @@ upgrading from. .. toctree:: :titlesonly: - Upgrading from 3.1.2 to 3.1.2 + Upgrading from 3.1.1 to 3.1.2 Upgrading from 3.1.0 to 3.1.1 - Upgrading from 3.0.6 to 3.1.x + Upgrading from 3.0.6 to 3.1.0 Upgrading from 3.0.5 to 3.0.6 Upgrading from 3.0.4 to 3.0.5 Upgrading from 3.0.3 to 3.0.4 From 014be1e8726ebce6dd19284ae3deaee866d6b0e5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 28 Oct 2016 18:05:24 +0300 Subject: [PATCH 2977/3829] [ci skip] Fix upgrading instruction link titles --- user_guide_src/source/installation/upgrading.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/installation/upgrading.rst b/user_guide_src/source/installation/upgrading.rst index 61b16e038fc..4e0b0453d1a 100644 --- a/user_guide_src/source/installation/upgrading.rst +++ b/user_guide_src/source/installation/upgrading.rst @@ -8,9 +8,9 @@ upgrading from. .. toctree:: :titlesonly: - Upgrading from 3.1.2 to 3.1.2 + Upgrading from 3.1.1 to 3.1.2 Upgrading from 3.1.0 to 3.1.1 - Upgrading from 3.0.6 to 3.1.x + Upgrading from 3.0.6 to 3.1.0 Upgrading from 3.0.5 to 3.0.6 Upgrading from 3.0.4 to 3.0.5 Upgrading from 3.0.3 to 3.0.4 From 499c6080cd41927df088206155e4055d4da3e58e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 28 Oct 2016 18:28:34 +0300 Subject: [PATCH 2978/3829] [ci skip] Mark the start of 3.1.3-dev --- system/core/CodeIgniter.php | 2 +- user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/installation/downloads.rst | 3 ++- user_guide_src/source/installation/upgrade_313.rst | 14 ++++++++++++++ user_guide_src/source/installation/upgrading.rst | 1 + 5 files changed, 20 insertions(+), 4 deletions(-) create mode 100644 user_guide_src/source/installation/upgrade_313.rst diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index a2067fb1008..71656be2916 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -55,7 +55,7 @@ * @var string * */ - const CI_VERSION = '3.1.2'; + const CI_VERSION = '3.1.3-dev'; /* * ------------------------------------------------------ diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index 2f44e0cbe0f..4d2edbe604d 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -48,9 +48,9 @@ # built documents. # # The short X.Y version. -version = '3.1.2' +version = '3.1.3-dev' # The full version, including alpha/beta/rc tags. -release = '3.1.2' +release = '3.1.3-dev' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. diff --git a/user_guide_src/source/installation/downloads.rst b/user_guide_src/source/installation/downloads.rst index 6c1f007e36f..5992ba2911f 100644 --- a/user_guide_src/source/installation/downloads.rst +++ b/user_guide_src/source/installation/downloads.rst @@ -2,7 +2,8 @@ Downloading CodeIgniter ####################### -- `CodeIgniter v3.1.2 (Current version) `_ +- `CodeIgniter v3.1.3 (Current version) `_ +- `CodeIgniter v3.1.2 `_ - `CodeIgniter v3.1.1 `_ - `CodeIgniter v3.1.0 `_ - `CodeIgniter v3.0.6 `_ diff --git a/user_guide_src/source/installation/upgrade_313.rst b/user_guide_src/source/installation/upgrade_313.rst new file mode 100644 index 00000000000..71afc6f6acd --- /dev/null +++ b/user_guide_src/source/installation/upgrade_313.rst @@ -0,0 +1,14 @@ +############################# +Upgrading from 3.1.2 to 3.1.3 +############################# + +Before performing an update you should take your site offline by +replacing the index.php file with a static one. + +Step 1: Update your CodeIgniter files +===================================== + +Replace all files and directories in your *system/* directory. + +.. note:: If you have any custom developed files in these directories, + please make copies of them first. diff --git a/user_guide_src/source/installation/upgrading.rst b/user_guide_src/source/installation/upgrading.rst index 4e0b0453d1a..bc96e209f16 100644 --- a/user_guide_src/source/installation/upgrading.rst +++ b/user_guide_src/source/installation/upgrading.rst @@ -8,6 +8,7 @@ upgrading from. .. toctree:: :titlesonly: + Upgrading from 3.1.2 to 3.1.3 Upgrading from 3.1.1 to 3.1.2 Upgrading from 3.1.0 to 3.1.1 Upgrading from 3.0.6 to 3.1.0 From e791c2dd5112594d423342ceb29d6586acdffba3 Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Sat, 29 Oct 2016 01:47:23 +0800 Subject: [PATCH 2979/3829] Revert "Match single quote in is_write_type()." This reverts commit eef5951ae313c2c4080e94b8c1aa743a6d6c93b7. Signed-off-by: tianhe1986 --- system/database/DB_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index a9a3f29e530..465d8db7bee 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -982,7 +982,7 @@ public function compile_binds($sql, $binds) */ public function is_write_type($sql) { - return (bool) preg_match('/^\s*["\']?(SET|INSERT|UPDATE|DELETE|REPLACE|CREATE|DROP|TRUNCATE|LOAD|COPY|ALTER|RENAME|GRANT|REVOKE|LOCK|UNLOCK|REINDEX)\s/i', $sql); + return (bool) preg_match('/^\s*"?(SET|INSERT|UPDATE|DELETE|REPLACE|CREATE|DROP|TRUNCATE|LOAD|COPY|ALTER|RENAME|GRANT|REVOKE|LOCK|UNLOCK|REINDEX)\s/i', $sql); } // -------------------------------------------------------------------- From c867754cbb2260efeaa25ff9c339989807e8c713 Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Mon, 31 Oct 2016 01:38:18 +0200 Subject: [PATCH 2980/3829] download helper should be able to offer a download by reading a local file and also a custom destination filename. --- system/helpers/download_helper.php | 28 ++++++++++++++----- .../source/helpers/download_helper.rst | 14 ++++++++-- 2 files changed, 32 insertions(+), 10 deletions(-) diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index a6463dfd754..289ea199a4d 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -56,7 +56,7 @@ * * Generates headers that force a download to happen * - * @param string filename + * @param mixed filename (or an array of local file path => destination filename) * @param mixed the data to be downloaded * @param bool whether to try and send the actual file MIME type * @return void @@ -69,14 +69,28 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) } elseif ($data === NULL) { - if ( ! @is_file($filename) OR ($filesize = @filesize($filename)) === FALSE) + // Is $filename an array as ['local source path' => 'destination filename']? + if(is_array($filename)) { - return; - } + $filepath = key($filename); + $filename = current($filename); - $filepath = $filename; - $filename = explode('/', str_replace(DIRECTORY_SEPARATOR, '/', $filename)); - $filename = end($filename); + if ( ! @is_file($filepath) OR ($filesize = @filesize($filepath)) === FALSE) + { + return; + } + } + else + { + if ( ! @is_file($filename) OR ($filesize = @filesize($filename)) === FALSE) + { + return; + } + + $filepath = $filename; + $filename = explode('/', str_replace(DIRECTORY_SEPARATOR, '/', $filename)); + $filename = end($filename); + } } else { diff --git a/user_guide_src/source/helpers/download_helper.rst b/user_guide_src/source/helpers/download_helper.rst index 1a406507310..83182a256e3 100644 --- a/user_guide_src/source/helpers/download_helper.rst +++ b/user_guide_src/source/helpers/download_helper.rst @@ -26,7 +26,7 @@ The following functions are available: .. php:function:: force_download([$filename = ''[, $data = ''[, $set_mime = FALSE]]]) - :param string $filename: Filename + :param mixed $filename: Filename :param mixed $data: File contents :param bool $set_mime: Whether to try to send the actual MIME type :rtype: void @@ -37,7 +37,9 @@ The following functions are available: file data. If you set the second parameter to NULL and ``$filename`` is an existing, readable - file path, then its content will be read instead. + file path, then its content will be read instead. You may also set ``$filename`` + as an array containing a single entry, the key being the existing, readable file path + and the value as the downloading file name. If you set the third parameter to boolean TRUE, then the actual file MIME type (based on the filename extension) will be sent, so that if your browser has a @@ -53,4 +55,10 @@ The following functions are available: do the following:: // Contents of photo.jpg will be automatically read - force_download('/path/to/photo.jpg', NULL); \ No newline at end of file + force_download('/path/to/photo.jpg', NULL); + + If you want to download an existing file from your server, but change the name + of the actual file sent to browser, you will need this:: + + // Contents of photo.jpg will be automatically read and sent as my-photo.jpg + force_download(array('/path/to/photo.jpg' => 'my-photo.jpg'), NULL); \ No newline at end of file From 214a537e4df19f3885943604c1b8a49c3f64993d Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Mon, 31 Oct 2016 01:42:41 +0200 Subject: [PATCH 2981/3829] single entry restriction if $filename is an array --- system/helpers/download_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index 289ea199a4d..a1d149f91dc 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -70,7 +70,7 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) elseif ($data === NULL) { // Is $filename an array as ['local source path' => 'destination filename']? - if(is_array($filename)) + if(is_array($filename) && count($filename) === 1) { $filepath = key($filename); $filename = current($filename); From 31d28fda8bd01ff0c7a2f196bf072bf9d84a83fe Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 31 Oct 2016 09:35:29 +0200 Subject: [PATCH 2982/3829] Merge pull request #4886 from tianhe1986/develop_dbdriver_quote Detect double-quoted strings in DB::compile_binds() --- system/database/DB_driver.php | 2 +- system/database/drivers/odbc/odbc_driver.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 7ae52a307dc..fcc15eee5ee 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1000,7 +1000,7 @@ public function compile_binds($sql, $binds) $ml = strlen($this->bind_marker); // Make sure not to replace a chunk inside a string that happens to match the bind marker - if ($c = preg_match_all("/'[^']*'/i", $sql, $matches)) + if ($c = preg_match_all("/(['\"])[^\\1]*\\1/i", $sql, $matches)) { $c = preg_match_all('/'.preg_quote($this->bind_marker, '/').'/i', str_replace($matches[0], diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index dbce1cf79ff..b5512fd76de 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -172,7 +172,7 @@ public function compile_binds($sql, $binds) $ml = strlen($this->bind_marker); // Make sure not to replace a chunk inside a string that happens to match the bind marker - if ($c = preg_match_all("/'[^']*'/i", $sql, $matches)) + if ($c = preg_match_all("/(['\"])[^\\1]*\\1/i", $sql, $matches)) { $c = preg_match_all('/'.preg_quote($this->bind_marker, '/').'/i', str_replace($matches[0], From 6488fc75567b93b4ad1a9ec9ff153c646c379da2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 31 Oct 2016 09:38:25 +0200 Subject: [PATCH 2983/3829] [ci skip] Add changelog entry for #4886 --- user_guide_src/source/changelog.rst | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 437fdbabedb..47b8fecf2b6 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -2,6 +2,16 @@ Change Log ########## +Version 3.1.3 +============= + +Release Date: Not Released + +Bug fixes for 3.1.3 +------------------- + +- Fixed a bug (#4886) - :doc:`Database Library ` didn't differentiate bind markers inside double-quoted strings in queries. + Version 3.1.2 ============= From 14a6c2e2925724b5bf814dc895e14535dfa0aa09 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 31 Oct 2016 10:04:17 +0200 Subject: [PATCH 2984/3829] Fix #4890 --- system/libraries/Xmlrpcs.php | 8 ++++---- user_guide_src/source/changelog.rst | 1 + 2 files changed, 5 insertions(+), 4 deletions(-) diff --git a/system/libraries/Xmlrpcs.php b/system/libraries/Xmlrpcs.php index afcdbe68c35..f343a7ec06c 100644 --- a/system/libraries/Xmlrpcs.php +++ b/system/libraries/Xmlrpcs.php @@ -339,11 +339,11 @@ protected function _execute($m) //------------------------------------- $method_parts = explode('.', $this->methods[$methName]['function']); - $objectCall = (isset($method_parts[1]) && $method_parts[1] !== ''); + $objectCall = ! empty($method_parts[1]); if ($system_call === TRUE) { - if ( ! is_callable(array($this,$method_parts[1]))) + if ( ! is_callable(array($this, $method_parts[1]))) { return new XML_RPC_Response(0, $this->xmlrpcerr['unknown_method'], $this->xmlrpcstr['unknown_method']); } @@ -400,11 +400,11 @@ protected function _execute($m) } elseif ($this->object === FALSE) { - return get_instance()->$method_parts[1]($m); + return get_instance()->{$method_parts[1]}($m); } else { - return $this->object->$method_parts[1]($m); + return $this->object->{$method_parts[1]}($m); } } else diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 47b8fecf2b6..4a1ce3461b2 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -11,6 +11,7 @@ Bug fixes for 3.1.3 ------------------- - Fixed a bug (#4886) - :doc:`Database Library ` didn't differentiate bind markers inside double-quoted strings in queries. +- Fixed a bug (#4890) - :doc:`XML-RPC Library ` didn't work on PHP 7. Version 3.1.2 ============= From 17e662951c25ae2c83328508e90b9a0b99d49603 Mon Sep 17 00:00:00 2001 From: tianhe1986 Date: Mon, 31 Oct 2016 18:56:59 +0800 Subject: [PATCH 2985/3829] Fix compile_binds: do not use back references inside a character class. Signed-off-by: tianhe1986 --- system/database/DB_driver.php | 2 +- system/database/drivers/odbc/odbc_driver.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 064d4070e72..c142a1354ba 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -938,7 +938,7 @@ public function compile_binds($sql, $binds) $ml = strlen($this->bind_marker); // Make sure not to replace a chunk inside a string that happens to match the bind marker - if ($c = preg_match_all("/(['\"])[^\\1]*\\1/i", $sql, $matches)) + if ($c = preg_match_all("/'[^']*'|\"[^\"]*\"/i", $sql, $matches)) { $c = preg_match_all('/'.preg_quote($this->bind_marker, '/').'/i', str_replace($matches[0], diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index b5512fd76de..82efa498c9c 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -172,7 +172,7 @@ public function compile_binds($sql, $binds) $ml = strlen($this->bind_marker); // Make sure not to replace a chunk inside a string that happens to match the bind marker - if ($c = preg_match_all("/(['\"])[^\\1]*\\1/i", $sql, $matches)) + if ($c = preg_match_all("/'[^']*'|\"[^\"]*\"/i", $sql, $matches)) { $c = preg_match_all('/'.preg_quote($this->bind_marker, '/').'/i', str_replace($matches[0], From 6b5464c5b8a97268aab3814b56a1413a9463a97f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 31 Oct 2016 13:09:33 +0200 Subject: [PATCH 2986/3829] Merge pull request #4893 from tianhe1986/develop_fix_dbdriver_quote Fix compile_binds: do not use back references inside a character class. --- system/database/DB_driver.php | 2 +- system/database/drivers/odbc/odbc_driver.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index fcc15eee5ee..151340596de 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -1000,7 +1000,7 @@ public function compile_binds($sql, $binds) $ml = strlen($this->bind_marker); // Make sure not to replace a chunk inside a string that happens to match the bind marker - if ($c = preg_match_all("/(['\"])[^\\1]*\\1/i", $sql, $matches)) + if ($c = preg_match_all("/'[^']*'|\"[^\"]*\"/i", $sql, $matches)) { $c = preg_match_all('/'.preg_quote($this->bind_marker, '/').'/i', str_replace($matches[0], diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index b5512fd76de..82efa498c9c 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -172,7 +172,7 @@ public function compile_binds($sql, $binds) $ml = strlen($this->bind_marker); // Make sure not to replace a chunk inside a string that happens to match the bind marker - if ($c = preg_match_all("/(['\"])[^\\1]*\\1/i", $sql, $matches)) + if ($c = preg_match_all("/'[^']*'|\"[^\"]*\"/i", $sql, $matches)) { $c = preg_match_all('/'.preg_quote($this->bind_marker, '/').'/i', str_replace($matches[0], From c953c128649e06bb1a3594e56459cf14bdb6e048 Mon Sep 17 00:00:00 2001 From: George PETCULESCU Date: Mon, 31 Oct 2016 14:06:48 +0200 Subject: [PATCH 2987/3829] fixed coding style --- system/helpers/download_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index a1d149f91dc..32ee773bb40 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -70,7 +70,7 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) elseif ($data === NULL) { // Is $filename an array as ['local source path' => 'destination filename']? - if(is_array($filename) && count($filename) === 1) + if(is_array($filename) && count($filename)) { $filepath = key($filename); $filename = current($filename); From b907c8ad41dfb4a9394b3a73182f0abf7fe14f94 Mon Sep 17 00:00:00 2001 From: George PETCULESCU Date: Mon, 31 Oct 2016 14:08:36 +0200 Subject: [PATCH 2988/3829] fixed coding style (2) --- system/helpers/download_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index 32ee773bb40..9158272ef40 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -70,7 +70,7 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) elseif ($data === NULL) { // Is $filename an array as ['local source path' => 'destination filename']? - if(is_array($filename) && count($filename)) + if(is_array($filename) && count($filename) == 1) { $filepath = key($filename); $filename = current($filename); From 5d1c2123fdc575d70e9db38ce30b34d4b291469c Mon Sep 17 00:00:00 2001 From: George PETCULESCU Date: Mon, 31 Oct 2016 14:16:35 +0200 Subject: [PATCH 2989/3829] refactorised Docs (parts) of Download helper. --- user_guide_src/source/helpers/download_helper.rst | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/user_guide_src/source/helpers/download_helper.rst b/user_guide_src/source/helpers/download_helper.rst index 83182a256e3..e11d92a1449 100644 --- a/user_guide_src/source/helpers/download_helper.rst +++ b/user_guide_src/source/helpers/download_helper.rst @@ -38,9 +38,10 @@ The following functions are available: If you set the second parameter to NULL and ``$filename`` is an existing, readable file path, then its content will be read instead. You may also set ``$filename`` - as an array containing a single entry, the key being the existing, readable file path - and the value as the downloading file name. - + as an associative array with a single element, where the key of that element would be + the local file you are trying to read and where the value is the name of the downloadable + file that will be sent to browser. An example of this is provided below. + If you set the third parameter to boolean TRUE, then the actual file MIME type (based on the filename extension) will be sent, so that if your browser has a handler for that type - it can use it. From 7cc08237c2a15daf283e2bc61501bdc086740311 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 31 Oct 2016 16:19:46 +0200 Subject: [PATCH 2990/3829] [ci skip] Fix #4887 --- system/libraries/Upload.php | 36 ++++++++++++++++++----------- user_guide_src/source/changelog.rst | 1 + 2 files changed, 24 insertions(+), 13 deletions(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 23fd02ead1b..778ed6892dd 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -1218,21 +1218,31 @@ protected function _file_mime_type($file) // We'll need this to validate the MIME info string (e.g. text/plain; charset=us-ascii) $regexp = '/^([a-z\-]+\/[a-z0-9\-\.\+]+)(;\s.+)?$/'; - // Fileinfo extension - most reliable method - $finfo = @finfo_open(FILEINFO_MIME); - if (is_resource($finfo)) // It is possible that a FALSE value is returned, if there is no magic MIME database file found on the system + /** + * Fileinfo extension - most reliable method + * + * Apparently XAMPP, CentOS, cPanel and who knows what + * other PHP distribution channels EXPLICITLY DISABLE + * ext/fileinfo, which is otherwise enabled by default + * since PHP 5.3 ... + */ + if (function_exists('finfo_file')) { - $mime = @finfo_file($finfo, $file['tmp_name']); - finfo_close($finfo); - - /* According to the comments section of the PHP manual page, - * it is possible that this function returns an empty string - * for some files (e.g. if they don't exist in the magic MIME database) - */ - if (is_string($mime) && preg_match($regexp, $mime, $matches)) + $finfo = @finfo_open(FILEINFO_MIME); + if (is_resource($finfo)) // It is possible that a FALSE value is returned, if there is no magic MIME database file found on the system { - $this->file_type = $matches[1]; - return; + $mime = @finfo_file($finfo, $file['tmp_name']); + finfo_close($finfo); + + /* According to the comments section of the PHP manual page, + * it is possible that this function returns an empty string + * for some files (e.g. if they don't exist in the magic MIME database) + */ + if (is_string($mime) && preg_match($regexp, $mime, $matches)) + { + $this->file_type = $matches[1]; + return; + } } } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4a1ce3461b2..ffa0597b709 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -12,6 +12,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4886) - :doc:`Database Library ` didn't differentiate bind markers inside double-quoted strings in queries. - Fixed a bug (#4890) - :doc:`XML-RPC Library ` didn't work on PHP 7. +- Fixed a regression (#4887) - :doc:`File Uploading Library ` triggered fatal errors due to numerous PHP distribution channels (XAMPP and cPanel confirmed) explicitly disabling ext/fileinfo by default. Version 3.1.2 ============= From 627b050e89ea3e9794e7ad03c28aeb770417357a Mon Sep 17 00:00:00 2001 From: George Petculescu Date: Tue, 1 Nov 2016 08:16:47 +0200 Subject: [PATCH 2991/3829] if download helper receives a numeric array now it won't work --- system/helpers/download_helper.php | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index 9158272ef40..4bab69005da 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -75,6 +75,11 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) $filepath = key($filename); $filename = current($filename); + if(is_int($filepath)) + { + return; + } + if ( ! @is_file($filepath) OR ($filesize = @filesize($filepath)) === FALSE) { return; From 54a1138a864a9d2d3ce7ef6d4b9d22df86440bb5 Mon Sep 17 00:00:00 2001 From: gxgpet Date: Tue, 1 Nov 2016 10:44:32 +0200 Subject: [PATCH 2992/3829] Fixed coding style (this time for real) --- system/helpers/download_helper.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index 4bab69005da..eb714c1ff68 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -70,12 +70,12 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) elseif ($data === NULL) { // Is $filename an array as ['local source path' => 'destination filename']? - if(is_array($filename) && count($filename) == 1) + if (is_array($filename) && count($filename) == 1) { $filepath = key($filename); $filename = current($filename); - if(is_int($filepath)) + if (is_int($filepath)) { return; } From b18492be397373de452999f34a200cc24fb751ed Mon Sep 17 00:00:00 2001 From: George PETCULESCU Date: Tue, 1 Nov 2016 11:19:24 +0200 Subject: [PATCH 2993/3829] added tests for ordinal_format() helper function (Inflector helper) --- .../helpers/inflector_helper_test.php | 19 +++++++++++++++++++ 1 file changed, 19 insertions(+) diff --git a/tests/codeigniter/helpers/inflector_helper_test.php b/tests/codeigniter/helpers/inflector_helper_test.php index 81ce5e394da..a5bb80532d2 100644 --- a/tests/codeigniter/helpers/inflector_helper_test.php +++ b/tests/codeigniter/helpers/inflector_helper_test.php @@ -93,4 +93,23 @@ public function test_humanize() } } + // -------------------------------------------------------------------- + + public function test_ordinal_format() + { + $strs = array( + 1 => '1st', + 2 => '2nd', + 4 => '4th', + 11 => '1th', + 12 => '12th', + 13 => '13th', + 'something else' => 'something else', + ); + + foreach ($strs as $str => $expect) + { + $this->assertEquals($expect, ordinal_format($str)); + } + } } \ No newline at end of file From b2c3a0063d02edfec79ab9aa5619c9f40cdd21d0 Mon Sep 17 00:00:00 2001 From: George PETCULESCU Date: Tue, 1 Nov 2016 11:22:38 +0200 Subject: [PATCH 2994/3829] small typo --- tests/codeigniter/helpers/inflector_helper_test.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tests/codeigniter/helpers/inflector_helper_test.php b/tests/codeigniter/helpers/inflector_helper_test.php index a5bb80532d2..4a1e64fae0e 100644 --- a/tests/codeigniter/helpers/inflector_helper_test.php +++ b/tests/codeigniter/helpers/inflector_helper_test.php @@ -101,7 +101,7 @@ public function test_ordinal_format() 1 => '1st', 2 => '2nd', 4 => '4th', - 11 => '1th', + 11 => '11th', 12 => '12th', 13 => '13th', 'something else' => 'something else', From 3e86cc27d531e15c7d7dc7c606f87e1694272f92 Mon Sep 17 00:00:00 2001 From: George PETCULESCU Date: Tue, 1 Nov 2016 14:02:46 +0200 Subject: [PATCH 2995/3829] fixed when $filename is an array with a different count than 1. --- system/helpers/download_helper.php | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index eb714c1ff68..43c3924a343 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -70,8 +70,13 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) elseif ($data === NULL) { // Is $filename an array as ['local source path' => 'destination filename']? - if (is_array($filename) && count($filename) == 1) + if (is_array($filename)) { + if (count($filename) != 1) + { + return; + } + $filepath = key($filename); $filename = current($filename); From 49407be71a80d67151a296be25fff2468c68ab55 Mon Sep 17 00:00:00 2001 From: George PETCULESCU Date: Tue, 1 Nov 2016 16:10:59 +0200 Subject: [PATCH 2996/3829] strict comparison of 1. --- system/helpers/download_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index 43c3924a343..9619c61b108 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -72,7 +72,7 @@ function force_download($filename = '', $data = '', $set_mime = FALSE) // Is $filename an array as ['local source path' => 'destination filename']? if (is_array($filename)) { - if (count($filename) != 1) + if (count($filename) !== 1) { return; } From 8d11232616fdf984ff8b9bb295693bdea91d7d8e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 1 Nov 2016 16:14:35 +0200 Subject: [PATCH 2997/3829] [ci skip] Add changelog entry for PR #4891 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 618dd604a63..9c3058ce5ed 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -40,6 +40,7 @@ Release Date: Not Released - Helpers - Added new function :php:func:`ordinal_format()` to :doc:`Inflector Helper `. + - Updated :doc:`Download Helper ` :php:func:`force_download()` to allow existing files to be renamed for download. - Updated :doc:`HTML Helper ` function :php:func:`meta()` with support for "charset" and "property" properties. - Changed :doc:`HTML Helper ` function :php:func:`doctype()` default document type to HTML 5. From 3a89d3c05303d25486576de3d056f39585decfe4 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 3 Nov 2016 16:26:31 +0200 Subject: [PATCH 2998/3829] Fix #4679, for real --- system/core/Input.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/core/Input.php b/system/core/Input.php index b81d51ebff9..24fe8a9cc2f 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -521,7 +521,7 @@ public function ip_address() $netaddr = explode(':', str_replace('::', str_repeat(':', 9 - substr_count($netaddr, ':')), $netaddr)); for ($j = 0; $j < 8; $j++) { - $netaddr[$i] = intval($netaddr[$j], 16); + $netaddr[$j] = intval($netaddr[$j], 16); } } else diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index ffa0597b709..e5c5ae050e6 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -13,6 +13,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4886) - :doc:`Database Library ` didn't differentiate bind markers inside double-quoted strings in queries. - Fixed a bug (#4890) - :doc:`XML-RPC Library ` didn't work on PHP 7. - Fixed a regression (#4887) - :doc:`File Uploading Library ` triggered fatal errors due to numerous PHP distribution channels (XAMPP and cPanel confirmed) explicitly disabling ext/fileinfo by default. +- Fixed a bug (#4679) - :doc:`Input Library ` method ``ip_address()`` didn't properly resolve ``$config['proxy_ips']`` IPv6 addresses. Version 3.1.2 ============= From be8bd923329cf233fb3828afab5c3b4ceef296ec Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 7 Nov 2016 12:31:31 +0200 Subject: [PATCH 2999/3829] Fix #4902 --- system/libraries/Image_lib.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index 7ec8ba365dd..06cdde0b890 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -886,7 +886,7 @@ public function image_process_imagemagick($action = 'resize') } } - $cmd .= escapeshellarg($this->full_src_path).' '.escapeshellarg($this->full_dst_path).' 2>&1'; + $cmd .= ' '.escapeshellarg($this->full_src_path).' '.escapeshellarg($this->full_dst_path).' 2>&1'; $retval = 1; // exec() might be disabled diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index e5c5ae050e6..e3183204c53 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -14,6 +14,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4890) - :doc:`XML-RPC Library ` didn't work on PHP 7. - Fixed a regression (#4887) - :doc:`File Uploading Library ` triggered fatal errors due to numerous PHP distribution channels (XAMPP and cPanel confirmed) explicitly disabling ext/fileinfo by default. - Fixed a bug (#4679) - :doc:`Input Library ` method ``ip_address()`` didn't properly resolve ``$config['proxy_ips']`` IPv6 addresses. +- Fixed a bug (#4902) - :doc:`Image Manipulation Library ` processing via ImageMagick didn't work. Version 3.1.2 ============= From 4015f9bd8342ad9e05ceae517967719907997434 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 14 Nov 2016 10:22:59 +0200 Subject: [PATCH 3000/3829] Fix #4905 --- system/core/Loader.php | 40 ++++++----------------------- user_guide_src/source/changelog.rst | 1 + 2 files changed, 9 insertions(+), 32 deletions(-) diff --git a/system/core/Loader.php b/system/core/Loader.php index d2c35081698..1111481b776 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -591,15 +591,21 @@ public function get_vars() */ public function helper($helpers = array()) { - foreach ($this->_ci_prep_filename($helpers, '_helper') as $helper) + is_array($helpers) OR $helpers = array($helpers); + foreach ($helpers as &$helper) { + $filename = basename($helper); + $filepath = ($filename === $helper) ? '' : substr($helper, 0, strlen($helper) - strlen($filename)); + $filename = strtolower(preg_replace('#(_helper)?(.php)?$#i', '', $filename)).'_helper'; + $helper = $filepath.$filename; + if (isset($this->_ci_helpers[$helper])) { continue; } // Is this a helper extension request? - $ext_helper = config_item('subclass_prefix').$helper; + $ext_helper = config_item('subclass_prefix').$filename; $ext_loaded = FALSE; foreach ($this->_ci_helper_paths as $path) { @@ -1404,34 +1410,4 @@ protected function &_ci_get_component($component) $CI =& get_instance(); return $CI->$component; } - - // -------------------------------------------------------------------- - - /** - * Prep filename - * - * This function prepares filenames of various items to - * make their loading more reliable. - * - * @param string|string[] $filename Filename(s) - * @param string $extension Filename extension - * @return array - */ - protected function _ci_prep_filename($filename, $extension) - { - if ( ! is_array($filename)) - { - return array(strtolower(str_replace(array($extension, '.php'), '', $filename).$extension)); - } - else - { - foreach ($filename as $key => $val) - { - $filename[$key] = strtolower(str_replace(array($extension, '.php'), '', $val).$extension); - } - - return $filename; - } - } - } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index e3183204c53..ab230960857 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -15,6 +15,7 @@ Bug fixes for 3.1.3 - Fixed a regression (#4887) - :doc:`File Uploading Library ` triggered fatal errors due to numerous PHP distribution channels (XAMPP and cPanel confirmed) explicitly disabling ext/fileinfo by default. - Fixed a bug (#4679) - :doc:`Input Library ` method ``ip_address()`` didn't properly resolve ``$config['proxy_ips']`` IPv6 addresses. - Fixed a bug (#4902) - :doc:`Image Manipulation Library ` processing via ImageMagick didn't work. +- Fixed a bug (#4905) - :doc:`Loader Library ` didn't take into account possible user-provided directory paths when loading helpers. Version 3.1.2 ============= From 2c9fa80e413388fa68fecfcf8120d6161f1920d6 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 21 Nov 2016 11:53:53 +0200 Subject: [PATCH 3001/3829] [ci skip] Fix a changelog entry link --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index ab230960857..e8498b452c3 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -10,7 +10,7 @@ Release Date: Not Released Bug fixes for 3.1.3 ------------------- -- Fixed a bug (#4886) - :doc:`Database Library ` didn't differentiate bind markers inside double-quoted strings in queries. +- Fixed a bug (#4886) - :doc:`Database Library ` didn't differentiate bind markers inside double-quoted strings in queries. - Fixed a bug (#4890) - :doc:`XML-RPC Library ` didn't work on PHP 7. - Fixed a regression (#4887) - :doc:`File Uploading Library ` triggered fatal errors due to numerous PHP distribution channels (XAMPP and cPanel confirmed) explicitly disabling ext/fileinfo by default. - Fixed a bug (#4679) - :doc:`Input Library ` method ``ip_address()`` didn't properly resolve ``$config['proxy_ips']`` IPv6 addresses. From 7622ec6b06221b767c6e99251fb8f0f881e48c8f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 21 Nov 2016 11:56:21 +0200 Subject: [PATCH 3002/3829] [ci skip] Specify sphinxcontrib-phpdomain 0.1.3.post1 version Our Sphinx dependencies suck --- user_guide_src/README.rst | 4 ++-- user_guide_src/source/documentation/index.rst | 6 +++--- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/user_guide_src/README.rst b/user_guide_src/README.rst index 188b42e885b..d645adb73e6 100644 --- a/user_guide_src/README.rst +++ b/user_guide_src/README.rst @@ -24,7 +24,7 @@ Installation 1. Install `easy_install `_ 2. ``easy_install "sphinx==1.2.3"`` -3. ``easy_install sphinxcontrib-phpdomain`` +3. ``easy_install "sphinxcontrib-phpdomain==0.1.3.post1"`` 4. Install the CI Lexer which allows PHP, HTML, CSS, and JavaScript syntax highlighting in code examples (see *cilexer/README*) 5. ``cd user_guide_src`` 6. ``make html`` @@ -60,4 +60,4 @@ Style Guideline *************** Please refer to source/documentation/index.rst for general guidelines for -using Sphinx to document CodeIgniter. \ No newline at end of file +using Sphinx to document CodeIgniter. diff --git a/user_guide_src/source/documentation/index.rst b/user_guide_src/source/documentation/index.rst index 60c6b4ed654..aaac33ecbb4 100644 --- a/user_guide_src/source/documentation/index.rst +++ b/user_guide_src/source/documentation/index.rst @@ -18,7 +18,7 @@ It is created automatically by inserting the following: .. raw:: html -
+
.. contents:: :local: @@ -43,7 +43,7 @@ Pygments, so that code blocks can be properly highlighted. .. code-block:: bash easy_install "sphinx==1.2.3" - easy_install sphinxcontrib-phpdomain + easy_install "sphinxcontrib-phpdomain==0.1.3.post1" Then follow the directions in the README file in the :samp:`cilexer` folder inside the documentation repository to install the CI Lexer. @@ -199,4 +199,4 @@ It creates the following display: .. php:method:: should_do_something() :returns: Whether or not something should be done - :rtype: bool \ No newline at end of file + :rtype: bool From e49aa1f1cb63ad90d6c2d204439f538dcc282243 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 22 Nov 2016 12:02:55 +0200 Subject: [PATCH 3003/3829] Fix #4916 --- system/libraries/Session/drivers/Session_database_driver.php | 4 ++-- user_guide_src/source/changelog.rst | 1 + 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index cb152f91fa7..6a7282b23a7 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -354,7 +354,7 @@ protected function _get_lock($session_id) { if ($this->_platform === 'mysql') { - $arg = $session_id.($this->_config['match_ip'] ? '_'.$_SERVER['REMOTE_ADDR'] : ''); + $arg = md5($session_id.($this->_config['match_ip'] ? '_'.$_SERVER['REMOTE_ADDR'] : '')); if ($this->_db->query("SELECT GET_LOCK('".$arg."', 300) AS ci_session_lock")->row()->ci_session_lock) { $this->_lock = $arg; @@ -417,4 +417,4 @@ protected function _release_lock() return parent::_release_lock(); } -} \ No newline at end of file +} diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index e8498b452c3..36b5d51e484 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -16,6 +16,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4679) - :doc:`Input Library ` method ``ip_address()`` didn't properly resolve ``$config['proxy_ips']`` IPv6 addresses. - Fixed a bug (#4902) - :doc:`Image Manipulation Library ` processing via ImageMagick didn't work. - Fixed a bug (#4905) - :doc:`Loader Library ` didn't take into account possible user-provided directory paths when loading helpers. +- Fixed a bug (#4916) - :doc:`Session Library ` with ``sess_match_ip`` enabled was unusable for IPv6 clients when using the 'database' driver on MySQL 5.7.5+. Version 3.1.2 ============= From 21b7a2a2d00bd5645b2ca1afcfa4098e207292a4 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 22 Nov 2016 13:23:33 +0200 Subject: [PATCH 3004/3829] Add support for CURRENT_TIMESTAMP (and similar) defaults to date/time fields in DB Forge As requested in #4852 --- system/database/DB_forge.php | 36 +++++++++++++++++++---------- user_guide_src/source/changelog.rst | 6 ++++- 2 files changed, 29 insertions(+), 13 deletions(-) diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index ed6f4b672bc..fe81d0510c3 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -894,21 +894,33 @@ protected function _attr_default(&$attributes, &$field) return; } - if (array_key_exists('DEFAULT', $attributes)) + if ( ! array_key_exists('DEFAULT', $attributes)) { - if ($attributes['DEFAULT'] === NULL) - { - $field['default'] = empty($this->_null) ? '' : $this->_default.$this->_null; + return; + } - // Override the NULL attribute if that's our default - $attributes['NULL'] = TRUE; - $field['null'] = empty($this->_null) ? '' : ' '.$this->_null; - } - else - { - $field['default'] = $this->_default.$this->db->escape($attributes['DEFAULT']); - } + if ($attributes['DEFAULT'] === NULL) + { + $field['default'] = empty($this->_null) ? '' : $this->_default.$this->_null; + + // Override the NULL attribute if that's our default + $attributes['NULL'] = TRUE; + $field['null'] = empty($this->_null) ? '' : ' '.$this->_null; + return; } + + // White-list CURRENT_TIMESTAMP & similar (e.g. Oracle has stuff like SYSTIMESTAMP) defaults for date/time fields + if ( + isset($attributes['TYPE']) + && (stripos($attributes['TYPE'], 'time') !== FALSE || stripos($attributes['TYPE'], 'date') !== FALSE) + && (stripos($attributes['DEFAULT'], 'time') !== FALSE || stripos($attributes['DEFAULT'], 'date') !== FALSE) + ) + { + $field['default'] = $this->_default.$attributes['DEFAULT']; + return; + } + + $field['default'] = $this->_default.$this->db->escape($attributes['DEFAULT']); } // -------------------------------------------------------------------- diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 9c3058ce5ed..692d06833ce 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -31,12 +31,16 @@ Release Date: Not Released - Changed method ``clear()`` to also reset captions. -- Database +- :doc:`Database ` - Changed method ``initialize()`` to return void and instead throw a ``RuntimeException`` in case of failure. - Changed method ``db_connect()`` to always set the connection character set (if supported by the driver) and to fail if it can't. - Removed method ``db_set_charset()`` and the ability to change a connection character set at runtime. + - :doc:`Database Forge `: + + - Added support for declaring date/time type fields default values as ``CURRENT_TIMESTAMP`` and similar. + - Helpers - Added new function :php:func:`ordinal_format()` to :doc:`Inflector Helper `. From efd856edce0b952c8a7a62ec953ae1baee77ff34 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 23 Nov 2016 12:37:23 +0200 Subject: [PATCH 3005/3829] [ci skip] Styling change after 21b7a2a2d00bd5645b2ca1afcfa4098e207292a4 --- system/database/DB_forge.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index fe81d0510c3..9add5cab7a1 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -912,8 +912,8 @@ protected function _attr_default(&$attributes, &$field) // White-list CURRENT_TIMESTAMP & similar (e.g. Oracle has stuff like SYSTIMESTAMP) defaults for date/time fields if ( isset($attributes['TYPE']) - && (stripos($attributes['TYPE'], 'time') !== FALSE || stripos($attributes['TYPE'], 'date') !== FALSE) - && (stripos($attributes['DEFAULT'], 'time') !== FALSE || stripos($attributes['DEFAULT'], 'date') !== FALSE) + && (stripos($attributes['TYPE'], 'time') !== FALSE OR stripos($attributes['TYPE'], 'date') !== FALSE) + && (stripos($attributes['DEFAULT'], 'time') !== FALSE OR stripos($attributes['DEFAULT'], 'date') !== FALSE) ) { $field['default'] = $this->_default.$attributes['DEFAULT']; From 820d9cdaac9a9c0371404ce82b60a26ed3ac938f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 23 Nov 2016 13:27:42 +0200 Subject: [PATCH 3006/3829] Fix #4917 --- system/helpers/date_helper.php | 4 ++-- tests/codeigniter/helpers/date_helper_test.php | 8 ++++++++ user_guide_src/source/changelog.rst | 1 + 3 files changed, 11 insertions(+), 2 deletions(-) diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index 5f1fcf07ea9..7f072acfad0 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -529,9 +529,9 @@ function nice_date($bad_date = '', $format = FALSE) } // Date Like: YYYYMMDD - if (preg_match('/^(\d{2})\d{2}(\d{4})$/i', $bad_date, $matches)) + if (preg_match('/^\d{8}$/i', $bad_date, $matches)) { - return date($format, strtotime($matches[1].'/01/'.$matches[2])); + return DateTime::createFromFormat('Ymd', $bad_date)->format($format); } // Date Like: MM-DD-YYYY __or__ M-D-YYYY (or anything in between) diff --git a/tests/codeigniter/helpers/date_helper_test.php b/tests/codeigniter/helpers/date_helper_test.php index c4f99a97c3d..8a3502280eb 100644 --- a/tests/codeigniter/helpers/date_helper_test.php +++ b/tests/codeigniter/helpers/date_helper_test.php @@ -10,6 +10,14 @@ public function set_up() // ------------------------------------------------------------------------ + public function test_nice_date() + { + $this->assertEquals('2016-11-01', nice_date('201611', 'Y-m-d')); + $this->assertEquals('2016-11-23', nice_date('20161123', 'Y-m-d')); + } + + // ------------------------------------------------------------------------ + public function test_now_local() { /* diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 36b5d51e484..fd3f668cf78 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -17,6 +17,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4902) - :doc:`Image Manipulation Library ` processing via ImageMagick didn't work. - Fixed a bug (#4905) - :doc:`Loader Library ` didn't take into account possible user-provided directory paths when loading helpers. - Fixed a bug (#4916) - :doc:`Session Library ` with ``sess_match_ip`` enabled was unusable for IPv6 clients when using the 'database' driver on MySQL 5.7.5+. +- Fixed a bug (#4917) - :doc:`Date Helper ` function :php:func:`nice_date()` didn't handle YYYYMMDD inputs properly. Version 3.1.2 ============= From 610be9dc25bcfd06f30d70139701e86b8c3ad400 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 23 Nov 2016 13:40:16 +0200 Subject: [PATCH 3007/3829] [ci skip] Deprecate nice_date() --- system/helpers/date_helper.php | 1 + user_guide_src/source/changelog.rst | 4 ++++ user_guide_src/source/helpers/date_helper.rst | 7 +++++-- .../source/installation/upgrade_313.rst | 18 ++++++++++++++++++ 4 files changed, 28 insertions(+), 2 deletions(-) diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index 7f072acfad0..0606a45623a 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -496,6 +496,7 @@ function human_to_unix($datestr = '') * Turns many "reasonably-date-like" strings into something * that is actually useful. This only works for dates after unix epoch. * + * @deprecated 3.1.3 Use DateTime::createFromFormat($input_format, $input)->format($output_format); * @param string The terribly formatted date-like string * @param string Date format to return (same as php date function) * @return string diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index fd3f668cf78..af556a50a2d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,10 @@ Version 3.1.3 Release Date: Not Released +- General Changes + + - Deprecated :doc:`Date Helper ` function :php:func:`nice_date()`. + Bug fixes for 3.1.3 ------------------- diff --git a/user_guide_src/source/helpers/date_helper.rst b/user_guide_src/source/helpers/date_helper.rst index a85da26a41d..600a0757402 100644 --- a/user_guide_src/source/helpers/date_helper.rst +++ b/user_guide_src/source/helpers/date_helper.rst @@ -84,7 +84,7 @@ The following functions are available: .. note:: This function is DEPRECATED. Use the native ``date()`` combined with `DateTime's format constants - `_ + `_ instead:: echo date(DATE_RFC822, time()); @@ -220,6 +220,9 @@ The following functions are available: // Should Produce: 2001-09-11 $better_date = nice_date($bad_date, 'Y-m-d'); + .. note:: This function is DEPRECATED. Use PHP's native `DateTime class + `_ instead. + .. php:function:: timespan([$seconds = 1[, $time = ''[, $units = '']]]) :param int $seconds: Number of seconds @@ -434,4 +437,4 @@ UP12 (UTC +12:00) Fiji, Gilbert Islands, Kamchatka, New Zealand UP1275 (UTC +12:45) Chatham Islands Standard Time UP13 (UTC +13:00) Phoenix Islands Time, Tonga UP14 (UTC +14:00) Line Islands -=========== ===================================================================== \ No newline at end of file +=========== ===================================================================== diff --git a/user_guide_src/source/installation/upgrade_313.rst b/user_guide_src/source/installation/upgrade_313.rst index 71afc6f6acd..ebce7ab9b10 100644 --- a/user_guide_src/source/installation/upgrade_313.rst +++ b/user_guide_src/source/installation/upgrade_313.rst @@ -12,3 +12,21 @@ Replace all files and directories in your *system/* directory. .. note:: If you have any custom developed files in these directories, please make copies of them first. + +Step 2: Remove usage of nice_date() helper (deprecation) +======================================================== + +The :doc:`Date Helper <../helpers/date_helper>` function ``nice_date()`` is +no longer useful since the introduction of PHP's `DateTime classes +`_ + +You can replace it with the following: +:: + + DateTime::createFromFormat($input_format, $input_date)->format($desired_output_format); + +Thus, ``nice_date()`` is now deprecated and scheduled for removal in +CodeIgniter 3.2+. + +.. note:: The function is still available, but you're strongly encouraged + to remove its usage sooner rather than later. From 45023e555e762baf22b94b0e9ca353548205efb4 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 23 Nov 2016 13:40:52 +0200 Subject: [PATCH 3008/3829] [ci skip] Fix a changelog entry reference --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index af556a50a2d..1fe2d4616ca 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -20,7 +20,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4679) - :doc:`Input Library ` method ``ip_address()`` didn't properly resolve ``$config['proxy_ips']`` IPv6 addresses. - Fixed a bug (#4902) - :doc:`Image Manipulation Library ` processing via ImageMagick didn't work. - Fixed a bug (#4905) - :doc:`Loader Library ` didn't take into account possible user-provided directory paths when loading helpers. -- Fixed a bug (#4916) - :doc:`Session Library ` with ``sess_match_ip`` enabled was unusable for IPv6 clients when using the 'database' driver on MySQL 5.7.5+. +- Fixed a bug (#4916) - :doc:`Session Library ` with ``sess_match_ip`` enabled was unusable for IPv6 clients when using the 'database' driver on MySQL 5.7.5+. - Fixed a bug (#4917) - :doc:`Date Helper ` function :php:func:`nice_date()` didn't handle YYYYMMDD inputs properly. Version 3.1.2 From 6276926c6dcdf976a5f4de34d62f501852e2f84b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 29 Nov 2016 15:30:30 +0200 Subject: [PATCH 3009/3829] Fix #4923 --- .../drivers/Session_database_driver.php | 10 ++--- .../drivers/Session_memcached_driver.php | 37 +++++++++---------- .../Session/drivers/Session_redis_driver.php | 27 ++++++-------- user_guide_src/source/changelog.rst | 1 + 4 files changed, 34 insertions(+), 41 deletions(-) diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index 6a7282b23a7..2f524125643 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -208,8 +208,12 @@ public function write($session_id, $session_data) // Prevent previous QB calls from messing with our queries $this->_db->reset_query(); + if ($this->_lock === FALSE) + { + return $this->_fail(); + } // Was the ID regenerated? - if ($session_id !== $this->_session_id) + elseif ($session_id !== $this->_session_id) { if ( ! $this->_release_lock() OR ! $this->_get_lock($session_id)) { @@ -219,10 +223,6 @@ public function write($session_id, $session_data) $this->_row_exists = FALSE; $this->_session_id = $session_id; } - elseif ($this->_lock === FALSE) - { - return $this->_fail(); - } if ($this->_row_exists === FALSE) { diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index 99b4d1baab7..eb1dcd3d8e3 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -186,7 +186,7 @@ public function read($session_id) */ public function write($session_id, $session_data) { - if ( ! isset($this->_memcached)) + if ( ! isset($this->_memcached, $this->_lock_key)) { return $this->_fail(); } @@ -202,28 +202,25 @@ public function write($session_id, $session_data) $this->_session_id = $session_id; } - if (isset($this->_lock_key)) - { - $key = $this->_key_prefix.$session_id; - - $this->_memcached->replace($this->_lock_key, time(), 300); - if ($this->_fingerprint !== ($fingerprint = md5($session_data))) - { - if ($this->_memcached->set($key, $session_data, $this->_config['expiration'])) - { - $this->_fingerprint = $fingerprint; - return $this->_success; - } + $key = $this->_key_prefix.$session_id; - return $this->_fail(); - } - elseif ( - $this->_memcached->touch($key, $this->_config['expiration']) - OR ($this->_memcached->getResultCode() === Memcached::RES_NOTFOUND && $this->_memcached->set($key, $session_data, $this->_config['expiration'])) - ) + $this->_memcached->replace($this->_lock_key, time(), 300); + if ($this->_fingerprint !== ($fingerprint = md5($session_data))) + { + if ($this->_memcached->set($key, $session_data, $this->_config['expiration'])) { + $this->_fingerprint = $fingerprint; return $this->_success; } + + return $this->_fail(); + } + elseif ( + $this->_memcached->touch($key, $this->_config['expiration']) + OR ($this->_memcached->getResultCode() === Memcached::RES_NOTFOUND && $this->_memcached->set($key, $session_data, $this->_config['expiration'])) + ) + { + return $this->_success; } return $this->_fail(); @@ -375,4 +372,4 @@ protected function _release_lock() return TRUE; } -} \ No newline at end of file +} diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index 8db74c0ca66..a780100b122 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -199,7 +199,7 @@ public function read($session_id) */ public function write($session_id, $session_data) { - if ( ! isset($this->_redis)) + if ( ! isset($this->_redis, $this->_lock_key)) { return $this->_fail(); } @@ -215,27 +215,22 @@ public function write($session_id, $session_data) $this->_session_id = $session_id; } - if (isset($this->_lock_key)) + $this->_redis->setTimeout($this->_lock_key, 300); + if ($this->_fingerprint !== ($fingerprint = md5($session_data)) OR $this->_key_exists === FALSE) { - $this->_redis->setTimeout($this->_lock_key, 300); - if ($this->_fingerprint !== ($fingerprint = md5($session_data)) OR $this->_key_exists === FALSE) + if ($this->_redis->set($this->_key_prefix.$session_id, $session_data, $this->_config['expiration'])) { - if ($this->_redis->set($this->_key_prefix.$session_id, $session_data, $this->_config['expiration'])) - { - $this->_fingerprint = $fingerprint; - $this->_key_exists = TRUE; - return $this->_success; - } - - return $this->_fail(); + $this->_fingerprint = $fingerprint; + $this->_key_exists = TRUE; + return $this->_success; } - return ($this->_redis->setTimeout($this->_key_prefix.$session_id, $this->_config['expiration'])) - ? $this->_success - : $this->_fail(); + return $this->_fail(); } - return $this->_fail(); + return ($this->_redis->setTimeout($this->_key_prefix.$session_id, $this->_config['expiration'])) + ? $this->_success + : $this->_fail(); } // ------------------------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1fe2d4616ca..cb95d173b7a 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -22,6 +22,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4905) - :doc:`Loader Library ` didn't take into account possible user-provided directory paths when loading helpers. - Fixed a bug (#4916) - :doc:`Session Library ` with ``sess_match_ip`` enabled was unusable for IPv6 clients when using the 'database' driver on MySQL 5.7.5+. - Fixed a bug (#4917) - :doc:`Date Helper ` function :php:func:`nice_date()` didn't handle YYYYMMDD inputs properly. +- Fixed a bug (#4923) - :doc:`Session Library ` could execute an erroneous SQL query with the 'database' driver, if the lock attempt times out. Version 3.1.2 ============= From e377910ccf826b448203513bf63bd5721bbd1375 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 13:48:58 +0200 Subject: [PATCH 3010/3829] Fix #4927 --- system/core/Output.php | 7 ++++--- user_guide_src/source/changelog.rst | 1 + 2 files changed, 5 insertions(+), 3 deletions(-) diff --git a/system/core/Output.php b/system/core/Output.php index cf6510ff16a..57c78ab1943 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -311,11 +311,12 @@ public function get_header($header) return NULL; } - for ($i = 0, $c = count($headers); $i < $c; $i++) + // Count backwards, in order to get the last matching header + for ($c = count($headers) - 1; $c > -1; $c--) { - if (strncasecmp($header, $headers[$i], $l = self::strlen($header)) === 0) + if (strncasecmp($header, $headers[$c], $l = self::strlen($header)) === 0) { - return trim(self::substr($headers[$i], $l+1)); + return trim(self::substr($headers[$c], $l+1)); } } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index cb95d173b7a..0d8a93b54d7 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -23,6 +23,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4916) - :doc:`Session Library ` with ``sess_match_ip`` enabled was unusable for IPv6 clients when using the 'database' driver on MySQL 5.7.5+. - Fixed a bug (#4917) - :doc:`Date Helper ` function :php:func:`nice_date()` didn't handle YYYYMMDD inputs properly. - Fixed a bug (#4923) - :doc:`Session Library ` could execute an erroneous SQL query with the 'database' driver, if the lock attempt times out. +- Fixed a bug (#4927) - :doc:`Output Library ` method ``get_header()`` returned the first matching header, regardless of whether it would be replaced by a second ``set_header()`` call. Version 3.1.2 ============= From 8db01f13809a92bac7bc95b02893175d7654d627 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 14:06:57 +0200 Subject: [PATCH 3011/3829] Fix #4844 --- system/libraries/Email.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 676bbcafb56..2e6f5be90df 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -1878,7 +1878,7 @@ protected function _send_with_sendmail() // is popen() enabled? if ( ! function_usable('popen') OR FALSE === ($fp = @popen( - $this->mailpath.' -oi -f '.$this->clean_email($this->_headers['From']).' -t' + $this->mailpath.' -oi -f '.escapeshellarg($this->clean_email($this->_headers['From'])).' -t' , 'w')) ) // server probably has popen disabled, so nothing we can do to get a verbose error. { diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 0d8a93b54d7..4f5efe2767f 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -24,6 +24,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4917) - :doc:`Date Helper ` function :php:func:`nice_date()` didn't handle YYYYMMDD inputs properly. - Fixed a bug (#4923) - :doc:`Session Library ` could execute an erroneous SQL query with the 'database' driver, if the lock attempt times out. - Fixed a bug (#4927) - :doc:`Output Library ` method ``get_header()`` returned the first matching header, regardless of whether it would be replaced by a second ``set_header()`` call. +- Fixed a bug (#4844) - :doc:`Email Library ` didn't apply ``escapeshellarg()`` to the while passing the Sendmail ``-f`` parameter through ``popen()``. Version 3.1.2 ============= From d76431db46e04d650c1c538493021cdf336d1301 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 14:23:40 +0200 Subject: [PATCH 3012/3829] Switch CI_Email::$validate to On by default Relevant: #4844 --- system/libraries/Email.php | 2 +- user_guide_src/source/changelog.rst | 4 ++++ user_guide_src/source/installation/upgrade_320.rst | 14 ++++++++++++++ user_guide_src/source/libraries/email.rst | 4 ++-- 4 files changed, 21 insertions(+), 3 deletions(-) diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 162cc7777a3..90a68f12900 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -161,7 +161,7 @@ class CI_Email { * * @var bool */ - public $validate = FALSE; + public $validate = TRUE; /** * X-Priority header value. diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d63f15f673d..8a40c8d806f 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -31,6 +31,10 @@ Release Date: Not Released - Changed method ``clear()`` to also reset captions. + - :doc:`Email Library ` changes include: + + - Changed the default value of the **validate** option to ``TRUE``. + - :doc:`Database ` - Changed method ``initialize()`` to return void and instead throw a ``RuntimeException`` in case of failure. diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 942a8a3b5a4..352f85f7193 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -98,6 +98,20 @@ value (previously, it just set the host to the default '127.0.0.1'). Therefore, if you've added a configuration that only sets e.g. a ``port``, you will now have to explicitly set the ``host`` to '127.0.0.1' as well. +Step 6: Check usage of the Email library +======================================== + +The :doc:`Email Library <../libraries/email>` will now by default check the +validity of all e-mail addresses passed to it. This check used to be Off by +default, and required explicitly setting the **validate** option to ``TRUE`` +in order to enable it. + +Naturally, a validity check should not result in any problems, but this is +technically a backwards-compability break and you should check that +everything works fine. +If something indeed goes wrong with that, please report it as a bug to us, +and you can disable the **validate** option to revert to the old behavior. + Step 5: Check usage of doctype() HTML helper ============================================ diff --git a/user_guide_src/source/libraries/email.rst b/user_guide_src/source/libraries/email.rst index 0b38737f10f..253d85c71bd 100644 --- a/user_guide_src/source/libraries/email.rst +++ b/user_guide_src/source/libraries/email.rst @@ -108,7 +108,7 @@ Preference Default Value Options Descript page. Make sure you don't have any relative links or relative image paths otherwise they will not work. **charset** ``$config['charset']`` Character set (utf-8, iso-8859-1, etc.). -**validate** FALSE TRUE or FALSE (boolean) Whether to validate the email address. +**validate** TRUE TRUE or FALSE (boolean) Whether to validate the email address. **priority** 3 1, 2, 3, 4, 5 Email Priority. 1 = highest. 5 = lowest. 3 = normal. **crlf** \\n "\\r\\n" or "\\n" or "\\r" Newline character. (Use "\\r\\n" to comply with RFC 822). **newline** \\n "\\r\\n" or "\\n" or "\\r" Newline character. (Use "\\r\\n" to comply with RFC 822). @@ -402,4 +402,4 @@ Class Reference // Will only print the email headers, excluding the message subject and body $this->email->print_debugger(array('headers')); - .. note:: By default, all of the raw data will be printed. \ No newline at end of file + .. note:: By default, all of the raw data will be printed. From efaf5aa28ddded9f9e43cfd0afa91fda09c4ff2f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 14:27:32 +0200 Subject: [PATCH 3013/3829] Remove a function_exists('escapeshellarg') check from CI_Upload This didn't originally exist, but was changed due to #1494. We no longer tolerate such broken environments --- system/libraries/Upload.php | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 778ed6892dd..490421af9ce 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -1259,9 +1259,7 @@ protected function _file_mime_type($file) */ if (DIRECTORY_SEPARATOR !== '\\') { - $cmd = function_exists('escapeshellarg') - ? 'file --brief --mime '.escapeshellarg($file['tmp_name']).' 2>&1' - : 'file --brief --mime '.$file['tmp_name'].' 2>&1'; + $cmd = 'file --brief --mime '.escapeshellarg($file['tmp_name']).' 2>&1'; if (function_usable('exec')) { From 57c98d820b38493eee5b3ba71cf5b6952b25ae06 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 14:33:56 +0200 Subject: [PATCH 3014/3829] Fix steps numbering in 3.2.0 upgrade instructions Broken in d76431db46e04d650c1c538493021cdf336d1301 --- user_guide_src/source/installation/upgrade_320.rst | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 352f85f7193..86eba701c9d 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -98,7 +98,7 @@ value (previously, it just set the host to the default '127.0.0.1'). Therefore, if you've added a configuration that only sets e.g. a ``port``, you will now have to explicitly set the ``host`` to '127.0.0.1' as well. -Step 6: Check usage of the Email library +Step 5: Check usage of the Email library ======================================== The :doc:`Email Library <../libraries/email>` will now by default check the @@ -112,7 +112,7 @@ everything works fine. If something indeed goes wrong with that, please report it as a bug to us, and you can disable the **validate** option to revert to the old behavior. -Step 5: Check usage of doctype() HTML helper +Step 6: Check usage of doctype() HTML helper ============================================ The :doc:`HTML Helper <../helpers/html_helper>` function From 9687441bc9b77514e847a5e3c56cf7e051f14be4 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 14:36:44 +0200 Subject: [PATCH 3015/3829] Remove previously deprecated CI_Input::is_cli_request() --- system/core/Input.php | 15 --------------- user_guide_src/source/changelog.rst | 1 + .../source/installation/upgrade_320.rst | 8 ++++++++ user_guide_src/source/libraries/input.rst | 19 ------------------- 4 files changed, 9 insertions(+), 34 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index cbb185a8d66..2e38e450182 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -840,21 +840,6 @@ public function is_ajax_request() // -------------------------------------------------------------------- - /** - * Is CLI request? - * - * Test to see if a request was made from the command line. - * - * @deprecated 3.0.0 Use is_cli() instead - * @return bool - */ - public function is_cli_request() - { - return is_cli(); - } - - // -------------------------------------------------------------------- - /** * Get Request Method * diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 8a40c8d806f..035255166eb 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -10,6 +10,7 @@ Release Date: Not Released - Core - Changed :doc:`URI Library ` to ignore the ``$config['url_suffix']``, ``$config['permitted_uri_chars']`` configuration settings for CLI requests. + - Removed previously deprecated method ``is_cli_request()`` from the :doc:`Input Library ` (use :php:func:`is_cli()` instead). - Libraries diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 86eba701c9d..469aa34295c 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -124,3 +124,11 @@ Nothing should be really broken by this change, but if your application relies on the default value, you should double-check it and either explicitly set the desired format, or adapt your front-end to use proper HTML 5 formatting. + +Step 7: Remove usage of previously deprecated functionalities +============================================================= + +The following is a list of functionalities deprecated in CodeIgniter +version 3.0.0, that have been removed in 3.2.0: + +- ``CI_Input::is_cli_request()`` (use :php:func:`is_cli()` instead) diff --git a/user_guide_src/source/libraries/input.rst b/user_guide_src/source/libraries/input.rst index d9c6c2dd1fa..899070ef418 100644 --- a/user_guide_src/source/libraries/input.rst +++ b/user_guide_src/source/libraries/input.rst @@ -440,25 +440,6 @@ Class Reference Checks to see if the HTTP_X_REQUESTED_WITH server header has been set, and returns boolean TRUE if it is or FALSE if not. - .. php:method:: is_cli_request() - - :returns: TRUE if it is a CLI request, FALSE if not - :rtype: bool - - Checks to see if the application was run from the command-line - interface. - - .. note:: This method checks both the PHP SAPI name currently in use - and if the ``STDIN`` constant is defined, which is usually a - failsafe way to see if PHP is being run via the command line. - - :: - - $this->input->is_cli_request() - - .. note:: This method is DEPRECATED and is now just an alias for the - :func:`is_cli()` function. - .. php:method:: method([$upper = FALSE]) :param bool $upper: Whether to return the request method name in upper or lower case From dd2dcde50355c85466991caa9630a66a46626e46 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 14:45:07 +0200 Subject: [PATCH 3016/3829] Remove previously deprecated fetch_*() methods from CI_Router --- system/core/Router.php | 43 ------------------- user_guide_src/source/changelog.rst | 3 +- .../source/installation/upgrade_320.rst | 3 ++ 3 files changed, 5 insertions(+), 44 deletions(-) diff --git a/system/core/Router.php b/system/core/Router.php index 045d3668754..42d0e295227 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -438,19 +438,6 @@ public function set_class($class) // -------------------------------------------------------------------- - /** - * Fetch the current class - * - * @deprecated 3.0.0 Read the 'class' property instead - * @return string - */ - public function fetch_class() - { - return $this->class; - } - - // -------------------------------------------------------------------- - /** * Set method name * @@ -464,19 +451,6 @@ public function set_method($method) // -------------------------------------------------------------------- - /** - * Fetch the current method - * - * @deprecated 3.0.0 Read the 'method' property instead - * @return string - */ - public function fetch_method() - { - return $this->method; - } - - // -------------------------------------------------------------------- - /** * Set directory name * @@ -495,21 +469,4 @@ public function set_directory($dir, $append = FALSE) $this->directory .= str_replace('.', '', trim($dir, '/')).'/'; } } - - // -------------------------------------------------------------------- - - /** - * Fetch directory - * - * Feches the sub-directory (if any) that contains the requested - * controller class. - * - * @deprecated 3.0.0 Read the 'directory' property instead - * @return string - */ - public function fetch_directory() - { - return $this->directory; - } - } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 035255166eb..3d6d3e392eb 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -10,7 +10,8 @@ Release Date: Not Released - Core - Changed :doc:`URI Library ` to ignore the ``$config['url_suffix']``, ``$config['permitted_uri_chars']`` configuration settings for CLI requests. - - Removed previously deprecated method ``is_cli_request()`` from the :doc:`Input Library ` (use :php:func:`is_cli()` instead). + - Removed previously deprecated :doc:`Input Library ` method ``is_cli_request()`` (use :php:func:`is_cli()` instead). + - Removed previously deprecated :doc:`Routing Class ` methods ``fetch_directory()``, ``fetch_class()`` and ``fetch_method()`` (use the respective class properties instead). - Libraries diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 469aa34295c..02c78d3735f 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -132,3 +132,6 @@ The following is a list of functionalities deprecated in CodeIgniter version 3.0.0, that have been removed in 3.2.0: - ``CI_Input::is_cli_request()`` (use :php:func:`is_cli()` instead) +- ``CI_Router::fetch_directory()`` (use ``CI_Router::$directory instead) +- ``CI_Router::fetch_class()`` (use ``CI_Router::$class`` instead) +- ``CI_Router::fetch_method()`` (use ``CI_Router::$method`` instead) From edbbc7dfc01ce05a1c37629df0e1b4c8d00c435f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 14:49:08 +0200 Subject: [PATCH 3017/3829] Remove previously deprecated CI_Config::system_url() --- system/core/Config.php | 14 -------------- user_guide_src/source/changelog.rst | 1 + user_guide_src/source/installation/upgrade_320.rst | 1 + user_guide_src/source/libraries/config.rst | 11 ----------- 4 files changed, 2 insertions(+), 25 deletions(-) diff --git a/system/core/Config.php b/system/core/Config.php index e7475163904..6704a0a7e36 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -350,20 +350,6 @@ protected function _uri_string($uri) // -------------------------------------------------------------------- - /** - * System URL - * - * @deprecated 3.0.0 Encourages insecure practices - * @return string - */ - public function system_url() - { - $x = explode('/', preg_replace('|/*(.+?)/*$|', '\\1', BASEPATH)); - return $this->slash_item('base_url').end($x).'/'; - } - - // -------------------------------------------------------------------- - /** * Set a config file item * diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 3d6d3e392eb..3adf4d6e605 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -12,6 +12,7 @@ Release Date: Not Released - Changed :doc:`URI Library ` to ignore the ``$config['url_suffix']``, ``$config['permitted_uri_chars']`` configuration settings for CLI requests. - Removed previously deprecated :doc:`Input Library ` method ``is_cli_request()`` (use :php:func:`is_cli()` instead). - Removed previously deprecated :doc:`Routing Class ` methods ``fetch_directory()``, ``fetch_class()`` and ``fetch_method()`` (use the respective class properties instead). + - Removed previously deprecated :doc:`Config Library ` method ``system_url()`` (encourages insecure practices). - Libraries diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 02c78d3735f..b8e990e3c64 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -135,3 +135,4 @@ version 3.0.0, that have been removed in 3.2.0: - ``CI_Router::fetch_directory()`` (use ``CI_Router::$directory instead) - ``CI_Router::fetch_class()`` (use ``CI_Router::$class`` instead) - ``CI_Router::fetch_method()`` (use ``CI_Router::$method`` instead) +- ``CI_Config::system_url()`` (encourages insecure practices) diff --git a/user_guide_src/source/libraries/config.rst b/user_guide_src/source/libraries/config.rst index a45cacdf552..7398329c3f1 100644 --- a/user_guide_src/source/libraries/config.rst +++ b/user_guide_src/source/libraries/config.rst @@ -239,14 +239,3 @@ Class Reference This method is normally accessed via the corresponding functions in the :doc:`URL Helper `. - - .. php:method:: system_url() - - :returns: URL pointing at your CI system/ directory - :rtype: string - - This method retrieves the URL to your CodeIgniter system/ directory. - - .. note:: This method is DEPRECATED because it encourages usage of - insecure coding practices. Your *system/* directory shouldn't - be publicly accessible. \ No newline at end of file From b226bccb2f748e252b75595c497ab4b3accfe21e Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 15:00:02 +0200 Subject: [PATCH 3018/3829] Remove previously deprecated Email Helper --- system/helpers/email_helper.php | 84 ------------------- user_guide_src/source/changelog.rst | 6 +- .../source/helpers/email_helper.rst | 75 ----------------- .../source/installation/upgrade_300.rst | 9 +- .../source/installation/upgrade_320.rst | 5 ++ 5 files changed, 12 insertions(+), 167 deletions(-) delete mode 100644 system/helpers/email_helper.php delete mode 100644 user_guide_src/source/helpers/email_helper.rst diff --git a/system/helpers/email_helper.php b/system/helpers/email_helper.php deleted file mode 100644 index 35944fc7b56..00000000000 --- a/system/helpers/email_helper.php +++ /dev/null @@ -1,84 +0,0 @@ -` method ``is_cli_request()`` (use :php:func:`is_cli()` instead). - Removed previously deprecated :doc:`Routing Class ` methods ``fetch_directory()``, ``fetch_class()`` and ``fetch_method()`` (use the respective class properties instead). - Removed previously deprecated :doc:`Config Library ` method ``system_url()`` (encourages insecure practices). + - Removed previously deprecated *Email Helper* (had only two functions, aliases for PHP's native ``filter_var()`` and ``mail()``). - Libraries @@ -588,7 +589,7 @@ Release Date: March 30, 2015 - :doc:`Directory Helper ` :php:func:`directory_map()` will now append ``DIRECTORY_SEPARATOR`` to directory names in the returned array. - :doc:`Array Helper ` :php:func:`element()` and :php:func:`elements()` now return NULL instead of FALSE when the required elements don't exist. - :doc:`Language Helper ` :php:func:`lang()` now accepts an optional list of additional HTML attributes. - - Deprecated the :doc:`Email Helper ` as its ``valid_email()``, ``send_email()`` functions are now only aliases for PHP native functions ``filter_var()`` and ``mail()`` respectively. + - Deprecated the *Email Helper* as its ``valid_email()``, ``send_email()`` functions are now only aliases for PHP native functions ``filter_var()`` and ``mail()`` respectively. - Database @@ -2764,8 +2765,7 @@ Release Date: January 30, 2008 helper. <./helpers/html_helper>` - Added img() to the :doc:`HTML helper. <./helpers/html_helper>` - Added ability to :doc:`"extend" Helpers <./general/helpers>`. - - Added an :doc:`email helper <./helpers/email_helper>` into core - helpers. + - Added an *Email Helper* into core helpers. - Added strip_quotes() function to :doc:`string helper <./helpers/string_helper>`. - Added reduce_multiples() function to :doc:`string diff --git a/user_guide_src/source/helpers/email_helper.rst b/user_guide_src/source/helpers/email_helper.rst deleted file mode 100644 index 1ee97d90298..00000000000 --- a/user_guide_src/source/helpers/email_helper.rst +++ /dev/null @@ -1,75 +0,0 @@ -############ -Email Helper -############ - -The Email Helper provides some assistive functions for working with -Email. For a more robust email solution, see CodeIgniter's :doc:`Email -Class <../libraries/email>`. - -.. important:: The Email helper is DEPRECATED and is currently - only kept for backwards compatibility. - -.. contents:: - :local: - -.. raw:: html - -
- -Loading this Helper -=================== - -This helper is loaded using the following code:: - - $this->load->helper('email'); - -Available Functions -=================== - -The following functions are available: - - -.. php:function:: valid_email($email) - - :param string $email: E-mail address - :returns: TRUE if a valid email is supplied, FALSE otherwise - :rtype: bool - - Checks if the input is a correctly formatted e-mail address. Note that is - doesn't actually prove that the address will be able recieve mail, but - simply that it is a validly formed address. - - Example:: - - if (valid_email('email@somesite.com')) - { - echo 'email is valid'; - } - else - { - echo 'email is not valid'; - } - - .. note:: All that this function does is to use PHP's native ``filter_var()``:: - - (bool) filter_var($email, FILTER_VALIDATE_EMAIL); - -.. php:function:: send_email($recipient, $subject, $message) - - :param string $recipient: E-mail address - :param string $subject: Mail subject - :param string $message: Message body - :returns: TRUE if the mail was successfully sent, FALSE in case of an error - :rtype: bool - - Sends an email using PHP's native `mail() `_ - function. - - .. note:: All that this function does is to use PHP's native ``mail`` - - :: - - mail($recipient, $subject, $message); - - For a more robust email solution, see CodeIgniter's :doc:`Email Library - <../libraries/email>`. \ No newline at end of file diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index 0fc211f893f..9d0d0dc1e64 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -655,14 +655,13 @@ Please use :php:func:`html_escape()` instead. Email helper functions ====================== -:doc:`Email Helper <../helpers/email_helper>` only has two functions +The *Email Helper* only has two functions: - - :php:func:`valid_email()` - - :php:func:`send_email()` + - ``valid_email()`` + - ``send_email()`` Both of them are now aliases for PHP's native ``filter_var()`` and ``mail()`` functions, respectively. -Therefore the :doc:`Email Helper <../helpers/email_helper>` altogether is being deprecated and -is scheduled for removal in CodeIgniter 3.1+. +Therefore, the *Email Helper* altogether is being deprecated and is scheduled for removal in CodeIgniter 3.1+. .. note:: These functions are still available, but you're strongly encouraged to remove their usage sooner rather than later. diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index b8e990e3c64..51b2a369351 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -136,3 +136,8 @@ version 3.0.0, that have been removed in 3.2.0: - ``CI_Router::fetch_class()`` (use ``CI_Router::$class`` instead) - ``CI_Router::fetch_method()`` (use ``CI_Router::$method`` instead) - ``CI_Config::system_url()`` (encourages insecure practices) + +- The entire *Email Helper*, which only had two functions: + + - ``valid_email()`` (use ``filter_var($email, FILTER_VALIDATE_EMAIL)`` instead) + - ``send_email()`` (use ``mail()`` instead) From bd3b4d158110634ec54d026f2852a649711edefc Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 15:07:19 +0200 Subject: [PATCH 3019/3829] Remove tests broken by the func removals from last few commits --- tests/codeigniter/core/Config_test.php | 9 +------ .../codeigniter/helpers/email_helper_test.php | 24 ------------------- 2 files changed, 1 insertion(+), 32 deletions(-) delete mode 100644 tests/codeigniter/helpers/email_helper_test.php diff --git a/tests/codeigniter/core/Config_test.php b/tests/codeigniter/core/Config_test.php index b5c9e849d99..5201d46dcdd 100644 --- a/tests/codeigniter/core/Config_test.php +++ b/tests/codeigniter/core/Config_test.php @@ -152,13 +152,6 @@ public function test_site_url() // -------------------------------------------------------------------- - public function test_system_url() - { - $this->assertEquals($this->cfg['base_url'].'system/', $this->config->system_url()); - } - - // -------------------------------------------------------------------- - public function test_load() { // Test regular load @@ -237,4 +230,4 @@ public function test_load_nonexistent() $this->assertNull($this->config->load($file)); } -} \ No newline at end of file +} diff --git a/tests/codeigniter/helpers/email_helper_test.php b/tests/codeigniter/helpers/email_helper_test.php deleted file mode 100644 index 529e969108e..00000000000 --- a/tests/codeigniter/helpers/email_helper_test.php +++ /dev/null @@ -1,24 +0,0 @@ -helper('email'); - } - - public function test_valid_email() - { - $this->assertEquals(FALSE, valid_email('test')); - $this->assertEquals(FALSE, valid_email('test@test@test.com')); - $this->assertEquals(TRUE, valid_email('test@test.com')); - $this->assertEquals(TRUE, valid_email('my.test@test.com')); - $this->assertEquals(TRUE, valid_email('my.test@subdomain.test.com')); - } - - public function test_send_mail() - { - $this->markTestSkipped("Can't test"); - } - -} \ No newline at end of file From ecc9a5f2102d8221f9783fd77d8a4b7bb03a3e4a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 15:08:11 +0200 Subject: [PATCH 3020/3829] Remove previously deprecated Date Helper function standard_date() --- system/helpers/date_helper.php | 40 ------- .../codeigniter/helpers/date_helper_test.php | 100 ------------------ user_guide_src/source/changelog.rst | 6 +- user_guide_src/source/helpers/date_helper.rst | 39 ------- .../source/installation/upgrade_320.rst | 2 + 5 files changed, 5 insertions(+), 182 deletions(-) diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index 0606a45623a..1f8e319caec 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -122,46 +122,6 @@ function mdate($datestr = '', $time = '') // ------------------------------------------------------------------------ -if ( ! function_exists('standard_date')) -{ - /** - * Standard Date - * - * Returns a date formatted according to the submitted standard. - * - * As of PHP 5.2, the DateTime extension provides constants that - * serve for the exact same purpose and are used with date(). - * - * @todo Remove in version 3.1+. - * @deprecated 3.0.0 Use PHP's native date() instead. - * @link http://www.php.net/manual/en/class.datetime.php#datetime.constants.types - * - * @example date(DATE_RFC822, now()); // default - * @example date(DATE_W3C, $time); // a different format and time - * - * @param string $fmt = 'DATE_RFC822' the chosen format - * @param int $time = NULL Unix timestamp - * @return string - */ - function standard_date($fmt = 'DATE_RFC822', $time = NULL) - { - if (empty($time)) - { - $time = now(); - } - - // Procedural style pre-defined constants from the DateTime extension - if (strpos($fmt, 'DATE_') !== 0 OR defined($fmt) === FALSE) - { - return FALSE; - } - - return date(constant($fmt), $time); - } -} - -// ------------------------------------------------------------------------ - if ( ! function_exists('timespan')) { /** diff --git a/tests/codeigniter/helpers/date_helper_test.php b/tests/codeigniter/helpers/date_helper_test.php index 8a3502280eb..00139de5c19 100644 --- a/tests/codeigniter/helpers/date_helper_test.php +++ b/tests/codeigniter/helpers/date_helper_test.php @@ -73,106 +73,6 @@ public function test_mdate() // ------------------------------------------------------------------------ - public function test_standard_date_rfc822() - { - $this->assertEquals( - date(DATE_RFC822, $this->time), - standard_date('DATE_RFC822', $this->time) - ); - } - - // ------------------------------------------------------------------------ - - public function test_standard_date_atom() - { - $this->assertEquals( - date(DATE_ATOM, $this->time), - standard_date('DATE_ATOM', $this->time) - ); - } - - // ------------------------------------------------------------------------ - - public function test_standard_date_cookie() - { - $this->assertEquals( - date(DATE_COOKIE, $this->time), - standard_date('DATE_COOKIE', $this->time) - ); - } - - // ------------------------------------------------------------------------ - - public function test_standard_date_iso8601() - { - $this->assertEquals( - date(DATE_ISO8601, $this->time), - standard_date('DATE_ISO8601', $this->time) - ); - } - - // ------------------------------------------------------------------------ - - public function test_standard_date_rfc850() - { - $this->assertEquals( - date(DATE_RFC850, $this->time), - standard_date('DATE_RFC850', $this->time) - ); - } - - // ------------------------------------------------------------------------ - - public function test_standard_date_rfc1036() - { - $this->assertEquals( - date(DATE_RFC1036, $this->time), - standard_date('DATE_RFC1036', $this->time) - ); - } - - // ------------------------------------------------------------------------ - - public function test_standard_date_rfc1123() - { - $this->assertEquals( - date(DATE_RFC1123, $this->time), - standard_date('DATE_RFC1123', $this->time) - ); - } - - // ------------------------------------------------------------------------ - - public function test_standard_date_rfc2822() - { - $this->assertEquals( - date(DATE_RFC2822, $this->time), - standard_date('DATE_RFC2822', $this->time) - ); - } - - // ------------------------------------------------------------------------ - - public function test_standard_date_rss() - { - $this->assertEquals( - date(DATE_RSS, $this->time), - standard_date('DATE_RSS', $this->time) - ); - } - - // ------------------------------------------------------------------------ - - public function test_standard_date_w3c() - { - $this->assertEquals( - date(DATE_W3C, $this->time), - standard_date('DATE_W3C', $this->time) - ); - } - - // ------------------------------------------------------------------------ - public function test_timespan() { $this->ci_vfs_clone('system/language/english/date_lang.php'); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d109c3b468d..62c1ef0e1d8 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -13,6 +13,7 @@ Release Date: Not Released - Removed previously deprecated :doc:`Input Library ` method ``is_cli_request()`` (use :php:func:`is_cli()` instead). - Removed previously deprecated :doc:`Routing Class ` methods ``fetch_directory()``, ``fetch_class()`` and ``fetch_method()`` (use the respective class properties instead). - Removed previously deprecated :doc:`Config Library ` method ``system_url()`` (encourages insecure practices). + - Removed previously deprecated :doc:`Date Helper ` function ``standard_date()`` (use PHP's native ``date()`` instead). - Removed previously deprecated *Email Helper* (had only two functions, aliases for PHP's native ``filter_var()`` and ``mail()``). - Libraries @@ -1115,7 +1116,7 @@ Bug fixes for 3.0 - Fixed a bug (#79) - :doc:`Form Validation Library ` didn't properly validate array fields that use associative keys or have custom indexes. - Fixed a bug (#427) - :doc:`Form Validation Library ` method ``strip_image_tags()`` was an alias to a non-existent method. - Fixed a bug (#1545) - :doc:`Query Builder ` method ``limit()`` wasn't executed properly under Oracle. -- Fixed a bug (#1551) - :doc:`Date Helper ` function :php:func:`standard_date()` didn't properly format *W3C* and *ATOM* standard dates. +- Fixed a bug (#1551) - :doc:`Date Helper ` function ``standard_date()`` didn't properly format *W3C* and *ATOM* standard dates. - Fixed a bug where :doc:`Query Builder ` method ``join()`` escaped literal values as if they were fields. - Fixed a bug (#135) - PHP Error logging was impossible without the errors being displayed. - Fixed a bug (#1613) - :doc:`Form Helper ` functions :php:func:`form_multiselect()`, :php:func:`form_dropdown()` didn't properly handle empty array option groups. @@ -3096,8 +3097,7 @@ Release Date: October 30, 2006 - Added :doc:`Download Helper <./helpers/download_helper>`. - Added :doc:`simple_query() <./database/queries>` function to the database classes -- Added :doc:`standard_date() <./helpers/date_helper>` function to - the Date Helper. +- Added ``standard_date()`` function function to the :doc:`Date Helper `. - Added :doc:`$query->free_result() <./database/results>` to database class. - Added :doc:`$query->list_fields() <./database/metadata>` function to diff --git a/user_guide_src/source/helpers/date_helper.rst b/user_guide_src/source/helpers/date_helper.rst index 600a0757402..90952885561 100644 --- a/user_guide_src/source/helpers/date_helper.rst +++ b/user_guide_src/source/helpers/date_helper.rst @@ -67,45 +67,6 @@ The following functions are available: If a timestamp is not included in the second parameter the current time will be used. -.. php:function:: standard_date([$fmt = 'DATE_RFC822'[, $time = NULL]]) - - :param string $fmt: Date format - :param int $time: UNIX timestamp - :returns: Formatted date or FALSE on invalid format - :rtype: string - - Lets you generate a date string in one of several standardized formats. - - Example:: - - $format = 'DATE_RFC822'; - $time = time(); - echo standard_date($format, $time); - - .. note:: This function is DEPRECATED. Use the native ``date()`` combined with - `DateTime's format constants - `_ - instead:: - - echo date(DATE_RFC822, time()); - - **Supported formats:** - - =============== ======================= ====================================== - Constant Description Example - =============== ======================= ====================================== - DATE_ATOM Atom 2005-08-15T16:13:03+0000 - DATE_COOKIE HTTP Cookies Sun, 14 Aug 2005 16:13:03 UTC - DATE_ISO8601 ISO-8601 2005-08-14T16:13:03+00:00 - DATE_RFC822 RFC 822 Sun, 14 Aug 05 16:13:03 UTC - DATE_RFC850 RFC 850 Sunday, 14-Aug-05 16:13:03 UTC - DATE_RFC1036 RFC 1036 Sunday, 14-Aug-05 16:13:03 UTC - DATE_RFC1123 RFC 1123 Sun, 14 Aug 2005 16:13:03 UTC - DATE_RFC2822 RFC 2822 Sun, 14 Aug 2005 16:13:03 +0000 - DATE_RSS RSS Sun, 14 Aug 2005 16:13:03 UTC - DATE_W3C W3C 2005-08-14T16:13:03+0000 - =============== ======================= ====================================== - .. php:function:: local_to_gmt([$time = '']) :param int $time: UNIX timestamp diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 51b2a369351..d6602e825bf 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -137,6 +137,8 @@ version 3.0.0, that have been removed in 3.2.0: - ``CI_Router::fetch_method()`` (use ``CI_Router::$method`` instead) - ``CI_Config::system_url()`` (encourages insecure practices) +- ``standard_date()`` :doc:`Date Helper <../helpers/date_helper>` function (use ``date()`` instead) + - The entire *Email Helper*, which only had two functions: - ``valid_email()`` (use ``filter_var($email, FILTER_VALIDATE_EMAIL)`` instead) From 0c84ef9a33d18d758e36447fd18a240a458ae2bc Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 15:12:35 +0200 Subject: [PATCH 3021/3829] Remove previously deprecated Security Helper function do_hash() --- system/helpers/security_helper.php | 24 ----------------- .../helpers/security_helper_test.php | 26 +----------------- user_guide_src/source/changelog.rst | 9 ++++--- .../source/helpers/security_helper.rst | 27 +------------------ .../source/installation/upgrade_320.rst | 1 + 5 files changed, 8 insertions(+), 79 deletions(-) diff --git a/system/helpers/security_helper.php b/system/helpers/security_helper.php index 4eb63883daa..048f06b6805 100644 --- a/system/helpers/security_helper.php +++ b/system/helpers/security_helper.php @@ -80,30 +80,6 @@ function sanitize_filename($filename) } } -// -------------------------------------------------------------------- - -if ( ! function_exists('do_hash')) -{ - /** - * Hash encode a string - * - * @todo Remove in version 3.1+. - * @deprecated 3.0.0 Use PHP's native hash() instead. - * @param string $str - * @param string $type = 'sha1' - * @return string - */ - function do_hash($str, $type = 'sha1') - { - if ( ! in_array(strtolower($type), hash_algos())) - { - $type = 'md5'; - } - - return hash($type, $str); - } -} - // ------------------------------------------------------------------------ if ( ! function_exists('strip_image_tags')) diff --git a/tests/codeigniter/helpers/security_helper_test.php b/tests/codeigniter/helpers/security_helper_test.php index effd3ec0289..ab05d57baca 100644 --- a/tests/codeigniter/helpers/security_helper_test.php +++ b/tests/codeigniter/helpers/security_helper_test.php @@ -25,30 +25,6 @@ function test_sanitize_filename() $this->assertEquals('foo', sanitize_filename($filename)); } - function test_do_hash() - { - $md5 = md5('foo'); - $sha1 = sha1('foo'); - - $algos = hash_algos(); - $algo_results = array(); - foreach ($algos as $k => $v) - { - $algo_results[$v] = hash($v, 'foo'); - } - - $this->assertEquals($sha1, do_hash('foo')); - $this->assertEquals($sha1, do_hash('foo', 'sha1')); - $this->assertEquals($md5, do_hash('foo', 'md5')); - $this->assertEquals($md5, do_hash('foo', 'foobar')); - - // Test each algorithm available to PHP - foreach ($algo_results as $algo => $result) - { - $this->assertEquals($result, do_hash('foo', $algo)); - } - } - function test_strip_image_tags() { $this->assertEquals('http://example.com/spacer.gif', strip_image_tags('http://example.com/spacer.gif')); @@ -61,4 +37,4 @@ function test_encode_php_tags() $this->assertEquals('<? echo $foo; ?>', encode_php_tags('')); } -} \ No newline at end of file +} diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 62c1ef0e1d8..ba11fe1c81e 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -14,6 +14,7 @@ Release Date: Not Released - Removed previously deprecated :doc:`Routing Class ` methods ``fetch_directory()``, ``fetch_class()`` and ``fetch_method()`` (use the respective class properties instead). - Removed previously deprecated :doc:`Config Library ` method ``system_url()`` (encourages insecure practices). - Removed previously deprecated :doc:`Date Helper ` function ``standard_date()`` (use PHP's native ``date()`` instead). + - Removed previously deprecated :doc:`Security Helper ` function ``do_hash()`` (use PHP's native ``hash()`` instead). - Removed previously deprecated *Email Helper* (had only two functions, aliases for PHP's native ``filter_var()`` and ``mail()``). - Libraries @@ -551,7 +552,7 @@ Release Date: March 30, 2015 - :doc:`Security Helper ` changes include: - - :php:func:`do_hash()` now uses PHP's native ``hash()`` function (supporting more algorithms) and is deprecated. + - ``do_hash()`` now uses PHP's native ``hash()`` function (supporting more algorithms) and is deprecated. - :php:func:`strip_image_tags()` is now an alias for the same method in the :doc:`Security Library `. - :doc:`Smiley Helper ` changes include: @@ -1580,8 +1581,8 @@ Hg Tag: v2.0.2 - Helpers - - Removed the previously deprecated dohash() from the :doc:`Security - helper <./helpers/security_helper>`; use do_hash() instead. + - Removed the previously deprecated ``dohash()`` from the :doc:`Security + helper <./helpers/security_helper>`; use ``do_hash()`` instead. - Changed the 'plural' function so that it doesn't ruin the captalization of your string. It also take into consideration acronyms which are all caps. @@ -1823,7 +1824,7 @@ Hg Tag: v2.0.0 helper <./helpers/text_helper>`. - Added accept-charset to the list of inserted attributes of form_open() in the :doc:`Form Helper `. - - Deprecated the dohash() function in favour of do_hash() for + - Deprecated the ``dohash()`` function in favour of ``do_hash()`` for naming consistency. - Non-backwards compatible change made to get_dir_file_info() in the :doc:`File Helper `. No longer recurses diff --git a/user_guide_src/source/helpers/security_helper.rst b/user_guide_src/source/helpers/security_helper.rst index 103880cf9cc..e981bc6b652 100644 --- a/user_guide_src/source/helpers/security_helper.rst +++ b/user_guide_src/source/helpers/security_helper.rst @@ -48,31 +48,6 @@ The following functions are available: For more info, please see the :doc:`Security Library <../libraries/security>` documentation. - -.. php:function:: do_hash($str[, $type = 'sha1']) - - :param string $str: Input - :param string $type: Algorithm - :returns: Hex-formatted hash - :rtype: string - - Permits you to create one way hashes suitable for encrypting - passwords. Will use SHA1 by default. - - See `hash_algos() `_ - for a full list of supported algorithms. - - Examples:: - - $str = do_hash($str); // SHA1 - $str = do_hash($str, 'md5'); // MD5 - - .. note:: This function was formerly named ``dohash()``, which has been - removed in favor of ``do_hash()``. - - .. note:: This function is DEPRECATED. Use the native ``hash()`` instead. - - .. php:function:: strip_image_tags($str) :param string $str: Input string @@ -103,4 +78,4 @@ The following functions are available: Example:: - $string = encode_php_tags($string); \ No newline at end of file + $string = encode_php_tags($string); diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index d6602e825bf..080a02895cf 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -138,6 +138,7 @@ version 3.0.0, that have been removed in 3.2.0: - ``CI_Config::system_url()`` (encourages insecure practices) - ``standard_date()`` :doc:`Date Helper <../helpers/date_helper>` function (use ``date()`` instead) +- ``do_hash()`` :doc:`Security Helper <../helpers/security_helper>` function (use ``hash()`` instead) - The entire *Email Helper*, which only had two functions: From 5e47aa3d87b44627bd79850536bfacd8d39a92a6 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 15:18:46 +0200 Subject: [PATCH 3022/3829] Remove previously deprecated HTML helper functions br(), nbs() --- system/helpers/html_helper.php | 34 ---------------- .../codeigniter/helpers/html_helper_test.php | 16 +------- user_guide_src/source/changelog.rst | 3 +- user_guide_src/source/helpers/html_helper.rst | 40 ------------------- .../source/installation/upgrade_320.rst | 2 + 5 files changed, 5 insertions(+), 90 deletions(-) diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index 696f0eee27e..22ef39c2e1d 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -389,37 +389,3 @@ function meta($name = '', $content = '', $type = 'name', $newline = "\n") return $str; } } - -// ------------------------------------------------------------------------ - -if ( ! function_exists('br')) -{ - /** - * Generates HTML BR tags based on number supplied - * - * @deprecated 3.0.0 Use str_repeat() instead - * @param int $count Number of times to repeat the tag - * @return string - */ - function br($count = 1) - { - return str_repeat('
', $count); - } -} - -// ------------------------------------------------------------------------ - -if ( ! function_exists('nbs')) -{ - /** - * Generates non-breaking space entities based on number supplied - * - * @deprecated 3.0.0 Use str_repeat() instead - * @param int - * @return string - */ - function nbs($num = 1) - { - return str_repeat(' ', $num); - } -} diff --git a/tests/codeigniter/helpers/html_helper_test.php b/tests/codeigniter/helpers/html_helper_test.php index 029f3f4cd8a..5565e011b69 100644 --- a/tests/codeigniter/helpers/html_helper_test.php +++ b/tests/codeigniter/helpers/html_helper_test.php @@ -9,13 +9,6 @@ public function set_up() // ------------------------------------------------------------------------ - public function test_br() - { - $this->assertEquals('

', br(2)); - } - - // ------------------------------------------------------------------------ - public function test_heading() { $this->assertEquals('

foobar

', heading('foobar')); @@ -72,13 +65,6 @@ public function test_Ul() // ------------------------------------------------------------------------ - public function test_NBS() - { - $this->assertEquals('   ', nbs(3)); - } - - // ------------------------------------------------------------------------ - public function test_meta() { $this->assertEquals( @@ -101,4 +87,4 @@ public function test_meta() meta(array('name' => 'foo', 'type' => 'charset')) ); } -} \ No newline at end of file +} diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index ba11fe1c81e..33f25db5143 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -15,6 +15,7 @@ Release Date: Not Released - Removed previously deprecated :doc:`Config Library ` method ``system_url()`` (encourages insecure practices). - Removed previously deprecated :doc:`Date Helper ` function ``standard_date()`` (use PHP's native ``date()`` instead). - Removed previously deprecated :doc:`Security Helper ` function ``do_hash()`` (use PHP's native ``hash()`` instead). + - Removed previously deprecated :doc:`HTML Helper ` functions ``br()`` and ``nbs()`` (use PHP's native ``str_repeat()`` with ``'
'`` and ``' '`` respectively). - Removed previously deprecated *Email Helper* (had only two functions, aliases for PHP's native ``filter_var()`` and ``mail()``). - Libraries @@ -3501,7 +3502,7 @@ Release Date: March 10, 2006 - Fixed a pagination problem in the scaffolding. - Fixed a bug in the mysql class "where" function. - Fixed a regex problem in some code that trimmed duplicate slashes. -- Fixed a bug in the br() function in the HTML helper +- Fixed a bug in the ``br()`` function in the HTML helper - Fixed a syntax mistake in the form_dropdown function in the Form Helper. - Removed the "style" attributes form the form helpers. diff --git a/user_guide_src/source/helpers/html_helper.rst b/user_guide_src/source/helpers/html_helper.rst index b4e56fdca47..734b4465c1f 100644 --- a/user_guide_src/source/helpers/html_helper.rst +++ b/user_guide_src/source/helpers/html_helper.rst @@ -371,43 +371,3 @@ The following functions are available: XHTML+RDFa 1.0 xhtml-rdfa-1 XHTML+RDFa 1.1 xhtml-rdfa-2 =============================== =================== ================================================================================================================================================== - -.. php:function:: br([$count = 1]) - - :param int $count: Number of times to repeat the tag - :returns: HTML line break tag - :rtype: string - - Generates line break tags (
) based on the number you submit. - Example:: - - echo br(3); - - The above would produce: - - .. code-block:: html - -


- - .. note:: This function is DEPRECATED. Use the native ``str_repeat()`` - in combination with ``
`` instead. - -.. php:function:: nbs([$num = 1]) - - :param int $num: Number of space entities to produce - :returns: A sequence of non-breaking space HTML entities - :rtype: string - - Generates non-breaking spaces ( ) based on the number you submit. - Example:: - - echo nbs(3); - - The above would produce: - - .. code-block:: html - -     - - .. note:: This function is DEPRECATED. Use the native ``str_repeat()`` - in combination with `` `` instead. diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 080a02895cf..a357e20ef79 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -139,6 +139,8 @@ version 3.0.0, that have been removed in 3.2.0: - ``standard_date()`` :doc:`Date Helper <../helpers/date_helper>` function (use ``date()`` instead) - ``do_hash()`` :doc:`Security Helper <../helpers/security_helper>` function (use ``hash()`` instead) +- ``br()`` :doc:`HTML Helper <../helpers/html_helper>` function (use ``str_repeat()`` with ``'
'`` instead) +- ``nbs()`` :doc:`HTML Helper <../helpers/html_helper>` function (use ``str_repeat()`` with ``' '`` instead) - The entire *Email Helper*, which only had two functions: From 41091ba2fd3005d4a387ee17bfd7520475028627 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 15:25:25 +0200 Subject: [PATCH 3023/3829] Remove previously deprecates String Helper functions trim_slashes(), repeater() --- system/helpers/string_helper.php | 47 ------------------- .../helpers/string_helper_test.php | 32 +------------ user_guide_src/source/changelog.rst | 5 +- .../source/helpers/string_helper.rst | 37 +-------------- .../source/installation/upgrade_300.rst | 4 +- .../source/installation/upgrade_320.rst | 2 + 6 files changed, 9 insertions(+), 118 deletions(-) diff --git a/system/helpers/string_helper.php b/system/helpers/string_helper.php index db531fa9aab..62b1a18e07e 100644 --- a/system/helpers/string_helper.php +++ b/system/helpers/string_helper.php @@ -49,33 +49,6 @@ // ------------------------------------------------------------------------ -if ( ! function_exists('trim_slashes')) -{ - /** - * Trim Slashes - * - * Removes any leading/trailing slashes from a string: - * - * /this/that/theother/ - * - * becomes: - * - * this/that/theother - * - * @todo Remove in version 3.1+. - * @deprecated 3.0.0 This is just an alias for PHP's native trim() - * - * @param string - * @return string - */ - function trim_slashes($str) - { - return trim($str, '/'); - } -} - -// ------------------------------------------------------------------------ - if ( ! function_exists('strip_slashes')) { /** @@ -284,23 +257,3 @@ function alternator() return $args[($i++ % count($args))]; } } - -// ------------------------------------------------------------------------ - -if ( ! function_exists('repeater')) -{ - /** - * Repeater function - * - * @todo Remove in version 3.1+. - * @deprecated 3.0.0 This is just an alias for PHP's native str_repeat() - * - * @param string $data String to repeat - * @param int $num Number of repeats - * @return string - */ - function repeater($data, $num = 1) - { - return ($num > 0) ? str_repeat($data, $num) : ''; - } -} diff --git a/tests/codeigniter/helpers/string_helper_test.php b/tests/codeigniter/helpers/string_helper_test.php index 75701ec1392..6de336b01d1 100644 --- a/tests/codeigniter/helpers/string_helper_test.php +++ b/tests/codeigniter/helpers/string_helper_test.php @@ -22,19 +22,6 @@ public function test_strip_slashes() $this->assertEquals($expected, strip_slashes($str)); } - public function test_trim_slashes() - { - $strs = array( - '//Slashes//\/' => 'Slashes//\\', - '/var/www/html/' => 'var/www/html' - ); - - foreach ($strs as $str => $expect) - { - $this->assertEquals($expect, trim_slashes($str)); - } - } - // -------------------------------------------------------------------- public function test_strip_quotes() @@ -108,23 +95,6 @@ public function test_reduce_multiples() // -------------------------------------------------------------------- - public function test_repeater() - { - $strs = array( - 'a' => 'aaaaaaaaaa', - ' ' => '          ', - '
' => '









' - - ); - - foreach ($strs as $str => $expect) - { - $this->assertEquals($expect, repeater($str, 10)); - } - } - - // -------------------------------------------------------------------- - public function test_random_string() { $this->assertEquals(16, strlen(random_string('alnum', 16))); @@ -145,4 +115,4 @@ public function test_increment_string() $this->assertEquals(124, increment_string('123', '')); } -} \ No newline at end of file +} diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 33f25db5143..8be737b6f88 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -16,6 +16,7 @@ Release Date: Not Released - Removed previously deprecated :doc:`Date Helper ` function ``standard_date()`` (use PHP's native ``date()`` instead). - Removed previously deprecated :doc:`Security Helper ` function ``do_hash()`` (use PHP's native ``hash()`` instead). - Removed previously deprecated :doc:`HTML Helper ` functions ``br()`` and ``nbs()`` (use PHP's native ``str_repeat()`` with ``'
'`` and ``' '`` respectively). + - Removed previously deprecated :doc:`String Helper ` functions ``trim_slashes()`` and ``repeater()`` (use PHP's native ``trim()`` with ``'/'`` and ``str_repeat()`` respectively). - Removed previously deprecated *Email Helper* (had only two functions, aliases for PHP's native ``filter_var()`` and ``mail()``). - Libraries @@ -2969,7 +2970,7 @@ Release Date: July 12, 2007 - Fixed various doc typos. - Documented two functions from the :doc:`String helper <./helpers/string_helper>` that were missing from the - user guide: trim_slashes() and reduce_double_slashes(). + user guide: ``trim_slashes()`` and ``reduce_double_slashes()``. - Docs now validate to XHTML 1 transitional - Updated the XSS Filtering to take into account the IE expression() ability and improved certain deletions to prevent possible exploits @@ -3000,7 +3001,7 @@ Release Date: April 15, 2007 - Added array to string into the profiler - Code Igniter references updated to CodeIgniter - pMachine references updated to EllisLab -- Fixed a bug in the repeater function of :doc:`string +- Fixed a bug in the ``repeater()`` function of :doc:`string helper <./helpers/string_helper>`. - Fixed a bug in ODBC driver - Fixed a bug in result_array() that was returning an empty array when diff --git a/user_guide_src/source/helpers/string_helper.rst b/user_guide_src/source/helpers/string_helper.rst index 53052557edc..d697d824b51 100644 --- a/user_guide_src/source/helpers/string_helper.rst +++ b/user_guide_src/source/helpers/string_helper.rst @@ -27,7 +27,6 @@ Available Functions The following functions are available: - .. php:function:: random_string([$type = 'alnum'[, $len = 8]]) :param string $type: Randomization type @@ -102,24 +101,6 @@ The following functions are available: .. note:: To use multiple separate calls to this function simply call the function with no arguments to re-initialize. -.. php:function:: repeater($data[, $num = 1]) - - :param string $data: Input - :param int $num: Number of times to repeat - :returns: Repeated string - :rtype: string - - Generates repeating copies of the data you submit. Example:: - - $string = "\n"; - echo repeater($string, 30); - - The above would generate 30 newlines. - - .. note:: This function is DEPRECATED. Use the native ``str_repeat()`` - instead. - - .. php:function:: reduce_double_slashes($str) :param string $str: Input string @@ -134,7 +115,6 @@ The following functions are available: $string = "http://example.com//index.php"; echo reduce_double_slashes($string); // results in "http://example.com/index.php" - .. php:function:: strip_slashes($data) :param mixed $data: Input string or an array of strings @@ -163,21 +143,6 @@ The following functions are available: and handle string inputs. This however makes it just an alias for ``stripslashes()``. -.. php:function:: trim_slashes($str) - - :param string $str: Input string - :returns: Slash-trimmed string - :rtype: string - - Removes any leading/trailing slashes from a string. Example:: - - $string = "/this/that/theother/"; - echo trim_slashes($string); // results in this/that/theother - - .. note:: This function is DEPRECATED. Use the native ``trim()`` instead: - | - | trim($str, '/'); - .. php:function:: reduce_multiples($str[, $character = ''[, $trim = FALSE]]) :param string $str: Text to search in @@ -220,4 +185,4 @@ The following functions are available: Removes single and double quotes from a string. Example:: $string = "Joe's \"dinner\""; - $string = strip_quotes($string); //results in "Joes dinner" \ No newline at end of file + $string = strip_quotes($string); //results in "Joes dinner" diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index 9d0d0dc1e64..c7c2b948a78 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -624,7 +624,7 @@ CodeIgniter 3.1+. String helper repeater() ======================== -:doc:`String Helper <../helpers/string_helper>` function :php:func:`repeater()` is now just an alias for +:doc:`String Helper <../helpers/string_helper>` function ``repeater()`` is now just an alias for PHP's native ``str_repeat()`` function. It is deprecated and scheduled for removal in CodeIgniter 3.1+. .. note:: This function is still available, but you're strongly encouraged to remove its usage sooner @@ -633,7 +633,7 @@ PHP's native ``str_repeat()`` function. It is deprecated and scheduled for remov String helper trim_slashes() ============================ -:doc:`String Helper <../helpers/string_helper>` function :php:func:`trim_slashes()` is now just an alias +:doc:`String Helper <../helpers/string_helper>` function ``trim_slashes()`` is now just an alias for PHP's native ``trim()`` function (with a slash passed as its second argument). It is deprecated and scheduled for removal in CodeIgniter 3.1+. diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index a357e20ef79..8a559c26804 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -141,6 +141,8 @@ version 3.0.0, that have been removed in 3.2.0: - ``do_hash()`` :doc:`Security Helper <../helpers/security_helper>` function (use ``hash()`` instead) - ``br()`` :doc:`HTML Helper <../helpers/html_helper>` function (use ``str_repeat()`` with ``'
'`` instead) - ``nbs()`` :doc:`HTML Helper <../helpers/html_helper>` function (use ``str_repeat()`` with ``' '`` instead) +- ``trim_slashes()`` :doc:`String Helper <../helpers/string_helper>` function (use ``trim()`` with ``'/'`` instead) +- ``repeater()`` :doc:`String Helper <../helpers/string_helper>` function (use ``str_repeat()`` instead) - The entire *Email Helper*, which only had two functions: From 172f949370bb1498789c7d897fdaa4073388ebd5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 15:28:41 +0200 Subject: [PATCH 3024/3829] Remove previously deprecated File Helper function read_file() --- system/helpers/file_helper.php | 20 ------------- .../codeigniter/helpers/file_helper_test.php | 15 +--------- user_guide_src/source/changelog.rst | 1 + user_guide_src/source/helpers/file_helper.rst | 28 +------------------ .../source/installation/upgrade_320.rst | 1 + 5 files changed, 4 insertions(+), 61 deletions(-) diff --git a/system/helpers/file_helper.php b/system/helpers/file_helper.php index 3cb36a551f0..484bf32285e 100644 --- a/system/helpers/file_helper.php +++ b/system/helpers/file_helper.php @@ -49,26 +49,6 @@ // ------------------------------------------------------------------------ -if ( ! function_exists('read_file')) -{ - /** - * Read File - * - * Opens the file specified in the path and returns it as a string. - * - * @todo Remove in version 3.1+. - * @deprecated 3.0.0 It is now just an alias for PHP's native file_get_contents(). - * @param string $file Path to file - * @return string File contents - */ - function read_file($file) - { - return @file_get_contents($file); - } -} - -// ------------------------------------------------------------------------ - if ( ! function_exists('write_file')) { /** diff --git a/tests/codeigniter/helpers/file_helper_test.php b/tests/codeigniter/helpers/file_helper_test.php index c3181759511..5ed8cb5c023 100644 --- a/tests/codeigniter/helpers/file_helper_test.php +++ b/tests/codeigniter/helpers/file_helper_test.php @@ -14,19 +14,6 @@ public function set_up() // -------------------------------------------------------------------- - public function test_read_file() - { - $this->assertFalse(read_file('does_not_exist')); - - $content = 'Jack and Jill went up the mountain to fight a billy goat.'; - - $file = vfsStream::newFile('my_file.txt')->withContent($content)->at($this->_test_dir); - - $this->assertEquals($content, read_file(vfsStream::url('https://github.com/my_file.txt'))); - } - - // -------------------------------------------------------------------- - public function test_octal_permissions() { $content = 'Jack and Jill went up the mountain to fight a billy goat.'; @@ -144,4 +131,4 @@ public function test_write_file() $this->assertTrue(write_file(vfsStream::url('https://github.com/write.txt'), $content)); } -} \ No newline at end of file +} diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 8be737b6f88..b6ef1db95df 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -17,6 +17,7 @@ Release Date: Not Released - Removed previously deprecated :doc:`Security Helper ` function ``do_hash()`` (use PHP's native ``hash()`` instead). - Removed previously deprecated :doc:`HTML Helper ` functions ``br()`` and ``nbs()`` (use PHP's native ``str_repeat()`` with ``'
'`` and ``' '`` respectively). - Removed previously deprecated :doc:`String Helper ` functions ``trim_slashes()`` and ``repeater()`` (use PHP's native ``trim()`` with ``'/'`` and ``str_repeat()`` respectively). + - Removed previously deprecated :doc:`File Helper ` function ``read_file()`` (use PHP's native ``file_get_contents()`` instead). - Removed previously deprecated *Email Helper* (had only two functions, aliases for PHP's native ``filter_var()`` and ``mail()``). - Libraries diff --git a/user_guide_src/source/helpers/file_helper.rst b/user_guide_src/source/helpers/file_helper.rst index 833cddea44f..dcf3a2340b9 100644 --- a/user_guide_src/source/helpers/file_helper.rst +++ b/user_guide_src/source/helpers/file_helper.rst @@ -23,32 +23,6 @@ Available Functions The following functions are available: - -.. php:function:: read_file($file) - - :param string $file: File path - :returns: File contents or FALSE on failure - :rtype: string - - Returns the data contained in the file specified in the path. - - Example:: - - $string = read_file('./path/to/file.php'); - - The path can be a relative or full server path. Returns FALSE (boolean) on failure. - - .. note:: The path is relative to your main site index.php file, NOT your - controller or view files. CodeIgniter uses a front controller so paths - are always relative to the main site index. - - .. note:: This function is DEPRECATED. Use the native ``file_get_contents()`` - instead. - - .. important:: If your server is running an **open_basedir** restriction this - function might not work if you are trying to access a file above the - calling script. - .. php:function:: write_file($path, $data[, $mode = 'wb']) :param string $path: File path @@ -199,4 +173,4 @@ The following functions are available: :: - echo octal_permissions(fileperms('./index.php')); // 644 \ No newline at end of file + echo octal_permissions(fileperms('./index.php')); // 644 diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 8a559c26804..5cf2acd3b30 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -143,6 +143,7 @@ version 3.0.0, that have been removed in 3.2.0: - ``nbs()`` :doc:`HTML Helper <../helpers/html_helper>` function (use ``str_repeat()`` with ``' '`` instead) - ``trim_slashes()`` :doc:`String Helper <../helpers/string_helper>` function (use ``trim()`` with ``'/'`` instead) - ``repeater()`` :doc:`String Helper <../helpers/string_helper>` function (use ``str_repeat()`` instead) +- ``read_file()`` :doc:`File Helper <../helpers/file_helper>` function (use ``file_get_contents()`` instead) - The entire *Email Helper*, which only had two functions: From 37c4cc599698da0634d620665491fc27e9a36beb Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 15:33:42 +0200 Subject: [PATCH 3025/3829] Remove previously deprecated Form Helper function form_prep() --- system/helpers/form_helper.php | 19 ------------------- .../codeigniter/helpers/form_helper_test.php | 16 ---------------- user_guide_src/source/changelog.rst | 9 +++++---- user_guide_src/source/helpers/form_helper.rst | 17 ----------------- .../source/installation/upgrade_300.rst | 4 ++-- .../source/installation/upgrade_320.rst | 1 + 6 files changed, 8 insertions(+), 58 deletions(-) diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index aa7379f77bf..9756437ae1b 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -653,25 +653,6 @@ function form_close($extra = '') // ------------------------------------------------------------------------ -if ( ! function_exists('form_prep')) -{ - /** - * Form Prep - * - * Formats text so that it can be safely placed in a form field in the event it has HTML tags. - * - * @deprecated 3.0.0 An alias for html_escape() - * @param string|string[] $str Value to escape - * @return string|string[] Escaped values - */ - function form_prep($str) - { - return html_escape($str, TRUE); - } -} - -// ------------------------------------------------------------------------ - if ( ! function_exists('set_value')) { /** diff --git a/tests/codeigniter/helpers/form_helper_test.php b/tests/codeigniter/helpers/form_helper_test.php index b5fe99b9672..4ecfaa5f70f 100644 --- a/tests/codeigniter/helpers/form_helper_test.php +++ b/tests/codeigniter/helpers/form_helper_test.php @@ -271,20 +271,4 @@ public function test_form_close() $this->assertEquals($expected, form_close('
')); } - - // ------------------------------------------------------------------------ - - public function test_form_prep() - { - $this->assertEquals( - 'Here is a string containing "quoted" text.', - form_prep('Here is a string containing "quoted" text.') - ); - - $this->assertEquals( - 'Here is a string containing a <tag>.', - form_prep('Here is a string containing a .', TRUE) - ); - } - } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index b6ef1db95df..2dcb0b1afc5 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -18,6 +18,7 @@ Release Date: Not Released - Removed previously deprecated :doc:`HTML Helper ` functions ``br()`` and ``nbs()`` (use PHP's native ``str_repeat()`` with ``'
'`` and ``' '`` respectively). - Removed previously deprecated :doc:`String Helper ` functions ``trim_slashes()`` and ``repeater()`` (use PHP's native ``trim()`` with ``'/'`` and ``str_repeat()`` respectively). - Removed previously deprecated :doc:`File Helper ` function ``read_file()`` (use PHP's native ``file_get_contents()`` instead). + - Removed previously deprecated :doc:`Form Helper ` function ``form_prep()`` (use :php:func:`html_escape()` instead). - Removed previously deprecated *Email Helper* (had only two functions, aliases for PHP's native ``filter_var()`` and ``mail()``). - Libraries @@ -550,7 +551,7 @@ Release Date: March 30, 2015 - :doc:`Form Helper ` changes include: - :php:func:`form_dropdown()` will now also take an array for unity with other form helpers. - - :php:func:`form_prep()` is now DEPRECATED and only acts as an alias for :doc:`common function ` :php:func:`html_escape()`. + - ``form_prep()`` is now DEPRECATED and only acts as an alias for :doc:`common function ` :php:func:`html_escape()`. - :php:func:`set_value()` will now also accept a third argument, allowing to turn off HTML escaping of the value. - :doc:`Security Helper ` changes include: @@ -1994,7 +1995,7 @@ Hg Tag: v1.7.2 - Modified form_hidden() in the :doc:`Form helper ` to accept multi-dimensional arrays. - - Modified form_prep() in the :doc:`Form + - Modified ``form_prep()`` in the :doc:`Form helper ` to keep track of prepped fields to avoid multiple prep/mutation from subsequent calls which can occur when using Form Validation and form helper functions to @@ -2053,7 +2054,7 @@ Bug fixes for 1.7.2 - Fixed a case sensitive string replacement in xss_clean() - Fixed a bug in form_textarea() where form data was not prepped correctly. -- Fixed a bug in form_prep() causing it to not preserve entities in +- Fixed a bug in ``form_prep()`` causing it to not preserve entities in the user's original input when called back into a form element - Fixed a bug in _protect_identifiers() where the swap prefix ($swap_pre) was not being observed. @@ -3142,7 +3143,7 @@ Release Date: October 30, 2006 - Fixed a bug in the validation class. - Fixed a bug in the typography helper that was incorrectly wrapping block level elements in paragraph tags. -- Fixed a problem in the form_prep() function that was double encoding +- Fixed a problem in the ``form_prep()`` function that was double encoding entities. - Fixed a bug that affects some versions of PHP when output buffering is nested. diff --git a/user_guide_src/source/helpers/form_helper.rst b/user_guide_src/source/helpers/form_helper.rst index bc30a0e9843..cf52cd5239b 100644 --- a/user_guide_src/source/helpers/form_helper.rst +++ b/user_guide_src/source/helpers/form_helper.rst @@ -724,20 +724,3 @@ The following functions are available: The "password" field doesn't match the "repeat_password" field! */ - -.. php:function:: form_prep($str) - - :param string $str: Value to escape - :returns: Escaped value - :rtype: string - - Allows you to safely use HTML and characters such as quotes within form - elements without breaking out of the form. - - .. note:: If you use any of the form helper functions listed in this page the form - values will be prepped automatically, so there is no need to call this - function. Use it only if you are creating your own form elements. - - .. note:: This function is DEPRECATED and is just an alias for - :doc:`common function <../general/common_functions>` - :func:`html_escape()` - please use that instead. diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index c7c2b948a78..35f5621cd8a 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -643,8 +643,8 @@ scheduled for removal in CodeIgniter 3.1+. Form helper form_prep() ======================= -:doc:`Form Helper <../helpers/form_helper>` function :php:func:`form_prep()` -is now just an alias for :doc:`common function ` +:doc:`Form Helper <../helpers/form_helper>` function ``form_prep()`` is now +just an alias for :doc:`common function ` :func:`html_escape()`. It is deprecated and will be removed in the future. Please use :php:func:`html_escape()` instead. diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 5cf2acd3b30..6107d084b9a 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -144,6 +144,7 @@ version 3.0.0, that have been removed in 3.2.0: - ``trim_slashes()`` :doc:`String Helper <../helpers/string_helper>` function (use ``trim()`` with ``'/'`` instead) - ``repeater()`` :doc:`String Helper <../helpers/string_helper>` function (use ``str_repeat()`` instead) - ``read_file()`` :doc:`File Helper <../helpers/file_helper>` function (use ``file_get_contents()`` instead) +- ``form_prep()`` :doc:`Form Helper <../helpers/form_helper>` function (use :php:func:`html_escape()` instead) - The entire *Email Helper*, which only had two functions: From fe58c1c633cdfc11efc22a4d9bd888fab4a2a15c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 15:40:01 +0200 Subject: [PATCH 3026/3829] Remove previously deprecated Javascript Library --- system/libraries/Javascript.php | 856 ------------- system/libraries/Javascript/Jquery.php | 1076 ----------------- system/libraries/Javascript/index.html | 11 - user_guide_src/source/changelog.rst | 1 + .../source/installation/upgrade_300.rst | 4 +- .../source/installation/upgrade_320.rst | 2 + .../source/libraries/javascript.rst | 322 ----- 7 files changed, 5 insertions(+), 2267 deletions(-) delete mode 100644 system/libraries/Javascript.php delete mode 100644 system/libraries/Javascript/Jquery.php delete mode 100644 system/libraries/Javascript/index.html delete mode 100644 user_guide_src/source/libraries/javascript.rst diff --git a/system/libraries/Javascript.php b/system/libraries/Javascript.php deleted file mode 100644 index 2ddab38ee54..00000000000 --- a/system/libraries/Javascript.php +++ /dev/null @@ -1,856 +0,0 @@ - 'jquery', 'autoload' => TRUE); - - foreach ($defaults as $key => $val) - { - if (isset($params[$key]) && $params[$key] !== '') - { - $defaults[$key] = $params[$key]; - } - } - - extract($defaults); - - $this->CI =& get_instance(); - - // load the requested js library - $this->CI->load->library('Javascript/'.$js_library_driver, array('autoload' => $autoload)); - // make js to refer to current library - $this->js =& $this->CI->$js_library_driver; - - log_message('info', 'Javascript Class Initialized and loaded. Driver used: '.$js_library_driver); - } - - // -------------------------------------------------------------------- - // Event Code - // -------------------------------------------------------------------- - - /** - * Blur - * - * Outputs a javascript library blur event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function blur($element = 'this', $js = '') - { - return $this->js->_blur($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Change - * - * Outputs a javascript library change event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function change($element = 'this', $js = '') - { - return $this->js->_change($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Click - * - * Outputs a javascript library click event - * - * @param string The element to attach the event to - * @param string The code to execute - * @param bool whether or not to return false - * @return string - */ - public function click($element = 'this', $js = '', $ret_false = TRUE) - { - return $this->js->_click($element, $js, $ret_false); - } - - // -------------------------------------------------------------------- - - /** - * Double Click - * - * Outputs a javascript library dblclick event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function dblclick($element = 'this', $js = '') - { - return $this->js->_dblclick($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Error - * - * Outputs a javascript library error event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function error($element = 'this', $js = '') - { - return $this->js->_error($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Focus - * - * Outputs a javascript library focus event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function focus($element = 'this', $js = '') - { - return $this->js->_focus($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Hover - * - * Outputs a javascript library hover event - * - * @param string - element - * @param string - Javascript code for mouse over - * @param string - Javascript code for mouse out - * @return string - */ - public function hover($element = 'this', $over = '', $out = '') - { - return $this->js->_hover($element, $over, $out); - } - - // -------------------------------------------------------------------- - - /** - * Keydown - * - * Outputs a javascript library keydown event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function keydown($element = 'this', $js = '') - { - return $this->js->_keydown($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Keyup - * - * Outputs a javascript library keydown event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function keyup($element = 'this', $js = '') - { - return $this->js->_keyup($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Load - * - * Outputs a javascript library load event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function load($element = 'this', $js = '') - { - return $this->js->_load($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Mousedown - * - * Outputs a javascript library mousedown event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function mousedown($element = 'this', $js = '') - { - return $this->js->_mousedown($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Mouse Out - * - * Outputs a javascript library mouseout event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function mouseout($element = 'this', $js = '') - { - return $this->js->_mouseout($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Mouse Over - * - * Outputs a javascript library mouseover event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function mouseover($element = 'this', $js = '') - { - return $this->js->_mouseover($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Mouseup - * - * Outputs a javascript library mouseup event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function mouseup($element = 'this', $js = '') - { - return $this->js->_mouseup($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Output - * - * Outputs the called javascript to the screen - * - * @param string The code to output - * @return string - */ - public function output($js) - { - return $this->js->_output($js); - } - - // -------------------------------------------------------------------- - - /** - * Ready - * - * Outputs a javascript library mouseup event - * - * @param string $js Code to execute - * @return string - */ - public function ready($js) - { - return $this->js->_document_ready($js); - } - - // -------------------------------------------------------------------- - - /** - * Resize - * - * Outputs a javascript library resize event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function resize($element = 'this', $js = '') - { - return $this->js->_resize($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Scroll - * - * Outputs a javascript library scroll event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function scroll($element = 'this', $js = '') - { - return $this->js->_scroll($element, $js); - } - - // -------------------------------------------------------------------- - - /** - * Unload - * - * Outputs a javascript library unload event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - public function unload($element = 'this', $js = '') - { - return $this->js->_unload($element, $js); - } - - // -------------------------------------------------------------------- - // Effects - // -------------------------------------------------------------------- - - /** - * Add Class - * - * Outputs a javascript library addClass event - * - * @param string - element - * @param string - Class to add - * @return string - */ - public function addClass($element = 'this', $class = '') - { - return $this->js->_addClass($element, $class); - } - - // -------------------------------------------------------------------- - - /** - * Animate - * - * Outputs a javascript library animate event - * - * @param string $element = 'this' - * @param array $params = array() - * @param mixed $speed 'slow', 'normal', 'fast', or time in milliseconds - * @param string $extra - * @return string - */ - public function animate($element = 'this', $params = array(), $speed = '', $extra = '') - { - return $this->js->_animate($element, $params, $speed, $extra); - } - - // -------------------------------------------------------------------- - - /** - * Fade In - * - * Outputs a javascript library hide event - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - public function fadeIn($element = 'this', $speed = '', $callback = '') - { - return $this->js->_fadeIn($element, $speed, $callback); - } - - // -------------------------------------------------------------------- - - /** - * Fade Out - * - * Outputs a javascript library hide event - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - public function fadeOut($element = 'this', $speed = '', $callback = '') - { - return $this->js->_fadeOut($element, $speed, $callback); - } - // -------------------------------------------------------------------- - - /** - * Slide Up - * - * Outputs a javascript library slideUp event - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - public function slideUp($element = 'this', $speed = '', $callback = '') - { - return $this->js->_slideUp($element, $speed, $callback); - - } - - // -------------------------------------------------------------------- - - /** - * Remove Class - * - * Outputs a javascript library removeClass event - * - * @param string - element - * @param string - Class to add - * @return string - */ - public function removeClass($element = 'this', $class = '') - { - return $this->js->_removeClass($element, $class); - } - - // -------------------------------------------------------------------- - - /** - * Slide Down - * - * Outputs a javascript library slideDown event - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - public function slideDown($element = 'this', $speed = '', $callback = '') - { - return $this->js->_slideDown($element, $speed, $callback); - } - - // -------------------------------------------------------------------- - - /** - * Slide Toggle - * - * Outputs a javascript library slideToggle event - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - public function slideToggle($element = 'this', $speed = '', $callback = '') - { - return $this->js->_slideToggle($element, $speed, $callback); - - } - - // -------------------------------------------------------------------- - - /** - * Hide - * - * Outputs a javascript library hide action - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - public function hide($element = 'this', $speed = '', $callback = '') - { - return $this->js->_hide($element, $speed, $callback); - } - - // -------------------------------------------------------------------- - - /** - * Toggle - * - * Outputs a javascript library toggle event - * - * @param string - element - * @return string - */ - public function toggle($element = 'this') - { - return $this->js->_toggle($element); - - } - - // -------------------------------------------------------------------- - - /** - * Toggle Class - * - * Outputs a javascript library toggle class event - * - * @param string $element = 'this' - * @param string $class = '' - * @return string - */ - public function toggleClass($element = 'this', $class = '') - { - return $this->js->_toggleClass($element, $class); - } - - // -------------------------------------------------------------------- - - /** - * Show - * - * Outputs a javascript library show event - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - public function show($element = 'this', $speed = '', $callback = '') - { - return $this->js->_show($element, $speed, $callback); - } - - // -------------------------------------------------------------------- - - /** - * Compile - * - * gather together all script needing to be output - * - * @param string $view_var - * @param bool $script_tags - * @return string - */ - public function compile($view_var = 'script_foot', $script_tags = TRUE) - { - $this->js->_compile($view_var, $script_tags); - } - - // -------------------------------------------------------------------- - - /** - * Clear Compile - * - * Clears any previous javascript collected for output - * - * @return void - */ - public function clear_compile() - { - $this->js->_clear_compile(); - } - - // -------------------------------------------------------------------- - - /** - * External - * - * Outputs a - * - * @param string - * @return string - */ - protected function _close_script($extra = "\n") - { - return ''.$extra; - } - - // -------------------------------------------------------------------- - // AJAX-Y STUFF - still a testbed - // -------------------------------------------------------------------- - - /** - * Update - * - * Outputs a javascript library slideDown event - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - public function update($element = 'this', $speed = '', $callback = '') - { - return $this->js->_updater($element, $speed, $callback); - } - - // -------------------------------------------------------------------- - - /** - * Generate JSON - * - * Can be passed a database result or associative array and returns a JSON formatted string - * - * @param mixed result set or array - * @param bool match array types (defaults to objects) - * @return string a json formatted string - */ - public function generate_json($result = NULL, $match_array_type = FALSE) - { - // JSON data can optionally be passed to this function - // either as a database result object or an array, or a user supplied array - if ($result !== NULL) - { - if (is_object($result)) - { - $json_result = is_callable(array($result, 'result_array')) ? $result->result_array() : (array) $result; - } - elseif (is_array($result)) - { - $json_result = $result; - } - else - { - return $this->_prep_args($result); - } - } - else - { - return 'null'; - } - - $json = array(); - $_is_assoc = TRUE; - - if ( ! is_array($json_result) && empty($json_result)) - { - show_error('Generate JSON Failed - Illegal key, value pair.'); - } - elseif ($match_array_type) - { - $_is_assoc = $this->_is_associative_array($json_result); - } - - foreach ($json_result as $k => $v) - { - if ($_is_assoc) - { - $json[] = $this->_prep_args($k, TRUE).':'.$this->generate_json($v, $match_array_type); - } - else - { - $json[] = $this->generate_json($v, $match_array_type); - } - } - - $json = implode(',', $json); - - return $_is_assoc ? '{'.$json.'}' : '['.$json.']'; - - } - - // -------------------------------------------------------------------- - - /** - * Is associative array - * - * Checks for an associative array - * - * @param array - * @return bool - */ - protected function _is_associative_array($arr) - { - foreach (array_keys($arr) as $key => $val) - { - if ($key !== $val) - { - return TRUE; - } - } - - return FALSE; - } - - // -------------------------------------------------------------------- - - /** - * Prep Args - * - * Ensures a standard json value and escapes values - * - * @param mixed $result - * @param bool $is_key = FALSE - * @return string - */ - protected function _prep_args($result, $is_key = FALSE) - { - if ($result === NULL) - { - return 'null'; - } - elseif (is_bool($result)) - { - return ($result === TRUE) ? 'true' : 'false'; - } - elseif (is_string($result) OR $is_key) - { - return '"'.str_replace(array('\\', "\t", "\n", "\r", '"', '/'), array('\\\\', '\\t', '\\n', "\\r", '\"', '\/'), $result).'"'; - } - elseif (is_scalar($result)) - { - return $result; - } - } - -} diff --git a/system/libraries/Javascript/Jquery.php b/system/libraries/Javascript/Jquery.php deleted file mode 100644 index 9df1be1c1f1..00000000000 --- a/system/libraries/Javascript/Jquery.php +++ /dev/null @@ -1,1076 +0,0 @@ -CI =& get_instance(); - extract($params); - - if ($autoload === TRUE) - { - $this->script(); - } - - log_message('info', 'Jquery Class Initialized'); - } - - // -------------------------------------------------------------------- - // Event Code - // -------------------------------------------------------------------- - - /** - * Blur - * - * Outputs a jQuery blur event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _blur($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'blur'); - } - - // -------------------------------------------------------------------- - - /** - * Change - * - * Outputs a jQuery change event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _change($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'change'); - } - - // -------------------------------------------------------------------- - - /** - * Click - * - * Outputs a jQuery click event - * - * @param string The element to attach the event to - * @param string The code to execute - * @param bool whether or not to return false - * @return string - */ - protected function _click($element = 'this', $js = '', $ret_false = TRUE) - { - is_array($js) OR $js = array($js); - - if ($ret_false) - { - $js[] = 'return false;'; - } - - return $this->_add_event($element, $js, 'click'); - } - - // -------------------------------------------------------------------- - - /** - * Double Click - * - * Outputs a jQuery dblclick event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _dblclick($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'dblclick'); - } - - // -------------------------------------------------------------------- - - /** - * Error - * - * Outputs a jQuery error event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _error($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'error'); - } - - // -------------------------------------------------------------------- - - /** - * Focus - * - * Outputs a jQuery focus event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _focus($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'focus'); - } - - // -------------------------------------------------------------------- - - /** - * Hover - * - * Outputs a jQuery hover event - * - * @param string - element - * @param string - Javascript code for mouse over - * @param string - Javascript code for mouse out - * @return string - */ - protected function _hover($element = 'this', $over = '', $out = '') - { - $event = "\n\t$(".$this->_prep_element($element).").hover(\n\t\tfunction()\n\t\t{\n\t\t\t{$over}\n\t\t}, \n\t\tfunction()\n\t\t{\n\t\t\t{$out}\n\t\t});\n"; - - $this->jquery_code_for_compile[] = $event; - - return $event; - } - - // -------------------------------------------------------------------- - - /** - * Keydown - * - * Outputs a jQuery keydown event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _keydown($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'keydown'); - } - - // -------------------------------------------------------------------- - - /** - * Keyup - * - * Outputs a jQuery keydown event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _keyup($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'keyup'); - } - - // -------------------------------------------------------------------- - - /** - * Load - * - * Outputs a jQuery load event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _load($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'load'); - } - - // -------------------------------------------------------------------- - - /** - * Mousedown - * - * Outputs a jQuery mousedown event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _mousedown($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'mousedown'); - } - - // -------------------------------------------------------------------- - - /** - * Mouse Out - * - * Outputs a jQuery mouseout event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _mouseout($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'mouseout'); - } - - // -------------------------------------------------------------------- - - /** - * Mouse Over - * - * Outputs a jQuery mouseover event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _mouseover($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'mouseover'); - } - - // -------------------------------------------------------------------- - - /** - * Mouseup - * - * Outputs a jQuery mouseup event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _mouseup($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'mouseup'); - } - - // -------------------------------------------------------------------- - - /** - * Output - * - * Outputs script directly - * - * @param array $array_js = array() - * @return void - */ - protected function _output($array_js = array()) - { - if ( ! is_array($array_js)) - { - $array_js = array($array_js); - } - - foreach ($array_js as $js) - { - $this->jquery_code_for_compile[] = "\t".$js."\n"; - } - } - - // -------------------------------------------------------------------- - - /** - * Resize - * - * Outputs a jQuery resize event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _resize($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'resize'); - } - - // -------------------------------------------------------------------- - - /** - * Scroll - * - * Outputs a jQuery scroll event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _scroll($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'scroll'); - } - - // -------------------------------------------------------------------- - - /** - * Unload - * - * Outputs a jQuery unload event - * - * @param string The element to attach the event to - * @param string The code to execute - * @return string - */ - protected function _unload($element = 'this', $js = '') - { - return $this->_add_event($element, $js, 'unload'); - } - - // -------------------------------------------------------------------- - // Effects - // -------------------------------------------------------------------- - - /** - * Add Class - * - * Outputs a jQuery addClass event - * - * @param string $element - * @param string $class - * @return string - */ - protected function _addClass($element = 'this', $class = '') - { - $element = $this->_prep_element($element); - return '$('.$element.').addClass("'.$class.'");'; - } - - // -------------------------------------------------------------------- - - /** - * Animate - * - * Outputs a jQuery animate event - * - * @param string $element - * @param array $params - * @param string $speed 'slow', 'normal', 'fast', or time in milliseconds - * @param string $extra - * @return string - */ - protected function _animate($element = 'this', $params = array(), $speed = '', $extra = '') - { - $element = $this->_prep_element($element); - $speed = $this->_validate_speed($speed); - - $animations = "\t\t\t"; - - foreach ($params as $param => $value) - { - $animations .= $param.": '".$value."', "; - } - - $animations = substr($animations, 0, -2); // remove the last ", " - - if ($speed !== '') - { - $speed = ', '.$speed; - } - - if ($extra !== '') - { - $extra = ', '.$extra; - } - - return "$({$element}).animate({\n$animations\n\t\t}".$speed.$extra.');'; - } - - // -------------------------------------------------------------------- - - /** - * Fade In - * - * Outputs a jQuery hide event - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - protected function _fadeIn($element = 'this', $speed = '', $callback = '') - { - $element = $this->_prep_element($element); - $speed = $this->_validate_speed($speed); - - if ($callback !== '') - { - $callback = ", function(){\n{$callback}\n}"; - } - - return "$({$element}).fadeIn({$speed}{$callback});"; - } - - // -------------------------------------------------------------------- - - /** - * Fade Out - * - * Outputs a jQuery hide event - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - protected function _fadeOut($element = 'this', $speed = '', $callback = '') - { - $element = $this->_prep_element($element); - $speed = $this->_validate_speed($speed); - - if ($callback !== '') - { - $callback = ", function(){\n{$callback}\n}"; - } - - return '$('.$element.').fadeOut('.$speed.$callback.');'; - } - - // -------------------------------------------------------------------- - - /** - * Hide - * - * Outputs a jQuery hide action - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - protected function _hide($element = 'this', $speed = '', $callback = '') - { - $element = $this->_prep_element($element); - $speed = $this->_validate_speed($speed); - - if ($callback !== '') - { - $callback = ", function(){\n{$callback}\n}"; - } - - return "$({$element}).hide({$speed}{$callback});"; - } - - // -------------------------------------------------------------------- - - /** - * Remove Class - * - * Outputs a jQuery remove class event - * - * @param string $element - * @param string $class - * @return string - */ - protected function _removeClass($element = 'this', $class = '') - { - $element = $this->_prep_element($element); - return '$('.$element.').removeClass("'.$class.'");'; - } - - // -------------------------------------------------------------------- - - /** - * Slide Up - * - * Outputs a jQuery slideUp event - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - protected function _slideUp($element = 'this', $speed = '', $callback = '') - { - $element = $this->_prep_element($element); - $speed = $this->_validate_speed($speed); - - if ($callback !== '') - { - $callback = ", function(){\n{$callback}\n}"; - } - - return '$('.$element.').slideUp('.$speed.$callback.');'; - } - - // -------------------------------------------------------------------- - - /** - * Slide Down - * - * Outputs a jQuery slideDown event - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - protected function _slideDown($element = 'this', $speed = '', $callback = '') - { - $element = $this->_prep_element($element); - $speed = $this->_validate_speed($speed); - - if ($callback !== '') - { - $callback = ", function(){\n{$callback}\n}"; - } - - return '$('.$element.').slideDown('.$speed.$callback.');'; - } - - // -------------------------------------------------------------------- - - /** - * Slide Toggle - * - * Outputs a jQuery slideToggle event - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - protected function _slideToggle($element = 'this', $speed = '', $callback = '') - { - $element = $this->_prep_element($element); - $speed = $this->_validate_speed($speed); - - if ($callback !== '') - { - $callback = ", function(){\n{$callback}\n}"; - } - - return '$('.$element.').slideToggle('.$speed.$callback.');'; - } - - // -------------------------------------------------------------------- - - /** - * Toggle - * - * Outputs a jQuery toggle event - * - * @param string - element - * @return string - */ - protected function _toggle($element = 'this') - { - $element = $this->_prep_element($element); - return '$('.$element.').toggle();'; - } - - // -------------------------------------------------------------------- - - /** - * Toggle Class - * - * Outputs a jQuery toggle class event - * - * @param string $element - * @param string $class - * @return string - */ - protected function _toggleClass($element = 'this', $class = '') - { - $element = $this->_prep_element($element); - return '$('.$element.').toggleClass("'.$class.'");'; - } - - // -------------------------------------------------------------------- - - /** - * Show - * - * Outputs a jQuery show event - * - * @param string - element - * @param string - One of 'slow', 'normal', 'fast', or time in milliseconds - * @param string - Javascript callback function - * @return string - */ - protected function _show($element = 'this', $speed = '', $callback = '') - { - $element = $this->_prep_element($element); - $speed = $this->_validate_speed($speed); - - if ($callback !== '') - { - $callback = ", function(){\n{$callback}\n}"; - } - - return '$('.$element.').show('.$speed.$callback.');'; - } - - // -------------------------------------------------------------------- - - /** - * Updater - * - * An Ajax call that populates the designated DOM node with - * returned content - * - * @param string The element to attach the event to - * @param string the controller to run the call against - * @param string optional parameters - * @return string - */ - - protected function _updater($container = 'this', $controller = '', $options = '') - { - $container = $this->_prep_element($container); - $controller = (strpos('://', $controller) === FALSE) ? $controller : $this->CI->config->site_url(https://github.com/$controller); - - // ajaxStart and ajaxStop are better choices here... but this is a stop gap - if ($this->CI->config->item('javascript_ajax_img') === '') - { - $loading_notifier = 'Loading...'; - } - else - { - $loading_notifier = 'Loading'; - } - - $updater = '$('.$container.").empty();\n" // anything that was in... get it out - ."\t\t$(".$container.').prepend("'.$loading_notifier."\");\n"; // to replace with an image - - $request_options = ''; - if ($options !== '') - { - $request_options .= ', {' - .(is_array($options) ? "'".implode("', '", $options)."'" : "'".str_replace(':', "':'", $options)."'") - .'}'; - } - - return $updater."\t\t$($container).load('$controller'$request_options);"; - } - - // -------------------------------------------------------------------- - // Pre-written handy stuff - // -------------------------------------------------------------------- - - /** - * Zebra tables - * - * @param string $class - * @param string $odd - * @param string $hover - * @return string - */ - protected function _zebraTables($class = '', $odd = 'odd', $hover = '') - { - $class = ($class !== '') ? '.'.$class : ''; - $zebra = "\t\$(\"table{$class} tbody tr:nth-child(even)\").addClass(\"{$odd}\");"; - - $this->jquery_code_for_compile[] = $zebra; - - if ($hover !== '') - { - $hover = $this->hover("table{$class} tbody tr", "$(this).addClass('hover');", "$(this).removeClass('hover');"); - } - - return $zebra; - } - - // -------------------------------------------------------------------- - // Plugins - // -------------------------------------------------------------------- - - /** - * Corner Plugin - * - * @link http://www.malsup.com/jquery/corner/ - * @param string $element - * @param string $corner_style - * @return string - */ - public function corner($element = '', $corner_style = '') - { - // may want to make this configurable down the road - $corner_location = '/plugins/jquery.corner.js'; - - if ($corner_style !== '') - { - $corner_style = '"'.$corner_style.'"'; - } - - return '$('.$this->_prep_element($element).').corner('.$corner_style.');'; - } - - // -------------------------------------------------------------------- - - /** - * Modal window - * - * Load a thickbox modal window - * - * @param string $src - * @param bool $relative - * @return void - */ - public function modal($src, $relative = FALSE) - { - $this->jquery_code_for_load[] = $this->external($src, $relative); - } - - // -------------------------------------------------------------------- - - /** - * Effect - * - * Load an Effect library - * - * @param string $src - * @param bool $relative - * @return void - */ - public function effect($src, $relative = FALSE) - { - $this->jquery_code_for_load[] = $this->external($src, $relative); - } - - // -------------------------------------------------------------------- - - /** - * Plugin - * - * Load a plugin library - * - * @param string $src - * @param bool $relative - * @return void - */ - public function plugin($src, $relative = FALSE) - { - $this->jquery_code_for_load[] = $this->external($src, $relative); - } - - // -------------------------------------------------------------------- - - /** - * UI - * - * Load a user interface library - * - * @param string $src - * @param bool $relative - * @return void - */ - public function ui($src, $relative = FALSE) - { - $this->jquery_code_for_load[] = $this->external($src, $relative); - } - - // -------------------------------------------------------------------- - - /** - * Sortable - * - * Creates a jQuery sortable - * - * @param string $element - * @param array $options - * @return string - */ - public function sortable($element, $options = array()) - { - if (count($options) > 0) - { - $sort_options = array(); - foreach ($options as $k=>$v) - { - $sort_options[] = "\n\t\t".$k.': '.$v; - } - $sort_options = implode(',', $sort_options); - } - else - { - $sort_options = ''; - } - - return '$('.$this->_prep_element($element).').sortable({'.$sort_options."\n\t});"; - } - - // -------------------------------------------------------------------- - - /** - * Table Sorter Plugin - * - * @param string table name - * @param string plugin location - * @return string - */ - public function tablesorter($table = '', $options = '') - { - $this->jquery_code_for_compile[] = "\t$(".$this->_prep_element($table).').tablesorter('.$options.");\n"; - } - - // -------------------------------------------------------------------- - // Class functions - // -------------------------------------------------------------------- - - /** - * Add Event - * - * Constructs the syntax for an event, and adds to into the array for compilation - * - * @param string The element to attach the event to - * @param string The code to execute - * @param string The event to pass - * @return string - */ - protected function _add_event($element, $js, $event) - { - if (is_array($js)) - { - $js = implode("\n\t\t", $js); - } - - $event = "\n\t$(".$this->_prep_element($element).').'.$event."(function(){\n\t\t{$js}\n\t});\n"; - $this->jquery_code_for_compile[] = $event; - return $event; - } - - // -------------------------------------------------------------------- - - /** - * Compile - * - * As events are specified, they are stored in an array - * This function compiles them all for output on a page - * - * @param string $view_var - * @param bool $script_tags - * @return void - */ - protected function _compile($view_var = 'script_foot', $script_tags = TRUE) - { - // External references - $external_scripts = implode('', $this->jquery_code_for_load); - $this->CI->load->vars(array('library_src' => $external_scripts)); - - if (count($this->jquery_code_for_compile) === 0) - { - // no inline references, let's just return - return; - } - - // Inline references - $script = '$(document).ready(function() {'."\n" - .implode('', $this->jquery_code_for_compile) - .'});'; - - $output = ($script_tags === FALSE) ? $script : $this->inline($script); - - $this->CI->load->vars(array($view_var => $output)); - } - - // -------------------------------------------------------------------- - - /** - * Clear Compile - * - * Clears the array of script events collected for output - * - * @return void - */ - protected function _clear_compile() - { - $this->jquery_code_for_compile = array(); - } - - // -------------------------------------------------------------------- - - /** - * Document Ready - * - * A wrapper for writing document.ready() - * - * @param array $js - * @return void - */ - protected function _document_ready($js) - { - is_array($js) OR $js = array($js); - - foreach ($js as $script) - { - $this->jquery_code_for_compile[] = $script; - } - } - - // -------------------------------------------------------------------- - - /** - * Script Tag - * - * Outputs the script tag that loads the jquery.js file into an HTML document - * - * @param string $library_src - * @param bool $relative - * @return string - */ - public function script($library_src = '', $relative = FALSE) - { - $library_src = $this->external($library_src, $relative); - $this->jquery_code_for_load[] = $library_src; - return $library_src; - } - - // -------------------------------------------------------------------- - - /** - * Prep Element - * - * Puts HTML element in quotes for use in jQuery code - * unless the supplied element is the Javascript 'this' - * object, in which case no quotes are added - * - * @param string - * @return string - */ - protected function _prep_element($element) - { - if ($element !== 'this') - { - $element = '"'.$element.'"'; - } - - return $element; - } - - // -------------------------------------------------------------------- - - /** - * Validate Speed - * - * Ensures the speed parameter is valid for jQuery - * - * @param string - * @return string - */ - protected function _validate_speed($speed) - { - if (in_array($speed, array('slow', 'normal', 'fast'))) - { - return '"'.$speed.'"'; - } - elseif (preg_match('/[^0-9]/', $speed)) - { - return ''; - } - - return $speed; - } - -} diff --git a/system/libraries/Javascript/index.html b/system/libraries/Javascript/index.html deleted file mode 100644 index b702fbc3967..00000000000 --- a/system/libraries/Javascript/index.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - 403 Forbidden - - - -

Directory access is forbidden.

- - - diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 2dcb0b1afc5..f6d39cbfe10 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -20,6 +20,7 @@ Release Date: Not Released - Removed previously deprecated :doc:`File Helper ` function ``read_file()`` (use PHP's native ``file_get_contents()`` instead). - Removed previously deprecated :doc:`Form Helper ` function ``form_prep()`` (use :php:func:`html_escape()` instead). - Removed previously deprecated *Email Helper* (had only two functions, aliases for PHP's native ``filter_var()`` and ``mail()``). + - Removed previously deprecated *Javascript Library* (it was always experimental in the first place). - Libraries diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index 35f5621cd8a..f00a695123e 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -844,8 +844,8 @@ CodeIgniter 3.1+. The Javascript library ====================== -The :doc:`Javascript Library <../libraries/javascript>` has always had an -'experimental' status and was never really useful, nor a proper solution. +The *Javascript Library* has always had an 'experimental' status and was +never really useful, nor a proper solution. It is now deprecated and scheduled for removal in CodeIgniter 3.1+. diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 6107d084b9a..2bc4e53d309 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -146,6 +146,8 @@ version 3.0.0, that have been removed in 3.2.0: - ``read_file()`` :doc:`File Helper <../helpers/file_helper>` function (use ``file_get_contents()`` instead) - ``form_prep()`` :doc:`Form Helper <../helpers/form_helper>` function (use :php:func:`html_escape()` instead) +- The entire *Javascript Library* (it was always experimental in the first place) + - The entire *Email Helper*, which only had two functions: - ``valid_email()`` (use ``filter_var($email, FILTER_VALIDATE_EMAIL)`` instead) diff --git a/user_guide_src/source/libraries/javascript.rst b/user_guide_src/source/libraries/javascript.rst deleted file mode 100644 index e91b9ad7835..00000000000 --- a/user_guide_src/source/libraries/javascript.rst +++ /dev/null @@ -1,322 +0,0 @@ -################ -Javascript Class -################ - -CodeIgniter provides a library to help you with certain common functions -that you may want to use with Javascript. Please note that CodeIgniter -does not require the jQuery library to run, and that any scripting -library will work equally well. The jQuery library is simply presented -as a convenience if you choose to use it. - -.. important:: This library is DEPRECATED and should not be used. It has always - been with an 'experimental' status and is now no longer supported. - Currently only kept for backwards compatibility. - -.. contents:: - :local: - -.. raw:: html - -
- -************************** -Using the Javascript Class -************************** - -Initializing the Class -====================== - -To initialize the Javascript class manually in your controller -constructor, use the ``$this->load->library()`` method. Currently, -the only available library is jQuery, which will automatically be -loaded like this:: - - $this->load->library('javascript'); - -The Javascript class also accepts parameters: - -- js_library_driver (string) *default: 'jquery'* -- autoload (bool) *default: TRUE* - -You may override the defaults by sending an associative array:: - - $this->load->library( - 'javascript', - array( - 'js_library_driver' => 'scripto', - 'autoload' => FALSE - ) - ); - -Again, presently only 'jquery' is available. You may wish to set -autoload to FALSE, though, if you do not want the jQuery library to -automatically include a script tag for the main jQuery script file. This -is useful if you are loading it from a location outside of CodeIgniter, -or already have the script tag in your markup. - -Once loaded, the jQuery library object will be available using: - - $this->javascript - -Setup and Configuration -======================= - -Set these variables in your view --------------------------------- - -As a Javascript library, your files must be available to your -application. - -As Javascript is a client side language, the library must be able to -write content into your final output. This generally means a view. -You'll need to include the following variables in the ```` -sections of your output. - -:: - - - - - -``$library_src``, is where the actual library file will be loaded, as -well as any subsequent plugin script calls; $script_head is where -specific events, functions and other commands will be rendered. - -Set the path to the librarys with config items ----------------------------------------------- - -There are some configuration items in Javascript library. These can -either be set in *application/config.php*, within its own -*config/javascript.php* file, or within any controller usings the -``set_item()`` function. - -An image to be used as an "ajax loader", or progress indicator. Without -one, the simple text message of "loading" will appear when Ajax calls -need to be made. - -:: - - $config['javascript_location'] = 'http://localhost/codeigniter/themes/js/jquery/'; - $config['javascript_ajax_img'] = 'images/ajax-loader.gif'; - -If you keep your files in the same directories they were downloaded -from, then you need not set this configuration items. - -The jQuery Class -================ - -To initialize the jQuery class manually in your controller constructor, -use the ``$this->load->library()`` method:: - - $this->load->library('javascript/jquery'); - -You may send an optional parameter to determine whether or not a script -tag for the main jQuery file will be automatically included when loading -the library. It will be created by default. To prevent this, load the -library as follows:: - - $this->load->library('javascript/jquery', FALSE); - -Once loaded, the jQuery library object will be available using: - - $this->jquery - -jQuery Events -============= - -Events are set using the following syntax. -:: - - $this->jquery->event('element_path', code_to_run()); - -In the above example: - -- "event" is any of blur, change, click, dblclick, error, focus, hover, - keydown, keyup, load, mousedown, mouseup, mouseover, mouseup, resize, - scroll, or unload. -- "element_path" is any valid `jQuery selector - `_. Due to jQuery's unique - selector syntax, this is usually an element id, or CSS selector. For - example "#notice_area" would effect ``
``, and - "#content a.notice" would effect all anchors with a class of "notice" - in the div with id "content". -- "``code_to_run()``" is script your write yourself, or an action such as - an effect from the jQuery library below. - -Effects -======= - -The query library supports a powerful -`Effects `_ repertoire. Before an effect -can be used, it must be loaded:: - - $this->jquery->effect([optional path] plugin name); // for example $this->jquery->effect('bounce'); - - -hide() / show() ---------------- - -Each of this functions will affect the visibility of an item on your -page. hide() will set an item invisible, show() will reveal it. - -:: - - $this->jquery->hide(target, optional speed, optional extra information); - $this->jquery->show(target, optional speed, optional extra information); - - -- "target" will be any valid jQuery selector or selectors. -- "speed" is optional, and is set to either slow, normal, fast, or - alternatively a number of milliseconds. -- "extra information" is optional, and could include a callback, or - other additional information. - -toggle() --------- - -toggle() will change the visibility of an item to the opposite of its -current state, hiding visible elements, and revealing hidden ones. - -:: - - $this->jquery->toggle(target); - - -- "target" will be any valid jQuery selector or selectors. - -animate() ---------- - -:: - - $this->jquery->animate(target, parameters, optional speed, optional extra information); - - -- "target" will be any valid jQuery selector or selectors. -- "parameters" in jQuery would generally include a series of CSS - properties that you wish to change. -- "speed" is optional, and is set to either slow, normal, fast, or - alternatively a number of milliseconds. -- "extra information" is optional, and could include a callback, or - other additional information. - -For a full summary, see -`http://api.jquery.com/animate/ `_ - -Here is an example of an animate() called on a div with an id of "note", -and triggered by a click using the jQuery library's click() event. - -:: - - $params = array( - 'height' => 80, - 'width' => '50%', - 'marginLeft' => 125 - ); - $this->jquery->click('#trigger', $this->jquery->animate('#note', $params, 'normal')); - -fadeIn() / fadeOut() --------------------- - -:: - - $this->jquery->fadeIn(target, optional speed, optional extra information); - $this->jquery->fadeOut(target, optional speed, optional extra information); - - -- "target" will be any valid jQuery selector or selectors. -- "speed" is optional, and is set to either slow, normal, fast, or - alternatively a number of milliseconds. -- "extra information" is optional, and could include a callback, or - other additional information. - -toggleClass() -------------- - -This function will add or remove a CSS class to its target. - -:: - - $this->jquery->toggleClass(target, class) - - -- "target" will be any valid jQuery selector or selectors. -- "class" is any CSS classname. Note that this class must be defined - and available in a CSS that is already loaded. - -fadeIn() / fadeOut() --------------------- - -These effects cause an element(s) to disappear or reappear over time. - -:: - - $this->jquery->fadeIn(target, optional speed, optional extra information); - $this->jquery->fadeOut(target, optional speed, optional extra information); - - -- "target" will be any valid jQuery selector or selectors. -- "speed" is optional, and is set to either slow, normal, fast, or - alternatively a number of milliseconds. -- "extra information" is optional, and could include a callback, or - other additional information. - -slideUp() / slideDown() / slideToggle() ---------------------------------------- - -These effects cause an element(s) to slide. - -:: - - $this->jquery->slideUp(target, optional speed, optional extra information); - $this->jquery->slideDown(target, optional speed, optional extra information); - $this->jquery->slideToggle(target, optional speed, optional extra information); - - -- "target" will be any valid jQuery selector or selectors. -- "speed" is optional, and is set to either slow, normal, fast, or - alternatively a number of milliseconds. -- "extra information" is optional, and could include a callback, or - other additional information. - -Plugins -======= - -Some select jQuery plugins are made available using this library. - -corner() --------- - -Used to add distinct corners to page elements. For full details see -`http://malsup.com/jquery/corner/ `_ - -:: - - $this->jquery->corner(target, corner_style); - - -- "target" will be any valid jQuery selector or selectors. -- "corner_style" is optional, and can be set to any valid style such - as round, sharp, bevel, bite, dog, etc. Individual corners can be set - by following the style with a space and using "tl" (top left), "tr" - (top right), "bl" (bottom left), or "br" (bottom right). - -:: - - $this->jquery->corner("#note", "cool tl br"); - - -tablesorter() -------------- - -description to come - -modal() -------- - -description to come - -calendar() ----------- - -description to come \ No newline at end of file From 9b5a84dfb0c8a4ba078beb516373e7bb7d8d3ed7 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 15:45:41 +0200 Subject: [PATCH 3027/3829] Remove previously deprecated FV Library method/rule prep_for_form() --- system/libraries/Form_validation.php | 32 ------------------- .../libraries/Form_validation_test.php | 14 -------- user_guide_src/source/changelog.rst | 3 +- .../source/installation/upgrade_320.rst | 3 +- .../source/libraries/form_validation.rst | 1 - 5 files changed, 4 insertions(+), 49 deletions(-) diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index 384caf0005e..c2bc22f954d 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -1487,38 +1487,6 @@ public function valid_base64($str) // -------------------------------------------------------------------- - /** - * Prep data for form - * - * This function allows HTML to be safely shown in a form. - * Special characters are converted. - * - * @deprecated 3.0.6 Not used anywhere within the framework and pretty much useless - * @param mixed $data Input data - * @return mixed - */ - public function prep_for_form($data) - { - if ($this->_safe_form_data === FALSE OR empty($data)) - { - return $data; - } - - if (is_array($data)) - { - foreach ($data as $key => $val) - { - $data[$key] = $this->prep_for_form($val); - } - - return $data; - } - - return str_replace(array("'", '"', '<', '>'), array(''', '"', '<', '>'), stripslashes($data)); - } - - // -------------------------------------------------------------------- - /** * Prep URL * diff --git a/tests/codeigniter/libraries/Form_validation_test.php b/tests/codeigniter/libraries/Form_validation_test.php index 5f4bb931647..4be080f9042 100644 --- a/tests/codeigniter/libraries/Form_validation_test.php +++ b/tests/codeigniter/libraries/Form_validation_test.php @@ -579,20 +579,6 @@ public function test_regex_match() $this->assertFalse($this->form_validation->regex_match('bar', $regex)); } - public function test_prep_for_form() - { - $this->form_validation->reset_validation(); - $error_msg_unprepped = ''; - $error_msg_prepped = '<error ='foobar'">'; - $this->form_validation->set_rules('foo', 'label', 'required', array('required' => $error_msg_unprepped)); - $_POST = array('foo' => ''); - $this->form_validation->run(); - $error_arr = $this->form_validation->error_array(); - - $this->assertEquals('', $this->form_validation->prep_for_form('')); - $this->assertEquals(array('foo' => $error_msg_prepped), $this->form_validation->prep_for_form($error_arr)); - } - public function test_prep_url() { $this->assertEquals('', $this->form_validation->prep_url('')); diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index f6d39cbfe10..a61ad164b68 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -13,6 +13,7 @@ Release Date: Not Released - Removed previously deprecated :doc:`Input Library ` method ``is_cli_request()`` (use :php:func:`is_cli()` instead). - Removed previously deprecated :doc:`Routing Class ` methods ``fetch_directory()``, ``fetch_class()`` and ``fetch_method()`` (use the respective class properties instead). - Removed previously deprecated :doc:`Config Library ` method ``system_url()`` (encourages insecure practices). + - Removed previously deprecated :doc:`Form Validation Library ` method ``prep_for_form()`` / rule *prep_for_form*. - Removed previously deprecated :doc:`Date Helper ` function ``standard_date()`` (use PHP's native ``date()`` instead). - Removed previously deprecated :doc:`Security Helper ` function ``do_hash()`` (use PHP's native ``hash()`` instead). - Removed previously deprecated :doc:`HTML Helper ` functions ``br()`` and ``nbs()`` (use PHP's native ``str_repeat()`` with ``'
'`` and ``' '`` respectively). @@ -2748,7 +2749,7 @@ Release Date: January 30, 2008 class. <./libraries/sessions>` - Removed 'last_visit' from the Session class. - Added a language entry for valid_ip validation error. - - Modified prep_for_form() in the Validation class to accept + - Modified ``prep_for_form()`` in the Validation class to accept arrays, adding support for POST array validation (via callbacks only) - Added an "integer" rule into the Validation library. diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 2bc4e53d309..4e4a73b674f 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -129,13 +129,14 @@ Step 7: Remove usage of previously deprecated functionalities ============================================================= The following is a list of functionalities deprecated in CodeIgniter -version 3.0.0, that have been removed in 3.2.0: +version 3.0.x, that have been removed in 3.2.0: - ``CI_Input::is_cli_request()`` (use :php:func:`is_cli()` instead) - ``CI_Router::fetch_directory()`` (use ``CI_Router::$directory instead) - ``CI_Router::fetch_class()`` (use ``CI_Router::$class`` instead) - ``CI_Router::fetch_method()`` (use ``CI_Router::$method`` instead) - ``CI_Config::system_url()`` (encourages insecure practices) +- ``CI_Form_validation::prep_for_form()`` (the *prep_for_form* rule) - ``standard_date()`` :doc:`Date Helper <../helpers/date_helper>` function (use ``date()`` instead) - ``do_hash()`` :doc:`Security Helper <../helpers/security_helper>` function (use ``hash()`` instead) diff --git a/user_guide_src/source/libraries/form_validation.rst b/user_guide_src/source/libraries/form_validation.rst index b503b9be03f..915ce876f56 100644 --- a/user_guide_src/source/libraries/form_validation.rst +++ b/user_guide_src/source/libraries/form_validation.rst @@ -1009,7 +1009,6 @@ to use: ==================== ========= ============================================================================================================== Name Parameter Description ==================== ========= ============================================================================================================== -**prep_for_form** No DEPRECATED: Converts special characters so that HTML data can be shown in a form field without breaking it. **prep_url** No Adds "\http://" to URLs if missing. **strip_image_tags** No Strips the HTML from image tags leaving the raw URL. **encode_php_tags** No Converts PHP tags to entities. From bed5e97d94154088b601fac02a24fa784c6d19b5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 15:48:00 +0200 Subject: [PATCH 3028/3829] [ci skip] Mark a historical docs note as written by EllisLab --- user_guide_src/source/libraries/image_lib.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/libraries/image_lib.rst b/user_guide_src/source/libraries/image_lib.rst index b25d2512f1a..442541bf675 100644 --- a/user_guide_src/source/libraries/image_lib.rst +++ b/user_guide_src/source/libraries/image_lib.rst @@ -408,7 +408,7 @@ Class Reference method is not very useful unless you intend to build such an interface. That's exactly what we did using for the photo gallery module in ExpressionEngine, the CMS we develop. We added a JavaScript UI that - lets the cropping area be selected. + lets the cropping area be selected. (from EllisLab) .. php:method:: rotate() From 5d6e77b092ca8f1700a7407bf59bcab6b0e30808 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Thu, 1 Dec 2016 17:14:35 +0200 Subject: [PATCH 3029/3829] [ci skip] Fix #4928 --- system/core/CodeIgniter.php | 5 ++++- user_guide_src/source/changelog.rst | 1 + 2 files changed, 5 insertions(+), 1 deletion(-) diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 71656be2916..c9cb5c89fad 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -67,7 +67,10 @@ require_once(APPPATH.'config/'.ENVIRONMENT.'/constants.php'); } - require_once(APPPATH.'config/constants.php'); + if (file_exists(APPPATH.'config/constants.php')) + { + require_once(APPPATH.'config/constants.php'); + } /* * ------------------------------------------------------ diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4f5efe2767f..1ce3f071f84 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -25,6 +25,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4923) - :doc:`Session Library ` could execute an erroneous SQL query with the 'database' driver, if the lock attempt times out. - Fixed a bug (#4927) - :doc:`Output Library ` method ``get_header()`` returned the first matching header, regardless of whether it would be replaced by a second ``set_header()`` call. - Fixed a bug (#4844) - :doc:`Email Library ` didn't apply ``escapeshellarg()`` to the while passing the Sendmail ``-f`` parameter through ``popen()``. +- Fixed a bug (#4928) - the bootstrap file didn't check if *config/constants.php* exists before trying to load it. Version 3.1.2 ============= From 83424f9284815e816015a9e3f8326e410601c011 Mon Sep 17 00:00:00 2001 From: Ryan McAllen Date: Wed, 7 Dec 2016 18:22:31 -0500 Subject: [PATCH 3030/3829] Spelling: convinient -> convenient --- tests/mocks/autoloader.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/tests/mocks/autoloader.php b/tests/mocks/autoloader.php index 33942768d83..11825de2c90 100644 --- a/tests/mocks/autoloader.php +++ b/tests/mocks/autoloader.php @@ -1,6 +1,6 @@ Date: Thu, 8 Dec 2016 12:21:40 +0200 Subject: [PATCH 3031/3829] Merge pull request #4932 from rhynodesigns/patch-1 [ci skip] Fix a comment typo in unit tests --- tests/mocks/autoloader.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/tests/mocks/autoloader.php b/tests/mocks/autoloader.php index 33942768d83..11825de2c90 100644 --- a/tests/mocks/autoloader.php +++ b/tests/mocks/autoloader.php @@ -1,6 +1,6 @@ Date: Fri, 9 Dec 2016 12:48:57 +0200 Subject: [PATCH 3032/3829] [ci skip] Fix #4937 --- system/libraries/Image_lib.php | 19 ++++++------------- user_guide_src/source/changelog.rst | 1 + 2 files changed, 7 insertions(+), 13 deletions(-) diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index 06cdde0b890..39a30f0f5a2 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -544,35 +544,28 @@ public function initialize($props = array()) */ if ($this->new_image === '') { - $this->dest_image = $this->source_image; + $this->dest_image = $this->source_image; $this->dest_folder = $this->source_folder; } - elseif (strpos($this->new_image, '/') === FALSE) + elseif (strpos($this->new_image, '/') === FALSE && strpos($this->new_image, '\\') === FALSE) { + $this->dest_image = $this->new_image; $this->dest_folder = $this->source_folder; - $this->dest_image = $this->new_image; } else { - if (strpos($this->new_image, '/') === FALSE && strpos($this->new_image, '\\') === FALSE) - { - $full_dest_path = str_replace('\\', '/', realpath($this->new_image)); - } - else - { - $full_dest_path = $this->new_image; - } + $full_dest_path = str_replace('\\', '/', realpath($this->new_image)); // Is there a file name? if ( ! preg_match('#\.(jpg|jpeg|gif|png)$#i', $full_dest_path)) { + $this->dest_image = $this->source_image; $this->dest_folder = $full_dest_path.'/'; - $this->dest_image = $this->source_image; } else { $x = explode('/', $full_dest_path); - $this->dest_image = end($x); + $this->dest_image = end($x); $this->dest_folder = str_replace($this->dest_image, '', $full_dest_path); } } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1ce3f071f84..2509c82978b 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -26,6 +26,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4927) - :doc:`Output Library ` method ``get_header()`` returned the first matching header, regardless of whether it would be replaced by a second ``set_header()`` call. - Fixed a bug (#4844) - :doc:`Email Library ` didn't apply ``escapeshellarg()`` to the while passing the Sendmail ``-f`` parameter through ``popen()``. - Fixed a bug (#4928) - the bootstrap file didn't check if *config/constants.php* exists before trying to load it. +- Fixed a bug (#4937) - :doc:`Image Manipulation Library ` method ``initialize()`` didn't translate *new_image* inputs to absolute paths. Version 3.1.2 ============= From 4827811fd1e26bf33ca396eaf273cb2b4190ff38 Mon Sep 17 00:00:00 2001 From: aquilax Date: Sat, 10 Dec 2016 08:15:12 +0100 Subject: [PATCH 3033/3829] `_random_keyword` must be array Signed-off-by: aquilax --- system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php index 62690139c5c..cb06c2a9d08 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php @@ -66,7 +66,7 @@ class CI_DB_pdo_sqlite_driver extends CI_DB_pdo_driver { * * @var array */ - protected $_random_keyword = ' RANDOM()'; + protected $_random_keyword = array('RANDOM()', 'RANDOM()'); // -------------------------------------------------------------------- From d478bef9d2154d5ec8bef9329a01d4a7ce37a544 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 12 Dec 2016 11:29:04 +0200 Subject: [PATCH 3034/3829] Merge pull request #4941 from aquilax/fix-pdo-sqlite-order_by-rand Fix order_by() random for pdo/sqlite driver --- system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php index 62690139c5c..cb06c2a9d08 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php @@ -66,7 +66,7 @@ class CI_DB_pdo_sqlite_driver extends CI_DB_pdo_driver { * * @var array */ - protected $_random_keyword = ' RANDOM()'; + protected $_random_keyword = array('RANDOM()', 'RANDOM()'); // -------------------------------------------------------------------- From 4f52ca95781580164ea429643eb252f0c2607f9f Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 12 Dec 2016 11:31:39 +0200 Subject: [PATCH 3035/3829] [ci skip] Add changelog entry for PR #4941 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 2509c82978b..b6d74c2d88e 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -27,6 +27,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4844) - :doc:`Email Library ` didn't apply ``escapeshellarg()`` to the while passing the Sendmail ``-f`` parameter through ``popen()``. - Fixed a bug (#4928) - the bootstrap file didn't check if *config/constants.php* exists before trying to load it. - Fixed a bug (#4937) - :doc:`Image Manipulation Library ` method ``initialize()`` didn't translate *new_image* inputs to absolute paths. +- Fixed a bug (#4941) - :doc:`Query Builder ` method ``order_by()`` didn't work with 'RANDOM' under the 'pdo/sqlite' driver. Version 3.1.2 ============= From f2a613d67c23ba253f35a73d208e0dcaf6080b40 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 12 Dec 2016 11:39:38 +0200 Subject: [PATCH 3036/3829] Really fix #4937 --- system/libraries/Image_lib.php | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index 39a30f0f5a2..475649c462f 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -554,20 +554,20 @@ public function initialize($props = array()) } else { - $full_dest_path = str_replace('\\', '/', realpath($this->new_image)); - // Is there a file name? - if ( ! preg_match('#\.(jpg|jpeg|gif|png)$#i', $full_dest_path)) + if ( ! preg_match('#\.(jpg|jpeg|gif|png)$#i', $this->new_image)) { $this->dest_image = $this->source_image; - $this->dest_folder = $full_dest_path.'/'; + $this->dest_folder = $this->new_image; } else { - $x = explode('/', $full_dest_path); + $x = explode('/', str_replace('\\', '/', $this->new_image)); $this->dest_image = end($x); - $this->dest_folder = str_replace($this->dest_image, '', $full_dest_path); + $this->dest_folder = str_replace($this->dest_image, '', $this->new_image); } + + $this->dest_folder = realpath($this->dest_folder).'/'; } /* Compile the finalized filenames/paths From 8338bbb3586e31432caa503b6530dcea583dd8d8 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 12 Dec 2016 14:17:52 +0200 Subject: [PATCH 3037/3829] Fix #4892 - update_batch() Regression caused by 0c23e9122666a30797079bea9415da135d4f7e12 trying to fix #4871 Supersedes #4929 --- system/database/DB_query_builder.php | 29 ++++++++---- system/database/drivers/pdo/pdo_driver.php | 46 ------------------- .../pdo/subdrivers/pdo_cubrid_driver.php | 41 ----------------- .../pdo/subdrivers/pdo_pgsql_driver.php | 8 ++-- .../drivers/postgre/postgre_driver.php | 8 ++-- user_guide_src/source/changelog.rst | 1 + 6 files changed, 28 insertions(+), 105 deletions(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 5a86ce50f41..b88ec956ac5 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -149,6 +149,13 @@ abstract class CI_DB_query_builder extends CI_DB_driver { */ protected $qb_set = array(); + /** + * QB data set for update_batch() + * + * @var array + */ + protected $qb_set_ub = array(); + /** * QB aliased tables list * @@ -1886,7 +1893,7 @@ public function update_batch($table, $set = NULL, $index = NULL, $batch_size = 1 if ($set === NULL) { - if (empty($this->qb_set)) + if (empty($this->qb_set_ub)) { return ($this->db_debug) ? $this->display_error('db_must_use_set') : FALSE; } @@ -1913,9 +1920,9 @@ public function update_batch($table, $set = NULL, $index = NULL, $batch_size = 1 // Batch this baby $affected_rows = 0; - for ($i = 0, $total = count($this->qb_set); $i < $total; $i += $batch_size) + for ($i = 0, $total = count($this->qb_set_ub); $i < $total; $i += $batch_size) { - if ($this->query($this->_update_batch($this->protect_identifiers($table, TRUE, NULL, FALSE), array_slice($this->qb_set, $i, $batch_size), $index))) + if ($this->query($this->_update_batch($this->protect_identifiers($table, TRUE, NULL, FALSE), array_slice($this->qb_set_ub, $i, $batch_size), $index))) { $affected_rows += $this->affected_rows(); } @@ -1941,18 +1948,16 @@ public function update_batch($table, $set = NULL, $index = NULL, $batch_size = 1 */ protected function _update_batch($table, $values, $index) { - $index_escaped = $this->protect_identifiers($index); - $ids = array(); foreach ($values as $key => $val) { - $ids[] = $val[$index]; + $ids[] = $val[$index]['value']; foreach (array_keys($val) as $field) { if ($field !== $index) { - $final[$field][] = 'WHEN '.$index_escaped.' = '.$val[$index].' THEN '.$val[$field]; + $final[$val[$field]['field']][] = 'WHEN '.$val[$index]['field'].' = '.$val[$index]['value'].' THEN '.$val[$field]['value']; } } } @@ -1965,7 +1970,7 @@ protected function _update_batch($table, $values, $index) .'ELSE '.$k.' END, '; } - $this->where($index_escaped.' IN('.implode(',', $ids).')', NULL, FALSE); + $this->where($val[$index]['field'].' IN('.implode(',', $ids).')', NULL, FALSE); return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); } @@ -2002,7 +2007,10 @@ public function set_update_batch($key, $index = '', $escape = NULL) $index_set = TRUE; } - $clean[$this->protect_identifiers($k2, FALSE, $escape)] = ($escape === FALSE) ? $v2 : $this->escape($v2); + $clean[$k2] = array( + 'field' => $this->protect_identifiers($k2, FALSE, $escape), + 'value' => ($escape === FALSE ? $v2 : $this->escape($v2)) + ); } if ($index_set === FALSE) @@ -2010,7 +2018,7 @@ public function set_update_batch($key, $index = '', $escape = NULL) return $this->display_error('db_batch_missing_index'); } - $this->qb_set[] = $clean; + $this->qb_set_ub[] = $clean; } return $this; @@ -2777,6 +2785,7 @@ protected function _reset_write() { $this->_reset_run(array( 'qb_set' => array(), + 'qb_set_ub' => array(), 'qb_from' => array(), 'qb_join' => array(), 'qb_where' => array(), diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index c27607e5527..2da9cf38f94 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -310,52 +310,6 @@ public function error() // -------------------------------------------------------------------- - /** - * Update_Batch statement - * - * Generates a platform-specific batch update string from the supplied data - * - * @param string $table Table name - * @param array $values Update data - * @param string $index WHERE key - * @return string - */ - protected function _update_batch($table, $values, $index) - { - $ids = array(); - foreach ($values as $key => $val) - { - $ids[] = $val[$index]; - - foreach (array_keys($val) as $field) - { - if ($field !== $index) - { - $final[$field][] = 'WHEN '.$index.' = '.$val[$index].' THEN '.$val[$field]; - } - } - } - - $cases = ''; - foreach ($final as $k => $v) - { - $cases .= $k.' = CASE '."\n"; - - foreach ($v as $row) - { - $cases .= $row."\n"; - } - - $cases .= 'ELSE '.$k.' END, '; - } - - $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); - } - - // -------------------------------------------------------------------- - /** * Truncate statement * diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php index 8377798045a..4eb7f0ba67f 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php @@ -170,47 +170,6 @@ public function field_data($table) // -------------------------------------------------------------------- - /** - * Update_Batch statement - * - * Generates a platform-specific batch update string from the supplied data - * - * @param string $table Table name - * @param array $values Update data - * @param string $index WHERE key - * @return string - */ - protected function _update_batch($table, $values, $index) - { - $ids = array(); - foreach ($values as $key => $val) - { - $ids[] = $val[$index]; - - foreach (array_keys($val) as $field) - { - if ($field !== $index) - { - $final[$field][] = 'WHEN '.$index.' = '.$val[$index].' THEN '.$val[$field]; - } - } - } - - $cases = ''; - foreach ($final as $k => $v) - { - $cases .= $k." = CASE \n" - .implode("\n", $v)."\n" - .'ELSE '.$k.' END), '; - } - - $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); - - return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); - } - - // -------------------------------------------------------------------- - /** * Truncate statement * diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php index 9483d24571c..05b8350d1c2 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php @@ -326,13 +326,13 @@ protected function _update_batch($table, $values, $index) $ids = array(); foreach ($values as $key => $val) { - $ids[] = $val[$index]; + $ids[] = $val[$index]['value']; foreach (array_keys($val) as $field) { if ($field !== $index) { - $final[$field][] = 'WHEN '.$val[$index].' THEN '.$val[$field]; + $final[$val[$field]['field']][] = 'WHEN '.$val[$index]['value'].' THEN '.$val[$field]['value']; } } } @@ -340,12 +340,12 @@ protected function _update_batch($table, $values, $index) $cases = ''; foreach ($final as $k => $v) { - $cases .= $k.' = (CASE '.$index."\n" + $cases .= $k.' = (CASE '.$val[$index]['field']."\n" .implode("\n", $v)."\n" .'ELSE '.$k.' END), '; } - $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); + $this->where($val[$index]['field'].' IN('.implode(',', $ids).')', NULL, FALSE); return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); } diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index dfd87f95ad6..51916fcc128 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -550,13 +550,13 @@ protected function _update_batch($table, $values, $index) $ids = array(); foreach ($values as $key => $val) { - $ids[] = $val[$index]; + $ids[] = $val[$index]['value']; foreach (array_keys($val) as $field) { if ($field !== $index) { - $final[$field][] = 'WHEN '.$val[$index].' THEN '.$val[$field]; + $final[$val[$field]['field']][] = 'WHEN '.$val[$index]['value'].' THEN '.$val[$field]['value']; } } } @@ -564,12 +564,12 @@ protected function _update_batch($table, $values, $index) $cases = ''; foreach ($final as $k => $v) { - $cases .= $k.' = (CASE '.$index."\n" + $cases .= $k.' = (CASE '.$val[$index]['field']."\n" .implode("\n", $v)."\n" .'ELSE '.$k.' END), '; } - $this->where($index.' IN('.implode(',', $ids).')', NULL, FALSE); + $this->where($val[$index]['field'].' IN('.implode(',', $ids).')', NULL, FALSE); return 'UPDATE '.$table.' SET '.substr($cases, 0, -2).$this->_compile_wh('qb_where'); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index b6d74c2d88e..93aabebda52 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -28,6 +28,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4928) - the bootstrap file didn't check if *config/constants.php* exists before trying to load it. - Fixed a bug (#4937) - :doc:`Image Manipulation Library ` method ``initialize()`` didn't translate *new_image* inputs to absolute paths. - Fixed a bug (#4941) - :doc:`Query Builder ` method ``order_by()`` didn't work with 'RANDOM' under the 'pdo/sqlite' driver. +- Fixed a regression (#4892) - :doc:`Query Builder ` method ``update_batch()`` didn't properly handle identifier escaping. Version 3.1.2 ============= From d2e4ccfe3bba903227c3686b9390d8b9525b197d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 12 Dec 2016 15:15:39 +0200 Subject: [PATCH 3038/3829] Remove previously deprecated Smiley Helper --- application/config/smileys.php | 64 ----- system/helpers/smiley_helper.php | 255 ------------------ user_guide_src/source/changelog.rst | 9 +- .../source/helpers/smiley_helper.rst | 169 ------------ user_guide_src/source/images/smile.gif | Bin 1156 -> 0 bytes .../source/installation/upgrade_300.rst | 12 +- .../source/installation/upgrade_320.rst | 4 +- 7 files changed, 14 insertions(+), 499 deletions(-) delete mode 100644 application/config/smileys.php delete mode 100644 system/helpers/smiley_helper.php delete mode 100644 user_guide_src/source/helpers/smiley_helper.rst delete mode 100644 user_guide_src/source/images/smile.gif diff --git a/application/config/smileys.php b/application/config/smileys.php deleted file mode 100644 index abf9a898dde..00000000000 --- a/application/config/smileys.php +++ /dev/null @@ -1,64 +0,0 @@ - array('grin.gif', '19', '19', 'grin'), - ':lol:' => array('lol.gif', '19', '19', 'LOL'), - ':cheese:' => array('cheese.gif', '19', '19', 'cheese'), - ':)' => array('smile.gif', '19', '19', 'smile'), - ';-)' => array('wink.gif', '19', '19', 'wink'), - ';)' => array('wink.gif', '19', '19', 'wink'), - ':smirk:' => array('smirk.gif', '19', '19', 'smirk'), - ':roll:' => array('rolleyes.gif', '19', '19', 'rolleyes'), - ':-S' => array('confused.gif', '19', '19', 'confused'), - ':wow:' => array('surprise.gif', '19', '19', 'surprised'), - ':bug:' => array('bigsurprise.gif', '19', '19', 'big surprise'), - ':-P' => array('tongue_laugh.gif', '19', '19', 'tongue laugh'), - '%-P' => array('tongue_rolleye.gif', '19', '19', 'tongue rolleye'), - ';-P' => array('tongue_wink.gif', '19', '19', 'tongue wink'), - ':P' => array('raspberry.gif', '19', '19', 'raspberry'), - ':blank:' => array('blank.gif', '19', '19', 'blank stare'), - ':long:' => array('longface.gif', '19', '19', 'long face'), - ':ohh:' => array('ohh.gif', '19', '19', 'ohh'), - ':grrr:' => array('grrr.gif', '19', '19', 'grrr'), - ':gulp:' => array('gulp.gif', '19', '19', 'gulp'), - '8-/' => array('ohoh.gif', '19', '19', 'oh oh'), - ':down:' => array('downer.gif', '19', '19', 'downer'), - ':red:' => array('embarrassed.gif', '19', '19', 'red face'), - ':sick:' => array('sick.gif', '19', '19', 'sick'), - ':shut:' => array('shuteye.gif', '19', '19', 'shut eye'), - ':-/' => array('hmm.gif', '19', '19', 'hmmm'), - '>:(' => array('mad.gif', '19', '19', 'mad'), - ':mad:' => array('mad.gif', '19', '19', 'mad'), - '>:-(' => array('angry.gif', '19', '19', 'angry'), - ':angry:' => array('angry.gif', '19', '19', 'angry'), - ':zip:' => array('zip.gif', '19', '19', 'zipper'), - ':kiss:' => array('kiss.gif', '19', '19', 'kiss'), - ':ahhh:' => array('shock.gif', '19', '19', 'shock'), - ':coolsmile:' => array('shade_smile.gif', '19', '19', 'cool smile'), - ':coolsmirk:' => array('shade_smirk.gif', '19', '19', 'cool smirk'), - ':coolgrin:' => array('shade_grin.gif', '19', '19', 'cool grin'), - ':coolhmm:' => array('shade_hmm.gif', '19', '19', 'cool hmm'), - ':coolmad:' => array('shade_mad.gif', '19', '19', 'cool mad'), - ':coolcheese:' => array('shade_cheese.gif', '19', '19', 'cool cheese'), - ':vampire:' => array('vampire.gif', '19', '19', 'vampire'), - ':snake:' => array('snake.gif', '19', '19', 'snake'), - ':exclaim:' => array('exclaim.gif', '19', '19', 'exclaim'), - ':question:' => array('question.gif', '19', '19', 'question') - -); diff --git a/system/helpers/smiley_helper.php b/system/helpers/smiley_helper.php deleted file mode 100644 index 688ca24c21b..00000000000 --- a/system/helpers/smiley_helper.php +++ /dev/null @@ -1,255 +0,0 @@ -field_id pairs - * @param string field_id if alias name was passed in - * @param bool - * @return array - */ - function smiley_js($alias = '', $field_id = '', $inline = TRUE) - { - static $do_setup = TRUE; - $r = ''; - - if ($alias !== '' && ! is_array($alias)) - { - $alias = array($alias => $field_id); - } - - if ($do_setup === TRUE) - { - $do_setup = FALSE; - $m = array(); - - if (is_array($alias)) - { - foreach ($alias as $name => $id) - { - $m[] = '"'.$name.'" : "'.$id.'"'; - } - } - - $m = '{'.implode(',', $m).'}'; - - $r .= << $id) - { - $r .= 'smiley_map["'.$name.'"] = "'.$id."\";\n"; - } - } - - return ($inline) - ? '' - : $r; - } -} - -// ------------------------------------------------------------------------ - -if ( ! function_exists('get_clickable_smileys')) -{ - /** - * Get Clickable Smileys - * - * Returns an array of image tag links that can be clicked to be inserted - * into a form field. - * - * @param string the URL to the folder containing the smiley images - * @param array - * @return array - */ - function get_clickable_smileys($image_url, $alias = '') - { - // For backward compatibility with js_insert_smiley - if (is_array($alias)) - { - $smileys = $alias; - } - elseif (FALSE === ($smileys = _get_smiley_array())) - { - return FALSE; - } - - // Add a trailing slash to the file path if needed - $image_url = rtrim($image_url, '/').'/'; - - $used = array(); - foreach ($smileys as $key => $val) - { - // Keep duplicates from being used, which can happen if the - // mapping array contains multiple identical replacements. For example: - // :-) and :) might be replaced with the same image so both smileys - // will be in the array. - if (isset($used[$smileys[$key][0]])) - { - continue; - } - - $link[] = '
'.$smileys[$key][3].''; - $used[$smileys[$key][0]] = TRUE; - } - - return $link; - } -} - -// ------------------------------------------------------------------------ - -if ( ! function_exists('parse_smileys')) -{ - /** - * Parse Smileys - * - * Takes a string as input and swaps any contained smileys for the actual image - * - * @param string the text to be parsed - * @param string the URL to the folder containing the smiley images - * @param array - * @return string - */ - function parse_smileys($str = '', $image_url = '', $smileys = NULL) - { - if ($image_url === '' OR ( ! is_array($smileys) && FALSE === ($smileys = _get_smiley_array()))) - { - return $str; - } - - // Add a trailing slash to the file path if needed - $image_url = rtrim($image_url, '/').'/'; - - foreach ($smileys as $key => $val) - { - $str = str_replace($key, ''.$smileys[$key][3].'', $str); - } - - return $str; - } -} - -// ------------------------------------------------------------------------ - -if ( ! function_exists('_get_smiley_array')) -{ - /** - * Get Smiley Array - * - * Fetches the config/smiley.php file - * - * @return mixed - */ - function _get_smiley_array() - { - static $_smileys; - - if ( ! is_array($_smileys)) - { - if (file_exists(APPPATH.'config/smileys.php')) - { - include(APPPATH.'config/smileys.php'); - } - - if (file_exists(APPPATH.'config/'.ENVIRONMENT.'/smileys.php')) - { - include(APPPATH.'config/'.ENVIRONMENT.'/smileys.php'); - } - - if (empty($smileys) OR ! is_array($smileys)) - { - $_smileys = array(); - return FALSE; - } - - $_smileys = $smileys; - } - - return $_smileys; - } -} diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index a61ad164b68..4d0b4cf4dd3 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -21,6 +21,7 @@ Release Date: Not Released - Removed previously deprecated :doc:`File Helper ` function ``read_file()`` (use PHP's native ``file_get_contents()`` instead). - Removed previously deprecated :doc:`Form Helper ` function ``form_prep()`` (use :php:func:`html_escape()` instead). - Removed previously deprecated *Email Helper* (had only two functions, aliases for PHP's native ``filter_var()`` and ``mail()``). + - Removed previously deprecated *Smiley Helper*. - Removed previously deprecated *Javascript Library* (it was always experimental in the first place). - Libraries @@ -561,7 +562,7 @@ Release Date: March 30, 2015 - ``do_hash()`` now uses PHP's native ``hash()`` function (supporting more algorithms) and is deprecated. - :php:func:`strip_image_tags()` is now an alias for the same method in the :doc:`Security Library `. - - :doc:`Smiley Helper ` changes include: + - *Smiley Helper* changes include: - Deprecated the whole helper as too specific for CodeIgniter. - Removed previously deprecated function ``js_insert_smiley()``. @@ -1850,7 +1851,7 @@ Hg Tag: v2.0.0 string already has a scheme. - Modified get_file_info in the file helper, changing filectime() to filemtime() for dates. - - Modified smiley_js() to add optional third parameter to return + - Modified ``smiley_js()`` to add optional third parameter to return only the javascript with no script tags. - The img() function of the :doc:`HTML helper <./helpers/html_helper>` will now generate an empty @@ -2005,7 +2006,7 @@ Hg Tag: v1.7.2 - Modified directory_map() in the :doc:`Directory helper ` to allow the inclusion of hidden files, and to return FALSE on failure to read directory. - - Modified the :doc:`Smiley helper ` to work + - Modified the *Smiley helper* to work with multiple fields and insert the smiley at the last known cursor position. @@ -3112,7 +3113,7 @@ Release Date: October 30, 2006 - Added :doc:`$this->db->platform() <./database/helpers>` function - Added new :doc:`File Helper <./helpers/file_helper>`: get_filenames() -- Added new helper: :doc:`Smiley Helper <./helpers/smiley_helper>` +- Added new helper: *Smiley Helper* - Added support for
    and
      lists in the :doc:`HTML Helper <./helpers/html_helper>` - Added the ability to rewrite :doc:`short diff --git a/user_guide_src/source/helpers/smiley_helper.rst b/user_guide_src/source/helpers/smiley_helper.rst deleted file mode 100644 index 3e766994204..00000000000 --- a/user_guide_src/source/helpers/smiley_helper.rst +++ /dev/null @@ -1,169 +0,0 @@ -############# -Smiley Helper -############# - -The Smiley Helper file contains functions that let you manage smileys -(emoticons). - -.. important:: The Smiley helper is DEPRECATED and should not be used. - It is currently only kept for backwards compatibility. - -.. contents:: - :local: - -.. raw:: html - -
      - -Loading this Helper -=================== - -This helper is loaded using the following code:: - - $this->load->helper('smiley'); - -Overview -======== - -The Smiley helper has a renderer that takes plain text smileys, like -:-) and turns them into a image representation, like |smile!| - -It also lets you display a set of smiley images that when clicked will -be inserted into a form field. For example, if you have a blog that -allows user commenting you can show the smileys next to the comment -form. Your users can click a desired smiley and with the help of some -JavaScript it will be placed into the form field. - -Clickable Smileys Tutorial -========================== - -Here is an example demonstrating how you might create a set of clickable -smileys next to a form field. This example requires that you first -download and install the smiley images, then create a controller and the -View as described. - -.. important:: Before you begin, please `download the smiley images - `_ - and put them in a publicly accessible place on your server. - This helper also assumes you have the smiley replacement array - located at `application/config/smileys.php` - -The Controller --------------- - -In your **application/controllers/** directory, create a file called -Smileys.php and place the code below in it. - -.. important:: Change the URL in the :php:func:`get_clickable_smileys()` - function below so that it points to your smiley folder. - -You'll notice that in addition to the smiley helper, we are also using -the :doc:`Table Class <../libraries/table>`:: - - load->helper('smiley'); - $this->load->library('table'); - - $image_array = get_clickable_smileys('http://example.com/images/smileys/', 'comments'); - $col_array = $this->table->make_columns($image_array, 8); - - $data['smiley_table'] = $this->table->generate($col_array); - $this->load->view('smiley_view', $data); - } - - } - -In your **application/views/** directory, create a file called **smiley_view.php** -and place this code in it:: - - - - Smileys - - - -
      - -
      -

      Click to insert a smiley!

      - - When you have created the above controller and view, load it by visiting http://www.example.com/index.php/smileys/ - - - -Field Aliases -------------- - -When making changes to a view it can be inconvenient to have the field -id in the controller. To work around this, you can give your smiley -links a generic name that will be tied to a specific id in your view. - -:: - - $image_array = get_smiley_links("http://example.com/images/smileys/", "comment_textarea_alias"); - -To map the alias to the field id, pass them both into the -:func:`smiley_js()` function:: - - $image_array = smiley_js("comment_textarea_alias", "comments"); - -Available Functions -=================== - -.. php:function:: get_clickable_smileys($image_url[, $alias = ''[, $smileys = NULL]]) - - :param string $image_url: URL path to the smileys directory - :param string $alias: Field alias - :returns: An array of ready to use smileys - :rtype: array - - Returns an array containing your smiley images wrapped in a clickable - link. You must supply the URL to your smiley folder and a field id or - field alias. - - Example:: - - $image_array = get_clickable_smileys('http://example.com/images/smileys/', 'comment'); - -.. php:function:: smiley_js([$alias = ''[, $field_id = ''[, $inline = TRUE]]]) - - :param string $alias: Field alias - :param string $field_id: Field ID - :param bool $inline: Whether we're inserting an inline smiley - :returns: Smiley-enabling JavaScript code - :rtype: string - - Generates the JavaScript that allows the images to be clicked and - inserted into a form field. If you supplied an alias instead of an id - when generating your smiley links, you need to pass the alias and - corresponding form id into the function. This function is designed to be - placed into the area of your web page. - - Example:: - - - -.. php:function:: parse_smileys([$str = ''[, $image_url = ''[, $smileys = NULL]]]) - - :param string $str: Text containing smiley codes - :param string $image_url: URL path to the smileys directory - :param array $smileys: An array of smileys - :returns: Parsed smileys - :rtype: string - - Takes a string of text as input and replaces any contained plain text - smileys into the image equivalent. The first parameter must contain your - string, the second must contain the URL to your smiley folder - - Example:: - - $str = 'Here are some smileys: :-) ;-)'; - $str = parse_smileys($str, 'http://example.com/images/smileys/'); - echo $str; - -.. |smile!| image:: ../images/smile.gif \ No newline at end of file diff --git a/user_guide_src/source/images/smile.gif b/user_guide_src/source/images/smile.gif deleted file mode 100644 index bf0922504edcbda115512c88240d215c18241f15..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 1156 zcmd6m{WIGK0LH)d(hIj2M{HToZP$o2Z%6CK8Rn&4+Gy7*uB(gF3N^3Sp_62*i6N`z zw9%>}#@O82&aGH?Go4E7ZS-WQqgp~}5b{m(%~$h%O)UP4JUG^gR9fPm7G?Q|O?#7#mB6k?`K+?a)% zvk*fTYPg7k*@z(mxKy2V?GMzBVd8ea*2e$B+L#L5l|5cmDu2~ zY;dW4M?#oIxLHJ)B?u_8S*{S!75h#(34e>3%Lup}ha8cjCPykTa}@#0P?OC5rk31M z;Fg=@PP5(GYSo>@HWJazL|mVQZJfdMNpExxCS&>(Y%2xXNVXZz5{7e#{w%hYif^Y` zRt4Dhc>)yLp*$SShjhi5u^iURtcDsJe2awZNy}~2c#GWm$+FdI)gHHM`RM8iRCfYh zJBesNLv^RtXOm5wqbq!5i4QK7 z8kZ}K%W}i(KI3E{{5*7NFxWT~2CBp0x#)$_0=?#*UUT2PH35zXZjT2VCxW2K5Y6bt zh2g@@mo4k_ExNxM>jSLqr#$@=?s6Xo90{1~bKj|;J zd>4BH)(3*8J3bt|{ZXTYIo$T~q>`rj^{`UR7-|e?6#F$vn2jQ4llV}h?Sd{zuJ4TgZ-+FGxkH=!lSaadr?aY*3+us z{!4y6=jp#^G6u4Fs$BoU9RHpS?gIfMmF<3|5>wU+_ z?DoB_0ski*#9a0Pz!bpSE4B9tfU*m;yZNwKijIT^s`i6_6dCk@{C@Iy$%wjL=Ip$r z?d|-&ffwHO@NUw^>6oaT%ZuF=L$cZfoOr3~g3L1}C^+k9dXRj-+}kgrB{YbuRwYEF zi#gdmfa4XI8zk5-on_>R)rPBeoTfmaH&i?&y|&N;bXwDTtNg~^I-_<97mR4Xt3Kzv zdVg!keR>~_omhXfIxoh>%{$!H0|30+PS>aPg+$Y1Wp3}b#hn6^=qkVsj=SD^ zwDLevo@-%}r|(d3O~ygE`W>IhuPsr4Jo?^Nt#YA^!Y_VEN%^g!%P=it zKB1Jzxm7PL&*(Poj0d-lCZzCG9?#_gk1jY}tEBxg!)M+&+)H6LNt2$H)83wS=RTOV Nxce^#Q9XdL{{R50L}~y4 diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index f00a695123e..54f635cc07c 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -532,9 +532,9 @@ the ``EXT`` constant has been removed. Use just '.php' instead. Smiley helper ============= -The :doc:`Smiley Helper <../helpers/smiley_helper>` is a legacy feature from EllisLab's -ExpressionEngine product. However, it is too specific for a general purpose framework like -CodeIgniter and as such it is now deprecated. +The *Smiley Helper* is a legacy feature from EllisLab's ExpressionEngine product. +However, it is too specific for a general purpose framework like CodeIgniter +and as such it is now deprecated. Also, the previously deprecated ``js_insert_smiley()`` (since version 1.7.2) is now removed. @@ -559,9 +559,9 @@ implemented cryptographic functions. The Cart library ================ -The :doc:`Cart Library <../libraries/cart>`, similarly to the :doc:`Smiley Helper -<../helpers/smiley_helper>` is too specific for CodeIgniter. It is now deprecated -and scheduled for removal in CodeIgniter 3.1+. +The :doc:`Cart Library <../libraries/cart>`, similarly to the *Smiley Helper* +is too specific for CodeIgniter. It is now deprecated and scheduled for +removal in CodeIgniter 3.1+. .. note:: The library is still available, but you're strongly encouraged to remove its usage sooner rather than later. diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 4e4a73b674f..597e1ecf259 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -132,7 +132,7 @@ The following is a list of functionalities deprecated in CodeIgniter version 3.0.x, that have been removed in 3.2.0: - ``CI_Input::is_cli_request()`` (use :php:func:`is_cli()` instead) -- ``CI_Router::fetch_directory()`` (use ``CI_Router::$directory instead) +- ``CI_Router::fetch_directory()`` (use ``CI_Router::$directory`` instead) - ``CI_Router::fetch_class()`` (use ``CI_Router::$class`` instead) - ``CI_Router::fetch_method()`` (use ``CI_Router::$method`` instead) - ``CI_Config::system_url()`` (encourages insecure practices) @@ -153,3 +153,5 @@ version 3.0.x, that have been removed in 3.2.0: - ``valid_email()`` (use ``filter_var($email, FILTER_VALIDATE_EMAIL)`` instead) - ``send_email()`` (use ``mail()`` instead) + +- The entire *Smiley Helper* (an archived version is available on GitHub: `bcit-ci/ci3-smiley-helper `_) From 9be93ba78585e8256e25b3c4f43eed500d49d8e2 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Mon, 12 Dec 2016 15:27:13 +0200 Subject: [PATCH 3039/3829] Remove previously deprecated Cart Library --- system/libraries/Cart.php | 567 ------------------ tests/mocks/autoloader.php | 1 - user_guide_src/source/changelog.rst | 23 +- .../source/installation/upgrade_300.rst | 10 +- .../source/installation/upgrade_320.rst | 1 + user_guide_src/source/libraries/cart.rst | 398 ------------ 6 files changed, 17 insertions(+), 983 deletions(-) delete mode 100644 system/libraries/Cart.php delete mode 100644 user_guide_src/source/libraries/cart.rst diff --git a/system/libraries/Cart.php b/system/libraries/Cart.php deleted file mode 100644 index 44d87e0bf66..00000000000 --- a/system/libraries/Cart.php +++ /dev/null @@ -1,567 +0,0 @@ -CI =& get_instance(); - - // Are any config settings being passed manually? If so, set them - $config = is_array($params) ? $params : array(); - - // Load the Sessions class - $this->CI->load->driver('session', $config); - - // Grab the shopping cart array from the session table - $this->_cart_contents = $this->CI->session->userdata('cart_contents'); - if ($this->_cart_contents === NULL) - { - // No cart exists so we'll set some base values - $this->_cart_contents = array('cart_total' => 0, 'total_items' => 0); - } - - log_message('info', 'Cart Class Initialized'); - } - - // -------------------------------------------------------------------- - - /** - * Insert items into the cart and save it to the session table - * - * @param array - * @return bool - */ - public function insert($items = array()) - { - // Was any cart data passed? No? Bah... - if ( ! is_array($items) OR count($items) === 0) - { - log_message('error', 'The insert method must be passed an array containing data.'); - return FALSE; - } - - // You can either insert a single product using a one-dimensional array, - // or multiple products using a multi-dimensional one. The way we - // determine the array type is by looking for a required array key named "id" - // at the top level. If it's not found, we will assume it's a multi-dimensional array. - - $save_cart = FALSE; - if (isset($items['id'])) - { - if (($rowid = $this->_insert($items))) - { - $save_cart = TRUE; - } - } - else - { - foreach ($items as $val) - { - if (is_array($val) && isset($val['id'])) - { - if ($this->_insert($val)) - { - $save_cart = TRUE; - } - } - } - } - - // Save the cart data if the insert was successful - if ($save_cart === TRUE) - { - $this->_save_cart(); - return isset($rowid) ? $rowid : TRUE; - } - - return FALSE; - } - - // -------------------------------------------------------------------- - - /** - * Insert - * - * @param array - * @return bool - */ - protected function _insert($items = array()) - { - // Was any cart data passed? No? Bah... - if ( ! is_array($items) OR count($items) === 0) - { - log_message('error', 'The insert method must be passed an array containing data.'); - return FALSE; - } - - // -------------------------------------------------------------------- - - // Does the $items array contain an id, quantity, price, and name? These are required - if ( ! isset($items['id'], $items['qty'], $items['price'], $items['name'])) - { - log_message('error', 'The cart array must contain a product ID, quantity, price, and name.'); - return FALSE; - } - - // -------------------------------------------------------------------- - - // Prep the quantity. It can only be a number. Duh... also trim any leading zeros - $items['qty'] = (float) $items['qty']; - - // If the quantity is zero or blank there's nothing for us to do - if ($items['qty'] == 0) - { - return FALSE; - } - - // -------------------------------------------------------------------- - - // Validate the product ID. It can only be alpha-numeric, dashes, underscores or periods - // Not totally sure we should impose this rule, but it seems prudent to standardize IDs. - // Note: These can be user-specified by setting the $this->product_id_rules variable. - if ( ! preg_match('/^['.$this->product_id_rules.']+$/i', $items['id'])) - { - log_message('error', 'Invalid product ID. The product ID can only contain alpha-numeric characters, dashes, and underscores'); - return FALSE; - } - - // -------------------------------------------------------------------- - - // Validate the product name. It can only be alpha-numeric, dashes, underscores, colons or periods. - // Note: These can be user-specified by setting the $this->product_name_rules variable. - if ($this->product_name_safe && ! preg_match('/^['.$this->product_name_rules.']+$/i'.(UTF8_ENABLED ? 'u' : ''), $items['name'])) - { - log_message('error', 'An invalid name was submitted as the product name: '.$items['name'].' The name can only contain alpha-numeric characters, dashes, underscores, colons, and spaces'); - return FALSE; - } - - // -------------------------------------------------------------------- - - // Prep the price. Remove leading zeros and anything that isn't a number or decimal point. - $items['price'] = (float) $items['price']; - - // We now need to create a unique identifier for the item being inserted into the cart. - // Every time something is added to the cart it is stored in the master cart array. - // Each row in the cart array, however, must have a unique index that identifies not only - // a particular product, but makes it possible to store identical products with different options. - // For example, what if someone buys two identical t-shirts (same product ID), but in - // different sizes? The product ID (and other attributes, like the name) will be identical for - // both sizes because it's the same shirt. The only difference will be the size. - // Internally, we need to treat identical submissions, but with different options, as a unique product. - // Our solution is to convert the options array to a string and MD5 it along with the product ID. - // This becomes the unique "row ID" - if (isset($items['options']) && count($items['options']) > 0) - { - $rowid = md5($items['id'].serialize($items['options'])); - } - else - { - // No options were submitted so we simply MD5 the product ID. - // Technically, we don't need to MD5 the ID in this case, but it makes - // sense to standardize the format of array indexes for both conditions - $rowid = md5($items['id']); - } - - // -------------------------------------------------------------------- - - // Now that we have our unique "row ID", we'll add our cart items to the master array - // grab quantity if it's already there and add it on - $old_quantity = isset($this->_cart_contents[$rowid]['qty']) ? (int) $this->_cart_contents[$rowid]['qty'] : 0; - - // Re-create the entry, just to make sure our index contains only the data from this submission - $items['rowid'] = $rowid; - $items['qty'] += $old_quantity; - $this->_cart_contents[$rowid] = $items; - - return $rowid; - } - - // -------------------------------------------------------------------- - - /** - * Update the cart - * - * This function permits the quantity of a given item to be changed. - * Typically it is called from the "view cart" page if a user makes - * changes to the quantity before checkout. That array must contain the - * product ID and quantity for each item. - * - * @param array - * @return bool - */ - public function update($items = array()) - { - // Was any cart data passed? - if ( ! is_array($items) OR count($items) === 0) - { - return FALSE; - } - - // You can either update a single product using a one-dimensional array, - // or multiple products using a multi-dimensional one. The way we - // determine the array type is by looking for a required array key named "rowid". - // If it's not found we assume it's a multi-dimensional array - $save_cart = FALSE; - if (isset($items['rowid'])) - { - if ($this->_update($items) === TRUE) - { - $save_cart = TRUE; - } - } - else - { - foreach ($items as $val) - { - if (is_array($val) && isset($val['rowid'])) - { - if ($this->_update($val) === TRUE) - { - $save_cart = TRUE; - } - } - } - } - - // Save the cart data if the insert was successful - if ($save_cart === TRUE) - { - $this->_save_cart(); - return TRUE; - } - - return FALSE; - } - - // -------------------------------------------------------------------- - - /** - * Update the cart - * - * This function permits changing item properties. - * Typically it is called from the "view cart" page if a user makes - * changes to the quantity before checkout. That array must contain the - * rowid and quantity for each item. - * - * @param array - * @return bool - */ - protected function _update($items = array()) - { - // Without these array indexes there is nothing we can do - if ( ! isset($items['rowid'], $this->_cart_contents[$items['rowid']])) - { - return FALSE; - } - - // Prep the quantity - if (isset($items['qty'])) - { - $items['qty'] = (float) $items['qty']; - // Is the quantity zero? If so we will remove the item from the cart. - // If the quantity is greater than zero we are updating - if ($items['qty'] == 0) - { - unset($this->_cart_contents[$items['rowid']]); - return TRUE; - } - } - - // find updatable keys - $keys = array_intersect(array_keys($this->_cart_contents[$items['rowid']]), array_keys($items)); - // if a price was passed, make sure it contains valid data - if (isset($items['price'])) - { - $items['price'] = (float) $items['price']; - } - - // product id & name shouldn't be changed - foreach (array_diff($keys, array('id', 'name')) as $key) - { - $this->_cart_contents[$items['rowid']][$key] = $items[$key]; - } - - return TRUE; - } - - // -------------------------------------------------------------------- - - /** - * Save the cart array to the session DB - * - * @return bool - */ - protected function _save_cart() - { - // Let's add up the individual prices and set the cart sub-total - $this->_cart_contents['total_items'] = $this->_cart_contents['cart_total'] = 0; - foreach ($this->_cart_contents as $key => $val) - { - // We make sure the array contains the proper indexes - if ( ! is_array($val) OR ! isset($val['price'], $val['qty'])) - { - continue; - } - - $this->_cart_contents['cart_total'] += ($val['price'] * $val['qty']); - $this->_cart_contents['total_items'] += $val['qty']; - $this->_cart_contents[$key]['subtotal'] = ($this->_cart_contents[$key]['price'] * $this->_cart_contents[$key]['qty']); - } - - // Is our cart empty? If so we delete it from the session - if (count($this->_cart_contents) <= 2) - { - $this->CI->session->unset_userdata('cart_contents'); - - // Nothing more to do... coffee time! - return FALSE; - } - - // If we made it this far it means that our cart has data. - // Let's pass it to the Session class so it can be stored - $this->CI->session->set_userdata(array('cart_contents' => $this->_cart_contents)); - - // Woot! - return TRUE; - } - - // -------------------------------------------------------------------- - - /** - * Cart Total - * - * @return int - */ - public function total() - { - return $this->_cart_contents['cart_total']; - } - - // -------------------------------------------------------------------- - - /** - * Remove Item - * - * Removes an item from the cart - * - * @param int - * @return bool - */ - public function remove($rowid) - { - // unset & save - unset($this->_cart_contents[$rowid]); - $this->_save_cart(); - return TRUE; - } - - // -------------------------------------------------------------------- - - /** - * Total Items - * - * Returns the total item count - * - * @return int - */ - public function total_items() - { - return $this->_cart_contents['total_items']; - } - - // -------------------------------------------------------------------- - - /** - * Cart Contents - * - * Returns the entire cart array - * - * @param bool - * @return array - */ - public function contents($newest_first = FALSE) - { - // do we want the newest first? - $cart = ($newest_first) ? array_reverse($this->_cart_contents) : $this->_cart_contents; - - // Remove these so they don't create a problem when showing the cart table - unset($cart['total_items']); - unset($cart['cart_total']); - - return $cart; - } - - // -------------------------------------------------------------------- - - /** - * Get cart item - * - * Returns the details of a specific item in the cart - * - * @param string $row_id - * @return array - */ - public function get_item($row_id) - { - return (in_array($row_id, array('total_items', 'cart_total'), TRUE) OR ! isset($this->_cart_contents[$row_id])) - ? FALSE - : $this->_cart_contents[$row_id]; - } - - // -------------------------------------------------------------------- - - /** - * Has options - * - * Returns TRUE if the rowid passed to this function correlates to an item - * that has options associated with it. - * - * @param string $row_id = '' - * @return bool - */ - public function has_options($row_id = '') - { - return (isset($this->_cart_contents[$row_id]['options']) && count($this->_cart_contents[$row_id]['options']) !== 0); - } - - // -------------------------------------------------------------------- - - /** - * Product options - * - * Returns the an array of options, for a particular product row ID - * - * @param string $row_id = '' - * @return array - */ - public function product_options($row_id = '') - { - return isset($this->_cart_contents[$row_id]['options']) ? $this->_cart_contents[$row_id]['options'] : array(); - } - - // -------------------------------------------------------------------- - - /** - * Format Number - * - * Returns the supplied number with commas and a decimal point. - * - * @param float - * @return string - */ - public function format_number($n = '') - { - return ($n === '') ? '' : number_format( (float) $n, 2, '.', ','); - } - - // -------------------------------------------------------------------- - - /** - * Destroy the cart - * - * Empties the cart and kills the session - * - * @return void - */ - public function destroy() - { - $this->_cart_contents = array('cart_total' => 0, 'total_items' => 0); - $this->CI->session->unset_userdata('cart_contents'); - } - -} diff --git a/tests/mocks/autoloader.php b/tests/mocks/autoloader.php index 11825de2c90..a912327ca5a 100644 --- a/tests/mocks/autoloader.php +++ b/tests/mocks/autoloader.php @@ -33,7 +33,6 @@ function autoload($class) $ci_libraries = array( 'Calendar', - 'Cart', 'Driver_Library', 'Email', 'Encrypt', diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 4d0b4cf4dd3..6a0b827aeb0 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -22,6 +22,7 @@ Release Date: Not Released - Removed previously deprecated :doc:`Form Helper ` function ``form_prep()`` (use :php:func:`html_escape()` instead). - Removed previously deprecated *Email Helper* (had only two functions, aliases for PHP's native ``filter_var()`` and ``mail()``). - Removed previously deprecated *Smiley Helper*. + - Removed previously deprecated *Cart Library*. - Removed previously deprecated *Javascript Library* (it was always experimental in the first place). - Libraries @@ -773,7 +774,7 @@ Release Date: March 30, 2015 - Added support for templating via an array in addition to the encoded string. - Changed method ``get_total_days()`` to be an alias for :doc:`Date Helper ` :php:func:`days_in_month()`. - - :doc:`Cart Library ` changes include: + - *Cart Library* changes include: - Deprecated the library as too specific for CodeIgniter. - Added method ``remove()`` to remove a cart item, updating with quantity of 0 seemed like a hack but has remained to retain compatibility. @@ -1042,7 +1043,7 @@ Bug fixes for 3.0 - Fixed a bug where :doc:`Database Forge ` method ``create_table()`` with PostgreSQL database could lead to fetching the whole table. - Fixed a bug (#795) - :doc:`Form Helper ` :php:func:`form_open()` didn't add the default form *method* and *accept-charset* when an empty array is passed to it. - Fixed a bug (#797) - :doc:`Date Helper ` :php:func:`timespan()` was using incorrect seconds for year and month. -- Fixed a bug in :doc:`Cart Library ` method ``contents()`` where if called without a TRUE (or equal) parameter, it would fail due to a typo. +- Fixed a bug in *Cart Library* method ``contents()`` where if called without a TRUE (or equal) parameter, it would fail due to a typo. - Fixed a bug (#406) - SQLSRV DB driver not returning resource on ``db_pconnect()``. - Fixed a bug in :doc:`Image Manipulation Library ` method ``gd_loaded()`` where it was possible for the script execution to end or a PHP E_WARNING message to be emitted. - Fixed a bug in the :doc:`Pagination library ` where when use_page_numbers=TRUE previous link and page 1 link did not have the same url. @@ -1179,7 +1180,7 @@ Bug fixes for 3.0 - Fixed a bug (#2298) - :doc:`Database Results ` method ``next_row()`` kept returning the last row, allowing for infinite loops. - Fixed a bug (#2236, #2639) - :doc:`Form Helper ` functions :php:func:`set_value()`, :php:func:`set_select()`, :php:func:`set_radio()`, :php:func:`set_checkbox()` didn't parse array notation for keys if the rule was not present in the :doc:`Form Validation Library `. - Fixed a bug (#2353) - :doc:`Query Builder ` erroneously prefixed literal strings with **dbprefix**. -- Fixed a bug (#78) - :doc:`Cart Library ` didn't allow non-English letters in product names. +- Fixed a bug (#78) - *Cart Library* didn't allow non-English letters in product names. - Fixed a bug (#77) - :doc:`Database Class ` didn't properly handle the transaction "test mode" flag. - Fixed a bug (#2380) - :doc:`URI Routing ` method ``fetch_method()`` returned 'index' if the requested method name matches its controller name. - Fixed a bug (#2388) - :doc:`Email Library ` used to ignore attachment errors, resulting in broken emails being sent. @@ -1414,9 +1415,8 @@ Release Date: November 14, 2011 - Libraries - - Changed ``$this->cart->insert()`` in the :doc:`Cart - Library ` to return the Row ID if a single - item was inserted successfully. + - Changed ``$this->cart->insert()`` in the *Cart Library* + to return the Row ID if a single item was inserted successfully. - Added support to set an optional parameter in your callback rules of validation using the :doc:`Form Validation Library `. @@ -1524,9 +1524,8 @@ Release Date: August 20, 2011 string. See upgrade notes if using database sessions. - Added $this->db->set_dbprefix() to the :doc:`Database Driver `. - - Changed $this->cart->insert() in the :doc:`Cart - Library ` to return the Row ID if a single - item was inserted successfully. + - Changed ``$this->cart->insert()`` in the *Cart Library* + to return the Row ID if a single item was inserted successfully. - Added $this->load->get_var() to the :doc:`Loader library ` to retrieve global vars set with $this->load->view() and $this->load->vars(). @@ -1551,8 +1550,8 @@ Bug fixes for 2.0.3 properly escaped. - Fixed issue #199 - Attributes passed as string does not include a space between it and the opening tag. -- Fixed a bug where the method $this->cart->total_items() from :doc:`Cart - Library ` now returns the sum of the quantity +- Fixed a bug where the method ``$this->cart->total_items()`` from + *Cart Library* now returns the sum of the quantity of all items in the cart instead of your total count. - Fixed a bug where not setting 'null' when adding fields in db_forge for mysql and mysqli drivers would default to NULL instead of NOT @@ -1971,7 +1970,7 @@ Hg Tag: v1.7.2 - Libraries - - Added a new :doc:`Cart Class `. + - Added a new *Cart Class*. - Added the ability to pass $config['file_name'] for the :doc:`File Uploading Class ` and rename the uploaded file. diff --git a/user_guide_src/source/installation/upgrade_300.rst b/user_guide_src/source/installation/upgrade_300.rst index 54f635cc07c..7b90826790a 100644 --- a/user_guide_src/source/installation/upgrade_300.rst +++ b/user_guide_src/source/installation/upgrade_300.rst @@ -559,12 +559,12 @@ implemented cryptographic functions. The Cart library ================ -The :doc:`Cart Library <../libraries/cart>`, similarly to the *Smiley Helper* -is too specific for CodeIgniter. It is now deprecated and scheduled for -removal in CodeIgniter 3.1+. +The *Cart Library*, similarly to the *Smiley Helper* is too specific for +CodeIgniter. It is now deprecated and scheduled for removal in +CodeIgniter 3.1+. -.. note:: The library is still available, but you're strongly encouraged to remove its usage sooner - rather than later. +.. note:: The library is still available, but you're strongly encouraged to + remove its usage sooner rather than later. Database drivers 'mysql', 'sqlite', 'mssql', 'pdo/dblib' ======================================================== diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 597e1ecf259..b587470f262 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -147,6 +147,7 @@ version 3.0.x, that have been removed in 3.2.0: - ``read_file()`` :doc:`File Helper <../helpers/file_helper>` function (use ``file_get_contents()`` instead) - ``form_prep()`` :doc:`Form Helper <../helpers/form_helper>` function (use :php:func:`html_escape()` instead) +- The entire *Cart Library* (an archived version is available on GitHub: `bcit-ci/ci3-cart-library `_) - The entire *Javascript Library* (it was always experimental in the first place) - The entire *Email Helper*, which only had two functions: diff --git a/user_guide_src/source/libraries/cart.rst b/user_guide_src/source/libraries/cart.rst deleted file mode 100644 index be343320db8..00000000000 --- a/user_guide_src/source/libraries/cart.rst +++ /dev/null @@ -1,398 +0,0 @@ -################### -Shopping Cart Class -################### - -The Cart Class permits items to be added to a session that stays active -while a user is browsing your site. These items can be retrieved and -displayed in a standard "shopping cart" format, allowing the user to -update the quantity or remove items from the cart. - -.. important:: The Cart library is DEPRECATED and should not be used. - It is currently only kept for backwards compatibility. - -Please note that the Cart Class ONLY provides the core "cart" -functionality. It does not provide shipping, credit card authorization, -or other processing components. - -.. contents:: - :local: - -.. raw:: html - -
      - -******************** -Using the Cart Class -******************** - -Initializing the Shopping Cart Class -==================================== - -.. important:: The Cart class utilizes CodeIgniter's :doc:`Session - Class ` to save the cart information to a database, so - before using the Cart class you must set up a database table as - indicated in the :doc:`Session Documentation `, and set the - session preferences in your application/config/config.php file to - utilize a database. - -To initialize the Shopping Cart Class in your controller constructor, -use the ``$this->load->library()`` method:: - - $this->load->library('cart'); - -Once loaded, the Cart object will be available using:: - - $this->cart - -.. note:: The Cart Class will load and initialize the Session Class - automatically, so unless you are using sessions elsewhere in your - application, you do not need to load the Session class. - -Adding an Item to The Cart -========================== - -To add an item to the shopping cart, simply pass an array with the -product information to the ``$this->cart->insert()`` method, as shown -below:: - - $data = array( - 'id' => 'sku_123ABC', - 'qty' => 1, - 'price' => 39.95, - 'name' => 'T-Shirt', - 'options' => array('Size' => 'L', 'Color' => 'Red') - ); - - $this->cart->insert($data); - -.. important:: The first four array indexes above (id, qty, price, and - name) are **required**. If you omit any of them the data will not be - saved to the cart. The fifth index (options) is optional. It is intended - to be used in cases where your product has options associated with it. - Use an array for options, as shown above. - -The five reserved indexes are: - -- **id** - Each product in your store must have a unique identifier. - Typically this will be an "sku" or other such identifier. -- **qty** - The quantity being purchased. -- **price** - The price of the item. -- **name** - The name of the item. -- **options** - Any additional attributes that are needed to identify - the product. These must be passed via an array. - -In addition to the five indexes above, there are two reserved words: -rowid and subtotal. These are used internally by the Cart class, so -please do NOT use those words as index names when inserting data into -the cart. - -Your array may contain additional data. Anything you include in your -array will be stored in the session. However, it is best to standardize -your data among all your products in order to make displaying the -information in a table easier. - -:: - - $data = array( - 'id' => 'sku_123ABC', - 'qty' => 1, - 'price' => 39.95, - 'name' => 'T-Shirt', - 'coupon' => 'XMAS-50OFF' - ); - - $this->cart->insert($data); - -The ``insert()`` method will return the $rowid if you successfully insert a -single item. - -Adding Multiple Items to The Cart -================================= - -By using a multi-dimensional array, as shown below, it is possible to -add multiple products to the cart in one action. This is useful in cases -where you wish to allow people to select from among several items on the -same page. - -:: - - $data = array( - array( - 'id' => 'sku_123ABC', - 'qty' => 1, - 'price' => 39.95, - 'name' => 'T-Shirt', - 'options' => array('Size' => 'L', 'Color' => 'Red') - ), - array( - 'id' => 'sku_567ZYX', - 'qty' => 1, - 'price' => 9.95, - 'name' => 'Coffee Mug' - ), - array( - 'id' => 'sku_965QRS', - 'qty' => 1, - 'price' => 29.95, - 'name' => 'Shot Glass' - ) - ); - - $this->cart->insert($data); - -Displaying the Cart -=================== - -To display the cart you will create a :doc:`view -file
      ` with code similar to the one shown below. - -Please note that this example uses the :doc:`form -helper
      `. - -:: - - - - - - - - - - - - - - - cart->contents() as $items): ?> - - - - - - - - - - - - - - - - - - - - -
      QTYItem DescriptionItem PriceSub-Total
      $i.'[qty]', 'value' => $items['qty'], 'maxlength' => '3', 'size' => '5')); ?> - - - cart->has_options($items['rowid']) == TRUE): ?> - -

      - cart->product_options($items['rowid']) as $option_name => $option_value): ?> - - :
      - - -

      - - - -
      cart->format_number($items['price']); ?>$cart->format_number($items['subtotal']); ?>
       Total$cart->format_number($this->cart->total()); ?>
      - -

      - -Updating The Cart -================= - -To update the information in your cart, you must pass an array -containing the Row ID and one or more pre-defined properties to the -``$this->cart->update()`` method. - -.. note:: If the quantity is set to zero, the item will be removed from - the cart. - -:: - - $data = array( - 'rowid' => 'b99ccdf16028f015540f341130b6d8ec', - 'qty' => 3 - ); - - $this->cart->update($data); - - // Or a multi-dimensional array - - $data = array( - array( - 'rowid' => 'b99ccdf16028f015540f341130b6d8ec', - 'qty' => 3 - ), - array( - 'rowid' => 'xw82g9q3r495893iajdh473990rikw23', - 'qty' => 4 - ), - array( - 'rowid' => 'fh4kdkkkaoe30njgoe92rkdkkobec333', - 'qty' => 2 - ) - ); - - $this->cart->update($data); - -You may also update any property you have previously defined when -inserting the item such as options, price or other custom fields. - -:: - - $data = array( - 'rowid' => 'b99ccdf16028f015540f341130b6d8ec', - 'qty' => 1, - 'price' => 49.95, - 'coupon' => NULL - ); - - $this->cart->update($data); - -What is a Row ID? -***************** - -The row ID is a unique identifier that is generated by the cart code -when an item is added to the cart. The reason a unique ID is created -is so that identical products with different options can be managed -by the cart. - -For example, let's say someone buys two identical t-shirts (same product -ID), but in different sizes. The product ID (and other attributes) will -be identical for both sizes because it's the same shirt. The only -difference will be the size. The cart must therefore have a means of -identifying this difference so that the two sizes of shirts can be -managed independently. It does so by creating a unique "row ID" based on -the product ID and any options associated with it. - -In nearly all cases, updating the cart will be something the user does -via the "view cart" page, so as a developer, it is unlikely that you -will ever have to concern yourself with the "row ID", other than making -sure your "view cart" page contains this information in a hidden form -field, and making sure it gets passed to the ``update()`` method when -the update form is submitted. Please examine the construction of the -"view cart" page above for more information. - - -*************** -Class Reference -*************** - -.. php:class:: CI_Cart - - .. attribute:: $product_id_rules = '\.a-z0-9_-' - - These are the regular expression rules that we use to validate the product - ID - alpha-numeric, dashes, underscores, or periods by default - - .. attribute:: $product_name_rules = '\w \-\.\:' - - These are the regular expression rules that we use to validate the product ID and product name - alpha-numeric, dashes, underscores, colons or periods by - default - - .. attribute:: $product_name_safe = TRUE - - Whether or not to only allow safe product names. Default TRUE. - - - .. php:method:: insert([$items = array()]) - - :param array $items: Items to insert into the cart - :returns: TRUE on success, FALSE on failure - :rtype: bool - - Insert items into the cart and save it to the session table. Returns TRUE - on success and FALSE on failure. - - - .. php:method:: update([$items = array()]) - - :param array $items: Items to update in the cart - :returns: TRUE on success, FALSE on failure - :rtype: bool - - This method permits changing the properties of a given item. - Typically it is called from the "view cart" page if a user makes changes - to the quantity before checkout. That array must contain the rowid - for each item. - - .. php:method:: remove($rowid) - - :param int $rowid: ID of the item to remove from the cart - :returns: TRUE on success, FALSE on failure - :rtype: bool - - Allows you to remove an item from the shopping cart by passing it the - ``$rowid``. - - .. php:method:: total() - - :returns: Total amount - :rtype: int - - Displays the total amount in the cart. - - - .. php:method:: total_items() - - :returns: Total amount of items in the cart - :rtype: int - - Displays the total number of items in the cart. - - - .. php:method:: contents([$newest_first = FALSE]) - - :param bool $newest_first: Whether to order the array with newest items first - :returns: An array of cart contents - :rtype: array - - Returns an array containing everything in the cart. You can sort the - order by which the array is returned by passing it TRUE where the contents - will be sorted from newest to oldest, otherwise it is sorted from oldest - to newest. - - .. php:method:: get_item($row_id) - - :param int $row_id: Row ID to retrieve - :returns: Array of item data - :rtype: array - - Returns an array containing data for the item matching the specified row - ID, or FALSE if no such item exists. - - .. php:method:: has_options($row_id = '') - - :param int $row_id: Row ID to inspect - :returns: TRUE if options exist, FALSE otherwise - :rtype: bool - - Returns TRUE (boolean) if a particular row in the cart contains options. - This method is designed to be used in a loop with ``contents()``, since - you must pass the rowid to this method, as shown in the Displaying - the Cart example above. - - .. php:method:: product_options([$row_id = '']) - - :param int $row_id: Row ID - :returns: Array of product options - :rtype: array - - Returns an array of options for a particular product. This method is - designed to be used in a loop with ``contents()``, since you - must pass the rowid to this method, as shown in the Displaying the - Cart example above. - - .. php:method:: destroy() - - :rtype: void - - Permits you to destroy the cart. This method will likely be called - when you are finished processing the customer's order. \ No newline at end of file From 56d1efc5b14d7bd5a92800ba9394bf9201d48b61 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 12:32:32 +0200 Subject: [PATCH 3040/3829] Move 'standardize_newlines' proc out of CI_Input::_clean_input_data() Preparation for CI_Input::_sanitize_globals() removal. Also, WTF?! I'm deprecating this functionality in 3.1.next. --- system/core/Input.php | 24 +++++++----------------- 1 file changed, 7 insertions(+), 17 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index 2e38e450182..ec57cd44819 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -66,15 +66,6 @@ class CI_Input { */ protected $_allow_get_array = TRUE; - /** - * Standardize new lines flag - * - * If set to TRUE, then newlines are standardized. - * - * @var bool - */ - protected $_standardize_newlines; - /** * Enable XSS flag * @@ -140,7 +131,6 @@ public function __construct() $this->_allow_get_array = (config_item('allow_get_array') === TRUE); $this->_enable_xss = (config_item('global_xss_filtering') === TRUE); $this->_enable_csrf = (config_item('csrf_protection') === TRUE); - $this->_standardize_newlines = (bool) config_item('standardize_newlines'); $this->security =& load_class('Security', 'core'); @@ -159,6 +149,13 @@ public function __construct() $this->security->csrf_verify(); } + if ( ! empty($_POST) && config_item('standardize_newlines') === TRUE) + { + array_walk_recursive($_POST, function(&$value) { + $value = preg_replace('/(?:\r\n|[\r\n])/', PHP_EOL, $value); + }); + } + log_message('info', 'Input Class Initialized'); } @@ -595,7 +592,6 @@ public function user_agent($xss_clean = NULL) * * - Unsets $_GET data, if query strings are not enabled * - Cleans POST, COOKIE and SERVER data - * - Standardizes newline characters to PHP_EOL * * @return void */ @@ -698,12 +694,6 @@ protected function _clean_input_data($str) // Remove control characters $str = remove_invisible_characters($str, FALSE); - // Standardize newlines if needed - if ($this->_standardize_newlines === TRUE) - { - return preg_replace('/(?:\r\n|[\r\n])/', PHP_EOL, $str); - } - return $str; } From 25aab832ff5b064166b5af4f5c4269407c56b338 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 13:04:40 +0200 Subject: [PATCH 3041/3829] [ci skip] Deprecate 'allow_get_array', 'standardize_newlines' --- application/config/config.php | 22 ++++++++++++++----- user_guide_src/source/changelog.rst | 2 ++ .../source/installation/upgrade_313.rst | 14 ++++++++++++ 3 files changed, 32 insertions(+), 6 deletions(-) diff --git a/application/config/config.php b/application/config/config.php index 23ef5a528c7..10315220e04 100644 --- a/application/config/config.php +++ b/application/config/config.php @@ -168,9 +168,6 @@ | By default CodeIgniter uses search-engine friendly segment based URLs: | example.com/who/what/where/ | -| By default CodeIgniter enables access to the $_GET array. If for some -| reason you would like to disable it, set 'allow_get_array' to FALSE. -| | You can optionally enable standard query string based URLs: | example.com?who=me&what=something&where=here | @@ -185,12 +182,25 @@ | use segment based URLs. | */ -$config['allow_get_array'] = TRUE; $config['enable_query_strings'] = FALSE; $config['controller_trigger'] = 'c'; $config['function_trigger'] = 'm'; $config['directory_trigger'] = 'd'; +/* +|-------------------------------------------------------------------------- +| Allow $_GET array +|-------------------------------------------------------------------------- +| +| By default CodeIgniter enables access to the $_GET array. If for some +| reason you would like to disable it, set 'allow_get_array' to FALSE. +| +| WARNING: This feature is DEPRECATED and currently available only +| for backwards compatibility purposes! +| +*/ +$config['allow_get_array'] = TRUE; + /* |-------------------------------------------------------------------------- | Error Logging Threshold @@ -404,8 +414,8 @@ | Determines whether to standardize newline characters in input data, | meaning to replace \r\n, \r, \n occurrences with the PHP_EOL value. | -| This is particularly useful for portability between UNIX-based OSes, -| (usually \n) and Windows (\r\n). +| WARNING: This feature is DEPRECATED and currently available only +| for backwards compatibility purposes! | */ $config['standardize_newlines'] = FALSE; diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 93aabebda52..25a30144052 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -9,6 +9,8 @@ Release Date: Not Released - General Changes + - Deprecated ``$config['allow_get_array']``. + - Deprecated ``$config['standardize_newlines']``. - Deprecated :doc:`Date Helper ` function :php:func:`nice_date()`. Bug fixes for 3.1.3 diff --git a/user_guide_src/source/installation/upgrade_313.rst b/user_guide_src/source/installation/upgrade_313.rst index ebce7ab9b10..76dd159e685 100644 --- a/user_guide_src/source/installation/upgrade_313.rst +++ b/user_guide_src/source/installation/upgrade_313.rst @@ -30,3 +30,17 @@ CodeIgniter 3.2+. .. note:: The function is still available, but you're strongly encouraged to remove its usage sooner rather than later. + +Step 3: Remove usage of $config['standardize_newlines'] +======================================================= + +The :doc:`Input Library <../libraries/input>` would optionally replace +occurences of `\r\n`, `\r`, `\n` in input data with whatever the ``PHP_EOL`` +value is on your system - if you've set ``$config['standardize_newlines']`` +to ``TRUE`` in your *application/config/config.php*. + +This functionality is now deprecated and scheduled for removal in +CodeIgniter 3.2.+. + +.. note:: The functionality is still available, but you're strongly + encouraged to remove its usage sooner rather than later. From 6e2e9e937f9b973e677a8dacae45eccdadc306f0 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 13:05:48 +0200 Subject: [PATCH 3042/3829] [ci skip] Fix a changelog entry typo --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 25a30144052..d7977f4ce21 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -43,7 +43,7 @@ Release Date: Oct 28, 2016 - General Changes - - Allowed PHP 4-style constructors (``Mathching_name::Matching_name()`` methods) to be used as routes, if there's a ``__construct()`` to override them. + - Allowed PHP 4-style constructors (``Matching_name::Matching_name()`` methods) to be used as routes, if there's a ``__construct()`` to override them. Bug fixes for 3.1.2 ------------------- From aecb9ff2b3dfb6e66f1e229fa5f6b7f7275fcd40 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 13:05:48 +0200 Subject: [PATCH 3043/3829] [ci skip] Fix a changelog entry typo --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 6adb5073a71..7e2d4a9caac 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -107,7 +107,7 @@ Release Date: Oct 28, 2016 - General Changes - - Allowed PHP 4-style constructors (``Mathching_name::Matching_name()`` methods) to be used as routes, if there's a ``__construct()`` to override them. + - Allowed PHP 4-style constructors (``Matching_name::Matching_name()`` methods) to be used as routes, if there's a ``__construct()`` to override them. Bug fixes for 3.1.2 ------------------- From 8e37b8560c75d3994e59f401be977dcf386bb210 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 13:13:05 +0200 Subject: [PATCH 3044/3829] Remove 'allow_get_array', 'standardize_newlines' config settings --- application/config/config.php | 28 ------------------- system/core/Input.php | 23 +-------------- user_guide_src/source/changelog.rst | 2 ++ .../source/installation/upgrade_320.rst | 7 +++-- user_guide_src/source/libraries/input.rst | 4 --- 5 files changed, 8 insertions(+), 56 deletions(-) diff --git a/application/config/config.php b/application/config/config.php index c088e80c05e..535f0f817f2 100644 --- a/application/config/config.php +++ b/application/config/config.php @@ -191,20 +191,6 @@ $config['function_trigger'] = 'm'; $config['directory_trigger'] = 'd'; -/* -|-------------------------------------------------------------------------- -| Allow $_GET array -|-------------------------------------------------------------------------- -| -| By default CodeIgniter enables access to the $_GET array. If for some -| reason you would like to disable it, set 'allow_get_array' to FALSE. -| -| WARNING: This feature is DEPRECATED and currently available only -| for backwards compatibility purposes! -| -*/ -$config['allow_get_array'] = TRUE; - /* |-------------------------------------------------------------------------- | Error Logging Threshold @@ -410,20 +396,6 @@ $config['cookie_secure'] = FALSE; $config['cookie_httponly'] = FALSE; -/* -|-------------------------------------------------------------------------- -| Standardize newlines -|-------------------------------------------------------------------------- -| -| Determines whether to standardize newline characters in input data, -| meaning to replace \r\n, \r, \n occurrences with the PHP_EOL value. -| -| WARNING: This feature is DEPRECATED and currently available only -| for backwards compatibility purposes! -| -*/ -$config['standardize_newlines'] = FALSE; - /* |-------------------------------------------------------------------------- | Global XSS Filtering diff --git a/system/core/Input.php b/system/core/Input.php index ec57cd44819..a6be7b51796 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -57,15 +57,6 @@ class CI_Input { */ protected $ip_address = FALSE; - /** - * Allow GET array flag - * - * If set to FALSE, then $_GET will be set to an empty array. - * - * @var bool - */ - protected $_allow_get_array = TRUE; - /** * Enable XSS flag * @@ -128,7 +119,6 @@ class CI_Input { */ public function __construct() { - $this->_allow_get_array = (config_item('allow_get_array') === TRUE); $this->_enable_xss = (config_item('global_xss_filtering') === TRUE); $this->_enable_csrf = (config_item('csrf_protection') === TRUE); @@ -149,13 +139,6 @@ public function __construct() $this->security->csrf_verify(); } - if ( ! empty($_POST) && config_item('standardize_newlines') === TRUE) - { - array_walk_recursive($_POST, function(&$value) { - $value = preg_replace('/(?:\r\n|[\r\n])/', PHP_EOL, $value); - }); - } - log_message('info', 'Input Class Initialized'); } @@ -598,11 +581,7 @@ public function user_agent($xss_clean = NULL) protected function _sanitize_globals() { // Is $_GET data allowed? If not we'll set the $_GET to an empty array - if ($this->_allow_get_array === FALSE) - { - $_GET = array(); - } - elseif (is_array($_GET)) + if (is_array($_GET)) { foreach ($_GET as $key => $val) { diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 7e2d4a9caac..a0f91a14853 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -10,6 +10,8 @@ Release Date: Not Released - Core - Changed :doc:`URI Library ` to ignore the ``$config['url_suffix']``, ``$config['permitted_uri_chars']`` configuration settings for CLI requests. + - Removed previously deprecated ``$config['allow_get_array']``. + - Removed previously deprecated ``$config['standardize_newlines']``. - Removed previously deprecated :doc:`Input Library ` method ``is_cli_request()`` (use :php:func:`is_cli()` instead). - Removed previously deprecated :doc:`Routing Class ` methods ``fetch_directory()``, ``fetch_class()`` and ``fetch_method()`` (use the respective class properties instead). - Removed previously deprecated :doc:`Config Library ` method ``system_url()`` (encourages insecure practices). diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index b587470f262..6501f40db38 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -128,8 +128,11 @@ HTML 5 formatting. Step 7: Remove usage of previously deprecated functionalities ============================================================= -The following is a list of functionalities deprecated in CodeIgniter -version 3.0.x, that have been removed in 3.2.0: +The following is a list of functionalities deprecated in previous +CodeIgniter versions that have been removed in 3.2.0: + +- ``$config['allow_get_array']`` (use ``$_GET = array();`` instead) +- ``$config['standardize_newlines']`` - ``CI_Input::is_cli_request()`` (use :php:func:`is_cli()` instead) - ``CI_Router::fetch_directory()`` (use ``CI_Router::$directory`` instead) diff --git a/user_guide_src/source/libraries/input.rst b/user_guide_src/source/libraries/input.rst index 899070ef418..8b816a567e9 100644 --- a/user_guide_src/source/libraries/input.rst +++ b/user_guide_src/source/libraries/input.rst @@ -28,16 +28,12 @@ The security filtering method is called automatically when a new :doc:`controller <../general/controllers>` is invoked. It does the following: -- If ``$config['allow_get_array']`` is FALSE (default is TRUE), destroys - the global GET array. - Destroys all global variables in the event register_globals is turned on. - Filters the GET/POST/COOKIE array keys, permitting only alpha-numeric (and a few other) characters. - Provides XSS (Cross-site Scripting Hacks) filtering. This can be enabled globally, or upon request. -- Standardizes newline characters to ``PHP_EOL`` (\\n in UNIX-based OSes, - \\r\\n under Windows). This is configurable. XSS Filtering ============= From 4e0c208f24b0755c47905e17b82854c538a0c530 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 13:23:06 +0200 Subject: [PATCH 3045/3829] Remove 'global_xss_filtering' config setting --- application/config/config.php | 14 ------- system/core/Input.php | 32 +++++----------- system/helpers/cookie_helper.php | 3 +- user_guide_src/source/changelog.rst | 1 + .../source/helpers/cookie_helper.rst | 2 +- user_guide_src/source/libraries/input.rst | 37 ++++--------------- 6 files changed, 20 insertions(+), 69 deletions(-) diff --git a/application/config/config.php b/application/config/config.php index 535f0f817f2..d37af34b787 100644 --- a/application/config/config.php +++ b/application/config/config.php @@ -396,20 +396,6 @@ $config['cookie_secure'] = FALSE; $config['cookie_httponly'] = FALSE; -/* -|-------------------------------------------------------------------------- -| Global XSS Filtering -|-------------------------------------------------------------------------- -| -| Determines whether the XSS filter is always active when GET, POST or -| COOKIE data is encountered -| -| WARNING: This feature is DEPRECATED and currently available only -| for backwards compatibility purposes! -| -*/ -$config['global_xss_filtering'] = FALSE; - /* |-------------------------------------------------------------------------- | Cross Site Request Forgery diff --git a/system/core/Input.php b/system/core/Input.php index a6be7b51796..d4f79ee685e 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -57,17 +57,6 @@ class CI_Input { */ protected $ip_address = FALSE; - /** - * Enable XSS flag - * - * Determines whether the XSS filter is always active when - * GET, POST or COOKIE data is encountered. - * Set automatically based on config setting. - * - * @var bool - */ - protected $_enable_xss = FALSE; - /** * Enable CSRF flag * @@ -119,7 +108,6 @@ class CI_Input { */ public function __construct() { - $this->_enable_xss = (config_item('global_xss_filtering') === TRUE); $this->_enable_csrf = (config_item('csrf_protection') === TRUE); $this->security =& load_class('Security', 'core'); @@ -154,10 +142,8 @@ public function __construct() * @param bool $xss_clean Whether to apply XSS filtering * @return mixed */ - protected function _fetch_from_array(&$array, $index = NULL, $xss_clean = NULL) + protected function _fetch_from_array(&$array, $index = NULL, $xss_clean = FALSE) { - is_bool($xss_clean) OR $xss_clean = $this->_enable_xss; - // If $index is NULL, it means that the whole $array is requested isset($index) OR $index = array_keys($array); @@ -217,7 +203,7 @@ protected function _fetch_from_array(&$array, $index = NULL, $xss_clean = NULL) * @param bool $xss_clean Whether to apply XSS filtering * @return mixed */ - public function get($index = NULL, $xss_clean = NULL) + public function get($index = NULL, $xss_clean = FALSE) { return $this->_fetch_from_array($_GET, $index, $xss_clean); } @@ -231,7 +217,7 @@ public function get($index = NULL, $xss_clean = NULL) * @param bool $xss_clean Whether to apply XSS filtering * @return mixed */ - public function post($index = NULL, $xss_clean = NULL) + public function post($index = NULL, $xss_clean = FALSE) { return $this->_fetch_from_array($_POST, $index, $xss_clean); } @@ -245,7 +231,7 @@ public function post($index = NULL, $xss_clean = NULL) * @param bool $xss_clean Whether to apply XSS filtering * @return mixed */ - public function post_get($index, $xss_clean = NULL) + public function post_get($index, $xss_clean = FALSE) { return isset($_POST[$index]) ? $this->post($index, $xss_clean) @@ -261,7 +247,7 @@ public function post_get($index, $xss_clean = NULL) * @param bool $xss_clean Whether to apply XSS filtering * @return mixed */ - public function get_post($index, $xss_clean = NULL) + public function get_post($index, $xss_clean = FALSE) { return isset($_GET[$index]) ? $this->get($index, $xss_clean) @@ -277,7 +263,7 @@ public function get_post($index, $xss_clean = NULL) * @param bool $xss_clean Whether to apply XSS filtering * @return mixed */ - public function cookie($index = NULL, $xss_clean = NULL) + public function cookie($index = NULL, $xss_clean = FALSE) { return $this->_fetch_from_array($_COOKIE, $index, $xss_clean); } @@ -291,7 +277,7 @@ public function cookie($index = NULL, $xss_clean = NULL) * @param bool $xss_clean Whether to apply XSS filtering * @return mixed */ - public function server($index, $xss_clean = NULL) + public function server($index, $xss_clean = FALSE) { return $this->_fetch_from_array($_SERVER, $index, $xss_clean); } @@ -307,7 +293,7 @@ public function server($index, $xss_clean = NULL) * @param bool $xss_clean Whether to apply XSS filtering * @return mixed */ - public function input_stream($index = NULL, $xss_clean = NULL) + public function input_stream($index = NULL, $xss_clean = FALSE) { // Prior to PHP 5.6, the input stream can only be read once, // so we'll need to check if we have already done that first. @@ -561,7 +547,7 @@ public function valid_ip($ip, $which = '') * * @return string|null User Agent string or NULL if it doesn't exist */ - public function user_agent($xss_clean = NULL) + public function user_agent($xss_clean = FALSE) { return $this->_fetch_from_array($_SERVER, 'HTTP_USER_AGENT', $xss_clean); } diff --git a/system/helpers/cookie_helper.php b/system/helpers/cookie_helper.php index ca432449571..f8943fde34d 100644 --- a/system/helpers/cookie_helper.php +++ b/system/helpers/cookie_helper.php @@ -85,9 +85,8 @@ function set_cookie($name, $value = '', $expire = '', $domain = '', $path = '/', * @param bool * @return mixed */ - function get_cookie($index, $xss_clean = NULL) + function get_cookie($index, $xss_clean = FALSE) { - is_bool($xss_clean) OR $xss_clean = (config_item('global_xss_filtering') === TRUE); $prefix = isset($_COOKIE[$index]) ? '' : config_item('cookie_prefix'); return get_instance()->input->cookie($prefix.$index, $xss_clean); } diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index a0f91a14853..1a1b0d5374d 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -12,6 +12,7 @@ Release Date: Not Released - Changed :doc:`URI Library ` to ignore the ``$config['url_suffix']``, ``$config['permitted_uri_chars']`` configuration settings for CLI requests. - Removed previously deprecated ``$config['allow_get_array']``. - Removed previously deprecated ``$config['standardize_newlines']``. + - Removed previously deprecated ``$config['global_xss_filtering']``. - Removed previously deprecated :doc:`Input Library ` method ``is_cli_request()`` (use :php:func:`is_cli()` instead). - Removed previously deprecated :doc:`Routing Class ` methods ``fetch_directory()``, ``fetch_class()`` and ``fetch_method()`` (use the respective class properties instead). - Removed previously deprecated :doc:`Config Library ` method ``system_url()`` (encourages insecure practices). diff --git a/user_guide_src/source/helpers/cookie_helper.rst b/user_guide_src/source/helpers/cookie_helper.rst index c9d2f419c52..71e40a33c41 100644 --- a/user_guide_src/source/helpers/cookie_helper.rst +++ b/user_guide_src/source/helpers/cookie_helper.rst @@ -42,7 +42,7 @@ The following functions are available: a description of its use, as this function is an alias for ``CI_Input::set_cookie()``. -.. php:function:: get_cookie($index[, $xss_clean = NULL]) +.. php:function:: get_cookie($index[, $xss_clean = FALSE]) :param string $index: Cookie name :param bool $xss_clean: Whether to apply XSS filtering to the returned value diff --git a/user_guide_src/source/libraries/input.rst b/user_guide_src/source/libraries/input.rst index 8b816a567e9..1961e3e5725 100644 --- a/user_guide_src/source/libraries/input.rst +++ b/user_guide_src/source/libraries/input.rst @@ -32,26 +32,6 @@ following: turned on. - Filters the GET/POST/COOKIE array keys, permitting only alpha-numeric (and a few other) characters. -- Provides XSS (Cross-site Scripting Hacks) filtering. This can be - enabled globally, or upon request. - -XSS Filtering -============= - -The Input class has the ability to filter input automatically to prevent -cross-site scripting attacks. If you want the filter to run -automatically every time it encounters POST or COOKIE data you can -enable it by opening your *application/config/config.php* file and setting -this:: - - $config['global_xss_filtering'] = TRUE; - -Please refer to the :doc:`Security class ` documentation for -information on using XSS Filtering in your application. - -.. important:: The 'global_xss_filtering' setting is DEPRECATED and kept - solely for backwards-compatibility purposes. XSS escaping should - be performed on *output*, not *input*! ******************* Accessing form data @@ -126,7 +106,7 @@ Class Reference The property can be read multiple times. - .. php:method:: post([$index = NULL[, $xss_clean = NULL]]) + .. php:method:: post([$index = NULL[, $xss_clean = FALSE]]) :param mixed $index: POST parameter name :param bool $xss_clean: Whether to apply XSS filtering @@ -143,7 +123,6 @@ Class Reference The second optional parameter lets you run the data through the XSS filter. It's enabled by setting the second parameter to boolean TRUE - or by setting your ``$config['global_xss_filtering']`` to TRUE. :: $this->input->post('some_data', TRUE); @@ -169,7 +148,7 @@ Class Reference $this->input->post(array('field1', 'field2'), TRUE); - .. php:method:: get([$index = NULL[, $xss_clean = NULL]]) + .. php:method:: get([$index = NULL[, $xss_clean = FALSE]]) :param mixed $index: GET parameter name :param bool $xss_clean: Whether to apply XSS filtering @@ -202,7 +181,7 @@ Class Reference $this->input->get(array('field1', 'field2'), TRUE); - .. php:method:: post_get($index[, $xss_clean = NULL]) + .. php:method:: post_get($index[, $xss_clean = FALSE]) :param string $index: POST/GET parameter name :param bool $xss_clean: Whether to apply XSS filtering @@ -215,7 +194,7 @@ Class Reference $this->input->post_get('some_data', TRUE); - .. php:method:: get_post($index[, $xss_clean = NULL]) + .. php:method:: get_post($index[, $xss_clean = FALSE]) :param string $index: GET/POST parameter name :param bool $xss_clean: Whether to apply XSS filtering @@ -230,7 +209,7 @@ Class Reference .. note:: This method used to act EXACTLY like ``post_get()``, but it's behavior has changed in CodeIgniter 3.0. - .. php:method:: cookie([$index = NULL[, $xss_clean = NULL]]) + .. php:method:: cookie([$index = NULL[, $xss_clean = FALSE]]) :param mixed $index: COOKIE name :param bool $xss_clean: Whether to apply XSS filtering @@ -253,7 +232,7 @@ Class Reference function :php:func:`get_cookie()`, this method does NOT prepend your configured ``$config['cookie_prefix']`` value. - .. php:method:: server($index[, $xss_clean = NULL]) + .. php:method:: server($index[, $xss_clean = FALSE]) :param mixed $index: Value name :param bool $xss_clean: Whether to apply XSS filtering @@ -271,7 +250,7 @@ Class Reference $this->input->server(array('SERVER_PROTOCOL', 'REQUEST_URI')); - .. php:method:: input_stream([$index = NULL[, $xss_clean = NULL]]) + .. php:method:: input_stream([$index = NULL[, $xss_clean = FALSE]]) :param mixed $index: Key name :param bool $xss_clean: Whether to apply XSS filtering @@ -386,7 +365,7 @@ Class Reference Accepts an optional second string parameter of 'ipv4' or 'ipv6' to specify an IP format. The default checks for both formats. - .. php:method:: user_agent([$xss_clean = NULL]) + .. php:method:: user_agent([$xss_clean = FALSE]) :returns: User agent string or NULL if not set :param bool $xss_clean: Whether to apply XSS filtering From ff773c059cb984920767dd6187c30a77e5bf78c9 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 13:45:45 +0200 Subject: [PATCH 3046/3829] Finally drop CI_Input::_sanitize_globals() Close #4101 --- system/core/Input.php | 168 +----------------- tests/mocks/core/input.php | 19 +- .../source/installation/upgrade_320.rst | 18 ++ user_guide_src/source/libraries/input.rst | 28 +-- 4 files changed, 32 insertions(+), 201 deletions(-) diff --git a/system/core/Input.php b/system/core/Input.php index d4f79ee685e..aefc3b7d8a1 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -93,8 +93,15 @@ class CI_Input { */ protected $_input_stream; + /** + * CI_Security instance + * + * Used for the optional $xss_filter parameter that most + * getter methods have here. + * + * @var CI_Security + */ protected $security; - protected $uni; // -------------------------------------------------------------------- @@ -112,15 +119,6 @@ public function __construct() $this->security =& load_class('Security', 'core'); - // Do we need the UTF-8 class? - if (UTF8_ENABLED === TRUE) - { - $this->uni =& load_class('Utf8', 'core'); - } - - // Sanitize global arrays - $this->_sanitize_globals(); - // CSRF Protection check if ($this->_enable_csrf === TRUE && ! is_cli()) { @@ -554,156 +552,6 @@ public function user_agent($xss_clean = FALSE) // -------------------------------------------------------------------- - /** - * Sanitize Globals - * - * Internal method serving for the following purposes: - * - * - Unsets $_GET data, if query strings are not enabled - * - Cleans POST, COOKIE and SERVER data - * - * @return void - */ - protected function _sanitize_globals() - { - // Is $_GET data allowed? If not we'll set the $_GET to an empty array - if (is_array($_GET)) - { - foreach ($_GET as $key => $val) - { - $_GET[$this->_clean_input_keys($key)] = $this->_clean_input_data($val); - } - } - - // Clean $_POST Data - if (is_array($_POST)) - { - foreach ($_POST as $key => $val) - { - $_POST[$this->_clean_input_keys($key)] = $this->_clean_input_data($val); - } - } - - // Clean $_COOKIE Data - if (is_array($_COOKIE)) - { - // Also get rid of specially treated cookies that might be set by a server - // or silly application, that are of no use to a CI application anyway - // but that when present will trip our 'Disallowed Key Characters' alarm - // http://www.ietf.org/rfc/rfc2109.txt - // note that the key names below are single quoted strings, and are not PHP variables - unset( - $_COOKIE['$Version'], - $_COOKIE['$Path'], - $_COOKIE['$Domain'] - ); - - foreach ($_COOKIE as $key => $val) - { - if (($cookie_key = $this->_clean_input_keys($key)) !== FALSE) - { - $_COOKIE[$cookie_key] = $this->_clean_input_data($val); - } - else - { - unset($_COOKIE[$key]); - } - } - } - - // Sanitize PHP_SELF - $_SERVER['PHP_SELF'] = strip_tags($_SERVER['PHP_SELF']); - - log_message('info', 'Global POST, GET and COOKIE data sanitized'); - } - - // -------------------------------------------------------------------- - - /** - * Clean Input Data - * - * Internal method that aids in escaping data and - * standardizing newline characters to PHP_EOL. - * - * @param string|string[] $str Input string(s) - * @return string - */ - protected function _clean_input_data($str) - { - if (is_array($str)) - { - $new_array = array(); - foreach (array_keys($str) as $key) - { - $new_array[$this->_clean_input_keys($key)] = $this->_clean_input_data($str[$key]); - } - return $new_array; - } - - /* We strip slashes if magic quotes is on to keep things consistent - - NOTE: In PHP 5.4 get_magic_quotes_gpc() will always return 0 and - it will probably not exist in future versions at all. - */ - if ( ! is_php('5.4') && get_magic_quotes_gpc()) - { - $str = stripslashes($str); - } - - // Clean UTF-8 if supported - if (UTF8_ENABLED === TRUE) - { - $str = $this->uni->clean_string($str); - } - - // Remove control characters - $str = remove_invisible_characters($str, FALSE); - - return $str; - } - - // -------------------------------------------------------------------- - - /** - * Clean Keys - * - * Internal method that helps to prevent malicious users - * from trying to exploit keys we make sure that keys are - * only named with alpha-numeric text and a few other items. - * - * @param string $str Input string - * @param bool $fatal Whether to terminate script exection - * or to return FALSE if an invalid - * key is encountered - * @return string|bool - */ - protected function _clean_input_keys($str, $fatal = TRUE) - { - if ( ! preg_match('/^[a-z0-9:_\/|-]+$/i', $str)) - { - if ($fatal === TRUE) - { - return FALSE; - } - else - { - set_status_header(503); - echo 'Disallowed Key Characters.'; - exit(7); // EXIT_USER_INPUT - } - } - - // Clean UTF-8 if supported - if (UTF8_ENABLED === TRUE) - { - return $this->uni->clean_string($str); - } - - return $str; - } - - // -------------------------------------------------------------------- - /** * Request Headers * diff --git a/tests/mocks/core/input.php b/tests/mocks/core/input.php index 40e27441f47..4d217a252c8 100644 --- a/tests/mocks/core/input.php +++ b/tests/mocks/core/input.php @@ -11,16 +11,10 @@ class Mock_Core_Input extends CI_Input { */ public function __construct($security, $utf8) { - $this->_allow_get_array = (config_item('allow_get_array') === TRUE); - $this->_enable_xss = (config_item('global_xss_filtering') === TRUE); $this->_enable_csrf = (config_item('csrf_protection') === TRUE); // Assign Security and Utf8 classes $this->security = $security; - $this->uni = $utf8; - - // Sanitize global arrays - $this->_sanitize_globals(); } public function fetch_from_array($array, $index = '', $xss_clean = FALSE) @@ -28,16 +22,6 @@ public function fetch_from_array($array, $index = '', $xss_clean = FALSE) return parent::_fetch_from_array($array, $index, $xss_clean); } - /** - * Lie about being a CLI request - * - * We take advantage of this in libraries/Session_test - */ - public function is_cli_request() - { - return FALSE; - } - public function __set($name, $value) { if ($name === 'ip_address') @@ -45,5 +29,4 @@ public function __set($name, $value) $this->ip_address = $value; } } - -} \ No newline at end of file +} diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 6501f40db38..8434172e71b 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -159,3 +159,21 @@ CodeIgniter versions that have been removed in 3.2.0: - ``send_email()`` (use ``mail()`` instead) - The entire *Smiley Helper* (an archived version is available on GitHub: `bcit-ci/ci3-smiley-helper `_) + +Step 8: Make sure you're validating all user inputs +=================================================== + +The :doc:`Input Library <../libraries/input>` used to (often +unconditionally) filter and/or sanitize user input in the ``$_GET``, +``$_POST`` and ``$_COOKIE`` superglobals. + +This was a legacy feature from older times, when things like +`register_globals `_ and +`magic_quotes_gpc `_ existed in +PHP. +It was a necessity back then, but this is no longer the case and reliance +on global filters is a bad practice, giving you a false sense of security. + +This functionality is now removed, and so if you've relied on it for +whatever reasons, you should double-check that you are properly validating +all user inputs in your application (as you always should do). diff --git a/user_guide_src/source/libraries/input.rst b/user_guide_src/source/libraries/input.rst index 1961e3e5725..97460c2c527 100644 --- a/user_guide_src/source/libraries/input.rst +++ b/user_guide_src/source/libraries/input.rst @@ -2,10 +2,8 @@ Input Class ########### -The Input Class serves two purposes: - -#. It pre-processes global input data for security. -#. It provides some helper methods for fetching input data and pre-processing it. +The Input Class provides some helper methods for accessing input data +and pre-processing it. .. note:: This class is initialized automatically by the system so there is no need to do it manually. @@ -17,25 +15,9 @@ The Input Class serves two purposes:
      -*************** -Input Filtering -*************** - -Security Filtering -================== - -The security filtering method is called automatically when a new -:doc:`controller <../general/controllers>` is invoked. It does the -following: - -- Destroys all global variables in the event register_globals is - turned on. -- Filters the GET/POST/COOKIE array keys, permitting only alpha-numeric - (and a few other) characters. - -******************* -Accessing form data -******************* +******************** +Accessing input data +******************** Using POST, GET, COOKIE, or SERVER Data ======================================= From a299f56629c764afd8909c90ca3bb36625e84109 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 14:09:27 +0200 Subject: [PATCH 3047/3829] Remove dead parameter from form_upload() Close #3558 --- system/helpers/form_helper.php | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 9756437ae1b..496fc105579 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -244,11 +244,10 @@ function form_password($data = '', $value = '', $extra = '') * Identical to the input function but adds the "file" type * * @param mixed - * @param string * @param mixed * @return string */ - function form_upload($data = '', $value = '', $extra = '') + function form_upload($data = '', $extra = '') { $defaults = array('type' => 'file', 'name' => ''); is_array($data) OR $data = array('name' => $data); From af2edc36bf5e19aeda3f408a0a4019b63ed2d849 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 14:10:15 +0200 Subject: [PATCH 3048/3829] [ci skip] Update changelog; add an entry & upgrade instructions for last commit --- user_guide_src/source/changelog.rst | 52 ++++++++++++------- user_guide_src/source/helpers/form_helper.rst | 3 +- .../source/installation/upgrade_320.rst | 17 ++++++ 3 files changed, 52 insertions(+), 20 deletions(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1a1b0d5374d..b0b23987060 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -9,27 +9,21 @@ Release Date: Not Released - Core - - Changed :doc:`URI Library ` to ignore the ``$config['url_suffix']``, ``$config['permitted_uri_chars']`` configuration settings for CLI requests. - - Removed previously deprecated ``$config['allow_get_array']``. - - Removed previously deprecated ``$config['standardize_newlines']``. - Removed previously deprecated ``$config['global_xss_filtering']``. - - Removed previously deprecated :doc:`Input Library ` method ``is_cli_request()`` (use :php:func:`is_cli()` instead). - Removed previously deprecated :doc:`Routing Class ` methods ``fetch_directory()``, ``fetch_class()`` and ``fetch_method()`` (use the respective class properties instead). - Removed previously deprecated :doc:`Config Library ` method ``system_url()`` (encourages insecure practices). - - Removed previously deprecated :doc:`Form Validation Library ` method ``prep_for_form()`` / rule *prep_for_form*. - - Removed previously deprecated :doc:`Date Helper ` function ``standard_date()`` (use PHP's native ``date()`` instead). - - Removed previously deprecated :doc:`Security Helper ` function ``do_hash()`` (use PHP's native ``hash()`` instead). - - Removed previously deprecated :doc:`HTML Helper ` functions ``br()`` and ``nbs()`` (use PHP's native ``str_repeat()`` with ``'
      '`` and ``' '`` respectively). - - Removed previously deprecated :doc:`String Helper ` functions ``trim_slashes()`` and ``repeater()`` (use PHP's native ``trim()`` with ``'/'`` and ``str_repeat()`` respectively). - - Removed previously deprecated :doc:`File Helper ` function ``read_file()`` (use PHP's native ``file_get_contents()`` instead). - - Removed previously deprecated :doc:`Form Helper ` function ``form_prep()`` (use :php:func:`html_escape()` instead). - - Removed previously deprecated *Email Helper* (had only two functions, aliases for PHP's native ``filter_var()`` and ``mail()``). - - Removed previously deprecated *Smiley Helper*. - - Removed previously deprecated *Cart Library*. - - Removed previously deprecated *Javascript Library* (it was always experimental in the first place). + - Changed :doc:`URI Library ` to ignore the ``$config['url_suffix']``, ``$config['permitted_uri_chars']`` configuration settings for CLI requests. + + - :doc:`Input Library ` changes include: + + - Removed previously deprecated ``$config['allow_get_array']``. + - Removed previously deprecated ``$config['standardize_newlines']``. + - Removed previously deprecated method ``is_cli_request()`` (use :php:func:`is_cli()` instead). - Libraries + - Removed previously deprecated *Cart Library*. + - Removed previously deprecated *Javascript Library* (it was always experimental in the first place). - Added UNIX socket connection support to :doc:`Session Library ` 'redis' driver. - :doc:`Cache Library ` changes include: @@ -42,6 +36,7 @@ Release Date: Not Released - :doc:`Form Validation Library ` changes include: + - Removed previously deprecated method ``prep_for_form()`` / rule *prep_for_form*. - Changed method ``set_rules()`` to throw a ``BadMethodCallException`` when its first parameter is not an array and the ``$rules`` one is unused. - :doc:`HTML Table Library ` changes include: @@ -52,7 +47,7 @@ Release Date: Not Released - Changed the default value of the **validate** option to ``TRUE``. -- :doc:`Database ` +- :doc:`Database ` changes include: - Changed method ``initialize()`` to return void and instead throw a ``RuntimeException`` in case of failure. - Changed method ``db_connect()`` to always set the connection character set (if supported by the driver) and to fail if it can't. @@ -64,10 +59,31 @@ Release Date: Not Released - Helpers + - Removed previously deprecated *Email Helper* (had only two functions, aliases for PHP's native ``filter_var()`` and ``mail()``). + - Removed previously deprecated *Smiley Helper*. + - Removed previously deprecated :doc:`Date Helper ` function ``standard_date()`` (use PHP's native ``date()`` instead). + - Removed previously deprecated :doc:`Security Helper ` function ``do_hash()`` (use PHP's native ``hash()`` instead). + - Removed previously deprecated :doc:`File Helper ` function ``read_file()`` (use PHP's native ``file_get_contents()`` instead). - Added new function :php:func:`ordinal_format()` to :doc:`Inflector Helper `. - Updated :doc:`Download Helper ` :php:func:`force_download()` to allow existing files to be renamed for download. - - Updated :doc:`HTML Helper ` function :php:func:`meta()` with support for "charset" and "property" properties. - - Changed :doc:`HTML Helper ` function :php:func:`doctype()` default document type to HTML 5. + + - :doc:`String Helper ` changes include: + + - Removed previously deprecated function ``trim_slashes()`` (use PHP's native ``trim()`` with ``'/'`` instead). + - Removed previously deprecated function ``repeater()`` (use PHP's native ``str_repeat()`` instead). + + - :doc:`HTML Helper ` changes include: + + - Removed previously deprecated function ``br()`` (use PHP's native ``str_repeat()`` with ``'
      '`` instead). + - Removed previously deprecated function ``nbs()`` (use PHP's native ``str_repeat()`` with ``' '`` instead). + - Updated function :php:func:`meta()` with support for "charset" and "property" properties. + - Changed function :php:func:`doctype()` default document type to HTML 5. + + - :doc:`Form Helper ` changes include: + + - Removed previously deprecated function ``form_prep()`` (use :php:func:`html_escape()` instead). + - Removed the second (out of three) parameter from the :php:func:`form_upload()` function (it was never used). + Version 3.1.3 ============= diff --git a/user_guide_src/source/helpers/form_helper.rst b/user_guide_src/source/helpers/form_helper.rst index cf52cd5239b..97595c90bc5 100644 --- a/user_guide_src/source/helpers/form_helper.rst +++ b/user_guide_src/source/helpers/form_helper.rst @@ -243,10 +243,9 @@ The following functions are available: function above except that it uses the "password" input type. -.. php:function:: form_upload([$data = ''[, $value = ''[, $extra = '']]]) +.. php:function:: form_upload([$data = '', $extra = '']]) :param array $data: Field attributes data - :param string $value: Field value :param mixed $extra: Extra attributes to be added to the tag either as an array or a literal string :returns: An HTML file upload input field tag :rtype: string diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 8434172e71b..0cf3110282c 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -125,6 +125,23 @@ relies on the default value, you should double-check it and either explicitly set the desired format, or adapt your front-end to use proper HTML 5 formatting. +Step 6: Check usage of form_upload() Form helper +================================================ + +The :doc:`Form Helper <../helpers/form_helper>` function +:php:func:`form_upload()` used to have 3 parameters, the second of which +(``$value``) was never used, as it doesn't make sense for an HTML ``input`` +tag of the "file" type. + +That dead parameter is now removed, and so if you've used the third one +(``$extra``), having code like this:: + + form_upload('name', 'irrelevant value', $extra); + +You should change it to:: + + form_upload('name', $extra); + Step 7: Remove usage of previously deprecated functionalities ============================================================= From 6bbd097269aa0e4ec5308ce506f840e5e214b298 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 14:57:11 +0200 Subject: [PATCH 3049/3829] Don't allow failures with PHP 7.1 on Travis-CI --- .travis.yml | 1 - 1 file changed, 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 334cb614fea..3d0691e5086 100644 --- a/.travis.yml +++ b/.travis.yml @@ -30,7 +30,6 @@ script: phpunit -d zend.enable_gc=0 -d date.timezone=UTC --coverage-text --confi matrix: allow_failures: - php: hhvm - - php: 7.1 exclude: - php: hhvm env: DB=pgsql From 88303fd3af7e1347fb2ceeb80a4a898980f98677 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 14:58:16 +0200 Subject: [PATCH 3050/3829] [ci skip] Require PHP 5.4.8 as the absolute minimum We stopped testing this branch on 5.3 long ago --- readme.rst | 2 +- user_guide_src/source/changelog.rst | 4 ++++ 2 files changed, 5 insertions(+), 1 deletion(-) diff --git a/readme.rst b/readme.rst index f5d73702892..a2537b3936f 100644 --- a/readme.rst +++ b/readme.rst @@ -31,7 +31,7 @@ Server Requirements PHP version 5.6 or newer is recommended. -It should work on 5.3.7 as well, but we strongly advise you NOT to run +It should work on 5.4.8 as well, but we strongly advise you NOT to run such old versions of PHP, because of potential security and performance issues, as well as missing features. diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index b0b23987060..84ed718cd8e 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -7,6 +7,10 @@ Version 3.2.0 Release Date: Not Released +- General Changes + + - Officially dropped any kind of support for anything under PHP 5.4.8. + - Core - Removed previously deprecated ``$config['global_xss_filtering']``. From 26313bddee1fb67af10141671a47bbe703a025fd Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 15:15:03 +0200 Subject: [PATCH 3051/3829] [ci skip] More doc changes related to PHP 5.4.8 requirement --- user_guide_src/source/contributing/index.rst | 6 ++-- .../source/general/common_functions.rst | 6 ++-- .../general/compatibility_functions.rst | 1 - .../source/general/requirements.rst | 4 +-- user_guide_src/source/general/styleguide.rst | 4 +-- .../source/installation/upgrade_320.rst | 29 +++++++++++++------ 6 files changed, 30 insertions(+), 20 deletions(-) diff --git a/user_guide_src/source/contributing/index.rst b/user_guide_src/source/contributing/index.rst index be776ec1fb6..e102b88487a 100644 --- a/user_guide_src/source/contributing/index.rst +++ b/user_guide_src/source/contributing/index.rst @@ -104,9 +104,9 @@ Compatibility ============= CodeIgniter recommends PHP 5.6 or newer to be used, but it should be -compatible with PHP 5.3.7 so all code supplied must stick to this -requirement. If PHP 5.4 (and above) functions or features are used then -there must be a fallback for PHP 5.3.7. +compatible with PHP 5.4.8 so all code supplied must stick to this +requirement. If PHP 5.5 (and above) functions or features are used then +there must be a fallback for PHP 5.4.8. Branching ========= diff --git a/user_guide_src/source/general/common_functions.rst b/user_guide_src/source/general/common_functions.rst index 6d6744cf733..602a6c7631f 100644 --- a/user_guide_src/source/general/common_functions.rst +++ b/user_guide_src/source/general/common_functions.rst @@ -24,9 +24,9 @@ loading any libraries or helpers. Example:: - if (is_php('5.3')) + if (is_php('5.5')) { - $str = quoted_printable_encode($str); + echo json_last_error_msg(); } Returns boolean TRUE if the installed version of PHP is equal to or @@ -185,4 +185,4 @@ loading any libraries or helpers. .. note:: This function was introduced because Suhosin terminated script execution, but this turned out to be a bug. A fix has been available for some time (version 0.9.34), but is - unfortunately not released yet. \ No newline at end of file + unfortunately not released yet. diff --git a/user_guide_src/source/general/compatibility_functions.rst b/user_guide_src/source/general/compatibility_functions.rst index 584968663a7..71559d0be0b 100644 --- a/user_guide_src/source/general/compatibility_functions.rst +++ b/user_guide_src/source/general/compatibility_functions.rst @@ -32,7 +32,6 @@ that is otherwise available only since PHP 5.5. Dependencies ============ -- PHP 5.3.7 - ``CRYPT_BLOWFISH`` support for ``crypt()`` Constants diff --git a/user_guide_src/source/general/requirements.rst b/user_guide_src/source/general/requirements.rst index f2729f3d50d..2e24d6d0386 100644 --- a/user_guide_src/source/general/requirements.rst +++ b/user_guide_src/source/general/requirements.rst @@ -4,7 +4,7 @@ Server Requirements `PHP `_ version 5.6 or newer is recommended. -It should work on 5.3.7 as well, but we strongly advise you NOT to run +It should work on 5.4.8 as well, but we strongly advise you NOT to run such old versions of PHP, because of potential security and performance issues, as well as missing features. @@ -18,4 +18,4 @@ Currently supported databases are: - SQLite via the *sqlite* (version 2), *sqlite3* (version 3) and *pdo* drivers - CUBRID via the *cubrid* and *pdo* drivers - Interbase/Firebird via the *ibase* and *pdo* drivers - - ODBC via the *odbc* and *pdo* drivers (you should know that ODBC is actually an abstraction layer) \ No newline at end of file + - ODBC via the *odbc* and *pdo* drivers (you should know that ODBC is actually an abstraction layer) diff --git a/user_guide_src/source/general/styleguide.rst b/user_guide_src/source/general/styleguide.rst index 9b4a84e1422..5f25a5ae41e 100644 --- a/user_guide_src/source/general/styleguide.rst +++ b/user_guide_src/source/general/styleguide.rst @@ -346,7 +346,7 @@ Compatibility ============= CodeIgniter recommends PHP 5.6 or newer to be used, but it should be -compatible with PHP 5.3.7. Your code must either be compatible with this +compatible with PHP 5.4.8. Your code must either be compatible with this requirement, provide a suitable fallback, or be an optional feature that dies quietly without affecting a user's application. @@ -633,4 +633,4 @@ Whenever appropriate, provide function argument defaults, which helps prevent PHP errors with mistaken calls and provides common fallback values which can save a few lines of code. Example:: - function foo($bar = '', $baz = FALSE) \ No newline at end of file + function foo($bar = '', $baz = FALSE) diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index 0cf3110282c..a2772e10ccd 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -13,7 +13,18 @@ Replace all files and directories in your *system/* directory. .. note:: If you have any custom developed files in these directories, please make copies of them first. -Step 2: Change database connection handling +Step 2: Check your PHP version +============================== + +We recommend always running versions that are `currently supported +`_, which right now is at least PHP 5.6. + +PHP 5.3.x versions are now officially not supported by CodeIgniter, and while 5.4.8+ +may be at least runnable, we strongly discourage you from using any PHP versions below +the ones listed on the `PHP.net Supported Versions `_ +page. + +Step 3: Change database connection handling =========================================== "Loading" a database, whether by using the *config/autoload.php* settings @@ -58,7 +69,7 @@ That doesn't make sense and that's the reason why most database drivers don't support it at all. Thus, ``db_set_charset()`` is no longer necessary and is removed. -Step 3: Check logic related to URI parsing of CLI requests +Step 4: Check logic related to URI parsing of CLI requests ========================================================== When running a CodeIgniter application from the CLI, the @@ -71,7 +82,7 @@ this change was made) and therefore you shouldn't be affected by this, but if you've relied on them for some reason, you'd probably have to make some changes to your code. -Step 4: Check Cache Library configurations for Redis, Memcache(d) +Step 5: Check Cache Library configurations for Redis, Memcache(d) ================================================================= The new improvements for the 'redis' and 'memcached' drivers of the @@ -98,7 +109,7 @@ value (previously, it just set the host to the default '127.0.0.1'). Therefore, if you've added a configuration that only sets e.g. a ``port``, you will now have to explicitly set the ``host`` to '127.0.0.1' as well. -Step 5: Check usage of the Email library +Step 6: Check usage of the Email library ======================================== The :doc:`Email Library <../libraries/email>` will now by default check the @@ -112,7 +123,7 @@ everything works fine. If something indeed goes wrong with that, please report it as a bug to us, and you can disable the **validate** option to revert to the old behavior. -Step 6: Check usage of doctype() HTML helper +Step 7: Check usage of doctype() HTML helper ============================================ The :doc:`HTML Helper <../helpers/html_helper>` function @@ -125,7 +136,7 @@ relies on the default value, you should double-check it and either explicitly set the desired format, or adapt your front-end to use proper HTML 5 formatting. -Step 6: Check usage of form_upload() Form helper +Step 8: Check usage of form_upload() Form helper ================================================ The :doc:`Form Helper <../helpers/form_helper>` function @@ -142,7 +153,7 @@ You should change it to:: form_upload('name', $extra); -Step 7: Remove usage of previously deprecated functionalities +Step 9: Remove usage of previously deprecated functionalities ============================================================= The following is a list of functionalities deprecated in previous @@ -177,8 +188,8 @@ CodeIgniter versions that have been removed in 3.2.0: - The entire *Smiley Helper* (an archived version is available on GitHub: `bcit-ci/ci3-smiley-helper `_) -Step 8: Make sure you're validating all user inputs -=================================================== +Step 10: Make sure you're validating all user inputs +==================================================== The :doc:`Input Library <../libraries/input>` used to (often unconditionally) filter and/or sanitize user input in the ``$_GET``, From 24c866628d0ce5463d7e8b4eba512fa9e7752dfd Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 16:14:13 +0200 Subject: [PATCH 3052/3829] Drop all PHP 5.3-related code --- application/config/config.php | 14 - application/config/database.php | 2 +- index.php | 9 +- system/core/CodeIgniter.php | 51 --- system/core/Common.php | 7 +- system/core/Loader.php | 15 +- system/core/Log.php | 3 - system/core/Output.php | 3 - system/core/Security.php | 32 +- system/core/compat/hash.php | 2 - system/core/compat/password.php | 2 +- system/core/compat/standard.php | 48 --- .../drivers/postgre/postgre_driver.php | 2 +- system/database/drivers/sqlite/index.html | 11 - .../database/drivers/sqlite/sqlite_driver.php | 330 ------------------ .../database/drivers/sqlite/sqlite_forge.php | 205 ----------- .../database/drivers/sqlite/sqlite_result.php | 164 --------- .../drivers/sqlite/sqlite_utility.php | 61 ---- system/libraries/Email.php | 36 +- system/libraries/Encryption.php | 7 +- system/libraries/Session/Session.php | 21 +- .../Session/SessionHandlerInterface.php | 59 ---- system/libraries/Upload.php | 2 +- system/libraries/Xmlrpc.php | 4 +- system/libraries/Zip.php | 3 - .../codeigniter/core/compat/standard_test.php | 32 -- user_guide_src/source/changelog.rst | 4 +- .../general/compatibility_functions.rst | 9 - .../source/general/requirements.rst | 2 +- .../source/installation/upgrade_320.rst | 3 + 30 files changed, 28 insertions(+), 1115 deletions(-) delete mode 100644 system/database/drivers/sqlite/index.html delete mode 100644 system/database/drivers/sqlite/sqlite_driver.php delete mode 100644 system/database/drivers/sqlite/sqlite_forge.php delete mode 100644 system/database/drivers/sqlite/sqlite_result.php delete mode 100644 system/database/drivers/sqlite/sqlite_utility.php delete mode 100644 system/libraries/Session/SessionHandlerInterface.php diff --git a/application/config/config.php b/application/config/config.php index d37af34b787..c6e1a7af5f6 100644 --- a/application/config/config.php +++ b/application/config/config.php @@ -452,20 +452,6 @@ */ $config['time_reference'] = 'local'; -/* -|-------------------------------------------------------------------------- -| Rewrite PHP Short Tags -|-------------------------------------------------------------------------- -| -| If your PHP installation does not have short tag support enabled CI -| can rewrite the tags on-the-fly, enabling you to utilize that syntax -| in your view files. Options are TRUE or FALSE (boolean) -| -| Note: You need to have eval() enabled for this to work. -| -*/ -$config['rewrite_short_tags'] = FALSE; - /* |-------------------------------------------------------------------------- | Reverse Proxy IPs diff --git a/application/config/database.php b/application/config/database.php index bf9857fffb5..b4d8a6a3ed6 100644 --- a/application/config/database.php +++ b/application/config/database.php @@ -22,7 +22,7 @@ | ['dbdriver'] The database driver. e.g.: mysqli. | Currently supported: | cubrid, ibase, mssql, mysql, mysqli, oci8, -| odbc, pdo, postgre, sqlite, sqlite3, sqlsrv +| odbc, pdo, postgre, sqlite3, sqlsrv | ['dbprefix'] You can add an optional prefix, which will be added | to the table name when using the Query Builder class | ['pconnect'] TRUE/FALSE - Whether to use a persistent connection diff --git a/index.php b/index.php index d02b6bb3899..8015672f322 100755 --- a/index.php +++ b/index.php @@ -73,14 +73,7 @@ case 'testing': case 'production': ini_set('display_errors', 0); - if (version_compare(PHP_VERSION, '5.3', '>=')) - { - error_reporting(E_ALL & ~E_NOTICE & ~E_DEPRECATED & ~E_STRICT & ~E_USER_NOTICE & ~E_USER_DEPRECATED); - } - else - { - error_reporting(E_ALL & ~E_NOTICE & ~E_STRICT & ~E_USER_NOTICE); - } + error_reporting(E_ALL & ~E_NOTICE & ~E_DEPRECATED & ~E_STRICT & ~E_USER_NOTICE & ~E_USER_DEPRECATED); break; default: diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 97cac90add9..dfc90af2a69 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -79,57 +79,6 @@ */ require_once(BASEPATH.'core/Common.php'); - -/* - * ------------------------------------------------------ - * Security procedures - * ------------------------------------------------------ - */ - -if ( ! is_php('5.4')) -{ - ini_set('magic_quotes_runtime', 0); - - if ((bool) ini_get('register_globals')) - { - $_protected = array( - '_SERVER', - '_GET', - '_POST', - '_FILES', - '_REQUEST', - '_SESSION', - '_ENV', - '_COOKIE', - 'GLOBALS', - 'HTTP_RAW_POST_DATA', - 'system_path', - 'application_folder', - 'view_folder', - '_protected', - '_registered' - ); - - $_registered = ini_get('variables_order'); - foreach (array('E' => '_ENV', 'G' => '_GET', 'P' => '_POST', 'C' => '_COOKIE', 'S' => '_SERVER') as $key => $superglobal) - { - if (strpos($_registered, $key) === FALSE) - { - continue; - } - - foreach (array_keys($$superglobal) as $var) - { - if (isset($GLOBALS[$var]) && ! in_array($var, $_protected, TRUE)) - { - $GLOBALS[$var] = NULL; - } - } - } - } -} - - /* * ------------------------------------------------------ * Define a custom error handler so we can log PHP errors diff --git a/system/core/Common.php b/system/core/Common.php index 91c585f7dcd..48eb233c2a4 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -81,8 +81,7 @@ function is_php($version) * Tests for file writability * * is_writable() returns TRUE on Windows servers when you really can't write to - * the file, based on the read-only attribute. is_writable() is also unreliable - * on Unix servers if safe_mode is on. + * the file, based on the read-only attribute. * * @link https://bugs.php.net/bug.php?id=54709 * @param string @@ -90,8 +89,8 @@ function is_php($version) */ function is_really_writable($file) { - // If we're on a Unix server with safe_mode off we call is_writable - if (DIRECTORY_SEPARATOR === '/' && (is_php('5.4') OR ! ini_get('safe_mode'))) + // If we're on a UNIX-like server, just is_writable() + if (DIRECTORY_SEPARATOR === '/') { return is_writable($file); } diff --git a/system/core/Loader.php b/system/core/Loader.php index 1111481b776..b52296499de 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -954,7 +954,7 @@ protected function _ci_load($_ci_data) } extract($this->_ci_cached_vars); - /* + /** * Buffer the output * * We buffer the output for two reasons: @@ -967,18 +967,7 @@ protected function _ci_load($_ci_data) */ ob_start(); - // If the PHP installation does not support short tags we'll - // do a little string replacement, changing the short tags - // to standard PHP echo statements. - if ( ! is_php('5.4') && ! ini_get('short_open_tag') && config_item('rewrite_short_tags') === TRUE) - { - echo eval('?>'.preg_replace('/;*\s*\?>/', '; ?>', str_replace('= 0 ? self::strlen($str) - $start : -$start); return mb_substr($str, $start, $length, '8bit'); } diff --git a/system/core/Output.php b/system/core/Output.php index 94a6340e7dc..febccdaefb8 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -836,9 +836,6 @@ protected static function substr($str, $start, $length = NULL) { if (self::$func_override) { - // mb_substr($str, $start, null, '8bit') returns an empty - // string on PHP 5.3 - isset($length) OR $length = ($start >= 0 ? self::strlen($str) - $start : -$start); return mb_substr($str, $start, $length, '8bit'); } diff --git a/system/core/Security.php b/system/core/Security.php index d0308c5f95b..a80b52fd1c4 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -626,7 +626,7 @@ public function get_random_bytes($length) if (is_readable('/dev/urandom') && ($fp = fopen('/dev/urandom', 'rb')) !== FALSE) { // Try not to waste entropy ... - is_php('5.4') && stream_set_chunk_size($fp, $length); + stream_set_chunk_size($fp, $length); $output = fread($fp, $length); fclose($fp); if ($output !== FALSE) @@ -671,26 +671,8 @@ public function entity_decode($str, $charset = NULL) static $_entities; - isset($charset) OR $charset = $this->charset; - $flag = is_php('5.4') - ? ENT_COMPAT | ENT_HTML5 - : ENT_COMPAT; - - if ( ! isset($_entities)) - { - $_entities = array_map('strtolower', get_html_translation_table(HTML_ENTITIES, $flag, $charset)); - - // If we're not on PHP 5.4+, add the possibly dangerous HTML 5 - // entities to the array manually - if ($flag === ENT_COMPAT) - { - $_entities[':'] = ':'; - $_entities['('] = '('; - $_entities[')'] = ')'; - $_entities["\n"] = ' '; - $_entities["\t"] = ' '; - } - } + isset($charset) OR $charset = $this->charset; + isset($_entities) OR $_entities = array_map('strtolower', get_html_translation_table(HTML_ENTITIES, ENT_COMPAT | ENT_HTML5, $charset)); do { @@ -715,14 +697,9 @@ public function entity_decode($str, $charset = NULL) // Decode numeric & UTF16 two byte entities $str = html_entity_decode( preg_replace('/(&#(?:x0*[0-9a-f]{2,5}(?![0-9a-f;])|(?:0*\d{2,4}(?![0-9;]))))/iS', '$1;', $str), - $flag, + ENT_COMPAT | ENT_HTML5, $charset ); - - if ($flag === ENT_COMPAT) - { - $str = str_replace(array_values($_entities), array_keys($_entities), $str); - } } while ($str_compare !== $str); return $str; @@ -1074,5 +1051,4 @@ protected function _csrf_set_hash() return $this->_csrf_hash; } - } diff --git a/system/core/compat/hash.php b/system/core/compat/hash.php index d567d0f80e3..5fec4cc6748 100644 --- a/system/core/compat/hash.php +++ b/system/core/compat/hash.php @@ -203,8 +203,6 @@ function hash_pbkdf2($algo, $password, $salt, $iterations, $length = 0, $raw_out 'ripemd160' => 64, 'ripemd256' => 64, 'ripemd320' => 64, - 'salsa10' => 64, - 'salsa20' => 64, 'sha1' => 64, 'sha224' => 64, 'sha256' => 64, diff --git a/system/core/compat/password.php b/system/core/compat/password.php index 1b5219e7b1d..e5842255704 100644 --- a/system/core/compat/password.php +++ b/system/core/compat/password.php @@ -141,7 +141,7 @@ function password_hash($password, $algo, array $options = array()) } // Try not to waste entropy ... - is_php('5.4') && stream_set_chunk_size($fp, 16); + stream_set_chunk_size($fp, 16); $options['salt'] = ''; for ($read = 0; $read < 16; $read = ($func_override) ? mb_strlen($options['salt'], '8bit') : strlen($options['salt'])) diff --git a/system/core/compat/standard.php b/system/core/compat/standard.php index 6b7caa48524..ca5046e56c0 100644 --- a/system/core/compat/standard.php +++ b/system/core/compat/standard.php @@ -132,51 +132,3 @@ function array_column(array $array, $column_key, $index_key = NULL) return $result; } } - -// ------------------------------------------------------------------------ - -if (is_php('5.4')) -{ - return; -} - -// ------------------------------------------------------------------------ - -if ( ! function_exists('hex2bin')) -{ - /** - * hex2bin() - * - * @link http://php.net/hex2bin - * @param string $data - * @return string - */ - function hex2bin($data) - { - if (in_array($type = gettype($data), array('array', 'double', 'object', 'resource'), TRUE)) - { - if ($type === 'object' && method_exists($data, '__toString')) - { - $data = (string) $data; - } - else - { - trigger_error('hex2bin() expects parameter 1 to be string, '.$type.' given', E_USER_WARNING); - return NULL; - } - } - - if (strlen($data) % 2 !== 0) - { - trigger_error('Hexadecimal input string must have an even length', E_USER_WARNING); - return FALSE; - } - elseif ( ! preg_match('/^[0-9a-f]*$/i', $data)) - { - trigger_error('Input string must be hexadecimal string', E_USER_WARNING); - return FALSE; - } - - return pack('H*', $data); - } -} diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index 5cc6a421cdd..9f794a12ef0 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -315,7 +315,7 @@ protected function _escape_str($str) */ public function escape($str) { - if (is_php('5.4.4') && (is_string($str) OR (is_object($str) && method_exists($str, '__toString')))) + if (is_string($str) OR (is_object($str) && method_exists($str, '__toString'))) { return pg_escape_literal($this->conn_id, $str); } diff --git a/system/database/drivers/sqlite/index.html b/system/database/drivers/sqlite/index.html deleted file mode 100644 index b702fbc3967..00000000000 --- a/system/database/drivers/sqlite/index.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - 403 Forbidden - - - -

      Directory access is forbidden.

      - - - diff --git a/system/database/drivers/sqlite/sqlite_driver.php b/system/database/drivers/sqlite/sqlite_driver.php deleted file mode 100644 index 16b8c29c369..00000000000 --- a/system/database/drivers/sqlite/sqlite_driver.php +++ /dev/null @@ -1,330 +0,0 @@ -database, 0666, $error) - : sqlite_open($this->database, 0666, $error); - - isset($error) && log_message('error', $error); - - return $conn_id; - } - - // -------------------------------------------------------------------- - - /** - * Database version number - * - * @return string - */ - public function version() - { - return isset($this->data_cache['version']) - ? $this->data_cache['version'] - : $this->data_cache['version'] = sqlite_libversion(); - } - - // -------------------------------------------------------------------- - - /** - * Execute the query - * - * @param string $sql an SQL query - * @return resource - */ - protected function _execute($sql) - { - return $this->is_write_type($sql) - ? sqlite_exec($this->conn_id, $sql) - : sqlite_query($this->conn_id, $sql); - } - - // -------------------------------------------------------------------- - - /** - * Begin Transaction - * - * @return bool - */ - protected function _trans_begin() - { - return $this->simple_query('BEGIN TRANSACTION'); - } - - // -------------------------------------------------------------------- - - /** - * Commit Transaction - * - * @return bool - */ - protected function _trans_commit() - { - return $this->simple_query('COMMIT'); - } - - // -------------------------------------------------------------------- - - /** - * Rollback Transaction - * - * @return bool - */ - protected function _trans_rollback() - { - return $this->simple_query('ROLLBACK'); - } - - // -------------------------------------------------------------------- - - /** - * Platform-dependant string escape - * - * @param string - * @return string - */ - protected function _escape_str($str) - { - return sqlite_escape_string($str); - } - - // -------------------------------------------------------------------- - - /** - * Affected Rows - * - * @return int - */ - public function affected_rows() - { - return sqlite_changes($this->conn_id); - } - - // -------------------------------------------------------------------- - - /** - * Insert ID - * - * @return int - */ - public function insert_id() - { - return sqlite_last_insert_rowid($this->conn_id); - } - - // -------------------------------------------------------------------- - - /** - * List table query - * - * Generates a platform-specific query string so that the table names can be fetched - * - * @param bool $prefix_limit - * @return string - */ - protected function _list_tables($prefix_limit = FALSE) - { - $sql = "SELECT name FROM sqlite_master WHERE type='table'"; - - if ($prefix_limit !== FALSE && $this->dbprefix != '') - { - return $sql." AND 'name' LIKE '".$this->escape_like_str($this->dbprefix)."%' ".sprintf($this->_like_escape_str, $this->_like_escape_chr); - } - - return $sql; - } - - // -------------------------------------------------------------------- - - /** - * Show column query - * - * Generates a platform-specific query string so that the column names can be fetched - * - * @param string $table - * @return bool - */ - protected function _list_columns($table = '') - { - // Not supported - return FALSE; - } - - // -------------------------------------------------------------------- - - /** - * Returns an object with field data - * - * @param string $table - * @return array - */ - public function field_data($table) - { - if (($query = $this->query('PRAGMA TABLE_INFO('.$this->protect_identifiers($table, TRUE, NULL, FALSE).')')) === FALSE) - { - return FALSE; - } - - $query = $query->result_array(); - if (empty($query)) - { - return FALSE; - } - - $retval = array(); - for ($i = 0, $c = count($query); $i < $c; $i++) - { - $retval[$i] = new stdClass(); - $retval[$i]->name = $query[$i]['name']; - $retval[$i]->type = $query[$i]['type']; - $retval[$i]->max_length = NULL; - $retval[$i]->default = $query[$i]['dflt_value']; - $retval[$i]->primary_key = isset($query[$i]['pk']) ? (int) $query[$i]['pk'] : 0; - } - - return $retval; - } - - // -------------------------------------------------------------------- - - /** - * Error - * - * Returns an array containing code and message of the last - * database error that has occured. - * - * @return array - */ - public function error() - { - $error = array('code' => sqlite_last_error($this->conn_id)); - $error['message'] = sqlite_error_string($error['code']); - return $error; - } - - // -------------------------------------------------------------------- - - /** - * Replace statement - * - * Generates a platform-specific replace string from the supplied data - * - * @param string $table Table name - * @param array $keys INSERT keys - * @param array $values INSERT values - * @return string - */ - protected function _replace($table, $keys, $values) - { - return 'INSERT OR '.parent::_replace($table, $keys, $values); - } - - // -------------------------------------------------------------------- - - /** - * Truncate statement - * - * Generates a platform-specific truncate string from the supplied data - * - * If the database does not support the TRUNCATE statement, - * then this function maps to 'DELETE FROM table' - * - * @param string $table - * @return string - */ - protected function _truncate($table) - { - return 'DELETE FROM '.$table; - } - - // -------------------------------------------------------------------- - - /** - * Close DB Connection - * - * @return void - */ - protected function _close() - { - sqlite_close($this->conn_id); - } - -} diff --git a/system/database/drivers/sqlite/sqlite_forge.php b/system/database/drivers/sqlite/sqlite_forge.php deleted file mode 100644 index 3ad3477e478..00000000000 --- a/system/database/drivers/sqlite/sqlite_forge.php +++ /dev/null @@ -1,205 +0,0 @@ -db->database) OR ! @unlink($this->db->database)) - { - return ($this->db->db_debug) ? $this->db->display_error('db_unable_to_drop') : FALSE; - } - elseif ( ! empty($this->db->data_cache['db_names'])) - { - $key = array_search(strtolower($this->db->database), array_map('strtolower', $this->db->data_cache['db_names']), TRUE); - if ($key !== FALSE) - { - unset($this->db->data_cache['db_names'][$key]); - } - } - - return TRUE; - } - - // -------------------------------------------------------------------- - - /** - * ALTER TABLE - * - * @todo implement drop_column(), modify_column() - * @param string $alter_type ALTER type - * @param string $table Table name - * @param mixed $field Column definition - * @return string|string[] - */ - protected function _alter_table($alter_type, $table, $field) - { - if ($alter_type === 'DROP' OR $alter_type === 'CHANGE') - { - // drop_column(): - // BEGIN TRANSACTION; - // CREATE TEMPORARY TABLE t1_backup(a,b); - // INSERT INTO t1_backup SELECT a,b FROM t1; - // DROP TABLE t1; - // CREATE TABLE t1(a,b); - // INSERT INTO t1 SELECT a,b FROM t1_backup; - // DROP TABLE t1_backup; - // COMMIT; - - return FALSE; - } - - return parent::_alter_table($alter_type, $table, $field); - } - - // -------------------------------------------------------------------- - - /** - * Process column - * - * @param array $field - * @return string - */ - protected function _process_column($field) - { - return $this->db->escape_identifiers($field['name']) - .' '.$field['type'] - .$field['auto_increment'] - .$field['null'] - .$field['unique'] - .$field['default']; - } - - // -------------------------------------------------------------------- - - /** - * Field attribute TYPE - * - * Performs a data type mapping between different databases. - * - * @param array &$attributes - * @return void - */ - protected function _attr_type(&$attributes) - { - switch (strtoupper($attributes['TYPE'])) - { - case 'ENUM': - case 'SET': - $attributes['TYPE'] = 'TEXT'; - return; - default: return; - } - } - - // -------------------------------------------------------------------- - - /** - * Field attribute AUTO_INCREMENT - * - * @param array &$attributes - * @param array &$field - * @return void - */ - protected function _attr_auto_increment(&$attributes, &$field) - { - if ( ! empty($attributes['AUTO_INCREMENT']) && $attributes['AUTO_INCREMENT'] === TRUE && stripos($field['type'], 'int') !== FALSE) - { - $field['type'] = 'INTEGER PRIMARY KEY'; - $field['default'] = ''; - $field['null'] = ''; - $field['unique'] = ''; - $field['auto_increment'] = ' AUTOINCREMENT'; - - $this->primary_keys = array(); - } - } - -} diff --git a/system/database/drivers/sqlite/sqlite_result.php b/system/database/drivers/sqlite/sqlite_result.php deleted file mode 100644 index d40b98aab94..00000000000 --- a/system/database/drivers/sqlite/sqlite_result.php +++ /dev/null @@ -1,164 +0,0 @@ -num_rows) - ? $this->num_rows - : $this->num_rows = @sqlite_num_rows($this->result_id); - } - - // -------------------------------------------------------------------- - - /** - * Number of fields in the result set - * - * @return int - */ - public function num_fields() - { - return @sqlite_num_fields($this->result_id); - } - - // -------------------------------------------------------------------- - - /** - * Fetch Field Names - * - * Generates an array of column names - * - * @return array - */ - public function list_fields() - { - $field_names = array(); - for ($i = 0, $c = $this->num_fields(); $i < $c; $i++) - { - $field_names[$i] = sqlite_field_name($this->result_id, $i); - } - - return $field_names; - } - - // -------------------------------------------------------------------- - - /** - * Field data - * - * Generates an array of objects containing field meta-data - * - * @return array - */ - public function field_data() - { - $retval = array(); - for ($i = 0, $c = $this->num_fields(); $i < $c; $i++) - { - $retval[$i] = new stdClass(); - $retval[$i]->name = sqlite_field_name($this->result_id, $i); - $retval[$i]->type = NULL; - $retval[$i]->max_length = NULL; - } - - return $retval; - } - - // -------------------------------------------------------------------- - - /** - * Data Seek - * - * Moves the internal pointer to the desired offset. We call - * this internally before fetching results to make sure the - * result set starts at zero. - * - * @param int $n - * @return bool - */ - public function data_seek($n = 0) - { - return sqlite_seek($this->result_id, $n); - } - - // -------------------------------------------------------------------- - - /** - * Result - associative array - * - * Returns the result set as an array - * - * @return array - */ - protected function _fetch_assoc() - { - return sqlite_fetch_array($this->result_id); - } - - // -------------------------------------------------------------------- - - /** - * Result - object - * - * Returns the result set as an object - * - * @param string $class_name - * @return object - */ - protected function _fetch_object($class_name = 'stdClass') - { - return sqlite_fetch_object($this->result_id, $class_name); - } - -} diff --git a/system/database/drivers/sqlite/sqlite_utility.php b/system/database/drivers/sqlite/sqlite_utility.php deleted file mode 100644 index 59c46f9ef1c..00000000000 --- a/system/database/drivers/sqlite/sqlite_utility.php +++ /dev/null @@ -1,61 +0,0 @@ -db->display_error('db_unsupported_feature'); - } - -} diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 90a68f12900..1191e2350bb 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -225,13 +225,6 @@ class CI_Email { // -------------------------------------------------------------------- - /** - * Whether PHP is running in safe mode. Initialized by the class constructor. - * - * @var bool - */ - protected $_safe_mode = FALSE; - /** * Subject header * @@ -395,7 +388,6 @@ public function __construct(array $config = array()) { $this->charset = config_item('charset'); $this->initialize($config); - $this->_safe_mode = ( ! is_php('5.4') && ini_get('safe_mode')); isset(self::$func_override) OR self::$func_override = (extension_loaded('mbstring') && ini_get('mbstring.func_override')); @@ -676,18 +668,6 @@ public function subject($subject) public function message($body) { $this->_body = rtrim(str_replace("\r", '', $body)); - - /* strip slashes only if magic quotes is ON - if we do it with magic quotes OFF, it strips real, user-inputted chars. - - NOTE: In PHP 5.4 get_magic_quotes_gpc() will always return 0 and - it will probably not exist in future versions at all. - */ - if ( ! is_php('5.4') && get_magic_quotes_gpc()) - { - $this->_body = stripslashes($this->_body); - } - return $this; } @@ -1854,16 +1834,9 @@ protected function _send_with_mail() $this->_recipients = implode(', ', $this->_recipients); } - if ($this->_safe_mode === TRUE) - { - return mail($this->_recipients, $this->_subject, $this->_finalbody, $this->_header_str); - } - else - { - // most documentation of sendmail using the "-f" flag lacks a space after it, however - // we've encountered servers that seem to require it to be in place. - return mail($this->_recipients, $this->_subject, $this->_finalbody, $this->_header_str, '-f '.$this->clean_email($this->_headers['Return-Path'])); - } + // most documentation of sendmail using the "-f" flag lacks a space after it, however + // we've encountered servers that seem to require it to be in place. + return mail($this->_recipients, $this->_subject, $this->_finalbody, $this->_header_str, '-f '.$this->clean_email($this->_headers['Return-Path'])); } // -------------------------------------------------------------------- @@ -2421,9 +2394,6 @@ protected static function substr($str, $start, $length = NULL) { if (self::$func_override) { - // mb_substr($str, $start, null, '8bit') returns an empty - // string on PHP 5.3 - isset($length) OR $length = ($start >= 0 ? self::strlen($str) - $start : -$start); return mb_substr($str, $start, $length, '8bit'); } diff --git a/system/libraries/Encryption.php b/system/libraries/Encryption.php index 545081b3b76..c68ee25848a 100644 --- a/system/libraries/Encryption.php +++ b/system/libraries/Encryption.php @@ -482,7 +482,7 @@ protected function _openssl_encrypt($data, $params) $data, $params['handle'], $params['key'], - 1, // DO NOT TOUCH! + OPENSSL_RAW_DATA, $iv ); @@ -641,7 +641,7 @@ protected function _openssl_decrypt($data, $params) $data, $params['handle'], $params['key'], - 1, // DO NOT TOUCH! + OPENSSL_RAW_DATA, $iv ); } @@ -930,9 +930,6 @@ protected static function substr($str, $start, $length = NULL) { if (self::$func_override) { - // mb_substr($str, $start, null, '8bit') returns an empty - // string on PHP 5.3 - isset($length) OR $length = ($start >= 0 ? self::strlen($str) - $start : -$start); return mb_substr($str, $start, $length, '8bit'); } diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index 01989d2d71b..9d3bd7a2f06 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -105,23 +105,7 @@ public function __construct(array $params = array()) $class = new $class($this->_config); if ($class instanceof SessionHandlerInterface) { - if (is_php('5.4')) - { - session_set_save_handler($class, TRUE); - } - else - { - session_set_save_handler( - array($class, 'open'), - array($class, 'close'), - array($class, 'read'), - array($class, 'write'), - array($class, 'destroy'), - array($class, 'gc') - ); - - register_shutdown_function('session_write_close'); - } + session_set_save_handler($class, TRUE); } else { @@ -190,9 +174,6 @@ public function __construct(array $params = array()) */ protected function _ci_load_classes($driver) { - // PHP 5.4 compatibility - interface_exists('SessionHandlerInterface', FALSE) OR require_once(BASEPATH.'libraries/Session/SessionHandlerInterface.php'); - $prefix = config_item('subclass_prefix'); if ( ! class_exists('CI_Session_driver', FALSE)) diff --git a/system/libraries/Session/SessionHandlerInterface.php b/system/libraries/Session/SessionHandlerInterface.php deleted file mode 100644 index b3533dd1eae..00000000000 --- a/system/libraries/Session/SessionHandlerInterface.php +++ /dev/null @@ -1,59 +0,0 @@ - 0) diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index 7186646dac9..87f609e8dad 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -836,9 +836,7 @@ public function __construct($val, $code = 0, $fstr = '') { // error $this->errno = $code; - $this->errstr = htmlspecialchars($fstr, - (is_php('5.4') ? ENT_XML1 | ENT_NOQUOTES : ENT_NOQUOTES), - 'UTF-8'); + $this->errstr = htmlspecialchars($fstr, ENT_XML1 | ENT_NOQUOTES, 'UTF-8'); } elseif ( ! is_object($val)) { diff --git a/system/libraries/Zip.php b/system/libraries/Zip.php index 25315c92e67..82a43e9c972 100644 --- a/system/libraries/Zip.php +++ b/system/libraries/Zip.php @@ -519,9 +519,6 @@ protected static function substr($str, $start, $length = NULL) { if (self::$func_override) { - // mb_substr($str, $start, null, '8bit') returns an empty - // string on PHP 5.3 - isset($length) OR $length = ($start >= 0 ? self::strlen($str) - $start : -$start); return mb_substr($str, $start, $length, '8bit'); } diff --git a/tests/codeigniter/core/compat/standard_test.php b/tests/codeigniter/core/compat/standard_test.php index a9846012978..54424bb9b99 100644 --- a/tests/codeigniter/core/compat/standard_test.php +++ b/tests/codeigniter/core/compat/standard_test.php @@ -10,11 +10,6 @@ public function test_bootstrap() } $this->assertTrue(function_exists('array_column')); - - if ( ! is_php('5.4')) - { - $this->assertTrue(function_exists('hex2bin')); - } } // ------------------------------------------------------------------------ @@ -330,25 +325,6 @@ public function test_array_column() array_column($input, 'b', 'a') ); } - - // ------------------------------------------------------------------------ - - /** - * hex2bin() tests - * - * @depends test_bootstrap - */ - public function test_hex2bin() - { - if (is_php('5.4')) - { - return $this->markTestSkipped('hex2bin() is already available on PHP 5.4'); - } - - $this->assertEquals("\x03\x04", hex2bin("0304")); - $this->assertEquals('', hex2bin('')); - $this->assertEquals("\x01\x02\x03", hex2bin(new FooHex())); - } } // ------------------------------------------------------------------------ @@ -368,11 +344,3 @@ public function __toString() return 'first_name'; } } - -class FooHex { - - public function __toString() - { - return '010203'; - } -} diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 84ed718cd8e..74fb157982c 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -13,6 +13,7 @@ Release Date: Not Released - Core + - Removed ``$config['rewrite_short_tags']`` (irrelevant on PHP 5.4+). - Removed previously deprecated ``$config['global_xss_filtering']``. - Removed previously deprecated :doc:`Routing Class ` methods ``fetch_directory()``, ``fetch_class()`` and ``fetch_method()`` (use the respective class properties instead). - Removed previously deprecated :doc:`Config Library ` method ``system_url()`` (encourages insecure practices). @@ -53,9 +54,10 @@ Release Date: Not Released - :doc:`Database ` changes include: + - Removed previously deprecated 'sqlite' driver (used for SQLite version 2; no longer shipped with PHP 5.4+). + - Removed method ``db_set_charset()`` and the ability to change a connection character set at runtime. - Changed method ``initialize()`` to return void and instead throw a ``RuntimeException`` in case of failure. - Changed method ``db_connect()`` to always set the connection character set (if supported by the driver) and to fail if it can't. - - Removed method ``db_set_charset()`` and the ability to change a connection character set at runtime. - :doc:`Database Forge `: diff --git a/user_guide_src/source/general/compatibility_functions.rst b/user_guide_src/source/general/compatibility_functions.rst index 71559d0be0b..522e43f6023 100644 --- a/user_guide_src/source/general/compatibility_functions.rst +++ b/user_guide_src/source/general/compatibility_functions.rst @@ -220,12 +220,3 @@ Function reference For more information, please refer to the `PHP manual for array_column() `_. - -.. php:function:: hex2bin($data) - - :param array $data: Hexadecimal representation of data - :returns: Binary representation of the given data - :rtype: string - - For more information, please refer to the `PHP manual for hex2bin() - `_. diff --git a/user_guide_src/source/general/requirements.rst b/user_guide_src/source/general/requirements.rst index 2e24d6d0386..982a6014ffe 100644 --- a/user_guide_src/source/general/requirements.rst +++ b/user_guide_src/source/general/requirements.rst @@ -15,7 +15,7 @@ Currently supported databases are: - Oracle via the *oci8* and *pdo* drivers - PostgreSQL via the *postgre* and *pdo* drivers - MS SQL via the *mssql*, *sqlsrv* (version 2005 and above only) and *pdo* drivers - - SQLite via the *sqlite* (version 2), *sqlite3* (version 3) and *pdo* drivers + - SQLite via the *sqlite3* and *pdo* drivers - CUBRID via the *cubrid* and *pdo* drivers - Interbase/Firebird via the *ibase* and *pdo* drivers - ODBC via the *odbc* and *pdo* drivers (you should know that ODBC is actually an abstraction layer) diff --git a/user_guide_src/source/installation/upgrade_320.rst b/user_guide_src/source/installation/upgrade_320.rst index a2772e10ccd..95d9aab4da0 100644 --- a/user_guide_src/source/installation/upgrade_320.rst +++ b/user_guide_src/source/installation/upgrade_320.rst @@ -161,6 +161,9 @@ CodeIgniter versions that have been removed in 3.2.0: - ``$config['allow_get_array']`` (use ``$_GET = array();`` instead) - ``$config['standardize_newlines']`` +- ``$config['rewrite_short_tags']`` (no impact; irrelevant on PHP 5.4+) + +- 'sqlite' database driver (no longer shipped with PHP 5.4+; 'sqlite3' is still available) - ``CI_Input::is_cli_request()`` (use :php:func:`is_cli()` instead) - ``CI_Router::fetch_directory()`` (use ``CI_Router::$directory`` instead) From dcd6f5153b7e7e6d798d5a77af65b7460f152e5c Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 14 Dec 2016 18:14:35 +0200 Subject: [PATCH 3053/3829] Isolate CI_Security instantiation from CI_Input; improve tests --- system/core/CodeIgniter.php | 4 +- system/core/Input.php | 7 ++- system/core/Utf8.php | 10 ++-- tests/codeigniter/core/Input_test.php | 4 +- tests/codeigniter/core/URI_test.php | 9 ++++ tests/codeigniter/core/Utf8_test.php | 53 +++++++++---------- .../helpers/cookie_helper_test.php | 5 +- .../codeigniter/helpers/text_helper_test.php | 23 ++++---- tests/codeigniter/helpers/url_helper_test.php | 12 ++++- .../libraries/Form_validation_test.php | 4 +- tests/mocks/ci_testcase.php | 4 +- tests/mocks/core/input.php | 8 ++- tests/mocks/core/utf8.php | 19 ------- 13 files changed, 79 insertions(+), 83 deletions(-) delete mode 100644 tests/mocks/core/utf8.php diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index dfc90af2a69..410b9613bd2 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -243,7 +243,7 @@ * Instantiate the UTF-8 class * ------------------------------------------------------ */ - $UNI =& load_class('Utf8', 'core'); + $UNI =& load_class('Utf8', 'core', $charset); /* * ------------------------------------------------------ @@ -288,7 +288,7 @@ * Load the Input class and sanitize globals * ------------------------------------------------------ */ - $IN =& load_class('Input', 'core'); + $IN =& load_class('Input', 'core', $SEC); /* * ------------------------------------------------------ diff --git a/system/core/Input.php b/system/core/Input.php index aefc3b7d8a1..d881e253db5 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -113,11 +113,10 @@ class CI_Input { * * @return void */ - public function __construct() + public function __construct(CI_Security &$security) { - $this->_enable_csrf = (config_item('csrf_protection') === TRUE); - - $this->security =& load_class('Security', 'core'); + $this->_enable_csrf = (config_item('csrf_protection') === TRUE); + $this->security = $security; // CSRF Protection check if ($this->_enable_csrf === TRUE && ! is_cli()) diff --git a/system/core/Utf8.php b/system/core/Utf8.php index 93c61167501..042ca43167f 100644 --- a/system/core/Utf8.php +++ b/system/core/Utf8.php @@ -57,13 +57,13 @@ class CI_Utf8 { * * @return void */ - public function __construct() + public function __construct($charset) { if ( - defined('PREG_BAD_UTF8_ERROR') // PCRE must support UTF-8 - && (ICONV_ENABLED === TRUE OR MB_ENABLED === TRUE) // iconv or mbstring must be installed - && strtoupper(config_item('charset')) === 'UTF-8' // Application charset must be UTF-8 - ) + defined('PREG_BAD_UTF8_ERROR') // PCRE must support UTF-8 + && (ICONV_ENABLED === TRUE OR MB_ENABLED === TRUE) // iconv or mbstring must be installed + && $charset === 'UTF-8' // Application charset must be UTF-8 + ) { define('UTF8_ENABLED', TRUE); log_message('info', 'UTF-8 Support Enabled'); diff --git a/tests/codeigniter/core/Input_test.php b/tests/codeigniter/core/Input_test.php index e1f4011b57e..78b6596918e 100644 --- a/tests/codeigniter/core/Input_test.php +++ b/tests/codeigniter/core/Input_test.php @@ -15,9 +15,7 @@ public function set_up() $security = new Mock_Core_Security(); $this->ci_set_config('charset', 'UTF-8'); - $utf8 = new Mock_Core_Utf8(); - - $this->input = new Mock_Core_Input($security, $utf8); + $this->input = new Mock_Core_Input($security); } // -------------------------------------------------------------------- diff --git a/tests/codeigniter/core/URI_test.php b/tests/codeigniter/core/URI_test.php index 42dff3639eb..f862c666ef9 100644 --- a/tests/codeigniter/core/URI_test.php +++ b/tests/codeigniter/core/URI_test.php @@ -119,8 +119,13 @@ public function test_explode_segments() */ // -------------------------------------------------------------------- + /** + * @runInSeparateProcess + */ public function test_filter_uri_passing() { + define('UTF8_ENABLED', FALSE); + $this->uri->_set_permitted_uri_chars('a-z 0-9~%.:_\-'); $str = 'abc01239~%.:_-'; @@ -129,8 +134,12 @@ public function test_filter_uri_passing() // -------------------------------------------------------------------- + /** + * @runInSeparateProcess + */ public function test_filter_uri_throws_error() { + define('UTF8_ENABLED', FALSE); $this->setExpectedException('RuntimeException'); $this->uri->config->set_item('enable_query_strings', FALSE); diff --git a/tests/codeigniter/core/Utf8_test.php b/tests/codeigniter/core/Utf8_test.php index 7e6ffd930c6..f40bb9848ce 100644 --- a/tests/codeigniter/core/Utf8_test.php +++ b/tests/codeigniter/core/Utf8_test.php @@ -1,31 +1,27 @@ ci_set_config('charset', 'UTF-8'); - $this->utf8 = new Mock_Core_Utf8(); - $this->ci_instance_var('utf8', $this->utf8); + if ( ! defined('PREG_BAD_UTF8_ERROR') OR (ICONV_ENABLED === FALSE && MB_ENABLED === FALSE)) + { + return $this->markTestSkipped('PCRE_UTF8 and/or both ext/mbstring & ext/iconv are unavailable'); + } + + new CI_Utf8('UTF-8'); + $this->assertTrue(UTF8_ENABLED); } // -------------------------------------------------------------------- - /** - * __construct() test - * - * @covers CI_Utf8::__construct - */ - public function test___construct() + public function test__constructUTF8_DISABLED() { - if (defined('PREG_BAD_UTF8_ERROR') && (ICONV_ENABLED === TRUE OR MB_ENABLED === TRUE) && strtoupper(config_item('charset')) === 'UTF-8') - { - $this->assertTrue(UTF8_ENABLED); - } - else - { - $this->assertFalse(UTF8_ENABLED); - } + new CI_Utf8('WINDOWS-1251'); + $this->assertFalse(UTF8_ENABLED); } // -------------------------------------------------------------------- @@ -37,8 +33,9 @@ public function test___construct() */ public function test_is_ascii() { - $this->assertTrue($this->utf8->is_ascii('foo bar')); - $this->assertFalse($this->utf8->is_ascii('тест')); + $utf8 = new CI_Utf8('UTF-8'); + $this->assertTrue($utf8->is_ascii('foo bar')); + $this->assertFalse($utf8->is_ascii('тест')); } // -------------------------------------------------------------------- @@ -51,21 +48,22 @@ public function test_is_ascii() */ public function test_clean_string() { - $this->assertEquals('foo bar', $this->utf8->clean_string('foo bar')); + $utf8 = new CI_Utf8('UTF-8'); + $this->assertEquals('foo bar', $utf8->clean_string('foo bar')); $illegal_utf8 = "\xc0тест"; if (MB_ENABLED) { - $this->assertEquals('тест', $this->utf8->clean_string($illegal_utf8)); + $this->assertEquals('тест', $utf8->clean_string($illegal_utf8)); } elseif (ICONV_ENABLED) { // This is a known issue, iconv doesn't always work with //IGNORE - $this->assertTrue(in_array($this->utf8->clean_string($illegal_utf8), array('тест', ''), TRUE)); + $this->assertTrue(in_array($utf8->clean_string($illegal_utf8), array('тест', ''), TRUE)); } else { - $this->assertEquals($illegal_utf8, $this->utf8->clean_string($illegal_utf8)); + $this->assertEquals($illegal_utf8, $utf8->clean_string($illegal_utf8)); } } @@ -78,14 +76,15 @@ public function test_clean_string() */ public function test_convert_to_utf8() { + $utf8 = new CI_Utf8('UTF-8'); if (MB_ENABLED OR ICONV_ENABLED) { - $this->assertEquals('тест', $this->utf8->convert_to_utf8('����', 'WINDOWS-1251')); + $this->assertEquals('тест', $utf8->convert_to_utf8('����', 'WINDOWS-1251')); } else { - $this->assertFalse($this->utf8->convert_to_utf8('����', 'WINDOWS-1251')); + $this->assertFalse($utf8->convert_to_utf8('����', 'WINDOWS-1251')); } } -} \ No newline at end of file +} diff --git a/tests/codeigniter/helpers/cookie_helper_test.php b/tests/codeigniter/helpers/cookie_helper_test.php index fba68f20fae..1fbb57f67c6 100644 --- a/tests/codeigniter/helpers/cookie_helper_test.php +++ b/tests/codeigniter/helpers/cookie_helper_test.php @@ -29,9 +29,8 @@ function test_get_cookie() $_COOKIE['foo'] = 'bar'; $security = new Mock_Core_Security(); - $utf8 = new Mock_Core_Utf8(); $input_cls = $this->ci_core_class('input'); - $this->ci_instance_var('input', new Mock_Core_Input($security, $utf8)); + $this->ci_instance_var('input', new Mock_Core_Input($security)); $this->assertEquals('bar', get_cookie('foo', FALSE)); $this->assertEquals('bar', get_cookie('foo', TRUE)); @@ -56,4 +55,4 @@ function test_delete_cookie() $this->markTestSkipped('Need to find a way to overcome a headers already set exception'); } -} \ No newline at end of file +} diff --git a/tests/codeigniter/helpers/text_helper_test.php b/tests/codeigniter/helpers/text_helper_test.php index 7a7dc0a124b..36465f203f2 100644 --- a/tests/codeigniter/helpers/text_helper_test.php +++ b/tests/codeigniter/helpers/text_helper_test.php @@ -2,21 +2,19 @@ class Text_helper_test extends CI_TestCase { - private $_long_string; - public function set_up() { $this->helper('text'); - - $this->_long_string = 'Once upon a time, a framework had no tests. It sad. So some nice people began to write tests. The more time that went on, the happier it became. Everyone was happy.'; } // ------------------------------------------------------------------------ public function test_word_limiter() { - $this->assertEquals('Once upon a time,…', word_limiter($this->_long_string, 4)); - $this->assertEquals('Once upon a time,…', word_limiter($this->_long_string, 4, '…')); + $long_string = 'Once upon a time, a framework had no tests. It sad. So some nice people began to write tests. The more time that went on, the happier it became. Everyone was happy.'; + + $this->assertEquals('Once upon a time,…', word_limiter($long_string, 4)); + $this->assertEquals('Once upon a time,…', word_limiter($long_string, 4, '…')); $this->assertEquals('', word_limiter('', 4)); } @@ -24,8 +22,10 @@ public function test_word_limiter() public function test_character_limiter() { - $this->assertEquals('Once upon a time, a…', character_limiter($this->_long_string, 20)); - $this->assertEquals('Once upon a time, a…', character_limiter($this->_long_string, 20, '…')); + $long_string = 'Once upon a time, a framework had no tests. It sad. So some nice people began to write tests. The more time that went on, the happier it became. Everyone was happy.'; + + $this->assertEquals('Once upon a time, a…', character_limiter($long_string, 20)); + $this->assertEquals('Once upon a time, a…', character_limiter($long_string, 20, '…')); $this->assertEquals('Short', character_limiter('Short', 20)); $this->assertEquals('Short', character_limiter('Short', 5)); } @@ -103,8 +103,13 @@ public function test_highlight_code() // ------------------------------------------------------------------------ + /** + * @runInSeparateProcess + */ public function test_highlight_phrase() { + define('UTF8_ENABLED', FALSE); + $strs = array( 'this is a phrase' => 'this is a phrase', 'this is another' => 'this is another', @@ -171,4 +176,4 @@ public function test_default_word_wrap_charlim() $this->assertEquals(strpos(word_wrap($string), "\n"), 73); } -} \ No newline at end of file +} diff --git a/tests/codeigniter/helpers/url_helper_test.php b/tests/codeigniter/helpers/url_helper_test.php index 24823a634e7..c5b0f80b760 100644 --- a/tests/codeigniter/helpers/url_helper_test.php +++ b/tests/codeigniter/helpers/url_helper_test.php @@ -7,8 +7,13 @@ public function set_up() $this->helper('url'); } + /** + * @runInSeparateProcess + */ public function test_url_title() { + define('UTF8_ENABLED', FALSE); + $words = array( 'foo bar /' => 'foo-bar', '\ testing 12' => 'testing-12' @@ -22,8 +27,13 @@ public function test_url_title() // -------------------------------------------------------------------- + /** + * @runInSeparateProcess + */ public function test_url_title_extra_dashes() { + define('UTF8_ENABLED', FALSE); + $words = array( '_foo bar_' => 'foo_bar', '_What\'s wrong with CSS?_' => 'Whats_wrong_with_CSS' @@ -76,4 +86,4 @@ public function test_pull_675() } } -} \ No newline at end of file +} diff --git a/tests/codeigniter/libraries/Form_validation_test.php b/tests/codeigniter/libraries/Form_validation_test.php index 4be080f9042..5b7830dd888 100644 --- a/tests/codeigniter/libraries/Form_validation_test.php +++ b/tests/codeigniter/libraries/Form_validation_test.php @@ -13,10 +13,8 @@ public function set_up() // Same applies for lang $lang = $this->getMockBuilder('CI_Lang')->setMethods(array('load'))->getMock(); - $this->ci_set_config('charset', 'UTF-8'); - $utf8 = new Mock_Core_Utf8(); $security = new Mock_Core_Security(); - $input = new Mock_Core_Input($security, $utf8); + $input = new Mock_Core_Input($security); $this->ci_instance_var('lang', $lang); $this->ci_instance_var('load', $loader); diff --git a/tests/mocks/ci_testcase.php b/tests/mocks/ci_testcase.php index a2c37b92e46..b320aab7425 100644 --- a/tests/mocks/ci_testcase.php +++ b/tests/mocks/ci_testcase.php @@ -24,9 +24,9 @@ class CI_TestCase extends PHPUnit_Framework_TestCase { // -------------------------------------------------------------------- - public function __construct() + public function __construct($name = null, array $data = [], $dataName = '') { - parent::__construct(); + parent::__construct($name, $data, $dataName); $this->ci_instance = new stdClass(); } diff --git a/tests/mocks/core/input.php b/tests/mocks/core/input.php index 4d217a252c8..6f6a91365ba 100644 --- a/tests/mocks/core/input.php +++ b/tests/mocks/core/input.php @@ -9,12 +9,10 @@ class Mock_Core_Input extends CI_Input { * * @covers CI_Input::__construct() */ - public function __construct($security, $utf8) + public function __construct($security) { - $this->_enable_csrf = (config_item('csrf_protection') === TRUE); - - // Assign Security and Utf8 classes - $this->security = $security; + $this->_enable_csrf = (config_item('csrf_protection') === TRUE); + $this->security = $security; } public function fetch_from_array($array, $index = '', $xss_clean = FALSE) diff --git a/tests/mocks/core/utf8.php b/tests/mocks/core/utf8.php deleted file mode 100644 index 3a6282e1d9a..00000000000 --- a/tests/mocks/core/utf8.php +++ /dev/null @@ -1,19 +0,0 @@ - Date: Wed, 14 Dec 2016 18:41:52 +0200 Subject: [PATCH 3054/3829] Move csrf_verify() call out of CI_Input --- system/core/CodeIgniter.php | 2 +- system/core/Input.php | 20 +--------- system/core/Security.php | 9 +++-- tests/codeigniter/core/Input_test.php | 40 ++++++++++--------- tests/codeigniter/core/Security_test.php | 5 ++- .../helpers/cookie_helper_test.php | 4 +- .../helpers/security_helper_test.php | 2 +- .../libraries/Form_validation_test.php | 4 +- tests/codeigniter/libraries/Session_test.php | 5 ++- tests/codeigniter/libraries/Upload_test.php | 2 +- tests/mocks/core/input.php | 30 -------------- 11 files changed, 41 insertions(+), 82 deletions(-) delete mode 100644 tests/mocks/core/input.php diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 410b9613bd2..977d1427d2d 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -281,7 +281,7 @@ * Load the security class for xss and csrf support * ----------------------------------------------------- */ - $SEC =& load_class('Security', 'core'); + $SEC =& load_class('Security', 'core', $charset); /* * ------------------------------------------------------ diff --git a/system/core/Input.php b/system/core/Input.php index d881e253db5..ab60e45c3a5 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -57,16 +57,6 @@ class CI_Input { */ protected $ip_address = FALSE; - /** - * Enable CSRF flag - * - * Enables a CSRF cookie token to be set. - * Set automatically based on config setting. - * - * @var bool - */ - protected $_enable_csrf = FALSE; - /** * List of all HTTP request headers * @@ -115,15 +105,7 @@ class CI_Input { */ public function __construct(CI_Security &$security) { - $this->_enable_csrf = (config_item('csrf_protection') === TRUE); - $this->security = $security; - - // CSRF Protection check - if ($this->_enable_csrf === TRUE && ! is_cli()) - { - $this->security->csrf_verify(); - } - + $this->security = $security; log_message('info', 'Input Class Initialized'); } diff --git a/system/core/Security.php b/system/core/Security.php index a80b52fd1c4..fb0ca3d4e0e 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -167,10 +167,12 @@ class CI_Security { * * @return void */ - public function __construct() + public function __construct($charset) { + $this->charset = $charset; + // Is CSRF protection enabled? - if (config_item('csrf_protection')) + if (config_item('csrf_protection') && ! is_cli()) { // CSRF config foreach (array('csrf_expire', 'csrf_token_name', 'csrf_cookie_name') as $key) @@ -189,10 +191,9 @@ public function __construct() // Set the CSRF hash $this->_csrf_set_hash(); + $this->csrf_verify(); } - $this->charset = strtoupper(config_item('charset')); - log_message('info', 'Security Class Initialized'); } diff --git a/tests/codeigniter/core/Input_test.php b/tests/codeigniter/core/Input_test.php index 78b6596918e..e068a84be6f 100644 --- a/tests/codeigniter/core/Input_test.php +++ b/tests/codeigniter/core/Input_test.php @@ -12,10 +12,8 @@ public function set_up() $this->ci_set_config('global_xss_filtering', FALSE); $this->ci_set_config('csrf_protection', FALSE); - $security = new Mock_Core_Security(); - - $this->ci_set_config('charset', 'UTF-8'); - $this->input = new Mock_Core_Input($security); + $security = new Mock_Core_Security('UTF-8'); + $this->input = new CI_Input($security); } // -------------------------------------------------------------------- @@ -120,14 +118,17 @@ public function test_server() public function test_fetch_from_array() { + $reflection = new ReflectionMethod($this->input, '_fetch_from_array'); + $reflection->setAccessible(TRUE); + $data = array( 'foo' => 'bar', 'harm' => 'Hello, i try to your site', ); - $foo = $this->input->fetch_from_array($data, 'foo'); - $harm = $this->input->fetch_from_array($data, 'harm'); - $harmless = $this->input->fetch_from_array($data, 'harm', TRUE); + $foo = $reflection->invokeArgs($this->input, [&$data, 'foo']); + $harm = $reflection->invokeArgs($this->input, [&$data, 'harm']); + $harmless = $reflection->invokeArgs($this->input, [&$data, 'harm', TRUE]); $this->assertEquals('bar', $foo); $this->assertEquals("Hello, i try to your site", $harm); @@ -215,57 +216,60 @@ public function test_get_request_header() public function test_ip_address() { - $this->input->ip_address = '127.0.0.1'; + $reflection = new ReflectionProperty($this->input, 'ip_address'); + $reflection->setAccessible(TRUE); + + $reflection->setValue($this->input, '127.0.0.1'); $this->assertEquals('127.0.0.1', $this->input->ip_address()); // 127.0.0.1 is set in our Bootstrap file - $this->input->ip_address = FALSE; + $reflection->setValue($this->input, FALSE); $this->assertEquals('127.0.0.1', $this->input->ip_address()); // Invalid $_SERVER['REMOTE_ADDR'] = 'invalid_ip_address'; - $this->input->ip_address = FALSE; // reset cached value + $reflection->setValue($this->input, FALSE); // reset cached value $this->assertEquals('0.0.0.0', $this->input->ip_address()); $_SERVER['REMOTE_ADDR'] = '127.0.0.1'; // Proxy_ips tests - $this->input->ip_address = FALSE; + $reflection->setValue($this->input, FALSE); $this->ci_set_config('proxy_ips', '127.0.0.3, 127.0.0.4, 127.0.0.2'); $_SERVER['HTTP_CLIENT_IP'] = '127.0.0.2'; $this->assertEquals('127.0.0.1', $this->input->ip_address()); // Invalid spoof - $this->input->ip_address = FALSE; + $reflection->setValue($this->input, FALSE); $this->ci_set_config('proxy_ips', 'invalid_ip_address'); $_SERVER['HTTP_CLIENT_IP'] = 'invalid_ip_address'; $this->assertEquals('127.0.0.1', $this->input->ip_address()); - $this->input->ip_address = FALSE; + $reflection->setValue($this->input, FALSE); $this->ci_set_config('proxy_ips', 'http://foo/bar/baz,%20127.0.0.1/1'); $_SERVER['HTTP_CLIENT_IP'] = '127.0.0.1'; $this->assertEquals('127.0.0.1', $this->input->ip_address()); - $this->input->ip_address = FALSE; + $reflection->setValue($this->input, FALSE); $this->ci_set_config('proxy_ips', 'http://foo/bar/baz,%20127.0.0.2'); $_SERVER['HTTP_CLIENT_IP'] = '127.0.0.2'; $_SERVER['REMOTE_ADDR'] = '127.0.0.2'; $this->assertEquals('127.0.0.2', $this->input->ip_address()); - //IPv6 - $this->input->ip_address = FALSE; + // IPv6 + $reflection->setValue($this->input, FALSE); $this->ci_set_config('proxy_ips', 'FE80:0000:0000:0000:0202:B3FF:FE1E:8329/1, FE80:0000:0000:0000:0202:B3FF:FE1E:8300/2'); $_SERVER['HTTP_CLIENT_IP'] = 'FE80:0000:0000:0000:0202:B3FF:FE1E:8300'; $_SERVER['REMOTE_ADDR'] = 'FE80:0000:0000:0000:0202:B3FF:FE1E:8329'; $this->assertEquals('FE80:0000:0000:0000:0202:B3FF:FE1E:8300', $this->input->ip_address()); - $this->input->ip_address = FALSE; + $reflection->setValue($this->input, FALSE); $this->ci_set_config('proxy_ips', '0::/32'); $_SERVER['HTTP_CLIENT_IP'] = '127.0.0.7'; $_SERVER['REMOTE_ADDR'] = '0000:0000:0000:0000:0000:0000:0000:0001'; $this->assertEquals('127.0.0.7', $this->input->ip_address()); - $this->input->ip_address = FALSE; + $reflection->setValue($this->input, FALSE); $_SERVER['REMOTE_ADDR'] = '127.0.0.1'; // back to reality } diff --git a/tests/codeigniter/core/Security_test.php b/tests/codeigniter/core/Security_test.php index cbf0285ecd9..2e1127f8774 100644 --- a/tests/codeigniter/core/Security_test.php +++ b/tests/codeigniter/core/Security_test.php @@ -12,7 +12,8 @@ public function set_up() $this->ci_set_config('csrf_token_name', 'ci_csrf_token'); $this->ci_set_config('csrf_cookie_name', 'ci_csrf_cookie'); - $this->security = new Mock_Core_Security(); + $_SERVER['REQUEST_METHOD'] = 'GET'; + $this->security = new Mock_Core_Security('UTF-8'); } // -------------------------------------------------------------------- @@ -341,7 +342,7 @@ public function test_csrf_set_hash() // leave csrf_cookie_name as blank to test _csrf_set_hash function $this->ci_set_config('csrf_cookie_name', ''); - $this->security = new Mock_Core_Security(); + $this->security = new Mock_Core_Security('UTF-8'); $this->assertNotEmpty($this->security->get_csrf_hash()); } diff --git a/tests/codeigniter/helpers/cookie_helper_test.php b/tests/codeigniter/helpers/cookie_helper_test.php index 1fbb57f67c6..e984be21ca8 100644 --- a/tests/codeigniter/helpers/cookie_helper_test.php +++ b/tests/codeigniter/helpers/cookie_helper_test.php @@ -28,9 +28,9 @@ function test_get_cookie() { $_COOKIE['foo'] = 'bar'; - $security = new Mock_Core_Security(); + $security = new Mock_Core_Security('UTF-8'); $input_cls = $this->ci_core_class('input'); - $this->ci_instance_var('input', new Mock_Core_Input($security)); + $this->ci_instance_var('input', new CI_Input($security)); $this->assertEquals('bar', get_cookie('foo', FALSE)); $this->assertEquals('bar', get_cookie('foo', TRUE)); diff --git a/tests/codeigniter/helpers/security_helper_test.php b/tests/codeigniter/helpers/security_helper_test.php index ab05d57baca..d7e3f47343c 100644 --- a/tests/codeigniter/helpers/security_helper_test.php +++ b/tests/codeigniter/helpers/security_helper_test.php @@ -6,7 +6,7 @@ function setUp() { $this->helper('security'); $obj = new stdClass; - $obj->security = new Mock_Core_Security(); + $obj->security = new Mock_Core_Security('UTF-8'); $this->ci_instance($obj); } diff --git a/tests/codeigniter/libraries/Form_validation_test.php b/tests/codeigniter/libraries/Form_validation_test.php index 5b7830dd888..edbe9da4a66 100644 --- a/tests/codeigniter/libraries/Form_validation_test.php +++ b/tests/codeigniter/libraries/Form_validation_test.php @@ -13,8 +13,8 @@ public function set_up() // Same applies for lang $lang = $this->getMockBuilder('CI_Lang')->setMethods(array('load'))->getMock(); - $security = new Mock_Core_Security(); - $input = new Mock_Core_Input($security); + $security = new Mock_Core_Security('UTF-8'); + $input = new CI_Input($security); $this->ci_instance_var('lang', $lang); $this->ci_instance_var('load', $loader); diff --git a/tests/codeigniter/libraries/Session_test.php b/tests/codeigniter/libraries/Session_test.php index 76a4fcc9803..840df076a5e 100644 --- a/tests/codeigniter/libraries/Session_test.php +++ b/tests/codeigniter/libraries/Session_test.php @@ -37,7 +37,8 @@ public function set_up() $ci = $this->ci_instance(); $ldr = $this->ci_core_class('load'); $ci->load = new $ldr(); - $ci->input = new Mock_Core_Input(NULL, NULL); + $security = new Mock_Core_Security('UTF-8'); + $ci->input = new CI_Input($security); // Make sure string helper is available $this->ci_vfs_clone('system/helpers/string_helper.php'); @@ -437,4 +438,4 @@ public function test_sess_destroy() $this->assertNull($this->session->native->userdata($key)); } -} \ No newline at end of file +} diff --git a/tests/codeigniter/libraries/Upload_test.php b/tests/codeigniter/libraries/Upload_test.php index 8bac597b3da..74a7d2c22df 100644 --- a/tests/codeigniter/libraries/Upload_test.php +++ b/tests/codeigniter/libraries/Upload_test.php @@ -6,7 +6,7 @@ public function set_up() { $ci = $this->ci_instance(); $ci->upload = new CI_Upload(); - $ci->security = new Mock_Core_Security(); + $ci->security = new Mock_Core_Security('UTF-8'); $ci->lang = $this->getMockBuilder('CI_Lang')->setMethods(array('load', 'line'))->getMock(); $ci->lang->expects($this->any())->method('line')->will($this->returnValue(FALSE)); $this->upload = $ci->upload; diff --git a/tests/mocks/core/input.php b/tests/mocks/core/input.php deleted file mode 100644 index 6f6a91365ba..00000000000 --- a/tests/mocks/core/input.php +++ /dev/null @@ -1,30 +0,0 @@ -_enable_csrf = (config_item('csrf_protection') === TRUE); - $this->security = $security; - } - - public function fetch_from_array($array, $index = '', $xss_clean = FALSE) - { - return parent::_fetch_from_array($array, $index, $xss_clean); - } - - public function __set($name, $value) - { - if ($name === 'ip_address') - { - $this->ip_address = $value; - } - } -} From 8d369209b9c1db8cf3fe06bba54441ca84a8d6e4 Mon Sep 17 00:00:00 2001 From: vlakoff Date: Thu, 15 Dec 2016 23:17:16 +0100 Subject: [PATCH 3055/3829] Small code simplification in character_limiter() --- system/helpers/text_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/text_helper.php b/system/helpers/text_helper.php index 4f9210f2da1..e54ed04e149 100644 --- a/system/helpers/text_helper.php +++ b/system/helpers/text_helper.php @@ -102,7 +102,7 @@ function character_limiter($str, $n = 500, $end_char = '…') } // a bit complicated, but faster than preg_replace with \s+ - $str = preg_replace('/ {2,}/', ' ', str_replace(array("\r", "\n", "\t", "\x0B", "\x0C"), ' ', $str)); + $str = preg_replace('/ {2,}/', ' ', str_replace(array("\r", "\n", "\t", "\v", "\f"), ' ', $str)); if (mb_strlen($str) <= $n) { From 468d16a24f2ecd07e922e158f541e9f6831636f2 Mon Sep 17 00:00:00 2001 From: Tomaz Lovrec Date: Fri, 16 Dec 2016 12:00:19 +0000 Subject: [PATCH 3056/3829] Remove needless constructor in model documentation PHP will execute the parent constructor regardless if a constructor method is defined in the child class or not. Defining an empty constructor just to call the parents constructor can be considered bad practice. --- user_guide_src/source/general/models.rst | 6 ------ 1 file changed, 6 deletions(-) diff --git a/user_guide_src/source/general/models.rst b/user_guide_src/source/general/models.rst index 1cfe736de41..08e9f5b3085 100644 --- a/user_guide_src/source/general/models.rst +++ b/user_guide_src/source/general/models.rst @@ -22,12 +22,6 @@ model class might look like:: public $content; public $date; - public function __construct() - { - // Call the CI_Model constructor - parent::__construct(); - } - public function get_last_ten_entries() { $query = $this->db->get('entries', 10); From 1398b72b32e3fb9628be2e09ffe97bea88565868 Mon Sep 17 00:00:00 2001 From: Tomaz Lovrec Date: Fri, 16 Dec 2016 12:02:12 +0000 Subject: [PATCH 3057/3829] Add constructor comments to match controller docs Empty constructors are pointless and bad practice, but removing them from this part of the documentation makes it less readable, makes less of a point, and would be quite frankly weird. Added a comment that suggests that further user code should be put there, like it is in the controller documentation --- user_guide_src/source/general/core_classes.rst | 1 + user_guide_src/source/general/models.rst | 2 ++ 2 files changed, 3 insertions(+) diff --git a/user_guide_src/source/general/core_classes.rst b/user_guide_src/source/general/core_classes.rst index 07c0b00bac0..79f73ef06d3 100644 --- a/user_guide_src/source/general/core_classes.rst +++ b/user_guide_src/source/general/core_classes.rst @@ -101,6 +101,7 @@ your new class in your application controller's constructors. public function __construct() { parent::__construct(); + // Your own constructor code } public function index() diff --git a/user_guide_src/source/general/models.rst b/user_guide_src/source/general/models.rst index 08e9f5b3085..eb842e927b7 100644 --- a/user_guide_src/source/general/models.rst +++ b/user_guide_src/source/general/models.rst @@ -70,6 +70,7 @@ The basic prototype for a model class is this:: public function __construct() { parent::__construct(); + // Your own constructor code } } @@ -85,6 +86,7 @@ The file name must match the class name. For example, if this is your class:: public function __construct() { parent::__construct(); + // Your own constructor code } } From 0c48f3982196df8171bd6f17f2660077168a3864 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 16 Dec 2016 14:52:54 +0200 Subject: [PATCH 3058/3829] Merge pull request #4947 from slax0rr/develop [ci skip] Remove needless constructor in model general topics documentation --- user_guide_src/source/general/core_classes.rst | 1 + user_guide_src/source/general/models.rst | 8 ++------ 2 files changed, 3 insertions(+), 6 deletions(-) diff --git a/user_guide_src/source/general/core_classes.rst b/user_guide_src/source/general/core_classes.rst index 07c0b00bac0..79f73ef06d3 100644 --- a/user_guide_src/source/general/core_classes.rst +++ b/user_guide_src/source/general/core_classes.rst @@ -101,6 +101,7 @@ your new class in your application controller's constructors. public function __construct() { parent::__construct(); + // Your own constructor code } public function index() diff --git a/user_guide_src/source/general/models.rst b/user_guide_src/source/general/models.rst index 1cfe736de41..eb842e927b7 100644 --- a/user_guide_src/source/general/models.rst +++ b/user_guide_src/source/general/models.rst @@ -22,12 +22,6 @@ model class might look like:: public $content; public $date; - public function __construct() - { - // Call the CI_Model constructor - parent::__construct(); - } - public function get_last_ten_entries() { $query = $this->db->get('entries', 10); @@ -76,6 +70,7 @@ The basic prototype for a model class is this:: public function __construct() { parent::__construct(); + // Your own constructor code } } @@ -91,6 +86,7 @@ The file name must match the class name. For example, if this is your class:: public function __construct() { parent::__construct(); + // Your own constructor code } } From 2b26ccfe25708e23d5d87b56d6984c09157df2b5 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 16 Dec 2016 12:02:00 +0200 Subject: [PATCH 3059/3829] Merge pull request #4945 from vlakoff/text_helper Small code simplification in character_limiter() --- system/helpers/text_helper.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/helpers/text_helper.php b/system/helpers/text_helper.php index 4f9210f2da1..e54ed04e149 100644 --- a/system/helpers/text_helper.php +++ b/system/helpers/text_helper.php @@ -102,7 +102,7 @@ function character_limiter($str, $n = 500, $end_char = '…') } // a bit complicated, but faster than preg_replace with \s+ - $str = preg_replace('/ {2,}/', ' ', str_replace(array("\r", "\n", "\t", "\x0B", "\x0C"), ' ', $str)); + $str = preg_replace('/ {2,}/', ' ', str_replace(array("\r", "\n", "\t", "\v", "\f"), ' ', $str)); if (mb_strlen($str) <= $n) { From 62adbbd6cb2bc56258817efbc8f201250de6b64d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Fri, 16 Dec 2016 15:48:14 +0200 Subject: [PATCH 3060/3829] [ci skip] Remove a function_exists() call from CI_Image_lib We use this function elsewhere without checking for existence; nobody has complained --- system/libraries/Image_lib.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index 475649c462f..884d0dcec8f 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -1194,7 +1194,7 @@ public function overlay_watermark() } // Build the finalized image - if ($wm_img_type === 3 && function_exists('imagealphablending')) + if ($wm_img_type === 3) { @imagealphablending($src_img, TRUE); } From a927ae4ee86fb6727ac340e7b96aee6f82b5542b Mon Sep 17 00:00:00 2001 From: Alex Fang Date: Thu, 22 Dec 2016 12:49:45 +0800 Subject: [PATCH 3061/3829] Fix bug: DB_query_builder do not add parenthesis for cached group_by --- system/database/DB_query_builder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index b88ec956ac5..6d165fc798f 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1402,7 +1402,7 @@ public function count_all_results($table = '', $reset = TRUE) $this->qb_orderby = NULL; } - $result = ($this->qb_distinct === TRUE OR ! empty($this->qb_groupby)) + $result = ($this->qb_distinct === TRUE OR ! empty($this->qb_groupby) OR in_array('groupby', $this->qb_cache_exists)) ? $this->query($this->_count_string.$this->protect_identifiers('numrows')."\nFROM (\n".$this->_compile_select()."\n) CI_count_all_results") : $this->query($this->_compile_select($this->_count_string.$this->protect_identifiers('numrows'))); From 8112b5341ec02d38e448e767ab95196df9a84a74 Mon Sep 17 00:00:00 2001 From: Alex Fang Date: Fri, 23 Dec 2016 10:38:11 +0800 Subject: [PATCH 3062/3829] 1. Updated last comit with comment for https://github.com/bcit-ci/CodeIgniter/pull/4955 --- system/database/DB_query_builder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 6d165fc798f..48c85712559 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1402,7 +1402,7 @@ public function count_all_results($table = '', $reset = TRUE) $this->qb_orderby = NULL; } - $result = ($this->qb_distinct === TRUE OR ! empty($this->qb_groupby) OR in_array('groupby', $this->qb_cache_exists)) + $result = ($this->qb_distinct === TRUE OR ! empty($this->qb_groupby) OR ! empty($this->qb_cache_groupby)) ? $this->query($this->_count_string.$this->protect_identifiers('numrows')."\nFROM (\n".$this->_compile_select()."\n) CI_count_all_results") : $this->query($this->_compile_select($this->_count_string.$this->protect_identifiers('numrows'))); From fced25f5728ce81fe810216fcaa4ccec7523f6c9 Mon Sep 17 00:00:00 2001 From: Master Yoda Date: Sat, 31 Dec 2016 08:46:18 -0800 Subject: [PATCH 3063/3829] Update copyright data to 2017 --- .gitignore | 1 + index.php | 4 ++-- license.txt | 2 +- system/core/Benchmark.php | 4 ++-- system/core/CodeIgniter.php | 4 ++-- system/core/Common.php | 4 ++-- system/core/Config.php | 4 ++-- system/core/Controller.php | 4 ++-- system/core/Exceptions.php | 4 ++-- system/core/Hooks.php | 4 ++-- system/core/Input.php | 4 ++-- system/core/Lang.php | 4 ++-- system/core/Loader.php | 4 ++-- system/core/Log.php | 4 ++-- system/core/Model.php | 4 ++-- system/core/Output.php | 4 ++-- system/core/Router.php | 4 ++-- system/core/Security.php | 4 ++-- system/core/URI.php | 4 ++-- system/core/Utf8.php | 4 ++-- system/core/compat/hash.php | 4 ++-- system/core/compat/mbstring.php | 4 ++-- system/core/compat/password.php | 4 ++-- system/core/compat/standard.php | 4 ++-- system/database/DB.php | 4 ++-- system/database/DB_cache.php | 4 ++-- system/database/DB_driver.php | 4 ++-- system/database/DB_forge.php | 4 ++-- system/database/DB_query_builder.php | 4 ++-- system/database/DB_result.php | 4 ++-- system/database/DB_utility.php | 4 ++-- system/database/drivers/cubrid/cubrid_driver.php | 4 ++-- system/database/drivers/cubrid/cubrid_forge.php | 4 ++-- system/database/drivers/cubrid/cubrid_result.php | 4 ++-- system/database/drivers/cubrid/cubrid_utility.php | 4 ++-- system/database/drivers/ibase/ibase_driver.php | 4 ++-- system/database/drivers/ibase/ibase_forge.php | 4 ++-- system/database/drivers/ibase/ibase_result.php | 4 ++-- system/database/drivers/ibase/ibase_utility.php | 4 ++-- system/database/drivers/mssql/mssql_driver.php | 4 ++-- system/database/drivers/mssql/mssql_forge.php | 4 ++-- system/database/drivers/mssql/mssql_result.php | 4 ++-- system/database/drivers/mssql/mssql_utility.php | 4 ++-- system/database/drivers/mysql/mysql_driver.php | 4 ++-- system/database/drivers/mysql/mysql_forge.php | 4 ++-- system/database/drivers/mysql/mysql_result.php | 4 ++-- system/database/drivers/mysql/mysql_utility.php | 4 ++-- system/database/drivers/mysqli/mysqli_driver.php | 4 ++-- system/database/drivers/mysqli/mysqli_forge.php | 4 ++-- system/database/drivers/mysqli/mysqli_result.php | 4 ++-- system/database/drivers/mysqli/mysqli_utility.php | 4 ++-- system/database/drivers/oci8/oci8_driver.php | 4 ++-- system/database/drivers/oci8/oci8_forge.php | 4 ++-- system/database/drivers/oci8/oci8_result.php | 4 ++-- system/database/drivers/oci8/oci8_utility.php | 4 ++-- system/database/drivers/odbc/odbc_driver.php | 4 ++-- system/database/drivers/odbc/odbc_forge.php | 4 ++-- system/database/drivers/odbc/odbc_result.php | 4 ++-- system/database/drivers/odbc/odbc_utility.php | 4 ++-- system/database/drivers/pdo/pdo_driver.php | 4 ++-- system/database/drivers/pdo/pdo_forge.php | 4 ++-- system/database/drivers/pdo/pdo_result.php | 4 ++-- system/database/drivers/pdo/pdo_utility.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_4d_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_4d_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php | 4 ++-- .../database/drivers/pdo/subdrivers/pdo_firebird_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php | 4 ++-- .../database/drivers/pdo/subdrivers/pdo_informix_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_informix_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_oci_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_oci_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php | 4 ++-- system/database/drivers/postgre/postgre_driver.php | 4 ++-- system/database/drivers/postgre/postgre_forge.php | 4 ++-- system/database/drivers/postgre/postgre_result.php | 4 ++-- system/database/drivers/postgre/postgre_utility.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_driver.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_forge.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_result.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_utility.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_driver.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_forge.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_result.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_utility.php | 4 ++-- system/helpers/array_helper.php | 4 ++-- system/helpers/captcha_helper.php | 4 ++-- system/helpers/cookie_helper.php | 4 ++-- system/helpers/date_helper.php | 4 ++-- system/helpers/directory_helper.php | 4 ++-- system/helpers/download_helper.php | 4 ++-- system/helpers/file_helper.php | 4 ++-- system/helpers/form_helper.php | 4 ++-- system/helpers/html_helper.php | 4 ++-- system/helpers/inflector_helper.php | 4 ++-- system/helpers/language_helper.php | 4 ++-- system/helpers/number_helper.php | 4 ++-- system/helpers/path_helper.php | 4 ++-- system/helpers/security_helper.php | 4 ++-- system/helpers/string_helper.php | 4 ++-- system/helpers/text_helper.php | 4 ++-- system/helpers/typography_helper.php | 4 ++-- system/helpers/url_helper.php | 4 ++-- system/helpers/xml_helper.php | 4 ++-- system/language/english/calendar_lang.php | 4 ++-- system/language/english/date_lang.php | 4 ++-- system/language/english/db_lang.php | 4 ++-- system/language/english/email_lang.php | 4 ++-- system/language/english/form_validation_lang.php | 4 ++-- system/language/english/ftp_lang.php | 4 ++-- system/language/english/imglib_lang.php | 4 ++-- system/language/english/migration_lang.php | 4 ++-- system/language/english/number_lang.php | 4 ++-- system/language/english/pagination_lang.php | 4 ++-- system/language/english/profiler_lang.php | 4 ++-- system/language/english/unit_test_lang.php | 4 ++-- system/language/english/upload_lang.php | 4 ++-- system/libraries/Cache/Cache.php | 4 ++-- system/libraries/Cache/drivers/Cache_apc.php | 4 ++-- system/libraries/Cache/drivers/Cache_dummy.php | 4 ++-- system/libraries/Cache/drivers/Cache_file.php | 4 ++-- system/libraries/Cache/drivers/Cache_memcached.php | 4 ++-- system/libraries/Cache/drivers/Cache_redis.php | 4 ++-- system/libraries/Cache/drivers/Cache_wincache.php | 4 ++-- system/libraries/Calendar.php | 4 ++-- system/libraries/Driver.php | 4 ++-- system/libraries/Email.php | 4 ++-- system/libraries/Encrypt.php | 4 ++-- system/libraries/Encryption.php | 4 ++-- system/libraries/Form_validation.php | 4 ++-- system/libraries/Ftp.php | 4 ++-- system/libraries/Image_lib.php | 4 ++-- system/libraries/Migration.php | 4 ++-- system/libraries/Pagination.php | 4 ++-- system/libraries/Parser.php | 4 ++-- system/libraries/Profiler.php | 4 ++-- system/libraries/Session/Session.php | 4 ++-- system/libraries/Session/Session_driver.php | 4 ++-- system/libraries/Session/drivers/Session_database_driver.php | 4 ++-- system/libraries/Session/drivers/Session_files_driver.php | 4 ++-- system/libraries/Session/drivers/Session_memcached_driver.php | 4 ++-- system/libraries/Session/drivers/Session_redis_driver.php | 4 ++-- system/libraries/Table.php | 4 ++-- system/libraries/Trackback.php | 4 ++-- system/libraries/Typography.php | 4 ++-- system/libraries/Unit_test.php | 4 ++-- system/libraries/Upload.php | 4 ++-- system/libraries/User_agent.php | 4 ++-- system/libraries/Xmlrpc.php | 4 ++-- system/libraries/Xmlrpcs.php | 4 ++-- system/libraries/Zip.php | 4 ++-- user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/license.rst | 2 +- 167 files changed, 331 insertions(+), 330 deletions(-) diff --git a/.gitignore b/.gitignore index 5982f9badab..97f1d31593e 100644 --- a/.gitignore +++ b/.gitignore @@ -25,3 +25,4 @@ user_guide_src/cilexer/pycilexer.egg-info/* *.stTheme.cache *.sublime-workspace *.sublime-project +/tests/tests/ \ No newline at end of file diff --git a/index.php b/index.php index 8015672f322..b4e1fb14625 100755 --- a/index.php +++ b/index.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/license.txt b/license.txt index 388eee33763..934e126ff18 100644 --- a/license.txt +++ b/license.txt @@ -1,6 +1,6 @@ The MIT License (MIT) -Copyright (c) 2014 - 2016, British Columbia Institute of Technology +Copyright (c) 2014 - 2017, British Columbia Institute of Technology Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal diff --git a/system/core/Benchmark.php b/system/core/Benchmark.php index b1d74f78f94..b3ac79c6262 100644 --- a/system/core/Benchmark.php +++ b/system/core/Benchmark.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index 977d1427d2d..8eed52eb7cb 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Common.php b/system/core/Common.php index 48eb233c2a4..d3ffaf0cd2e 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Config.php b/system/core/Config.php index 6704a0a7e36..d7236df1fa6 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Controller.php b/system/core/Controller.php index 83b3df26c88..59a9167344c 100644 --- a/system/core/Controller.php +++ b/system/core/Controller.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Exceptions.php b/system/core/Exceptions.php index 4e10f28310c..47d153f49f4 100644 --- a/system/core/Exceptions.php +++ b/system/core/Exceptions.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Hooks.php b/system/core/Hooks.php index 856795cbad4..f2d6f21cafc 100644 --- a/system/core/Hooks.php +++ b/system/core/Hooks.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Input.php b/system/core/Input.php index ab60e45c3a5..a7918aefb8b 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Lang.php b/system/core/Lang.php index 1fcff078a61..569b0236865 100644 --- a/system/core/Lang.php +++ b/system/core/Lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Loader.php b/system/core/Loader.php index b52296499de..9876795507e 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Log.php b/system/core/Log.php index 9021626470f..5be7baea8f6 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Model.php b/system/core/Model.php index 941881a9f30..c809e7b8400 100644 --- a/system/core/Model.php +++ b/system/core/Model.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Output.php b/system/core/Output.php index febccdaefb8..0887717d94e 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Router.php b/system/core/Router.php index 42d0e295227..e92a8f54018 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Security.php b/system/core/Security.php index fb0ca3d4e0e..0c187e72f3d 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/URI.php b/system/core/URI.php index 7f07bfe1e4b..275c07900c7 100644 --- a/system/core/URI.php +++ b/system/core/URI.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Utf8.php b/system/core/Utf8.php index 042ca43167f..1aafbf3a3a7 100644 --- a/system/core/Utf8.php +++ b/system/core/Utf8.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.0 diff --git a/system/core/compat/hash.php b/system/core/compat/hash.php index 5fec4cc6748..c0eab490981 100644 --- a/system/core/compat/hash.php +++ b/system/core/compat/hash.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/core/compat/mbstring.php b/system/core/compat/mbstring.php index 554d10040a9..f466e1c34a0 100644 --- a/system/core/compat/mbstring.php +++ b/system/core/compat/mbstring.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/core/compat/password.php b/system/core/compat/password.php index e5842255704..84be66738ff 100644 --- a/system/core/compat/password.php +++ b/system/core/compat/password.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/core/compat/standard.php b/system/core/compat/standard.php index ca5046e56c0..6fd292a2663 100644 --- a/system/core/compat/standard.php +++ b/system/core/compat/standard.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/DB.php b/system/database/DB.php index 37dfdd6322c..00903503231 100644 --- a/system/database/DB.php +++ b/system/database/DB.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_cache.php b/system/database/DB_cache.php index 8855cc1b196..b74c31924e8 100644 --- a/system/database/DB_cache.php +++ b/system/database/DB_cache.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index c142a1354ba..d6e9a7df339 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index 9add5cab7a1..83b646d6e4b 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index b88ec956ac5..661f5fe6970 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_result.php b/system/database/DB_result.php index 4e2429376e0..98d8876a7ee 100644 --- a/system/database/DB_result.php +++ b/system/database/DB_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_utility.php b/system/database/DB_utility.php index 49cd301df54..944d458814a 100644 --- a/system/database/DB_utility.php +++ b/system/database/DB_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php index 77f591ced31..257925d8889 100644 --- a/system/database/drivers/cubrid/cubrid_driver.php +++ b/system/database/drivers/cubrid/cubrid_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/cubrid/cubrid_forge.php b/system/database/drivers/cubrid/cubrid_forge.php index 46a3b2185e5..27bfc146604 100644 --- a/system/database/drivers/cubrid/cubrid_forge.php +++ b/system/database/drivers/cubrid/cubrid_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/cubrid/cubrid_result.php b/system/database/drivers/cubrid/cubrid_result.php index 9cccb257067..251b70a63eb 100644 --- a/system/database/drivers/cubrid/cubrid_result.php +++ b/system/database/drivers/cubrid/cubrid_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/cubrid/cubrid_utility.php b/system/database/drivers/cubrid/cubrid_utility.php index 942fa3b4e41..555ae7a9125 100644 --- a/system/database/drivers/cubrid/cubrid_utility.php +++ b/system/database/drivers/cubrid/cubrid_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php index 671a353bc1e..106d5efaced 100644 --- a/system/database/drivers/ibase/ibase_driver.php +++ b/system/database/drivers/ibase/ibase_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/ibase/ibase_forge.php b/system/database/drivers/ibase/ibase_forge.php index b35cc3749fa..44bb24e68b8 100644 --- a/system/database/drivers/ibase/ibase_forge.php +++ b/system/database/drivers/ibase/ibase_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/ibase/ibase_result.php b/system/database/drivers/ibase/ibase_result.php index f3c21fcec24..7d7dd79acab 100644 --- a/system/database/drivers/ibase/ibase_result.php +++ b/system/database/drivers/ibase/ibase_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/ibase/ibase_utility.php b/system/database/drivers/ibase/ibase_utility.php index 619ebad0161..3c152101af8 100644 --- a/system/database/drivers/ibase/ibase_utility.php +++ b/system/database/drivers/ibase/ibase_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index 76f58564b14..7709c37bb92 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mssql/mssql_forge.php b/system/database/drivers/mssql/mssql_forge.php index 91b5794bc04..6b6109868e0 100644 --- a/system/database/drivers/mssql/mssql_forge.php +++ b/system/database/drivers/mssql/mssql_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mssql/mssql_result.php b/system/database/drivers/mssql/mssql_result.php index b62bf75cbb6..38a0a0574b9 100644 --- a/system/database/drivers/mssql/mssql_result.php +++ b/system/database/drivers/mssql/mssql_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mssql/mssql_utility.php b/system/database/drivers/mssql/mssql_utility.php index cd23be828eb..95ce88f1367 100644 --- a/system/database/drivers/mssql/mssql_utility.php +++ b/system/database/drivers/mssql/mssql_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 70b4f68bac0..6e445cf728b 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/mysql/mysql_forge.php b/system/database/drivers/mysql/mysql_forge.php index fa84be37105..7ed8f8d389e 100644 --- a/system/database/drivers/mysql/mysql_forge.php +++ b/system/database/drivers/mysql/mysql_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/mysql/mysql_result.php b/system/database/drivers/mysql/mysql_result.php index 20cade2e1fc..7aa265ebbaa 100644 --- a/system/database/drivers/mysql/mysql_result.php +++ b/system/database/drivers/mysql/mysql_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/mysql/mysql_utility.php b/system/database/drivers/mysql/mysql_utility.php index 4c1f2391b5d..bc01fc58ddf 100644 --- a/system/database/drivers/mysql/mysql_utility.php +++ b/system/database/drivers/mysql/mysql_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index cf931a35130..8c1b99caa58 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mysqli/mysqli_forge.php b/system/database/drivers/mysqli/mysqli_forge.php index c17f729c0fa..c5b23b6cacb 100644 --- a/system/database/drivers/mysqli/mysqli_forge.php +++ b/system/database/drivers/mysqli/mysqli_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mysqli/mysqli_result.php b/system/database/drivers/mysqli/mysqli_result.php index 0ce07414fec..929c2b455a7 100644 --- a/system/database/drivers/mysqli/mysqli_result.php +++ b/system/database/drivers/mysqli/mysqli_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mysqli/mysqli_utility.php b/system/database/drivers/mysqli/mysqli_utility.php index 79d9f3670f7..4a3dad4d164 100644 --- a/system/database/drivers/mysqli/mysqli_utility.php +++ b/system/database/drivers/mysqli/mysqli_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index 56fdf32cf43..c7f03301947 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.4.1 diff --git a/system/database/drivers/oci8/oci8_forge.php b/system/database/drivers/oci8/oci8_forge.php index 23e0257574f..ac33cde0ca6 100644 --- a/system/database/drivers/oci8/oci8_forge.php +++ b/system/database/drivers/oci8/oci8_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.4.1 diff --git a/system/database/drivers/oci8/oci8_result.php b/system/database/drivers/oci8/oci8_result.php index fc860ea1225..0c3543333e9 100644 --- a/system/database/drivers/oci8/oci8_result.php +++ b/system/database/drivers/oci8/oci8_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.4.1 diff --git a/system/database/drivers/oci8/oci8_utility.php b/system/database/drivers/oci8/oci8_utility.php index ebe49c46357..ce0dfc5f8c9 100644 --- a/system/database/drivers/oci8/oci8_utility.php +++ b/system/database/drivers/oci8/oci8_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.4.1 diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index 82efa498c9c..9f5a86fa09e 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/odbc/odbc_forge.php b/system/database/drivers/odbc/odbc_forge.php index bac30bedc16..77b2fdf62ca 100644 --- a/system/database/drivers/odbc/odbc_forge.php +++ b/system/database/drivers/odbc/odbc_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/odbc/odbc_result.php b/system/database/drivers/odbc/odbc_result.php index 110d6ab0f1e..845aa9c79a7 100644 --- a/system/database/drivers/odbc/odbc_result.php +++ b/system/database/drivers/odbc/odbc_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/odbc/odbc_utility.php b/system/database/drivers/odbc/odbc_utility.php index 2e344963d1d..643f6ec0cb6 100644 --- a/system/database/drivers/odbc/odbc_utility.php +++ b/system/database/drivers/odbc/odbc_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index 2da9cf38f94..d816dcb6458 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/pdo/pdo_forge.php b/system/database/drivers/pdo/pdo_forge.php index 2595f7b6e84..685b6776d43 100644 --- a/system/database/drivers/pdo/pdo_forge.php +++ b/system/database/drivers/pdo/pdo_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/pdo/pdo_result.php b/system/database/drivers/pdo/pdo_result.php index d1809bef255..bbc2cdc5a3e 100644 --- a/system/database/drivers/pdo/pdo_result.php +++ b/system/database/drivers/pdo/pdo_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/pdo/pdo_utility.php b/system/database/drivers/pdo/pdo_utility.php index 384661bf02a..5029cac9474 100644 --- a/system/database/drivers/pdo/pdo_utility.php +++ b/system/database/drivers/pdo/pdo_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php index 3dedfd9b37d..7eaeaa1fdca 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php b/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php index 41994f9dbfe..3f636d3bd40 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php index 4eb7f0ba67f..fc49e0dd069 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php index b5b95078e14..276cbb6bc42 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php index 9a1cbcaf4be..3249a1d7f41 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php index 83020032545..d0cca38dd64 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php index 7811d3da4f8..aa5e7d6e772 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php index 50df76905f3..20c5a689732 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php index 2366c40362b..26b556a7817 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php b/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php index a2dbfc25ac2..4238ca082bc 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php index d40d17a8804..050171f64b6 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php b/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php index 5af39b18182..2ddc2a9332c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index 6452b787bfd..66c15dac609 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php index 9d04a8a9a84..c7a92b826b2 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php index dd1d31c260c..abf9167d6c3 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php index 705b1c711c9..c8983ee56b1 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php index ebe1ed6f0b0..f4a2f08f3a7 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php index 7c65daa8450..a2a3bada30b 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php index 05b8350d1c2..9aed3a2fe89 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php index 214b6f5282c..18e399daca1 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php index cb06c2a9d08..9b70f3ea6f4 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php b/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php index b124bcad16a..18c475b173c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php index dfccb7d696f..1cf6c614de2 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php index 56bf87f3a4c..82a0d515d8c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index 9f794a12ef0..058a8044c74 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/postgre/postgre_forge.php b/system/database/drivers/postgre/postgre_forge.php index 8d985ba7d85..f7bbf74413b 100644 --- a/system/database/drivers/postgre/postgre_forge.php +++ b/system/database/drivers/postgre/postgre_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/postgre/postgre_result.php b/system/database/drivers/postgre/postgre_result.php index 354bb08d5bc..57864a7f34b 100644 --- a/system/database/drivers/postgre/postgre_result.php +++ b/system/database/drivers/postgre/postgre_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/postgre/postgre_utility.php b/system/database/drivers/postgre/postgre_utility.php index bb5e6e04b75..5ca358da525 100644 --- a/system/database/drivers/postgre/postgre_utility.php +++ b/system/database/drivers/postgre/postgre_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/sqlite3/sqlite3_driver.php b/system/database/drivers/sqlite3/sqlite3_driver.php index 9743499bdce..2d78a0f8a03 100644 --- a/system/database/drivers/sqlite3/sqlite3_driver.php +++ b/system/database/drivers/sqlite3/sqlite3_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/sqlite3/sqlite3_forge.php b/system/database/drivers/sqlite3/sqlite3_forge.php index c45472f548b..5ee6daae393 100644 --- a/system/database/drivers/sqlite3/sqlite3_forge.php +++ b/system/database/drivers/sqlite3/sqlite3_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/sqlite3/sqlite3_result.php b/system/database/drivers/sqlite3/sqlite3_result.php index aa559eef685..03751f0dcd7 100644 --- a/system/database/drivers/sqlite3/sqlite3_result.php +++ b/system/database/drivers/sqlite3/sqlite3_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/sqlite3/sqlite3_utility.php b/system/database/drivers/sqlite3/sqlite3_utility.php index b47c086f60d..20d562f96a7 100644 --- a/system/database/drivers/sqlite3/sqlite3_utility.php +++ b/system/database/drivers/sqlite3/sqlite3_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index c55d5f7b757..10aad115f90 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.3 diff --git a/system/database/drivers/sqlsrv/sqlsrv_forge.php b/system/database/drivers/sqlsrv/sqlsrv_forge.php index 4f0ce9d6fa6..aa8490ee4bb 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_forge.php +++ b/system/database/drivers/sqlsrv/sqlsrv_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.3 diff --git a/system/database/drivers/sqlsrv/sqlsrv_result.php b/system/database/drivers/sqlsrv/sqlsrv_result.php index fde7264b98a..f784ebea854 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_result.php +++ b/system/database/drivers/sqlsrv/sqlsrv_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.3 diff --git a/system/database/drivers/sqlsrv/sqlsrv_utility.php b/system/database/drivers/sqlsrv/sqlsrv_utility.php index 726fe3ea6cb..19c93d0c682 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_utility.php +++ b/system/database/drivers/sqlsrv/sqlsrv_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.3 diff --git a/system/helpers/array_helper.php b/system/helpers/array_helper.php index 3fdccf90991..74c7c15a84e 100644 --- a/system/helpers/array_helper.php +++ b/system/helpers/array_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index f2ff4dccf14..8f44806cc89 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/cookie_helper.php b/system/helpers/cookie_helper.php index f8943fde34d..30b475ce63f 100644 --- a/system/helpers/cookie_helper.php +++ b/system/helpers/cookie_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index 1f8e319caec..799c9f6d2d6 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/directory_helper.php b/system/helpers/directory_helper.php index cdc4c16bcce..2785241e6c2 100644 --- a/system/helpers/directory_helper.php +++ b/system/helpers/directory_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index 9619c61b108..b9a0e6be985 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/file_helper.php b/system/helpers/file_helper.php index 484bf32285e..6af632b0758 100644 --- a/system/helpers/file_helper.php +++ b/system/helpers/file_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index 496fc105579..9844c752a73 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index 22ef39c2e1d..b5e8ed78341 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/inflector_helper.php b/system/helpers/inflector_helper.php index f14f57c54a8..49e2a53db9d 100644 --- a/system/helpers/inflector_helper.php +++ b/system/helpers/inflector_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/language_helper.php b/system/helpers/language_helper.php index 3721164b775..d26cf5b8dca 100644 --- a/system/helpers/language_helper.php +++ b/system/helpers/language_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/number_helper.php b/system/helpers/number_helper.php index e7810c70672..cc8a7760c87 100644 --- a/system/helpers/number_helper.php +++ b/system/helpers/number_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/path_helper.php b/system/helpers/path_helper.php index 6c846a2116e..6896cb97bb7 100644 --- a/system/helpers/path_helper.php +++ b/system/helpers/path_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/security_helper.php b/system/helpers/security_helper.php index 048f06b6805..72736fa7db0 100644 --- a/system/helpers/security_helper.php +++ b/system/helpers/security_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/string_helper.php b/system/helpers/string_helper.php index 62b1a18e07e..311f7a420e1 100644 --- a/system/helpers/string_helper.php +++ b/system/helpers/string_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/text_helper.php b/system/helpers/text_helper.php index e54ed04e149..07c01c3afc2 100644 --- a/system/helpers/text_helper.php +++ b/system/helpers/text_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/typography_helper.php b/system/helpers/typography_helper.php index 928cb6d043d..183e117bf02 100644 --- a/system/helpers/typography_helper.php +++ b/system/helpers/typography_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php index 8a5a75c449f..99e82ef9fc5 100644 --- a/system/helpers/url_helper.php +++ b/system/helpers/url_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/xml_helper.php b/system/helpers/xml_helper.php index 3489da91c9f..a12ee25dbb4 100644 --- a/system/helpers/xml_helper.php +++ b/system/helpers/xml_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/calendar_lang.php b/system/language/english/calendar_lang.php index 8af5e80561b..77911e983f9 100644 --- a/system/language/english/calendar_lang.php +++ b/system/language/english/calendar_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/date_lang.php b/system/language/english/date_lang.php index 39af5a23966..bb454edfb91 100644 --- a/system/language/english/date_lang.php +++ b/system/language/english/date_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/db_lang.php b/system/language/english/db_lang.php index ed93452b493..b44bda95136 100644 --- a/system/language/english/db_lang.php +++ b/system/language/english/db_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/email_lang.php b/system/language/english/email_lang.php index 84fb0910949..22dc0fa787e 100644 --- a/system/language/english/email_lang.php +++ b/system/language/english/email_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/form_validation_lang.php b/system/language/english/form_validation_lang.php index 92d6d5ebbc0..aa9ff330b68 100644 --- a/system/language/english/form_validation_lang.php +++ b/system/language/english/form_validation_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/ftp_lang.php b/system/language/english/ftp_lang.php index 9e72bce4210..eada3e5d566 100644 --- a/system/language/english/ftp_lang.php +++ b/system/language/english/ftp_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/imglib_lang.php b/system/language/english/imglib_lang.php index 7f23233b4f7..363b9007408 100644 --- a/system/language/english/imglib_lang.php +++ b/system/language/english/imglib_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/migration_lang.php b/system/language/english/migration_lang.php index bce9210d3bc..168496090cb 100644 --- a/system/language/english/migration_lang.php +++ b/system/language/english/migration_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/language/english/number_lang.php b/system/language/english/number_lang.php index 0aaf51e72e6..9723ce5ec48 100644 --- a/system/language/english/number_lang.php +++ b/system/language/english/number_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/pagination_lang.php b/system/language/english/pagination_lang.php index 4d36bdee862..d24dd047bcf 100644 --- a/system/language/english/pagination_lang.php +++ b/system/language/english/pagination_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/profiler_lang.php b/system/language/english/profiler_lang.php index 2d8fa51f461..20949a20a15 100644 --- a/system/language/english/profiler_lang.php +++ b/system/language/english/profiler_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/unit_test_lang.php b/system/language/english/unit_test_lang.php index 29a4137a537..a89cb2d93f3 100644 --- a/system/language/english/unit_test_lang.php +++ b/system/language/english/unit_test_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/upload_lang.php b/system/language/english/upload_lang.php index 058dca9939f..ec611f9ace8 100644 --- a/system/language/english/upload_lang.php +++ b/system/language/english/upload_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Cache/Cache.php b/system/libraries/Cache/Cache.php index 349af15794e..267dffb0927 100644 --- a/system/libraries/Cache/Cache.php +++ b/system/libraries/Cache/Cache.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.0 diff --git a/system/libraries/Cache/drivers/Cache_apc.php b/system/libraries/Cache/drivers/Cache_apc.php index fb8df03a7ef..f2b61adb157 100644 --- a/system/libraries/Cache/drivers/Cache_apc.php +++ b/system/libraries/Cache/drivers/Cache_apc.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.0 diff --git a/system/libraries/Cache/drivers/Cache_dummy.php b/system/libraries/Cache/drivers/Cache_dummy.php index 4323a68af24..c6d9a61f141 100644 --- a/system/libraries/Cache/drivers/Cache_dummy.php +++ b/system/libraries/Cache/drivers/Cache_dummy.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0 diff --git a/system/libraries/Cache/drivers/Cache_file.php b/system/libraries/Cache/drivers/Cache_file.php index 93932d4cf95..8a36e9d7994 100644 --- a/system/libraries/Cache/drivers/Cache_file.php +++ b/system/libraries/Cache/drivers/Cache_file.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0 diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index ab8bfab8b98..73584278d22 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0 diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index 2d1ead45213..bb26b3b47f5 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Cache/drivers/Cache_wincache.php b/system/libraries/Cache/drivers/Cache_wincache.php index d6a0d4fb6b8..f296a5e26d6 100644 --- a/system/libraries/Cache/drivers/Cache_wincache.php +++ b/system/libraries/Cache/drivers/Cache_wincache.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Calendar.php b/system/libraries/Calendar.php index 1f8ef814f7c..edb0fb4d904 100644 --- a/system/libraries/Calendar.php +++ b/system/libraries/Calendar.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Driver.php b/system/libraries/Driver.php index 38c6aefe696..00e8416f940 100644 --- a/system/libraries/Driver.php +++ b/system/libraries/Driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 1191e2350bb..fbf0cb7dc04 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Encrypt.php b/system/libraries/Encrypt.php index 1372a311fe2..46f3747262b 100644 --- a/system/libraries/Encrypt.php +++ b/system/libraries/Encrypt.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Encryption.php b/system/libraries/Encryption.php index c68ee25848a..6799d0fef6e 100644 --- a/system/libraries/Encryption.php +++ b/system/libraries/Encryption.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index c2bc22f954d..6f654deb4a7 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Ftp.php b/system/libraries/Ftp.php index 88f2658087b..ac960a419a3 100644 --- a/system/libraries/Ftp.php +++ b/system/libraries/Ftp.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index 884d0dcec8f..0685692de86 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Migration.php b/system/libraries/Migration.php index 3e2107e83c0..2a87d9d7c2a 100644 --- a/system/libraries/Migration.php +++ b/system/libraries/Migration.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index 44f848fe035..1df5f9cd550 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Parser.php b/system/libraries/Parser.php index 22cffb2c48a..fdd958b2279 100644 --- a/system/libraries/Parser.php +++ b/system/libraries/Parser.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index cf455d3dab9..e9e03cfe063 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index 9d3bd7a2f06..3e4865cd149 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.0 diff --git a/system/libraries/Session/Session_driver.php b/system/libraries/Session/Session_driver.php index 55ddb25e0cc..f32f14ae059 100644 --- a/system/libraries/Session/Session_driver.php +++ b/system/libraries/Session/Session_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index 2f524125643..31f5a46631b 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Session/drivers/Session_files_driver.php b/system/libraries/Session/drivers/Session_files_driver.php index 37315d3cd07..6016e094e27 100644 --- a/system/libraries/Session/drivers/Session_files_driver.php +++ b/system/libraries/Session/drivers/Session_files_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index eb1dcd3d8e3..2556bf0f7bf 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index 233b156192a..5313de04c13 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Table.php b/system/libraries/Table.php index 2f1b3b41404..dc309890ba4 100644 --- a/system/libraries/Table.php +++ b/system/libraries/Table.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.1 diff --git a/system/libraries/Trackback.php b/system/libraries/Trackback.php index 7222c00c210..55e9a0ee68a 100644 --- a/system/libraries/Trackback.php +++ b/system/libraries/Trackback.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Typography.php b/system/libraries/Typography.php index c45398bdca4..ce31ba317f1 100644 --- a/system/libraries/Typography.php +++ b/system/libraries/Typography.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Unit_test.php b/system/libraries/Unit_test.php index 3122ed624b1..38e0fbd2496 100644 --- a/system/libraries/Unit_test.php +++ b/system/libraries/Unit_test.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.1 diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index ac5c9e42d26..3a1731e58a1 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/User_agent.php b/system/libraries/User_agent.php index 60d1599668a..cda3ef0a0d7 100644 --- a/system/libraries/User_agent.php +++ b/system/libraries/User_agent.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index 87f609e8dad..7af96c23382 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Xmlrpcs.php b/system/libraries/Xmlrpcs.php index f343a7ec06c..21de937c8b3 100644 --- a/system/libraries/Xmlrpcs.php +++ b/system/libraries/Xmlrpcs.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Zip.php b/system/libraries/Zip.php index 82a43e9c972..d6974b13ad2 100644 --- a/system/libraries/Zip.php +++ b/system/libraries/Zip.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index 4714b0d62a1..e0312d3c17c 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -41,7 +41,7 @@ # General information about the project. project = u'CodeIgniter' -copyright = u'2014 - 2016, British Columbia Institute of Technology' +copyright = u'2014 - 2017, British Columbia Institute of Technology' # The version info for the project you're documenting, acts as replacement for # |version| and |release|, also used in various other places throughout the @@ -229,7 +229,7 @@ epub_title = u'CodeIgniter' epub_author = u'British Columbia Institute of Technology' epub_publisher = u'British Columbia Institute of Technology' -epub_copyright = u'2014 - 2016, British Columbia Institute of Technology' +epub_copyright = u'2014 - 2017, British Columbia Institute of Technology' # The language of the text. It defaults to the language option # or en if the language is not set. diff --git a/user_guide_src/source/license.rst b/user_guide_src/source/license.rst index 3f7b2f58bcb..c943c294a31 100644 --- a/user_guide_src/source/license.rst +++ b/user_guide_src/source/license.rst @@ -2,7 +2,7 @@ The MIT License (MIT) ##################### -Copyright (c) 2014 - 2016, British Columbia Institute of Technology +Copyright (c) 2014 - 2017, British Columbia Institute of Technology Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal From da60e9bc66ec90970fbd2dfd08b0a6e66b9f5f5f Mon Sep 17 00:00:00 2001 From: Master Yoda Date: Sat, 31 Dec 2016 08:46:18 -0800 Subject: [PATCH 3064/3829] Update copyright data to 2017 --- .gitignore | 1 + index.php | 4 ++-- license.txt | 2 +- system/core/Benchmark.php | 4 ++-- system/core/CodeIgniter.php | 4 ++-- system/core/Common.php | 4 ++-- system/core/Config.php | 4 ++-- system/core/Controller.php | 4 ++-- system/core/Exceptions.php | 4 ++-- system/core/Hooks.php | 4 ++-- system/core/Input.php | 4 ++-- system/core/Lang.php | 4 ++-- system/core/Loader.php | 4 ++-- system/core/Log.php | 4 ++-- system/core/Model.php | 4 ++-- system/core/Output.php | 4 ++-- system/core/Router.php | 4 ++-- system/core/Security.php | 4 ++-- system/core/URI.php | 4 ++-- system/core/Utf8.php | 4 ++-- system/core/compat/hash.php | 4 ++-- system/core/compat/mbstring.php | 4 ++-- system/core/compat/password.php | 4 ++-- system/core/compat/standard.php | 4 ++-- system/database/DB.php | 4 ++-- system/database/DB_cache.php | 4 ++-- system/database/DB_driver.php | 4 ++-- system/database/DB_forge.php | 4 ++-- system/database/DB_query_builder.php | 4 ++-- system/database/DB_result.php | 4 ++-- system/database/DB_utility.php | 4 ++-- system/database/drivers/cubrid/cubrid_driver.php | 4 ++-- system/database/drivers/cubrid/cubrid_forge.php | 4 ++-- system/database/drivers/cubrid/cubrid_result.php | 4 ++-- system/database/drivers/cubrid/cubrid_utility.php | 4 ++-- system/database/drivers/ibase/ibase_driver.php | 4 ++-- system/database/drivers/ibase/ibase_forge.php | 4 ++-- system/database/drivers/ibase/ibase_result.php | 4 ++-- system/database/drivers/ibase/ibase_utility.php | 4 ++-- system/database/drivers/mssql/mssql_driver.php | 4 ++-- system/database/drivers/mssql/mssql_forge.php | 4 ++-- system/database/drivers/mssql/mssql_result.php | 4 ++-- system/database/drivers/mssql/mssql_utility.php | 4 ++-- system/database/drivers/mysql/mysql_driver.php | 4 ++-- system/database/drivers/mysql/mysql_forge.php | 4 ++-- system/database/drivers/mysql/mysql_result.php | 4 ++-- system/database/drivers/mysql/mysql_utility.php | 4 ++-- system/database/drivers/mysqli/mysqli_driver.php | 4 ++-- system/database/drivers/mysqli/mysqli_forge.php | 4 ++-- system/database/drivers/mysqli/mysqli_result.php | 4 ++-- system/database/drivers/mysqli/mysqli_utility.php | 4 ++-- system/database/drivers/oci8/oci8_driver.php | 4 ++-- system/database/drivers/oci8/oci8_forge.php | 4 ++-- system/database/drivers/oci8/oci8_result.php | 4 ++-- system/database/drivers/oci8/oci8_utility.php | 4 ++-- system/database/drivers/odbc/odbc_driver.php | 4 ++-- system/database/drivers/odbc/odbc_forge.php | 4 ++-- system/database/drivers/odbc/odbc_result.php | 4 ++-- system/database/drivers/odbc/odbc_utility.php | 4 ++-- system/database/drivers/pdo/pdo_driver.php | 4 ++-- system/database/drivers/pdo/pdo_forge.php | 4 ++-- system/database/drivers/pdo/pdo_result.php | 4 ++-- system/database/drivers/pdo/pdo_utility.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_4d_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_4d_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php | 4 ++-- .../database/drivers/pdo/subdrivers/pdo_firebird_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php | 4 ++-- .../database/drivers/pdo/subdrivers/pdo_informix_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_informix_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_oci_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_oci_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php | 4 ++-- system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php | 4 ++-- system/database/drivers/postgre/postgre_driver.php | 4 ++-- system/database/drivers/postgre/postgre_forge.php | 4 ++-- system/database/drivers/postgre/postgre_result.php | 4 ++-- system/database/drivers/postgre/postgre_utility.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_driver.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_forge.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_result.php | 4 ++-- system/database/drivers/sqlite3/sqlite3_utility.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_driver.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_forge.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_result.php | 4 ++-- system/database/drivers/sqlsrv/sqlsrv_utility.php | 4 ++-- system/helpers/array_helper.php | 4 ++-- system/helpers/captcha_helper.php | 4 ++-- system/helpers/cookie_helper.php | 4 ++-- system/helpers/date_helper.php | 4 ++-- system/helpers/directory_helper.php | 4 ++-- system/helpers/download_helper.php | 4 ++-- system/helpers/file_helper.php | 4 ++-- system/helpers/form_helper.php | 4 ++-- system/helpers/html_helper.php | 4 ++-- system/helpers/inflector_helper.php | 4 ++-- system/helpers/language_helper.php | 4 ++-- system/helpers/number_helper.php | 4 ++-- system/helpers/path_helper.php | 4 ++-- system/helpers/security_helper.php | 4 ++-- system/helpers/string_helper.php | 4 ++-- system/helpers/text_helper.php | 4 ++-- system/helpers/typography_helper.php | 4 ++-- system/helpers/url_helper.php | 4 ++-- system/helpers/xml_helper.php | 4 ++-- system/language/english/calendar_lang.php | 4 ++-- system/language/english/date_lang.php | 4 ++-- system/language/english/db_lang.php | 4 ++-- system/language/english/email_lang.php | 4 ++-- system/language/english/form_validation_lang.php | 4 ++-- system/language/english/ftp_lang.php | 4 ++-- system/language/english/imglib_lang.php | 4 ++-- system/language/english/migration_lang.php | 4 ++-- system/language/english/number_lang.php | 4 ++-- system/language/english/pagination_lang.php | 4 ++-- system/language/english/profiler_lang.php | 4 ++-- system/language/english/unit_test_lang.php | 4 ++-- system/language/english/upload_lang.php | 4 ++-- system/libraries/Cache/Cache.php | 4 ++-- system/libraries/Cache/drivers/Cache_apc.php | 4 ++-- system/libraries/Cache/drivers/Cache_dummy.php | 4 ++-- system/libraries/Cache/drivers/Cache_file.php | 4 ++-- system/libraries/Cache/drivers/Cache_memcached.php | 4 ++-- system/libraries/Cache/drivers/Cache_redis.php | 4 ++-- system/libraries/Cache/drivers/Cache_wincache.php | 4 ++-- system/libraries/Calendar.php | 4 ++-- system/libraries/Driver.php | 4 ++-- system/libraries/Email.php | 4 ++-- system/libraries/Encrypt.php | 4 ++-- system/libraries/Encryption.php | 4 ++-- system/libraries/Form_validation.php | 4 ++-- system/libraries/Ftp.php | 4 ++-- system/libraries/Image_lib.php | 4 ++-- system/libraries/Migration.php | 4 ++-- system/libraries/Pagination.php | 4 ++-- system/libraries/Parser.php | 4 ++-- system/libraries/Profiler.php | 4 ++-- system/libraries/Session/Session.php | 4 ++-- system/libraries/Session/Session_driver.php | 4 ++-- system/libraries/Session/drivers/Session_database_driver.php | 4 ++-- system/libraries/Session/drivers/Session_files_driver.php | 4 ++-- system/libraries/Session/drivers/Session_memcached_driver.php | 4 ++-- system/libraries/Session/drivers/Session_redis_driver.php | 4 ++-- system/libraries/Table.php | 4 ++-- system/libraries/Trackback.php | 4 ++-- system/libraries/Typography.php | 4 ++-- system/libraries/Unit_test.php | 4 ++-- system/libraries/Upload.php | 4 ++-- system/libraries/User_agent.php | 4 ++-- system/libraries/Xmlrpc.php | 4 ++-- system/libraries/Xmlrpcs.php | 4 ++-- system/libraries/Zip.php | 4 ++-- user_guide_src/source/conf.py | 4 ++-- user_guide_src/source/license.rst | 2 +- 167 files changed, 331 insertions(+), 330 deletions(-) diff --git a/.gitignore b/.gitignore index 5982f9badab..97f1d31593e 100644 --- a/.gitignore +++ b/.gitignore @@ -25,3 +25,4 @@ user_guide_src/cilexer/pycilexer.egg-info/* *.stTheme.cache *.sublime-workspace *.sublime-project +/tests/tests/ \ No newline at end of file diff --git a/index.php b/index.php index d02b6bb3899..c27a78ea597 100755 --- a/index.php +++ b/index.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/license.txt b/license.txt index 388eee33763..934e126ff18 100644 --- a/license.txt +++ b/license.txt @@ -1,6 +1,6 @@ The MIT License (MIT) -Copyright (c) 2014 - 2016, British Columbia Institute of Technology +Copyright (c) 2014 - 2017, British Columbia Institute of Technology Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal diff --git a/system/core/Benchmark.php b/system/core/Benchmark.php index b1d74f78f94..b3ac79c6262 100644 --- a/system/core/Benchmark.php +++ b/system/core/Benchmark.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/CodeIgniter.php b/system/core/CodeIgniter.php index c9cb5c89fad..77365b1c3ce 100644 --- a/system/core/CodeIgniter.php +++ b/system/core/CodeIgniter.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Common.php b/system/core/Common.php index 91c585f7dcd..7b3eb6a4ec9 100644 --- a/system/core/Common.php +++ b/system/core/Common.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Config.php b/system/core/Config.php index 9fd3e4a7da4..cda62241b2f 100644 --- a/system/core/Config.php +++ b/system/core/Config.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Controller.php b/system/core/Controller.php index 83b3df26c88..59a9167344c 100644 --- a/system/core/Controller.php +++ b/system/core/Controller.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Exceptions.php b/system/core/Exceptions.php index 4e10f28310c..47d153f49f4 100644 --- a/system/core/Exceptions.php +++ b/system/core/Exceptions.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Hooks.php b/system/core/Hooks.php index 856795cbad4..f2d6f21cafc 100644 --- a/system/core/Hooks.php +++ b/system/core/Hooks.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Input.php b/system/core/Input.php index 24fe8a9cc2f..d7cd292619d 100644 --- a/system/core/Input.php +++ b/system/core/Input.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Lang.php b/system/core/Lang.php index 1fcff078a61..569b0236865 100644 --- a/system/core/Lang.php +++ b/system/core/Lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Loader.php b/system/core/Loader.php index 1111481b776..0515723b452 100644 --- a/system/core/Loader.php +++ b/system/core/Loader.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Log.php b/system/core/Log.php index cf6c75a950f..3e11b35f586 100644 --- a/system/core/Log.php +++ b/system/core/Log.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Model.php b/system/core/Model.php index 941881a9f30..c809e7b8400 100644 --- a/system/core/Model.php +++ b/system/core/Model.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Output.php b/system/core/Output.php index 57c78ab1943..349955cd26b 100644 --- a/system/core/Output.php +++ b/system/core/Output.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Router.php b/system/core/Router.php index 045d3668754..1abe4c4e513 100644 --- a/system/core/Router.php +++ b/system/core/Router.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Security.php b/system/core/Security.php index d0308c5f95b..8b313a9a2f2 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/URI.php b/system/core/URI.php index 544f6c85f0d..3ccdfa7b049 100644 --- a/system/core/URI.php +++ b/system/core/URI.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/core/Utf8.php b/system/core/Utf8.php index f2f42e6ca6c..dfbbfff2c8a 100644 --- a/system/core/Utf8.php +++ b/system/core/Utf8.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.0 diff --git a/system/core/compat/hash.php b/system/core/compat/hash.php index d567d0f80e3..ba0198e104f 100644 --- a/system/core/compat/hash.php +++ b/system/core/compat/hash.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/core/compat/mbstring.php b/system/core/compat/mbstring.php index 554d10040a9..f466e1c34a0 100644 --- a/system/core/compat/mbstring.php +++ b/system/core/compat/mbstring.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/core/compat/password.php b/system/core/compat/password.php index 1b5219e7b1d..b209cbe7065 100644 --- a/system/core/compat/password.php +++ b/system/core/compat/password.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/core/compat/standard.php b/system/core/compat/standard.php index 6b7caa48524..7db2efb5747 100644 --- a/system/core/compat/standard.php +++ b/system/core/compat/standard.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/DB.php b/system/database/DB.php index b4b7767e8a7..c19eef72cfe 100644 --- a/system/database/DB.php +++ b/system/database/DB.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_cache.php b/system/database/DB_cache.php index 8855cc1b196..b74c31924e8 100644 --- a/system/database/DB_cache.php +++ b/system/database/DB_cache.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_driver.php b/system/database/DB_driver.php index 151340596de..19afdd49235 100644 --- a/system/database/DB_driver.php +++ b/system/database/DB_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index ed6f4b672bc..2b2ff1c2400 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index b88ec956ac5..661f5fe6970 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_result.php b/system/database/DB_result.php index 4e2429376e0..98d8876a7ee 100644 --- a/system/database/DB_result.php +++ b/system/database/DB_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/DB_utility.php b/system/database/DB_utility.php index 70528286c9d..25d842c0994 100644 --- a/system/database/DB_utility.php +++ b/system/database/DB_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/cubrid/cubrid_driver.php b/system/database/drivers/cubrid/cubrid_driver.php index 77f591ced31..257925d8889 100644 --- a/system/database/drivers/cubrid/cubrid_driver.php +++ b/system/database/drivers/cubrid/cubrid_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/cubrid/cubrid_forge.php b/system/database/drivers/cubrid/cubrid_forge.php index 46a3b2185e5..27bfc146604 100644 --- a/system/database/drivers/cubrid/cubrid_forge.php +++ b/system/database/drivers/cubrid/cubrid_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/cubrid/cubrid_result.php b/system/database/drivers/cubrid/cubrid_result.php index 9cccb257067..251b70a63eb 100644 --- a/system/database/drivers/cubrid/cubrid_result.php +++ b/system/database/drivers/cubrid/cubrid_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/cubrid/cubrid_utility.php b/system/database/drivers/cubrid/cubrid_utility.php index 942fa3b4e41..555ae7a9125 100644 --- a/system/database/drivers/cubrid/cubrid_utility.php +++ b/system/database/drivers/cubrid/cubrid_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/ibase/ibase_driver.php b/system/database/drivers/ibase/ibase_driver.php index 671a353bc1e..106d5efaced 100644 --- a/system/database/drivers/ibase/ibase_driver.php +++ b/system/database/drivers/ibase/ibase_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/ibase/ibase_forge.php b/system/database/drivers/ibase/ibase_forge.php index b35cc3749fa..44bb24e68b8 100644 --- a/system/database/drivers/ibase/ibase_forge.php +++ b/system/database/drivers/ibase/ibase_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/ibase/ibase_result.php b/system/database/drivers/ibase/ibase_result.php index f3c21fcec24..7d7dd79acab 100644 --- a/system/database/drivers/ibase/ibase_result.php +++ b/system/database/drivers/ibase/ibase_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/ibase/ibase_utility.php b/system/database/drivers/ibase/ibase_utility.php index 619ebad0161..3c152101af8 100644 --- a/system/database/drivers/ibase/ibase_utility.php +++ b/system/database/drivers/ibase/ibase_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/mssql/mssql_driver.php b/system/database/drivers/mssql/mssql_driver.php index 66d7572e49f..f0cfb2ff95b 100644 --- a/system/database/drivers/mssql/mssql_driver.php +++ b/system/database/drivers/mssql/mssql_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mssql/mssql_forge.php b/system/database/drivers/mssql/mssql_forge.php index 91b5794bc04..6b6109868e0 100644 --- a/system/database/drivers/mssql/mssql_forge.php +++ b/system/database/drivers/mssql/mssql_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mssql/mssql_result.php b/system/database/drivers/mssql/mssql_result.php index b62bf75cbb6..38a0a0574b9 100644 --- a/system/database/drivers/mssql/mssql_result.php +++ b/system/database/drivers/mssql/mssql_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mssql/mssql_utility.php b/system/database/drivers/mssql/mssql_utility.php index cd23be828eb..95ce88f1367 100644 --- a/system/database/drivers/mssql/mssql_utility.php +++ b/system/database/drivers/mssql/mssql_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mysql/mysql_driver.php b/system/database/drivers/mysql/mysql_driver.php index 7804dda5838..8f2dd744d19 100644 --- a/system/database/drivers/mysql/mysql_driver.php +++ b/system/database/drivers/mysql/mysql_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/mysql/mysql_forge.php b/system/database/drivers/mysql/mysql_forge.php index fa84be37105..7ed8f8d389e 100644 --- a/system/database/drivers/mysql/mysql_forge.php +++ b/system/database/drivers/mysql/mysql_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/mysql/mysql_result.php b/system/database/drivers/mysql/mysql_result.php index 20cade2e1fc..7aa265ebbaa 100644 --- a/system/database/drivers/mysql/mysql_result.php +++ b/system/database/drivers/mysql/mysql_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/mysql/mysql_utility.php b/system/database/drivers/mysql/mysql_utility.php index 4c1f2391b5d..bc01fc58ddf 100644 --- a/system/database/drivers/mysql/mysql_utility.php +++ b/system/database/drivers/mysql/mysql_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/database/drivers/mysqli/mysqli_driver.php b/system/database/drivers/mysqli/mysqli_driver.php index 4a14eea9314..7e429047424 100644 --- a/system/database/drivers/mysqli/mysqli_driver.php +++ b/system/database/drivers/mysqli/mysqli_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mysqli/mysqli_forge.php b/system/database/drivers/mysqli/mysqli_forge.php index c17f729c0fa..c5b23b6cacb 100644 --- a/system/database/drivers/mysqli/mysqli_forge.php +++ b/system/database/drivers/mysqli/mysqli_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mysqli/mysqli_result.php b/system/database/drivers/mysqli/mysqli_result.php index 0ce07414fec..929c2b455a7 100644 --- a/system/database/drivers/mysqli/mysqli_result.php +++ b/system/database/drivers/mysqli/mysqli_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/mysqli/mysqli_utility.php b/system/database/drivers/mysqli/mysqli_utility.php index 79d9f3670f7..4a3dad4d164 100644 --- a/system/database/drivers/mysqli/mysqli_utility.php +++ b/system/database/drivers/mysqli/mysqli_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/oci8/oci8_driver.php b/system/database/drivers/oci8/oci8_driver.php index 56fdf32cf43..c7f03301947 100644 --- a/system/database/drivers/oci8/oci8_driver.php +++ b/system/database/drivers/oci8/oci8_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.4.1 diff --git a/system/database/drivers/oci8/oci8_forge.php b/system/database/drivers/oci8/oci8_forge.php index 23e0257574f..ac33cde0ca6 100644 --- a/system/database/drivers/oci8/oci8_forge.php +++ b/system/database/drivers/oci8/oci8_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.4.1 diff --git a/system/database/drivers/oci8/oci8_result.php b/system/database/drivers/oci8/oci8_result.php index fc860ea1225..0c3543333e9 100644 --- a/system/database/drivers/oci8/oci8_result.php +++ b/system/database/drivers/oci8/oci8_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.4.1 diff --git a/system/database/drivers/oci8/oci8_utility.php b/system/database/drivers/oci8/oci8_utility.php index ebe49c46357..ce0dfc5f8c9 100644 --- a/system/database/drivers/oci8/oci8_utility.php +++ b/system/database/drivers/oci8/oci8_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.4.1 diff --git a/system/database/drivers/odbc/odbc_driver.php b/system/database/drivers/odbc/odbc_driver.php index 82efa498c9c..9f5a86fa09e 100644 --- a/system/database/drivers/odbc/odbc_driver.php +++ b/system/database/drivers/odbc/odbc_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/odbc/odbc_forge.php b/system/database/drivers/odbc/odbc_forge.php index bac30bedc16..77b2fdf62ca 100644 --- a/system/database/drivers/odbc/odbc_forge.php +++ b/system/database/drivers/odbc/odbc_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/odbc/odbc_result.php b/system/database/drivers/odbc/odbc_result.php index 110d6ab0f1e..845aa9c79a7 100644 --- a/system/database/drivers/odbc/odbc_result.php +++ b/system/database/drivers/odbc/odbc_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/odbc/odbc_utility.php b/system/database/drivers/odbc/odbc_utility.php index 2e344963d1d..643f6ec0cb6 100644 --- a/system/database/drivers/odbc/odbc_utility.php +++ b/system/database/drivers/odbc/odbc_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/pdo/pdo_driver.php b/system/database/drivers/pdo/pdo_driver.php index 2da9cf38f94..d816dcb6458 100644 --- a/system/database/drivers/pdo/pdo_driver.php +++ b/system/database/drivers/pdo/pdo_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/pdo/pdo_forge.php b/system/database/drivers/pdo/pdo_forge.php index 2595f7b6e84..685b6776d43 100644 --- a/system/database/drivers/pdo/pdo_forge.php +++ b/system/database/drivers/pdo/pdo_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/pdo/pdo_result.php b/system/database/drivers/pdo/pdo_result.php index d1809bef255..bbc2cdc5a3e 100644 --- a/system/database/drivers/pdo/pdo_result.php +++ b/system/database/drivers/pdo/pdo_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/pdo/pdo_utility.php b/system/database/drivers/pdo/pdo_utility.php index 384661bf02a..5029cac9474 100644 --- a/system/database/drivers/pdo/pdo_utility.php +++ b/system/database/drivers/pdo/pdo_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.1.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php index 3dedfd9b37d..7eaeaa1fdca 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php b/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php index 41994f9dbfe..3f636d3bd40 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_4d_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php index 4eb7f0ba67f..fc49e0dd069 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php b/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php index b5b95078e14..276cbb6bc42 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_cubrid_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php index 9a1cbcaf4be..3249a1d7f41 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php b/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php index 83020032545..d0cca38dd64 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_dblib_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php index 7811d3da4f8..aa5e7d6e772 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php b/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php index 50df76905f3..20c5a689732 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_firebird_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php index 2366c40362b..26b556a7817 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_ibm_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php b/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php index a2dbfc25ac2..4238ca082bc 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_ibm_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php index d40d17a8804..050171f64b6 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_informix_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php b/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php index 5af39b18182..2ddc2a9332c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_informix_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php index 6452b787bfd..66c15dac609 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php b/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php index 9d04a8a9a84..c7a92b826b2 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_mysql_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php index dd1d31c260c..abf9167d6c3 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php index 705b1c711c9..c8983ee56b1 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_oci_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php index ebe1ed6f0b0..f4a2f08f3a7 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php b/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php index 7c65daa8450..a2a3bada30b 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_odbc_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php index 05b8350d1c2..9aed3a2fe89 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php b/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php index 214b6f5282c..18e399daca1 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_pgsql_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php index cb06c2a9d08..9b70f3ea6f4 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlite_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php b/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php index b124bcad16a..18c475b173c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlite_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php index dfccb7d696f..1cf6c614de2 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php index 56bf87f3a4c..82a0d515d8c 100644 --- a/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php +++ b/system/database/drivers/pdo/subdrivers/pdo_sqlsrv_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/postgre/postgre_driver.php b/system/database/drivers/postgre/postgre_driver.php index 51916fcc128..cef464af4e6 100644 --- a/system/database/drivers/postgre/postgre_driver.php +++ b/system/database/drivers/postgre/postgre_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/postgre/postgre_forge.php b/system/database/drivers/postgre/postgre_forge.php index 8d985ba7d85..f7bbf74413b 100644 --- a/system/database/drivers/postgre/postgre_forge.php +++ b/system/database/drivers/postgre/postgre_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/postgre/postgre_result.php b/system/database/drivers/postgre/postgre_result.php index 354bb08d5bc..57864a7f34b 100644 --- a/system/database/drivers/postgre/postgre_result.php +++ b/system/database/drivers/postgre/postgre_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/postgre/postgre_utility.php b/system/database/drivers/postgre/postgre_utility.php index bb5e6e04b75..5ca358da525 100644 --- a/system/database/drivers/postgre/postgre_utility.php +++ b/system/database/drivers/postgre/postgre_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/sqlite3/sqlite3_driver.php b/system/database/drivers/sqlite3/sqlite3_driver.php index 9743499bdce..2d78a0f8a03 100644 --- a/system/database/drivers/sqlite3/sqlite3_driver.php +++ b/system/database/drivers/sqlite3/sqlite3_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/sqlite3/sqlite3_forge.php b/system/database/drivers/sqlite3/sqlite3_forge.php index c45472f548b..5ee6daae393 100644 --- a/system/database/drivers/sqlite3/sqlite3_forge.php +++ b/system/database/drivers/sqlite3/sqlite3_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/sqlite3/sqlite3_result.php b/system/database/drivers/sqlite3/sqlite3_result.php index aa559eef685..03751f0dcd7 100644 --- a/system/database/drivers/sqlite3/sqlite3_result.php +++ b/system/database/drivers/sqlite3/sqlite3_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/sqlite3/sqlite3_utility.php b/system/database/drivers/sqlite3/sqlite3_utility.php index b47c086f60d..20d562f96a7 100644 --- a/system/database/drivers/sqlite3/sqlite3_utility.php +++ b/system/database/drivers/sqlite3/sqlite3_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/database/drivers/sqlsrv/sqlsrv_driver.php b/system/database/drivers/sqlsrv/sqlsrv_driver.php index c55d5f7b757..10aad115f90 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_driver.php +++ b/system/database/drivers/sqlsrv/sqlsrv_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.3 diff --git a/system/database/drivers/sqlsrv/sqlsrv_forge.php b/system/database/drivers/sqlsrv/sqlsrv_forge.php index 4f0ce9d6fa6..aa8490ee4bb 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_forge.php +++ b/system/database/drivers/sqlsrv/sqlsrv_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.3 diff --git a/system/database/drivers/sqlsrv/sqlsrv_result.php b/system/database/drivers/sqlsrv/sqlsrv_result.php index fde7264b98a..f784ebea854 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_result.php +++ b/system/database/drivers/sqlsrv/sqlsrv_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.3 diff --git a/system/database/drivers/sqlsrv/sqlsrv_utility.php b/system/database/drivers/sqlsrv/sqlsrv_utility.php index 726fe3ea6cb..19c93d0c682 100644 --- a/system/database/drivers/sqlsrv/sqlsrv_utility.php +++ b/system/database/drivers/sqlsrv/sqlsrv_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.3 diff --git a/system/helpers/array_helper.php b/system/helpers/array_helper.php index 3fdccf90991..74c7c15a84e 100644 --- a/system/helpers/array_helper.php +++ b/system/helpers/array_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/captcha_helper.php b/system/helpers/captcha_helper.php index f2ff4dccf14..8f44806cc89 100644 --- a/system/helpers/captcha_helper.php +++ b/system/helpers/captcha_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/cookie_helper.php b/system/helpers/cookie_helper.php index ca432449571..bb90cba1e4c 100644 --- a/system/helpers/cookie_helper.php +++ b/system/helpers/cookie_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/date_helper.php b/system/helpers/date_helper.php index 0606a45623a..bb150426024 100644 --- a/system/helpers/date_helper.php +++ b/system/helpers/date_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/directory_helper.php b/system/helpers/directory_helper.php index cdc4c16bcce..2785241e6c2 100644 --- a/system/helpers/directory_helper.php +++ b/system/helpers/directory_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/download_helper.php b/system/helpers/download_helper.php index a6463dfd754..b2a1458decc 100644 --- a/system/helpers/download_helper.php +++ b/system/helpers/download_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/file_helper.php b/system/helpers/file_helper.php index 3cb36a551f0..d227f4684af 100644 --- a/system/helpers/file_helper.php +++ b/system/helpers/file_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/form_helper.php b/system/helpers/form_helper.php index aa7379f77bf..fc7d2a6a092 100644 --- a/system/helpers/form_helper.php +++ b/system/helpers/form_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/html_helper.php b/system/helpers/html_helper.php index fdc463fcae1..de1b92cde50 100644 --- a/system/helpers/html_helper.php +++ b/system/helpers/html_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/inflector_helper.php b/system/helpers/inflector_helper.php index f54dac019e9..26a5a5ca91c 100644 --- a/system/helpers/inflector_helper.php +++ b/system/helpers/inflector_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/language_helper.php b/system/helpers/language_helper.php index 3721164b775..d26cf5b8dca 100644 --- a/system/helpers/language_helper.php +++ b/system/helpers/language_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/number_helper.php b/system/helpers/number_helper.php index e7810c70672..cc8a7760c87 100644 --- a/system/helpers/number_helper.php +++ b/system/helpers/number_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/path_helper.php b/system/helpers/path_helper.php index 6c846a2116e..6896cb97bb7 100644 --- a/system/helpers/path_helper.php +++ b/system/helpers/path_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/security_helper.php b/system/helpers/security_helper.php index 4eb63883daa..5e2970a5c4c 100644 --- a/system/helpers/security_helper.php +++ b/system/helpers/security_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/string_helper.php b/system/helpers/string_helper.php index db531fa9aab..23608e5f408 100644 --- a/system/helpers/string_helper.php +++ b/system/helpers/string_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/text_helper.php b/system/helpers/text_helper.php index e54ed04e149..07c01c3afc2 100644 --- a/system/helpers/text_helper.php +++ b/system/helpers/text_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/typography_helper.php b/system/helpers/typography_helper.php index 928cb6d043d..183e117bf02 100644 --- a/system/helpers/typography_helper.php +++ b/system/helpers/typography_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/url_helper.php b/system/helpers/url_helper.php index fd7b5e116f3..84023affdb6 100644 --- a/system/helpers/url_helper.php +++ b/system/helpers/url_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/xml_helper.php b/system/helpers/xml_helper.php index 3489da91c9f..a12ee25dbb4 100644 --- a/system/helpers/xml_helper.php +++ b/system/helpers/xml_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/calendar_lang.php b/system/language/english/calendar_lang.php index 8af5e80561b..77911e983f9 100644 --- a/system/language/english/calendar_lang.php +++ b/system/language/english/calendar_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/date_lang.php b/system/language/english/date_lang.php index 39af5a23966..bb454edfb91 100644 --- a/system/language/english/date_lang.php +++ b/system/language/english/date_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/db_lang.php b/system/language/english/db_lang.php index ed93452b493..b44bda95136 100644 --- a/system/language/english/db_lang.php +++ b/system/language/english/db_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/email_lang.php b/system/language/english/email_lang.php index 84fb0910949..22dc0fa787e 100644 --- a/system/language/english/email_lang.php +++ b/system/language/english/email_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/form_validation_lang.php b/system/language/english/form_validation_lang.php index 92d6d5ebbc0..aa9ff330b68 100644 --- a/system/language/english/form_validation_lang.php +++ b/system/language/english/form_validation_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/ftp_lang.php b/system/language/english/ftp_lang.php index 9e72bce4210..eada3e5d566 100644 --- a/system/language/english/ftp_lang.php +++ b/system/language/english/ftp_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/imglib_lang.php b/system/language/english/imglib_lang.php index 7f23233b4f7..363b9007408 100644 --- a/system/language/english/imglib_lang.php +++ b/system/language/english/imglib_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/migration_lang.php b/system/language/english/migration_lang.php index bce9210d3bc..168496090cb 100644 --- a/system/language/english/migration_lang.php +++ b/system/language/english/migration_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/language/english/number_lang.php b/system/language/english/number_lang.php index 0aaf51e72e6..9723ce5ec48 100644 --- a/system/language/english/number_lang.php +++ b/system/language/english/number_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/pagination_lang.php b/system/language/english/pagination_lang.php index 4d36bdee862..d24dd047bcf 100644 --- a/system/language/english/pagination_lang.php +++ b/system/language/english/pagination_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/profiler_lang.php b/system/language/english/profiler_lang.php index 2d8fa51f461..20949a20a15 100644 --- a/system/language/english/profiler_lang.php +++ b/system/language/english/profiler_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/unit_test_lang.php b/system/language/english/unit_test_lang.php index 29a4137a537..a89cb2d93f3 100644 --- a/system/language/english/unit_test_lang.php +++ b/system/language/english/unit_test_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/language/english/upload_lang.php b/system/language/english/upload_lang.php index 058dca9939f..ec611f9ace8 100644 --- a/system/language/english/upload_lang.php +++ b/system/language/english/upload_lang.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Cache/Cache.php b/system/libraries/Cache/Cache.php index 349af15794e..267dffb0927 100644 --- a/system/libraries/Cache/Cache.php +++ b/system/libraries/Cache/Cache.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.0 diff --git a/system/libraries/Cache/drivers/Cache_apc.php b/system/libraries/Cache/drivers/Cache_apc.php index fb8df03a7ef..f2b61adb157 100644 --- a/system/libraries/Cache/drivers/Cache_apc.php +++ b/system/libraries/Cache/drivers/Cache_apc.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.0 diff --git a/system/libraries/Cache/drivers/Cache_dummy.php b/system/libraries/Cache/drivers/Cache_dummy.php index 4323a68af24..c6d9a61f141 100644 --- a/system/libraries/Cache/drivers/Cache_dummy.php +++ b/system/libraries/Cache/drivers/Cache_dummy.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0 diff --git a/system/libraries/Cache/drivers/Cache_file.php b/system/libraries/Cache/drivers/Cache_file.php index 93932d4cf95..8a36e9d7994 100644 --- a/system/libraries/Cache/drivers/Cache_file.php +++ b/system/libraries/Cache/drivers/Cache_file.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0 diff --git a/system/libraries/Cache/drivers/Cache_memcached.php b/system/libraries/Cache/drivers/Cache_memcached.php index 836336d469d..17e361107df 100644 --- a/system/libraries/Cache/drivers/Cache_memcached.php +++ b/system/libraries/Cache/drivers/Cache_memcached.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0 diff --git a/system/libraries/Cache/drivers/Cache_redis.php b/system/libraries/Cache/drivers/Cache_redis.php index d4d95ebb183..ac67be07788 100644 --- a/system/libraries/Cache/drivers/Cache_redis.php +++ b/system/libraries/Cache/drivers/Cache_redis.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Cache/drivers/Cache_wincache.php b/system/libraries/Cache/drivers/Cache_wincache.php index d6a0d4fb6b8..f296a5e26d6 100644 --- a/system/libraries/Cache/drivers/Cache_wincache.php +++ b/system/libraries/Cache/drivers/Cache_wincache.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Calendar.php b/system/libraries/Calendar.php index 1f8ef814f7c..edb0fb4d904 100644 --- a/system/libraries/Calendar.php +++ b/system/libraries/Calendar.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Driver.php b/system/libraries/Driver.php index 38c6aefe696..00e8416f940 100644 --- a/system/libraries/Driver.php +++ b/system/libraries/Driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Email.php b/system/libraries/Email.php index 2e6f5be90df..4ab873586c3 100644 --- a/system/libraries/Email.php +++ b/system/libraries/Email.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Encrypt.php b/system/libraries/Encrypt.php index 1372a311fe2..46f3747262b 100644 --- a/system/libraries/Encrypt.php +++ b/system/libraries/Encrypt.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Encryption.php b/system/libraries/Encryption.php index 545081b3b76..74832ede6ec 100644 --- a/system/libraries/Encryption.php +++ b/system/libraries/Encryption.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Form_validation.php b/system/libraries/Form_validation.php index c39b65d8924..4f679a17f34 100644 --- a/system/libraries/Form_validation.php +++ b/system/libraries/Form_validation.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Ftp.php b/system/libraries/Ftp.php index 88f2658087b..ac960a419a3 100644 --- a/system/libraries/Ftp.php +++ b/system/libraries/Ftp.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Image_lib.php b/system/libraries/Image_lib.php index 475649c462f..3e45cb845c0 100644 --- a/system/libraries/Image_lib.php +++ b/system/libraries/Image_lib.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Migration.php b/system/libraries/Migration.php index 3e2107e83c0..2a87d9d7c2a 100644 --- a/system/libraries/Migration.php +++ b/system/libraries/Migration.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Pagination.php b/system/libraries/Pagination.php index 44f848fe035..1df5f9cd550 100644 --- a/system/libraries/Pagination.php +++ b/system/libraries/Pagination.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Parser.php b/system/libraries/Parser.php index 22cffb2c48a..fdd958b2279 100644 --- a/system/libraries/Parser.php +++ b/system/libraries/Parser.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Profiler.php b/system/libraries/Profiler.php index cf455d3dab9..e9e03cfe063 100644 --- a/system/libraries/Profiler.php +++ b/system/libraries/Profiler.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Session/Session.php b/system/libraries/Session/Session.php index 01989d2d71b..eb433de64de 100644 --- a/system/libraries/Session/Session.php +++ b/system/libraries/Session/Session.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 2.0.0 diff --git a/system/libraries/Session/Session_driver.php b/system/libraries/Session/Session_driver.php index 55ddb25e0cc..f32f14ae059 100644 --- a/system/libraries/Session/Session_driver.php +++ b/system/libraries/Session/Session_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Session/drivers/Session_database_driver.php b/system/libraries/Session/drivers/Session_database_driver.php index 2f524125643..31f5a46631b 100644 --- a/system/libraries/Session/drivers/Session_database_driver.php +++ b/system/libraries/Session/drivers/Session_database_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Session/drivers/Session_files_driver.php b/system/libraries/Session/drivers/Session_files_driver.php index 37315d3cd07..6016e094e27 100644 --- a/system/libraries/Session/drivers/Session_files_driver.php +++ b/system/libraries/Session/drivers/Session_files_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Session/drivers/Session_memcached_driver.php b/system/libraries/Session/drivers/Session_memcached_driver.php index eb1dcd3d8e3..2556bf0f7bf 100644 --- a/system/libraries/Session/drivers/Session_memcached_driver.php +++ b/system/libraries/Session/drivers/Session_memcached_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Session/drivers/Session_redis_driver.php b/system/libraries/Session/drivers/Session_redis_driver.php index a780100b122..d260f7b8281 100644 --- a/system/libraries/Session/drivers/Session_redis_driver.php +++ b/system/libraries/Session/drivers/Session_redis_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 diff --git a/system/libraries/Table.php b/system/libraries/Table.php index f2fa434d98c..fef9bb03931 100644 --- a/system/libraries/Table.php +++ b/system/libraries/Table.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.1 diff --git a/system/libraries/Trackback.php b/system/libraries/Trackback.php index 7222c00c210..55e9a0ee68a 100644 --- a/system/libraries/Trackback.php +++ b/system/libraries/Trackback.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Typography.php b/system/libraries/Typography.php index c45398bdca4..ce31ba317f1 100644 --- a/system/libraries/Typography.php +++ b/system/libraries/Typography.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Unit_test.php b/system/libraries/Unit_test.php index 3122ed624b1..38e0fbd2496 100644 --- a/system/libraries/Unit_test.php +++ b/system/libraries/Unit_test.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.1 diff --git a/system/libraries/Upload.php b/system/libraries/Upload.php index 778ed6892dd..b37cc2f59b7 100644 --- a/system/libraries/Upload.php +++ b/system/libraries/Upload.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/User_agent.php b/system/libraries/User_agent.php index 60d1599668a..cda3ef0a0d7 100644 --- a/system/libraries/User_agent.php +++ b/system/libraries/User_agent.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Xmlrpc.php b/system/libraries/Xmlrpc.php index 7186646dac9..f043e0f90f2 100644 --- a/system/libraries/Xmlrpc.php +++ b/system/libraries/Xmlrpc.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Xmlrpcs.php b/system/libraries/Xmlrpcs.php index f343a7ec06c..21de937c8b3 100644 --- a/system/libraries/Xmlrpcs.php +++ b/system/libraries/Xmlrpcs.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Zip.php b/system/libraries/Zip.php index 25315c92e67..46f6c145dba 100644 --- a/system/libraries/Zip.php +++ b/system/libraries/Zip.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/user_guide_src/source/conf.py b/user_guide_src/source/conf.py index 4d2edbe604d..5c447b722d2 100644 --- a/user_guide_src/source/conf.py +++ b/user_guide_src/source/conf.py @@ -41,7 +41,7 @@ # General information about the project. project = u'CodeIgniter' -copyright = u'2014 - 2016, British Columbia Institute of Technology' +copyright = u'2014 - 2017, British Columbia Institute of Technology' # The version info for the project you're documenting, acts as replacement for # |version| and |release|, also used in various other places throughout the @@ -229,7 +229,7 @@ epub_title = u'CodeIgniter' epub_author = u'British Columbia Institute of Technology' epub_publisher = u'British Columbia Institute of Technology' -epub_copyright = u'2014 - 2016, British Columbia Institute of Technology' +epub_copyright = u'2014 - 2017, British Columbia Institute of Technology' # The language of the text. It defaults to the language option # or en if the language is not set. diff --git a/user_guide_src/source/license.rst b/user_guide_src/source/license.rst index 3f7b2f58bcb..c943c294a31 100644 --- a/user_guide_src/source/license.rst +++ b/user_guide_src/source/license.rst @@ -2,7 +2,7 @@ The MIT License (MIT) ##################### -Copyright (c) 2014 - 2016, British Columbia Institute of Technology +Copyright (c) 2014 - 2017, British Columbia Institute of Technology Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal From d1896bc74e884c347c3ef02a55babace82a61d39 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 3 Jan 2017 12:28:07 +0200 Subject: [PATCH 3065/3829] [ci skip] Update year to 2017 in user_guide_src/cilexer --- user_guide_src/cilexer/cilexer/cilexer.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/user_guide_src/cilexer/cilexer/cilexer.py b/user_guide_src/cilexer/cilexer/cilexer.py index 40582f88aae..4ecfd0bc438 100644 --- a/user_guide_src/cilexer/cilexer/cilexer.py +++ b/user_guide_src/cilexer/cilexer/cilexer.py @@ -1,11 +1,11 @@ # CodeIgniter # https://codeigniter.com -# +# # An open source application development framework for PHP -# +# # This content is released under the MIT License (MIT) # -# Copyright (c) 2014 - 2016, British Columbia Institute of Technology +# Copyright (c) 2014 - 2017, British Columbia Institute of Technology # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal From 0642faa79669826603502239b8fc092d0f1a437a Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 3 Jan 2017 12:31:41 +0200 Subject: [PATCH 3066/3829] [ci skip] Update year number in remaining files that were recently deleted from develop --- system/database/drivers/sqlite/sqlite_driver.php | 4 ++-- system/database/drivers/sqlite/sqlite_forge.php | 4 ++-- system/database/drivers/sqlite/sqlite_result.php | 4 ++-- system/database/drivers/sqlite/sqlite_utility.php | 4 ++-- system/helpers/email_helper.php | 4 ++-- system/helpers/smiley_helper.php | 4 ++-- system/libraries/Cart.php | 4 ++-- system/libraries/Javascript.php | 4 ++-- system/libraries/Javascript/Jquery.php | 4 ++-- system/libraries/Session/SessionHandlerInterface.php | 4 ++-- 10 files changed, 20 insertions(+), 20 deletions(-) diff --git a/system/database/drivers/sqlite/sqlite_driver.php b/system/database/drivers/sqlite/sqlite_driver.php index 16b8c29c369..03c96e4480b 100644 --- a/system/database/drivers/sqlite/sqlite_driver.php +++ b/system/database/drivers/sqlite/sqlite_driver.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/sqlite/sqlite_forge.php b/system/database/drivers/sqlite/sqlite_forge.php index 3ad3477e478..a0fc0cdb00c 100644 --- a/system/database/drivers/sqlite/sqlite_forge.php +++ b/system/database/drivers/sqlite/sqlite_forge.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/sqlite/sqlite_result.php b/system/database/drivers/sqlite/sqlite_result.php index d40b98aab94..34d3ac3c1c4 100644 --- a/system/database/drivers/sqlite/sqlite_result.php +++ b/system/database/drivers/sqlite/sqlite_result.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/database/drivers/sqlite/sqlite_utility.php b/system/database/drivers/sqlite/sqlite_utility.php index 59c46f9ef1c..90ca4b161f5 100644 --- a/system/database/drivers/sqlite/sqlite_utility.php +++ b/system/database/drivers/sqlite/sqlite_utility.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.3.0 diff --git a/system/helpers/email_helper.php b/system/helpers/email_helper.php index 35944fc7b56..b3755d45325 100644 --- a/system/helpers/email_helper.php +++ b/system/helpers/email_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/helpers/smiley_helper.php b/system/helpers/smiley_helper.php index 688ca24c21b..2c9a3b4a686 100644 --- a/system/helpers/smiley_helper.php +++ b/system/helpers/smiley_helper.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Cart.php b/system/libraries/Cart.php index 44d87e0bf66..734c4342014 100644 --- a/system/libraries/Cart.php +++ b/system/libraries/Cart.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Javascript.php b/system/libraries/Javascript.php index dcf9337794d..7648526b474 100644 --- a/system/libraries/Javascript.php +++ b/system/libraries/Javascript.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Javascript/Jquery.php b/system/libraries/Javascript/Jquery.php index 9df1be1c1f1..ee5f9dea532 100644 --- a/system/libraries/Javascript/Jquery.php +++ b/system/libraries/Javascript/Jquery.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 1.0.0 diff --git a/system/libraries/Session/SessionHandlerInterface.php b/system/libraries/Session/SessionHandlerInterface.php index b3533dd1eae..2eef61db82d 100644 --- a/system/libraries/Session/SessionHandlerInterface.php +++ b/system/libraries/Session/SessionHandlerInterface.php @@ -6,7 +6,7 @@ * * This content is released under the MIT License (MIT) * - * Copyright (c) 2014 - 2016, British Columbia Institute of Technology + * Copyright (c) 2014 - 2017, British Columbia Institute of Technology * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ * @package CodeIgniter * @author EllisLab Dev Team * @copyright Copyright (c) 2008 - 2014, EllisLab, Inc. (https://ellislab.com/) - * @copyright Copyright (c) 2014 - 2016, British Columbia Institute of Technology (http://bcit.ca/) + * @copyright Copyright (c) 2014 - 2017, British Columbia Institute of Technology (http://bcit.ca/) * @license http://opensource.org/licenses/MIT MIT License * @link https://codeigniter.com * @since Version 3.0.0 From b3f2e9bcc34c2046a56f34d2bc67dc65dbb61185 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 3 Jan 2017 12:28:07 +0200 Subject: [PATCH 3067/3829] [ci skip] Update year to 2017 in user_guide_src/cilexer --- user_guide_src/cilexer/cilexer/cilexer.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/user_guide_src/cilexer/cilexer/cilexer.py b/user_guide_src/cilexer/cilexer/cilexer.py index 40582f88aae..4ecfd0bc438 100644 --- a/user_guide_src/cilexer/cilexer/cilexer.py +++ b/user_guide_src/cilexer/cilexer/cilexer.py @@ -1,11 +1,11 @@ # CodeIgniter # https://codeigniter.com -# +# # An open source application development framework for PHP -# +# # This content is released under the MIT License (MIT) # -# Copyright (c) 2014 - 2016, British Columbia Institute of Technology +# Copyright (c) 2014 - 2017, British Columbia Institute of Technology # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal From 593ce680b87fadb05af6ba13c857ef8b16303bcf Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 3 Jan 2017 12:40:32 +0200 Subject: [PATCH 3068/3829] [ci skip] Fix 4953 --- system/database/DB_forge.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/database/DB_forge.php b/system/database/DB_forge.php index 2b2ff1c2400..7289235c87c 100644 --- a/system/database/DB_forge.php +++ b/system/database/DB_forge.php @@ -348,7 +348,7 @@ public function create_table($table, $if_not_exists = FALSE, array $attributes = if (($result = $this->db->query($sql)) !== FALSE) { - empty($this->db->data_cache['table_names']) OR $this->db->data_cache['table_names'][] = $table; + isset($this->db->data_cache['table_names']) && $this->db->data_cache['table_names'][] = $table; // Most databases don't support creating indexes from within the CREATE TABLE statement if ( ! empty($this->keys)) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index d7977f4ce21..f176977a70b 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -31,6 +31,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4937) - :doc:`Image Manipulation Library ` method ``initialize()`` didn't translate *new_image* inputs to absolute paths. - Fixed a bug (#4941) - :doc:`Query Builder ` method ``order_by()`` didn't work with 'RANDOM' under the 'pdo/sqlite' driver. - Fixed a regression (#4892) - :doc:`Query Builder ` method ``update_batch()`` didn't properly handle identifier escaping. +- Fixed a bug (#4953) - :doc:`Database Forge ` method ``create_table()`` didn't update an internal tables list cache if it exists but is empty. Version 3.1.2 ============= From 2cae5587fed1f1b448a48e978ab28f0af3e0ec88 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 3 Jan 2017 13:18:27 +0200 Subject: [PATCH 3069/3829] Merge pull request #4958 from boxsnake/develop Fix a bug where QB count_all_results() doesn't take into account qb_cache_orderby --- system/database/DB_query_builder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 661f5fe6970..3f1a8021add 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1402,7 +1402,7 @@ public function count_all_results($table = '', $reset = TRUE) $this->qb_orderby = NULL; } - $result = ($this->qb_distinct === TRUE OR ! empty($this->qb_groupby)) + $result = ($this->qb_distinct === TRUE OR ! empty($this->qb_groupby) OR ! empty($this->qb_cache_groupby)) ? $this->query($this->_count_string.$this->protect_identifiers('numrows')."\nFROM (\n".$this->_compile_select()."\n) CI_count_all_results") : $this->query($this->_compile_select($this->_count_string.$this->protect_identifiers('numrows'))); From 6e8a3e96aa0794081212f7a61a7e28f04e04c2ae Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 3 Jan 2017 13:19:55 +0200 Subject: [PATCH 3070/3829] [ci skip] Add changelog entry for PR #4958 --- user_guide_src/source/changelog.rst | 1 + 1 file changed, 1 insertion(+) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index f176977a70b..ac245c998a6 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -32,6 +32,7 @@ Bug fixes for 3.1.3 - Fixed a bug (#4941) - :doc:`Query Builder ` method ``order_by()`` didn't work with 'RANDOM' under the 'pdo/sqlite' driver. - Fixed a regression (#4892) - :doc:`Query Builder ` method ``update_batch()`` didn't properly handle identifier escaping. - Fixed a bug (#4953) - :doc:`Database Forge ` method ``create_table()`` didn't update an internal tables list cache if it exists but is empty. +- Fixed a bug (#4958) - :doc:`Query Builder ` method ``count_all_results()`` didn't take into account cached ``ORDER BY`` clauses. Version 3.1.2 ============= From 973dbfc648705b26234d5100c08625af8e1a34d6 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 3 Jan 2017 13:54:12 +0200 Subject: [PATCH 3071/3829] [ci skip] Remove /tests/tests/ from .gitignore It got there by accident --- .gitignore | 1 - 1 file changed, 1 deletion(-) diff --git a/.gitignore b/.gitignore index 97f1d31593e..5982f9badab 100644 --- a/.gitignore +++ b/.gitignore @@ -25,4 +25,3 @@ user_guide_src/cilexer/pycilexer.egg-info/* *.stTheme.cache *.sublime-workspace *.sublime-project -/tests/tests/ \ No newline at end of file From 51c84f3a436ecfebe371177ba5537b9e475cc3c6 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 3 Jan 2017 17:42:26 +0200 Subject: [PATCH 3072/3829] Fix #4804 --- system/database/DB_query_builder.php | 2 +- user_guide_src/source/changelog.rst | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/system/database/DB_query_builder.php b/system/database/DB_query_builder.php index 3f1a8021add..ab19d97a2f0 100644 --- a/system/database/DB_query_builder.php +++ b/system/database/DB_query_builder.php @@ -1553,7 +1553,7 @@ public function set_insert_batch($key, $value = '', $escape = NULL) is_bool($escape) OR $escape = $this->_protect_identifiers; - $keys = array_keys($this->_object_to_array(current($key))); + $keys = array_keys($this->_object_to_array(reset($key))); sort($keys); foreach ($key as $row) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index ac245c998a6..73a0232be8a 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -33,6 +33,7 @@ Bug fixes for 3.1.3 - Fixed a regression (#4892) - :doc:`Query Builder ` method ``update_batch()`` didn't properly handle identifier escaping. - Fixed a bug (#4953) - :doc:`Database Forge ` method ``create_table()`` didn't update an internal tables list cache if it exists but is empty. - Fixed a bug (#4958) - :doc:`Query Builder ` method ``count_all_results()`` didn't take into account cached ``ORDER BY`` clauses. +- Fixed a bug (#4804) - :doc:`Query Builder ` method ``insert_batch()`` would skip input data elements if the input array pointer was modified on PHP 7+. Version 3.1.2 ============= From d6ebcbaec2755b7bb3c80fbd5f2d3d6d91766906 Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 3 Jan 2017 17:55:18 +0200 Subject: [PATCH 3073/3829] [ci skip] Correct changelog entry for issue #4804 --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 73a0232be8a..1c7ef16c62a 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -33,7 +33,7 @@ Bug fixes for 3.1.3 - Fixed a regression (#4892) - :doc:`Query Builder ` method ``update_batch()`` didn't properly handle identifier escaping. - Fixed a bug (#4953) - :doc:`Database Forge ` method ``create_table()`` didn't update an internal tables list cache if it exists but is empty. - Fixed a bug (#4958) - :doc:`Query Builder ` method ``count_all_results()`` didn't take into account cached ``ORDER BY`` clauses. -- Fixed a bug (#4804) - :doc:`Query Builder ` method ``insert_batch()`` would skip input data elements if the input array pointer was modified on PHP 7+. +- Fixed a bug (#4804) - :doc:`Query Builder ` method ``insert_batch()`` could skip input data elements if the input array pointer was modified. Version 3.1.2 ============= From 2fa068d238c65cbe8e048809b1839fa0cda3123b Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Tue, 3 Jan 2017 18:15:30 +0200 Subject: [PATCH 3074/3829] [ci skip] Correct changelog entry for issue #4804, again --- user_guide_src/source/changelog.rst | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/user_guide_src/source/changelog.rst b/user_guide_src/source/changelog.rst index 1c7ef16c62a..3ae234102b9 100644 --- a/user_guide_src/source/changelog.rst +++ b/user_guide_src/source/changelog.rst @@ -33,7 +33,7 @@ Bug fixes for 3.1.3 - Fixed a regression (#4892) - :doc:`Query Builder ` method ``update_batch()`` didn't properly handle identifier escaping. - Fixed a bug (#4953) - :doc:`Database Forge ` method ``create_table()`` didn't update an internal tables list cache if it exists but is empty. - Fixed a bug (#4958) - :doc:`Query Builder ` method ``count_all_results()`` didn't take into account cached ``ORDER BY`` clauses. -- Fixed a bug (#4804) - :doc:`Query Builder ` method ``insert_batch()`` could skip input data elements if the input array pointer was modified. +- Fixed a bug (#4804) - :doc:`Query Builder ` method ``insert_batch()`` could fail if the input array pointer was modified. Version 3.1.2 ============= From 2ab1c1902711c8b0caf5c3e8f2fa825d72f6755d Mon Sep 17 00:00:00 2001 From: Andrey Andreev Date: Wed, 4 Jan 2017 15:26:35 +0200 Subject: [PATCH 3075/3829] Fix an XSS vulnerability --- system/core/Security.php | 2 +- tests/codeigniter/core/Security_test.php | 5 +++++ user_guide_src/source/changelog.rst | 4 ++++ 3 files changed, 10 insertions(+), 1 deletion(-) diff --git a/system/core/Security.php b/system/core/Security.php index 8b313a9a2f2..d198b663b28 100644 --- a/system/core/Security.php +++ b/system/core/Security.php @@ -499,7 +499,7 @@ public function xss_clean($str, $is_image = FALSE) * Becomes: <blink> */ $pattern = '#' - .'<((?/*\s*)(?[a-z0-9]+)(?=[^a-z0-9]|$)' // tag start and name, followed by a non-tag character + .'<((?/*\s*)((?[a-z0-9]+)(?=[^a-z0-9]|$)|.+)' // tag start and name, followed by a non-tag character .'[^\s\042\047a-z0-9>/=]*' // a valid attribute character immediately after the tag would count as a separator // optional attributes .'(?(?:[\s\042\047/=]*' // non-attribute characters, excluding > (tag close) for obvious reasons diff --git a/tests/codeigniter/core/Security_test.php b/tests/codeigniter/core/Security_test.php index cbf0285ecd9..4c54ec9fabb 100644 --- a/tests/codeigniter/core/Security_test.php +++ b/tests/codeigniter/core/Security_test.php @@ -154,6 +154,11 @@ public function test_xss_clean_sanitize_naughty_html_tags() 'on=">"x onerror="alert(1)">', $this->security->xss_clean('on=">"x onerror="alert(1)">') ); + + $this->assertEquals( + "\n><!-\n

6QNCw8kyTMg7eEIYYA*^?wC-|*n^byyZE$Z87#UHC*Iig< zdaF(|3I=BQ(8<286EhC+H4Q94&s#QV%P8bakcKF}!w8@0cl_q}h`S8}%i+KUH8N_! zM;MirfrdvMLctr4eD@_GC9(8+SOB`9kqyr!*L34J|uJLRZCnYy& zaPrE^KAwP_oF>*{4b$ZQk;(K)g#CI({mTm*fS0?k9UuQ{iK?lgOMGF`RR_p4sFxM* z-&=v8WO0;~H=yaLq2mLTzjX1=@n1av1EK;zMpyv>L90|+;#;hCLqU7NPf}iYq}(i- z)-KxV5-PEwfthw24O=xeyv@1+i`a%0E)8`FO;fVcpCAeZyb`XiY!hv6#Y~*(?dP_Y z6sUG@_n_OydHgB4+`&j-$pa!|6@Nu4=3f2+)EEW5&VTKMdt2`EzNxO8TMj)92{U(Q zX)celn*Lf7h>Q0@>I}K1)eWd-RD`!x#xHR-$jO-l868cRJrrX^ngP zTHg-RnZH3OY3NNHRdGlRW7l(-;dao#YVBqWT*?y8i zAczYOS{TpCqOjM=?KQCFy`HnyaoYD=a+t7Xzibq3{@Q#A0C7_N&s3$mGc7PJq*dgx5P$Nb*yP7Ui#d`$(r2{*ZL zx0e~z6>>h6|7zd&>Ub8wYleLV`Jz!m<=S#9^R4ThWlGntaf<-ZYGdHGs>_UWgV!#S=3$8^VHV*DqXYcB>UA6P%oUR2_0y(2KdGvXNNyyc(zS=fsi*0cdR1bd-t=j+u?A-nlyHoR@2oBM8j@c4?dx_-vjfAXL~h8G#$F9o{Q z#msaWv~Fv52-;H;7uNrOT7W7+y!tQC)Gh=;+L~_4x*vV;ExND=?DlN_aEhu47-f<> zwy|$XyQhfKRGm<(){RN?<>+y%+HvP=;r)m~J6BBv^UG%_yeyU*f z7`kScM2E(M_e|k4ZUUyZC)!tk@fObCXU4wg_$d`MgT3a@_UM3$_mbxUHw!Sb$RKA- z9Ae)&(VIrFDB5+Z&yO!!G+&WXb(OwPdL3U3kglRH-YD8@tydspsA{Mcs?g&CJO2Ts z3>f(7D8yfpOszSNU&)RPcfSZdz6{=V4j2cj8P3a+{k?tI)0ZE+L`bF68!>jbAf=Q1 z{RZs+uj=57+Ipk1=zqs8Z!s+0|C1wNSE-~0d{F(*^VBU+sO`EX(CzYyVuXZwZ>fVX zqSe6*?XMN9{}DO7WN#;!?Xt3hSkBi$($h|vyrK?0l>dHLj$j#h^vDe<`)`6AmKWUyz*QCf_S^a&Wy2RPnvn1_ zduouw1cI93pZ6`%T=C!k|7Q&R`}hBj_sQR2|4%XDA%Xt?R1#gR<=sF2N0$MJ6>?wV zA=8k$z8Y4e``T6UU}1R*MH%m@ehd6i`_#4!`6m4?SBq+h3`P*zq;PMhFj1NI;U2k&&`Z@zjFH4GifH5)v+5WCW*&KL7NV zM%M}O@UMp)qXBz)E=Kg)E!=6zVPF#pR=1piW!Y_UqT9#&Hz5DZgg;=v94^;s1ow{Ap9Bj z-7u?IxY*5SgU7RR4+|KR2{ML=7?Zh?ea-f_NJB7jB4Uz|jyI2+hb(l6XrvG%2x!`# zPe*jLnBE9+2qdzg8EAN%!jjT|S#Ph1B!ZmzO31@`c5R;9X@xBt1a!S3HPC}JV9X{v z-IsptEU#O~t~_*_IK9=3W8aL3mh%bn$>qYuHK9>@u=*84e?^Tl784mA?4S4&_}>%Q zclZ$nUl9l?YzmXfea2&t82G)=De-)98mFyd@7SXYj%FwMYnWp)8o6D|B&;y<3qv7VW3ou^-O4g z=Oe59G>QFWvwkuHDr`E%(O_{rO#$?-;lgL?Y4l=Q0 z!m(9h9Z>Gdn!evUrUBc?jLELl*|9FLr)Gpi;^@Ga9FU*$*Wjklh5l-yQ~eyWoK~`` z*xud*@8^ixo4(;|x_r*_*vg-5($mVJ;~RK$XcrYzh2Vs5iR_;@)o!qkB+%^g!msY& zj=X4VMj;8})^Lh@67Y>~g%c#_^%0!Y&l%4~Evxf+QuvPbV*PL=mo1Qa(N+(Q1iFtu zVfJy@*#7qEIyx#-Yq&ojse+crK-TI6%L5VqMA)yaAsIs)lw%U^wU_(Hx7L|jn=I}S zzr-rq-1C&rcB?tn%z$q9Bi=$uOHVifdf&7MrgX|PSA6VWl> zKBlX7P5j_0HY72q*F-nqqcJ2jl-d7$jLjxZ!O01^z$D-i;nBij$U<~h$)>ufp*@2C zt?t^JKS$7Du;XcSEQwt9_unR!qXwtbapl{1dm zP#kt^2ur|NhG&mgTpG$jAuu|6@JF<=EBPI{+CKDP{Gk?bnXDEF)g6yGN3>Hvbalt; z%*FtzUAKL;@zCGc9G>L(kU*X?;LYgaE>BKP&uC!$Z}lEZ+WNe!Xc%5AF&h}a}GLv_r3U5Rs4YR zcv{)>A5yG@to0ll0q#2y`Voz#hd7jg*Bdwi{vBCaTrOFM8Ecc-)vxwnDIB@0H?L3* zweAPax+{%vKxSgr&$&gpQpi?F#yC+`Q%!WaMhY#1v&_jGJSkEc_j)&hg@YZoT!`9f z-WZaU72K;DsjjzJWB7aN1+VdN8AvQL_Q!-0{6r7?u%oPk2%So z^U-8zauKEv>+fLm|PC!_y{;P3^u^4B!)iE z{owUZ>dhxg>*|sk8rTHB08syMCi&Qt8{_K^F*C!we{gWSlJhd|d1a?wr7bQeN9WMN zo@*{&JUlj5ES*f@$wvUZF752h0!$;7)Gr$Uz0VTbaA>k>Jm&=z3X#C@bpFq;k`m<~ zKSbtAPjdKmq{PJ`ZI*n8G-x}GcY0qkCd^H>%x5c9usJ`uVFI!?a#Oq6oNsRZ8i9hDhTMe&6e)$3zfx|d_`-+I%)ci6 z)<35G_@2(OP*jq=4*wv3$L0%}5_pH`P*9Z8q-yKjn%suE+?g?opKVrTOdHo59&}im zyK4H>_1S=5Uw`xN)ar;T=9ctyy-!~EIzl>+l1JB|`EqeR=JMaC>M862NkLD)U0ly> zu-Qzk0E7u87kpRB{Tmek0sx4$+eE#-FNlzxBzVmFTWvcTx4gnRYq?7X3Pr~~>H9#1_x0=_Q93_& z6Gy>C5A!F8{@6o%)%W8!+k};gmc_o^?l=w!L)^^h$p+HoX1L4r*~2}yBffrhIyGaL zjFcs`$2v0>ZX=hIqoo7K6aOPfy~ULI`8kq4`wYB zhIvzDjb%`dMkj%N3Cm5sU{T7tnG-ipKKpXo@(4v4!>h*)U_xd6A7L}5BtYdnP&141 zIUo-T3O=5%Vg;da%@OcNDeIG-lQ^j~=m=B4SVgKvEY8uUnN%}mdLDFWxLS>LS-yV# zs`I!i`^s&;KD3$hv^q64-Zh!Qy+_NX{w2CZOU0)#Ivq~9{a6@G#pM+ivM+(hoiYUI zR6rapzlbY^)n%e({+rHXDwXwmQV09^Lg@_z~4(xLw~`-{Q4>!DhFL zmOb%b@s36k97p5xeP)WqVc(5gyV_r_HSv8t!Q=6`9A9;-z~=X6%lCaH2n`J-qoi~J zroH@k#$Z~4pp}NrV#;I@4GV*Sa5(=*MUxKW*7^43w4&Pcx(5pTv%8q@y4%tF@pR0> zMNo{iGGKH=>E)`04lYex^Z9h`;QZB}_lo{G!q5*XjEEJtODlZEn1Y7`2Q}zpC{9IB zO-VnEr<4@^HjL$!lBr37xsf39{;HOm_sZw zdY};YA2_3~QN@)<$-Hjx{5+h{{-NcY=LL6&goYyLrp69gHtERr1YO}0r=+hvSoO3y z@;IT>>hr90?+w0bjc8D<6{&EAd#^9KL70_ELn9atmARqCd*bVciEuGCXv&Nnl{w{c z)o04`pG&Rn5ijEPHN|R$h=(ELV#=C{LmDCPWXPL`&`HTV^e*LBld-U6nGD@oWv#@x zm>t+^cYy|vNIm9#RDSuRMyE572v7$`982jcQ1+x5@_9}d6prdiU-tBU$8v=Oc|$xe z*|%k$VAa`m<+|}UW6?Hu-ko>iv*%1bqJ@TqIUFCEtJH4-%V9BK&>YMr>=XbjZ7&h_@)emi)U>{5Hu{T@#Fc*uTs+*2LlW@H+NSae93r% zlJZkNR7!gb>$;*v4tF@*oM$_ta;EhTuDigHH z`o!eq*u)S3iJ2qdha;U75fxSR?_ZX1@V6N%fy|`YyZ!ykffH90JTzD?WN5UKxL_#6 z+xUR@;Dl|iEDpQTB=HJqZ|2Aulf0ckD1u*lZSHhBP2Y(j1_lOxm6j&?SqcIi;_+_? z4Enrq{c1`&I<%k2U*2Kmr!Mo{r(7-wE!!^IZj1KXKU<<8j$P zmk?%Q>0Jb0QUF+XIGKG(L_!nwQ;Js78SN9{Bb-POdP?8 zMc>kvvg7G@{?;(v9U4^U4p=4yMu9lKo($qdp7yH|nwvV=J1HaRUW}jBiM#i|u+Yygy z><^l;f?|g2L{x3rG~6#s-QmmMsi7eVc7Qf7s>1t0NGj+)Z9*E5N+#WzvDq(%EQfHR zs3cj=m9mo`$y&|T;_LCc58xRa9n3P0@aKri)T90FdXYdl-<&EGg*slmv*ywFf)o$6 z7!mXic_Z)!5g)G9Z;b+~G5`cw6w;IT8&p|XSe$6>$%vJYt{aPdbk|U$7e-slVMY2x zjyImPahj#}+SF{8TTOTa3x&x_$&fMAg-mVHD$=WnN~}yC&o}$}rUZn$@;)r*Nir)R zvPV|4LVHY!8m&x3L`09BJWQv+q`*8{95LnE_>3KmQRyGH!pm&P=vJn;w8!Iu6)!T3*aoU0(tf zUHXwlElk-H02=#y;zSQ?4}oLrws5}Qnyll{ks5K06%+*Q(dL^yUxz#LIdwx10l6H_>p~m&7{-@{pB1%(z>g$^%E90DS^qbyO0YN8&TmRUJ znxSh>1n5Jv3}vCe-Jf%}XZyTv^n{NIl!#U+%+oZ&I~|7-AQH4k#gIYpxO!e2_V#nX zaifV7_oD>iA_4-NGds@Y#dd0w{5Q_VRqgTKAXF&t?mv7@YRsv3~z3hd~0R8lIEHWSJ!Lr7bTRxB3XxqVb_x>C+q4~;?6k(DSB{>&D>|Mp^~;CqX9$r9 z1o4jW;AFg?1ho_dh(ftF4Rl?Y^47|3qD}4E1;n@h?Ynq#a1<8%E+23Zn6kAniDF?| zY*1`$L==i{aWgl_oZ^6sxJE?=} zZZjCV=bj4h4_Ory6dX3sYc|`id1kP{m>6tUTJ?aDk@r2m+h^2e^f$#`2Tx+Sd{O1V z?pR!S9FX>?r6WN&e%7)s`E1(Nxe^o3(;7}LK{OE};=%$V+FQlhdr4(RI)Gl2@>f;x z|0XTT^5O1wZvr3ILIOPNs&}qMTQJL}mXKa<9JXF?uFGzEUG=dR2e!_p zTDfB2_LN?1oL0cjBq?9`f3)Q=R4xjojCq2b;uGL7DOIT&ICrTZPd`@~F{DRFxg14C zMh^HSTB+XXfUmbO*dSF&SmHn|5e8~J{!rJI(beVC7iZrqe`gVa9@nh7ThkDkhMr&) zFaZe31E&`poLPsbTvDVKU55K_{8WOf$^a!7ekqy81jw910BRZ_j@|s{aF>sWH$;9y z|A*PeGjEVVd!vN0m|$G`yv+rs&L~0>n4n3&b)~yuGOT;z_`k(1n4p-uiYVIIu@9Ju zi$xHr)4c@A+i)6Uq~-q-CHk#q?MO3e;I{$?!O;dEK6gXPcnJg`?A{fNL_gj5xW5I) z&~3ai((4xw;Dp&yBDY#RdJF>3hTq(?;j5-UE&W7@e}&nJNWo84N?6{sY_z|vy5_hc zG>EL#xECN55uXF3%x3m2h6o1yk$%fzfg)Wd4h}x12^s~$`O45c;t>)NnC}j$BaOns zM$l+}-2T;ln!nD%1KfPIxTRR{FM%zZF52{ml-EUGR%O*6{j2a>hAt}!Y$yQliUHyE z(rUX}M-W(0+LXl#SvIoT1WAwch`&6MSnQ=40*Pe%=?~s2iC}^zK|?d;a(WL_*W@4^ zpLcMV&U6r(&h7q=75;?(OXX=2+E+FJA_9c0u!jV!29_4E2;I15D0)2;DiIhHTzx=~ zE}S}Ygt{dRlDay>N0Nhp!9c0QA}1gWd+;6>%v-9-k@|4M2?-QJKDMca%XMf)+R^#j zPXhK1HWwwGG5t26T4PGWU(cPrWZxZeg4m`-6Ci(@-h4Bv53qJ5NMt1xq|!JImVYYC zyZ0WR(|VOnqhzE0xGaDCl|mCDqGch74>$38kxB}gJNebn(7z<5sKo$aIB6C6B-k#KMr1~&c3W_`Z14tCP? z`^rjLQII0^%OC-Ppch2=SYQZ(e{Eppb9&ay*SQlIKct1C)Acn0u$Xak4`;FN=&54| zb?aAkrz<#kCKU&EW9xkAUvd-c-3b+tsxoVVLca%yc;+q}Y@5i{=dMhg4-XgoEkxBm6q zSE=(sPfT2BtJj>l8rWE=)r3+%Ag7~)JA{B~Qom~X+s1GxaRcBgek9K=I~n3q#-|o= zVqvk^QjK-#1f3^ibGSpa!Fnk9-=bM%TB&N}5d&DLFgUE%{DS7x+8Wz$hKmk^l_4B8 zRzg(O^gC2EqGS6t)nb#nI-^$493#K1#F5;39d1=Y@%1$5+|DP%~OV-8U{P=|9ocSxGMbFeR1WVo)NY4h8iuXp55*C=hijp@i` z`$Jk`=l-rL7e*6nCtxf=r{vO878dT>Y}sIFI$xG@w1nPhdmtjCizyZ#xW8C1NaR$0 zjwdZTQhkBZ_dVgh=RsxBC-B@BM%k+eBPHtw#p34NXt9~{-rd`ajGyQyG=*u%mh^~O zX^id*M>J{F_Bt*MpAHX)YP#;T`tAq5V$<~x>VrzdsQ1bqlZxRQH2TJlPa zLYc`;P^g%=q!A3P`Pe`C-}5x~KHCaKd&XXeokO16kAl}47q%EvUs=1oq`F=g>?x^v zrfY-rKx1s*exyz&eYl~qxm`3?W(?EBWVmd|@mD`yi;4B>g8Mr*YmA;wlL<^+LUPu? zk%7OkPDQF8?<3RBY_#XyfR?VynVaw11kGgLp99SsWs)LN&!g0p_WQCUWgE8TO1ny} z#-#d23v7NTx}92NK=Fo*OfaK7M?z}EgcBJTeK5wIkDQG)lo>@67K=MF2oD+ zFMk7ZC;D&V>Ugz=gj!T4>WE=u%9-Dcw`W8f8l8CnIxUulD<32}D-(vA( zR76RKqT_!2@Xh%(ZyJR_AW@}mf>3vTAeqnn*7wAe^?hD-q2ThNe!T$=&7ZwfFq!Oj zS9Xfo|J{>9z9r~2%-NL(e2XrBDzQlPJ2p#55FiV()#}M)RU2lB!RC*|)b|Vo04hVa zJ3B#jZe87vQn}U)wF-4*ph+^DD@Db_1I*pGcVozr&FyK)i_2+G##oK}@%ChKwup{~ ziOC8;I_J7J(&FI{DqSqhoZ&}rKCyv;gv7bfvb&@7wN~euD>WFYdfJFvI}kyF$U%UzZv0lU5H)rJNHcct zUaz-_*+^n;R48Z2t7*fZFrCj$VI-0h7t_>#u*_oddXwbVv0!n#(=j{M;;lCmRw>9X zF>GLQIYZ~v2juDxU3hGc%!rDsrsY%c)8@_(L-2XN>k%Z4f9Co)apw^I+)u^|7$N&H zt8%VfMAj4;>_x{;uolji2ww6dy<$PVz$5pdDcM6GfLgCt9y*jdJ|<>gkD4nieASPh?vdfCi@8;XK{um7QaKYI3o%8Lpsr8#%!MWvL3 zuoVlTtoNRv>HM%q2Y*F80`|Vl4@Ohl?`LJj#0TmfwgfnAb>;2t8N9r_=I7O~d*K)p zW~kGbfIDcz!oK}GLT9>Lq5NG@AzHCu%!IWJ$bPN@t_eQg5X^RZL+P{|B98I{2mroD z(-MLTA8T_C_)>xY{aye+SixW*edKVp9?wSq;Zy55Js4YQw*n_Bp0UjEJyC74Tkc&2 zy0m%=O7Gy$D;D^oi0{ws0(CAf!xuBL;s*4F7f}v>%72SEu=y%x5mR%AUf?#>+4W&G z@X*UoQZ#78yJzF4YRjvMlLG@f=%;#_C{lMEyfBiZ=Q)7ZUJ>yl=%gDOwId^=%`TVn zXU!Xn7EZ4Jb>vk25l{OVQ%ub>p8LFjfFnMJz}HqD>*;u_)vo%zU=1AKJ{=cep0ta1 z=1-iXVB>$%nXqLJpC(Ow>b+rUPUj~}%0@&)iA7&--3gXl3q~tUyBvEGKe#;riQf5E z6GlHCDt}2bd!ZWg$hozqamCWcu5Z;?ylf6R8)>MvsMxo0-{!xZr(W@}gn&UPnP#?| zjN-VA@3~H3Tcr*XBr5uwPEg)f4i8xwnNF(#$tOD&zG89r?!|Gt8T`hZuO-)hwbBkW z8;KCg{eqmI7Mv61k%QL>#wn^JrPm?uX9S?xS*+CJd)ZIU`SbTX-dpES-=HoA$FVed zU6+Z*?|4ipJ;6}*_8UCk5b%bFcTlka=FPn=I40&hEG%q9WTe?{eXpQ~+?;D@$uyIqcJUXS)#a3_Fs*0xCqYwEuY#E={gIpfa3 z{`CF~Phfk1w@I?1t_0AHl;{eb;92I(GBSt+mOn~L`Ut~>p!XOd8TAFJIu9Qzc&iC@ z8|Issm?xygNf~)^mJwQ_oQOsxU=M%|@7 z2w~B&|LP8_shD^pW|S>|nEk-S!IaRIf~GB^m6DRN@25?@Tp3NjI#>?{BC?v6PJhx! z$rR)Jz`i7tkSLOnX-MC`GrQv^!4&7T{IDD~6>~ysif0VDfP$kolgqV>V#fn#!jzhY zrIp#n8RdT>9v-PO_@LFerV!C1f0Nkc?}<^W(;4)9&h-(uw?Pc{LSw)FV~I!vXtVqo2w#*fk&aBp@9u#O|t9K5!dq}UCh2@V0quYQ$>t{F?75X$kzFk zHZ!AfaCk^4U?k*q`)%;>defeN!h*Yb)waC6oPhr;L1gMEy@*K8L>xOFi@sQiayGCY zfx5A|xe1;hTj;k!QeD12h^VM$y&JS?9PB22Iw^C*7;c(`Bz8Bc@SP9i3War5SX7tjdsj7NLAQiIp zFzKkmwWiNl#KoUOt}Ap#^k)L#?Y@eNc$ZG*NgtjDsD*#I5+~h)lhO#|cQESiS?g_M zWD+{MWli!%A>|5K*x=9l-lNZW*7>RQY)JnKDjW$j-Us0pgN#tz#+iAYS^v+Fyzzup zqe8?-h*!gV^0YIz%B9-E?o-`7nP5Fv47#8?k8v4I)`yVhy)Rh_nH6?v${P0E6dV1K z2jx>>(0e@TfH$>UhxFh5nkm=XdkzIxBmI{Tv_TiH_$1~G0X>H>tBg=|!U z>+U=CV3DISyr>7nCsMz1f7EEYnjGZnZ86$%3}{zAD!Sj{BU=(BNT`+bzCY#sp)w1{ z>}tsNU=ouS-v#@9&#ju9WBua((_$Ar_4{k&+T7d#J^8paMo>&Hd5q}#O_11z{m-~k z3dB-aT&3t}@0;PlmyLb;UxW)`e#P%FbhGU$8N!-P@p+f*AwAKVeft@Dtt7=8!i24h!G{1Fhi+kfq~-dVllG^t4Hy- zL^^@ym)$}Hk)Nkj0*zuoi{#A5Xd)Kv(EvEi^Y-ol3Pb`pY>`}aF0(8&`ek05ZhuPl zOIY~s4V7+0Ggv9+05}$H?mIR)LGe&zTq>hb|5AB&N-8WGSalt}UIe>NNd~&PYTZa? z`8^KUq{C>9q||z&d(Nl;%&NRjpuSx;4rNyLnp+e+L9DB6?L*mJ)aQ425pr>*7L zU!MZXC5PLd-5y1x#e>)JG^Bx9T!B};cZY)W!e@bg#rpRh15mra=x7VnShG#jDH`9_3IkoeaC+au%C_&H zGw5y-H~nXskf;WgZaf%^m5C8LY*A2K234{u?rlR=J?b4}xFs`L|5_9q4J0U zGafT2B*?I_acXKtLduy&2{pP@gGoC>TTW5_!hqieUVBB!`R};t?B+l2=7Y(7=Pr3G zH3&Y1KN6QR3F4i)qgT^u@rT==d)Qaa4v&F0PnrV0*en8=fnG*QH{PN_5z8yAm= zEA4qjId*Bd5Jf5oHC&fhx$y-nBSvT@e(yInG~&MT^1 zU(Q(4%%+Qp!r059=UXnv9)cc;-m^cxhjD+Gd27w~70CRKIP`OcBY7*pm1Dp5a!CBc zMS;G;+F+;so^?N+aADbI<$1$r#k=1*$LrD*EE$m^nJRzNtsc-$Vwp$U`5svU0wob6 z5w}icPj*`db0Ec{qj|3r-=i`FW2$uc64Me!TUpi}?ALvTY|--}hEn}9m;3X%Y6d!? zgH2@h{Sxx$98#)%CcKkVGd)A$#uoM3Wo4BE|6D0QU`1a?-+5yRKjPUJ-0`c{a%|&Y zy@BGkU}Rz0IXjV1&f-_@qJ+7>C{!Wjv?4&bJ)sw33K*>%7pMIV_!_N-kk)xrHEvhsER-wIrj9c&8HE zwgv+p&9VFkPH3<4{(0gLQ`erQC57X3BAFOsNuZ1*(5NM`_v6f(04}Ng6=4#}bH8C?Yc4~BJ_z`v%hS<8Zd-3;kWSP^P;RJEg z8$C!@)(sK!_u>>HiNIc{S&#RRQc^-9=&Y%4>p8IOsTdjUf?wZ&+}Qmo1}McKQqZ+Q zF?hOG9~HzdVAyo<2>TFGq9ZO+rSuovJeadg7j3tF(U~mkw%ZF3BN;vJl&?-0_dcF= zUWaIPZU5qu(`3LrJ8a2FBRzmcL>4k_8#-bCn|$F@Qno~jDH=IzvH9s*A6-9KgEXy} zD#BG1H?D?}=?u7&6Y7jju1}?Hq)1jho$24b%Y10{{G*^yR$W!tQcI|clgWwCgp0eh=jZGCV(}+spTq&cVd(d#IvMG@8G?G7a znqBa>i;$O${7H9T>}P)3{-B+yO~B*89D0MR=6J-R{Uj_hm|BCSoiiy`ac|0pFgZx|(;??h6>KnWyc4Cs|mq&zk~)W*5Hg>~bmqo9Kz z34x*v3OvjQJXVuQ^S2D|RTW}IgzwE>ux?J42j^Te_l0Z7U3kpT-+%?!x&oJN!tC4Q zTK92}lBO~*QB?}7aO-5f9aKEWBtI$IR6Xa%3ZAP&KL4MqPUrVD+L=1%kiwQS!lvzk zH8V-`iNvIgs70e&HW+B96)jH@Aeb37ch((;T8__C$gtaZ8A&Og986Vs% zU>&x0dMk@YcF{!o78;B^^rt>j=abYx44FTaE}Y!x3Dz#mZz)UHV(W}xKn7bwNDOIr zsGm=&KFq^Lcc20e64G1Mld%^BfYtoBm3cZt>$UD0S=Vk}-@hU37_-B)<;)cG2aDF# z$#m?}fp%xsBVo~?^279R5%N0btwb6PCfxJd^M$3Qq2qX2@z=F0a$bx^nZJ6s>yh(^ z|7=`XJm6MaF5|rf+N*8jT;amx9y z`RP};r84VM!;?X~I?E9&SZM}r$mi{VAQ@9ASRN@U>8VDi&mZ3&tu#fRzzGlUuLWCq3QhF`q(mWO6C$|SuLwbU4J@kvqKV6(N6 zAiTI;Rg&2t}f_1@V;7D9mLouiXwF;U=2)HQILNUi{|I1%i_XK{$W-;U1d%N zq&=y@!92B!p`)x|?TX@}mf-fB`|X=i<4d>9X2XHMB#a`8^5+h8D($eTo6*+>(Fz|S z_5x|QHzX3+1zH`>aF*%&GxM|4MP8p>zpZ^|UFb`=e+x7@aHGgXk@XkczqJ?81M6Ux zo{lR98E&{tVfXI25qIX^dW9&!HMan!-k?%7>FoB?nMrco~f674y@_$IDx;jj9GOjM?HK&3?3>G%&czf*b)YMYn z!E6Nq*urg_0_P3l|ktNtEAbb6w*0y9OHszn$u~nvcYSafHR|7VTi7Fd7U& z6Gl5i4BMN8^hc6O=3z_r#E^3Bpkb;ZprH_0BrZ?9_5JLWdelQfaBs4vOLTCcS~1(K zt1P(d3Q2HC-8gR}0+JB?D|0Lo7bjMZ|C_9+s1L42c%xw5AQBHm#?@~pfT4=D)eQ@C zKi^DQO@n*uYLmtetckIL>`MK*gh4VNrn3{DJHdlYlNk#^v#9p(H+ru(-WDIJDGQOJ zFfr^Alr?afocBsC7|a(xM@}9zfQJA)8oA=>Scm;qZ!`jw{ScaBfWTR&A|j%NYW?nl zKHAaJNR+jm>0GECRw}{Z-DD#8kNB<@NQ7JaSrB36hBL4U|6 z>-77c4+}|KvJk%Q-2JaeVeaj=Yd*Jn2L}gf99yo6bTDq~KIoS_zE}$Z@yQkVHP-X2 zIldRPG*1D|RA#(3+TANHPAwM~hxe|>d?=)XS*1e+$ZyeWY@gjm(;SEm{5s;g14FS1 z3IB|+b&dW@H5mC0(>Cif4^Akm^V3Xk#cgqkLK~n9ilK?Xe8hMGrDT-mNZ{IYT zQz(k~@BQ9H=Rq_)2y;6`WAV*8gYeTeD+wmH`oi%@wHu&JUC^nhTo+GLxw?aJ-0$>| zXEf%rckF=6GFg%%6$p=j#tqeiMo1WHGe`l-IR$BGNR;Vwz0WY|I>N)684kwhFv0h@ zhq;yf<^zQ9p9FX)Y87{Ol2y-tFp+}QR>I(0@y1oBQ!%{wQBhh}Wzzpg8sweMM%CGJ zvA=44Y4L#n9cm_5=n=L|J`Lb+@0A|7?ur1U!nc=~IEdFVEpRR&w5h{PnFt1O?*y+m)qY zGB#(uGr#*%*kr$ukCX2na>Xv>`Hx%`@!sl+u|KOfyp37P=G7qLVN!JwKP-hqWs<6l z(Ud?j9`g0JqYP(xZeDXbp z*dA9l!tH#;X*^-Fj7vW^6KRXh=wG=VVAS$kA5et7ZcJWZV47Eze`fkpXYy8;G&JBO z4)=ZftS2qwiI$+|nt%50%mDu@Bg4~c7zN^sGpIAlJzrM2?||)a@7i^>XFYxiC2HU| zY3usPkFoNh4hN&^c@U~K>IlC@`YGNtIiRQOPnT`7F|3frye1|#X`p`$uNQSF8Y%SC zZpi#0Ej4xE#s)hH+PnPjcz?9ilJH-=?;!ac{;91Y^=W_cP+C8V761AP-J!2iBW+2f zc6Z%Okq!?B7i<9LO;R4OSEd4rO=m%^E<={dT2R^nU&kr9mExxxSAnI`psjOvlF6g% zeP1Le@wJ%So-`4ftHHCI&C#m^9t>12l*BJTo%kDp65Gutc_3O`NNr5{(WxTu z%sLAG<+g09EmW0f&o3o03Vxcjd%wp3C?AAp1W^GvIMJ7K3A>GT)*eafG>1bNQG$ODla&kT!D)Vb zYz&OPfyl4$NpC)gL->AE05jH#P-pHNO;;X*Att8HdIMbG(Sh4huwZKVzCNH9`oe_>4 z-5nj7v1G+8F23!27%{k&-`*N^w-B`6PNpUfDZzy1Ql9hIOtDv{z&+cOdWs+4Q0ZW$ zdZEBb#GKqzu~LZ80ea$2fO8EF4$g~;}F!0I83MSF9)G&1&gS*ybxu244C^srb7q|M{9;w~bmvyhSP4F$i5 znp=zH;>XShDipn}9fF)8EQa)Xdv%5MTWAp)t)6|y0?mqX!lE4;J>aksi{q%4y?985 z2lTY)#wD}`fIBS)k7Y0-Vt+;;u)Sd{>PR36jISvyI#N0nxUtKU-j2|LGANWCPVivl zqkS(Nc~zy;d*S=65?!qS$jElB}ZcA&_v65J!O#oq3s_8!;SOs zaYXNlSk>f4jX)et_=_aMG_Xk?P)+wCE3;O} zJOJ5%MMVUxlV&~Jq9L#fBX=Fw6Jm0C-Jbm0iWQaVvmfJRIqiI8H8nL2`+~s%KX7=z z@r=&E!t(F#oJ#D!*f_-|bkSbYTzm?RPvIz zA}EIj0{8b#25|;}<@0KPe(&sshhTTe)x~}z{)L5O1Gw>vsZspB)h<5mXf!~b*j5V# zNCecR1upzDd~04|-STj-|MYE5*86Jbv00CGOhdyE=~te3;NY=Lf;WNU02(0%*bpCZ z*EybJh#g?Sj$1Qywk{W`EDn*t!1#E%+FFE&Xkuc9K}58q+IOPz>_I5v&7Ys2uc1j= z*j_+VJwFmBUP#E}iG$V_NT1{FU-7dwVj~YD1eG|X7h-rgCk?olf#~!I<`Gx~gz1Vr zQF?_~5Dik4lS6!dxZWCy4@^o<=5*X<7#;ZfYHg9=S@9@Q7bfp_kc$l4gcnZLxr5$0|jHrqc@j|LFR zBZdheTPX(Y%lhef9k!tfi-^l71NUCPokog206B$KSIXXk{W%oPXtn$lv_BNd=H>(i z1;wSLqalLxl9Q9mqONhmZRkybvGLtQBpc& zOSXPHvYL@qNW#p_{DAlX$dcSVys8F%Dd+eqQYoeiAC#vWy;vCuEf@4$jj%SuJ}6L7 zQ6;48m;ot}K){iEomor5*^{L0myP)WZfbz`M`jlsUtHEvrokwGG$?Y;b-qS?j>`w) zYWur0$_66gHn-D)%F3utpAgC|G!2veyTik3EFz*m*eXKeQtmYGKL7lUWnu(AUGR+f zFPH%0Q9x^|)M<)IO43mNtl_vRg(Te{3}{;-V&cUnKlJP=Cw|X{Fm%zUH>o52klxVn zs4z&Pil`X?-b-hhlG2%jomw^sD_y@!vS{<#>VG(g7y*ocfZZ99D4Iy?4yjwQ%j90g z_BOO$+|Tdi^Ctu-Rg9WnS{{eTS}5eA5pdunAbz!fCx6c9+q=X2&PntoP9EQ&5C2kx zn!fs-Qe*V?&52CY*gb#E>vpiX*c+%hJFO2^GDHrl4h;+1i>+SR!VlLH)zfZa->u+S z%&p4Po}Ucvw{pp8X&7dzt!d6WE)Tr9bpKS&pAv^2eLd(;<@mSx0VWmcJ0`UZoK5aZ zsVA_+5;8Jm%&hQ~>Y~H3>9@Kit#k!@L!+;B!ZzrrtGJGzH6$O<(XT#vU}Em8PoTfS z{ZC>XMx)WpQ^tNrQlNTriA1RTtBcb$b6 zCxrh{XgW!piaGC9%K0h<*xI_`a>tYc2h%^e5Ce+x)>#F?gtlKZA* zjp>z@{rqoS1<8BB}^H$xxK7Sr3B^kCl;G?2^f-w~cuNfyCq@qiN?Ga3+2J2hINe z)On^x12d}Zhq&$kAd{*LtM7V8er(aJp$My@<3g2Ye$tvk@dYxDKerlG-9FC@U5XZ3DVHPy z0VPYB9%w{?-M=gRJmO1Be~C8Vlua1pD^=Qul~+h&6KN?a+*)P-Ku-<@pAonq0Jg!J30j+*8?_} z`TSp&ilvQB-|ji5;}d}(a0^tj$${ZF*g?wI(XL1Ebo?mYf=?cT!15VPI z=}fffs01TMv&NEAb2h6!n`4sVE8W+s_m$AwFO#}WeXZJU!GDR(e6c6qSGCkg%IUG; zNSuF14#gns8<3=IDRo%rZa$`C^JFWG7a44B_L4qrio1=wUGKE)I`>moQb`F_q$yQ4 z*DvBnvk9R6w9rmgRV37?VxR9BJN4Qkst$Rb4on!)U-nf!0bZfYkBc)F8WknZzR`Ud z3GJABL`}y8AA2Nl+CONw`Lj2)+E^4s&w<_}!U~1YDk0fRnHTG_cFQ!fC-sUNWYku8 zc1S^u2u--Zc=uSNdp8Z+8iQ$-obrLSC8;FGGvVqAMUjp=K0f|U*dFxOY*0u@!Sp@| z>p+`ac?#1dBFQI!Ur+%wz#J5wW!koe*VM32sZH~LagPfLk)fgj6o?{F0vBz}`pZqZ zd3i6E406r)Ch{u{x^n*fA==z5Xuiof#DoQD*>~QtZ|nYG!eOdva#(IKuy#JEopf#a z9&FR~1brm)+NAt1u~JdpIbdMc5fUYqEAHa~sZAgCd{tWWIwT#_oWHnodL5*`eU2|N z$d-Rz^wf7hdQE$Vyl2*{3wl@*%<Mx^HlBE;Hb)90sGCE|xN@ z3)L$2XS?`LJ8$sVUjCWxjOWIV9~O;o_}aYKQa1_P(^tRVlaoL3ak42=V;f!+-}%V-{)MKw^Dngfae{%wW4?DnR-s^tty>j8)ApT_zo&@I-o(Z z60q*~{@!|QRV@m=>=~Ol|COLE2S;&Xd3(Y!annW52-`WJM^Fev5UVstAkU%hJL%@l zH|5sU4iQm?V=T8hv#itFMoLCDejGC6e zu%CYT*?BK0)mZwY8~24#be&1|M@vgQ&^AuxX`RPLA41;a~n#y&6}aQFOY1^6f$ zjh|}0yVY`hkH>MgZ@-@HK^nMu)SGwTG_AP3pQcmlx8ZOa@oD06c{1stre;Ub;&1PY zYa{Q7{XnOff4Tt$X0n-r4D9~FJFB%_Fz!ro3PK#(_W7LO_&i=q7S1NDvV<1&P}#OW z;uS|_O05GuyhS&Qfi+)t9anh?FtqaWDSuvV5Xqq4l@0a0s=drlB~F(A#34| zpGoD@SxJ}BNOOGQKHwASV^YqJ>t?}*#Qfw*DNZRammt-<=$Yg9_=z=FC^;+)QM&Zp zErKD;V$zjc0q79GWLIUUqAI|@0^EWii2FL)kNX~29U}IGjqmm{5U3(CDFzVYGNAi*f903jfPW*v z&F@D(ARbR3$Q9RB#45<^H>@52yDbD z5WIZ6190t>H7o5i)#hD_1R6kkL;o(9UXRPplmv1yuo}eQvX=jOx1W{Sd%lBQ$x_uv zPiqfAJ{VaP_^*GbaB18W{>50^?L-h)(=l@f{9XShWjCP?$fG9_VFxHvT6#hbU!2UY z)!%0h)Nj7DSO~0oU2iPJ8v%)U;MaAgyz&Q#hCHEOt6NcX4PxS=R1^muvFm2yrpMjf zBY}`7LEr_#q~cpTMI3yP&^zl^BozH#|Hb22g$;|0aBPvQapiG45aoz3&5};%_@7}YkoRT&BziCZ{tgh zRrGS;7OL>k;n%MeyVR=fluSGG-d`>N!)+#E1yi`1mTyKRYg?L#&%?!0y-MLcF{7vl za(#b~Z0`8KnPG7EsT1&fv*(WA!={c%Ys(1ECYvM1qL^RIlzCsRAXsTHaIrC}!Gg+3w2Lc6;>W=L7S+ zVi#HH*OKyfEcpw_wMSW1wKxWBLZKQ%1#3UVK8_?=LSI}2!S%#g>UGk8^Kyaj~1FZV%MJW z{%3ReSc^bbxk&KzzaQ$FbfGt-Vs_kl^M{tD)*IQM&FUQ?jzovV9vk7Z&09;E|2e3e zlG4B{`N{!jSik6TKfIgfI~WZJ*8s`DGEtquWwx&F1U9^>IU~~po>YhVPfc-gSwq8x zwA=d0gTGud(>;&5flEjqL$*6yLiTT1R9Ld)Nby(Ya$gj}Nl!2_W;~wC+fTS9`$@v2 zgbYkVK~+`JCmo&%@!7*!d}}4!zd0(=-ci%V$W(nQoU{T}f{-#VayW4cO4|7Mr>&9M z#J|qxBJCy^sbLcP0oRBHBoGKCW(4%jDFG&C=3g1e8qA)prn*aOL`t!la%u{2WO7v# z2hR4rF8TGnQ98PRXE%**bcd3e^v{m~3UMb!$NcQ+1KY&X)SvFv$8?@Y)EqyEhoH;Y zS3obH4LsUG90k+ww{zWJrvQBvsA{i_n)3#`QnXU#y({fHtAWxk>tY{$|K(Wa;==L~aP}DX zrZbl^tp1Gr*`KV&FUy`)0*$MZ_D0h&Sozi4{>hzBX}?%VmihKAJQ_ zp@<6DRJX#{7={qT?c05MPfdC$ag&WO%D#U3JiY@$K3l3rbL)j>D;9L&N7zY@$tOrS z!jR%v!S00q(C?rRtVWwfiQ&kx1zufb0E3_A5luBTmYpbbqLUnmqUcgl>7nZJ*hmiz zkBOnHb`t@%mGkhajBTut=hd-1fIP7h5{Hg5l)N2Rq|82bZaL@2L4hp*^ zreu$;#;(cMFa}X#hZL%X!-j^kJ3k>NsDZy}#Q@L{1*o%Ag5>n8op0UB)F7XwXjCOs>)#nqS2~7lKev*UwLAUF=*Nw-tcwpuEqf#ifRj&N zpzzzIVM3qBtiB22*fwEx?H@%W-_XEoJn^o~A^6g%n^6J@iI9N99jCn8R{;LKYmY=v zy6-v^)j|66*p_8&T%>9e zUPgkBnLDd>Ns#ww;m@Do^|;S*v8!f-woO|OZ2*UD;Q1U{;N){%|P zfm;yzHp4S_FD-rU*xH`;p}INivw?g3OoPT8tAS*tKtgc{d<;IRxyp-vXL?s!z)Ocf zv$-fs44&YwNxj=4>xJjGv5SuC;U_Ro!&p^iSbo+W_Bw4>^7bYHXhT{MKVY2D+F)Ww zP&tPZqDKDpSa8-^kD#^w+nMaJ7Fn;`L#Pa%l@{!kz5jpwyN7P^mxZ%svy3IZ)eMG5bp2S#)=|h z4yrfGB+U*$FxGM1>Ir5*bU!bU3`OQ)l4^HMNSA2J;Ve z>d}M#@2&1>%1#Dqw>=bjxn^i|gRevjA(3Da1&9M;$)9D+AtWgC+naN>4T$t)$3q7- zHKqw79k*c8-%Q@AdKI?T+cA13-jKc|DHItPtKJ)&5su0f`ktg*R;k^Q01$iD z&L=f+L8)U6D-KIcgjZ^HBxqW{^YOYif1Ildk`8sUcolbS{m1S(#jg-UM$gHV02rYl zX_>FT(&QE8sdy=KFeDLaX$OZ6rUL`TzQ9ew? z=x@`zg)TqQR9(l}{{JDfa~PHEzxVI@vG!V#gNS$Qkp0gfUfqV<=amyU)M z4lx5$1apJ}F5HhGWs2|46dgG+8FFxRxI@=AgVx`N>!G`4QFd@us@;XPMFIT1OVwH3=3rma2wm z(O@J4!)T$T5fgOxn4XS+ZvkR;b?{Ia;&J_ko6MsLQQX->`_agnq`DK=GyDy;5NAL_ z0F~PGG!z39GYw-4%;1Mu)wEO<8*h^5NA$kxhvfiLQcotPks(oU*rsJA?Rk_3vn$$1 zd)`pA?YI?=bV#7A+V0Py@`4EEGVnp`h0@T_IK%pdu!?j{6uw}8qd<*5Ei5p?=DiA9 zdoS{|7k9QLE8ZP}i%w>UIBNlRmS0&?bTslmxjwS&i&B$_Is9pipGG$<81J zh|{3j2vmM3W_zMVN23C{K0Y(^gPIx^y2u#;lYW){p_^1&3gX|M(VXYDFL$GnirJ26 z;GJ)XiDrssTlj|_7s0!4x}OGfwo)EXOd!*2@j2<;DX0eZY+mT|qb;3E-Aj~5LYD_R z+%r5A)hd2JVzAz6vYO9EBu5c(Cfv@kLMBdNfQ+0mpW_#7uAdQ$KR#YiRap9G9Iw(+ zP?PADmA=aI1(T)W%|y_l*RslIKXeSShj=HRXA6hZ{atvAmz<2Jq|0K!cPb_?Ex2yI zzO=M^(?{v32us4F7s{^dBT}*xDqii)zYYCcriV`?`j)=R5hTqiudlDcJ6aR(nzyH` z9JlG_s&sls*w`pm()-HCQyhSLGd)gCgCpI4=rUcsPVut~qHxl7>Z|ttMl3%#5aGsY z&mL{L$iV)}n_Sc{0)pb61m#P-JA67NF?-!*`d@ux^Yo=fu$HKxI8XGfvdAbK7 zN;2;=acymF;7Wn6gPk=GJ_N^`|5izjPyax44SZLIP0RT%jz#B>`Fet1CJy>%O7NY` zz#K4-()n!l7IX?3{0?Q?ki^1@pfdiI*0Pf#>aZN>wAgx1901#i%_b%N>1$7eyslG! zvhzX8AB0oZt?%Y!kR|KgvzeaV#ZH&^v~c}tRXYYp($*GFOL7uDOqE?jEh-N|8A1Ex zYrjg_s?p>BJFlD4wq6Q&cHf*Uil6K;2chRik6M zkc0(3uJrwha0P=XT^GgW(KH(tHg@l~CWBDs5jnLz>Qit$ZLZ#~6*id7RhodR(oE!URn97}@X=cYlq$#be8F&WnQ>%Lb3y z%qI5xKo<`GP6)QE^E)K-MB7(#R^&!f4cD0PmvqF!Czl1)L7qNsp~d;}EvmBKim)sS5r2K!! zx^`#>Cy#gCCB;}~4;@W)9Ftt!iav33`$Ah;`}5?j+e-+%LC>R5zHjE->rG=fguY#I zLf30Ep?W7yf`(wPW-A^#xZbzf&jz^;QJk5cet)@F7z^qr@I!8PR+R+IM<}PI%lZ=dvu&^jG z#P6uo4X)dk7Ejd$lCnPENUcBnbVr5zQ7|O&QrnaJYT%55iq<|w21y#qk00YEAic|) zpK0UHHpNwjFi6E>bNd%N^5Ipz&=NH|H)6_l9lv=MC~!Z2 z&0>7t`19_k(Qp6n1So=nu8M_4Md23_&=^bgHsE8MiY78_ksdPM_FN^p*(L% ze#bwNm}u=}S*ins-}z*PFc{AkymAFx#T}j~Mz7tZAp5$$CTV#-Q^0_XrbDA8To)D_ zOV3G#RXrX#Y*OI&`hrNgH`zgtgd`6t>PT0dZiOylNOq$6@VRV{Xuf?vbCYR$2!)6mjS0zPofZ%c2^Ry&q)R7&$Sr^K z5MXP6BKfPNG}>|xKlk%BYYpZRg6LG|`WGKq1+`v}tY87%Tk0T|_`OEjmhN-esF9Lf z?>dW55GBK!%atj-xR}KtEUxMch5xrR>8{WHPfRk0ALOmZC(TK>kA5Hu`lZQ}rS`m5 z*Lji_hm2*TJhPfs&Of9T9stf?>JOY)J1-oW@!tJqQPN2IG?8!2`Q`WQHq{@@XmZiU zMjluas0VcNzK8L-kB8OW7Ti`3wnSb0(Ac49$0oDopT1OS;z*0j1yoeGX6Ort*sBrc z|N52DA89c7l^uHH_ObbDYJ@=W4n?`V({20+#y=vKl~Ai{oB{?JFA+7E0x~8iA-rwt zc}?)fKY%#1f6cQp_r)g^Q_bOXP1-mAfY~E4O8-d<3QE>s(6n27Fr5tES#^?mE0(F& zK5!a(gA|P%cZCIs$LuSi-5L!2kqE*GCF;8xI3`hM)P#EPw-BA;(pI1h(L6F2gGdY6 z4Y4TsxQFw1-5nVFX{8BRWX$w@IpE;nj#e52K|tnb3q&vqj~c|~akk0(cQ2={*W=5Mvrha87_|oNx>eqS$pX0q< zeMP#E3qlsWzO^}ED@s^wB!0X-E;_nHa(R0SuQZYjMce%5z;(ak^yOhrheRMtR$N~M+`!5bp|ES(ci@GT(uh#B z(zKQCb^ls`3BH;y+U3NZh!f?t?Unm!UngRTp9MA#iNjNX6%)I(P)3&bg_Dx zv-k`@QvD#Wd?M%Rxce*ScWJ3bF({~Xs-SuhFjpCj&XmV429ZX6o*FJM;>>x!=tUbD zRU8nJPaSOu;DV2)o>+1{860<+Uy);YPis+(R53eH#kYnehS72?z|H;g`TXA7`R~D> zi8UAoeoe9dbL2|icV>}rk+T7R$udY|GuUI+(pLfLgDxq9UI@sPfOc;ytMbKm2W*$w zMyY-&Y*ON0LUR=gAN`Ivc|~GWu?H@CsK;yUPJKbCxtyHBw$!kL zb3)8OE0B>22?Tt(e-6NVq8@>-Q4|6hB->pq$@zVFoiO_@(zc`i%guvY7N+49=}NBf zvKyvh6gW^Z&JY@6k)sVz;aWcFZntghK4vBH2{7(?sLh{s1z&WaePwBWc%D3=?eRYt zq_|oLLS@s};8&8mG$-QXx z#WKS@_?i@dUg4`mqP#^9&g`G?_~Lm*Wx`5prwU&UJ& zy0-Ql@p->KBC%>+F#mD5d^cgj5EJj|=`wF`=GV=e@6$Ith%ljO&}&62m(KB|n7zcM5)CzVq>&YBR$)3tbwB#V7Bzs-N-_Gf3%biz*C_ zooF&QaCCAC4~xhv&5K*gAfn6lLIatl8O_2RPC^qCcW(D?DTr{;NTh5XPgKLh!%{)Clro*(u{N)1U~EV4x)r6LNVi=kESlrY5wB6a1H{hP0g+k7bF* zJ8>gqPLIt+ub=&%MmNUPL?Jkb^jCN;L#HHuk0KL>M;RIdSOS$vU?INe5kLQzW^@qk zvXUTDvYNIW%nTxYYu4@#st7|!k;LD!AoeltYFeDlsmHk`iFbsCq!86oyU&XRry7^V zc^eWeOi*yB!=y**hML~%Hdr>F_>WZ`Uqzt9pAl~2)6&95W~Ce)C?({gh`GYWYSKSd zi1b=a{a1yMT ztTaGz)Rs=Si zf>I>@lb=C%O!l&zl1ky?s?^J5A^1ULpwJ{Idr|0iB9X>f@rQbe#@x^6gd@H8;7^r+ z(ygbbLg1aln|~oNczRaH8#j>J9c5+k48|pA88qRnwL2vPPla6rdybKHodN&aKz5>N z?N+TVdWWekP8LPF6OUhK@o(_xD4xj3dUa?$QNr)(kf zI12rCXT?J)#}XW8SIOm@iQ07!Ghe^VS)0PsiI)Xx(kK$HjG!b~&#Qg;k5fU?JTFd5 ziQNe`zs&M+V6jw0FKH$xC&9ZYJAM?on9Y_aOUcS!KrYZr%gTz|+q0IIw2AZ@Nkn}~ zBKvzXc&r&1hDu7Cfj&2nMMx-bRq|8Yzv#STf|b?{x3TK_(*^98`xjZ9?Hz1PT=0Rd zUqF^e_A;^t0!nt&)wH8jgKioT-?cTFUrv0xg|C!rD=s8Q|Sdf?-0L>`J0n_1pGbh+!=m+4Z!7M z6S*dtO`ZkGos9_{kH^M-9J1j-3+}o-ySHDSCzE~#V;Hx~zU{yR>{Fk`67gj`Rl zgJeSrQ=LhKlVlyOkX@q)qTxZyF8kLzINxg`qApem!~`tC2Cq5_4A|K>GJ)|ijAgKh z7{u7I-FZs<+`a;^SYS!}tnZT}`|8O?|0fm-FzlqhUAdLu?WLU-yy_*&rq3ZRNl8ie zw|eOIkH<~MyqQ`Zp8rSFSw>a)g;^Ys?oR2HZs|_x?(XhR73o%Kq(t}=(%m85-QC?C zbC_AfN0#7Sm;0Xc#NNNn1%B$!ADYOhsD|wwexLPkct9ytkynsCcEQq{opbJX#uBxp zp-x5hfP5f5f4-T);Xufbc1n&8Z_J*4Z`nnoj}r4ESquH_@xT8{|EPT;L}&N8@d=Pm z;Y&bzbtais;Ie=8WiY`o$r(yn5%Cv;iufQ)Cz?u<*`!iBLy4YJQSNbR$>*VHc2hD~ zn48cRRQ?6#v{exq^>53zFY3ws=x+kGhOMWlxu87=43+gO!m%(FN~w!FJfrN<_CT;= zTrWamI#*~q)3;O*iUTtm%&Z?k;_-~X>;-S+q0@WfFdvQ2`95njY}gWsX{~TvOv!%*|zGZ0z z7UZQ^J397Qb52xQDLvef4Bd0E?2N5{b>E*zZEWPzUAiv4Kuv27?_p7D`nja!$pq=G zyF?fHW%abzvJPAWquu}QvYKzuy*EK^KJXeicA72hxQ-QI|o7b?m;n);Ew z$H4SPz>99rB#3NLfsOrM5w1pqt53wiff%Sw2O<%}VX|iB{8gbKgZgl(@R2vJ@7`RE z@c0T+jn@Yw@uFR9hr^8C)aD}u&|BG{2mlef7-)zeS3HQ)xgED!A9oVsQ-XW34id4U zN<7mwxBdck>Ul9nW%~Y)L`Ca;R;oP$0)mKtrsVAGnD9QY`T6PFg_Y^lXjw-U(U z)O=3k1|q~IHSt;P(FGr`HqIYO^X=*!qxXcNJ_?C!m&jUGZKgZu2OXkZ?M;5w(J~yU zLKBYYx8E50?>lR%g1VL_c^=?(C`wsc-B_Jktmnc!xr}J|mv0GrI*j}QCsH?cw~5yr zLM}Q6j^eGM;N4B}aP!TMSeicgS#>toA!~H{{BQs25!SA~Wlw%AX{!AJ?^e$FVRl9m zlSch!EI*J>13qxh*bvY%qXdiY8n*|(NJvVWaHnEu?~QXrH8$#EVkM@y-$)Ee!D$)z za1EdQnaTA470;?IWroPLolzP-Iz5mvW8!1)5jI_dU3|BR0&Sx0O3eB(>+S zu3_WXDx=D}(Jk78NpR@O=qR~`P$e~35h<^)Jpkyneey_jLYA)R%dl;p+^zh8Vg?zF z5N^SUtj;sS7tvHyw*G3m;p{K*(2=>uV+3dS0YFfdi1}SiK@J6!E8VnIWK`pp-T%=c zN@Ye^dSQJICjHtWVuYY$1W<3Ou`3sx6k|1VZ@xo_ zFt)RMToG(K2M*D_A7Vfy6gd6r_Al@e!GmxMM zHD=e0E;h5W?lvwIwBls%gAhGEABO5Kmq|}_0vRGb;xOmy0m-PP3Hg?K{)YxTYisML z3~R`wp3`rh)5fx56njV)Q(ZySG|Wj1P8nbSa;agfe{~=rm(*}Z`UuJU!-4%ErVoUQ zQ$~zU-T=tKG5qkSHX$?8@GfMGn#a;spd|3z#(l(9-$UBqN zE-a)g`0vA(Bpn!DW+aVvpY;QqL=AN&LI+_$!ORCKlF zbuIZ4;{nEzjD|Z2U?5L?_Y7l687%%yY)?&xJdNqcFmsnJVpk$yY<&}oUc+O^YKj>)#Ik5^9s882Sm^0mAJ}w0y zkun8jP2{SoOLpvDZ@4z#3;RG#G7BW%Z9%`?9#x|wyUmv@8;fPNz}M2_5!8&E)jQbn z4A-~P_^w413>(UMkHEQ@3Q%gv zLfWb1pSE-0bZ+mH!D0j+h5^^)ALEe2>ftw%@2p|9HHL_=Chd$v_}?%<$`5*I?P2$r ztpW~TGE7x@NTpIpqvLRAv}_7%c>MNvm6USCLz|B826H~w+sWFMcM2JusPsckmx`Va zs}TxwtVkTVCXy^y*+omP^BzYFNeU^>#^|smrNSTx9i80mvz6Nkt83){*C7dLTb^O>(yz=iBMHHH zO-82rPVerq5(nI*At8qNfG%P>SX;)c>kXa9x^doUV{1dPdj@%N;WnPvOJlFDspU*& zMcO+Ur(&Qc=@5YOSp9yIE?0c(l18OK2f*04(XN$uesoL>IVDff+$MSD zJXuVOtsT3!CfGgk-0u;CUX5W$;^2s22?-B$uGc@wTVmlxAC1mS-~2k>8wZOCIkUW| z>Jgi%M!Wxt{@Ym0)U&pAF~PMg(dNxa?z%ZDb#SFaQ9!}Q-u>=&7o3zj1A07zvA<8P zM%R-cC}WVA+fr!aqUO52b4_#MkhgTP1oV5)#J0$?ht4*jBOM zvfNgHrxb9(;DGxl@I+-th%fG}+<8av9vzfcGBV(B>&$tE1Nc9x7CTred2hx29nhK> zNyUBMz>7hm7JS8xHS9*spT zJ0^p=2ylDGyL_J3Cy?f@wqXtRYvG-u!iZQ>yWE^wx;qODB~+;@y^hv;{G80r;>ni+ zj};`OBrC0Y9Y>lrC@3f?bsp!FK?MsgpXB7`(5{2*6$2$VGmdc=wjW8vR2`m zK%GjoyF9S1#w=Fw9iP*mE>7STn!V$-t;U)VdMkCGAE>jGPBY{VTe;xqf{r zrx{{X>vBXQvC4%6p9=WZtLBIn~`jG9R2vIyR1n3?EZ3YU(w@~2xf zL{4kgCm3&~Mt8jmqrVL~o&jIfk&{=Y*=6lm;QIPd%Z+B`!dpr>#jRt#wdX z9H;bTEdK4KIa(4vC5cV`k(lll&a9IvaNb>od@>m}HDV(WI7%sSw`2rHqq`R$@Kn{+ z+v7{fw|;7@IogMq!<{)9SwOjmkYVynqPZVciJuyakg;;TxYZPKmHaLic78&4#*nWH#jR=dA-Sc zyA?L^3YKw-Ffk#&q&VO@rg;%Tas|tAh93M05#vyBXw-yI@V8>wr2TD`pG$$%Fnt2C zRMh0)x65oGdz=9qtj2S`-b)89G(B7U+ZY44**mBrwJb7HB?TU{Js47_ub_nnCFT`d zknh6PRThjXqlFM*?#{kjG~f1M0&!D+#KflifXsH)HbaBW$}v2&LJac;=Em5edx`!H z8>o$kT3-l1Ao84? z8{wf=S^oTD_psZk@#-(Z-yX6BWGq>~o_#r3OKF?r+{zb9-Y>Ytg9&u4(~?wGLB!%o zYm^yvKJt5^l)(L#!kqKAr{pp4b?0HNg#toD-ogkDXF?*~JQDv7pGd(Y1hvPF?uu9A zR#OBvD=*X7+iSNa9WU0JVAa+hi@|@fg^-oO5BWSg8`P6*RASlHSObQOvNC;@L;OxH zpI3KZ$KA4O6`q`%&^M|BT3-XK{XISHS9=NuwJMJ?^Y5O8U-ZF&%1lrH=ylv>Tc@I~ zEMsWH95?dJVKze83;HY!F)~?991EP^zdg3<3nGDH8Cx>{$XiC*v9HiXKX4r9yPQc zQM>&$-m$<#w~3R0xjC9skk@~o5GwOUjK*qJ6j;YV@>+LKuWRp86Yp!Jj(i&5x8{s4 zu-?z9E>D@r#k`P1^Z|D9{-g1j?jKZ)xJY$N9<+EPtsyo+Ja0=IcNqn8_=U>so*5afDE;s28K_#{{;Vo5O z4hQNrH#*@!C`u{D&Pc^QHdAB|ff}I@M!FAl8*3-eJZxaSMI~$hYDv_ww%^DPVjvM2 z=;=Mzt@(}Uf)mHE4q6l8Ka8e-1A&vq9Z+L4E%|u9^7wZb-$(am7^1-T&C_u{Rs&05 z`i|gigPM!-XVM>WofU*A z?}1Ij?ZM!m8lr~#n{=Mni71e!y*N@?0@m`Ph0GW$8T0xO zzrv#QY`VF1@J{lYU3gFMSvmh3(iv)cQA9l+24HmvNYILHj*!Gf0%*fHTPYS8&2C;4 zTdApObd_9MU2FveZCj6H@Od460{_VeKHYFCS^bZ@x@qaU^{?k)sUF+g@Q`>}AHPeV z`UiL2^8z`v$==@j9sE<>D>C7$I6O2aH`V)6BXa&4(p(A?(asCBz(7}0A}D^$Kb~>x zy}yL3hudY*^bq_GwV4Wz?Cv_W#U6R$Szo`q*ghp$C*$Ra^W1Gs#%W)7(Ek2YfQ3T@ z;y8@=bL&#suiv9?? z?(W7+#~uWq?YX;qzQ6aI)Bd&VZrB?C$O!0|>BUsAN79^eFS7!EofXP}2HeN;9Pl2@ z`Zx(cqY6eD`llWY(1Vb(&5>UsqAMyRY1{~2Rq0MM0spd1#P7Gh#wnYp+U!1mPTZhq zU9N@+VimFVC7d;Kqnr=(thCtt_@04zn?*_R-@$Yc?Wr-d+i99~UJ(&CFwZDnK>g>0hBtwRW zhU6N%Y5DSnMw zNig9UJ3Qg>8HKvuJ8Ueyy3*bD&(GlfWcRr+mxpB-xP|gSK+1Z04xndXNOikbpnEFk z{nR-y<3Qy7ux~}c=89jp?EjIzHE7{KW^xy@T?n9v0r;~}RN~0_J>%8S_J9Ez9;MJt zdgcs*6n(D`ByDUyfC($u4Td5Ue3>MP_!9R$=ch>TO{QLWbTkEJ3j=*e(A^SY8_GiI zR~%$mHa*5A*UjNA5`mE6bz|_^d)g08#}{;YpVt#-GDTqa_W0qu%@7RL-wEK32GuB3 zvxc;vUSa_G{1X2OmDQ=}%+s?Q;>879&aSq~hhD^}`5HIc;lDJ6G%h1B zljq)o1qNZ7CT5$B9`F16EmnwcRRfzdz_GJ+GD^ON1|UsyO>SsNSwRthbyCf5jz)6v z@XC+VohtZ`mjZSL{U4`s>C@=vn%C`Yi|qjMA%zVShX^2wVc0K5pBQHES}^Sc3JV>E z$uy&IU2J;EsV3bFJ^Q{qtzGjr8-kjEwip zZBMTH%y@1)L+fu$YM}0s|0R%mkXBS{pW5D2T*hSFmwo;gsWjgBCHH*s&$8qR7`_4= z6gnP(g1)MND{J_)CH2C7yE!}9zMFC_?oIJ#zUaLB?_9mgd_CP;ee}bZQ2NLscK0Fp z+%8H`oJieAxE`6HLfE77lhhG??+;O&0ObDYf_Vi1s*9-VPM9N)2o??=H?}8k{8PJ2Nz8$oJ=>sZQggjvEC!E5a70l52Xs~>RLpJFQ9>0Si_-2`w zph1xH!m6DxJ=WlVw-^7T^W7zhl&B<`^W?+~>xJ3((9>C|%!lV&B0(ry2&fulm*zrNvUkBY_hyHr)12GQc~mHtlx16@pH1lA zop*56P)c7F3U%FDt_u;`m9?)|PRRK3ru6+vR@dD5CLNz{`|M)f+4jJ6Aw58B1Me_k zUF@Y;Ycf8^D`~Rq$|y3!e$8>vhlDb}-tQkNUA*V^<2MSdObaiBM=uY&))n&c;&oM~ z0T7S$;eoXr@x28mfDaV^UQ9shd=ve_|7?dH3~pNI!pD!9Tbk$S41)>h^`P>tQ+|_nIijoc*2_JK? zUj0w}K$&^gz>8Q> znsE(Cv$2SY6)Y@pZiQLn78-SXVu=UM;y{S>IXRHS1IM($^N`up^mK*KAuMn%Dgl39 zws^rL77@|lT8DW3TBk5N{9VIC5s`MeF(iW)v(18% zA6_sUd?%mcOyisRtEh;c#P6s~;O=a>`C@?K>U1>=tb;?)vGIt_PL>+nM-LP&XIFx= zn{&hANb0ksNqj=~_GB784q>gA_uJqWes)|G8T#HFD(EKTrfIO4(PqkmD{)MguXUw1 z!i|L|F7b)t=4e#`Ou@H%2c7Hc8?IaV*>a_g;UHm+kGjvn5a!~(hfAO55wj=eeb~n} zi{;tFQ~@_agDQ5L!ZK-0Ob`Eg zFoE{&?j7XL(?0Bqw*$t$!Nk6sMi8Hs=l1gKYVMvjxt08{_7FE3fN+=QaOC@!pP0Ci zVEFD4-7Xqz2~>6U1`@=5fTJ>^$N-*D7$b8`#eiU7uk~yI3OVFUD6THL3_e@7bR3#6 z$@Eu)xv`wCUMr0KSOfaXinJt!(LyWzYwWePjtR`nEB1gGSI*?ZvZJL4fh{P2+iW3z%XW9 zw}>IO!4fBcw1>}X3^K+}I<{TU7wpQ$n|4{POV{Zc8Gq;Ge1;=!Ob-d!!8)4ye=Pv? z%fsGe^YsV?;8X7}TCtK0LSJ^DJ>>c@`1@x%K6>-WtbZagt~xt!}Cs4A;L_B#q;db z`9g6-d(ZlSKZ)Nq%ieX4hfCS$U^UXncHFMfXVPzE?AJw6=bJRHGxhz!k!VJGGcuB* zQaitzNJS*6gR|;Zyfc9U3;3BqMkq;upG$wV94iD%OBH=3VU0<|4ISU<_)sn}^ z$J6F4LP9nqH$BTc^US=+Pw`~1S7gwET;|{MFm)>@F)nzKF(pJrF){hByw5>14pMJ{ z4fe6>mfd(wWMd?{H#`9XG6ep5{oxD zw1ELJ2n-2hiX{>Bbv|tgqWSP4R@l&mE62FM6R58HhlZ$VX~XXBlr@VR@)Mhz1$tsp zJeL0y6hIoPn?utBXNG>@{q_>a?Rc$={bFrQ0;RO;i%&AdS>65U_g}w8iZqIO9*?Sg z&Yhg9PY58O)U`-^_uVI!raGH_F3;}$?dQ&L0(?;%2cK-8JZ-dsso|GP$furNRLMAH z+!lqdImu+dq@OmuYuhN$RCNyFB@i^xmtp@LZ&J-MB-^qurI|;LUO$~wOAP@LcOc}z z+a*Z}^*NUw8J`=!Z8eTc>?M3%1;hJn6Y`G%&sULlrP6~3(VhNlN~kcX&m2P?$7myx zWwVoo+-xoj=HPk;&iFY-?k`2$V8Z7U?~Zwm;_>@WK4|Cr7Lo94CB6(b5y}}ob4r% zDyxEIDlAF{fk+%42kLz8GVABPq`Tv7LuQY$rSe%qUqNzl2>M*9N?|FMb5M2yuynX? z|J16D9f~RX1P)Mk$0Z(!$WN%sIy$nSJ|O}Yjpf7DJ_MaV9{wLHFY|xWS&*Lq-4`rerxogGol+H!DzBa>TBMuf8v`rKRK_n+Swq(n;k z_5$bU2>3%iq%CY9^(XtQB(D> z8AgpqzNBa=EX}IxCXr9U)As+2S*vkSKwpaOE+#E5F6ifZv@sNcHQ(Ss1mHt&&Mtmp zWI~~kOBw~U$r&eB9VX7HnaLbAMA0CKybci{SMY85b+Ks?O~@TNut4wWuqb^ zB&wV=UvDW0?%E$$u~X`rYJs`YDrUWv{`-&S*8>#PLf-(Jr^4o03;eyv>ABN#DPi8v z)g+UPhn|l&k+RxeXcy5J(=pKlIcjJm);5?CO_XZkp0-_+d~3KzCg6_VmRq%2`oZx* zP;+3hthu9)El=nA9PtPh4p?!KEeJMDwd-tAYNn_4eUE?o-_5XF8n_WO)t+oApP0nr z{G4FR!?M#1RGdF&w=@bu(QADPJqu^W{LasMeYDRxI9#ILn9;(2>pUXK!K(MB1mpYT zVZQiLkN5DXYEhqp^Q8_Q-o7(hM3lPyzvFeNpH(y&lDfL|hE5#dY6Qz0(hh6Zgn0bH zdY4USo+B!%ZZ_K~I*?O}&tZv-v0mZdV2J}S94Bx^MQRq(fef%N7l&S z75@EeKJmM%!S^O+j@S}ZZF2VZ@9Ejel+{xMpC8_?yl5%n>}>RGtI=P`MBK<#^Wnd- zqVd_jFdH<+r>6Fwt#?)EDm<09ev-;Y&qD7_wfZG1A;I%jUm-2%xD-<$AT&9nf1oJ* zuXsm!MYK~ATFRu8`AAz=Qu3=Udgj==t+jc7=SPG!={U%DQrPPDa}@}B)>6#!+95w# zF{J9ts~+++>~*U?%b3v0hrG=wJM{|SyXfuj5VFPN5U}X!hhHpLbk1Of%Ci1l8i9)w z^O%K7Q+>Od@n=y{Ur`B+7NIZ$SV(gc>YR11Dyx4xSEB(k5(L<c+oAKkZdob5c(+ii2-VJSX>Tq;jyS+z%7W<2s z_&d)`SK4&L?7X^Ow6L3&#(7h)j{F1WG|tbxYre$9#QOCly?81FtvsZ>@xHY{@rJX3 zC^o%PDo+^-A+}$?f1qkRXc8V0vf{^F?XScQzHkx&z}P2M=_6GBz&28yr13-D?}t!N zfu!pg7(g}tr31pS46mu{^W8^6Sk4zOWdsU@jvrMlYdb`{Yz_yE?uj8^!U6+A$I01n zaD)XLZ)x+z`BDvh6Ba7qxN7p>8gDp~I}T$JNgF*OQlQVK=*m+$V|70xSaO{Vkms|b zp$8!!s{5&2=rzL=3LV)WS^f7?d5%pAODE{XWE^%?5YTtvt@hS9#tyHLNq9n23h!pX zlCDfzvO{UK1k(Jshm#*k%&O4wfH8tQ7&E7_Xns#l?@b#O+TElkO-xG&<)7=UbNTEJTxZ=Ah44?_I#EZ@nJa-$HqjbdrqPn(x_b}3ZgM$`bpim5YGNv5j&)~T<9@7_3(>G}qDdl>$1 zSAmxhpCsY0-u%ZX|NIpMjCwbd0PHydrzssjw^JT4s%=fhzG;F9uq17JIYD+21|N{e z{MH&Z^l!Aq83|_vf1$nc;x_`dh6Yd`OZ2||TiJqWPAH~8`oTfA6#3sC{n_PY>RNZ8 zJ=AvKX0KxZAnXYhH7}-&@Fp{J*Jr%;sQK-FAhELE1#m=-p8KC1#8Du#vIBsDSm1mOL(MNFGfxxDUN!c=dsz%JjClAJF2U2sx|y->-@4-l7T2za!*ypvZlfD_!Z#!QLXoZxU9cSaiAe_jv}+eP4TeNZvJXRO2SBDsFX86MN&{Ge3(Fp7a?o0s%jbb53oQNHTmU$C6`rdIFShd^rW>tXbdOb|?Lmg?9wG(gzFV z*B(96LChQHVy%6SO_Zg*_9gMKE_bgrx2l?f_~gzo5CTzAQ;~mQCv9$vzGNXDP0lLK z_Ru8Cb?~I89{^iy_r0lvVIuDF-;!!iLc)^;O9KH)LK26b4)w-Y-Wf%gw}DJ3F~Tvv zr;5bB8J~5*StDg)kA92%A33HZqta;Vx50hWsd>s&ekW!vLpLr`Cci8KwAHX>!mns7 z;K@&CE6R!J3XQ2DnkipTKLwHRk-28ymI8Z`i=KW;5Kyv%z~m?%Gl8t2bA(5)Q%dp= zkXf_63bV_dD!pvL)xnpkuQkNXr5-jl3bi*zPN}v|*K5sMaj`kdV>Q$;H(c>!=7({O z4%F;o63^E-z!{dsL3Y7n;Sej_G8dTDYS(Z7;PpBE>GQ_glp}x6>c(hgUkLnjG`h(iOE$OQ1Ugp**U%0F?^@QewGYas9Vf zTPw&dQ8{#WKKYh+z6LsXZn|!w7%6=o0@oW>_Oy>+$UBzfMq8u-=jmrp6|btHt|5wZ zFgij+MkNM4P3Gx`OitZBC)Wd+5c(q}WiB*!HJ(rmUQ}KlIkE^HHvytDP)bKM!rBS} ze9N9n(g@Fdrj16H9rkNTk(AW+f8?MPGwG~fC}P@FT=KuBS$NHWd-4{)+a40)s897H@j8wv z|02B!5q~tQ8*X`UunYx6L%xF@E0r^%fZ6Q`cSm4PnAj?x$uBw&1Mj8DI1I zFfi|Kq6txWos#Q%S<6}WGPXXMQ$yh7TOjkF+Lue%=f zWwThz#5RrqAI+1I56s9De>D7{m6hG0$*CsP(%-FJsH^FzN&5Kkb{PLAdv4DWtae-` z)Y(&pS5s9DUv})Zug(4N*X{{}uyiYMrf}U|s0B$D*c0}1t;ch4I+Vk6%tl~wJS|SU zb@ZYb`$2K2GCnTfYJpf3{-jc(YM1JM?6H-+O(}|l5Dsc^j z+?ygH2$PaDusZtX`H|yb3F&YKMyJ7*I`L}ouS)u`W}V^a%rTMoam{^qPdAoB-FVq5 z#7voylB6Vo)i2&3C(C|pZaW6mj?Q}R#t;LGO9kP3ZB*ZbEu4}aX{ZUl3qqMO?C+GtIM@V;0036*Ai%8i=bY$2*>xB@{ z%kz~{`~*wEML@}nFDd4VSuvySe;1!0{=pspXZ6%oXd_D20Z6F?z=Gt1 zPHWbQ-?D0*Ar*bNf9oBgVh;$J+Z>@PsjyUo=IM+7S8{p_h~Ckl^q*#GP*EmSVW9@( zTn7Ds>*=c#ADUT%Al~IBFRLY(t!3Li|TeDz{O8&Nx>`Cll|lFFQ)oZ!wT%%gCE~bpGF0e2EhzjX9=H^hjH;7K3DZ`1r|y&|DfOnY zs2!GT(yTU7JPMoo-`^)7gHmy(MMC-~~h-7xUpA{0#+E^jDMQ<*%a5;lPux?J8n#&9}SB@0Z_6+SV-Yylm@3Hc$#LDImr#lcc3HWdP(aDDH{FKD&KEg| zC@cR-EDRMP!t9@PL`+uR;jEM^5e+c{bbJelO>9x+=KV*j*UsXu_UTnlDu99)a z-$awv8GJ8Qs7a9_1O-iz8b&4E)~xKt?IK`PE2E?&UG`C#6apcKlHZR7>|6WzQpvxD zoo&XFexU2K>JCrPX0#M~JmOGQQh*;DexpP@tbArCS~|Cip{`5}R?8 zh1fYH??3_eZ`<8vxZ4f{rF+>gHpd`I#jY?MdnM1m6Y zT{Le=)lLI$)-dSZJ6Kf9h0MvhHa}t9D41aITGDE4Md`4`fJbkT-C@xRDn28vGeNw8 zsvsXCe!LnXG8dd_Rd?rM#{$=#YI|1?q0x2dVrsL~W7braW0~<4_d!AL33RMa;0c46 zU|S%g`X|mD*i#4%zrQUjUlchVVdeJjZx+icbnKzuL3Vyd2SXxLwX#y^ucA<&WyYIU zcmJ8QUx4>!yqLYI_IPcF-_fF@S z2rD`nFVi+2aR?A5L946hN^r8X*YJQ@fVBy2Flp8Se-13l=k~)Wff%BgKUmds0*Ana)l#xN|>18eQjd!VBnU? z0q>gwhe2?d6fsK~B2k7acpi~8@t!Y79Fsj#nXu=3NVGa_nJKyyB4X_M4p^Y%=+T(}Lk_85uh?Wn(lwqB(9PV~3sTWib1=D*Q76+G7LQL=@)!|)DkDth`zREI^A+LZmN zV@?`FSD0fCe&u{V>-lCJwX&9P9q&fFrQ@r@VvR3;|2JoLoH0|wV52Z`AGj#hrz(<6*3+Xsy;3s;!08Goq zR19@OA>aKC{@w-W2IxS!zfU}L`sO6CxnjXcfPvL47MiaQM6A58L4}6mung30OU*}G z?J+Gk{@3>yl~nn1=+QlmgNuiYM+RIXmZNb^GKz7(?=8#+=s&3_k0B6inoy%7E9F*Y4en+Bfx z&|kcXcX#+lf82Ij@Bq5 zuQAl8%2G{7Q*;zE!29CAg4D~6%aTW1CXf|Sk!;wvRu#tjyr2idkKXLha3lfP2%?HN zq6;1e!LnRxrQUQrX`|n?qOEQd-YvQ9B8zpP(^N(5qdkMEip^@nyU9PR1M6RT>z7FY z2Dq%PEoE4boBecuK17V1J&kMqrGUg@r_{@JOPSf_+@<+!Mj*FjTo?-xJf=+0umcPO zsn=JVA>#B_nS$8KgTp;Bhv)ZC@@d{oybW;kwGIGC5?t%B=(5#k@<#GPa}at8Pg3R1a$9T3`+ch0VzenOEM(u7OuoUTK&Lj|a=X?%DHNC7O zs`uGBj^=Y>l&Vre`pZce)84&Nw@OA${cX{yCHb_j#AIAAO8csZy%O!nc%?ZRq&=3``xKZjBJA-P_+6fGHPA;F-za3}2`{qc0P>#4N2^P*u^46{HCriuQcZn+E9;J`%O=gv9q$-f#q1mR3#Dxuai!SX67{)3mi#mx7r`h!qeuqIGd(@`)n zgk&y=!ZY&z{PGTtY>>}%!_-+_0}J@@xW1RsGIPg*YkiK(E$cg(8h%gN?y&*3l=u^{JOo;A~I?G+72F!U8^ zUzCI2hF^cg^?sC#_5RKDzFL>=FXfeL=89!tX-?sgLhgbKnP!zT+0q_Yp_d!nU#X)d z_|K+fu@y3EI&$7t6d|ns`j?G_7(Zf6qOFPt~ ze#@OMv^7K?HduurKOeAsWb4~=eid_*5#PL31`;83x#U*4cC>Ja9OZC}Qzi=9TL^4%VwIY5u)7nD;b_(-H;;T>FnG8VrZHKeySf&`*GzLLg&! zf}vl-{Ff(4AeIo$OW2i^xXIo0+RDgzx?T>QKDy~Z6(C>=ZcjuF#KCQekh5laH=j3l z=mGYB&L`ms$nSZ=Z&&oBG&OO}q>cJko||N3WJIXjf!8!5CgvXiGi{i4{+zv>PTO`r zn2J!@HSAmFaN2!&WO6^8xYd%7<>FLiim4nJ2jcNffQyZ$G5c!&Wp=m2m=hRvJ~4bk zxO=9`rva#l9AorM#W=>pvwH!6mI;YJ^JxJa*)JVrh04y1Sv#e=#tD?m8Wvm@;N(e2 z`z0kW&*&J3RP}EnUJL{NOAgs5p6GFND6Wes7FkT(uiwy3Tv16nvpWyjYVBoB5iDg9;h3e}=*)7UBw|i>ETPGzl=!~2-0v}y6>i<4qkcuf3iEfVm-wT5d zLEjt4QhwLg=0eGez>&S7(L!5#$xR_fh;T(k1@)vZV2?=yUPqB`L0J#!<`k?p21P9| z=0TfaIcPOgpZ?oXxJDd(E#3r6*N;G-8x(8?$en#7%ZvAchcxa% z<cf(6^iy#S511-Lg@(s6d(SD zKY%9L=pRDBgSxsoxf!0PsRXho##hEIDM500XcKCAR(xyxK`MC(q{kqEUxxVMxZ@~; zxF#JGC2hX)k{a;PN+ZahLwowgXx+hMa&|H4R)NINZ6c1#7u`AMtdPoD;Wp}tj356E zI19@W7FkH}0k6w&#RRwcj6E={?c|}{3_D?g8L)bAG?6=lMe!>TiKI*JGj3!nNM2j)$1sq`}amt&3yI_D?)o++voHv^;5YA zmQ%|!A$rBoe?iZ84u`{TRPsm5ZC^bOwJulSrPx*uZ}zZ#o zZ~w11MBHR+(~&+B)AAlJE4zrk!0U8mypyu|e#GubxIC^LbH~_`n?Z|ZS9t{TB9?fk z>L=;<^yIFJr@ZFd@g`_-Q7~5&dO3QhS$6+rBUg+h{haKS(K|{|`gX&8YNFVUw35%u zxGU|HmD_YjM0|5AhayMXSVRLPSgk4<8j^r^xkT>qa|pucrEgTP)iZxGYq(qT=Ba!IBD2tj=YQn zOAgxGC2!gjS6Z}{K(s98=kTNDM{OQ2A!)a`TxjfChn3Dw7^Lus7(jtSJsIq=tumF! z^*Kz!-oZm}FN^qQ`(y)uHN|I_>T{YYaC0Ykw9=9el&`jSc0R5%-uip>Mk2Vb^ zmA|$JQkn0xTriUQpFxra-jT-%pFWR={Qvo#;*dJesalX(K8nl~q45%pyM}j9N zPlJIqcXMO#Z+2l(yzEE$KPA6I7SeQ2yw8{)Zi(A7C!IF6S5$0^iS>n_X&%ssLohY1 zgLI|;tORl}Rq0}&hT6>jC+Jt{b$-`^2813q<9~oo^d8>#I|)u7uX8xFU=zr>dxvI0 zZK3aeZE@7M+$;Xth*vkLAa(gifc?p{ zFSC;d+g6ffB0qa%;zm!?A!@wxpj!~oCItiBo{j}kWF2h}rIU9-A?-tYQM<-9x()X| zO)0*U5@I>%0Ie~|(v%1gGVDPegP;nWEYabB@H}4V_$@oDtfJCETsI2bQLCnpH>LQ< zy0*%jW%(+QNg&_S1kNbn24;4}Q&7rX{Xed`keJlEd#=1;*Gn_v(gUs&4#9sr$-^;AJ!C;EV37hf}E$=p42w3o$ z7J95sgSun9RzHEDp@yv^B=6Uj{N}4I`xAe28ny~H{f{rU3t2M>Wx__o(Y+@od*xLa ziDO?FV$?$8sQ`WZJol}}2XgF^amtj(JGbiNvDjK29Y*?q%y>+(BoA|s6A{g(n`lB| z!k<}31?uV`S)RE7sij{;L6RE6;-7`Yd>-rGH3alKQ7T?`Q6@R|qM{8~o{G5=f$O!r ztM_B+u?GBa;xC~xw6fl)d3&0*Tgro*kEz3b9;zV8D+u@g{vMf-6F!|OZ6uR_)1A*| zri5VMrgVItTIl``3+zyV*r42)TMy_*fWbtb1`9wx3nn9a^DJmMUv$A}zrSyahoR78 zYJ#tr39=LXO*R%x1D^nbBB1pLj~_AF$*@s-}SubKhX=}bLPy<-g~WkVJg?nF|z26 zV3CZ{TE2>cMC;63hk;#}ykKk_TO#$OWS5-{RCW$%W79=2x94 zp<3=tdu|o6h#3kmv>>P-`jW7)Sig=5Jib3srb7d+*30Gh zA^eDpYv{rYq{3)%xgJryJHRboZ!5m7EKy`TZ}0nekanQ}Q>(#-db(tN@b+~1!MD%n zWU)09&}o1pfI+i@jFvVv2o4nkXw{XJ-UB@<;0^+H20*=n&sxSya=)Qu!5dB_aWX1m zXf9fqrG8oDeG0MpYLhKOC`H7C5Z0PuebQRcW9`{+10FK0y3t^{1Dnx;5!jRWR*Tu8Y$SgM2%1lOBRX6_yKW3Zz5t zqeNX-1~B~(R@`XOYH}(l7=)z5Crt)mYsP9{6Y=(i#XfU>YlN?hLY4OQ)Q6rGH-8V~ z8eN`p5h2auYyj~Ebzja?zS+o9S4=g20X9q50TYg^i!55+tVH>8u1Z!J*p|Cf$q*g+ zaftTAwJO?O8^%P3Rub(Jarmyn%&H!n`UD@UP#^;b9KG7O!?_Z;(W#89nkNW;XOCLj z<@esV=ZawyhX3}gpE||*dYYYZLC1Wd=_{OvQfH*Q_Gy~Xv(n$c?=i8l`x@pIXs{5$ z4(AKhO4G%P1(H{qQN;Wy?f)7l3w%)Z>~X;mBq|D7opH4C5_i%nPZeCO`nzF9ytcGk zTu-IU-C(wX)4g)tf&5P7y(;Tu@4&$2Ox?KS`0A_4dCV$RQ8CEN@U-qKUvb|a&0>90 z0F!=CtEKiVkI9FV_4d@(v&_N5$e&d0)_m`R#t6D+F@HipGju#fdDZPzo6Y{~9b{d( z+fV=-%JeH|&~SegEjc}UyTN$1>b{DeRxrl<0?4XyzvP%zJ~acKe(`Z3B{64;d3}z6 ziZS9#F9AJPFN$)Z=d6mc(_i*e>O^JRSRH)?1o1Jmk5YfVBO(wVK+8Of+XC5dmh{j{ zlBN`P5};F~h?w|B2ISYoQ{2eNHm+R87UEt1oCHhXkRc%u^N9tks2(G3CV$(eFAJn9 z{Kip0MTMn)eV_tf5ZJ_gX09iTosmXl{>!_?y60!{*ZG=M6;2orf_bV45DPKOJ#cuj z%l-Oybw$P!Ft`}1{*cglN>*5q84<1hhW!ZizjT8`C?!MbhnNekuPiv^?PCbJ!9^@u zsj9$bfXQDj49&;mR8$qaC2J1b|8E&vg(}xaZzS{NqIaMq1T0GRU*&(+>T<1oI4YMK ztq*kmdbfjvCI8f2MI)=B;SV2i%^V)ln$GR{+S_6Wohp)4xVp)azWu1(K!*P5R$XB` zYc4j7Obi+cFE@PN#n88?P08|<8THSmHQJNM*Gni8+sY*duR~GzO-C=I|GA2V;v?N; ztDtXNozttTSEZV$s>a7%ZcEP|VQ?z3ef^dIs+IKs%(@|Tqu*NlZa7q>u#{WhB%m>$ z?^V^YADZ1DAcHkv0C5~m>c_udLZt|0qSs=vBv6RPfzX5zqp@G};f@3r$qHdv;VEIS zgW=K1{7D4Y;zF0JI>L3&vz3|}R~!u|Id9T9fTRde z4E#~#A?mi`D6rPIej?^2FVEUeUJOAy2xh`SqetxUKj+4tr2Kanv#h-S{n0=;=A#)X z2cP!$RXyv!cja%-el{pPStq;Z2{ljJt!C#T;ScBmXr? z;6!)->G}fax!nh&6>>vGqzLBb;!qS{eW>%bE*>H0zBI)wx>(LvPE#7w&~j&j#I0KQ zQx6%fxTD90qhlg!S2y9~qmE;ZjT_x_?qb z`EcEi8sCkk-aRunSNpJxQepSXYs%bSoo6vb@zHLvCEWvuiDrpp^n#Ug@&44CD4DZ) zMajPHnM<=$OKGx(BCA1(X5Cj1VK5v>b4c1>{eU9AFFvaWH0i4U7VP5P(3oIuTdlRg zT!tfPMRPgF67MX;o4TG%A!wJFt`<93&6U9%Dzfn;c%((tIxjVjo4x*QcRgE!Devo_ zx9y~&ri`wbJN@DMd85p2nxlc9I=K(j_n!os02h+O!NY?BEoA^d6Sneb;YQuo%x#Y;`{ct>?U!mJA?W za2ey>f5Q*#&hqGUDr9*w9$IGv2lfAu%yEB>g7b5rjI6FT*|h{euH#+y>lS$Ke@|1_ z9S0?G0qT9fm$rZUr;AUqLQaJAGyNYHcqnCo3zqGlEy2gM3dVi73~yHc2ilyxq4S+f zACg`I>^>xA0r>@rd#gpb1v@SwUmu{;5Qy#g@_04qL;837ZW(~RfZkzywJG(D{iUQx z^Fx*mRk;;aH!0fT^H=fAipC_|q`IvFWvA8^--|gmAiE-Ee0WDqWN~+^Pc+D@pka<} z`1OVQ2gtE4F!4M*Ttvp>i1QjB1%P)|O`ZP7^A2h*p_H~PN-S*LcrXz)cW4t=^&{_t z39)L#e$z~aPfGu^49s^J{2lrgiQl2ryoaoG^gviJBtf=Y`Zbb=cdo! z9IR%`u;JblZFIqr6kA`>yqWZnNd(eHMijUl)_N7WS9|-mX<01KTzH7yQ^{`S!R2fg zd5vFwqH10Zi~`8es49Xd4{x+8G{Kx+m&;EXTmnXQ8$?7U5V@!sORB&Q;lx&2 zR%U;JZ#Pwl0Q_9R!O$P~JU^*@LI@E9_&-3C7s}1W8P$Eq2hv2G__E))zS^$V6;-o#W&Bu_I=?p~Kqkw@6qTdFOEuN!Y0r^cYOBkrtIYKs=An3UTw` zv@KdPef6R%Pyc~Q1c9M60>f)`mxc&&v%)Q(8_xT%n_dn( zOuW>`v^_r(!b1RpQtp7fub2Sb?a6je(|XVL?F3CZ<4+yh61QWy%#{C1=@=<1turhl z-h@h*p{l^}NA?!ZOZv4oiPLrtjhJ|}53H=L^}{1ulLI8X z(cFf;HVyH~$&wlx*x$EqyurGM!RB*62^+QO+jT~RhmJGHSM-tJR)14y1WT}B8O@Io zBlFq9<7Rn~4>GDPwA<3oSuqHD-%xS!k{C`%XQrf!w41o5{cKkrICVx>5zpecz&dSp zH&ebPfz9O%z8Y_j(=2H)KkpC({e#TS{U|a%)^BsCOB0o!JwO*cTlu_ugFV!!CY{%j zE^{Z!jL-FKWS`Ve4w%BNGtDzz zUC|)(xUhKfN>7m2eO(u_A(}-d_T^&aZ_Jm@H2|CW#?>Pp&o%N=y@UMx+A3?NBFKh% z6C-?qyDQny5)z6<)ivQTWHuayNsX4aoU#6dLQoRCeq<&%$*R=P1IC#_>vHI2(ALW> zP?PQqex0H6%X6bY!F1{g#Nbr6df_Bxe8cJ`o-ej z+0O=Pr?Hq&NWi1oZ&lYFACRo&be4`SXi{S#It>;w9Ly97`eCg!PZSIU14y4h86oKZ z_A7*u*{`Ir0I>T@v%8M4--y;k0nm2fr%OiSPW?2+0WJ6vsmd-Y1v)xBRt%bzjXWHR zU=k>ZC-5h#Fc>7raKT@#GPW5pq7J{K@KH$=(&8r3DexwzDWVW4Aw{dth9j_{*p5B^ zGkYBq)br|-&?`GmdXct%`oCP71J!_cer-q0(^xkcG{&4!N)k(>;x-4kria1r88owa zz<42%B~Lt7-t9$fSCC?=JO`^1^l^o|&kv0NqFkd1i^k+jK|u$td|!x&A@`@STst=b zi3B!py|WJnzSi$y+Yze9N7F6e7k!RpkKsq+Ml`P1{ur$`D2q-I@&{9v4Da{0Gq(VJ zx&ICHsTDB&cLz&H<8c9wTY!Yf^DpRNgM-Pup3rmdK9N_<8&T7+iLaHtKLLtyabbe< z!FGTJ3CUOthy`SuxF+w{!Nte7)0(oi=~N=Y92S{a#v=3M(>)b$KnO`BOb7Lm>kBH^Ri8!WxqUC>#%nbdQe%ame>Y?~J2*Ko8$%Rwa11dtfpinU7%I%T; zF{Y`?3J<0Fjm~6yD=a$Ncc8C7Z$4Mcare^m{O9Bt%WunyE89f#U&h5J^I)K|?t6tj@Hf^3?Hi_$boAHv z32`bjEN}f+Q0GYAp0(?_kMYD{6H&+DVQF+lr9&I<_t6>}ZLT~>m>Mk?GpcK-V@P7r zM4@o0;Z)cyUI;2b9UGgGV}_*nRdoz*eO{-+A=I=(Sx%prm%*Amm;g*5 zQ9PjgP^Bod{}*PTC7V`lEFM}>gv0sbDzQ3$IZPWUhKDVDSrdLhmA&UtdYL*wM_jS3 zXh})xifyPr#K;yl@_2d-G}f-?6OljzzZqDHOV4RSp^)|tLLm*!Klh#AEH3(A2{Ebs z8P)Du?)9QOf4^R1)1Ev%5R+-W-UfyE0a8U}F%w{BG=EwwRJ*`qJ`T=F!53~nK@eI@ ztKV48amN$p1S%Z>mo{i039Yuc4*_lJFG|gV1vn5Dto4JF(sgKEvztXUBY=bzS375{#chgA(nFHi)1}fK^x4`Xm}n z)u-G?Z)3#~AqAtw#s;vsU;v%hR-e_oBLSPu8C;d}H6WiZ%k36^&G(WMG~`xTU0}0Y z-MUJorqF1N_bw)hgbe-){ZIt*Z9BSLzYFvRpwBk&Bq?d&jlL7o?qAdQ;c1ulXt@^3 zrt{%=7b)bOIdjdi~&K(ha>? zSt31ORTUmRLW>qYoJILp;vw?LeZh7q+ z!K)ppu>^F0kZvQ?E%W~3^zLAy0TXz|@-;HKdTIJut*>`o4;P~snt5neor#|xQFd1Q z&L{E}<F|bQhXNprb>K6jK`4)oD93HD~wDRj(fq*pJk{_|3`!xq?j6c_0e$Du_ zjPw4Bkj2_pVZ{ti^6xeT4g@7&+oMCS%khf~4yFQL$gt>!I)`g&1#{n;tT2Q*^%Z;@i0A!d0~%Jb${GAp2P* z&Lc`+_^eQV+@8ml$n1Pn3L#WhR+*A{pJjgC9do(Se)ms+Ucywuuj~Bb8cE4`j{|sR z!3R2g#*C>}2g9|mmh?a}fyCS%mL(p#@asnU(+x^4_hQ)?2aEdw{Mdr(M z;GKr@E{I_gY`N^CWdJk&Yrz8Hp3rQ0I-=tGilnG|WW}+~S9f zPbaSB@g++w2)%lnDH&vT`tQ`6AxlvLRYs2QuC{lhV78nM!VmJwZz|hKlq}Vj=cq)2 z-btCoYkiHR^H9}p$C@-sY0!91Jn}Wt)DSP*$lrl5#E*kb5*~O-hW^S$(O_1xEmyl7 z$5Is)q9H?DP4i)@CB=iDGl!y5NgI=7srbO=lb)IOR$yKK*6*Gz7zgLgUEFvXEMV&$ zT&`l?8Ux)`pVVpI?X0|~`yQ?j!ykC6xigi8@6+amJ&~jvg22>}Rd=K`Le5)`4<-a= zA>Zz)*_^-R<{+Z1%(rPzw?B*jTWu{{2N1@AB~d4hYI#~#C2N}yGi$M#&Apz_(;2o& zDP4PgN}a{Nrx%PyRYJ}FWl3M)V&jY5le^&jsykHa#gnOWBB0Mw-U*M?F$)c(++?z* zE1sJH51BIN!I^NN{!Q3D^gMWd@9Pjj>*orF!I>w8U- zepP*O;AB%#DJ}i^y|6U6Zj4arHKyIEj3oa=6$p>0WLE^P-sczOqx*H;EpvgZc>sa|L*NYf2ND$oOf7c6Z_@S;DM`H;=ttn^3(xAg$heA zpq5S!^8Nhfg$QhSVgvTs2NNBbu*N&9MGoMn_{OjyJ|%q=kA;P?h3Uv=v#1sqolghG z`G2?P{xd7&?o(Bh2Y9;0i&5`KkCV|D#%1fNHhLi8-KobS@!eCMnwp*UN&f4{0Lwvf zY=)th_-i-Ex>Pjz?-W~L09ls^8aYBR;-+J>J+k1YN|+HHG(44T_wi+ZqFXODEz7AP zyQj}2#gbWrByfcwev^?=qT&N-xJYfD@ovD0oOxS+^NJPlTiM?i6{EiA#k$@Z7GvZ@0RqR5T@F`KYq444+rm9+MQASoioY7byW7j{73?%h}OG7W>U7h6`ygc{hgQnr2W{9KLO&UQpr0r zW{@I_ji0tKw$nL`F>V*ENZL+?@=Z}>Eoc~1~MF`1r^Sh+Td9RA(M@`t|&fh z4$`mHh>FuZuYV(X%)6;_9y%9Y>)lyAchHz#4$VJ)b)bLsc}8iw?soYTF>*0UDI2A{ zb(6Yh#F4?XADHgSv-CqyZ#b??T=tJl@BWRdzP6-~Eg>*N0#qYN9ZaH6TvTn#&H~k< zjTN8_>SXGcF6xfTZui$V)nY`B%K4}fp2oQME8qd#3Z?e_xCh|E={-c|s_N8c*Pim@ z@tBeEio=2c#=v6hlgd&vFtq|snQ0YWR1u5YcTpCYrpox^OW3(An^9_>hp#!7w^!pE zedSeMk5!T?9``J&tgH(ac}BYEi2qP$RN6}-Ab7QVd;2i3u}2&8O@gWZ5TpfxbDWw! z8>AYO46dml_l9*ZIEazdr6mhD0KFy;o-8-*9}a3>#T;w)^RL# z1#Mw{k+@fXdd4sQnBK8@Ut0lgP~^aN9*8KnwjBFS>gc?5Sb|QPSwU+z$7_7}+20&n zlcf1vsP@}VTuR0mApWrb3$aw8g84iVqRRFS3$_$18LRrM17}$o20Sd_GmHqFLq6Td z#j%+5M)QA!;S7QKPSXOVFM&tlxGg1hw*2400O?X+m_i&`&Ud&>vx3H=6ibqvQOfZ# zsT7nvI2^fLvl*Pkl4ke3tSHfPlll4GC}IRlMLSJBp^6*^y7kp703{(th`#i z+J#67sa(GD1Ti08w}+p9oxkYfaoZCCyO}~JSG4(Xiqo@O(}rskoBN5Df)sm(5c_wR zz^STt!~PH@!-FZ&UiZ&_O2Ws;6qW96!8_^g1#CFRdCi4!8SVd6)RT=^!um{%hZZgK z>1=YTF0T-S*XBEHTubiSzT-$>e+Z2wqWZu^P`CJ(83k&|@(7xs78vL6qg2%4Cq1%7 z?iVKA?tO`4H9E&rU!R<`|D06)ASb6rubcE0Q$qhBh5%FZ_-84WBq$ES%J9Ve>cN*T z!dcx*-0Fky3bVJ{$KMEzrOyjrwDt!EQ(?3q(^KZ8Y;0`6r}&2*Gd%?j4Iq@m(kN#Q zJ))2T2cwv~JJ)`$2YFf90Yu6ef_$giZm@us1vJL#8W-AAX5Q-Jw0J!uEM>otB{sZ3 zbL?=*rU)6D(h~ks4ITNjt{l4dpL(}?azf+H81;`1hL4ITE9 z5vpJV7r?gwlFz92shJCD3(VOhSYl-4Um698w;QTlUT{HZ_{xlgs~$4!;CE)5m-wq) z8V?i%7!`!6py1>W`1?cgHNC144k5cW%C`BF2h=dYT^f@n(TkNLsE_$<+r zAQ%ELzLsj{2akuz3aFJ*+IGY-wq^koWf#9Ue@9 zAzo93iDDZ2?o57PGz53IPYXw=IQp!3elZl@jiJEOS=O<#ww6MFCFrUShX>(9B2In~ zIK~e;^D_^RbYfjZXK;BPXg1}r#()KZ)5BVEm=G5i5~zxYE*8ApNWY_tiD6;fPo)4x zMlZL2)I3)<>BWpCu#Z%q`-xhF0$cj|D8hG6zqZL*PjZ#Y@XuX1iKP;ZB6EnN?`@-J|*v#*2#L6cQr+Hxs*4dtoWm@ zjr>3o!oe|H^NR%)A1af3=kgCJ>G#_WV=SzQChXc*ksDUE=`4hn#CU}a!GPx%v^kTK&ua28>sjeG@+Hg1zStqKf@;F)vOX@Zmb&s44Awv2I zi+>8u|BgXUA?}47B32mI3%X}wT_5a#=q`~3ot~lxl`CBaJ)Bo>ehvMHgz^6A*O8Jk zXXZ(Y2zc~xQ9O_v!e!j^p&~7W+N=~8GO`+t{)A4Jyc+xm z@gd+Hr|2;!$UH*ugsRZKMAyASlEu1Z7GPEng;&o5$Fh zL<}bYCTrE6DEst;j#*SJzoj_hv`AO{7^k&$ka?kZ^HCf~cUoFo9QpNm1eJz7lASgt z{Or1=bbT1Sbe*kFt%~aE5k1OPPy0agUT1Zbs6y!XU?L3}IXXE7 zfR-h&ppjF6mDnc43>c&wv)pX2yWBEp?or*rAI%7k3Df>PmG?%_jdVj&U=iIkHmS(v z$e09Y3t}g?-3$qU-&mrVl%V^r2A%<=FkslvzoX3+itlb?guXr`BPPx!MflcA(sq|u z^}!4{J>5@t7CQyPr&krvmQb>MCKXbcbfQY8`@S{g=9eNeDvr{X0V&C6vZreMQGynt z>=QaBa(170$MZjn>e>?nSA3r`a>=#D|Mg~a8E;o|uN$3)mOItEt27oQDQo%$7yQbe zCH3vC-t0+#o-l1*_R)G=`$ttsGdVLMqOQPk^~#EyIH)kX_T@fMNJy_1qiI_5@b(nU zfB;B4C=`X-L7pkonL8maL&Vk=i6Mm%N^%4B@z3~jFIZ}N2DsqIu$ZVOcXh3=a~(AC z6(t4p!9QZfW!|W{zHQ%XiHo9gIRdh=`4^Kq14gnw-jbFYtJyQ5DBckL6qL~RqUT-Y zwfpm&6c{*4WmyRN-WT2icFc=X#+w#Xb?o6P6-3rNVos{$51HKYIoVw=83aNGH{=$H z>0VWB{V@rr{u?41D4{mTGGlV&Vl}GED)Jzz?cpI)W=v*xqAO^}{t0U~KcUGQGg=Wv z{cNr8Hn7sna@QaEzZlI=32O9A^fa98*(juyyY=aoWQCaKqoZGOq>RnhJ3bh^9J^>~ zFle?$V@IY=O-_w9cAL0krK+fDMBA{jZ568G%}x}fmshK*H-`wXdo#1a+T3cWsp=@X zh-2;+@t5-J$!`bnr7-KrnK)zINFRko)m|N}qLKv$N;)u-u`;IrmlVpHs10zbhBg5xtxfgME)L@%b}t zBrenU;l&_P&g#yxjIN&0T9AMD9Ue>D7<|+Eh9)#@+|jvwF=rQUqsGiZlDM9MVPT_{ z8HBWG!)$K#{az`uYDCOHBTw9oNwr`p=%Ias*N+%D_Xz^ke0;Q!&jej;#wHK>)LFbP ze0M9(xU{)^@mr&kc8h7!I&uU6RNm%B7#`JFcYP`eQn?c_6X};VhkoY;@$BcPD`at{ zb212%bMj*QN88R7U}Stq3J&f$HhLbgeb}a~Yrebnp<|-k!F~NFEFf?U0VH}~TlNiV z;r1^|d@P(^c5!QcyG(%2?(6f__KNd9F<^E~ElzfUZd@K7HU>r_-N<@($EpTZ5w%)} zC0yj1p1+NH+TE6I8j1x*VuBXOIq{mGn^3F!Ng){ZmaiF#s)=LDuNm|T8-Bq|G}*e@ z-&1kC7q+g|QISEo}{OD&}R zTPk0mppcPKkVr8XFko&_lmO0QjX+Dti``!hWk1*#x90s5kIfov9kb zCXzne$Pw755&{q156he}2m20)OwKKKwITf&rEk#$V-@^oo71uLCTy8u;jz?TpQV%p zZ4rBjJSEc1M0C34*Kls4D#vM-g*@xVxjATvB7+~RNj^!;q~ zJf?B%&eJgSRyZ68`9212TG=cn^b2W&Qsc7p=8F>ei=;bHd4t z%24t#eQVs)j6$c`YriKD8V$`at#4|;#KazsxJzN%55eVezJLepxcQvSo~P9Pg!K5n ze&ub{CoQ{E-6F7d+r@c&NC0Xsylc<7mvPlWn!PC z5L5Nsc)3?DefS#2I*#E2AvhGpIm5>gYZ*U_P#Uso~* zHO1?ZZ;EGlI3W{=&fKw6O_ zjPbn^`8n-2)HgM%)w&Tve0`^(8XggCv9qAMP;inZ^aWTnJ>F*%lkWzh1zNM0TtyC7 zW9Xz(6=S;Ej5gE)@=cTqa$l8`(7)Ktpi6E`zdIq)@#5-=5eAJhBYfPv^UEprH2dw z1e;o)J9`nSZjATk6`L3qRD-_(7#Uzl{jmce0uT^j5EuvuFmR~Ms4C#2yyJ?lf+niy z#bjklaVXD6eL`FIVE=O2ZCTFiD+22Hjhh>|-JoF;OU}M&ceXzwa{niK1!rw%ZFW$d z_tD!H;jv# zkaY5VC7)tv2Z!eH_f2s+`V~1vHx$jxkhx+_Ahkc##&>n+=?=(_sA~-c>E{4Utqlbz zuy$L&I|ztQ-@BhI4aQV1rwiP0xZAIHjjfs&qW<~4cxu+W5TAq-(pwCUUn_e%6GIK` z_;`14KQ0>#o8Km9ri265h1#1+zy1zjZ@DL$ZRMmLq(boyoepA9+iwoaRv?{$`m&H3fETaPfojTMh`k4n8@=;i23 zJqK4}T$0T0*lLmk!)_shDeGXKr)FR<)=QuGLr_cpu<^9M zsXm^QC$wV3PDr~ULe?@zZn2SAL10^bE%P5&LnTVHK2w_k>8ifID=!~Dj~xrxCARMV z9UdN8oLFPht$hlkLiivz{Nv+tUqDMwePe_3?TE{uep5iiUuUUU!k{jr@2;Qm;mT~^ zpljd(-3LQMcD-BF<^?BW|Dp5L>Z~FtTtTp?@phn2Wfe=`9?Jvm!Tdo1ZGeWxulV^a;gRp^n*Wk?C+BRNs0v+TIHHT=aQ&tXw@{d zWm5|x5in_|W>&%kX(B*{4nCe^B(yYj>6CD9E*@FZI8hcnDl~X-tgDzO_k_NWf3;?c z$ltPZusljSjLKq(cr0#FG2$UhJZQH1AU6~)A3;mQ1*`q3RM0ti#f^}qOlnD2hu7t3 z5jmSBYc56Q!X`n{Zn-5{A&*n(1c*rZ)%b89G z6f@f(s10=XT$kNPERZn!6?=<#>4%nq36*_sr-mn+$vyQmi`4>}8E@eX8o@o39~C(| zCT1iBmfWzMm9@Ra^+IACc6x0Bu^H+RIRyozKwxder@1f9-*TU>KYXmg`G$(8q`2*8 zQ+69K$P!w*VAV##+&b)@kdhuCNP`$TD5hpg8SW%2;Cc74crNpMC z)YxrzC7^F7SS2xVMQ{BzX(K@` z$r4B>`O4kr1+#;UF9DGA*~ITF(7C`K5v~|!Dx!pgO}*PoOKlWe3yk2^($bsOH`U}0 z#Q#2&r@5U6@zlqVJ}Q@8G2S~*T0t`id8Y0Tr(S)HeT@!%ab{+>7})^2$$cQFk?CSPPN=Y%{Ab5B_KijzZ#T*aNu6v`Izn*WG@!7ovr0N1m z(vE#|uNi(H_0frmSGG602K<(g`F@B%xbP(dRil)S&hv6>wk<6ff8t`RFA5*?gDuir zjm55X8Y51<5n52!?*{JYZ`TK|ZJtis{b2}Duq)E|CDC}7Tc@qDpRXv8K+d=*ke*n}DCOtYjW0y9ucfzp9#z^gf{vAFyFYl?Ty!8ZS#PV-1j73;1CbWon z;(82UsyCOzYR>PN$TwZ@f*V&ze^BBfv$L7d=en{h zR_0Ar8bv>H$Zt|^Mu%4yd#PA!)X~(IleFgTd|a$L><^K4DL}-=hY{}RaQ|t7+(aWR z${0qWu8!r*?eM*%HFTj_izb?%)69p~AHju(JrEb0@_Wcq!QKEFa(z8VB3dfEe^emz ziu7nV(NxBDyCu6&+kMY-LDL#}XnR#v_TA$VsO)9X2NRMb@dSM7pj=?LXRn{age^Kg z{MKpPQPk1VX})ao_&dXn3RV^!BjfIryq}zh2VoE_s>$=?jY0-TIDmw{c1WFE1)W128jGDv!w^l*c_>*I*$ zg)akA{l}ec3;+>|g-nktDDM=TbMRi948A7ZOcKjbHY{<3yzu(0i-uB}d)oLJekIdj zKeI7(0uC99X>{@2_K#TC*R0|+aqlFRBhsqd8$m}tS{y@cqxQNDQX)RrFrRb3;D2YG zAz;>1?f2|$|I+gxUNj;&`WNdgT^@E*uV&PgFDHUxYpk5C2&x+zLUiprkS>hlsB=8G z5Z>5eSV7KW7E=@5|23Mvdk3p2DFkWnETOC6fDAYM~sb{nbj+kY~Ha^R9AJpK^ z$A1_1#rwpH=cSqsIa1k}{^K{{Ri^H^VI5qT|1I@QQqDZ@dJ45&yFca*;Mx*E!$MI} zQ^%*I#KZ+EWbwqK_efWpEt0h_*U`!@0bJL0G-c`Q7N#OUw< zyt2^X6;4((GAvbq?dR#zG&lkC~?G`qo>A$yi+uPT7naJ>yikv(EPXt!GBBk^>N@<2+^V!493G}+WK14rYL7zw+&&Nx1cxVJ#iFRF=-F=Y^Vg%!$*q;( ze=%cD(y;EgP1R_S>5c@k7pbW0tWYFD@Y*Ata%c2NygLiCfihx7A~gQ5Y4a83<$WZ? zA%kX9n3%`lmwl3%>|P&0tmRNFC@KnBe?5Eu@;Flfpz4=rfga5ds2(-GyJCCo53oS` zGBZEV?s2A<^Y0%+Ta%;E-DnF^)%qIA(yh z1>rKB{L)zK+TC@d5HWe)&@Tiua9F+^Eppt||6N+&cieq_in^{>c-n-CVq+uLKh=9p zG-UG`tBWEQ6f#SHzh0GUy1K1Zb$IX;7yR+bn0Mb}<|8%v4Zm8~{=eST8+3B9X?pM1 z$p@x~TJ(=i%cD{F?07L6IzN+;wEc$@D+Y)cOa5V7BpV2RhhF%u@J&Z zEK&cJmjRuR8R}S>K%HF$|3N(r|+Mf>b5NWM~|7+++-F zH8oDTKO$w*v^rc70PZNAo%wgsuMQ_cH&>x?+-M`&1PKohnfFJ|zkn>ik9DF8ER&_r zdp}zpfZgYvQc)LQY+X69Tm??c%0z9K zF;s~c95;7LXTRE;eJ>V<8U0hC|G>)5ERZX_?nL^oB$qwe(9j8GUx7cerbh{qjGaAE zZ7jRD|Aug(*$-+|e^l@8>X`Suq7LGIU3lep`S^HOK&bw|58#G!S-x%%3u~uW7Z6^e zw3T#{s8#y{^)t;6{T=tJ8@qTYs_8{_7q}ld=OkdrWz;*UU)z)q9Xog?VuXiFeP#@eS8JS%1CF>iT< z5fW~w@5hODB+PXEPJX{N&m-bOOBxv#DgldN_di=()4BH8%LUB3M=722Y&Uk09D11rJf_9YuPtp`+52j&$iIbO;c7ix)^IAT`n2ZC9I3E#gak&`0wSVY7GC9cGE0eR}WTiFnntO)dRv;n?Wc|juZf*=e*CIyhI zJID=4SPb)cI)VGwa~aY13iugZ=tUIftvlwGX6fQmpHkS*{^Hn5i`(8`s>FKcIk zG)uobd*iI#0Fm$S1-PTU5@yA&$@C<8HDBft<;@nyyv(9I@JDxEFg~91BfMUa zCD9|1E7G~r^`XadEuw2aGciyEDIE~c!32ue43$dXD85$k+oc?b9}(ScyA)u4r%~%^I^Gs8Rjq~9l^ig&aeWwH zCURk+aTsr&6!`o4-eJLon*d1izb5@OH7r2J&3An0G0Z=VpKM;NRs;7447PhlA20M? zCP_gw(FsChi=Nap|ISauu(?0Nmb0{dIt4hx|K{JTr)}=oY)%$w#|P&hZ|Yor{n`Ro z`!8vj+KZGUV(>m|=lUd<7TKE@hiBlPqV;&QB>Z0O-tYxhaj!)gAq`7Ndqj5Y--)zO z1GJ3ae7NIVy*_++?&`W|vp1;nf-Lx{?+I(O4RdchCVzfW9xDgv%Z2q9SzY{xGAZ4n z#Wm2vOBNscs~)secjM3GvG+qH0Pc=x0P|2ZgaP+*ak$72(6~;{`-F+)-zoE!`6Mat z4iYQ0pPM#qtDGza6hSOAd@)J$`DzE9+P@~q)(sy9UoOvAth5Koh^oj?{QKy$PbROU z-tni7t*)J8`7V#yPlwHRuofB8p4>DU$BE~U;D}3Yw0!Qb!68&+;(x94*XqfLk|aW8 z-C}Na=};3N9t#$x!EHs>`)x#mFJPl!K3^!e_4gBhKGW0T!e^OOCfx+QMMxt%d^oIDYK?ppmn)-bH(r z(?f7bg5mT1kxcvH%Ofa&dl>@I%rRYjvKzSZ82c0O%|)qw^(3RFvDs~|&XH^}xUsnA zWG^E=z6QoIS6B(B(>F|CF(1%@rGI~ZQMup6gpNQ#%dSVSG2WX~?1#0x)N`G1B(t&k z8vZ4w9+xZ=H}AmdLJq!LeD4p^wsrYc#>`)g+35Cw65roH&LOGa#@bhE+aS%;bKYr) zN-p`Fx~cvIK0c6{n?=J8N8r&rIS0x)f*$sF=|Q|xy6Akr)mGQpy1pRc5@dqjo6e+% zQv(;$zJ=w9bSw-k5<^ z|9pH=A%uRn9B9mdv9(xocRf^X@HnvbXaTO!XPyXRDu~dPe=VWdT&=D%pVag8`x=C1 z1^+EKkhmzYNB)hki}FGlj7lBvOI$R?m~MWI?Af~9yzsVQ*cLcE?=}yybfjI$2Mp)9 zs(0A?f3?7U>cbcf6C|}ut+=#3I0E+fO`N3l8R&IB0@Um`Nf<*h+OcQsm0QAT&0V_; zWp!!&>JY9_osbAKdhvT$l;Nicg77J4GfT%K3JO9cq2F~GU(6R^_N+&Lo;Rc=_47zA zGtk1W{j2&awxYt`-M&*&S;)2nUWNLkO1)}3Q{UItZXutxNa=;X3}$1X1t3s$)|=9@ zZE}!|ItsY_anP-xz`T8B4qOsP`IzK`g$|c=selLtOU$*mpU4iBN7u(hn9^e){hOTO zePn>BM-jJ$lEu77IfnBy9V!XJr!1Qf5M*zsdmM7yZ(gNZ&_UCZ<@IZSs{Pqo0O{jVbe25FIwT+k|2^>B zuxJVksYCxBXi*T^w#YVyaH=nr=s2sG$7%X=RJ~iz;rmmj60IkpwR3HWm*dcJyTQG~4I4r})03P#mLtK{Zcb;10GsN0Nhsk0Ph( zIkeKW!bGyFCr2M>2o>d+8TQwurAl^Ib<(_Gs}%A;rIeRoi5t*lS^Xw!>bCl`k25j@ zri&}fp0t-Xt*5Au)(Ujw#HFu`$h62AqXlUKOh0vTO%^Psb)FntFkB=%AzD2Ff1AEo z(JeMvh}F>Ez-canK7QnkEf zFt=dz=D|8c76$7ercH?TyQOV^QqRjLdkH#I11tHs*A7TkTdL0d2W)~AVb-PlGc`;I zrkL){8rO;3of%eAnAc{8O6=VD99`jf`=t*6 ziEkwhrwipb1Jni48hNwBEWS7Xl>6Xu=ar~k^s3rLm2PUhIj+$l66IPdumkEc;qf24uZS}pi8gB=eVKJM_SY^4j~$v z(dff%JSr*Tl7}vSkpG>uJ>ZoJ2|mzEQx`ukv!B2UrXw46q`=FH7wy;kL-A6zn}{3} zh`!B2`PYMjuRB@z(*_)*r3q~aJ0a^RLi5;9Sd5th05E0%-M#3-lJHAYo@C;)MgbG{ zgVWv|*(dg|&a2MioCvXud=ncyv2mlPXvA4cieSp__@QiW@_kVMgL^$3$#9w{pG>K> z_@Nw^fF|uc^EZ-eIhQo1c5phCDzo=}&l_@zVNx;NzX@RdtLC-Uy!c%z^VPheSciA; z1a~Fe&qMqVnVXXe=T#lQL(e$ZgwrH>?y5SQ+No}kgI2Cn8787QJ*u9ZwpN97+tQs$ zVBnEW;6b|jobvuumJqH`L_>NVxcnR_O99vuv0>_SKQOCsP&a3uli%0ynChi2 z<8koV`K`Zr-CL)kuZf4?)At*Oi!;9k#xim1qW1^56kn{1GUtpvWqi1{#@JG`iJH+6 zuvo-wrD~{rl+*|YA3ElozZ^3hDzTV*-Plrsp0$IRWa1Y{w;&gz5le%ve!)H$0s@XF zv;HLX$|nmsOW7hELmH;HE}9McXdO_xy1|lsHsq&s%#5H+aSh1JVvsPWwpWa#&h212 zK+koG>{E>(hu+EQ@h|#f^;NuWY{|vbl|quAtLuQ{cH=_EnKa>u;2GhS0e1RalZ;nK zm@>|bA9fRBLYARFln0-?2J!QMEauS`_1h3}?YUz}oQ)$I2A1$Z|N5@;%D{#iV#QGQSBz)6DwFoZ&X_o7ss@ z4jP-z9Zja0)C{a#4i!o&8ccmY17F?Izdd@8@>NJa|?>ZpK$-I&&Z|H;wr@UYKh(8|1JUbvcyA zdYJL4;4p)1(Df2kz6SX)dy?%7SitAtdgQ0wf7T!izz5`8_e~Qm?7Z*;xc0rurTL89 zOy6qAo0p;~&wb`Q&3#|lf<1CRK&I0K$O@e2HnZpHR^bdEB2ax~_f2tF%B z&PFXLl&vLI%qk`yQRIkjsqnsOu&mvX{4T>s7J}6PrQ5n%Q^;Y)zdz{)g0|E*bi!=I zd4tnMC>rZJ`*|^k1ZLG>@v_rBVMTw{FZzB&_bt==)%cR4aYSt8evz9s{N<63W^X0Q z#d2MwB>X@NVzcSdG;=?PWK3ca3~#Vx91GI@Sl&8q#%!=@^i$M+NzU1KKC?E*WW2CX zH&hz3EHJNL`O66Au`J#=<{OO-)t+y4)+7B`q8S=Y{;wTd*_7-F9Gv@0LdIS~_6QMY z&@Bl391M}WH|yyY0)E~Q|S`o?Q@tvLool0#Sc?{m>ML0y`3bN zeplc-ssPSK0Q!wo(J%!lvGcI}{=1Bq2It>tPT4LQ8EUL#rYXW72KLhahBM8~fFDT5 zXxY*#%HhaQEI%q-aGt!>C5woGM9Bbup(wxsGvlV<1FJl_-v(q-{m8^IGCF}es)7frHRg#U**mx&4b(cV=3XML-%WJ+ zQ}}LLhV_5X=$GxuD-zxMaFF=~xPWCTlp`<6`ee*B>*0{uKLemz6YubPG@qq(eda52 zuVC@y!1wb_-%C-8rp>BfO@Ho|$k**B3Oyy(1?bA^H!K?7NxSsN|55~wcJmPTjU*|2 zeC?KbMmjS?fR}myuTwr1604B{vlnWMp@}_Iap$gk-|^nB`nT92j_vpgc~Fq!WfUMl z`G{`-zu_?Ty?|7iVb?`c3i0Uy4ddvN*z)xG8Y?(6!89F~>jjXnbzA9e)`;W>;TCfN zE-n=&8>oV6$K`w+d3TpqbzGE{1B2DdYA^1Fs7*@R_va8%`_<2d1qu+`Ql?HN6iWz2 zOGL)yxQ_h04$$X^7?q7q7i>`mG7R(6DCehboH89N1duA>p|z>EmqP4JlbMh>T?rzDw`D%Xw`oZ(URUg&(Sj} z`}=Zj$qOnoGZ)ZiKVBVP(bIwtuCjS?9A)z)_k}|}3p2f}Ows1_eBouYMwRL4`GPN? z!U-b{HqY=Ymb?9UKS>McF4HgLm=>j@ed?sXQ_{y$6B8h1ANNWp*Tn8KFYb<+ zw$=%hcm=6yqI0V@?o*BWeN(RnWC{U+7DMb7nzg7h;x0b`P}WUsJm7{$DdJng;I_9= zKcL=FT3NA!%YtX7r_8&M$mo`&*h-D8Uj1JZ!=-F^Q2xHTvAq$tV{QWQH#X@c-33=6yUt$MzcmeyP!&z}ut3B`5dIEi@c~kHXyL*nZqjR|a zW>)-K=o%&T5+zyHID~gGxxoAHN5QD;I_j;*>D5#i&Bg<~teit&U(I{o-3s4uvR4b4 zcd!qEj(!7YzOw;mE^WCj`Z|tLOK+u3TzE{*+oGm&zq9pscF1Kshcp%CeBHFV)4vsh zQ)uhlc+7Y7Is39n*vof?wvgoOn^0$NBOCRsVqy3pl`J=k%kd5-t z{38N%Fdg-Al&dB+fKUC$!Wtw1Q z3Y)7xHh*ALV@kcU&%TycX4%P^Mo@miE#1Yez;X)`0tK-*xx8r+f0us+1B{2?hTjGx zDvZC|rEPdNzh(P_!o%e5Ut#jw9|Y>GdrU?RKvWlF>$_PKcxe(7Y9%&8bx;bK?X z+t>IsvU3)bHY4Ar77nDVT{--~{&jS8yrG>pWpf*irM%*(rD=I*zH(xWn^P4W(Og~1 zaEyd6Q7tPA&Ht^zjFw|tx=s(tGx)oF>esl;+E4s{Yj9nt6PWcXeK)SVYl14vMrMvG z$|PGoIu&t>G_!M^S2AQc70!^jFEwruJ8{1@ueP;mYwoNEDPbvBDILZ>ew$6TAlMmXA zFg<%jtyw)cVIDZ) z)(3_uP2>^EN>ER`>FXY4$**)jHYfk3%DezqLgx34OcdV&Ufs``{NsE?llBJVSfj1_ z(rZUA{DIH~5AuFF&DmMKD_+JIlO}W-YO1N}*~$X5AoB7LzF3PdMBr)@6CmZ-=^sLf zcBh?vlubMzt#`S-p2hQ!a)*#VM!!0JG-HkTikA>YpjJcE2o{L|Kffrw4e@~cIh5bM zr?5%3ZOSA-92vR=jLPT{_BtLBj+)=m>l=9}l=kWud{%|=!qy^p@%kolsIe!fl!;}Z zIBm-)b6TNhZ?PvE%-HlaZBsuSj<`dcCcb6b({dZ*Y$R)=vid8F}?3yG_36wL;LG0aM&Xt-M7U&lpN2O_PW6e~_aEk5f%lcx z6*Xqq6)<(+jj!baL(%pj{Kn}DxoMF(QCD&1N{255z8gtK-NaRVsRmjzzF;0Jg5+4@ z2D=QyS6q;ei{aXO!ulmmjoUZb5>(SKuUHc*dXlauXmE;$k|5r{mfJ z`((ifi$BARdnBqpk?=`QGv6r!C5x_n=iSlB{vbEAX*u~#KLS3Ww2~iP_CBvpXI*Mi z>_NbDsWldrekt=$%Ac$$Uu$Ja9AqApy5BBfA{?dIK9q&1%Xiy;hir$%OVyR{HkQqqw>r7t52{bCiqw#+ zJu&=gJTdV!MiR?iUlS26o~r->hqjhx{^!4RkqRsKlSs@&)Pi4o*-q~Er`;keg8d?t z?Yi+TBh2W{WKOz%$BNAj_vmpMd>47AN`{lm_uh_$)( zviNqjL#6TW)0R*&>`ieZTwq}x-66Y)zreF;>F<*a!GWL)GiVh*9rh@LfRjC#3YuhQ z@&Nr1&W$fyKKo1LQ(kTU7blm_QXyddo@!@gc9YwA^ft2H&t4y#vzIM9fN_J(}2mkY@>bh4i!;CuJlnrUZmnvB}A0N#BMvam3@slotb{ zaHVV30~8!|-n-o+-<-GG!%TnpLw{vyUU0t)yP_3x9w$%uamo;iIEE)q#TO3`XKed( zKb>7UU52#EfXs(X%xcmi3+1Lbh-_%`uxSnMZM{`dL&?<1{65l91DiL%blOe-`b+{>FpF!ry?LG zb*WtWtBA)*B=J09(dF4ZhIaT+^#6XfAu_f zqJjTyj|PS^dh%YOTo4g_CP9fbaR0r(YU+bpO-4aOda2iXF_ZXVyTcKND zYYTrPqZj{Z7khpxxfhewSknGWMMRm=c;*t9akNr4i!-EJ&hJMum`D{Od@<2%1tGQW zCxmn-aIMaC|^AV3CFT~HpiHSPcVi2zfvEx?EBKU=FMCEAK&Q(;}#k>s}75W;F z00!_0pMR}sRJe;iS9lWwJN)odnBPW54^cP1WJuuX#>@HWziZ4y_e7Rj+`E3Ix`r_` z`<`cn*001{0MK16cdII-R|ZMQbIioi2vb3LmJgvfcS!IunK{7`TPgznQGcU*S^Mt$O_rFPS`N#D}?Y4S1JkDpZ(lS95Z57 zSJ-}pbr(Y`7-pa8_Kc{`fC==-hCq+tMLp?SHAQ6T{)S=&!?nk$SMg_-M$*lHqXKWO zjC$bh1n0jjengk5>Yh)hmRP#YG1+@%kncR>Zt0U7N=`QfP!w*^-{Px=6Q+B zRqvGq3t!~^b`M!OJ$^RgE@DY^f1=+0e3w|I%Bch)3TrK_zx>s_3v!V=Tx!U|9!=KX zZp^+YD?{QJ0_gyvXW5d3>OcMdi2T8Mvn0re-}m@TnF--`zBdV_H(HpqpkbRu5EwnB zjk$>sZnL?=4z5R2W(-5ZB*VgV0MyLX z6jI;9b#qF(q3&-JKJ&kqBhb??aVS=Z(s#n&7BY7k!8g2`x$byHs{SKRougLM6w0J; z19B4+BF*J5yLyIcjO2d}YS`ZoIV#7ue_lym$y{4+lWd+R)Tjg&XU-E0OkF8|JX>2)ilY-BX^jMDe1OFPiI#m*%k=(fOc-A=y|C${3 zlP|`@2CI3@hGdAX%zby0Vf-maPE^1%ZaD;GU329@ey#NF+Ikl_SLm=3BZo`fK&E}~ zW2bI)9RaMnutsKAw(F0?PbDNeHh*~IYORmgTlgh8c))BUYGo?B3Nyp?Ono{~mvc8d zL^G0$upyXp==Rcgc?`wVChZCM7hIa%!L*TK_(Qa)HA5$kz0z|Wsw7{5yqgLwK+~rM zx{S*f^++YV6Y#mq8@8@y%Oqor9Js-6KX$RR&7lXX69ufp|BiQv4Y8~pVNGMZ{!g4k zP{U^w(w!qb?Mft5GU+DbwV$(?3cHgPmMO0^g_%L#c;0Fs)k!o(}?})iJ@qD1(ct{hPxyf=|E?R1CWxG;fk|U>EpA*eW+S z1p7cU7>|0Kdi2rV3&oiiYQW*nJL7$8NtAl&Pu<9mznZ*L&gRYZV7XAy(NVh?ZxZly z>Xihh^Zap!k}{%!QCztQR?X}4Z=$7>1%`X1AW3s2WGe6LzU?tT>#F#qpAT-^v220S+hms3!y&(Q$OJ$zm8kZ8XAHvjVSM3G{N|?L9 z>&gyNg&S&-0zWGYdm2!BS(pntEy@JmPwOiLC94|@crm;wYbfp>h4*QDEshq)&L@F0 zgbkyNP>os67l&euj7OxK6V&E+q%Bi)8gJ{;Qib$19{Hj1nd4x{j`8{-UwnlW`Cp$s86W05s?-cLApMK~@K z*dbXtBmT_$R0odV!%S8%V!@t{EBUhFR;0+MARN0Kgm4&Cz@A8+s}i1UD_FfD^DaL! z1RG90ZsUagD7$409DkQwO0!(lDJiLc-R7EVaFoILdtzBnp<-F4sj%z$JaBF&-e{c? zxFk)%(JEC?Q$`+vvw(g*dOHHRc!s+D?#|52U3F9pu0Y&n zk$)&plKmVYVQ4#F_Hte-RFaHJS+iH9Y$$f0KI7yCN%rwvHmdL!C&ruu&9sFsMSqGe zWAL`Armz&WKG5n$gououh9LR^yXiQ_BZvaJ;>$2T2IR?{`aPD z8@5+O%Oyji=_2b7t?Y~X-z{@tD` zdij%H5%V{*9V^*THTr`aFRASfS)1P!)7|H~+@I&a2C^Y@sfHp(}y z>n|5Qf%Yjr@P8BYIOORM`nwoo=3V`f^$wBSlDBI~T&s&!DF>hLlxZfPM4}Qy<_W3a z`AFiehVq~6!*4<-`eN2ho#8{?4u@Na9HlwIN&Tluo76=iru|%MKKX?SCy|Sy)}wpg zofhWaCNE8a{ZOT0RfJ({*Ui{P@OW>{dK!Tf1}|Xy2T*jHkRyF7INek9;7mK?Bio#x z)J_|Hd!8i6Pg~;1Q)WVBHy{Gh(;hX|Vb4l$FwToTVcokT|C8}{Qm>Q_3B zf9ddKTr^7xe6!>XsPmxBC(WUIv64^3{a&sk!NTaTT_Pf4@J6-W%4q}!jVXZVmT>bk zVY%}5zhl?$1>tr;!45mKlM(2w#*Oiy=DQfG!s%?-VI||lZ>(bhnJE~#Cy$Nq)XF|x z!-+6`ki?PiLYFrdHkT^|H=OCH8088Ro&swm^1g2BDhjLr+j^)Hd({+TVY&|4&stNV zij%KKWrsCp9pfg!Oj&?S`K*PS&qEgPMVV%|&(wkuV~27X{R@6RhxkT^`Dg;8aFae8 zq#v4>24m7h=%{h03b6KD5$S}3Q-g=(XRoaZy$9nje-OG|Jl5TAX{+L@#KRQ+%3z3y z+^08$boYvA9#;rOx;3; z&ekH8bI<3E!z_Z@=KBu`oi2k4adG}<0Kew*Zf z8O<>+z+1NP&$JJwp2#EO*Wm$s0!w4K;i;_CHQ2%9Q5BfF(cGjU0A{kmX1om6u_~Nr zgJL239ITKI>#uVbGDY|?`(WRIIpmSDBxn6jJyRv-S&Q@L7637H*40!9 zQU{&wFWZ-ac_1wO?-FmmpuW93VMPS22ycE2ylbMGu-Rj@ERvJ9@Os17O>IC@TL%mA}D}AoANsM!b{}{yuAM zJni#I5$ArxgiVs|hNqwAPEJ%gIW{%a=QnnsRfo5&Lrwo#;{X2p-x~NVbrKmuM5O)4 zef+PJp9m1dFYq@(#ZgK48isR)8AQi5B2MUYLQ6d1(;#6ogJ``*^o(;kpNOc5{wbkh zxR?zU@L>RX^)dML|MxY9>Kc)|BB4L{t*Y`>m#}Xa0ZYWf7oQLj#b0%EYxiDVf5sEq zdh-fLOl}f=d3e>B%}slCoqtGZgC3^{h$SMDxN1*+#>PsxzLh4-|2E?V=phl2%GGei zgtl_RELUB~+PWKjgyEvDx`b2XuCC~-@tsK8l?X_EHC$fO)%6P_Vf<$r`Hgpo-m+dT zM^E_AMO}?w%=N!Q|F5S1*F65$5&tjIgY9UH`gj5V`^M`TQUzAMH&#R}#j`8(GUXj!Zw#OR9%X(-c=3Sfnc>70IH^YaIdI8hYE|ay zD#UNNQ%>BW)Tbf3qd&1f609XJ_iAoALJ{D)n73zsv_-&2=KYZY*@JN#+?3E`9in2+ zi8&Kqm~GWgVbEyf0gsV1>Y8>x_hTj;L9*SZ6@%C_=8&H=9T!0S4c2zhxg}t<@sa3P z1^GZdQ*nAZ@V9d%v%ZE*g!_8Cg&6@zkP$~UbxFjz7~_;T7N6ry)JN%>A0&i*eu>} zD)`uzGCpXvq(?Erqyc2s5%9@#Y{;bRan81UUJ(WG3Uw)C{Tz6E&1W=D;UJXZXP>?s zc}V>iGMM?pVQ28Pc+grzZbwtq4#e(b^-8=6mX0KW1*9bQHTyUO`?W+j#{A`0Ue-gR zRDtI*dP?GE4I^fHS)y!-2|2DyU;3+krjB>fXwUinYFw?|AVqhq$y1_d;r-%FQfxzp zPUT(5h9Io!F>8#d#iDoQ!+I}Yg2d{%V&6id_~sf*&%3KJ%xrS}M3$T>EKImBi+imI zcjpIZX&0ay1^hTzhK(OTDz+olqSNR|_M%CmcCHcB8h}+rHDpWsK-L#6@hveK_n+}` z2Fi?o_&nZ`9eC-l&-lo!+9%Z7~7u@LPhqjx(d4`#-xmZ#4+Q(EEqj2 zUEeStM;*3EuSBpbU0MtDoEHseJU*lb>N0Dl2k6Y;MXwWWs6HTrV!u{Yo3#f3XYk@9 zY=J<)pNn{|0^gHyo>V`hUFrzV3>o2ek|L_l+u0wH-n%G$Sp1qiE8;$8?sqzU-z7}h zIsmG8tKU4wYV6L^Nhf+l2YKL0(*AyRyy?%)aFfx)XwOR*HSW&u`>;fC2DBP$aFiXV zF8jQL#z;gs*bwTaGZBho<8(ytUq|eZw4z&kF3J?i=-5x$xd&kM+fm7yN;-_u3h(aA zWy?7u4<>jNRO0$dJh03q9_2)DNrcAtN18xcbeSuG6>P~nsSBb4I0L0yv5#PXRA)hf z2oyvFdY@&wRk>*d&9&eJlvZ)h6?rORR+?6~8 zr!IW}AUHKm0O0AjpLV8j;*YSWXqo|AN{^W`&`%(%afDfIO8sr3k119%UZ2P57dwJYHn7@C8pL^2DY8sX13nDJNQK(+Z;Eh>A%(R`QYk>A-XPZy#F3-H0WPmFAC0hK`b7?MMLs zQF-BezUS=x(a>AZ%x=5TwNjY*=|wyTei@JY!cPB`l!!(O6%%PN6x)POYHxd^RMlo@ zK2E??x43(h7Y_SYde#%nutSuA&e*l$hbU;I++3pt*-It9pAKDZaL-o!FXAiov3#o@ zM8n_{@LBMUdkt{DCa*{C~&EHjtPin1bzyIT0V$0Fy5@7?)%_k ztTz@?cu$EmIgjh9&b>tc->)f{Bhm!j0*J)e3}p1Yq%i1+l@BVTt~$x6H-#dPg41{B z8fmQ*_YuqAMuzrWrF}QJ!tQpNFGnfM2aK(eEI;eze&k&BvrVhBQC}$n-cMCtzk%xY zEKPwg*xsO<&>`U|(buyE-Y0U05nf7azPy1Ol$>cvuNL-DcZqw*eqZxr3Sgn z7JTCFf}udBgoAtURD*7T05%0#LZJfiiHk`n!zk;l@Dn)+sMi!q(A=rL4Pfn}1<1aA zL(aqG)E44T@MM0-y^Y6hBQ)@hp_?2Z#2S8<<>2_?OSb1;Q)a#q{LkSriFr>v%0OOd z3cJodbgbn1@GXN${Z`XXqs=vOS%At0KgFFHsFn)MFzs&2~fM?D0Zqq{nzjrfEH zEz@hUe=uCT`|g283$@lrSp_(%sEe4p#~31|WnEDV>B zCJo7^El@P`(d*Ads@@|KD<<@U!T>s0^Mnnu+fzL0dK-HmgN*AoI^Z-;FAGqqW{F77 z{4J)fz`+c$vBh+f4i3{(%6n`-=zBCi|a*juIhw);AM>0?vGI`g!wX z=LgtBHc{md4V1TWSJY|0`TKm-*ydvqo9U9ouxS8|mgx1UPRrsG#gB<1fM0HS&>1DWv?-6ggRyS5o;j7MBZnYb}d=%;;1Z&SQuo+7Aev=2;HYw&;r&`9d{tk-`{^^7T{& z!S~!ZUUNTp?}F!?0zy8|ab`Xopv0Hm=Q~jMZyH%p+Ac}ggMQDLH7Gax^k(9N+|-B1 z1}TamAq2A2IStn#3T8J6oKU>0biMv(Nse;&WgPhF5y|~-u_zZPE7d}`IcxBa`*NXR zTBumeQ$ynkG75s<&r%Tl{=6P!F{>c_BnL+`3JyGm(@sqBf8-B+bXdL$l2IbF zE13iyj69KpnvmL%SOmM7>(HG3!WfH$b_@E9PrabroLFC8QchHCxMG}A+T~qD+L?Wi z$oO#VrTbLH9VL!-N>c)Z{qRns{CPvo&Qb_}Yqd_*4jQsaoo1B(>B)ht0LcJ zZbYa~oLQ*Z6dc}{+@ukA*~*!};}P4kL6RgvfH&<$KL^2hs(LdCZ&mj%c@G6i7#};_ zd#>*odadi{)+gl=-CLYt9@9U+PlgpO8+%rXMv^YbN`Tzmf4pJU5R7nGWpR4==HV-{ z#m(nmEN9@?Gn7?zax4Y)vUFkJ3x(XLJAOD6TUxyq508N>XXpJyJ>-#nn?Xs?trrZ_ z8GU=gMhtfcXDX!3!Ba-A1Qqu2%d9_W5QRvM@BHCkKsv@&8gM%r&8&}M(7 zL|*SHh4ifv?ig;s+0C!jk8V60BCqPsV2+(25SDRjG!wpB%`3mzKBUp*dHq~bEsq0Fg~D)YS-e*U{k^S$bN^NPVys&#Ae=M^fYj#kXXBRekH$C zE*7XOU{6PQ`FkFI9jpu(%&8EP5S?aAFs_79hlsdgj zA&ixW&qOb4=zAAayy&ChZFI`0^7B<@Qw4C}cx()RM#(UzGgndI{pzEMg2qxbvPtLc zWYQ@5TAp1h8&m00uELTc34hWf$_TaJH4g4i3Pu=gzo=mkLItXB+l1p*m2@cYc8oa- zXoVXJrU)6k)wq?QTz}nkwU$xmob^x0WO@eWw2=|@%F#b7?1_u1l%)%xpp+OZh}5Yb zFJ@zhM!Q1u!}EVI40-s%L<258dh}XSb_vN{ZCym-4^K~<`Xba$kqm2f#@D7Fp}L%N zRRi$NYva7fehwR%WjdK#!5g5Xtp$djdI@M)skyR4gHG5h#=||!IW0qAh4l1{3Cf* zqLGHxyINF(^=@e~r#%5fozenjM4P0P$8DS8wS`A9TlTd5dEbvU!{VZo#$816XXyNu zu~CHN>d15%O=)_Ey-tQudN9R&#BiGgbP?=@&ERi)f%;pod;2PDq_w(@1@x%ze4~eU zrD-sXe`pkssV-PC*O4S}JTdMWRxMffo@#F7m)H8o>o~HT&QE6rMMwUmE9F0W{-i5s z(Yi(E6!l3jb@GXY7oEKa<~fu0FCI-CdIq5;HlT$;6AdYpyczoCTTdONdc=h)TYldB z8qq}9-zZ_Ef*}FbRYG5|S|f!MU5g@Cx-*;seiS{Q=%G;+_w;C$Jkv|WW`5~~HSM62 z*lFI1KZ-I~@HwQ8dsh32cA<<)y#%zZ8Wp%tBiXgk?odrG+THo(1F&8Lzj4o|VcnK6 z3Hvc2k5et}$a|GiENN@4(M~Vp;Lw0RoMA718QLDl^;Qw4i!b5aB`{~2Yo=H&^ocLGZ1+43Pk-4qhh=4>Tl8X&g3ANb8MT%;G6M zq9YCLt}Kdb$j4FY81OD^PbAirK-+b6hW^nI)Y!ftiT2z6>UbftG%tRxc|DioP}C=Z zF46v7*$a6u+CkWwdwgr_$7$VVz|`{2C|8JPyi$6!18h4eg>f_~#{qd}KSW&NFaz)rS@zUI z$r4oUeRQG`9}~Ci6olpZwYa^Mrq;d1)*jBJOWosZ6`cwuM>T67Zf z^})|)-QZz)t&fHpMF}Z!CJiGg%A%%(hT>(%SZ1<%3TY2r&Shbd&=V(8MtS-x^1ni; z3S55mJr(&9HCS@jCTu%ZaS&Ff3xY=2ZOi4lhQ@R)@JyTNg_HSY6l%7=^aAONVa+o` z@`{n;Y(or0KRJ{AibD!=rWTAt)rBSDY{ReiSMrrvUMKY4j&vmyTSf^Li;19ST;Ax& zmW=;TS{qHX`tbXT-dgvF>I(^f6afx`OLcJJeBcB%@u#j3-kYXJ=%hCpJ}uSYZVT0U zK}r?-Y4b9sqJIJ`g6`TR~<&!d=Z zy{T1=P8K2yt*&%%pyAh;d7<0FF#dHKfIcYD>DC;hh#+V%HW=G=#2!Py?Ope{NV;os zJ%-P)fWV23p+?>E5bNGap)>*ly-%G}=TzOQ`*fe~(?Cs6cmGSiwbr-R-_6r|F&-+qQzjmC5MMxA zFyeoKii$`Jc-O}|Kl3A3WCTrvcda7q`1O6tLv-LS(r#7k3bQd-KOs7CXuQF5$<=phEvBE2SEPQoz?*8Pw_#2t0hK9 zYUkQQ-z{Y<`{R$)d_yv+oG2__s~0LHzXGQ`I0dP)`9@hjkAYrViv0jd!Z;a`*Z$?- zg2zqLHR&zS2GVvTa%{uYaBp|j={tWo015a%Jm3_24eI7H1Q+TDFPI{w#607_0$Mc7 z&I!qb)^x%vsz?rhFaoV{3m^lG7YDKw1vxMMB`BrpZy zZxTg7R@WO}tiKk?x{lvI#*fta$a$QVNtA|a$ zEdcQ#X+vR-{0(H%hJK%bf>MTwNhr;jK4~dDkLP&isn^wC#L2Ws;t-e$JI|-qu@(Qi z3cHS<%({(trPBPv_#5eXq~(Vy1zgivmk2mhxTy?UN~0SJt#bRprF&WxL8?!UyJu{g zU1q0cbT4*FZIF$bPs74CqV&IwLSTA`DoiP&6R3XsHdI44^Ci^2i-O8p%D@wo5}D%c zIrLW8uiR|knm<{_CVcu&x$gfdh`#oqHac?i=lOukH8WBc(Y4X_`59?zarfs;ycsZi zv%e`n!KD7cwc@W03Ib-3510Xc2C)dxPuEcaZN4m}+4i%c&mk751}ZT&g!=L5tDi!h zVKqfk3KhEj9rZvY>Fzbj~K)c`d=gA-eK5L8v=qVQa}Xvxmk)G9`dMO z{F4?zQ0B}Md7a1=CxU0XGxV|PEW5MVy_}Y>N#FOa zo%plvG{^K`rZ-Hpuv@EH{jrd_pf0+e$48YjsDMU&Mg4|lbJfV* zLmqIaak6)BosBd07Rt^Z$Sz82+D~&~dHkgqJuiOpIF>AS)=$4I<9yT%N^EEN1R_r( zmH-(Cc2{hSEVJ00R`^sUS^se`ct$6P#$8^WDz18QQV_F%| zl{+^wCvJx~gggx@B{Ori4S?w1=Hu?(`f(dk);Mx6{$K)vbmJ-D_8GJC@^G5&eug;u z=j12T{d+(I!n5@LOU$5N(ut`l$V8xfA_N{5yHmfn+-R-vdq?R`?zwfBYQV`3MNfn6 zUycfbq(28dkC1wdk#G`U!l~nV2dxx6u5gNHFTU4>-2jc3R~r4zR3>xjuCRO|q56-9 z>BeLEd<|K=CxytL(oV7iYRY3T3L72jp9iBrAACuZEH!|9o_jE!9jFwnh?gcKYGUza zKeA(^7My!Z&LwWX$g$piz~0mp6&aQ-jCwlNQP8GlZ}=fgm)ui8T-9GFY3X}gtn|su zgxEse3QLtu-2?rOSFG}_l33YRigtmDWD~ojW^ovDFXqMBiU0lOTVnA-?$A`p`+{Gu zH>Js%z*2J-Uj!al!(m1+o5-uP3~83@@EDmo6)Sd;cUhz-Kp!LApX_}?7O*p7rB~T? zO=^bKvsjPVOO!h^YJe&7W7En<{`DNmf3!}QFtSxCUK^KJz4l|XW6n;?s{hZRdBIlz zwRQW6it0Yu>mdjzIEA2cB-5M$%4SXW&0bR%*+2mZPk^~ZeO^Au*7Km@0Q|vgcIHQ6 zB%9SnPeT`^{?%^TM-GNEiF0t-^18)S{iw14ghE{!eKjC@B-xiejIg4X)77v zd#3Qrqq^+3t*UKxzBu0O@R1bK-coK!BN^Dh{!4d~pjvw3DbktqNG;oXRj9cH9Q;z{ z3nBKQzM!v%Vy((SOoxD=o zH7DZ}&gyDV-dSq(%~NWYD>W{Z1%D5cg|26)rxr%88@FYXDg&%nDG=q7NS)vRp;tZu z$~4Yw`Ji+A%|YqzztZ7EyNZQhqt%;r#|{W3K%8B4;<_#ifN1t4t(^$m;u-N}`OVs3 z9FhY7O>mkS*3#r7FFH$+WzYK$1rSS9G**w)gx_+pWsb5cLHWiy3a&T-HXAfFM}}b+ zq4y9dAUTXU2zU7hAw7hWH{%#Hwo`A^HGNq=Emqd&Jakqfo(PrF!MM3+`RpEgL|PG3 z58}cX(a>Ir_~Q3az@#aPO`-~g+?`G@-lG)g5M?&c-;9Ni&G1)Pus2Y)sl+YQ;L9qh z;R7hK+ZZ%FlM`6_p-^z_>$pjoKp3gO=0T3;$xTk*L-J(_FfVGh`c8aB56M?L&%;Fl z63bvmGxN+HFhSU-C^592lZH_Zhe@+W=AEuKvujRaOK7vyFc!cOd}jwvfbt4zX|?m; z6Xe$)8}iiWCkwAWu;hx3Nkvum?Hd*oJeQ@{@p~5j`E_u=PO}@8c7}z++Am$y*!%IP zNY>31E)Rg4o_}cmat2^z?k#XJQwX%{k*cKA{Z$5aC+s(!7j3g7LQz3j>9txL^f(9_ zU6pAz@tKKyv9y8x&wi%f6p(vUin)j@jH*ITnLDh)Kd~ArWFH+5S?m(@)+z9&<^VB9 zOsH3L_oYZ0S+$YF0OzI{eJHp&T++Ba0BV{o(os0?gDP3gs~vLyvuV-jLtM(;tzjp73{u2@tx1!K%f<2DUN zRXas0i(PrE{w1;Ns!-R&+1|owi@%mvY)$B9mw7$;9?iejS^6-|Z@< z@Lxn$BWHlCd<&{bV%AUH^}ag#jop0AxHo$CAlAKC|Np4b|Eu{Z{z;cx%$BAdoDb*A z5a)AZZ{-wzTYzlJ5Iaw1OQy|LBhAa97W)VNvW zm&0Ei^#j+)oc_@xL|8YJ<~CCz zaYbJjNW}d)JA8-<81^VV>l+(Cj&G&1WZV?6%1WA4uJ;)AyM0ZIjI>~?kcUmnAWqcP9}o* z^C-|*=nK$r|8NkSe?m7@+oz=IJGN|R+1C$Io;I65J+PnBel}&n!<~|L+Xqg!|G!QL z+-I{#)Z#~=1!Y+#IU0wVfscj(0~-Ctv6Xn%vT4dze;%v3#dbj-*wV`n-#jSzaLEeV z1J5AZBU<*hR_7dwVp`e`*Jlp;w+>8uKv|Y06KU=(t?)HTmzq*1qjG=0w377sKWe~) z$P-TWl3&g1K%N`2U-(nJpaG|trO<}_9skR98fd5sTUnUbQu>2n?f<(`Pj-R|?h-t1 zBYa#?!fPORf%)HjT58PS)qY`MoSdd+Z^Unrmb2YCQ=Ub{hrA4ttokCNxp}wm*hz8z1H7IeP6tnk6lfF(Sa%0^u=8J3syNS zx%`oKTPhDtl*+UpxK#;|GN9|HaVGNQOJnEJXeUq{4@m(V7VRuP{+Xf$i?}MdynDhz zx`tr_H#+i={LG|^=RI$nRpO%LWbUl3q?AmM?9bOt8+K!7|7n893 zfx{A)lvqSM0eaj)4A>mj8X`1_isJ`x^};*#%0%qpDvOQ5D}hIaFOSq@0UmQcilyf- z6Zor~m@6to6S_k3U_gm)$D(z#uRM6;_?q_(zU4NMw(38loUfl_uQWA<&!7VEIth2lJN_#S0se=F);%V1!G)BweE&TW&^-6#WhXdtL%QhB8 z>P5`eM+rMZukI_#Y@6V=pE2r_T6KZL+3p#9|AsmBk+NH z@chb~hD^GzK83IDJ~Gt0Mt4PhTBwIYe&LBS?f3NIcW#SR#P`ffgWszp*oz6ON4>Ks z=v1{#4V+d7t1y&Dpj^w!MBdTqGm#2^>5t(B7oO9gIRlI)p$D{ujP%m^<0z%jjPPyS zFyq1-?pb`nE8cC{tG|6`A{X~n=Yl1P!~=~79^@wf7}S;Mcvs~%(AlU~tABo{_N%xf z#-&(=Sg>>9mv+)XcXw_rsDhrvzMP)LtS6Xjw%jt5+k2Z-&uOjrq706V7^I33HvXG7 z@>{lII$4;Pp0CG9z)UPAMn*|#x*Dt$Up8qa5q933fm63e%|3leT&BE0F$JZ+%OeRG zcpX{3!X~}l;|Iy5_WA}!dKPaxnw2`7{kCWN;FyCpbjVglwk4>v4d^JIHV3-Oau)jp zVsSKw{PQB7cV#<2^!z)%`5Kd?)dzJ5f2^SF*1%piC-yhuJ=%T4vkxr-mm^vFzIksU zuJ=F)rOofDg&{#n+T|VD-~^v{0Y@b{v9VAKUmmRlp@chwGWfjSoPw8Uq|Lq@NTMcdPE1Y@~lh-5SK9)*5r{nel!u=+83cvomvy3Eh_V+5N-FI=0q0Rl=I6&4b>b)O=RP;C{ zE}SRCLDBiny}QhRYR=BXnKLapm;=)uX`ZU3;;=NXW((nOx9LamQrd0>*zQD@e_5>6 zVMy^z_+_Av0O_`Igq`1V=fQQF)}h0f)St}sjBBbo5JV?a+vz$M{Iip^k9d&7-s6^o)vLKKcU7oF3Bg-P#khX`CU)Xr;KhJnv8 z8*Yc;slY|?+6b|RfsT4Ky-&t?>Z|G5v|j@C3p$XC299D%tmcJYWRjD7`f$?1%hAFY zwJIZM$-qXtp(msYAtKPT-J_-Y;L0tEfk39d6c0;M1#+twycvGUyDd`#yn|o(kP1c7d`7y_s(%Eky?SvaUCAFsc?b@ zwzCDw7i3uUhz3-yFPs5aJx2= z^_(^PF7M_i^QJYsltCRujlMiT>T6^vE}GJEErNp8%5=l+t-%buUCVP$r|onr#lhvO z;nlJFrZh${@^dCbxc1)rrE_h@K)u8X=sIg~gUj`A`knJRwZ2Xod*!={^r@b_o_AnM zXP)ReEB@6e>c^?`r0Y5aB5@Y&@;tT_tj_jXrUN!vVABaA<{#0DFr?1%ZK>&GZGSKG zWsrsGls&d>?&m>I#(-#8S)cskEMcp1V03yp0&DHBhZ*;$G&e7?GE zP5o!-29GkdnhxMRnayj|9WQH1nLctiy9z~IrebD`GoLAb7$P&OoSS}*+0^$G5`T`X zoTk}38VVA5?Ys8#ecjGNP_LnZ&FiHyA0jXOuQBIuQb|rUYz22nX>(FHPt|<1ckb5X z7sWejXjb_eeiK~JuEgBrix%OIuggIN&7BCgZE-Vy*ToCUrgv&&WQH{|`<`xvmk<&u zO=eq&(xE>#>O+VEc9Zra393tYj|E$!zb8z!qx(O2>C^{*%4n)IHK3JLiHe(qqGP~X z)9^(5w~y=HwXh+br=vNd3D}C+^pEf^w|u+97%}OC=YxKf#5cHe13XeCO5Gisr=2Z9 z=TvP4uT+}r8;s?DVPnPy{G&B@WzCunfXQpp$)(Ko{T_4Ee1%0g-DBYq+L=J9RLZiZ zzUp`NF2IZJ#7n|psoVYqd)m&leDQ36$j*R@C3YN7L6h)17r#dp+kC+u$$RX z$<%%RSCv;kIgXgLEGLXw?ynu^@2~wkf?@467hB303UIlk8niR>W=o{I0yAB7CM?a0VK;E1xY}Fz{}O-O$Rl_|Ftn zJ#_}ko>0V|bTM`za4qr#RI^WKP|-taLbI)qw<4Dw%IJHW3s&gGnka#H3#53;6HUmy zzxA?(Os0?ur@(Sfw-9a;b!!Vcu=EW&POs7IXZ8;0ysA4Z+eihNOd4|WQ5bBN6mnJzmj5(o%|;R)|{y{lg=jqZ{&tFg)?qo^z4Ki1u}>`IaK zsQ!#y)~fDybz?K?z_4*DL=KtUk5Ly9IaOo*5?BhIgXnAG))bk6|E7UpMS6@JhLC_xKk(7t)ov%;g#$VB5(ir!#-W>F{o^hT?4p~v;4`-Yb1PL zl~95r*mlc*H?-?iP40?Fr=jLf*b{_*D~@GY4`n_@5$*sTKxA zbi|N!%6R{y6n@5db5!pv7WxJwiQ9Q(XDfuh9@fMo4vFb$c#j9&T!Cr))M;`^h^bRC z>daJT>k--PyzTTVLyrF|4G?6~>Kb2{&Y6?#8ZL7>8ZZ~06aU`*8AQuNjJ3qiVH`S^ z?s;SFOD7`%iWEevNxnE5EP}JGwZBr20#DP=CV(j%E!`p2;yOziHP6cu1>XR|Dxpy< z!%fI^c+TwoItMO@PKxB9WyVI2;#7pfP$DoE_hp~`HIiX1W2Vl0T*@k@9#;teG2N5P z#26>CzRy()V;Z=O7REqCDtlt<@~3}qo%KC$wUEaIdi3W_(ghc>Y7cIDsl#NZFWYaJ zwoP57)wD;|zCDv=d9E#M{gISH?PW}lT08+$lujg7Q!V!72d+00|8uoOtPWMnL#}`g zSbZZBnLECl&_7kXP@cyCg8ln&6rxsC|D55)!#ef9GM=hQXPn^&*wNg*nStVW3kNQZ z*e5x>aAx%3w}lAl*l;%9_iDFQ)&7XzXz%Ck-U3#pa^(7}LK(&~jCvWz@Y;tKQeDs* z!}Wr8L+*#={peLGU9AP3X_Zz)GVq>y&h+Lcsj1~&tM(CRVC!2RQEr_rh`5#*_o7@tG z_RQWyy6NmkCSIo%#e~@Kvb61`UBgX+tZqa)_J#Hk?eRpq1^}( zdJL(~lC~Os0XDcYs5tZwi zOZb1-{&LMwJ5kOUj6-+u+ej{SRcXKASRs5K!oDLQ3$k%gJfJDeD63}t>(E(qGtV3> z*?acc&P*c{OyQ3oBZL;o$PLt*Na`eze66^HP+)Z!Hmdg(ldri3uo25Y<#e>su{qSf zIzevuCzwKhl27Eq9piULx2~m5gP5IR9hjnks)a4bi(z1>0SJRw!VndCTn=qi-N5cB z^qE(A&&t~anbmA5<1}g9DU;^k3ng%HM927E!0fa9KH0+o*G4>xgFd@5r^?fbT(p|o z5XuW*GBODGvy~UW#jw&@{tY#Z#i#U_QNkWCRhB)Z_a?3yOvP@L{Jt~AL09#PF_#!p zT`3zCT+U=nOVv=H$5oNf+ZuXs0O_|-vKj;6B|J^eCG;*Z`j%T7H)uh_nPk%X>q|{g zRrSlASbiaP6oQ*;AKiKF$1P5JoSmptiSz0zHlZ(;gB6$K&Z_xOfc#1d$CvrTElC&> z=d*9>Fq2yA$aQ@3WIlZRvNt@W<9iOLdB_-Ni9oks0UypY+P{M$Fyz|ApTUHMo&Y=a zOv{FZufA_-|Gp~ss%jkA?qm}tntD2Fnw2ru*4n>0K%LjM_}pP<0veEDveZQPw%^DN zd$Vw#G6CtWb6&7%r3bY4ju%u(2Tv+y+n5|bV608sGg_c(d5*l7KMvYFGo`llMB@Bu# z?!Ls5;9NcrI66=ePElCqi6vsZqi3V~+){G>=C(n)*bzP zrK*WeW>Mueq0&Ww3A=f$Clo0hdQuDs%5xL$nFXfq>(niY`10$sUK@pOGl%nn$myu( zrhDh)`>E9W)8VhSK`#I!ev1nc+hJMF@x*B0ojl;2FM-e3ZX7McG#DM6Ng$Js=d8*d zn0+|XmWxi^pBN10F7g7GuB2q34w`io%wuW<)FmO5diu=^`EWDxGT6{JG)P?-!u24h zaByMN5d|CT$bHKG)F08xk$b`8vwcHH1^FYQoVS_lE>pR1;~&I69X0t@9`N|g<}Z53 z1tlofX1OcQ`}Xv@X_;;i_+zb!jqZC>XWC~pdhB;8L)+_UwY`=^T`V%@xX2FdA{*u^ zrdGS3_B#ySXf+;U!pDwUDrS$YXP}~2FU=bc>?C_X{m245ag@)<+ip!D1d|pg$ix|V z>z%;U!g!($%nNa7I3X-q6}KcgpTr7X?78BgRB04s7JUh5u9(1D`Dw%^!NPv@i36O+ z|HPCE8ZVaY@nrrZzr$v){r)r%vQs~U;GiL1Gipv@ws?v|cS)5s>Ru@b{~g`hVKFGP z1fHhq>QwN;EKgQV z54+|fn77{@uq~_cJ~^zvif_YNkdZCU{w$sTj$9;g_lmy@Gy%f@3`+|Jhb?j6(&8Q- z;sYqKdATA=ib*(DNbcQK(~_V;xJ*;w7uTS8A-rV(xFno2#)JN+WaA4`xYoy{(Rtz6 z+6@CT39%v-Ajs@ttR8M|{R>M#Kx|YRrx6e1Z9I@+oKj5}hn)5cc_ci|Q0&VmAuX$} z3r|ZLP>ftg=^=9dlyIOa;AvlVklJ(7Kl@(o$R0boX(fgGcLu$Fv{e*Lw69m zGA|QJHYJN!CTXl@poZ5k>*~Px$}fa9n6?pu7X03NBaAzkt9WG$lt1bt!6J4U;AzW` z+un3$+p8XNN=@q;guFVr&8AxHgT}Er_H5+1x---CQ=mhtI7TGkGH`1*JO6l+6P>qZ zxm;$C65E&-I)PO5h!j8UI|hr_Vze^*OF1lBWgs2t{ui{EAG@t7$sT7Gl@^QZ?!k~z zGbK`{{r~jKAAsg8ll_W)%JBP&&w2>aKY=drly()pS`=m}VV#2vWK#E&Xcq10+}wHH z;|DG97MH=-w%!~?{A1Ii>B%#F8w20#R2+Y$w?Nk)HLu3?YUHN(BtQh8j-A=z1DY@{ zE=*@F_3h3y4Zdop2q^`6yHUrs^c3G`YML=_TAoO=1jI^n*(`ZOWqTeM+j52pXl8~cbwMK`&xA}r)o0AxwS!~Epm<1 zp3eRDH*BTKgK>6ofTbI)XqeP6FKGVCEbm{DIA+&rH~XfLXuU&K!?3&(cCGqC_%Wb9 zh01Q1Uwu!u8No-OW?q({74Jhof=?pbfnX((xlr9HpuhQ^VTf*F>D*Av)v+PId; z{&Oxst(@QU9vu&lft30nlu}nU+6Q9dHaeL8u3L<}0vvY6?!}Ypn|~02(e!3oxDL-U zwovrVzX;l5*@vPs|PeK6&m*nV2_u?nY5k9ez$M zo=HHvfsrhYtKC_KB_f2mzP`(c|6N4Znd|lJxye1ufKBH-()ojCY}W4=QLrIpK2cIR zi}(cUO-<@jg_OBoscI%)5P=Uq{#?fMC%%<`SpiBQ=yY_N2wJsqR`Hw7yAt3)wRIoB zhK*G9!UbInOHD5P6z(tZYyKK#>*C)6WSpNbgp=b3xYstDixz>}mKEQQCCf4xpy8VuUSb6!|wb^L@) zYk_4o3GE{q9ufsVGx#9?YFhRBbTs`-LLs9*$K6^wLb`nxcrd9%*&0Nfor_O4 zbf-mUV`#a-ei@V^;%7PPag6S zn;b&&yH&HDX+sMEZXo>kK83BSyvz^``!2rD7ywsQ$H)6zlabj%M(2qQcs?qdEdPb^wRfTot9s_|&T zIQ*H}dixDK5;lGOR1oz*_LUf4{z-qLhi_B?qIYVlv2Q6IBF0GhC>U;@83{P4%yhR1Xlc&`>@w{F=5=G7)cl=+E-n z-3J{Sv$k6`=hYuNA<>#aFw`!UV^-?4oYp)4<;CL{ywsWgx0%_gM3OJ&fD2pjmh|+Y zY~1jSU{Z=WBQCxuo?#-|9O7+6(+vrX_5}`g92I2>3uZAqO2XrPnd%)b+ZJPmp5yDGWc39Gzo7#7|7xvW z4VMu(-Ps`c6sY|Gg7_y`0r)8XSw|LFZ}w-?lRkGUM?s9wkyuiN?12=J?9D(t91__1 z@5jGK!u5USFdmc<_}^E%T=FbEd@aL0K64?mX!PKNRS{SSpfkkgsg48Oxe z=;~3N>YF!K0^r+glX1&S4;RI=FW6n&*dy;3ukN-+QYoRmpr-TRzRiC(aex2mj&}IJ zCGhVO9!_{tcF$)-!_|7$|EIgS+sUPvuf0&nae3!;>mB;EKHTuH`_pJXO#gHD>n?_( zu^hPg-NrglgI#WaEPHWIvv_@SAYtWW6+I6YzmmIH>$5&8>SU;wx?8&WVSV5Gwy*AP zZEf1I^}e#6Cyo;-Zymqd|uHqk6HNUc*os>5F0P{c75h zFMjmywv7PAB5h#wt4XNGfE|n_*rN`{qJ2d+aP*tkkYWS1f1e_KCRR`@i#Y?xYz2fnFi^9P{&cVgGi{! zT#>l-s-u_y7>%2mqLN#OViyXk8SwyIy((e{36`N+8Xxa9dI%YHQV9qT{3H3xo3>qm*IHJ|ea zA=W^CZ@n6b9{u!(!iy#2jvh_7`Ro37Ms-#|l$+DB?YWo+?hq?*WVeKT7I{{%oqW>2VzSJ91*A-C8Dvl4tQ#S5tbrG2Y{3B&<; z#-{{v4S14*7KRY5v?rJTCYjTL=isKyp)?a`;!S$P4nT{&WeE;=oAkDlVYXiNYW*E= zVpKPE4Fe2pUe28BVV@x_qT=B^jLg-x_EVk_85sqppb0*c+l!Kn7@AJ8+0c`>8Fgd$ zqJ^5z?fOq>OW#Y@7*!u90G5q^o9M<2qTIv3BckehUS@#>Xy}K&Obc(h#LemZ>F{dr zcK0{3km}S>;lKhor-*=0qa?6W=AE!a?C#4FF?u&o51|NeGOF>mj05Bg*^Q-a?aa1EK zezeXcl^IE5OSHuDJ3(zc4>=F8)&j2^ z!$N2C!D-DtPTnc6j_rQov}i3MpeyW`urluzQivNfuaDaYLY8;_pfBIucyj$e!fQ=RpFA@2|oNH z$97811l7+1ZqGz)Y`W7u00a6@RPp_!VQE;Jr=z_o$~TPXx&qQuiSumFva`x{r9~x! zL?vAm-@#H9{Y2Hvj9agRlWFhw?VM`&?uJ?Cn&LzYDX;&cl%iWp=XdlgF?Mze+ysk% zuwVRuAt~O%EhQpUKo4$JYeonmx?dlNvnIfJMyyKp#z$)$+7%FYTpJ8vwSAYUVU_sK zRgdKNKg!ea_UDFr;z5VZ%Bov2kIprBt2s+NGMOXY88n9LHsMdAtaT>hjZw+H;C-mr$4 zGi%Ad1)V+3n0=(F82YouDgxLD!7F8eZNj)H*M~w3IyW1?;;T#pU;SP2f2BOs)l~w( zc5XXh)2kbY#r8>VcE5X3v@`wrc#lm4-tiJ<>a9)Ron3QrzlyoZA&{#>r5q&f#ZQ(g ziXXI~^K{rHB!JZ5N=Oluo$wDE(aB4L0>A=8&4I*DePcv&f?7o-3WOd7Y}(#%dPG)4$l~(rRLVpEcR?YfE_*S4eJak~FBVOIZ6A(Zvi~Q8M zqBeUzwa!klEQN3NxKqckAnuvYL}1dXo&n zN|!cD?!^4M4401AeWpryyp}G?rJvOQu?A37O0o3Lw4b*zTbuj}*CoGb#x~eMwVwC5 zO`+3e5Jx>WN*8i2hhtH)(l8rZ1hgGD>4j>Y&Texs$C93xtL4d;#QIkmOK?{B!PfMd z9pyGO1!iYheaHUfyp>i?jIs#%J)p=)>`z5r=%%#sr$@>(I<5|M9B^Py=R7T&mjjPf zaix+dBqO{RvApL?xJ`+xGJ`_2qD-|MYB|K7GA97obJI0FfzP&xpJIrmy<~K}5DJrq zxZ+lEhY$74l7=sTo`gnytN)gnGz~SJc$|RIFL#{QsonSdks@QZdLztX+P>tmYK{i+ zurAeOttsmK`J@zintTWB@(e1DFEaS-C|vT2u%hG=ci8isJYFCJ69t$(rz3@Lc}Ze) zp9-G&Wx9zRo(m)4iPN2k&%GMdkV@dqCP{kou4`XZC!tjh<$K>qV~IR>el@xMv!Je=KALyz>)mDh}!Mr#Xav_E>#Xa~yE4wIGl=)``! z9(?#&U@9zG2ZHU6IrM>KLvl|`2e-@DSYOok?+Zc%yXshwhPB(G{Y_JI_~l(@xu30gPLId(kQ^wkla|1iFYv_Sw z>sw7<{g`SS2NHVP-)qr@+&0ue{r&5>EW&+F;Tn{S7{3OwXSR8MKUGmsU>}dMH`&0E zAB;0A`?F@;84+8qryo-ipbuO48O%t}XS71O9IUZA9lC$vXDKV-wO)Pyqg|1M(@xy5 zb_xn?KW$zRCEDO?EG1OkDnYdSBI*;=reZgeHlkx>*TT|!-PXgm%ufb3hxD!|*@up@ z=($r`x({mXL_aQtZ4`);Q*9s%Ebio=tNHR@>Ki8ckNLWNtzu$KTF8sTp<`C<%7G21 zDV*=w=qiCUw$)izRX2wV7VHmLyd5vRxolQ<%``Mh-g4rIwd1 zd*P3$JjStP!nu%wRPz&MPhIKTP_sx(wxDwgJGoBkzGj@`ma<@{50rue?H#C*_M6VT zJ2*wG%yUJ>W*H!AZ1?=rM45RsjHP;}fy_>OYgZ9VNo`zTRGB4on&(NMh#6(satZt@ zRj`qu*42BVJ=9fP2*N);2YvO_$-PEEn4M%CN(+q;@jYa3&bQU&vSP1@MaB0duukK= z!Ot%jB+qp~t6|4PS(ldKqID5$&MKSMTS+(J6hGrF0a(pm8|)uB^xtcYoYtSnb6oLL zXID?s7l|FRifG?n+A(_@f$(2?e3Fy=MdV25T~Q^^>=`J)SNK)ZPw5h7^}#&{9eoi}Xw3NrxqWM8GXGm}`Ce%b^34$bE$#WjHsT0r zutEZEXMY)_#`LQ$9hZ3j;Lp5}1NNO?_J7P#t&AJj3@G`fT1R5k5 zXxLg`TarU?>y4Ul?<+g3xivu)L*^nJ?lkY2880wP#>2Jc}VZDkf*;Ri!O2xzi%IKeZ8!;-Wu&d%g;bt-UDDRd{N-mYXvoz1jI zjJ&(ZdS=@orq0-*4}oL#R>Ab4)?+FzhR?sy?)>eg#^fc*aw$}}^=0=;E$}_4-d?gT zI2LvVv*04veh$|hgNi<9%Yy5q#W3{|kbk+QSl)dxh=gD5wk71DX?;%B=REQW95PS{ zr%?jOBHkBwHMlKIG-9b&Li(6?itVHUE*mSjTFV^~u~T%4f~KH?GR&Z6*Nh13oGQ$1 z1j9d)Fczvbh0Z*ZFL`QXAokRfi#$-szEE@8n+f`A(Lytlu<01;17h6wf0UOFQbTs%(VUL6h zN>5!C9kw(R@TYoaXJ5S1Hd-c1F?1ekB6v(+C2zkAtt=6g?|X8t*5qvxnh=nWLdf-I z*MEBDYd{ZAjpr)o#>$T<#+|ZrgZ$J^V&lSyt>$a!SGw~(-b;eX+)eS!Bz!a=8&>&T zAGwOjB>Mfzw`|3izAw-`z0rP{Ds8fsZ3&L8`=$mBWTxAu1_*NE$YtReG{OlBz5GQ+ ze+*BT@}vX(l4P-{Zz(l?HzVl6qcf}=rU46dm1nVHp9Gv-)~#qy_PET|=xv!m6bWn_ zDjVA>>3JPEg=ZGUsZV`7c`qM&|85{s?{@gdz?_K+?w%rMJTZ&<>tr!&Cq+`<$G)bV z9I_nJ;|4V<-z#vDbC|ZC*}m7BO7cTF@B>B7ulAA#3m=V)%WB;Sb_Q&JOa|dqVzKWa z&hD>zV~i3mgsxs`&5Jqra$r|y7HY1QT>o>+8=mBZo~c@3D?-Nx7?t=4I?bj zXl@1*mu$ zLnCn6a3X!mV}Ze@_*3dYM!TFDC@qz@L_@WYfF!HmMSn<_+op=lYun~y-p4~;niYxM z!f_z!Uz36J&NMi}=fm4coR&6~~D zAkk{8`=g6Y5G{ynE11n$KH8zX41W7tL_c>sv`;pg*7TkTGP&>r!yQ~&laWIoB3`4S zIgNeI;Ft}Og+y)`P!<-tteSJhC9i5soRx&s(CEW%C`4%Tx6?Q6&ja$Fv!YQ>*|c=_ zo@?ov4R2)9j|6(CQhwfwnv$wBZ9Db6#%QI#pksc+H+=optg*UkoWzc7QA0B%qOW(S zX{M26SLjp3Z<^{BQR{n{jfu$5`qRt=*%nua6t?$`Jj z{WhZQLB*Jaf(7qj%jr>aiQ6o!@`i5K)|tTgi)g~1SeEIl+XF{RO4XgDD?4pqvScZk z>E$}qT7o)#F^6p%VPOmCHLiSQjJ{ssHsvP@k5w~&#GorIHuorWS16lYs@YSQ=2DIk zm>lgjGx+fg9n=g?Swd7!s--E^B=}7kjxb$Qm+)0!Bv`D-X<_uV@Eiq8Kd0hijBN)T zUz2>w)B2oG6KH{mqt))El8lJ`H=sP%QXpt#%0e8k(QV4Ez?SHQ*VT+*Iv2Lk6rHr^H##|8 za2^oqU9gtXbC5RP%roDgVjfA{ldU-cdD(XGBDjlGb8H%uAj#PEqPDWKEHgY7Y=HZT zt1EDplKu{}T7(g*2ci(b9Hv#P_lj%52??N}M;ieko2*6BzU%K)1&W z6Jh?da#s!4p+@XufY=8nLq~=pU-rU8WrJ9%9wc0*fp83(OOVqN+7#bgn@mN$17(jB zzp{O{jo9$iH^3!k&W%+4QjY*r)al5_x&Y06h~r7hcFd%N$Z>YUU@m;S%w2Y1+$!4` zSxClxWgGMfqV=XzJ$Bk!eNJusp#N%gcg|qUPPS)br1kzS=^=;_`9Fwz%cwY)tzA0` zq{D!q2_!V`7CcDf65QS0AviRa5TFADhu{$0CAbqTNP@cucMXlpDYEu{&)M&L&cAPr z?^lmCMp#`>b=9m{_q^u)Aj}>sToI;iyqSY<@S6vhs&xZt{!n2N?^uB&r?M5HN;aBg zJ;!0M2V?hC?I=@&Rjy2l?Gbn~e#tS@#k;2Qs9OXyDP{DaLeGNy@tcK|+Wa|XOp;x( z@fj54;E;AxPn$d#;kHj&38e`!8rA0t?cod;3p6XzlQ- z3KPL2-4|zra%h^7u}B5J&ycYzzHI78eCmR|MSM*${8c|Rgk;&CQbJUr?okrs?%_63 z8NmTGY!1KNG7zrlF}gJx1Tyrt+N7mfR*Q{PGW{jye6PZxggbJgm{sSF^v0>PoLizX zZ=*OAF_9Wt_rBXNNGB5e5I)^iLQ%5pwNiWooXiHv;&p~X}pO{=S`z+)*@ZcL2w2@ zO1~n;P5HIoWEgLWBb0uiu+6NAYcnX;^-904zrx>ieg{gh(*z7e6&vZ9)A~j&`*O3R zBrefWkla~rK$#t~gkyI8o$dpP9LLXUZ%UzXcTOqM<~qrn#f#kW__M#^XdP}*)1dBH zO4j27P4)BM8OaP@+_`Z$z_kOLH+?&n`gd%&1?5$hFkl6TVx8L`5rf#o%dphc*3?(ulO0|J(OBh*hba4jV253q zIv1V;W?af<#YuR0spME8Suw4?^0$LttgH`BsHzw`V`$J^sTx&A`DcfEC}G0J8(H|q zjd=mNIUzU8Nj^et2~Xek5}~GpzE8#x0C7XCsqw9@0{Vj>gYQF&S5uW#Ir)}F2;~wW zv@?9p%@EHyY`~5C$Kq<+9vdNPBQeZ*bd)ld{Qxx2yi-CPJo%MJ2Mf9}@z*{lx zY8VLa&y4iuCT*nSq+A;h0i3hP2~>x(rwwLW;6y<3pN=z0_jMrr8s9<)Q1YHMxiL2x< z?NytS$(3`Jk+PT8I>j90eKZn@8z%3ZTnmNcvW=y1#V4bKHJ&}$XftW0uTtz*`}Ma< z>czoTsjZ7Yne8YdjvOr&TVE;el;1kFw@U+_zFUnjwrDd*(vDmucUIh*O(Zg$l- zdr6_Mc!8KPXtxyg!7Yp~gsHToQz5CuwRc$xQT5KTNuNqD32DA8m*$qNXkK1wp-lOL ztmT5E1YyJ^uIs|A(n?`}@3>S9IT*YXTge~N8>nl#T%lIen|dr|Du#)S4!AENRnl>G zCfWtyCJ7d0ji=ATl}M<6;KGg-Al(cB#V2B8a75wJFcjsxfK*4Ad)_-Y3p-1bDD`Xi z_<yr;PWZvPbBRe$WE)uf&`0&IzWZFkvyVRliqb39+LqH8_i=_ni}V65L8H$=j~K!TK_s=fXbylDNspEq%hc2 zKs}JJlhkcHCH-~8l#zKe-TgCed&#e0#p|kYO(nJ}e6;=)bqZ~qVrLUUt0s9gQWL%L z2@%YJwXNp^!Z!=IS7tRr=L8spP`t)C^K1w`d`me&p1_}){g7ofUt^~HQm$YjaU;FG zPwj!D-c41QA(=qc$%X-+vMr27@+P2=*P*ibv^dh=sIk&wP6PJ<(}rye{O$p648yP4(` zNlb>wj-z-5W4-li%8|M%R~D!MM#BsQWA7UkRO@|rDC{y2Mzw3IQ?J*8SoMVev`#k` zO*PPaQtJ>r9@$R!iOtqGNqj*J@(#eRr~Fb;l62EzbKH>`6*;sqBZgy+m5nv$Y3;uY z-70t&_N;mWXqQBZ+7MM)J!HGcA!fT$3;&eWKDc>Z_xw4y{d0TkJGEAHlx?1~k>2cr zo^Pd;-CGPbp_lQCNIF)q)CxW?J6O@Ot;d$*o_4nM!;T(|Q1|!B{DeSm_i%225UsWnqIdb^Gxi~D{-mWq#3L0##wRsln!Mfj1hx1B&KomC0 zsdY$rpb_?AYlJ3=mE?RJ^ezaGo8Z8X4|brhvfBkzm+IQ~P$OR*m8}yy7mvg>i4vdN zh{Q^lW75gOcyt6r+A?J@`nHuOmJ{FiTVP&N1V-O{u+@WA0^Rg!&ohe@J~6?5h# zlN54#cyN1O9Jy22)zfv0B^>Eltt3LO!*|8jYFlv_IeVcrQ0w8$MNOe`@%dngl2Wqi zoC=HHlUKV`tK9>S1E(j*)q*?-BX$A`C=$vb@nvEaPZ7iE~p8ftCd^}TW?-^@# zeMm+J3;vRXZopNcMiS2~Bv+2G5&)rBm*h;|ncyV6fa zd_r08Ow7%^Uf92t*Z34(bjlJ3wemEHEPm8%+B%YI%BF#)yup}xTQsMv%hCrr!MmANU-4ixE1z;W z3pr8lP&R%$EO8hN)ndJ8cG;zPnT#3dy7am~Dlxz69wFmyFxklZTrfYZlJ+6?KZ2AE zxFwJaspUo^ARZ=CUv4%f)NrF81eK&?WHQ=6#?USPQW+o}l^YXhUu|C||GvGiA35Ub z{Cc2JO)e_!(BO;7e7x|H0blKV5n}ClBB!4gZ5sPJ&gi&a2_~z+y?z4s$|3H#4VlesOSpm)V@XdIJ^NzgG@ z(#h5RTL#;v`l~{%rBHmCzMMX+%jmBGE6n1qN<2K)`d*NMW}2VPwj}GItzskgFp3WK zOQ&fHxx>5P;*^NwIO}a~N=~dwe7gp`vU~h^f665jb~4m`&mMcL9kdOpJb`$A1OZ{w zGs6IKLL_z+)jH2e`O);33(E5`k^XTB|4m3x6dx_l& zwFuzpbj7kTdJ)L(DIEfFWh~(02f8RYh*QlWA3sJFyD@MR0O}LrcrTalrFpyBWrmgX z{XFD>qDTBOuPJ)~gcvU3B%NMxquRnj8>BD$qjfKj%+v-ggNmc=S&#C!n=Q6`@ ze71_a$4P}+2o>lwsmvuZ{RL{Mvg$;$B&L|T^uwekNp|Ov=GqrcIs@TWPE&zWEE!XK zsIm~F2}FkQmCf#xd2Y%iF3=rgoXWr_!Q%gHrrNLK{R7#B$Q^ZP`t*3z*s;Pf6M-Oa zOSXIy%b|cpF?{25>%h;=bnnggjWaLgQ;m^>t&$nlihMigYei;>?1?LG#VhL{qGy^q z#jBI%@)NK@K|R#yl?~MwsVXN^!3Tf24SxvOW#|XzvcsccKap)k$%?eh?jKmUqpkX% zC2^XZK&xESF(LAOu3q$H4_D{D*g!IiDcVDZKFM1*9w8G7dGSUO1$=qNOlGe_2@qVD zYjj60-}T>%wYvUNNCK5o8^V!Sz9M=#@I;x=nOUDVsy@iOosoBi~tw zNifFQhRz0QKh+-OnCqJ;di5~pIHMJF`H~}1(`#O2v%b%ZRrR7$(QV4*ZDZAPQJ(n5 zA46f%Befo19jWx08Vm?dm0Zyc+0ZLeuq$vJ*uDu^dzoY`tB8*+ST>~OXC2Yb@I@M% z*F)j&7M(b4#!zWM2Bh{tp<*$!pvyGv1XN@(b<^vz6~=6Evd>g+4Zw?yz+FO>Ji1nh z=sw3wRpetC;kpP&@%>Njl_QalthR!67xKa#8A5%>ZH~XOmVHOqS=qjBcC5oNpzUYd zRCz7VK6CvwU#KWA#wIta$P4{$K}fsB5D%L;^~84Z)w!gvTct>zcQY6iX|<3e+SK)= zrdzaPORY9Dhu5-t6fX6n1=3ybZKs)qKDiMJS>W!uW`mu1aD!uxo+x5sbg9P)8|GZ= zdVGw1K0){~hC%bmKp>THR6Dt;sheWbeGSap?&(&B`~-%`faGj(5M?VSh4NH*)ln$E z-{B;(0K2Rw7LV?TLbj5VL4WpK{N9z&A8dohv)o5oeOk}s94MDde#MLhbH?u&`lvjv z{!x!Nq`lU!>JVy)F%Oq?NS3A~k5y6Plzo*pzB%}GBB7)A^$)I)6Wjh{%3 zyM8u2;H2-HxKOTcPf$AGv|QqpU&%`VK(XI94=1rPGiy7@ukBBAHuYK10`7 zg;#7muacYg*cY|hM`9<7fv|um*XO6pZENy&aW~jkA@C3)u&;9P!M-Xj)-ff&SAne; zr9f$kffcT~{u8CDKi<&i`kQT&B0mC4nf3gp^EU=r2e8`p;iD}6Crux zaN7YHGU(3yk`=CqDW+7O3H4x20eiWeRAZDAMud}q#W1I<;!5rG!TqKVKP#HtR2;_M zeeNEai(4=qXX?hSqWQC=fkKM%T@X>$V*3Oz%NqNg83Fc3gjz356t`MlUDYJU|XQ z-Q&SnHg*eW7EXWb%|P-jMcH)?usLDM5Y@TZ@yy<7xzAIKo+Bcvg0n#^I6dWO4k_sqrPON@=-VND@w`r$P8Om%O*4^&`r2R5pjfG?Wm5ik+9rJr}TLUt&`0j zGF8j%q56PcyH>QFItjEd7*L57E=!bD-Joy&BTrqRQ**E>95jHqS z7p_R(@e}defpF^mA;f5y@eTz!c~wAo+kmj>af&a8jo_*@)*#cVFF9I2zA=B)%A*v}EKiGSVe&r@#IUxK&F&3j4PpQTdD6`Gb~n0H>SFiDTlq zl}l!F%bVJ+%9@~Y6F3{^2ffsa95L{QIj1RBg$Qc~KNGG`fSsMQH;S1$0sD$ndG0nZ ziDHv~Edg!NLk&<@&oz_32(!s!aEZI4Pa)it_72)GTw1;Bs2}ueyjyL#?+pJ%X#QoM z(f>hYG5&s-chY)i%{DkcH~&Jp7+!{KIrF{rzxM z8`P!%__ZJSul1f%Uzj)Ov3-pW5M_v*&kfQyaC;fx`gV4tr2aHOCR>*0Z@wH)Ds4Uq zes|m21cXfEALc0eyI`aEGpBmtw@ArENv|wq6I-fT=RIVRxpAtitwql4w}4)Cj*IO^ z98o}z2LrMBAU)UrnInJED;s%O%rjxMC&I9pWNH9v9&Rk$mahZS|3Ta*Y++Y1V7m>d z=e=1EOZOA^vkmg=V_@r&AH%(xu()mCJZh!yy&HR``r2$$B5{n+N-Sq>iRS_8a$scg z8*=bie4`><)Gy(HH(hV_1g&mOsW)2vkAIm^&z z5h-Bqiaba38cvkVH(!(84W%0!aH_BBRlu?|D}x~wex_ES*h)uLY~&fXQ3}5WIad$C z(OFOKR(gx~x!lpvsl4xa_>IGQTGEUp8Yvk^gF^hwHc2vG@3PNgvDSA8zeh4*1y2Z=xp-QBA8}~+f#m|`dM8KQvdN52kIjv`BOMuqo zet^Z!C_RC}baIEikN17O??`vhY`~~`bUty5C1;6>wp|`c|wlLYqoE5eO z_nY0y_H@6vE)${hv6bJ)&}W-Wh35spExwFA?J~Wa3F5yqF&oMhagD3!wQX}Oh(_u{ z2B&FEQgUAbbovpJOMf~$lPEbB%A@|3_UMHtCE;aLs$d%#;D0ee2X;0#`~t+8Hmr)h zcqe7##jgSRAAQDWIrAWMI0dRv`|S2B=lo=KH5w zL3O$3Jr8bBF$GlI(0M+26?Eny;3ge`Rh(oLb9|uV`+!PlZ@z|kLD2=1jJAV+EB#3> z98ro7*6^q>Y*e{d(|PpuA~tDOIM8W58YPF9yD^Ur$T9u>u6{cO^7$O)^9fqruPcLU zP^L*GOzby*fK=Q!+m8Qm1efF_3a%0L7FoQ7-?m(zUfw!6V?I7tvEJ}>_P-yiR{7r7 zf5b~-BM05n(q!duvOh#eiAy8;m%;I9$i(^+fllkKfhS`cm^0kC}1L09P#`5(|m79^$vIlBI4f#JsWPlfaiJ3 zL`l#>9!g_y=Lf8^U}FZqNo}ZAjd~NkLh)v0kAa9qU?YKn@>F6L_52ug()O;lU8A0sbDPs`rMkl$gU&Sb?lV2P zp&B@v9iE8Lu;ZnP`&sImhDG$D_w96BX4MBp7d%d<5ggE%5JC%z3@WNRjiSq+9+_M~ zkaQiN#-l}0jHTSL9li1bQsRfItka>gKg7ZJV(ibQps{k=!d(nN}DNU zb{)#{>A`UIS9)JokMqc1Vswq%WZcCa#y|CGxk8lYLpv5m^M-h#QBUH~NQnUd5d8A- zuDnkKsxW;?J{N**%LB6Z){Cc*qE~f`Zkj3zQHb|TLHZb5JNL?_w0s~`54{QLdo>Y2 z8HaOd*3CQ$BL}Vu(?oXVt$E=^uuitusb6;QQO(If;k$fW<%31D`45MA_N$rkN{NF{ zST271N8n^;AePPrd?>>2g9af~Ke1@g6;;}DK8(+_neGVH3;!1?419bd&=pUj7U6$z zyPGq~^F^?VAcDHG;;ee_LAwq;AcEm}RuY0{8CWLEX4!bRsg1Nb&eWt`2rCUsN%8!F zwzY7>;=I*ATj@NH=Wh5lLx*=fL2@B?iJ?z@7c(B;%G=uY$Zh;Qa(1a0t{7A7JS+XZ z$a=SbK7!k%yPi8;8B;FbQ_@7yB{TJLprs zf~^fLa4ydj-EK7YOibT`|0Zo=-vRNR5L}0sev`ES>g;6HU3b52g#m)QFE1LI_50&r zNEc1ed#uqR<*Z|PNP(5VJ{feS6L|sA6zMRMUE4Z+uRqSu*tD|h9=R4cUzkACiFY2| zY^A%P87D-YkLb{-Xf}a?#yXUCP7>I@62hfmDgs-1%DF`|3)F>*iQbstbg^7m+k?bawC-;(*%)5s6ho~k`rtHU@hZm8ahGva`|9pdfN@qd~$ z-IQ4N3Hv!GZIab@tCz7x^$B2;VuQ{Fc1>E3+LO8>i8W)>>l3mQ6S9o^p91-x3}BnZ zH1aj%U?0{5u_kq_PD__>6D$sxaZ%eQMpD6W&9@{4Itqq+)#zn2u+JXf(A~b^Hl5#Y zMJ!E(hk;zGsGZ>wv9whi5`wyg#bf-GWT+d0};2+3wiq{u#YzO0;j9_m>}T_jrD>@gphwhbGvDu_q4fnidi* zTaa{NU)y0d;V5r-Oz#f$*(tQ4zJ2>tay7*3o&L=4W1@W`Xj;CD-!2f0THKGO#0(3I zDDW$pkrDN}XgF1fGd0af>y%^Bxw&tOU2nLx?uD8mgfSi3aa7rrY~7?X_+iebe=|(R1M+=Iw7Zig7iewYI)>-zs%<`0ix!JhhN@o> zMnz@U8qupw@2QKIS8?*TW&frAO+eeXzl;e!sOXzkqL_?lzQcU{yqqJ)*`BmZa%1xu zZ)0KVSqm%G!0LR@DI>iIeZ6F1>A2hnbW2+AZ}>mQ4Lm=^y23JpsFsQ)~bb*PBWmpc^h9 zl8=n9SH_%TUE&JTHmQl? zPJ_dQC9E|Cv~U>u?+>{#vTeBwU72qww`86Q&TEZ+?qxb~$0xLddP}G?v|%&D;ndDS z1l%jf3VedWkh!QlVvz-f&i*iuE(4G-6oETJITfg-E&aHexYc|dikV84#Z!uCTVPmi z|0cBx*iA}8zjll3hCLhMX3lt(As&{jrOEy?X9 zGYpMYN5ytOQ8?bo4O)F`Y7_m^vskD1t()_#!f?UCMrLAG$a2xtMhYkDhsoxgGOJQ_ ztRE211r@&29G}N8hgolauC|ZfH{-ndV(jdl=exfMa-sc$Zf|TI;$Yf5nT5moMIyE; zxw30VV8!yIgL|00Snb)49LztwNZU&J9_8K^&t_14!^2%{?A(~=yb@0*hrY1(yq{66 z=bUz}oE`#=VjpFBi<}DDYLKl+bh?SOs>|UBGsSW1RsERbfKI4ob_|Wiw}fa8^)ku? z3@RNm|4PRPptK&zm`(Xj$do=_(WASjbCiv+ssrViibLX2>n59HcTbGkBr-o)>Menb zD(?PIb$Cn`!Df;h=pl{Byenrxl__OZo(dNHfzuSoI#P}$?HL3Gmgl?FBNg;t76gOR zdlv#+J3xy$V}5k;{RHn4HKNku9g3COJu7d8d4NCmZl^Da35&}#%4y7RVQGiU7gX_- zkMSBbP6P~*7ru`X|6XG9OG-eq_>t_S9`%=*uuMF5(zIrf`?J1LdRYlgYjtr~dxT)+ z=cBKkk$Q)XLfvjER`~n#=p~*F+L9UT1J^2hM~O||;O5bs?5R^O-wcGE529;7diZ&r z&ut$mh$-=j)NLTXO$0Uv!vRm)CK$^$b1Gysl9}vGkWHEM8&oYk-3j-oiys*#g-tS7#L9O%a`Z5HBezBFj?&@Ypw0C9SdYgWL0#F1 zrJi0CIuV{7PqpxY?)06kpH)5sVH6^7ExAxVe}7|hXhLqP%L!xsxZ&{rBM0ufj?N6} z2r7rHObN$WIFAq`vrHkVX=RLarz}3pk6aa8+!-M2|R$9$cS|p#FKRX0zedL zlx3Pl@NUJR9Oo|Pc65Bf%-9k`#+BcE$4XUrX)4;sy{vHEX@SbhYW4kyC@7CkVY2I6 zMeLFqNKsF@PToMKu+!;h9O3?8oDq@mHgw#O?R3QK7p6BOP2T43XfTY0euCCl0&N$H zk7n(GF8blUFQBQi?c111O%DS zA%O`&F>!6slKuCh8q>e7{_L8tmB+7?*tZj}!jFf*wRZ6yp)>}bc1@^W&^f!RZYFl| zcgW9HSUgKLpRP%25N2*IiG)X&AFPTv?4Z1D7m*7p>~Afx z$UD$%e0CNc-bBYEy_L?;L%E$rt(C`%e9&4lWmF&>R;_&~iR4SZ?yUmNc)2Hxo9V7Z z7LIO0(ToXME@qc+5s6^wJlRN(-Q}2IZ)dV$fGwJ*1^B^fpvxRAZ~5fAkJI0Da8^YI zeP>&Lw`?a!(H9n!CbiQUfmXy%un)}XF5k3D0&NLTLklxhfbCTZ)QU*8?}5qBnmyua zt(SK?)s(->@t`K1idRbUKl7pmT<89jr2a_*Zy+7`3IkmRE{2(>r`ls=4$0Xjmg$Fp zth$bG=C8~rZRBnhe(M$N_U46u@O><)hd|KX?izM;Ki~)6b+CHgM*EyFUCbu<_!C0A zqZF+^JFrwVrQ*<~>(idP^;bp|bQviNKQPyXt4#yi5sn84opwfw~n2~lq#a-O^ z3_PviuQRmyoOUwIR8rFv8INnf9tY}>5%Qz1eoLLtvZRrc6ev1+qxCXX*tWw)(o5#Y zvnk6#+TyGg7TJVTxPJY|*C3^K1+XgUOvg;lfAp0~{cLY$^68aqh+b?LA2A#%LCbTqNjaV)^<EA7YW;h(Cp!-&b39MFaxbN(Y1+ zJpz|~&^?cuM$lNpp%sLuch|VY&Q2%634% z0=#6YkOcES3|G?M%&WP;nyE~!K3vt`NHD|s%#c}Dv=CZQVt3Lh9If>zjys`CF`#6= zuZS|Qg4wJ=1QWuU_3RIQW+dHm5zjPnsGUd)vIrbA`fqVVw-88zP3hzj;)Z=*#&Vu$)G#2NtfUm)?ik&2WwiY=0 zkUsqu0i|OKObw!Un4hT!5@@VcN5F?atTImWJcNWuNJSW)IBO99ZXtv!7Jt!5WO%p( zOBl`4R1sFmLE;n)CHzbqs#7la_qxX;hAEaYJx=Kuncs6Uy3t&ljEC&QRJ0sS1Zq5a zbXBn=Gz5}q@>jhp;H&4LZz zZO-v0)%p^^G3SpTIW6MqZ-~lM^VOw>4GGT$?GtNlCQjTe?W#HA!){iL8*ZL!zMBAM zh&{p54ns1vqG*<@?8ge1pIK&Y?80pDj@Y1D_(%eJGm064NojyO%4%mxP|nEUyj3YQ z`=tDp(-@ELbIr%h9zPPbX(EAiIinc%%ulH?7h{mags)}CRnC)ep0#U()GPY%%(8S| zRScj(bqd2bFa^93(Nm!UB_%0B`3mH0rH;*k?v!~HhYHxCj`2ANS9X&WDd+of8qD(- zZWc5SFD|V_Ds6iT18QFAXG^1zX7z(+9cw`|uuuu_HgrnFvIxhqb1)R*<{~cC`eTVo zsBEKwNsoRron{Sq*KHMp%DHdF{04(nVXHOu?_>%TJKM0j3QEq6s0^yoMAM}o^R4&zYD&;yG~ zY?`N~#LZTXb3^wJ=~-%e<2->hes@uMNOs#hfEOBnr}Y$r$_@NAkNWBX<_vujsr*jR z%dyI&d(f>wN40r=DYKs+v(dFS9h#hK6Nu4o-E z0mE~To7NJG4OT|XkQgAO(=V@u9yuwS{ZVXzcL*h*vIj@Hbgn8Xsogi}NTt3oA z_1-1lpp+ePYjkt(`Wrx-p@}q6-o8m;x?21 zLcx*QHdSG3AVh;MUd!zD2zQ*iDJy)7ih8WKj5>-kIDMZdP>rvuor&{p*CC3*yO+5? z)~^l7N~9Y~jkcse4Bp-RKzgSBW4GYdQoO}tQ4OVB^qf-%)KRZQ_Em-*4`EdF^MDsG z4`YBxkZ_ZH=5|oNOKQqv)o!JnKXQr&)$dsc*T>=3VfaQmB}s)mrtN=eK|G3>vOh#2 zPhIWfdd+B%b@<8^nYJlH+X$%!jpRImNka)P2MgvUIL++Xun9-LSgm&8c2bwrZclAr zHvW{S_zwy5UhA$}{N>rvQg@M_6zpsXLMj9{Cg;d48bObT>hH;>$n z`66>XXp;9FSd~&r|JA#}qz}48woQF;>?RG<6A zxLA!wpdB{)NtT=KIz2m+^qattmkVXlF2*DM87apg&LORrWHuFZh>w~_MYoF5tR)knJrBr;7}vw$L(lmwYnq4TGyL8-u`?*J>d9bK@9JycZ!R&4Ml~m zItqjf-Gt$nu62taWU>GFY2md54i^O-B&OxOBC~0c2-+g=oMR)YyGD@Kj8ogb%vPmU zb}bA#fa#aIKh==gnMI|UyN`z?P$Cr`&{a}TfZLs?8`(7@2c5v=cLREB@q)fJ2JBqb zEtz@f*R1-=PiL_#6QM?{zs91@9dX38sX?k+bYb(i3Pqn=fJmitPYkA*fbksM>SoK( zI@j61@V=tPT_4_31YP(EpP)QXmyq9oZWjub%C2-$Zdl|Yu@9?{ql%32N*Sm8J0A#W zT}y#%paRV0uED0@>`?r06S5Kt=P9LB4(u$wx-&gO&Rb5C89ER2y7vs<6OWQ`L7z_K z!bTzG#VBAND7Pq?A7m*XBl5ARlds>;i>_-Y|L3XaGju<1Vvcp&oNt0W|6MGsP79vl z(SWnLZ;|=@c@6dei;^v;d8F>cLch$oI#VBSpR7VKFA1|s;#9jnOYhn4w)n%X^sdKk z^Z0YY-t-5)Iz1uZej4Yx^W=41>UV!(WBKQ(0a=3P1BM4pzzhZ!ZX#Mylni#<1GRAx zNny%kXZ2AhN4v-4nJHN0R6XNn~O zaUP&B!!xW8k^_ZH6S99wV)gVV`S_M4bJ6muS^a1Icz=u$Zf9#n1U4;xHJ|u|TZ^(r zlrcMtwMbz@JaY+e*6`@K!COuuZBFB$<}2p?Yn@`OhMxbF9qvX$vUpyM`pjSo{wp=x z1k&^4_^4t}mYL$^xP07479-b3?;JP#h=4;Bs2drhYK9jj1@Z~cZh*654LF;v#R$tk z|Lfz1)qXcB{=AVB@v+UDt`y%rz8?+9FsKejIHZ&pznLS7glcFIo-NYP;r-y#0`G_r7f8OU1>Wmrhy_WD|x6$Df5*(L< z-$c!f^r$mwfi-WxWZsQ|WT-^{6P-DGMTtw=-|IXoctoMp7aYHs>Cu)()W*@LY`2Q| zD5zb(xaOt#RT|YWL`tZgy95P->>~+)4=p!qKXWGDyaDW;#G@~twyXwM)WLpX1Iz_Ful9n^_&q6U?P(YT4#FscP0_6~ae zoLoa2?|14xE}bnjUmLmVF)=Sx)l=VTo%R2+O-lfS2Ej1`@4wvJHn`VkMJdB5C5J#h zb_(vaw$8_(rst65P3ph%|8ip6;Qj;t$fiFdGw^P_bN?Fee{vF!o5a9e{Noi)YBKQ8 zzxki60a!>U|3CiWAk}{m62KV?ZSyZB;dTy8-|XzrH3|M7u5^U!;2-e2Iat34jMMit zbuvaHRX)4gzD1wt0(Ilr*%#%k$M|=X4cyJ{K42n$`Gz177<(8KM(pxX%WV~~XNw5p z^Syk`gawoTf3P4Hukxsqw81jRAb-`54-es81dPSXQ&3ph1{bAB{e6Mj+?Jd3Q{to< zP{J1d9|n0sP=Rxm>}XJ|o|=6j-0j@#dr{$&e|yIxyc8MtpC@w%^(sta@8izsfpPl_ z&=Oc%D<^adoaQ#}s)0%^QAWdSsU-UHW=x`1(Vu zRK*g&ADXYG>5uk5yMV9AA3eXA%H0x?{V3{ zaSl{tiOE)5E)KPUvzQ2Y41KyHOVp^() z1ocT?gQoO{C<1q$@^MaBQ)+h(#&{arn7;#M?S;YH5D?ur4kWpdCb5Hd`33LmzPN4b z+@?k^^%ggu?O|ZgHyrMBc^%jHSJJ+df&TZ#lNk~rh2{01&3`;abu%zbT>B=&4-g+U zH9v;2K(Ryxu~kPERTjJ{JEU+v@#P1qu0J*U2T~A*@DPTqCk!Lf$9v?%BKiOf7)_9E zFHBNls(Ikho>PCl-nY%YOa+aN z;CCG)Mp#!J-?>^6=zg}O>=qq51Lk6RvH@~U9pkhDB2yhbz>=?Tns(h#Td8IA51?F( z(s%tzA?qKLu%pzZSjVw8)1~9 z4&>^n|H)Z_HVE8lGIq2=Zho)@V_8?xk44Xg`mH~Jz4C2r%ZRJ^wIU7JJ-7vVIwjQK zhS~DF)bpx@LSz3(2Ff%{;}QquZ!E73aOVPpC30IhJ!su?5HNW@85L~;atE-H?l7fA zL|XF*+tHuG(k8N5-*?QC_vl-CbKMr;IFF&eM-ELlVAW#dL8{aJ->#OaMUP9VUKCa; zeG`IMf1~(m*T|bmFL>y?cM;?T_6fy*2HJk`3N3t_2MvzOor9uYm2u|sW_Xa5o){6Q zT_ccHn3ixXU*-yA-T)KFh&iTbTXb0(o|3MwI?(6*Rc>UfX~ZCtY8(v?bgn|kSZdx% zqk-{u*>U}Rg&VOh^@RPf=3rJ;^^@fc{CMj!xK^xa+X0lVg_@q)3VWi#gF)YS^V(0-lQq(^FiyQpc zmIO<$=|zD7WzKVvSQG7mkCEi`)>R594P+V6G}hD!# zuVc{C=|KK*5`yzEN`M5ZH(~!`Hep!SciFTBd9trzo!cE*9tKSWJy@YoE0^Jr5be0Q z{oZq688&rPZ-8?Lqds4gCZz-f9G19zRWzxEU+} z!j+T$XT)U-fof@~KVHqKWFda^lwq!bCh6XGUEoW}!YEcQEI~zIQ)&gqdk&A94(3K( zBWX0AS528_DGX+1#WQwh-IFuY0GfKS=)`tUi+uC7((@-)QHHcs-y1(h{#nu2;N=m@ zR4#SdTH-Afq|}WzDuXy?^-cj(4Ib-ZAp%(beJ3q-$DxQA`Ck>8M6VKhb;6m3WeSwo zDu>{?fk}*Z*L|7#5#u?Bb3<)CpC{Rez$BT_`yX2-m7Ma_@~ae%@s7}y-Grp+=E=z= zfmZeIxIsZ;-=l9#c^yk#Cc5im74+=85`*}ws0}7ZcZa1EN(Gj=@~RK9Ji{OV?}=ag zAmaHpyJ3@`?R6|)L@KCn&0ett0V3`nL)!mxu$_v9TDff%ZNyf`Gtswa^qU04$$p_1 zn0YFlAhx?zk@dVe2|izPTxnpKq8}R=X3Yh3)AX`7cFjEcmT6TNH5Vx+8?8h0zPIq) zVLU2f^aBqm((i^}wl5JFcCuvs;qw$d!p0jGJy&62GTtSaW3qhFlAqnAesF$+)Kscc zEXx);YDwyaS~W;C^Yb?gzpdoFKC&p4058JYlSw}H4aq~Kl7d%Qz|SD;iofsnOOmm0 zr2lU;RfpHKR*XtYFRhAax6?Il5@ZvspGRyB_lNCGN=vn)u^GGo$7J!}WYGWLX1vL| zo9PaQ4?4dF<_$)FB2l1F75|2m2+Mj7ys#?OFr?pHOFVn$Vgg>6kfpWjL)lY?f8Ypp zZtwM*?H#>L=!{o)r9v91>0%<2n!>96NWnb_pPMuE?zwh>0G}%bd7Kn@6kn{5cr1J( zN-k|?e!4qGn`gg}aO|LhiF7l|2hPXl-8^s$&I$T)b$GtY`C{&V<-IIH9VM-bDc!mW zpn08q^s7$ILxergLo-s*0hjqe5 z`5Mj5t-#r%%u@G@_B17%Vgxne6gz)x51lT50RsL<+%x9-0SNq$!6cnwSs7by|0+z{ z5NhFP5T3%O-3;TG|fD+7VCnp_X!)cD;iv%t{J{}rde4X3K^oob2S z=;M@Z`7_{xIZSgxIZA{nf%Bcpdx8gmv6;4F_&@ry5%44zUb#)$AHDJmJ8%mzZ?J`k z@3v5NJo;PZTxVhpo3BBcBACUve~L@<5f_)fl@ox0#8m^;7^Ac~o>;C@JQ& zQ^;q{sOC&%&1PG!BO5w1w1jt;J8*OUx8qVBo;Su$KBb0p{a`C7=a-m~e9>{`Opw|M zH6sT#@={)Pr$Q>t)in*C=bT;%<(zV7e?yfC&r=C$^|(2CI*o5;C2)64NIAi#jg;QZ z(>Bb|?kGN#)4&WphJ)7h)Uvo_Y~WkavzL+Cr5eKeCi|#k8f1#2e>k5q9nBieSxAJa z-~GfZlmBzYB9a)&W2J4Xf&>$?eu?=h7aphkH1t`NC5d>PPXd}b7P1S?sV%5v&b9Kh z+OmRM6b5qeP&KzvD3*l%jeX*Nhn4|a#<2rPfM||2qM)~xhu-$j0#*0GoU>6 z>iMPSWO!pw$`ieg0S&t~5Oe`rqOB;a{Y@$_#iQX3MB-|N6rBu|n zz{}%&SXUAc-xw2-?ks{&jR+G};AF(Dj7+4v#5Q)T&W}xqe8sqGg8t3y?GwJ^9Z>ct;i! z7Qd=hpwv@!lusfc7{}1VqR{&83@;`7qUs4vLA6h*G_)kP3MezVj40n!V~M)ugDgH7 zemHp~iAK4q-w?6{dQ!uFs#-`FjA2#(n0!!MO#um)YnuKnRBbltGj&l+7Nqx;;)`}c zq=PC(W`Q}$K@V;_-+A}mO+Ga_IUCQ!3DwY=jcN}C3U91Re5Da{I9JNfw~*E@kIJfK zsMRi(a&*qeCZ@U9z;ebe=q$BuWfC;L<1yLoaW!z5r<_q1$Ep{}Dy@-e+GX^(I#ZXQ zu$2b_cD|eEzx{wfviTS(P~PSAyhbX?5&F5FC8kEIXrdG`w~x(A-0^(o8YCYiL?4Qb zpO;JrW_`Z*2Rjm%t{7L4rA`N7p#tWq>YLWXomLWe<08>9E~Evex<{jU0cO}i=W`?6@gtOW%1!aMN0GuQEzZ~@4Egi>H}ho z*tg{k#24bIaneqeK4WTGK_=PpV-``>J5j1c!7Eyuo=W1+v*FP@ZK|=m7+iF@V--^5 zIVT$28a{I4d~oB@wO+wkarx3%;w-rti{Xqbn@bKIW{_vd&OAMzn$BS@aa~w2@Of39 zWK31v1a3D^U( zsZva-0JpuytiCEWy_)f@vekK_I6cc8lkV8|@S|N-NxPt%lhyhcy{obVd zscFU4R+s&dXtsu{WF}eQ<|!rZCHtnvx*&0`0553nQ|njC#=PpbE@jq;Cluxbu+E+Y+(FiV!Rb4 zoIk71`oE0*q!h9DsEGV0o!z>)+wf?>p#L{uBWtK)PpPda^}T`Av1Y?InE{`QdY~G# z1!Fy;N6h8_xl=SiuY;6fLl~=`hgXd`iI%7T-37P6P43aU@MS+i$QU(AM~TT}KOpgd?|-i7u5yoiBh6DSCGWo7~H z^w)a!D! zoATMvYE+c&P7MDC{;4L|@dfT_E*ieuybqvWQ^>_tXkC-%^k%2mF>S~PYEobr^1tBA z|IS$deSL(-GLYpfZ65*re_AsD{#=+B05A}ML;jyg$X`w0jXTXhc}H1PEF7Z`oD#q8 z{cl+Ti2L286?GIXHybj-J~zKl^--I^6osu*@#B}DeVwM@A3Xf27FZs|J9z}IzuDmj zPEd}2tmuECoT;VIyD=7=jW?`qyTCyIyEUHLO={l1eg@EC$xrF^Y zuw)sS+`5B>fQh_qW;tMjWc#2<_co;Y)GTV({HA58zv-TZ(;O*jid>jo$@0CIn7g7c zU~L$y;?mVRZJo!|Q+SUhDj%$MytDs^_c2s)^=-66W{(wijHdSkEZ1w*f<0w5*NmOL zBRkU;B*f4)PvN$3Pctpq&ULbzE`vE2Ifk#p+tBxW4AN*)Ycn`DyG?K(^ph?VdEegG z-jjvgf$5MCwEPS~4+8ljS{;flJ)t4mRFc2{{m@TdtDVK0%&3KaaeUBGC(&!P1h*lmur`2t zosrF%(Or!bh{SYG!DXpIF8EtnfSBG!a&2YNDpBd9M$PpDyj$E|WS(zLz~!_MOygNUsVjbR0O!NET6ef{ok3Kq%|f$McMUh;Y$x&>MD@xu?! z&L0kNc<@psUZW(IysF%W*Hm~n^S9B(Y))9&e+WUoNm`J&VFLvkl!HCZ<=2Bl;H@bl zB|PaJ`+oYQnx9SZ?fWi3jD{j)G3WLE{i>bEe>J-1fsz^xssG_ zX;1%nntm&NJw8mvDqrI<$Y9uf9PWd-f*%^M9vn#M>s$)BciBAURX+X9_wCGSv`*k+ zkJN5+{sW-qRdQR}HxUTAvEfF?Zw@yKDsAbP*HQNj@H3G>@vYyt3Fq1G;BwShXNj8Y zB5$!K3YZ2qL;iR}3H}~_ABGRe@o{Ax)bb>1tbCo$eyYf^NF5i?(Pe`wJ}nWqJml1@ z2F+ZWruP!$3(FRUa1mpiUtF~L+!+)DTqq-L0jkty(T=u1*!<$ao+Wp>4=TY;?QXq2 z4+;Iwytw%y#4{OuGQS^z4ax?=oK1Veo~4)zrKPbok2+JrRI8gh<-Rt)RlzXG{|E&G z@A6Pn9m18RKX>RAnE^Crd4_F?uS4d)?B?@COB2%d5TT8?_4HY;rP*jNr4}Sc zjlNnwit!#=U>#{x_2b3tGa4N-9rLlS2-xPPa~k!^Bdu?5$dNzhnEGB1T~uP09PG`b z)6()|%4r+os8_AmS4Dr>f3Nl)^u0y77}?@>JfCX9&wC!LH$V`-W_m<1<#EwJ+>pVK z598{2zJIGxMo{f#7_sRPbth>LYfF$gDib}z)$=Yoo0^yKiRq<~PtD@F1F)@fjIZ9b zcZz03=Dh;fG1BXIuJs!}6pOkIRf16y%9?f29rTuE1fcbNzB=~1UFLOv>L&DxS8?@x zQK+?crf}pf$hX-{7^dnW?m3xPY_Ps3&G;#)rO7NOw+r<^h!;mZ9G&3Gd(7fGv`->8 zsKcvNE*}P_=yu`B^YEt16-Dz9GOEw=JQUwJ=2&Wfww$=;ZD7t-58T)Il}}^A?3!lIB9M) zjur_v_*N*^6Fn!FU9vjOCw>VTm81WB0ba*!PZ>ouB2dMW>UI|G+v3F};uRpOs`^DT z!)?P^*VbQJ9^9P6*r-QC=94m@x8F~b*J2uGjR#S(N;Dg+Bvj4O%y!}(j09?qE-u;> z7uhXI*X>apeu_TMLVkr%{`~I|3GjMLlX&kujXo^DluSV@s*$jKeJ`o;Zj(<(iK2{2 zhQV_I0vGvG%u-B9EuM_W+@{JSD7gv8M@wMu3(%W~fcwe9Da0q>oeoEKQq^DhH(hzL zN7czc&t;2dUpjE6S}X5z7XYA=KosGlS ze=Sp7A(H&tTDdTp)nQfDqTtR=_JK`rwDGj(R5c2Zv>Fe>v5in7r3&C3O&#xw(88I} zVte=I66q=`g+bA}V~zQs*F`3Za=WRYiVkQ`fqS7A!so5TH9SUf!7{b>ALJc8wHh#As5k-`n+UGZli~M$b&c_1u}AXJ5?!Pm`>9I=y;6cIy`+Uiuws3o=9fIQ zJZABa+S;V+KpF0_h%k)XZ zrOmzyqZ$b3-c}aLxym;;1)ShJmoPnTgxvyR+`E5&^C8IhTvHmt^;B-|#6Nmd`3+-% z7>#Z#uV?WDt$|_g_s`CePV*ODmOMg*z~ix zb?udaKP&L_590Im<*`aqmb=?*LgU(c55^X_sm7j9>Q6<4hnHOt<&)Bh5WGSjQ{H)J z<}1DM#GOgKD#<1y>2gKl@UtTQ%~$n)NA!t#HGBf2_?Sq6;ryTkJhdP9K86Jpw{pJX zv4j&W2K(H3=EbohV)pc}H`xvmY&ch^ettfxT-)b0bxQJNfZ~a9XuoDI`cY{V9vlmhR$aa8tE?RXnc}R` z%Cy1y(L>W;ML$5k@D~NhzA~A5%W9R7Obt;rtUbYiBdM)?9BV*)+fw7>C!pwO8^ysKs z_R3f}B}ytS${n2-Z>S>c;Mp_om5d_e^dfAEw`?dSSo{RTvYP}V*iSpYW5u=PC?8RU zs4Li%7ZK?~Y_>|9_8xSJK)ARg zUU;;+j^cyJIPS!y-~Lxz3bHLsIJ!3AXCM$!S}t1AiOezh8rg6&FD3i?O`=~$Ju7j& zwB?XmaW75YKpHQY8y3&ivx^Q#WiB8v1l`JAy!|fhZpVT{3;KpkS9^y1_0;|v7Z5SY zD*MS|r<2~Y8-ALSs<`=_4g1PFmJ@q7xxX#Rr^FkB4KAmv7(kRGr zQ1YM13OhFGDRF(t$DYdXmxY>}n3URcu-C3l7qlx|qZz^>^>1(UgUpKT>EA(gru8e# z_DTa3C_tBT`A|kW_y>$g8|j;I*C0#>AX}Y5G0f7ye(rkGUm1>l1*=z*_btpQzJK6% z4hObM5w|Q3TVDXn-z&?s0++N$;Ds!B^%`tJjCG7pOk~sYXFWMh!N-x9KSqX?Wj_%( z4O@)%)zu-zAv6yT>9>}C1ZWpV1|Ks&0ev5M3vkPPz(6dt$9>MV$rIH6DY72q+j-}} zEyltDA#aDTP@U%cdG_W?t!3?F$%&HnO?2Y6csz_6rL?Z-Va_xsNnn!C$yofWxO<;- zZ~DiCI0>f&NIU=N7pG8}OG;hysY2)}^F@rKB{kI9;@QsO0k} ztd_~7*2S4p>l`1FX``Dt_;f2nS#iZ)qvD(V84n@>G@ovw7FyNINYfn(l zFYRjXd?z_UC#65ZY>(hbCgvv7slqDE3meUC*}D{n~gh68PwmT_GjZtXlFDW z8}UdomwfXS2l?hEYC*1nGU$yLhTVq1^^OceV93TVXL?(gvE6?^V@XCZO*yS;PHh;`ln6c})XTkSp5K9&`>XRarU?V3I4V2u)Y;!ZUS z#0iy&#HRg_~lI$rDGxbCIku@uj< zSva*y$1t)oM<&cs`^z6%IvGBxPDK1ekbx=fu*?E{d7D=5@og^*2<=gU+6El?cQiMdPg3C>!DkIBQx%Zjo`^wVx68Pz$s5q_`67ZO$%hBtppA*Cd~)#vb`Mj1^MERt0837 zpQ^HDF2(~lJWbA3P34)Hc%Cw=1S)8MFNmMG)v3^_9HUpkC9^wZejit31x~D5u~wP4 z_jEkEnfzlh*5r1a>gtT;Z&d34bbZnC41KR+3B8qdd+L|8{nlerIi^?Dp2rn5bOl^ta>!^|qh^LUO&@d|%^$Z_3%AGg@-!lI{{7> z__E7^x))WIT_e9wm8kmkmsyZ$zE^Ic#6k&D`C7{u_0k-^UBcNGU2_r<$}V`RT(Zm) zgbMow1^JrHD8VKuGP5_`hYH)wx#Z@9OJkBc8rjP?qeF>0p7g0%jpzlrxS*T;ouLhh z(21?7KM#MabNw+Mj!8I$=WA>EKjoU!%zR{IxYHLW5JHIq5GoxHM)j*R7DVyz>_%pDu6b_5F4mOxy z;MDD#Ww8LL!!LS3(yJ4RNCg~%6oHrKI4pWa-QJFRC>DwpQM;!TkUyq8*#f%beq}C| z1FvuMfcc>C22BXC3d4J(`%L5;k~W$|P0(qT0ddR% zKSe8K)f67$J#h(O2n_9n+G^I zct5<(^HO#AnSGP7-!+wyb>g)MyMx)MC*~lK0VN?d2bJ}1J>&kTauf9 zxfYC5!zM?gE$>4SiPt6mR3N0nZ23Zuq|tw}1em|Tj0pT)~K9o(G>F7V##P+#5_h7XOB0Q6IT5RV~df(5Q_>`jlj{#mAhZ;;u zUgFi2^(MY(mtg=ExfQ9AcDAzhof+~9dZk<_#0ZtTJ3GfUygYDp68;XR3dZI>+kRlM zuL;1Rr&*z*d@PSY9Y}v;hgBE-z~}-NUN@)7L)P^_D9iiE)^KlIYC>3=WYS;c;~onK zT)%q=SRL8jaH(VDtAr#Gk+eWUT5maJ?B;<2>qCQ#x&3^u4#0u)kin%GwanbHp>skU zU76$^8zxyQ!)`|t08S<(vz?`P6}(hzCu=*)c`0-3)Z(psNs@*rXyMtEPuA-l8kTI* zar`8EsJOj?KSd8wOt6O5xqsbxxaBOv^kz(pf3qi7?f0F_(g7|j>8mbB-C`x+$c!A} zMfgx5T|Awgq>w#9meoJ1jM7s4hwur0}5JK>mw<2`qJ8$7)AI1%Z`KGUMv>9&t+Xh?ri5F3r) ztbPGD8Kf891NnLb1!LIbI))vG@+BQfO0jIdbGlo7Ht*MCS*h%trCoM6ROE z`=0vw>=p|jZbjRS9+Eb|-{zYnTf=FBxYYh*sAP9x(?X3FJEMCgh zSY8A-k=ii;M2N>m)uPYqa+dI)_d7mYF~E!B5D&uYIstB;n&EvEb&$Lw*`0hmBAH!J z)OsZAVB2E?z>#VhwAogd9$31Jq4XT@(!5dL3*%c32H z^V1s^TNLM)l&-a3BMpfg(&ufE-m_dWFY@uPbE#wjC7a?Fbv~~3QdidFfwC-P& z@&w=9C@viWV1gcBtgBp)=Jl0brIRhk4)hfH;8?V1GH_3QZ!(X5B6*IkGT@~~rP;Fg z#KqWXWFLd7xX#}bASpj$@wmUYT8yfcQD77k4^$xnq?bwwpB#iA9Z3v4e?_8S8A_MX zpwyZeTQFenh>7l@dTj>jlo+q2gI|jGC02P0a}92}wmGM!so)Zq6Nmre#L;S;-%NFI zWcS`oTAh#VM|&ot!+Od1@?;S1_`itRYqDNCFoG_HtDw?7Dqgn5`RaSCuI^2LCjOQ2 z+?@ax?Q*$0X2~bgG_HBvBZ?KZ>sMKvo(E=y54whs zi4cEdDFGh^d9G(t;CH6y-$9VK=wo!!rPbEIAO4cVJL~MU#cQ1`Y@`TzfA1%NZigUar#OvH$ z`dxeH1=F}V?{diebPq7Q>p_!3GZ6YMzg2lB;Ejwp8cHpo!;%Xan|jO$K^2dIB(jb% zCClxb<5;9V`zZ-UH^%@sz?>@sZp~%=2op#3y)ZOHKYFiLH1UbO>SG0g2uN6 z+9p&-&(AWp`y3u7q37+ePiXsyOXYxFh;^y5n4k)7AbVt65)AQPX}OI49e5!X7aVus zTB-seC;PXQqksbQ9;mSsSZ}A!OA@u)H>!5>I2x?FH@0GS9Ohk{&->tA3;MTsS09)g zxPLlk1%vH3T+SFQS7to?J?x6dZ4z;CEz|!qXK<*kv53&+_eV|8_cA=7jeslP(!;~f zZc~uh%hFSxGLjrU9%;*yKXCTU47otjuwcb0{zIl=ASHAO<@zQ0$Zvu@J2oxVlhKb$ zj!wZ`yl*1lv8l89xZKYLtMpIH@2>1oA5?^nMW^3di7(OHiEVr}XeZ9Adxhc{%%C;G z(|U3d51=ykC~iM7TJ}@*_I!vhJW~QPsiZj|EJhVz8#|U`1YUnuKJuH-IPCdDQpQp8 z6C7P_e{kp*6Ug&$K5hUmn|x{_d~M^Wsm0-PQs{&zz&}D1xOU9}>5bLS>rRlb z1JJ)P*&0oNG8~UH?-N;%*H4ur<0W9*xU`Hjuev0Of%C?9!B7+COd5Z`mo6HX(d(J) zIQqItP`yx>$ZPs|oV4Y2@Av#0O0$>?+;W%Q)q@K(>rKZOosy|_+l(O+KbjQGz3zUq zm*;P&DOS*CMrQ8-*RPr3eZKdOwLxY|`3`Ge!JUA!sUT;$?P{U{95JW1$A=wroV(AA z{m1x5>4~$8%UnN?Cyj~%l)^`}JSHE0n=F^ZH&6)KhWi&jm?xZ0#m^}a0vcE!U$y+~ zDzu1_%<9tV8=339A zKS8RMUP4p21j{4htIM3Ke+wpUyY+Xub`27c1;*UTX<5R&p$StHuEuhU3Y`bdtTN$h zk_XoxVyUm?{JE3s6Pm{`|4I;zta-2!?tg29$oaY)X zxI`)rDLrGGF}+$72{-}d zlL=R=hq~S{Y{hA?ukqzNJH2g(vhr)= zG%=r45BY#@-y?v)&jFL^`TBq}!;9*1{gcRMrJIS%MXxlgbqx5&Xd z*Iz=$PAtIQl%5Ibu#NuD^V&9dWobIFHl)c{XX@EvTB1s_XbO|gstoO;wpr;!V*@gW zG!n)V6J{VCsCA4S-yixt0Uxw|$0%#gQ#!>Pr(RIp>-FtIwS-fY#$>b9{9xAHTZSd# z3(&6WR=o$}??^?^Qytj9OTf>6kvO$dDJ2`qnbX-;D8T~n;ic*w>agJw>z!p+pUJX5 zT4q-UffAE}&f;?Bt8?X;a}}bsd6q>d5a``!Mi_dGoTgtF$U6p4l<+iF^-)zsHS!&W z!czTAn(K|u<&+5G4|8^UlYD6p(@R;5|<-4yrm9iftC5D!?GwiYwh{t*q|Nfh97b0z!Z2g*mwq}Sry2=`XG73cp zw;puo-^vxmP-J*gZr&pvO>c^PUM_m7o^Z8%25%Os`u0OhG;j*ekXq}Ew3=Dk86L=V46_Q|G z;o}*a=7QVt)zTiQ(+xy3k)M*-8O`4FR4yil$rXWo{c_bI&7KKUkyrTH{q|RrK!Y^~ zE8XG?!qHiA(L}mdF)eh)^i9!$!zy$R?)A23-vtRPAg}H}RSJ!;Tm?mOU+r{E! z?3_#rO4~S;GZnis!RxQ(amKj+W>wVu;>VKTwZ}jHNM;yb%LM1AtoB4=TAXnn$P!oe z2<-Uh@3Vv!{866+qU&{@K7`=SJFE5ssRl8_X6{-&wccHx=Q@>{cHv{iGmlTy!s+WYLhW9|2GJb!1qGZfKGtuBW&{Z>#zZxT2$$h#Vc+dG}RFpF4 zdtXwIHcF9NLPEnGZ+Tqbn|3c_DMt5`7GnIp8g)4gF4V6iG1?Dg?J_jNj+nCLTl%9L zrbIPUX6`EV5w-KgX>oqppiy1ta-j`kHcgY;9w5xTxMoPbjwSVoPQ4El4b^%TW;>QgD0F^!X@Bcay*(2hFfmruyawxEy@BOfo z6+K)nl)(%#@Xk9Tyu+RZztBgk?-AX}=44${uo1vQD6sKAGUsRNw(u)S-X>4q-fWgv zRn5_MBOm&$$3)+hZHu#Dig=mTr5l?Sgg$jSf0ZXBNX+&(Gj`xt9311wO0_7b+O<ⅆ3y;Gl|o5TVMzv<** zWbi$^^aZV^*C1aE(?5hXXO^#iZUfAO^>|>sbn{|;V7oGV<9Htpv`mktfIELW?T*Q2 zfoFX6{cC_FcR2x2N0R;Xtp3yk3(WI_ZJ(gd#;+k)hy&6jTYnK2(2K`+kD)|dU}r_^ zPRQhfK(7Gfxf2A}e=7{ImhZy%?4Fi<1SH;@S*PD5qePDV4I2cC`G<^f*I)TB*#RG9 z_1`e-Ce$VB!#+kn!aFI6}xL zUthlo(c;z(e2;%P3jZMv;6XTGw~#yG;Qp1-_vC+mr{nL(a;9(XW8jAmKSB|YuK<3K z9d`w3SF|H1dg|07=D36Jl?ocCASvz%dPCo8LI_dMD$yD3%!=|M-Je|gWp zl<}|Me!5_JknZbspN}6@^)(ZEaViA-hh?D-g$SRX=CR>BV$bzXKUopK(0JslCn1v>vH1Fee;FVy6M$K+Bwvq2676bYyOp<|< z2-f2R_iwFM+08nnP*vWfwcdq@L6f1 zXzB{Uqe&~%Hc+T>nC*bUVZ^`K{-w^gRqQWiyq2*`g9Fc%^ZrSc;L?mO`> z^|(eYac(hk^H7(Luu#TF#eA{K#u+J}wOQFX({l)}ArFnf`?W~eeM(Dpy3m=mouz%e zjzP(G?-luF5i+=`jtQ!t(+-#@f0Fsk@9t;*Kl{^wcJpR-wqxncnYFBSBnHTh`qcSw z|M&ZyEUS~VXu>s?yc&5?I3E#vl;oF^$UW!2h=AD4J3T=kz&Lw{)^Ujk?p!%DLkz9x z__i!#@h7(Kp|!$#=K=dP;91F~>0MlPPTtc?Vl8jSjx22hZSikK^r+t?MzofZ=@L9u z!Nii*n{^0rwJS!|U(bOXnXT2fvb0OsL8kW*Thc${aQcbWZsP;*?8*WkpqkXre(gDD z+c^TP{_^2kvNg_Rd^+!>ChHCQLPbSYu3A%V(ky z-pMs$(zE_jL8UlGP*K(it~wBy<$PU!yP13wH|&^fs6z@KkI>ckys7@?p}p?5SC(BX zZ!AB!3rwE&c|WL|1j%BeN8&2*$XR7afV1qpREKQg{EmWH(BAv=2Osh7>h;6RdtMJ) z+)fL=X>t}EOJ_ndxdU5({=T%e?*H}uFka=%p{Rn)zi=NPmJ9!$OE3~^bmV|XO zmx-jj^U?tzOlHe`^y3v(?=cVu6au;)C`SfgowgkyFCuAS8ArAXF>q1NJb+U)kR@Lz zy+m2|u_?E`cc(p(cEH*RUMUrq_LTAM`t8!KSC>&vhMcpG(yK5!WfxPcMmh$O(6wGn z4W|SDH-TTbL1AbhLdQE7et1o35&q$~h>oG9YI5G8PNF4u&9v}dg z#gI?$>we;A!42sG0^)L8)le#|pB*mT2zsuL-<6}EC~%=I9Z`81VW~EV{*x@)t*#&1 ze&f{H{hHBBTtjv5{Is6n;DQuo;-DA6$+M2e6BeRt9p5kn457F4tU6N&m(w3AeZ7K; zJA?_G#;lwb_|357HZ@VY_PX_^;j4^*Fk!o?+jZ$WNGIx)<)VVues~iCsh`Z5>`Liu z3Y-}jVk@$yN(BALMF>-LM&O;aXw7UPEMwe@_Aij&@Wqij?u0`0t$WxPWTgUK1TdK_ z$)_pus$NQSmbApUA(rXro$Nf}feK}>`D}-NInr_P06Pb3mEUekA&$YAGIIB!FU%+d zJ@OTL1DIP+v(^#ZfR_qTkFWP#0bz2)nkZyNJA5uKK!7qRY&AJjr{I*5JZ8~q+qUk3 zAZG{96SWE_YzVFz)AvSM8mK9vx!95sJ+@a&HOHEkOK%p+z$w_$O%4u0^^6x9)pjkR zPWd6{ezn$Wj;SBO_4Ro_^4?Y68ZybBSb|l+zw)0`l2*-hsspq2v=w1V4Y61iCDYM+ zrGoF|j-M}*q|z!)#_XySmTIONCoOM*K!XpD6%P{~>Ad7yFO*wYX)(u*BV%_1Z|0lJ zE9J6~2sIIXRhyhA4Ev41Z6d%a*W!4{8YBFoKaa`vjcXEZ!GdvuagI2F4Ky6PqwyS1 z>KUx0LdM`WGa~3}G&>^NGr3~NEyVx)n_P+&GoBn;itVa?cN)H}$#?!vK4N^X2|63^ z(J3H?$&|#p-X}nK)J`EQUS%UU85M)?`pMx~5yf}UK>s6jM`{B|vlH}nerJuQJ(dCj zJOAJnqTotm`vYvBP%3#e^&7pCeiL0Be$O}Jtcv_BEgs`yN(?K7oJ=IQvjU1`%}|D^ zm+DIi^iWUpH!_;8|07}xleepX&bbrE`T3+&tMa&GHeuS#?U!27n01Y41buTqz~D1G zSlALHzK;neoSsXqourF8H^^3hl6#AIJa6+vqT~U74A<%=ynfS}pQ4MCF3_pxdv2{( zTWlwDbDUb+*UTEImRs>FxiOn19^x9_k|H5nHHv$nx2b_ppx8U2s<~bRjuarTU`>(X z*%uI``hD;ou4{dCgE4!4JObo>zb4>7t3Ku_IRFO5nO{$5xRG$`&gG`uo&C=K6J*+Y zwN_tLxFHgYhy1}B^nzt~vR_t+`Nj9Wh*Y$Nk!&}lF36g7?AyK>z}pBX&_`R#4v!rQ zl=Fn_G$uQho13xd^*S?XYN6sf{j=)J9=xT`hdxV83UP#Vc zI+2Y9R%mI?wS;)?8Z`vVGW@7L@z4Fh7P4#DU@>~ey&tmBz;aDVI+#%q_dZy?IM?Q| z<@jCBYlN~Rmh7oc0wg%VIb^!ggwW0DnA_)ma!fyJF<3Sxu+uxqft@XGhtNt02=Fg} z_)h)$LfB_T)^-741lcaSd;S6e7#e!3(GEQ-!kA|jIsLqsVzv-@Xfo7b`E)AvBRIKi zWW}-jaT(IXWbb@|1GjXzR$7``b&DO_`;YZm$7js}phh6~^s6;mW*0{sXXCD#HxrREuByYgcRj$_@ydW~uY zCGB39U$IP8nkAV?+L%$rntJC~Bxy?iI;1Bx%{e_!q&p1#cqKlaRkN+57}i5y(?U6{ zX2xuQ;`><((O;FDV8CK23edOHhdnQSQez-b^q*H%W9QM1`up+fvmS+$HoB2TOX|hC z&~fOp7!EJTkOGm85r}kHW9jaK)2tD|P13JymHeQ5y72o}Y9f>8Bj5Jc(Idb4-;Y{3 zT{ZMH3aCiwOI_#_RsIr;W8eA3?N1u>40YnQ&63cmY}*@DpLhG~$Z~&Y##xoZ{HXE| zkv8-8nsubp1X#WxY zr!%F%#vJ4u_qqluJ&e(NTfSYt&XJA8_^Z+t%x^`hYzdv27f{xEDA1HW0-W12Ngu*e zr@P8kacSiFr7eWXVg#OV6{uUJque7W3$fYN6Nbo{2IDV;4ZoDmmVzlUDu`2an>4Ly zPCX3s*`XVX=;_8{RIU6V?AN~%;F(=-i%;_V$+&Uy>rJN^mp^uo@)?r!)SHe)LU&Vv z&g3=rP8KDmbDnS%+hpg_tQd^*)Za&$sf0r}1)7Y{3RV`!+585UKeb)0E@ZjTb0ya8XF?9zg?67f>(bW=Xa5mdZarcxro)z5wBm6nK*lt?l8 za?W3MWku=(G`f?@39`lIF-|&`y9e4jaZ`jfS4Hg{9)4D9ZUY03@Cy$*FY6{3okNB- z^WmlpANhWiV2>K2;AgysxWhudW!`se-BwIn0p&SA$0+LTx88U@HP=0F-bC;vr^qaOS`hC=5mtPBALY#6>TG0_Bk z-RP$aO70K8lB*J=w4u1q*#=SIsi9~tBG20!X45WZ8F-^x$^r14TRfHHaNByYQz7WD z=I_+=2HuJC-ObTRCLM|eKNi36{oUJ}f02SqEY{A0tv0#S-sw%~#@}475@6bb7>oAe zkS%E1GU~k`!LCo5{FE?Y)LvIzGW=9$vsxDAhnwn93h67t^N*rhx+rM zXJ5BbOkC`O_Bn^}TwCfm8F2j+>!xHJgJZ9XGoi*eWr4K;gPRdK=9Q4vV)rh9({8K` zT+v)KrttK}Jl~xuJ$Jow%W`rmzW=4;xwim044DMM?KQ%{UnBlxAMiizN;DUod zUN0RPkIE&F{MLOe4|6UFa0bl*434l{vO^3wm zHxwkT#Z%5;gn7ji-O%R!xZSLl3T7yjmZh|ZuW$_Rv>LJv^7)!cqjl@`sCCjly`fdh zj@WBrdZO@%J_&((obFC@UK2z_H(mT=;3R^Hr?pBm&vLTU>}rhVlB}{mJG_ZUATj2M3Nx&VoR*K!uc4Y}*0=Z(Yrx5Wmw<=vaPWn|8U zb9pyImgaNGQ$-5&w&AZxJL`h5!NdTh2136E8sWn`O$u>M&k(cIPXym|g}7vQl+R2U z>jHG~eDfaU`Y13~k+y&rq+-M&B8?|_OM9L9I>S;Fd-A0(*i14DxiRI(Ky?s~p2klD z_6j7+l4zdvIi++_QSgA?(wV@j|M=VE;IJq6f3M^vf>r;OY||5?D?qM(ahOLC_3bSG zsSj#R?2YpuH@F0(Yx3S@4Sn(o<;sahC5S02>=_u$e7l-5NS&OoTWvVPk7sz7Ee(+y zs?+>%K$siTCdcegf-y)$hDCKQi<#eO**kf2@Pxx3N}?Jfo22AeUaeM1&i_vyt`_CGMD0fm%rriLA+Q; zP{@)1?-20DPKShnX( zn6((OpDF%apIzPm7G@>iKT+0DM9kJytgs}b`ZF+jMjviVjx!YKxveq8Jy(H><}ObT zJpARx56s|jZ|YeT8}qyL#kn(YATvBW760(}m8t7MST@OsbAJ8aSY$Cvy~8jAU!_4A zeK^65tvRw4L#S+vD(H?C)0t>*cb3kIo29P<9xz#x)HYo07OB2DP)a5W0rLNpjx<@ z|0R=e`xC~M(ae7H;g5p0C(eK017&^(#*J{m9UeNzjmUT*eBd%W`RyzdzY-Nl?%{W*V>J)JXRdP7lqR6ORHC=*x~ESUM3oG3iX}@L&&{i z=}JgF6k5gEq`_{glk{7Gv)b>|O@3~hP{u;ZLki!4o?(e>kITe4q)x)LZAgmV~}4;f+3 z9S(yA|Hy4aw|O!{(9i#RFW*aXBS_A1Mt`nhs|4>`@L zG(ZFVs!}#!#4dD&V&V;XgiU#m(nh`-3Q{dp=j?DOZk*LA6xC; zS`k28!7{MrOrKBgQFBSyDY^F+YRxs5@;ypA`h_Z!lRlleC~^3*tucCtDk*;Kt{PER zUxExKUU%N1M--f}AO9)bys@_}xtlvxb-??2f~G=j0a80Cc>Ug5F0X&Xi#T2hR@*=^n;IpE}Q5Thj-XiJ}R0+ZDEd4 zSOxRPq~u4rjh}_KQJy?QY)1He#8?nHthT&c6PPOBt6->Qo-aR}?rc-*cgqDS2kP}z zQh?o{^eoq7!Umx+w0Q{mdrAhN(=w`<5O;B;tHJ97#i?2i;ee``9>hQ_v;_Ed$(H4?prW^@?i^ROW+U)I=MGkiN zik)Y&AyyVwsOO02Bmr1mg5;s6^f4}pa**SdIOEON{2NzJsLb6u1ifP#sG__?4l?O* zOr@#C8q)IK#%66NYaMG7Xl@y7CTc<^pT!a8^q4HKMQS}8;~8s|Dvj(LS7~+$6wU4p z@||-{c`b*R%_Hg`_NjN1@3@(kB|9juzt-G`ak077u`!xzGVf>3m^ueS*|{9G%$P8G zNPI0@e#Y)NEN3Q~A9EbZoaeC%X0;(69#XisWIK@F*gR4oSjIHPgw_$zv`8*3iW3#O zL>H&7#^T^3w4svr$+F1ijJ6afk*kH0aFX9LUKs58{x-ntEx+zO1p3e>ddbI%QR>Z8F)<&{#HgmneqQ%Z z0UVM-oG!%qA<$y<{_6R5;NAD#s{4~&gO6e~xXV|(VXCS*qiRCwh~{AMpCOkgW{frG zuTv=DM`XtlR=`-`{<>|2gDk}rBLI_|Nm!fj;FEIiW*v~QGPSzkNjWISa>f^GIo2y6 zP~{J=`+r}kcRapSzJe?guUsFoxq6^=J6YSdI57AtPk z@RC&^g`USma7$%x%PIvL{I{@pje@XPQ^#=Jw4R}KYY^s6L(gwzCo_@a$`63U;lyJe z$fg8d15KsR8An{siQ~o>5XW6=`CmD@Nwb!^E!dPjaTqe|M4z<*6wp}^_ZqR=3U zx-!{Q_Dmcw2k(k$?+p9*kKf)bue*?E43JZ zbzr|xBc$e%GY=bh_rg6gelyp;+MNNW8X(>p91dp-elMYMU9D#~L8BBa8&bLS)^hwv zY+)*f9==63eH9-BaEv$E>Z+j)?jF>_I4}B(@Yv<`qD*8TO!&OVm>jqv0r$_%srZ1L z^wGU!#Qmx)_49PFLk*Dt{WF(|{zBLti%&77mV;6#X^FR$DLAFB_@WHR=s1lfiD7pc z9dNEqRm(vbXzL*bRf;D z4e9%IVLuvE2k#q>IENC_qQ=5KD}#R6pM8;H4|h4T7tMMlVa0aD5vk;f{(g?+hM|>% z_%{F!RiGH*#Wb7b>$f)dntcnOA!K;6%q$&Xs*sEeS+>6Sd^hjGlL~CFzd@8nh}R`E zr#h}ZmB5rA!#K*4Sg0_0u@aUR?e4RUV=|t1t56ij3T36#`V^vX@W$unB??;uejJ{h zOz^qw9s1Xt5$QPkD_kt=Ke3o*e&8ec|7d&5u&SG{Z5Rx|Ee9wd%|<}FJ2wr|-6hf? z-J1|Wq(!>ByQE7%=}u|sMru<6K7-eF-^YEwkN@Y}`-#It_|43kHEY(aInQ%6#|s0a z0<(;Zwn7a67E_z)Wfx6@rWJe6pYvYCH-H`y<->oA8_Vpdz5%j~&%6lnJz_;u(bZ#Z zca&c#pI_X?yKaE*j~fqtp_+)!$9CH;DYTHNbZt{39Y2s)SPuw0goXgl{pl%KGk*Z- z{^YWm=s^@`a&TBxc^uGOrjkS=xqI3&pWHr7nsw%>*;?tUg4?xVz>kGw790Td+BtGPCL zP0sHExOZedKhR722q_Ad$Ey}Tb9DD6?%7!GA=40&yNnXC)*S#VYowDpFty(vdnMSj zI-Y*>{s%Lxb)2FwHSSVwpOf&edp^ic1ne}dhR4?LO$MJ96(NcPx`)h8(+mA}HuD*{ z@f>T1N>o}BB%Gro(rz)jp}6vG zpWuXZgJu!if6dMHA%(VG-?pJ+?@N^N`WR3J8)c(c&n*?PBZ%Nn>wE7rMakP|E7pN` zcY_d-r~tMk&#>t@S<|skAQwwd$|C@eDh8bcqd#n5BOmrxiTfg=U=42eGXgU;FzPfocx%QE>obCN&tuSlP$~lq*DLO6nE!k!0VZ&@qmQQ2zgi# z&N%mQ=~RoT4V}9j_}hH&p1hx8afQR+@|+v(r!dolj#!C+g>Og$!lh6MMv7hqEfUkD zoBS1hc6&-P>bK~mC4)B5bD*NIEMh}f(Y7tf9*KV-ON9D1@@Y{o=8ilLOGtL+~Jj{!(&;xtabL- zH8tywL2F~IQhf@o&ZogrR=&zu1T6pFk$_U0>BXDp{Y>ba{aV+wMz0b%7_fLad;kJw zOjrvE333Wx^IrO&!d^Uj5A+3`3W}fa2Jg+HyybLuJT4>vV2pmZbV6)QT)4#$TR%BH z7xkzp=7Jq$+ptUGtu`x~i`n2m+1Ap)1|wIFUSUgaO417hT^o!@N4h{mD_@_!fBiY; z50uFlt$0$*B`UtC|7XNQYvi3nmQladXJWtg+T~!$l@3gbBfb`a`{Vx zhZ`C88Mik;*)#Dy1N*t_&Q!5nJFoA><~M2%bJjoCa@zTI^$bl3VkRvAlnDL-wOE_g zfW7%)%``k}WS`Yh+!;p3q}h|1iaB@$uJGM`L(ffYM#8F1H7L=bJdr}S04sKfshYbL z`wawlLY>{y)<|kL#U9;y96i$is)ywJ@c-S;^NV2td*S?VO`yg@aonBWhKbS#&eZ(? zJfuFGj*A?>!#>vjRpbtsk>&yq4Xp;(v?%ObfpZGdhx%kgYu`%Cx4pu1x@`?Rr=HL zU!Ylcy#yekyC2s7zy2ZobY$9&=@x-#3kLE>udb0Z1^}MUK&a&iKxTtM?Xhr^o*0L- zapn!cbllvDA2HVYSU_j=0%pKnEapGzO=y3BM23TR92z8~6~O%z61@4jv401j`6~dnvXrjDXKFQ3=xPc!fYf8nBiCx;$=$m}`7G6v5Wq(cfG3XwW z)qnbw(kNmp>t4U$Gr*IL!~v;i^liBa<}*t>?a+PPCy~fVkT1G-_#wZ4Mlt=^$v=~fughVVc2E_a7^58Z#v2vOO$WL?5`C(}h3TRFgV~+_A5F&%4#EyD8x`fpZI%+7)2l<8*RqL3h96j36dJXE&^)+(AFL9^}oT2 z*}Itl#&?JC!=^f=Z@C2uS-=F!uU7!)hpsaO|E9lgWLJf(tz+WDqBqE}8btjMb~5;S zTXJttgbz}d7)|&Y!*nd3*t9_V{2_Uy`YAa9;5MRk%#TQv17Pr<{I#nD`k3;q7l4k1 zg*Byj8du=iP<%G9Y8Y@!cb@KXvmuJ*opdK3=1tw79cM&7+ZDKt7+D~`y$6V@mcDjb^`X*;bfHW#5oo9z2Y#8iLv&igR6{-6et-q*uxnLVW; zA9eYyp58Xco$r3LBmXegwh{ntj>{h@U5DKKrO4)$Po+KLD$D3y$Q z{80x8O7@w2)pt^GQo>wklD;=3B0c+jGRb!9O_A4|Xg)~_&a+ITtdyO+Xt62pygnE8 zvG6s49io@oT!2LXpWP^Bdt*QH3kX&Ng^s%uVlE+yyu(|p>JMM0g7s7}Z*4nzcdHT0 z2ElnRMeqakD}eAtP}zYb0AXwj_uJf+2LHo?V+YW=c%CS+%&Y1+@a39$+=e1a@KqPK z!H#-B_pH+54Jzcaggr{sP4laVCJ{Rx;|hsnGY}yG+~r@FFyKpHH)6E*O#_E+9Jten zsSG0+{ZZfqw@{H}Xigp%<7d5iNAIK=Qp8eg>$V@wwG1 z!_(e4fS8yZASo^sI$_NxAa*-4PoRs0Bz5nvUwXWgdApW@rc3qMoE;Rx${3K2@Yo%Bj}m!$xGXM(d4v+Ifri_z$(@du!Iw7*-b26_d28Hkv{ zIrqVamUX|c32c!G(UY_IvY3-C@{pK0w;6U12KDT-O%nn^Z|UDj@UJpXJDD65c|_BS zc89uN&pEgqR0ei4y(%VjTQx9a70%KZL4)`HQ-ggWYq8nIAV33XG+B!*fT7YqwWw*P zd5OVor%0mG3%36JdxP5i-D6^PJ5R_Td#I5`1Z1R#?`U#b@$Omj(K7k~G;(zO@OQzn zkpVbOL{gsdFNI6aBr2DvSIcaAa_1VmnJNj-(4S}fky>Ag_@s9v1=c`f5TY5Fa9;rF{C0{6Z0GV+>mq`Om}6tNyDKh1JhS(CDr zwfb}q_`qBpd0xs_6H67Hcrw|&rNO3?oYvwnLAxdo&!W%s=C-qnAyUN+JY4{S{hzw^ z8TSzjKmPPxK4jRN`{SZa?sq|SAWaKrlFPE$K&2{y!fS>%1lc}R1g3iAe6lG9NJun) zU%;Haq#a9SvDDLmTM~+8TODO2PF4@n1dRKFk>sR908}B7uHdj1qc0>uiDq z@cVzuxd8KlUgY?_0^vF0)vMq97zmSfAOvq$;}8qh@Za}2K!mvk5g>27(FbmPG*lPv zJeH<8b69PiUJmpiLV;#zjk`I(?>+cy(paL0d2@FfI34+e`QNmTq{tdibuEFB${Y@d z5}7}BLPk2n`m0B2H$bnh1|?$O=hrlU<6rs$aP+bai{Yt1rbCx{G=SWjZZkDtc>X=* z2ED$^vRD5e0{$decbtqr=~h#5pd$;x`z7Qi3=KADK2AV7`@#8F>u%#^044bHMck7ZEq_!~QytHVp_ zx5w<&?&iW6a@gn(zmWg$AuyB$g00~QWVxm{LFHf+Om6x>v#lJ^@f$CyyWb=n7ByuB zs?_;cH+vL&57R!ry*O<%5zE_jH=D!9bfvtHv?7ej3DjfseoF+r|E$0w&w}$W!RilX z<}U37N}X5W6cMg=3Yr1q#@a{$GH(doD@058Rwg(-+_~IJ3*8B@)`ncMg&&7o?|6*U zhj0>8M$U*MLrpfM=L-JND{wr#Q;U5FNHXlP+Sg<`;edOLbR%^FxOYk8fSLm&NA>F8 z`urSqTe=491AadFiOX!a-<4yS{M`LV((P~*L+3vSG9H?L&SfHTlVYS^zeWl?BcN}~ zA76v9k>hXsf4VA5<$2CqHo7LTst}ZE0O5e;rvvKKvCgu(Ob<+v*IHDHMcugwf`e5P3xFuMbp}0{s9NkH@OK$&tt@SHoz#A58Udm%w-Q9h46@ zW!9Lw_6JZo@T-0`N(wRgt^E%fNB9%CV8(vMQRp|y9y@wlkkGo@UWbYI_6$int=Y>= zL4GW3SD+%V!eXf!CUt(-8zV3at8na6_!1~C+As6vVm#Cn*602YJN zbbB~78108Z|FU&=4K;l21m{aVTpodN+1x|=@I!xzhrAJ-m+;;R;K0+&aetzJ$E+wo zN_h7Wzy*1jTI0hy9eQfKJ@*bk{+${U31l!)?*CFEE#Qjoj7eMBdbXo@to?B|%D!fA zScRTyj&{=i=2TK;k?_d1x}8Vc$zQu3TIDNgHB@u(6jKLf5*G*!z4Nl)sa1wrGKf%| zJT;E~8ok7+YS+bc!Lr0F*%tMyd+0FhSckDCVehq#2hx|6KeLeM^XV2~e7B~7R8&;Q zU{J(-a2;AVLE}i6tD6>og))1{_y5acunsi~NPo`MQ(M{Va zh;U1sffc-zHt62I8WoaUP;?S(^w`s-uD>}v(NPz$pWVU0p{DVpCik( z+fHK(NDq04M=%~OiMT5@Rrzk-$=R4B!kiKx3>=EI|6P%8Kwf#K#nRTWo z-dnDOj^|gbKA1VhLbul~EWvB}d+qpm?}&xje$3451HWRL7ixP+#i?+0%SeYb)e8zD z^6tzt8B#grIn$OaF>!X>nC}`9Qi@^p94q@E{R*>)tCx=|jc2?D1PlnhiBd&ev0-jn z@%8nRP*=wrt_YZ8HdOO&Mz8N?l+8RdXV`_OPecH_!fn3$LYn@SkXhf>bk#_2h^|6% z@<;!qyfkTE8Zl%RB5>7H_Y)_YWGu>L`oMNwK>xm@lEOTPhLoEQvzTAcy*C6iOs%Nn zE$T~HU+p6Gx0(dcNC0k^gWwg7`@X3R8g`83#zMa8lSCsrvHMH@?L+r3;k}<}ulV?z z7|-V0z~u93E8Z%#qL5Z>AF-Wtzwh)+swg0$u7)p1*k-zJ7sf6gAAb@=)3#keHBANB zn_`7(cbgVY~48o+eG*ms9rW`JJ!@Y3LtG-+8hT~4<< zT!uRf6ZSpb2ay|RXEI#D>tW>@x08S6zTN?-2aRj%O)NRHqtCe+-8`L|j97Pkr`xu^ z`NhaRyQ|B!nz~2ru1mYm&mmN;BeWqKMu4|A@(?9|GUbcSS$2Q0=D_P=KUxc}Xd~11H1@E{ zd3fjdZ^*ra*_pKhNQSgUK%-N~Mk$qb9ie)j@rfEws0H=$Nn-14U%;%C{KnaaD+PB_ z#pg9O6i=edkT3NGYxI+X$D9$VG`mBNz3}2BD!MmZ_`7rA-8i+VhddBJ5K3IfWhO@JLqzA`a$w%blVxF!3g%q=`3Fe|q?LQ%2{U)_5hW%a z!XN6sAJ=nPOp?PAd+OwP@`6i_ij`N`l&+?M=Sw8_g-SK%m(0o%aLKl7c%@Y4IBJ~W z5yRF^?L;l@Lf~N$VXY-u97X6?N`$Pem+4?f+Rw0I@Ow|kf;*U2C~`c8zs5>uI5-os zO6V2_E2ZwX9SXs_r|zQ zE;!SRx!Yl~yn0$Ajmm0BF&g@@LEqCamGhT$=B-nTxe!IOQGa@d19dLT*!GlF=PZih z4X8rvoRd+n0Li%UCX=P@y9%58%hL?owBqP)MtL#8s9{6oGVm_9rE+mrJD;f%zrzKJAPF0X0H?SixxSHT-4-#Cl)>~k7%llEthGskkP z{`*LASwQmi*PIc)dh$njw0F(;k-XYlHLL;kIhtX}~y4i2wOlZ=_Ka!;{ zv=pp9jf+u~+MW1qIM;C}oASRHNNn=LHyGZyDPD@$D8VJ352j5Cgb+3qt>GA>*Fs5~ zMw>3dxs+lvcsdRhi9sS3S|l_YsS4C)CojdeA2lC7N$a6Ok)Ae1QCI9@G2 zPzR70)+(-ZnW?b)bU5cRO#vN=IN!?S=`#)VZ{NH=Ta~eRlv~PDbiPS;sPf17ILK}x zxM0>O|Mo(c8LBXOY|Zj~De4+OF5hz($l^J{k5ntU9{Zc&j*5X-4v#xoU{g_{Ym?+~ z)@_!Mw<0}pvUDZh*o_MpN>y?W9B^`>(L}?Bb@Lx4&GYW9-`384Y}?wg%N~EHZRonHoDWnE z;o%2jk7?h8ZAHmas#uj{Bl)Y%T|YWhAU;&uO@5Gb8ht@^)Ba~44cg7z_@X18A>9S= zr2KN`bZ!~&3nPtFo}%+(d*=-#ebmxROa^>J(-Xv&4qnOaWO{i7XBG)Nie;biT%1X@ zqSI2)6$!7GH@8WDVBRN-5{Wvv-na>`2{`$1%jgj>NmHn_m*{L&P`om_2A42q_!>r+ z{mi_fz|#Peb8PH~y`O!}Df7%y`Wa_v^^bFhO3^P&PC7GQUJp39d$H)YyoF5GDGheDjmN(*Az)A~SPH}+i+?*bU6-EXRkUP8 zvQLA+W0=lu@9+xNoHHA{E#wG~5}IStdi6{`MS1DeJ-Sd9u`bbgOR0IF64j2T><{Ml zJ>7jSEh50)2H|%VGvrt`QQ*~4tfw!B;;&x3e$4dVj`pcKCKl#4o`rpw*-^RbuG)P& zEH1^-$j;2U$kUMyipDl8d1ZCS5Y{+dJEC7dT6$Fr?#?48K=D7E0^8#r_wc2|Hp}!U zpD;WAuJ5lJl#lpOO-pv}cMJ?M<^Ej(M7?yVJVu;B2g`Joux--zR597pKEJh{L zZoG*eJ9#brvC_44Dh}096JG)oVMIg0_6|>sV3gl0W;O+yG@r<;C9Jp6q0B(r*&d0q zJ71*#RdO_=y)ROWPE0-WWha66qaI@xKpMDs>+FD}ZSaAC7f4hkBpOEA6pA zBJ^{U9;ccwZVS83-HrHc3XMWA0_t|*5~13PS8Dq)mU_)#PO7S9O39$^QpM|vqs#D~ zB%*jXvoT7|9tUG1R0&ZRf-ZfvBO+5J$P|jYVb7=iMfrtp#_a~NlXJo!JV0tsK5*{c?~Sw(FFP22diVwaM%4p!I=e2r%rC-&v(h!Sdjmnsaa^6)7 ziKt0{)^k2-Rgj+yxmaJw0yjn+OJw-Va>eg!cExk#7T!A9+X1$1XW@?j*?|l9=NgwV z4bm#DYncUS$1|67moSTk@T$#(-BQhw&&RfJ$YYgI*Q~MGy{|5cMq%r#N}e=Y81JIK zIWBbqqFr9yxIDMpK>BUmqE+<^Kp$y!+|99azEgG>Y1hx#K=wSD%FKAF4NpDbJdU1< zh#D^N8a1}puF16W79Jh^bx$?Z=O9y4v*wr5_wSaAD?=mIaL1nGYsFY>K{UFyA^T;s zXjg^xT&K#yfL!z2%nY1JI#IdBwT z@>s5Sy_|BjusCNU<(8a(p#R%&(0|ZFZn^el>uhE6`cw1^>=de1dkM3KQZt85MA7p) zW!c}SPMy-4(0DpSyK<77IeRReb`og8;FnojxYo`j+vC zZ>Gg&N^CHaZ$?Ik$Ev$U=1QLYg*qda^2)VT4bQVtF>8MuO3kFYOsysc1XXE#ig&4B z;=?Czibr%S@ykuLEf>GV)z)L36+T`HPk6Kf`vPfq{HA1Ja=Kag7;d46GjqEg=Th7h zxvS;X8nv5q#{Te1TO5;9Fn&ghA73yg%}^fMBM(tDwNXk=8?m+V?iG_`U@lP?=Tw<( zl@DEpi!iB(rWIG+uDO{d$X5OXT6y%$Dq+aihhk06R>L?{OT!4uW?vAkwV@XF5p$&o3*=Btwx_X%M zRG5(31EQ$zi*4JVtf8&(UZ~@Iu-&oFw>A$l2Y+d@vC1PyCv+~Q5y{T?s8im$-iVhhrw|p!pzxS}FAQ#tGdR9q>-g?=C!Pb!3WoG+E3oyfY`C6Qj2a>R?~z!imNVaWQg@ z3`)XhqB=v1)ay1GSa`mf(m&I&41(~l;JfU?jE5upiTE|ZTugwuxLGC%v$cZ4xpxZZ zNC_w~gP^69dig$UQ;@{&iyTx|%k_Asw6FCEC$tZ9X#9`h=Tz$KMH_ z)`k^FF=Rj9GT)H8i9dK>h^De}M%QHddNd(d&n91bRkgQCk|2G}^kjETtyphpRav;(}2;^;l%AlKI4BuvTY#(zHnF^O{LCxpTa` z))Kp=>CFc=PB4cmGRpPk}`AAQN`E6`9q$(PIaBvPdDh{?gHGS4u zNwXWy!TG>Gr?bzD`NirTczDR@1{9L5F2=NJHOm0atmq`OsUXnN76;p3wmiH_dUIN= zKVDqOY+4<>IHrEhRIa}LtZgz5BTqp15pT@dzH6!5aZ~%EEf3Z?peV0G>V@-$^SHZ4)S&j$n&f2dA z-LN7tl*OB(f zGN7fNuhRNH(~^-iLO#hENMK(jCNqo9n>56`c-RK;(|%;c+hEq6HNuHUwO9n~LOQd| zh(32jkD&;l5wFGm=UWI~J1G#qi48|{@`cx`yq}lGS z?Q`3iNfBC*b*I90D}H&x^uCT<)%r7ZE+b*=(_m)D7{^-#x@?*6wt49*-f#bNT5ev3 zLF2X(Lz?L*(2gk;wcAdft zkvjETWf$9{Ym$0ap^{0-*4U?#Omxz%=&uznlE7A9DNi!J&fZT|FeGj~fT;G^yVC#2 zAbx)WT6P+4UU65r(*{E7dco{{+Z*1}5^V?7fqHz?D%>%}PN#iNPu~pekBKWb@kV*j zQICnW_~5nGdFW3uPyK~_ApA{rk!^uG z&a&`h*k}u*?{Uz$%zu4@w3T+i2{_w^5;zXif2=Spv~>drUK=(ybgGj`dT zHzDZ~p;R59=m`;YFh5+8AumLyFb#V}Wx7&`6}>p}W1qtd9>;a8_qsXKz$NLk72S=5 zF)x2psxu!U3Q^r#riDih`jVTeuX|%zC#Mz#N3%kRDr#Afnue}{d3>{@t~@4#cp9!; zAZEW_vFKn-+tq?g#X`~H!OrENI-==}ZiZ8Ly~)a=?pZzexcN_}WyOs-`SpgmMK1W~ zQL|n6DT5c^{oN*Y+`lpdumucA2(6Y=a#N0lE-sClkB3dHC@w2QPNh=bSRAsp<~x#h zb=xIhgX^rYh%a*#p0kV@c25`jHZe)oEeC(jGS*v~pw3Xuvb$DiMKP+}c+E%sgqT5D zJ9`JKT3hnXew+5tL|L5NMW#(1l1c$2>s8@XrKb&!f*FF(EU-pm7Wgh7vm_*oZ9a$$ zd(lhbo;7;dG=}|3>mvdvmQ}iz6^|7^U0uZCE4N`whVIl=gw*glGW^~nSp%Y(D@Lew z8^=^8jiJq&Ck~(3GdD^ssta$}uvLfi0x=ZaUSs;E7tYVuY-d&-H96V%qkyP0h+XJI zpHR@D7nR*UpBA%BZt94vMsbeYrPT`anQ~O+NGb$dwz?{9uUMkr(gfG{`kQ`vi=THF!W;AS^LiOwt0Kkn8m*C!r25i!41FyCU( zw_P}&Zn@Cx%@9v$5!MwOeF7icuX-u`6OLd^%sm|o?nn-EJO}sZPW5Sqj-S@zG|P7# zYT!IDF773=1P=0vI0NPDI9A!Acn(=sb9HZUKI;8Ofj4|lWVLkm*Q@|-!16$?2GJDA z7r(yS%Dj4RuALBFzzp7b6!<9m!a!1w%-fi)CoCq0?^2Uu!^(~(E3nVm{jrj|Uh7D) zS$%Y?LaLVu7kG;0K8|!G=6e}dRsTDM@5FeZcMx9wxEsOA9E6HT_B%tDt?mVT<%+)_EMUqkLIV*a>ET<_!> z%&s&;RZrPrK~$vIe0IzcEi()oZ;Z<MZkKm!uJTq%T?%%QPvvUnZ6gL-YMVTgCBNzlOFj*&F0x}DsA|p4H)HdQ zf9ixsWHTmBi*8=~=T7bWGYoOSac*N*tuj13(Ac+(^IUmKrXCSF|9+lHBQnw1-9Vp> zKtdIrvMI6`GJ2~f4r;NldI;xfJk7^awyg6sRjNedar*ns%!>LhrmMFz1%B;yRWZ{t zJ4!oTeVxoTYOI^>j_=reHntU{15>-AN`6y(%IQ?5Ehd(cmh4h6ShnEd5sD{Woh}Oq z@`4R|=Hp_h`N_k*wu_4H;>Q+WS9HYvA+vC+jFEQ zrZ7D{X=B1}IA?2lXd1@p z7i@;YKhjXJg0e@8{)MS32HL2b;2d28UP<0pHLNPc?LbYeejj>H41`p}g8&ODwtpJD zc-xR|FFix)miUGC;bd^Kby@R{z%CXLlEOnu+J!q+15p@ZlwaA97 z$|Ss-D&-Uh*GAL{$lNX5N~CGSoDZ!Gifur}S%2C74ouAy9WO16U84Fx+&fKSts2~% z<;+P)W>PsD5-gC?<<*5HIoWi*j4P%yIM65*y1f$GYk@^P(>yu2(Z71k50%MDr#;F!f%I_d$(wd%7za~04AjBzDd{P69QK(lmYerDI8 zoSCWd5l#dTo{W^sS;pWtOCGWr|F$)gMbuC{iGBW8ZN!p|1cuX7 zhB{y^vweMtM#{LNo~l74RJVo?#*x;CCB~=Ad#i1NJO4Pa7ut}pF_#@Pmur0=MNkcK zpQo9HZ1*8zgm9j&(wb)UUHtGI#pYK&&;CbbCUf}8nCind?%ru-p8I6GPEC3d;jcU` zc#;-l=ZeP$L(V=CjzJP{4(5`IC_KxfMfJu{zb~~-xcs!}Rh%M0MXj?jm|n!5EqWm{ zm}^OAqX;=3K#4yu({B8c!ZC@bvOqQ&%I>nQkH~qjkhr0}fAa>r3KxA;>`0~!M+e(X zt#=yT>LEkPo77TnD@LSSud})nxi<O+>#Oe9hgNJrfjG1BnnNk2 zYB~;!`*WPbRAmj%o=1F2mUF{GxVE;9b*inF%;ZP59E7TN1A(KI`D$8i6r`Gcg<_hS zu7o|2f8WDkK}=o9Hyek_Bpkf1>aQ!O;B`r754WI&lv(pq6k>_?oT_#8hgTc-%+?z$ zj3Ci!NK}ayp?IsS{8H|#fBcQF;)8ly-@2-&fjyf>@x;*yfO=vICk z+49&3c&L02Y{x225=uNDr;!^CUdeMge0u&}|DbQq5&~}NsjE5q4~`c(>kf+4Qy_ET zg&00s2e&*A4NsxD_YCP|@GYI}cE^C_cDm{`{}4$T1eB2A#!a ztAy@o4B2x2dM>@8^{RT@ttxaZiLDGm6MaCgkQ~1;OQUbVmwtuc_oP9+j^wjp+twi& z30o|u(?nr4rxTvB^#}3#otI^?&gGUF#eMfb5T_P<7VtrS&;&fvrYH!UGOSBJL(6AB zJXZe!_zru<_b2Le*ax?%=4O)R(a3bAa-lM44)tiFxg;CZ!4Uqtg(3D`2j(np$cW;h z-qRe072xu0D{UvB`TRRRF8@N`FXor-)f}G2wb8+)5_o#wymuyA@-kRo3uQio>s?Ik zLBA!jjU?+4xRpXx@RQMVj}(lnT77bL^KWxpr;WH=KiSw6A9I>W13Kp zKM|$!htrVV*wdN+h_-(9(EcYq*)9fRWLbE@up{PMmE1eICH9oL1%iV^S%&@;Ti@%V zc@b7TRh`iEHlM1;dnKoFX4#*N2&<*UQh5fS;!Ss#kQ3PW zQ3ajy{ilWusEm{looa7AWGxI=wx>}H=8W@+*OVyhRY<$;a0p6{HBlVxr)}fvLjit5 zjN&x)X7rh`Z4?Wr%V9&pn2z&`zWmkDMFmEJLTWEpMqXIyQd}=YI@j3EtveC(%rTy# zN_EguczR+QGcYf08+NxWNzH2A%>9w~bQ)w``1&ZOIe+F;Opg1DndvpLT!~FuBK->I z`eRrPlN$5|C7-P%I-?)!^b)vdRgJetSBgv=woW@w=r+H7%EXdEBRdg=#eDMNfvJ@! zEF2f5x57_EeOx?)QFYqif1(ry!>K6MEa{jbs=bb#(Q?$Y z5`|g=EuC?!b8UQfU8*I;@_FAx#(I>oLe>MT`bc10Y-(`|dECJ9rmN=7V5zCzshVz= z0eu~Y&KBVm+?tkn!gYPe)Y|#88Cnf$l;|1J*s^LO$+8ddv?W8D(@%ZXBzg-Jnu@*1 zGj}1JwKQ8uEfuBW+yc953Y^q|Q^lbpltiy02iLHOjY!y^JRu`OLX1@UhHiEJ@+!@K zTaY0%EC{#m=DP}H@@TBv#QYYO$YXHeA1LH+cvM1JuGg~1k=oL7LMYBLsSUlkrMLQE zxHfW_??5mo8smU0RdZzPnNwSe!$f79Hf7eCWmT_MI>^P(Z=o`vPcOE4eGEt6rcu>y zthF|`-Z)=VLzTNf(4|^E_OcASM`dUB`2sIbJ!75IYI8_n(Kw)n*@#Zz?PP*}_e5m^ z-?94|R6IjnQkIP)_GkvZAn;>P`tYqmfD~0i28Y0$}v6^-Udj|&v_;f-& z<^O(WAS+PtdO!ZRz{SsO>bC=}W?Gye(5Ld>V4epS$0G)SVW)n-HGN=a2L(1*|MM}l z!odHs7CG7bCn~+C@U6}z9}!=_{POhS);C(TJH&K>r-amPbHCDAV1~<93|F z3liQHp_C!UawW&b744w&Rh!=iCQk6qn1>dhf(9R(GoFr^|Gv%sU8COs_c-es7}_jP z=YT;Z@2{TxF?z%kQLg0N?M$fzKO8!-FH=UIj#7e29RGJ)41hS<>ca$#_e?Az97l3R?bSWTF~Y!ZTA-~scNh&cd< zPWugvo3^yn#^Ff;5=Z|T&=)X5l@IaTffiENG?3QQRYdxV5n*l!auV7MdO}cNm6!G1 zL~5gr?`9fpTyM6&T|iMt5r0prJ=ari#11h^eaPRsrgN#*XYsnyf32e=G22B3nbBkO z(6)B=Gpj|gMp;`&(Ih)0tX`uXCyv426MXGa2DH(Dn0S6F^J2Hx_x;E-1p0JpI7LuVe3P!xixy&{>o z=xWp!UYzvsHl9W!U|pcJ9VJ<%gx#!<>N1)=Hrb8Tu9)lp#aZ$qM7pMtUeLX3L~Y?& zge;+G){^Q=3Cka6WOG(kx>`wp+5Yt8RZY5q zV#-;5UkI9cO?o_S9Ie$_Q*ST$_9jP?I9yw_2gMi9*$WY4Y6<+EUF%ivicFt{C^k%w z7+pMdGGanZHBQlL>a~Okr~IXq=Ioi|VBJb#O%GpirsJ1f9CI0KM~hay2CyFP=0Ni6 z>fz4dVC*Te)N|>p+uS<<;PucW%@W4mXIp4`8|8YbC?=u zdLcW!bxq@|tiGT1kDp5FZT$%K-xPVZov}VcF=?>xdj3Py&BA>39b{Ioqb76XQJrN_ zvdMU>m&dB4*|#k+OgRA~-{68T$EDu_{B4ROe15x}bpda;KRX-Zc7DoO!2u*#v{B}A zBlVMKPJ|48(>BqJ`PO~nsYI7OZ+N}_hC3#U^*d8B!rIV4AKLwE}FH zHQ>3G6DauWoV0SIOs}P+XSjT^ndVuO&uS7bKiF{Ey83hKH`GwC506OtWN#`h3j;>e zeg&RuybjsX&tWZHr4S<{ol&H38s9+u0uj;^sR#)Mcf?=euSiC?c>?{PIGq zX3fe+{uLzpnACFJa2mQu^D$fhpI0w_AY`{EL&Ak{yMIQt*2m2~kakC&OzHDDTgT!H zD2EE?u*F+HdNsWFMW=B{?Mjj!gPPuEDk|Y2zsyjZFp4TSS5LfxPZ#4_V3g$i>O1Lf zx*Pt&j3P!waS537^CuW)c6YJkUY*ASu#d$~DmV7D6OJ)CSZfFt%#>=5CshtPue@=M ze*H#ZHaU*)11w}d0_iB}G6$U0`a+2W+4^5fq zAjBW{-f=yHf*r0XV{CPbDre<^bWve#E?46n)D%FkD z1_pV&dc6^BLfx;NNF0FVA2I7&q`&ogOHy`}+pW@yu$}YT{qb3FxxMD5VtIPSfc`2_ zs%Gd^He{n0bDN&?*XB3xhAz0FQ9_VRCY0}eTbjUBzSO|j3=umqEBiy+R((P?3O>&2 zI+GKv4))*6tNfN?uGKeT@?&jp!W81FIA9#~AE0pso_5J-yxP>JF z?rtW_oBP)Nt{#g4*dXRos%8iFHCj*a)xbnd@HZ~`CY3-6mv2%xCZ(u^`VL)!`#eEJk@z=Oc>WAn`-8Od(YQ$@mha7uC=Oe zuNP)J9BP?Scr&VE1}IuLn+yLIw=kmR_P=0PKW66PI>;TYOPe)@vBavjtp^tr1Y#gJ zIRz4>Rd?pR3w>B_L=*h6Uo_2Q&okXyn87_>9S*ChVUWj!3}7?F*`vhif1+rm5)HzY z63c!N+NFhA+ACqCKCL|^3%0x|KSCJJF7ahMQ-$e_6UdD>25eOEmVu>6Z*Geh1gXEh zfxxV~=+rPbt*l(MJfWeIyX{3%tZJP0`RTQ)#g3sSl^&TPeHA~v+71lw8&sfo)r=L* z;JpJjiv;gBc8Gorh3}$Jx@ILMI-;2UAG*Fgp6ah_yQm1C4rP`jB=bDeK@OQEvtvx= zc~(bAhGQP$AX6ERd7kHao-!QA5K<_Pp%MzwyZPPsb3gC%zR#b1K4^c}UVE>#uIpNB z=l{9XFotYHr z1a|7Ks(t9Z>!Rg>mRAR*4t-$M8cG+U_~COr)>QPfCPba=)?-dA9CgXh?J$|lmU)3( zB^%nzLcKT2uLE(`_*z?6S_h59n0hA1Eb*?Ep$&%nEHp-r`!CW{A(ApAM;=_V`m&VO zkKF3a7l>g-i@N(8aR;KtmnV-9Tys98jN~cXJDKmfvKp-hKaYv=I3ksG9$yNc&Xq1# z!W`bYed}f!$mHl!s`e*DJRalizKp&vjYvVH;2N-aBivJwncv$5?xzD0mFfMeB!`z) zS;w3g?xM;x7T(0{I!0N`D)N^Sd_JDb7?)QGe>@=mb(dY(GVy-S>pNVOJV>9yCdj+|?xbxcu-KY%!>gCAm&N233;;!{;hX1yt z-|AGmL@!wqf#VuNRDr=#ZWcXd3|VjO)q;?8j_`$zdIN(ZGn|spGbub@D?h$}6I7<; z|Ma40coU`%qdbcv6wd0TqKw)(POBmrD@L(PmXV`V?jm@W!<11*pQ?4QmGnZFBn9`} zCoGJAMkf0Jw_FEqnLO3FLK4Uo#%166$ksHuSIhW0*Hcb?KJ^bKQ}7m>XI*t-w-coV zax}w{3tzq+wxaD>772^v6+KnPU$)Wpkkno^#&d;dE^? zDzhVl_xsau_mA(SIe4tCl-CX3&?JStMB_M3Z%uH9_~If4$FV;eWX3(Ne<5XMQqn9> z*vSaCWrx+?(=@n*+{vQO)F>fq{zjuK`C(8l6@Iew%XbKAhd)g_G(GveKanQ>^itgI zT_GHy&ip)xIsnbw|2g{z0zKog_=^WM&6>fOEDLq=DF+x$%6X@+wl!Z#Wn`7FvehjL z+;?}BR0Rba^KSb6dTm&=(_4ngDxIM_d97ZN`PR*u?its@`|ICoR>6t<2vTZnTO;BMZaa zcQfx}VHt;8gi9t{x?|Yuwr&EW`KNWfDFkla-n+>_{$8wQe7t_>?c3|AeGGk&>uWxR zll8@zkp)_atkkgXI=#q^vGqn4PSZOrli#*|Hzd8TOQvN9Litx5M zS+7<)o{jv0_O0r-{-(Jo8%E*D(02)LQZ?uXeD>zf9bJr6rdW@?_Jsb_Cymo5pgCN5 zWh`LH{T=JL{rG09d-|t?&2g*Md`m>I{>-59F6qs!?9Iow>KhJH7Wz@HY$I-QC^r zwpCp<2Hk<7e6W&XV~S}m`tsDQT29TpmuZo+t|mI6So|G*P4uG~))}$oC3^N69Ls|2 z$wL0ti^mXCdMw-kFkQ4qTMZ#UjOZD1QC!v6>bsse$-Fww^zJ#(a{PIt2^6U0V8O6` z(Iy45o~Z!S(pu@6MLoG%^z7|ZYRLmrj)Tk#b1?#QfhrpM!FPIu`y;-!L>`EnY$ilz|5yPOp*?xcab?vH#+si|mJ&_3VY<0`($(kc@8K)R zLMW)C4l&IyNZx9sKU5fFk^H&w%iKA>AHwwUK}zk>wv#Hw>4R@Mmp#neo(HLO@1onU zEz}*~)4kr*+lNx{xYZODVAasK@Y+MEMcP2>)oHW-;Y`bi_*TB@$S5(MhG~lq4;4If z$$|1^c0UYyFlNf4+vV<(+z>hQm8zA`WR9n_Qd9|429hpirW=ewIv;`~5{qk3HV0RR z684DEJhFLxQ&Kg#d8-lb9NyX99)#Px0@+4J!n+1zt=MRF_U0R+Sq^k8n~i=Z-qcpK zg8W^%;onT{wfA*?U3Gu|;?GsiG1vPpqM?Ma+P$b-fhvA490lxtCrYe!%?XI9L-fea z9v1Vm*={b#D`BAYwe|g|b5MxR0Md6@xsqxKkgOw%qhqUYAKBOUTn34U8k`^!2vktDaU{GDKin7vRU?gFM97#$uM znS}eTK^WaH%_i9IPb@8E>fWrr`aQ=i621K1`1;M9mpZ1?j?-$Nal0U5Co9}GMQb`e zH|AlWo-=#q!S&E;^%r8A>cA1IXW$X|_cdNg%gU< zADRt0TPLJ#>B&do?)^nX+(y;ptGNnzU7D7{sMu#N%!}YX4vWg)EZ&^&9OtsezmNZk zI668a`Ft8M0!&?t%BJF%U-#I(m!@k{Q1G~U%^biX#yUgaeB=LOM z3b}!&mORJmtVoTjp~x5c4@4sNYudp}EJ2!Uu~eJcMyPh}Pg4b?lkks$lCNLSP42{k zH{X5;PRL?me?^gn3=KGo?#tuub8Ha3@6d;=kf%}d>-Up0!fDD;(DcQk1$VMo@7r#1 zx2~}>Je?0xvfC%hudZReu_7fD14U@Jf45mKes-BpEviLLtdLbEMh{9H#U@Ja?mJ@^ zeD-;?LI1Co35S2eTg)k*sDM2?E!%uyeQAmDNcm;!E4g+gX$jK<6CbpQ?Pr7uZBJp@ z)UjT9by|uK`ysrRIsAa}m3~fJd|->sPF2~Is>rqK#aT(>57424DGf%4+JWZQCaIa8 z8=2a(HXj~vXyNpl0z7I4wce2~T=F9Mxc?Y@3*csq9hfzSCLhPyC~+z=CQJq zz*Y%L2Dyjgv7QdOXGkbspk{L7Xm4L8MqFHMPo^J+32($Hi5g!b?LZFbfqgPo_CK4z zjlFT9*ae)|MRcf^=&gW}6{^*^%wjgzdA!APym~OyJ z)?(Hh2FAiN#P2b#2KWQ5%f-j!G>@HMwja3sT}6<28r$(I}bA zZT?)TUQ8wsC3^mj^3PE6E(}TE{?} zijczu;gW4-(bweS++rTg)?UVq)`mJuVZRtNN|Ly2a#e*j>Ft_4;b6s!7^Df6?4tKT z3j+PBxN{&I&VF3cqW+eb2X*X>Mq%__ta@~D*|gXU-V(=v)wg`4uj!KPWMTVt43)x* zKIIxy^Cv;?GdPU42O#!1X5(wh;#l(fz2fWWHq(L`fmZ29D`qZkDbvo6lC4o!si+I*F3)A~z281I59lv$v8uAE`cjO& zlQOucy&H~^K0HmP_OSaJKO+O;dki}c{wR8hrXbQzZ%ccmw)#t=8G)t$Iy_u_gwxO= zKg>!NCSvH|<8LYlFmP_tS$Nzd=OL^eOpMynet_qdnb_)Pwnm+82E%3hyV0LXPiU4N zuJ7-HnKce}#`Aq77KgdD#b6Vk*{|5VpgMwc-|Dzl8~do)zBLgV*^Qw!5$zG!4ABl;TgC=m7H@s( z%`wl5DxTcw(kgi5DzNb5oxR>1*UB}zuhYIt?nzF+B+w$N28LUkx)L*Rq5$_Pe)|qr zFch8#oTi0E?#)j;LbUW);IG|3yEw$NpK2IIiUX99NRmXc)D6LL(5Bc z&4#n%?rpX7F64&0WRDt;T30o7qFDUgR7)ICHQgzcOLR8oOx~=Tf8WXh(+$+f{HC9c z`b?$ZS|b)tVz5<6yxPG$rSk5OM7p!<0s>r&`7&_$N78N-KBRa3sHjeR#9cFw`fT5JYyc@W{ut+ zI$XBJjvdYTY}1ing#vEqolm0MHbjEYoatH>RjA%;n#Zp&(=~kOFuyG>blNV8h1aN8 zpe)DiL%X+CP<&O}3x=cRx=Ff_iTyoo#H}hBtE<*DouV<4GNv7pZ}eP9D5$R)_z1pT zk^%5xNM0>I+r6F2$a3eK`Bdo^$Cu=Uy^=9m?KeYLMc?k)j{7QjpkM}m>7nF^%(Kl^tDldo*%hzdjw|sC62lSR>QT@g z28>kt-*PXnDR^CK3~iB8TB*)f#AM0wW;Sx_9+k%Fqs*9ADHztDo`#z6wpp|NY_*1m zq&TDf%OcfdPHEgEt^OY{ulsb($KfbGU}huTodmW4!=fW!eCM#KllLEct(PP1{~+F2 z>_ahg=u+zb+2<>)faz7ppM@J-{`?Wwn}w!g9ENn%@%&Y7=qKQBqtK6T3!VXSef}om zU?R~q(Q;5|bMjlqaP`*;_P9*QJ$Pn&*__?0=Pu zUq#J7gHBqjFLEI5;_}K(ndGGN!+icgq}?SqthimsR3g7p6c1 zY!Q3x5y|_dwCPTuoyN)?!Q8xY)1Rm%l^~4+$G^H(=1Mj;=}K%nad2DGq-BC793Z8}zx^qWuUo{Rlbi?k3uQpl0*37dIjCmdkz5{}?Xl1Mz>1RUiA&0_W^ zn9e+=0g4#@Zdq69*<>9Y<9_A2qUvzlN|2o}Reoll`=X*;NHo>&SadaBIo*4M8iQJ> z91?nM_ws`gEE$UYd!rJGpJ;@uO~Bn*V+3wDO7$ZPmzuXXo|MgUON+I{ zL_c47BAx?92sf4SGL@KP9JU+_|7wyj;nQr}4<74UlYdk93X~SY<30+W*6!aW;|IWv zW4i>JRagsRYM)kI2VNGyzueu#*%-b$9AA8J&Qugm!mCI;{Enttx%O&q5zScd^%i;; zDNZAV%XxQ_?@QK1O?x}p^JnmMTW?AyGg%+&tG(%QdOQ zQdpBjEVL1e{btF(8W5%?)GkmSyS8>u;LAx~#Hgo(YXaF7jFPlCA0@ww#u09jl;e z-eX%DZPmfPG%lLcxY!&N?vcxuN%Ty`RIau;oGq8kd((YqpTjb-NyhtFl)p_rqT^1X zsx;=O@j~YA?uQ~b6^QfcXOKS2!fIzo1Ec|#sy!vaHDHszm`t>P2aw?KHfZEk^saam zx)+)*$?dosGls5gMnhbxa?Cn2#dfYPQ$;&!f{vy4!q8qo9 z($v}xwAjmhiaTENG+pD*@?`HI8uuBIO@F*>&2N&UF} zi!tu@#*$IcT_o?z?$~UtU#!0&PtXt5pesrX#MJ>FP6k z=e#C8f4S@IV9ovZ6p?tft?IH>8Z$+mBt!?bl}6A}sqg;;yj!4h``45c4;snAH;T{R z<&#pd>^Y1lRwJ8*XY0k3fXywxk=rlYM;8+B@if%IZ@)x@|3Fk%Xjsd423`~QdFahT z;e(+x*N$M9xnO?cGwM%!76F(_O(w)tk(<;#w0XvH!e#;LbFpg05ifX>w>T)O5EcpS{=M%Q0^=B2zYzvHShRGe)# z-!(mzFQ0_?jQO&Y-zdbfb{bh z111}3>#n!ejcz{bTpi%Do`yp-Oa~+WqY82!#b_$wiZiRb>@JNb5r_lgoDPg-%~ZZ{ zhndpQ=@BzxPLt=Qe$hr_+)^#Ajm|yLX?u=Xr2}(P4`M=h<$7xS0U0lRSbPP zTLGSwuVHZ*nS^rxQg+<=T{3J_q490Ql2W|j8t0$0#g`-N`XSZXI-i!e^5q=1s+MLC z1fg_Ib9ECasoc_(Kw{(S@*lmT9b<$J`v&0&!&ATrA<9qgvtRv019RHgp z#OC7L_0Q%1T$SYf<2`lFN~yHk&0gK%Jd90m8n2H36ivDSgUPF{3Q_q_(zxQF#(Dz; zqzKdXi<46dPKv2Jr|EK_q_&dqHBqVjTo#o7!TNGQj&&ikEd0{0f0jN^q@-Qs+Nzy*#WxObnuYl10z<)XeRth8R9^r=2z(J zER7LE*_DG+F7$1GD}5>K0c$Y($5^-f+Z;MaSM5(%CtBQ!W*-bl`>Sww)sv@WB>hLa zWkl|P3@smR!Pk^nnz3Ud_{{aN|BB88s|LFfWAmry z!5uU;!MyAGOly_1tgHEih8_VQZ7w(mX0@<$5SLsVa-sb)1`=&%IZ;EKNEkkwRH2O$ zls~km_KGXU_NyBnbJ9U;gCmQZg8cu;&Dj2j)C##Fw-Qm`S@_y98&&?8yx{Q!(LLh% z<|}4x&nNB8?%jBKo3O(9q_(uLlAkC~8}lOLKYn_CZT(xl2Kd-3D%Z<|7vv4W7@cT0EZZA@OkrkZA=`U|HdI0+MaS7S%_9;t9yaouQ`==?af`nHE7j4YB zN{IzsF~MxC24yRrEz*{6$Cq_ME_i?U_HtSDjfQ{gwyz!|%SNvAk*bBbO^xN|*XHF+V5PYdEKS`Ku0atG z=$D;tjBNp{^n5{{8xaXI&Y4CD=PJo?Q2j)8YWH&=&oihHGc%~Ke@XoJDpSpX7@;=j zYH4eDNhLcT?BS8#=%Y^qTe9+)1}M%pxdp#W*)xgIyOK?#(#)mPVAsg)BWvog2}j*DU{{485l z)n4}?8hFImvKrU>S335#3&72Apz}MC zfVhZBraiqa9emC6bNgYn^({W+;~IqhsyYnVxF~}KrTv%&a%9FndMGnl=qcN}&edyN zVHO1G0A7c2+YD&f{t-FWO~b$4UhcD8S=^1)ePw>&)}l^<(1&pHq}-8aClg#8Dayc) zY=T*kAA#D`z8h`~$dd%;%HuZ+W+D;H5kI>elpI#1-hyiNGEnDUf>CyPF#diob;4=6 zb6EK190veW;n13-%cb_d&}-GH&6b$R^%B1b=GT^vKuyWE0<};#$L;u<(#lW>-8iNm z%%K=kWga(!w#`_ALNH5Y+b}K+ZFWngjy{%WLpm+8K`-3GCV{?sxG_vA@m#?7EQmTO zL8|3OxN|F+(^z3~3Bhh^n}QUd_4Y~gIWsSeng8~qGbwB-CYA9JSAhKY_TV%jp_O(9 z1bdv(LPjNX#VebfTXfv${N>EUR+IJalR+een}w!;#Vn%}rT244ig zKagM!(m#NCQG-J7hg~a>qRUzjngChmRV;jf#WDFBBh84etOt^W$8v52K#h^}yDvX^IKa?w6Shll{_9w&@Ma4<*?iDp$U0b=@%WPMwZ?qewTKh|WS*~dU+CAsg z>i=82*W_JsdFdxBL~n7hloqxY6rn`cIl@W|hMoOO7P?i48paE1h+2|b2&26}sq?$v z$TGA~N>0%)svWj@hsx2bCK=v^^_Uqks1m1K=?SmfMHq5}I{`VZ0`WimCJS@|FM!fr zF(BaJi(=6nNCRuoe4=}uPz|7 zSCWBE&Q(J82eAdgik=!)VEUhG0(hDTz|NK_MZ%P~^Gg-qAnGi6bMBk4GFskraM93Z zlUz4SCTYq_d+Qv5hu0|i*)U`#Hy5TtZszC!sf$O$)DfS5o zuaP;7a>-Y9_}WIc&^LTdJvFnZfjEVJJCTskT+qk6e6>~3NY%9w>s!L!&dke7==xsP zFhePxa=j^P%>R6=R(7PV|)hLoubya5b z(z}T1XN%o@83c*s+(WPXBV)|$Q_~DLY8^W`3(liYuP#0toZlAhxwkJ)`$acgfX!PQ zd}WNCe0|wVptf8I+UpGqAk}x zF(w7*-R77ZOc(yZ=I=P`m$({-vYSEhXr*7f3;26`j}N&d=|teA9j~X-%1B~H=_jY4 z+!KvrD+YcM-sGNj^Oqw)L2(8D)iFr@9m>X)Bw?i8GV(yn;Cg!jY5UA(xd&&@iOo}2uUq(AV#d-)F`{s&+B%I8B` zI|4U{XGZq;$3gIuQR$UANT}^w1JdMGs3;tQj{Cj|!V{;{x&aOIA@IuoMXG0uRv^M> zBd!Mk*`#T`3c2l@^K$8-?K|i>JG?dP3AEvJ*7|l6vkL+PYpgGhmzIBN&v8YM8%?!$ zHq0BYarx;SK)UG;7Hj`5Nw`n9m$+(bsI~Rt-dr>4#w|JtZ!_-bNxVTcHdcDa7oqrq zj*k#`YBsV5J_b0tZD}Gms-A05p12gq4XW`c$r9{tWtheKd_FZ4FqtRQ7{S6nP16q; zPRqVd>z*0A(|S`iXelcNl7BV#=W4mwMFJGNwXe0|zZdK+352vu;LN58H)v3ufV5Kf_|#ylnDauW7X~dx zd5YGtX##Tcld) zi+#h~e0^q5w>2C;eapxyyOKlF z@@@c;9wTSH`a&uw_lu8F9@NAzGM>ki>#JTu!lSw_4?UHENe5@FHE$6~zavT{)iaJE zMu-CWaq3Pfk_BPivLB;i01%^D{?vi}hqNLu@?`TeL-WJv$hbz^Um2G|BX?6wnBS@4 zKXQwo*%_~>xG$Qr?(TQ?TDdy^+hbLbg^9%6R6R~~bu`sg!HeCSjio3bRl$!J)ywN# zJxHk6T*eW*6!iWdBR%D#+N6}};%5^~TaNWeju*VV#F3;||D)9lzlCu&6q6_up}Ja4 z?_vPM9+qH>&jqhS$_?ioDLf#Eh-IqkN8EaV>9_HVr!82KTr+Xtg z?$wIE5)=!WdkrM0f~m1ne)9ih<)9{*7JBfR>NcPToLqP=Gh7HZ$kj@qB!87iOg}I* zzLFO&t)OGE&?kcp6@?VG-kp>$y3InLFXg1wf82kFgEO-bjn(&ve$I&n_vVlQjB+@^ zvr|1tG8r^_kWM|>(tB2y6`8F{Z!gTEX>1HVk`N*#e#^4cUVsA#g~h z9)7Q_eWq9ieO*Xm7oAmn!hVc?NP>Q}p0~_MgYVRDX2V|@>OfpV55DOvn?e$O5RkWcBd769+iDCWb6Tvi2jsSPci)`8HeoZGol$g==-X@{HcNZK*{@ z0G-JjQU6c514@@>A)k>Pp29`#4xO`!fY)pn)mAc4GyY{HQ?HBIsGERqIfix8gug7* z2vmHxp#56IL`XrT*Yp)%r*VzoXB$@-B@J#Pd-J?y<(iNJq>t&VK6^ElQ61a#&Ae;& zVwlVx>*S(s`-QVPeO`Y`g#xU3LMp#r(Bo>EwNeKBz3aqIbq289E{i4JJhph&$>Li6 z`498O6QOb^9AhmrDw9{Y9+Hf4m;C6`o3K`_<%a?0D2*XTl;V5G_>EYqPy-Q)&7L=X zY@Vf9xb;TqEw2v430jepvCxk>xT3V8TjSrAI+w*icyPYVWOhmE1J9C=DPz1&eQdvl z7r>lf%J9Z_FZE0x8#G{}K0%^Kb*1RtZPftQ|4*<5XR~J9$s^H%D7S@1zhGWXYBO7m z=V3uKGxB=$tK}Y$*IE%?Xye4lscT-G9dFKe{Jr#*X`$##IkK?qPgl=dwK+AU*8Ejt zvhlKWt6OPomZ1YU%#L{iG?Ji5-l~ShCrx8Z6RrA;oNhHD zEHWs$Vc2bRXCkz7)9|Cb72`E`NvvG7*;dJ=T3ISO9fOZ@5XQanC%+X|+9I9%Bkz4~ z)Li!XIBf{gfV|mYj&NW4`EowwQshvb@8bk4?5TTf0hZqn3=D)F!z?x#58PEdl$xt9 z|CDKiB9Io4uP z9~3un@z$`wC?9JF+gzD^xq5v#_HG)bG(iEcEBaG)Llk?Pp7PYAX~TiCV*gTXqyAN- zo$RkR3U(I8PCa#nv3E@^zb5`Ieal2UWd4q|g0D(xOpq8Lt%7v{>zzNJ+q~<;u_V}1 zL(u2uA&D&Pf9GS>;qs6FSAmibCKjf5%+y9gJiW#<;B~!V4pvUilpSwl(7M@%*wIOP z4>W?26hn+sMaf;iFVVOKgR3E5s2mEacC%?8fEf+52~K?ph`N1#3sr||L1Gwce#er(+L4BzQX3yV zlLTDjpKJ`nu285nXblbRp_6e@kJIZo_@oFcyk9rtd$3I}b_NxRNak zZMNJ=xv$%G_S}Cm#8)3(qvJth2Hq!k@+fc^5R^DbpqnS*NZ~y%+1h zE_9II=;tSeb^$_aFmSi}W~Ys0D)ao`(}Tv!z{mK6pL-R0VoPD-Cls&IBcCh1_<3~K zQ}Gh@>&`MI8sb|KqJF>6r(DKl(g(8&A$M`;Wl}9`1RfO69CJ(d8W5f6w$a zy_N7hoZQJ%_a131uI#eeR_d#K2sgYN|=}p2elwZRDpZUYxcY0kTQY2X2;co|F4><;|#n`u*_0{-Lmhp#?)?)g>SB)#+lY^ zDy4sR!WW1$;}ym^3Bj#aWZ{l<@4d~U#E$998IK_vtHIt=@W&GA?`m#7d+_-y_7m12 z|JYONUYA?;sSjUr1q%As-`p#?#znFNQEv5!1Hbat5`> z=2nV#N!+6NXbD{6%v;HTN~byjC`5onc=|6Tf%^_jd@hKL?2~@~lhu=ZztCOlb3jK2a@ufEn&T4Tq8>@@lDLeT-wFB+|8a{fxdU z=`#GnvZW09a8cb*rK-ng+o>C{PrNkr?tWKfS|MBTYFh+Uel(Ex=_j>j23(4;x*5%U zRK4bveq89E;TtO^$ih>x2OYb4z$Ou1m^n$jaX@@@ksuq&$)u(P=F6p}4 zFiPfy@9~YZzMDP4Uj?4^+|!9miLCDi&P4m6$O%9zz;McJ!uae+p1W3p6a3Hwp083@ z-%oaz{lc4?rDdmFNguB5P}QOueeWbl8(o9}nlP&#yBT;H+_Jc$4f)eD@b45rG@ZZC zy*HPg7uw_Y>gnIeMgs}W6nxzyBca8XKOt<$-_%k1NlSbisZ@JQ%Treo1xRQof@F%+ zU=e-Xf8L%AvWdF0xJ^e}!S!DCo@+~38Si(+wP)aJ`tW6Y28cU=}s-ImUWDS5B)6S&Sc|YOgGdY~*w~@`>uTd>| z@bSg>@3uus32)uE?i|>XU|I$tphc-OJiYR^#g{v32_32M0^- z>x6y_ahfLbBIwE`MN2--Ma9C6I_Wsv_0KAKl?WJPHn}#~2tiz!m^&06wJ_M(MuZCp ztU(lzNaHB~c&>huPx;XXCRm>er`%~=CdvL1>*J<G|kQ@~0;XdgwEab;bI!#OH z?Rk$QP;PF$*QYBjZF&oCx4fQ}cpHexPOoo*U_yI~8mNeb?j28_bC8cd(HfI{QUm@> zOn5MXm7Zce_VIrVs_Vym)dS$x7O9>9Di?j;I#mDMr~^~w!^}kN4*{62%U1=dE=`5o zW}JPhre8gxn6}hN-OD8P_$FFK91>&RM65omgyL0_KZQMzv{Ap1ExiE zzEo3bl3uiNemF?M-aV|n`8_%Ie0+|{j2?&zCw$0_m!QfoOY=xFIJx@1pE?RfYL@uB z8e})gvCDD#*03mNlwpBct z=wAvHF(|*tn6|PpV|;0T#6+*X?W5=^MC48Ne{81J_gr7B;M+`}T=4Z|uB)7GwY_g} zB?vk*mgvTS)J@3=11iA24vpPq>qdk8t0 z+K~#@=S~na9+N-W7>=5BwlxVz7Ea}tUKpGMRm<;eD{^0vXS$SIVPQ6TR5nWdcRq+> zgY_|{8_3*Gx3b^AWW0Pt)!yuK3H9iTm)prpYem7Pgj$o9c>VM?`};^3OTJX;Pgl;k zo9#$8MqX(7YE8qV4aJEfT(M0okIBop3+FEI6)sD%Df}p+ZcWH)&ers;T^z$^WNz z0ZP0f3)j2q+52Q*U1RwrP}Ss18FJs4mTSJs0?q8#n(|!W5Mjcg)~W6^vLCu`5_a-2 zVJwT-N!0w+ilXxMwW&x`JA2-X?<|diayecyk|pg5D~#!NR-SH4n*N4AXW3}5@L7tD zEWUSq-QT4$&q)?TK(UEFlkKn?Xzm+!`_OO6F5i&GZ#2!mHn%1p^HvXW&I&2BZRK2; z@LXjgdi6QN*<_L1*1krcz6{Vg^?--G^|Dei(b*v2__)a>zWhoNbIQG*GU;?d3jA#_ zX~9xMd3l}eOKX{_sOj61d4~HW%1sOd;kg%7gYJL0QP~$SX7{DaKQ`8f*yPelc)Gdy z9X9nG|4&}|f-=*-{!dZ& z|4b)2CuaVewf;MkZ1>O3Ye6)g|6S+MoaAE?)$nxjC6XKiB+iU*dge+N*zEoPIq&3O ze^F!|ELFT<0Aj#j@D{Wdd%5@y_(!Up{aop&X#f0u@gO(2@_Hz?$o3~dXq<=x z13NsJ+U_Gum`vw7Bz`;tEW25^DnNl=XB z(U{G36uxc0kCgrqfBvhw|Iaj&<~_hzVAl7(*~Go9)kx+5bnXR*CTLaC82IebTi8+B z=rV0JiFz&y*ye6nLA)qgN*MjfS07)C!ez+?L!)Y&Y0=#Yi%}xP1N0QSA{q$b|iXeM)9{o%}OJJJw1bjwvKajwL%rlrR zj|sG4Z?dR@X;p=}Nk(5<+P;B*0SXmNa`~b>|Voq*Fv}u zMg^2Q!UC{f0k3NoL-nC+kv{p@B)}U3pb*;ZP=+CmDf_vya=4ufBXOYb zK>qC3j28&<%vnST50R+PIG_}nx=&BlYQ)2w?qlJ+U}#Vt>=;i za9F9xS#K0?fT1Y{xFRN%BUHz!WzSsXBoX1nZp7F^{Tz&2NnVNR=KjA<*T(Ib)7H90}zQ6=j!eA zRW6G1ahb+>*OH4<@eCfMIz6@Gwp6hXOIeYSXmn<1oofeEe#WQvwdT+o%xl{KE_vM9 z-$a5>Qd8x8TsnNcNW}5O=e+4BjNwYPZY`PT6hNj3ews}4|TG4KtpN~)#~bEgh1yP6XHG=-vsuxy>tQL6{OMvtya$Rcb221 zZf2)FJ;GN+Qj*nx-?UQNxjQCc%(T{m@V3 z?sy|9bTbnhF(>Uo8m=#p8&=Dk%xKL0U`mDfxzu3inC59X?=&Z*43ThGDhgWs;R_Ah zVc%-0If|2s?8R(jV0vj%6_`T2-CK*b;(qm~l+O6Oy%Q81PwtfPO+<0m58#)n865my zDwE!aRn4SfUM9DKsX4VL4gC-MX{H})gEp<|houOJqDevk(ds%M(N=I%$WHa1la*;4 zCUdH_bbw%#<~yDF`(50(rFXt`R%!pvLC?YOd$Tx_YYCsfiJ++ z7!~gxIS87-_r|y6vn;hEU8=h0PZpo-SQgRw1uy*oQN{il28-1w;yhQd4~a`pHm`9_@xCrM$;IHL6yVd(53Nx=|H_9vs*t)##~R}&)0UNNTL)TIEPXga^jY>r zSQ?d&fgXcdIxQ8Tzw)B=oud5pT<4I4XxETm1ZuhhkuWz=gP&8y~!u|}J4hZQsj;@JdToyYbP zMBp-DD$?xoxHDJ(QD{PNe4_^0{)jwq62P2i}Dgvm0| z0YNfjr+b@1M}GV2zsW$K!*IX_N|nMOqzlMOt_dPcaZtAC6DdhjZttO518-+zeaOya zmqe@cEQzyI$<*(;!G7(s4+&Arp!TrMWh<~gL+%-l!(-5gb`s`CvoJC-o=Vl`;h~}x z$5q0SP(*NImNA1)1q#pTy!OO4tU*j=*zs~(=zUkQ;i?;IK4Q~xTmuuI2p(*$cS%T3 z@e;YHSN|wqsvM-W&~_4VAbJ>KpEsyVSBR1~OJXV=Sp&HhaH1l~8X`4hVY0m@o0{z# z1iO}?+O(R<(J%AZHL|;!5+2=3RCgMpuyJwQe4pQSRC)%7h=M4SJPM$gs7~P%f|tFG zyp2CyQoUNLYpU{i_KHMklNWL>j9IS$At9i~=v|<;)wdC#ZJgA~S6AlQ@0ww{J$n_s zs%|=-gyXa_Xmd+TBK5;0hK)Oo3fmi{JHcvUjj#Jm-E1hwf7uxqqYk$$-l1;TqfK5j zzIC#C`sRV1l}E02tyPQ|S#9bc$93=9w8>6-w1Faq0hI{}`+Mav_6z%3&o5P9cXV=g zPt@!-9Po&6RGAn&7QEt9P|I!Ppk41amO2N*$E2Y*CLLJ ziBPbjDA59K7S0bH$!vPwBMh|ep7y@E6U^>#=JM^tNw9Y^RMLt6dULduNLA)}I#C6t z&XPOPA>2wW-5e@n zDHXF5T0Y+#G*NFvUwU$Fopot?1NTR}5nJ@>>1TD>GMxnr$N0DF(MyXGR!}vGpAXWO zW||~+qWmOUZdByJ(;VtBByUYeZpkNiifv^7R=y~!t%v`d16;}KCD7u4v@xTNg=Gsm z2w`@+O*pHO;Qn3q(d@m~3Q-ab@Vr}FOewq;Y?EHfTOX3~*{4#p8`&@}g>ThQ!~KS^ zYATzrq-4b&2KMSO6LRR6B?k>TdBfYZWVA&!_>zv-xxyV6a_3|zd&0*Z2Ca`8l%A$( zLHbtmmKy4=YIIi;oq_QH6F5QLJdcbNoT~JJb6i&G4~WKFlIVy-`K=HVr;oaGaJ(nIf0X9pn*oV2+KRPVnbzR?ZK@Uk6pN4V!>$)Hbb#bpk#qP*`|_qs$Ic zyQE5Z5q=z@ApF2m6(Qc2UoGzTCb~8}xaKI^!cU{7!)>lQ#uuC?t=eL1jb3h66R0$s zUW&jFj@bK2S20$L{y7c&8z&;s@^=DSbRhLY-HD{wFPX0)onh%n^Ji)wLhym(Qzvt$ z5bl|Geq`TNo|II=GJ5Ch?t@8m=a(h3fAxtyy7UXMS-5IaS&cTNPX)9>d}wS-2H}|l z;HbZ4-7ShW<|xl8#_@+yymdN(p$RuruOlqNy|kyV&Q=CEt0}!RCjy=ON})z$YC(N? zmb-5=b}rwbe~M9Qm8%ph;(d$mgi`Jyl5fY%RPOvAw!Shh>b325+c5AGBn1Sd8>A5! zy1N^sd+3lsKqW?yl5V8CyBq255|Azx3F&hWx}WDg?>V2`AKcFWt}EAC*XUDCrec4B zlmPSgD&8UC$a3HB0rdzHotFWxeOFRoR!`gMV!L0?8wN}7yhTsuIQ~AxS~*M!fAX8h z;*no?+0%5y>J!&M9@TO;QuN_vr{5-A7Tt{GM@#&*>Jehf&f%zPXhKtK0R|xC#{vOP z^2b;8Kb(!^WT=Bx*IhPqCM$HRil}R*T;IKYPZ2G)TQYf%VJ#v1+UMrR+pMZswc|_X z2E8X*6-vN>2_AQ2mXHK%H47KEq*u~2ZUIjGxy?))50M@xttikOL2ptaRPwBgrq=aR zkmWT87=t|7mfNhhhqe=tlMu76H)$Ko{|pIMst$sVx2^|WQ5t921(Oqf!}7sc3C!+3 z+`TmO{J7x7h-g_d=Lh`zu8dbG?-a{$`IXv!SQ_D3AC2r0y)6!LoJ@yV3R!2Rb8VIr zhE4Y7!Yy~7k_&0?K^LVl#8>uq(Kv)&1#1OP1?D_$b@|G9ti%QZw3G%u?r`Gh3G>3n z1-$X_Mh&tn@bp2DxT>b?890+jr6f^u+eFoEXN2cEhstUuD!k}pmP}SnV?NfWH1M?i z9mQcJmhewIuFwx`B1~$}x?i5KA(8P+0|X(f#7OajK?z@Xx1rfzgvR0&lg|e}HnHe% zzL8rc)LYPpPS9>a!>E$xZ9gZ)ICz!m8tk8)ueh!@S7JIQ77fiefIFxR2*Mzd+7%G_ z{aGajy9}~U!DNy(tdd;xIB_PFXgBSPd5weN61lR~=S^gQa@+~G#PAZnXJ|eSaO_+P zfWy9%mKRSz3gkMX^&QO4s|G`azCVruDjc{E;g+Ar>-b_;@wamvSRnLr>UDs;D{Xa; zDAFLbr&1VJKVCbLIi?P1Iz=Wkyw88~SP(rE#LATkxvIUBl@ki5jSpCYThf@ls3MS* zzD@^~MdGrLMy_)SHjg!FZo6!@$onN1)2(3T`Wz~q1X<)ACn+DQL7U^4Vjv7RNLiYz zDq_9hN{+Xkg$hs^!#G!1d=YdeB{MT2UbFyK61ihJi%l(lL=FxQ~fgwTx{s zHg4l{r_(fQLKf$nDcRAgmrWXQBeWTStjh^}sh}|3(RO!USi1v|Ef%5h1D;m}|66o1IKEoB`*(7*i5HZbz z`)7B8Od~%;2q%{^04Q~*`e7bCAbVC^7Eaqa-g;U=U4|5XQ5pUK&*gm9c}bTw00czz z7s)MZN#?#8K2W?aYSz=a$qVwdP4 zGP3H4dC^3&(|B2qCZ+lCot_XKri~f342}HG`mvMl)c)uquR6Q_yXB0+r*ksBH!eMK zF8O4{kxRflb7rK*Jsl7MEA!4M`svy5@6wQXX3pL_o+I_JY(yLaWVOn#HbFi$jO!%v zYNq9b3lq>$(om8nqhvR{n_{HImkNlw79@xn zkI%`Va=>I|YQ`Nz8TtU(O!R`2x=5qp)j9J72OZS~u2vN|ZglACdJGAwZ8d3xAcun% zwW$~!SR?8=MVphz!r%}6zHdcJ2~6S-f6u!x9YbVwXZ%7_qwSCc1iXHrb348$!!Rav z=|rl1Jd&cA(H=ARJh}$XrUTzfJHW!XuP&cm27M2ew87aYwGJmFkqVqq{G=CyCNUfH zCbiajJF-_lcyYDDfUIM*+EDR2Dw(VaGgJ+f_@qo$9?t7k3F&1w10IrVgFPywY#zt$ zQlxdTz65C^p`gY01eYfKY3GP#G-KH;F2h-0f+Bo7tyEGYKe$sLQ@7jhXV)3YAFplH zk$t9juKr=^r3rSnO)rYLaa3VQU=8HAOBT2z-I1SxA?{KnC#vnb{$Qzs$6mV?Hf1?{Yjpn>>i|b5YU$ zCCvhzAY`K&mnNh>-T(CZfmX)MzOI72&U{tzpZywLb`f-Lff%9lilb}5bfOoea&${v zOYY*#yv?mnCE1~-Qko6mpf1Auwm?7dfVtp(RYt|DcPfhe+>dGaLdY)tRnJr&iYa#6 zWfr%!#Yw^74IIM?G*BF3(-h)z70~0F%3+&)1Q-+E0E$WFS=Uboa2cj}6XcJ*BVIubCiEBqX?R@^Igvq@Q&qbTBs_a=I~QKITs zKzJTHQF4lviFLon|6Ds?n?bUo=qQluQFCgovX?n>H$ED}p%ctzzNMASZ;L9P9XqtA zN5;$WndlFwz>jnrKm7G{wFK8&dthzchrM~Qbr zjzKwN>&d~$2=jS``Z&GKK@KA2%`TNDuguR_`X_u@I4>lJWY?*lf{wDlm@U ziyW&G;knXYS8(*S*}sD}w4_i^z5K-K`yE~@4~>v6$Fc14V>`KOom1Bl$o}{N`M5cV zBQNleYt0+D*)3n#o_L$Qj%e&|Bg3c;m9R>Zg;bl6N7vpdQ%Hs$De>?;(zZb*@CS5V zfTog)h=5Lnl>@K?kuR$!QZguj(rwZl!z%FjG}vaUBRfEN9Vs3>uU(rQbN3RMFKq!Z z<%8MK%Gyk8Pe;vL;LPnoVz+l$c6iM2s>rwer<)p!!Ug5=Ko7iUkzo>BH*tTWgSsZD z+QdxK73o*gCf*`#0z?EuR&YL+tYdfNt?W<$SwoyeBdM|4yvNprL2C$0pt+Nu_0R+;M&Y2p3&;-xui)OsGau{^lo$oRVTtBAs4_hSQ#DvQ&d>@ zQe7d-sfH6@!`Xoky+{{F(MQH&$u#v%FBk!E7w=c;J z1Ev94hEfTT*PEFBC%-Hr*Nhj|^QW6C=A%Dao+DWzX{(zf0|bC3c;}*Vv)dG8Pa)OE z#g->kX!;hWN8N^$47%w-Ml^zw=!YLNGzEj9-5y6Q6b7n1ZOP%I1mYO#oweg{E1Qb= z{VI#{0EHIF+h@E{LT@gfH4fL%-=hFuVABcGt?~BNb>nbz)?GDAv|9PJ)|dB;_9`XqOZ|z}Ee!Fc!p3`%u_Ym8O|v$BIysa`4eRxC&{vZDbNlTF8R2 z;*`ys;@P4r87PMtx;{C2@J=gho>j`KM60|_jt9Dw>tw6?c)%>`Ih*P0dwW!z7lz0n zap1v!JB9b&;fOcb;!M!z)GnZQs(-8f1a!l#-)+U4qlmkWs?mdvTe*asEmQp-uA>ot z4hLSa9;E@)mhA)J4)PfF^FHM*f`O48bsuD)3h2@ORfl^;j$mkl_NOdc!kte2#DjRb zWbUFFdfeO89;A5s5)2i!{}uE!z|_RsqaGkOtf` zkRw)F8_jaZ-sPf(anodC*-pPwu7rs&PKXls?61CGy>>Y1G9AJP@7^Z660dArCG2@J zRnLy4c8&zfZhw43S>$?H3{$LTX+lhU*Vnik99)Cm z?b<7M+`D((nG{j9ssHpXL07i2lA!7sGt&B`o8^8m*%#C23Hl%K>}Y=c&KhmH<#G|T zge~p3{{R7c77dtSkkI50Zb!h2tg5XyKdmp9Rpj$C)6FLf#>zlNu%7p!74u?Qjr-D0 zKzZYL7x(!Gocm1IXQ|6sQ>yy!yvlJQyx4s zw*S(7t%jodGHTvce`*zvdJH!;{=N4JaC8#x;w#s_&$a+&tdI^2o3Tn6oRU?+_@dII zv71)c;zQ>!6Q!7pZ<^;n+tHl}eTgfYte9SZop+kb%T!O>7UEc0xzD&S5Iyy9@kztv zl)a?u?>IHCVOO6X{wbwHPglf1RMm4CuWjzeqOc(B!Q1o%`xbeIoB%?9k~f#8zcM6; zAUv+%_O&Gf&C|$7VJwe&OqDPO4>v1X9$cP-F5D#`*Zi6#k^r9TIrf+Ss)w5L6F52K z(IZAi+0`!RI0SS$alI!cF3pNY`>eV;jE zhDPgft)}F-;_ci}HtOg>o8+lJk3z{vKX7;ZqR4oGeEgt7;*%p}G?)a*v+`Rql)C+D z%>R5f5;FepG>$R{n^6yqn3JBm&p>ty=Gv?M9;Hm@!WucZAfv$ zD~~6uB+8(Z(>`H2_ka8v$2x$G0CsfA4`9+OxXty$S0ZjOhxZQ}L0hN=)Jh6k`V5Db zxR6ig|L%n|PU(Q2W64t9i23HTl*Dq990ZV2?IFlb2m1OBXS|8y_hZK^Va2QjY+>MW z0zKL6OQ1q?g?7_1*?+G94yfMqp9_#6fCHBtObK)o+Qrl+5AZhuITqQq|AT@sEzruY z+B$Rs|1<#7)6ojXu5QfDBHKbid~D>hN@NW~6v(+BJ85));D_OJ@!;kazt`296YrwO zu8*Td>w_b|?t6W`B@aLRzsdE+@l&gy?^GCi0!DoZ8`0Ev`AcpB;i>x9rL&^?k~FIK zHi;v>e*x%1KLT#qrv;}~6M30AG<#9S``pXC!Co90jp_e+GygeZIh)ZPOU+_~P_s^8 z?}R=@k*-Y#>M{&^0=%A81zN~_60cw1835Aqmc3frGZ`}>0qFlTPzf&LHj5mkQPdx}hx{TO+KY`1{=|M4AhD!2VTL5ypLONV2?L4jt} z)|TsBZ?rMdW%rbTktpBwH^DTU7!_YgukUvgo&4`iff-(=LH zNl18yx7YTC%>1 z&mt7S1OIagz*YU1(@b})WNDFw#O2uZg2oVFTQlJz)d(!#M7zqA0lwNW9#2ifH3b`tbu`On~&b zKId-?J5-8Nw{k)~~-55&tNBI%B1At;Xl+z-$kTqc)q%Bh0?IT~^8&71|} z1bAwTHgDjEJVn+(XV&|C?D7hsFeKCvMY_!8 z`Db1K!P-}IM9d@>`oBy=|61s#X8&#hSNS{m%YopW;hYpkZGKI7cs7euD36}yduEB;2dW?q(G{VAs>OUMe-V?_OfCpuF6nA}z$NPJEiYGJ5`KRHM5_kl|In;S zEjlLJEr-E4oeYcNs3qy-F|38V4WcFh+zu-fp4JJ(8+jrMg-bYAu(y3s7oa>Ivj~~^ zShwu0DI#V6_lR>55mhE^P#lS^t&>ANfd8=HBA4m;Cng&ql2}2aE!{?PNB%zx?2c{KAjR-4k=82b~|5yG0< zr~{Q_?;@~+wQ>-d1{htcI2`5K02>Kj88VPn2Y=XnF$EB$j@br&yu_RzSZu5x$3$UA zb3&MvUCU!yB}lB+5ePoooGwMdc#aG#TGiP(5_qn9(s*Nm)gaP6o4QVHr2(%fWZu1@ z=7Ccoa@`dVP&_n&TiM<|)p5_5eI(5WUswPJFnu-xr@AlUqwhJenK&^GxsO)C##djj zoQYxjPrBVnE?4;;UTp@cKbPr@0b&SEjx!STIp$_PGi79|_U5QvZ(DrgzyP;X9~p5-4oWRH#E7-W{y9}FNS@DlJD|8eH5K+ z*jX??;OcQUNs%gOtCDdg}{}Y;3HxjKD)GE{Au3bZ3UExAM zbIwQpVj!oEn2e}9W-ARKI=En8(vOttC?()(vvc0?+^I`ZtmjWop|`--$dP=6&UCwN zwNlxJntzm{ET4Xn-UHmiX7d7M(30tI6ezUWP6fbh73ajv1jZrV`VI#1JYO?ldBW2r zzV9FcgCAVIr04<3;P>*uOk2ZFt+Zb_c_80ys^G;v_J{)pAkcey|yA%cwU> zs08hx!8|qj6ByB)b0!)eOTldiAjp3RVpR0Gm)MMevw)<^pn?kOq+$iZv-=Md(N`Yn zykZ}SFMJA*i0n}EkoFQynkS>idPXm+Um9V_n|TbAh17ck8fK!EMB%Qe3ZTd)eXE{* zWF@Zu+z$y!yCL=bK2AP8TIuB-dwy4i#XQcx$N(+g-2A8Ur7;G-VWBwM!`0L#l@uZr%23*2tyU-k-`{0ZCu=A7kS#l;ogB?HTlII z7|Qz5H0*3c+f#w{Y~+{2j=tr-Z`H@pk29LB`bo~HI()qS9=VMB@ey8;XxgCN_! zM3xd&FRAFu%+v%eJw^p$0l@LvA;80|T9N5lRwp|hhTjL6Aj#GJUoL#g=w8RmIu#%g z6ghMO?ci?<6)5PLqWrC~r+Qd6pSiD|*l@Bd2XJjsghb1=5loruZoR8UH8=iY#joKR z2||fD!1}LGFnz*8X3FsA9_0W5!RQ-4o zbvo*|Fjrf1Tc=-WzkD$1$A*YAf<#teetl^}#0;O5TP(s#E}6+*viotvTOC#N%x0c# zo1IU@EeWvJ8VIu9Q+BePv;?PIoOckYy=3^2b-ovcRzjjT{t!6F`0ZE>DA3cd?!1xA z^V8T{NO)2Uu8?WZZW`qLQ<9U*ku!a38@4MLUHqwJzj4jdvxhF}z0J6J;xD0J_f_Fr z93%xz(kihjAm2BY_~TpXy2nM6tF!7n6@)8zHDPL&r_6yQ^p`JZfl(^gDYrN|k=dVD z5eX#t5X^hZJPI*h4&wV#W7Mc~@N8?qF0qhUWL$(Q0gZ;dTlZ{CyZpTJaH?6=d$hnj zs3H@R5V*U>NaUAJVq0{xpFCBXMzbNX$1?F&NZ1@^Az}?^l})GfCFguZ8@6*%9i(C2 zkYRu0*H+)lHDH6MRyIH8PBw)hGl0-BaFlv^W#N5peZt~?^R5oP7?F}B(CG1||EzB| zKvBQjGW*wIuqKEvV~mbR21Hb!fwE-oW~7L%ooCN>2_j}bW>mC*S}Pq9x>+`tNa?zb zWEz;?);+?LjcuVWJ~w^6z8739-v{S4M@sh|2S6HfXWq3xmlEFi29ADu`R6tTia%yM ze2Clnp$H`_HJtfKGNfz4NyDPA$u95D+jQV@0z_J%?>%e6P-8NCZeSUX*SG?hQ>Gk{DsA7W2hv4=}@t7^JFJzGW z9(RsmxF`I87?$8t)p9ju=aHP80Yf6=9Q~u86>n^ zgz5ge+9prI8%ZE`MHX`hkdZWcL~9EQSLus^8e`~b`1mUf*i(iH(E?lMQPD5IX6g_B zpLe2&;dQ;LO;0?$BcC?K1qxdC{4A}MC?6J&_4@jo4wPnybus38Cp@qk4BaT6dni?7 zo5*Nf>2Pj@mxfK=p_;$~|0S1UA^cUXsbuyhO@=w9!{lTHqSA4?B6O6eLoYDaKjzz{#T?lT#!)QeZ1VONn+oeTrd$VH{u$I{~6^G=k} znLcTKb?CH2GnVi2mw-b~{~0>d>dDdo&iM`g5&kwcbb*jB*7gw-Sr}g{AAIUt1UW9` zPr#!ZT<>G~&=hS$^d17OIVu=)+og=wGBS*lw>KxxxOpW9Gsp1l6EiUi99aRI33(gv#yp? zJ=V}w;hBh9S1qz)WP;tbk0Z4vp4m*HF?|H6nXXmVn)ng%xO3h<=aRI926GM1nAYcJ zH(yz>bcCsq`k6oSfAU?7v)PI5s#4y^l}s||k!`VA4gkNa;@TLY@;f-4zj#JWQt^CR zomt*|OKtxZxE9H4$0JowN)HQ+_#Wgb?a=ReEaIHSxGy1wlnaNncE=hY%~8h%w$c31 z>X26fjlA-}RDUbbUX1|A1HhC?HfDxazTj{W^L-!jyk~t}`#ECWBt+p5PAdR0p|XrJ zA~f&DHQF2JnjKhRchuJPSgHO^R`N2IM47;X;w(b3bSLzT~Lvg7FUyYTSz22b-yg?}f;Mr?n~`_X!Y7sK(c&-xUF+aUvU-A^FZ z{v?)(pY@A&1QJ?JAlzUin6>>|Id2=S5inEM`d=R@hY`Ic{cAf4^-vVnmMVv-tUgBz zoX?=z-n-DiQ(3*0sKJfifD8n?NV^qGI7OHlp1Z=eK(Bs1yp?wD{nQQtV}o02$)Lz^DD42WVZ#eJscANKhY&8+2}CghgRwxp@vvJFF_O!TI(|C z3on(6+kq9CPxH^d;KO>pEdE*@2=;l7cH~tp(yt>|L~A%-m!%+s5%TaG9h3vkQg^M& z1Z*zb!wFGoMZiFi7b&aC9Y@Y!RU6Gi6wB*`p%rgL>d8iHy{bn@+J#@G4fZ|jwe+k05#Cp4_{u5Jf~o4=$kbfOdC5(8u(wz>Liesv!Y*t~bR>fT(~iM>L4I$p*oLziNA&S0>)!Qnbpq z`xgjic?|u;2T335euOfWvS*Q4KWP3@%BLUml&f2uR0f0T)Ccs*!e&cQ)~Xm3aiH$t z|DKX5EvXnW)*G7ih{Y0tfO_<1Nkwe@jVjxhQ-t7v-Q|%%d*RQaFiF8dJ21D{mV*kQ zXB0;jen*b{ljk4Q==MG#o1i#^5I5f{8TxG@YNF~IC#R?7z{?{djQ;K6CCkt0=N|8M zb|?GZ91_Y}xSrWqYDL2cFeVg6)U)-ynm@bW4O3sF91WEG+F8GzTQHr9cz4AD@)e7J zqb)^@5Dm<`*g#C@7b}I!<19$@R$5Q;L>$!uTKNL5LWNCYVP_ybp5v(tYsm%I=gv}A z@QM_;zS37+W7MSGp}{yX;Vnkw!ob{&lZ1MTsxUdDMH3Mzpasa^B6vk{j8EtD=4z3< zf=G}`>dB<7(kZBYhMV^tD~YcXGks2&?y8hmCpR)09{j+Xd(As$qS#URsIn*@8`YMt z30nOnVKJJ#r5l&rzS8^&nIFy{>T!hHJAG@U^`9W!vjmM1v??Rbc?(K5) zsFrd+Ed@nPI4cG3&&Wro?Bd}s#x0MD5+Om)S_67xENj*D_6dUDv?)h)G=gp>!mkX?L~Q70w>sp#ulEZF zSrxD?x4b=D?7Scelr4$;ZaI`$;(w#wk9a>ncsu;S6{GS9*7RqnAEl%ekM_(gdjmgR z68!Y#QFPy9Q!^eWYzbg-u&9_WcY*%x@pqUBv=+8Cl1Sam-Pys~H?MsBBF>Dj)jQ z2DO$7%QO?Nl3;(%`y>+eGe@$g0@x~l3e?D%=T$~llPgn{-yh4KJhiPbSsC1-w*)l4vW07`5yG#Wq=CSDp-mJ-{s0#N z8GlXucv=!8+JVRU!8!%aZ)3c?I&2ZZmq4}{V$hFA9J;JlJ_Qz4C;EG$-w~K95BLsz z2>V|jk|FW&@Xf*6OL-kVB4z4JbqEW8VOUV$ppVOTh=kjoQ)$-55>dlen9pa?c*;V+o-+dnFIPm<8 z;Df*<68zIw&8<&$d&);YHdlOojX4Ii?Z74?TXW!{`bFJ#S9%oMEFIx0fu5f;N%o!# z;SE#@x0~NEX;>s#Mc?RGfL)@gD8g&v%?r#Wu~yYfdmzbff%^B6-9A4Mt7ZPF^1DGK zK92ha_isJ?y!-NKMD1~geAY9HVMjb@<@k-=f$Wk6w!d2kzaEZgwX0(p%T9#2!N30k z^70`MxbLrFHmu}fRr*JjQ(+oA-;XvK?(jpMHaCzUmw+$g4HwWjTJ?DwqJ*!jGj-rk zFVJbg)w2_AHJ9G}+NTjd>SxOhDjadI4z5M7`9UyxIXx@uwYl+=$!qf%Q87CR1VB{& zh#mir?_LIJSV8u;AKk}?%FoMY3!z_3>B&@3(vo{W1bMykerAO|uzd_n0HQ{0k}4$* z-2U*NJCEZtCZVj!5#WNRD`6~Z0E5}!@{{!I^j9xmZXcg>#P#eYFrel&KoL(0^^bvY z`fCrKGTlwI)^v@s@uG;_6BI~kKEvG<)A6%zPVnF z*P~lQ^zDhDda7>Ro?(5FrBm*+Q}2t(=9{kTScdEm0BO4MhdN7#fNvH5oSy9mW;;#J z=iFRA2D3c+h0gu&g3Z23YT_QO>gc0&&StRTtIg}9uQyJS5QeSL&0kjLI$J)7*Aj6X zBEfx$H6^Cx*m@cw)j&;u9^#^S>Meuh=a$Reu7PYFteGz5@+xQWeV#h1XG*hnB$b~n zL+~xT8VC&0qbZ{z*uJeDrJei&nd3nQ@E$voni$1{2X4p+|L>6#Xkc7jZIfbU&|#Ub z6SaUkQ}=tkwNDj$iRxP)u-fWQiTp|<6!NKwvTjU?B=#ttobY>LB7auy75QmN%f-V5 z{$^K@T?DPiv!;mL~+I2f)OY7>pX%rHkxhfdQ8o-RSmQ1d7x$?PUHQwg0Ie8;^%2K3f z%T>NvG8@A0q}1BL29@li|0q(^SOw)+$*liKsWVMBg%NlItiKzD4xqw^nO{k-!|hoh zww^B+kCi;75P2l|6QYbCsu1I%HZ=3w#R0usdKA0Alvao@js$8nj?%@#Kxsy8+nE{s z0vh7Kzd(ky^4$FL`Uqp65|@HP$*dPCBP;Oteu04Z`_)N7bQZ4(N9?Y<9T$TYpMnA@ zFA?F|i&(V}9pWFWA|cy?vjH}yUQ6LdbH9$bOtVMDbXX;9KbQww7yo3O!V-zW$UxG8 zGs8iVXz}xXPf+mzUY`J#H=jHMZnGN<)K^=h@WWk6VJW@>Vcm>8 z6h5b97SI^(yz;0_Ou*I5URF%qPr0xRko3_0$oZ)Zy@gv=Uc(;F^RQ?}pC+lWYvP~f zB&&uyu&8%TA-|A#I7HploTF_UQVSJgt%U5XbGo&bDI|hn4m}dBmOxAwh0YWpUQ>Rg zUDbWN=pZeWqA9T_`5IKMr|%cfj4tMu`4DB)8Cl38V;jv1;hR9mk68X~d?SlLu0E?| zCt*#zz4NQ9(!rK`jL`~7A4L84Ix1nfJ}J-**bxG!c0bJbC@Cmm{R8u$Yo_tckE8tF z(9Lf8q+!`-Y|GmaKcYGVXl=|`)w&m@AE=OWHB|vkf_HyTss~UeKHjCgACB2;m-=p5 zndD;s!YO7$d~STbD&#pPHMq9^&K-U1I`mxXUML7KjW&Fxvk{oBj+2&iy-$VZX(Q+j zL?4rKJu<+}`CMFDAUev3Z6%VvUJe@B|KbRoz3!Ag;NxY+38&=81 zGNILACA)!T_gic}fKHpD6Jy@V={rnjZG zX88WncH1R47;4mG~A2d?N;NPQ=F6(@RV>HV_fy3UsP)z$*7ciNs{-ia(uDxF5s z4!d~mCmUE+c5v0;V}3>30~3q_Ck;+&Ke=v>(N$3XLvR=STr6_8FM8g*`E@e6ck|7j z6j*5NuaGcB(m}fcJMy8}o1v2vX8Sf`@6F%UL*fSovms=rF9Eime3-Q*qt8Q!Be+^v z?Co0yda)E5oQ{aj0kzV5+IVxui4YHVOyjj2lDFgFHF=gwD&&V?N*p&<@~Dfp!CvZ6BD%njj!fn!_?u> z#rxQ46S7eVb2ID>{4J7^&kD%$-Jy72ecre`{D{8r0!4eTlbfG4VL3O~vGu3(-<#tX z1EG(AaKDw5ZU3*z9z!d5~7W?G>BHgAo z8J4-}6fY?2H6f3wRmKqY9eV^VXzYn<`r0jn12P2&m46Q^X1WDhQpl~lp@68_k@ku|>RL?Qwn+^MT7QX6$&-;|ywC z`b6fk8ve4%@j3HH0dyVbUHy?QH^Feh6c0dC>bN!dAVuw$DsIsy`F(n+`$S2r&?tOsO~7J z;oho1>puJg3_+enEQDqyu2YFFNhhj=Th~CF+jcv%-jXWIl0LU$gy|(ScU}%rM~YF= z!@2`i?pH)>0r~4YA~_XwK}HYspDrsPM0wHXWp0XvEmShEG|~n;=xi={Ms~VZmW0NN z$$nFwAVu1jyC7I8iqz-g>do5P|Y%84-rS~dv)V0m^5h;ELpPfeYq2tE~j5< z@Te&8NLVGQ*i+_H12@> zSzk|+zj`n;#m;tj7Lrhnz*gOEBHhyJI|8odR$_2AQ!Z zmGDJhL2IYRMZn{deR~VhR2g~>&&3{H`!cYRrohxUo#+a+P}x^u(*HSWS@zsLsA6O? znhAM1`8>T3PgCm&7J$bx50qkAB9A^s@z zJBH5(?^Bh@IH3Olf_3w$3DM2;uuabK3i=Byg}7yrj~={uz?q~2Y0i{HYo_E;Oda!1 zVKMITn}A8t0`!ODTWJsxu2_8j|s|TKru7ZOFMl0vXeojmJp~%-Kddb7w_OE&qB_#!AiNw95NZRdy{mX$a zs}dtSjk@QkL_KI{D6n=r(o})=5hr7b7_5q{wv~|GIjx}xQZq5`PZNdu-?%0MqB2C( z73ANyok6+zXtZAATJtf+8y4ADK?CqQ(w$l2KURKnc8rutUGW-|%yNw_yicH?!zJIV zcUiJ{^N`vU4X`=H<)XgQuP^L<`lMrI(|^a`{}rHyH#BOzBUm3Z@_}-2P&`;|aLBST zU!-e~zf(Yl9DoEK^lkJD?txv{(3@}hio)yS$N8LC^o;FTIs%_#uzF|m(((R)#4Yqu8sC4x9=-2hP29Pwe4<@}q zZBjgD*|Yt?t?z5Od6<22vaw%aFL=|U7~0g-pXNZ_1m<%F5?ak~S};kH9@ASFkpO>K zptOE8vUSvDm6os0)7D;~G;h>v$Cd z?rU?%!^3vhg0r`;CBIbZ&k8T#POy}mr!Zhuu|Cg9#8~s_e=f;UBw`d z>YYr6H#!3U?j0Y-aZyuVrs$wl6}RZ5-t{lRn+8tl9BTKH1Z!2{(Zc+_BB*;WoYwDH ze3F*hlo|NsVL_Heis2oQTB=jjzQ7(ASn7}DKY=-7oM`;E87GIqo-Lw??vHL!n+52+ z-);>y2iWug2_dYx9vj!#=Nf4-C6L!E-Evazv58KYL0ZHHRK0Ka^L#f={n&ok1{td+ z*>9`8z$c!cZ11D`g`3rH0m8tyb}kJG68E%h>h{~t`6JWf=WICPaO<4W>sqTR4N3+1 z>acsn^{p3Un*pu( z6S*v@MD~T3-o2$_c}|$$Xqoezv=_6Ow>Vl4&0;ZtxMyR_YH?zchLb6&d9bsR&Fr`L z*?qne5#KKmnwf3gt+}4~2TBE9wr`?R(csP|R?+%f`Novbh??H8LHhQ=Ar;Z2XLB4# zPh6|RG!u+)2t+)?$IXsP2TEXtk(2N15AErRrYEU}a7Y6_)knMwC$_)?sY|Nq-%ICS~D;9*M;T~kfzvgmkTGetrJ?D;KJgNTlvXetFA}e&a+ft`2M01Ic(zy zG`8mm<@0(^91WvDKDT|4l?I|`2{SzC1ikwxdD8GJe$jgpPDe?Yx;sKN1;#aV6~y93^i}s3mN+9~{T7vaXa*iC(eQDR}JHt>MzW5~0Y49luzz z_HA5p)Ei}19+0MSYl2*l>26pDw4$Ua)ljn>oBeFfk23^n8gPThqOqY}{PR8&!IS>a z=wh@g5@9`YWUTf)_0$FRB$&sUF_z>b-?&IYq2kTo2=NHa)p2E==gAmUKL-2c!i-N= zU#y3h_L1}p_8mUYp+sUGuub0^*4y&N_c4_b!J818{wX{v1^s4$$8swwVUKL(Pzb`b zk4AD|Yzh&rfx)-*^qg}pExF|n9qH>svj17hE3Ia#q+uX~fQiKIZD zH`R0ZOW(Zr_?n&?MTqu^xZc2<`8RC|&?rG)7t!(rQT{T{9`>bYXTZYhwlF zo)FEiI>z?=-p5-Kn>9+3F(<{jIB=BR&H%gEw{u0!-JOfuuLTzbU1&9HQ#5DQu8v0z z&uccLkInl%4{Xm|3*owz{GSR0*6xoZSK9r;V|?Q^z;vKL_!>2Q9B!44Kt6~}p~Q%7 z5Kb=yUcMs&hHlK(%QxXWo;%?_B+|9xcHP>7{V1hX8q@jG&o6qY=EvJ zu;tbtv&}OZ=H=Koc#oS=k48?xc(C^=Y;N9`X<+Fs%p;<}#k0wHAk?u3eovizbL*(A z-QL_Z#yxZ3n;6L~#rC=x`nf+4tg^YPfiBp$mA1n42vOjvN}aZ9x6$0Uz~#617(`20 zA5vE6<^7n@wLlU?@u#>PHLi*wPMIZ{v#~A{U`~$`eX2LcCiha03hSR_wm1S>pQwHx zDpeE&9v_tkZn{dze%skIgk2u?qV;C)SD$Q!8jY6_%`do`{btaYUbHN1Lj%}N2F7t( z45We5#TIfe&0rPx_H*iQLI)IZ4J;DTl_zV@VnZ>YJG8egI^Ml@+ysP|M~ z)~E?3v{EK$2XrG8OO-H~_DVHu7-m0JujMuw9nH))Fh)An!$7x?NoA-nlPG7XtLSN8 zCjpd${XrGkP7@Nh7z7|;MTP{W3_%}z%o-CqfYp2Whcu+3pa`AFT6AS5cWqaaz@`6Q zmuaTO&J~?tJzty5(4oL48BLPG-cJ(@F)CBBf{aRMoN4j~G~7QFl)+z`z!L9e#OI%sDinZc7!Rge z#(*Xc!F%^m`v$R=vQvy?A&jDALv;l+3xo-Xm=E>~uP!$B8RGj>&U~;RnjVcD`%_v+ znpPdyy%wh)7yU`WC60vERPH$|e#I&;0tH^wY5l`4R+oldl-h>>S41302EAK z+tNV1RSTN04~TNO`Y?5ts>AMn*q7AbT)iJS)y1`0&{zd~jC0WeY2s}du|j4x6)(PD zr^WN8r$N|1l0Z-yt#<&prZy13{-Bk>_hhKKYH_v&+kaZArJqMsE|}Ow0mvY0_)g%~ z8faBb1cF3po>FzYQ~wk2fO1AgG!tB&f#Lf=`O}SptS+RF>TLvR-P=fDK2ZLe59qCn zHLU>QwLVcVW5&}}y&gG$h)Y(Po`L5ctIHJAr(W}ph!Ro9k!GdcdOqDr#kwyd;or3r zR|y9@Fd)PH1qivMJP|1yUD?FRs-_sJBfM^nL9FT%cm z=3QAJI37_$jEZDDrK%?~VFIDCd%kkQlUYd&rc}c;5}hTZv-`iAyX4iG=c~5U(lXIX z+_JODN%7nb``)r1jQ})2R)SfpU8(QZg`e$T-OazMqM$qQ2O|Uge)h!dT-rZ#Qy}^* zlBrJ-#i*LpGYVLh$ zo=e(-{-N}}Nt?9?6I3)W2FrbDmtOMxhS(!303M;EO>9NfxzSQtS0MRcztG_g7tT}V z^Kc;bnmeoBC)MF=8&W3Z*WhVW_?m4;-&FEKrdRJs5Ly2|&tG zbMZi)FqLW3W0_ZFHI|TusIlO8tb`NvZogL#Vv2M61(ECF`v0E~K>JKf5CxHVdd7m3 zu6*BOR5Z2a^+RY6@uNqt0{x4dj2{R*OYZfhLmGrWtrI1>B6;N7+oXk%FeDiU+W+E? zCK(}TcNQkMwkFr$6*DOtJioKA?htI9S4-o#HTW`u$|zY-8N#h9Rm36bLtEqje_p^6ylpML~_um(E2*oahrbNamg-2d!Cm z?9h#_H8|;Q?Cq$Yke8qE{vWo!GA!z-`&Pw(frkzO89+KkKzdMy?ijk1?(P8urKCeb znxR{2Xiz{}x`&c(R7ydSd(ihE&%O7HU;Hrq_Bm&teb!!U?V=BV68BiHFoJ-h$g2?4 ztH7+gJ-@AtZYF%Z(O%QGv32zGM17Wkd36&vXz}u^B`IvN5Iukzyy0#=gW{t$vY=Ya zN~z5e6@}>>TcK0mhJJrpdiybb%RfZx|8C~#%GJGTE>x`SFCh* zrQ#fgkISOFYCuWxL+eU!y%+w{PDnev#Cih3KN9rtKg`YBP^di3@osrOF|xOr0~jcUC)?#&i_TgLq$9A7f zr3;{W+RD8ERH&s^Rrttce8lAIcVQiHrEsDmDsnNmoAoYc=sr_0$l}(2M0~@aBB|-C zZT|HPJv_}US0XPTr2_ZYfBk(zjlYvY=tb}3b=y>x_-M)6HptdIi+kAoEqDNAlT5M3 z*x#d|@d-9~1Imrw+_X5%k>7cxV7HrS` z_wU{(jUq2v0hnW4cB!uYcP(NIJJV+no32b5oH-XT2sBmYU>`(Q|D`s*%l`h|En#8* z;=(`PClmWUN+0(KtX$O>JR}spf(~A-fgJW6Hn5dl_gSi}UyM-;;e=fO4*!4u&h=9h zv>&-Cw^6AJBcO(hP~2Fat2kKi&C7NdVJRZ85-dyw)t(+JZ0)G&3^XKneo?zj0WH)- zPFTCoFZK`c)141j=q4rvG+P{FQBiuls&CogsV)}qUC9rSo{t-r{jm-oEQ|X%FOyMV zzWYYSDgP&>{-sJ>_W?(l5V>KFgmM;{iwTy8muGf95q1g$i#3A^*p%saVeVfimgj$0 ze+bw(YzqjTSK@q7JvVH+w*OUrrF+WE(~hDOv5}&$)wulT$sA zFYfEkHSY)QqXNNQ5E>BaH~&UD|NYro<<2=zLodVl1ik!|QSg~1U$1HX`N8_I$)t;Y zF_0{>#TuXPPjrLiF}RtFKYtE((Dcta+JeIT-POZ1Hw~z$(9hCQvtPe-G%pr5z}ImF zBDe2;zvxQkPFviji{HQX6K;mvowY&U{`3*8GfGWd@?~OjLm-O-o%EU-6A8!VE1<}uFE5+SL(O#MCpTC9LHDFfyg3SU z-dWPz2+E!j$8W7-;{K${MM(y7hZ)vA#RETD{9=h}?toK32h!Vz+jQnQe$`hS5p22U z@&9rIB-Myus+8fd5$Vk3*O{m*pZ&B;GE1)O#_sybN`aJeQ`Rq?2nY4r$B$Tqnv;UD zFBV8&Xw^wRX1`&=cRX}$Y{4pn=L8j}E1%H&RbnZQcNnNGE8e(EkUzo{BtirRMj>rRU=lxj_@?x zQH!ol%W18*WhnGJ{z*POMY2eG!fCIe=MiOMzU9I8gD>r1xSfX*XoHSrtOkkUg(%R4 zKbwfag_U1mffK%!RuMWFA%QTswBB2z;90wL`26EmfGF* zJclxvTAYMa>2>V(*}v6JIFnn39SZZ`rKQ%u)WxH-JdCx?$QSV) z&HFvrPWWzxX~p%jJB(_i*^Diw_crWnkfy^FoK2&QZu=|a>`~Mcq{!M7~k9&JV;pCu_Mbh8HY4D z)GMa%5^?!iIj`jsMRYXRI_$E);Nmy)0ZwgNz&0iJ>;7`C-@q2g z{tL^MRs6;7-k=EuDkGH_nB@0ROx#K7Dt5ZXp_t@_50X_q*G#rTmOjea z>8tDR$)?N7J2O2s!GgjTY9MNpO+*@hUmCD!l0zwhUIp|+G*nd4f@2yqx=+tg%T+KUR^3!;T-uPuO< zl23W!mnVa|yW8Q;V+3*-At4-y@q0%P_8+D4-cp(`R3@Mq>2ofJKb5uGs$3kf?!ai-UTCu+Tl@Jw8cOl7mjJ@V;RU(AWOlsKV5TZeZ6ck_wUBsOsz~ zZ3KaUfX>s-&{}fF_NPyPnu%M%h4;zz-XS?_@~ZuQ;3la8~q4 z&op#ac;j-y87x01=p{5a-4)o6vxa*O-QbRi+Y0bOz_IFLwFMzw%cCUKUuCuqGlsBC zNQLhdhy!(5n@u=%11$P1s8~5A@D>FYd79S}dsSyB1~-juQBscV=Lhdu^pD^Z6B{IJ zvWoy|9c3OZoKyE%%bg!&FJ*0KZjjUr+80A3HZm1}AmOy#d1g$&zTL#K0efDlYb1d! z?AC_QTc}8BJSrpvV3CqQjW8Qsh+}3*CZd(--juAy-lf71tFPBR^vMZ>M?hL?a=E~T zCPxc4O^Wt()2WF9fk%NJld+J<#W{EkaW(GV<{S#07$`Qmqi!ImWgy@VMGruEE6dh) zEhnuEx0omu(M_OMn!ByFr<*c}gPUhYX6uQj(7{Pkpj6?CkA?4Wtv#N>S-7vFy^wqQ zwkvfvGca+yqiy~0LWeav9X4Nk1pLl$RnNNBS=yQ$`Ld%mqw89u1p^KS~> z*k?<1tvd$giY7xIEahjD6oE&Pl-Dj^^ce3GxjX2+IxUs%(KCj&5ZlO&Q0|jsJ)0!H^6#4uDzUB8k>OAeP6Q%^s?4J1HcG8PwAbsFU_3yfZ7%Z1x7? z+NA-upgbQ-=)m{qS8Jlb@-|(YEivg_O(Zb>zS1XO7lMZR(ce8J#Jx?j&v#Mgcyx5bj{S7@sjZ5Ax9#JgR7SA97-zlx8HrWNAjl@?b9Dkp z)X1;vaDDZXDL?z<{8VjmMv_m4J_-}7J%{YfOp*5;q?QM*bY5&NF!D>(FhO;zj;DpG zAUHb}PpS+v`*YIc9VXT+Zdj)}no2Th2!E1?TayQ-02vcf7NC09Xg-qgrF&?Rc}avv zwn(!uN_9gs6h9^T&@KX$=tq(dmKq(Yqjs56@aDe_$^W?v{q@JDaSofF-v30cFW~up zfX!Qerq`qI;D69x85qz1e7l!28D6>1CIHd(&kFbXa}G!7Sl0W{?H9bh5EuvMww?pg2YFZC# zW11%zMT>j#$Bn5K#W?te{3dOxRJh1?ZRxjLMz-fx+c=le^ z!AgGBv1Z`r?Z(dLni3bIrRP?fpld5)@yV~@T+)|=;vPcutw>mysr77OZAY=OZF}~; zrdPj~pP~h+fmnkUOl^~4y%8dB;+^lc%J$6E#(QA*Ar!}gCd0HKISVUfBHjftkJK+1 zk4Xww`t^=tv4c^+Mt8B`y@Oh+{*&mMt}#_GXFGpD)#Gp@Eq8*^x3>R-+WhH9)3t5c z%)5I+DL=Vz!%E#8e{(^^Z08)VT1E^NMpfgdgv)l74M&;| zJqwC&T~~mlJim}|{8C(^^)EMskINEtKYDSWE0o~d=)Oj$Uhy&z@2TOzRIx++@9IxI zx+@c5?ar50)o}NiFh@F%emk61ubg>B^p$fO@j_;Xcp`0q)$IE;SMjHs%M?z7v98U9 zl${=9c8Nuw7^TCKV{=~YijGS1(OTg3Bt>kBl@cJTtA=7_uHGDO7@DI@(;6@IkA=yW zEGtWftCb1RA!#0Sts=MQ7I=g<#;*>pembEKYd&mXu&^l_HZ- zM{X4@ufTjom?_TQZ8MbL=q&Gs=W|~8T`Pu@(Wtb-#IM$|=tPHKp^dJR>V$zGF)F`C zlu2!9>w#$DkIdPmWZui+d`VAWgj}T`7I;bc8vQM%efrzIr?zts{1??Ye~49t$wYq! zujODpIJOJWF{#|!SK@wa?S6Vr6s-ziE@o7*J3g;Z+Sz3SF~6C+F&J7FOO2F|>7t%N zz_oO91tJiKA}K}9@;0wZSWV|e_|Ros~)sS`IfB^S3ZxLSJcwJ5lC#crf!i@H`@cNQimN71qBX9Ukv2 zax@gi9b-kxg;*ZFygz_)>CzV6V4f?N@x#fmJZFdpC;pIC)nv1gcYv3lqqbrEq>viMn1$f2eA|LPOdKk{HG8u@|m=+tV1W|kb!U6 z-Lqp4JdI2Msa9c@6UOhM;ErRL=(@oVnU*PBRiNIHDkGClF~#H$Z{zc(KI8Nw{c5vL zhqT_d%GfjQN`yu{6Z-o2SIN@dX1nloaaXuer8O7#ZQQl;?M31xdy^(EIJUfcWmvOF zb*kSpriHHVm)Ec#0E#mm$zVKc=Z9f=o`+KWdtsq2GZMTE_}||lwo6Mfg`w1ItD8Y{ z)@=*$u$BiJ93_KxDS4&0HoT2p5A3odM2p1EE)nzZ2#E_~p=t4F3x%%)UQ4!{U}LOV zAdhFfv2KP(@mH&q3=lZ*J<1Dvs0Pvc;HPa)Iv{;I5_@lV_05@M zq^sFh9n?y~&9@sQJm6vpGm;0}#I#N0Eo|v75n?t!MkW!|=I$pu8G(1+mQ?4r2~_p$ znJSjMpwDKgzWfeUKU$hlJxI`ef+aPhlClgBvE(=W1P?3sm1`5KR+!UFFPbYRy?Tr` zVupK0L<9L~`n!yKQ+lWBzX8Ww%r)#a1!H|xw*DGWHoX&5F~e@~jT9Z5_I4qde}m5( zUa*qqt;#U?UNI>fk=n!tBQ4Tpkhrgc5j>TCXTxD+qec?_uGH}c#p@86RZIv%eB@9G z7_Y>*!X|B0Ge>Ty2-ZowBI!H2H|*L1D|{WIE;{lP<*+d9<`B3R#d!^@co~;tA`Nuo z1ST3sR}KxU5&8DkoX58St$!_Xw~j>HdW^thTP4d*NueSH6W-JaJFLzx#}$snGoj`;;-_iK16QZEhw~{{ zpoe{zl2(Qu;T^gu51y+1e)niPzp0G!f31!h;}gxO%7wRE0W2L+`C&4&30)B8@}ZTB z&*H+dF^+lG&kRkYH9p zsYOveKz}wqIb5JjkeRSqLR1q3ZepY(^f?p0^lkdsRYw-0OYGH@O{``kM(qk;S$0of z{FaK))~f3K=-N&?_0QT}`<4&Oa)=|zUVnJ{TLPnqrSp>IMC-qnW|_BG%mv~XpHzju^hBKC<6EZT9VV-cnja<$i;)Vp z18iJ1`Ah0kPq=0zU6c>9sy=F!546+`7=dE*Rw}T)2r~)BJ6hm~?MN+Jz6&Gmi1eS9 ze%h?_rhPihnfgPYs6f)Vf(`d)y;G38N;9I0>7zUbcP9>^M~tz`?2FFhIKK;{yIuKv zlpL~k3G^JFZDK-}4E#&&*LHD3WUVT)jtp4MWX`3_J^Ctw#- zQF7$gxb-H1KxvY_S^4~m4t{d+vDce2_>vgKclEWWN#q%Ll2 zTsa-8Q##<+U;Wmpq}l}0Hh9plxCi>1(Q^ny*8ZQJiFbszF2I-yj=Zo%mTF}Z@EX8> z636wz_xPuFX`pHaRNrwa5Lp~-<~a5qrT~Vguu!>gJwk-S-=+a&PY{tT!_gE%1XtA| z7n=6e@TK)+D7zOJ?1F243#LinLx@h2J3zGgf6yjCbLi*g>bkq1laBNQjI^^hgSCXr z9wXI;#(8fzyor&@kvk8zT6p=;oA&#yPoiA4LCM58SX5sY zk~vAeqz~kVpchFP#QQ{1J!rE194MTMzT0f(9guu4k*YC?3Ou_E@1Zkwu6tP?DYMc0 z{^?b+#!ICNgvXs%I+n^cxh~q8dS$#d2hEAUDD5g1EtC(YZvu?EERuRF=p*+-xWJ|;># zR?YY9M}$XPQ*MVz(hIM~=iHo{+^Pf2=2oDsbP(%X!)3!6rTMNd|7shnwr++*(UnZy zrpSTZOcdpey{=B~h%tTDLT>Pae5UyLHC)1ztvMK6>VQTu^R81tNMOABYgl}z$Q$MT zXC>nIzKSj6Gb2SpxA`0)I?vE&?3!bv6>pglxTx-EfsPu{fRFEL*Ev?-Nr*F$N z@VsQi8fa^PA_!={JroeS{XD2~o|vfm9le9ObrW!5)?DFzOA8S-iA_!z-b0BzpZtl| z3Lrv&w10bwQB(?mKml6!nznG}Oa;^l7KIuE)g-EJ?qdRAFzcfbB*M~qXKswc`*kQ}yPiV1b$n?(@*2@^HLKdRGq zbvZ7|f34^BR4Rq!J+X=9J6(O&@R;?2s;$qTPD48$E`dvBwxaFQr71i z>c;6%k^N_x0#Z8Fmhh&#$NT)5>$ex#6LWL!n$lf9CiTQU9gWJF=E>84OLa2J9yE5J z`pYIRlgX5$=51idp;~q_T51=O)n%#>$7YmNmGGWI1Q2e#P~Rrix_hyAMs6dmW#&FD zAD7k!Rvn# zmisSzSOh2?(54N%oN5#*2&?2~RGm>abbvsxyDxLca`knu8irakeE=Y zd5p?ixZ{iCMyk_Bf7{%%ZSI1-XQakViBjSIRig6!6Z)I0h0X&n8gmUYzI;;iAP|F)6-kF%~L&~A=oc*hKCC!E3P`}2XZN5=5KgsioZ(Y{Q zD?t!&c~La8tG;12w-?YMKqt9&6(liT&dP3J#&E0YLl-}e5na$5zHi|bPN<*%?K&WU zrSLoOVcGOPX#0*v{nm592TmA#k-my2qdevSDRb1(+q-GRp26F%y`X&VBMnQ8<1P+U zxpAr%_!CKAV9He5NkPMuNGdq|R__5&Dyc(&H{zwqsg(3fcZWLbs4qv5)4uiO-J)w6 zwSIn@rrTDfF)RL#p*ZBN@#5;|dKbXpD%8QAC)Ovm_-U9-Nj3Vf8nlO z6!Ws`7}^tlvQg=Fdu=2CN?XTHFyPHx9ug;*EmuUeNq(InRi}|4vYG$MhRtDieR?!V zOnL;c4{^cV7FRXE0Lb!GRF0(#_q^xOjP<=FPC0<7{pf-jJw=FfN`%N3jV4Qrc{BVN z52}l7D}1(?dEBWe^93*E)*g8o@vs%!yx}f@h1N1CU@7Tgu#fPU67h+)`_u22(Z783 zH|ac?jhSbo!epu*NXK&!7vkycpa5j8^4u}O+6>Ru0!i_FFqW#*3)wPl1V%=}^zf-m z!{7t^oIU9~EQzn~&Pa9%2?or%Rg5=W7@BZWRAK&Rb9`9c*~5Ba#)2??E?zQQk6qMQ zf-Eo*sYSppKyN~JN662^HQr=Rp=_uH%YHhaHq>O^P zK5cwYx4(dp5g~hj+*h`hn&(M9szy8Vz_lS*u!!2_^{=7>ONL;noxCu88#cGuR-SaV zRFNtyo7(HdA}}>f1Bx{XcemiZ!S)pH!iz z?&@wV!S)bv2-BD-DwH9N=7W7{M}CfczZTy5$plWk%WZP=O)hiajZwqcK^qXNQ88$h zNi_%oPD^f)Xs3h7AnmaNQm;_MEQ_^UWdEiwG}jI*g*d+HxR=nQ z(lObp;#-;YXe7wC85t2BJ1`_F$RVA_N9M$!qkeDPebCvg*LrZ9bRF$b!sO5;Z=+(` zADYevQ3mN}0zBI6cpP^+Zz-=tqZXUfZ%(i+OY(UrpUVEw3b*6TF1;y2BUpU7Sa-<~ zApCWl-Am%*2E?j{RX~LRZEDRd1R|~P>!_P{cTDy=yP@ZSecwVt6qLQXV&15)Cw#B} zR83PqnNCwS(Tn#?@Ksj`ROJ<+hvN3g=x0a`e+UnT#oXA z#>|=;d=@t^k+duh+9~6hsF7p22P_Ee!Ae_y%%t{{>6I}7?t6S25W&hw+IuG&?yFMmD$5qEbO8|py01>|oY&3WUaJieKzWFhiq{}qQUEv+7*_K?z8y@8T_qW*r=JDFbc{zFh3U;Hw%>;pCJg3; znq%TzzoQUUptkr)&V=tcUU=BB94Y^> zxx2suT+7nk_|x4m-K(Nox;K2(13umHXgHKZ7H6?$vAw?=Rej%`WE|(;l3$xrD0c0j z0O!vmR{v7-HR62CG8CUo88|%Q3?a9HKD5=`^Fi_qpl?N+E~n5^6!~AwT>9H7e|(NZhQ%(#Q=o_T@9VBo!6t zLduVg=iAn5*=9k`A5WQ37+ z34iD>GPTwG+|4!PnTkEf_K#|!2o_F{%JFJ+ShA~UZiqQ}9~*q;dC2-J&arPmJUAZs;C#q4|Bh4!carGnaJmA7Eq!8WwY@2ucsqc45c^m zw%%p!R)hB?0+{XEqzyRJg^@J@E+4ngy&h%R*0zi~1$gdnk28%!jXyMWgXXP(P^qYi zLGZK21sq##XniQ24tg0EdGD1x!44nkj)J|TOlYKSi0QQpr_)kds=ic`&oIq@OQqH3aI70dxj|9AKyO!DKC@JLWLaFM zkbP+QxZjw8E8wX!TLFgABX70S8GW%(d&wk3JDd*&U67ARPMtMSDyRckFve zpN_lqL@e=p>lA#-N z1+8v=zMf`B&`9=L6g0xiew>4z5$kj`dJV88<36~ioN<5s(oXi59!b%D4?-V|2TU=p z=tUqGsAj7~nQSIP2pxezwr-lNe9~(vYVPb^e z63DNXg0X~f=KpAT|A*H}447S31qH6;23lz6_MqA2Uf)6YHNXQ@e76{t)#~$0!IEe< zKR6B#7}i<3KD`q0-H~drI0EJ^A}Mbt!fL4}J_CB$#?th8^N_~1x5kf@fPS#FPyc>U z+<$S|@Bj6O54mRC#r2A`F!_%rd7iRIDnQ^Gmf+z!T z$W%8oZ}}D3N*eNcF?#2 z*DWi-(6~9E+R$aZkyz|^_VG8kr;Th{cjBMWo4a-B_yzrzH?IR$o57^K@1Yj}WIKO< z1vsRP#Omw4Al{VqiSMK(SvWJt-A>B^|E`L51>tZ*S$VmCv{z2|O>B9HE7BGV0n-uh zCKRD*(DbkiHaeAGAundbxxcJQP?H$*&(UfJ1?WO)4=%2fE}tu{9tZ$dXb7NXfO;b( zJhQl>Y|cwO}7XfcIw7)gf9$>f|TzugUnbovcD1TpcDR z{laX>I%qgAHh#EsI~=?ZLPms5`5<5{!66C6q=B)*)h@7X@mI?Z1m5QerZ*tJ(SF}g zW}Qcc!K>026DopT`RD=TlUJg(HO+t^XMF_52>|?JEu;w(Vz|ee6b-=q_4wMEXtE3N?uQ)l=#Ogv8n@?0EXu-a!U^A@q(B2zmnJm?mz)URCr4-3exquZX|SPvx(KAK9FgAJ_2KZr8^Gu8;t6-FfMmf7EK| z=x$3N0lGUR<9lU7m3t+bmxE(TeY{{^x9^x_ab2iIM5YtsG@9>?$=L3v)n}S`J#Ro; z=})4(vgb0;`E%NrL7Ug3@qzg5*U0tP08xs^wX?^Rh#Hf+WBgoyM~BXCE)bGme+OTU zGtAv!#w}S%ZB-fPV$*1ugT4r3vt|KI-0v_VPJVYaD*rW>;bjNdueM-RB`%unZQQ{= z@HXMMe<7I;sB;~CD!4>GdN>3{>pyUxZK)ifX-l%+;G^gxe8!Ni<4IIF)u+G+Yesn7 zUh-=P7MdeNeV6=e-vSC(l(xC)2In5+>BHbSE|7muzC6wQw*+mfu@52m`B446$IWl{ z!Sov84m|8=K=`iiBb#Izs5OAYy*=uqP=8z<5q}R$)W8YST9aG}Eir{%CQwLBTwOJg z+-@@=NgWj&qW<_q3}s`w-3o;m@g`o4axqF*jFxe^bcER!270w(*g3^hhw;9^A6HF{c=*$4y4M|<~K}k z{V~ASj6~@bYeJbVpY=x-3N8}kOfD?F8!*L9@CPJ`bNDS*0qKUQwA}Nj%{QHza&LCjg$cLGeuFp;&qlK?Y8lqD`^d3&V({ zrQ4Z(6u+J~52N0ee!-OS)*%08V++{$jWS z+-TIjh3~y+f|W*<$p?>|7B>v!EUipolZQd6Y_U%1Hc^ONfl&5cK*YmXnx{i;9sU3l zCY%KgQIA5Ak;JoZy)kb>jq)gL^>JkX^li_~7l-I>*AXljsfPWmmb~_U1gLM!=K-H> zxz+#9&0(5ra7)OPjLGL-3uIOKKta6IG4^nF`9tn1XQ?{^8D2OmuJqM!cMYb z5Xl?whfU>;(k$FPpSz_3vHjZbkmb%$!kxUI0!+e;CLr$dqqO2M_HF=eA*^!LraPu)0$c2SK zkRTrL{quk>$ejJP*-4^+dTtz0$twKV{Z!tvMx^AVq$wEOzVl~sJsCVj@~+G{C(RyDi% zfkkI}iP!|V!>HrRo;@N0^cyq>{JLadlnM{hq(>7Ke3H<8UP_eV2TX>^mkfAgwU zkhOjE4sKWB&LOF|U=C3$+jpi~m=h>_wk2I`QN(~1!V+;alOzi2DYPe#$2eQk#ATC9 zzMK45`y8^Tx|;X7W^0kYpj_R>;8v?hq{TPIKr$Ntqv?_`#|Me_fSoM(_CLoQ|8(@Y z=~Rv8vEeian2yfLJMcnC0z!{C%h#TQuTEMxT`+yzJH z?M0Z7tnREnCdZvit^OX~Ya-A)-_5ZP2&lG!UW2_r!ckJ2EpVKrXiv6O7uZ|G#~Kdl z+9ez?J{LjTo><25vejDvTt5eNCMPgU&MRMTreoN$S6?e+59MuF5L1;~Bv-V9ooL=T znvG9$Yr`)dUS=hIs8`4V-iqTiK>%u+?m ziL+a9soM7P^|F_V-~wsl$l_4pGP?TlTNT=ZQffi`N;ksQZn66D%M@tKy*lb-CcgwP zAeLMvE1hZusqvmH#}+gydAJk9nGG*Vbo~BuUi``QmSfKGh?~cOF1Q#6rxZSpQORM7ZWuzIo#$qD`yAUWYQN%JW3v=+Jd8(>q``b^6TmQHJ6z2=%j|G8!h4 z$T-ZP`Mj)X6#33n2ErdG5P08zORT>^vbf7#R;fzay}`h6bK+XRr{`2`&UrPUh3!^7 zHR-&%(w!up=TX(2I`-Ui2SLqq!O)@vn0p^A&UuBfW!h)2crnBt?p=Y7te^p5Df3pz zg3cz7En^H?E^cjQBFUBVj#A*+x7orlOMw7&`yOuQaU1&IPN#Q#rwo1V-8GC=5c<10+slQYcFmupX#eSMue7a7 z@_pe~8$aEkZ>mpYU~Chi6Q*M|Q1({%ae&R2n;Cx;k!v=BxqobS^QsR41Kpo1(Il+U zymko&a~FmD{I85+x$u<#_!)7j5tFT%CjWj@fOS(mFb3#$kj#tq+!j;nf1p4ByGm3o z_3%1HtOxHhWEYmN+Ei2wi~<*33K?Q}eU=K0)W%<*R4_8w$$5L=Z=zp@s71%P z_-;E3SW#xqHh%&cYtT836>=54Q#P%LuB0=!1M@?q70eWDgCoMMEu3Mb0>Sfzi9w|5 z)MpqWL9Jm57Sj^}7(ctA$mrc_9?qx;)E3ST3B;AT*}dDht1JUkHKmv9pqb#w$Wn{Yl66x3;U90(JIUC|HjFE4z<84RPA=2L4(W-61`Mm6PuVVSmlpG?vqt1_8tmLV!&P8*@U*h^^v{DoQTOQC5 zGLR{PMqJT}2u|;Ro(vjKED`b6q;nwKs!>(WSNqht_=8+pX(IT zeK{O2Rny@rS*T@VFHO2B@)8mimBp{5aD~W-EZdG}{5EKJ z<9?6-e)zUd(fX&)1@S!>?bDajI2fl{1;55!^~)&ab`M0k|Jo#rPw!7fiyv+2vQq_4w2$PLQ>QV)5QU0L)0P;4=Y;^%zcg$7#$aXAuJVX##*xvM zgx#pYS?&i*-_F3>r<|at@^?@MWCoOft1j(qqSATsY ztQ)HZURf0oEoonKkqhazgb{+F+w~}!xms?7C3$`706(Dam5qE*!ZvewOsAA7=^UX) z*N0~FJ-YQUelT2e-BB6+YowVi{}Zy@2Olxs*(mx!a)Z53(EXJk3S=RNW%_Ts-*%Op zJqA>xjH&qDG-`g&rlvGI!!!k38s--UyXuo+WBvyRvMYL?so7Z%V}}l1j6@T+92{~i zv<&4RIG7DqSo3|cA3ZaL-aS~*ll(D^?NCh99LLj6Jz6b7q4a!k%-u1ZIP;}kg_DJ$ zP2is0!KciplLu*3a+|p?abc-?4AF`iuANna4oOa#I;Wu}kl=ai77x3&nXU5SN2;ZV zE1k=Q-@GQ8rH3&wi)Ia>p!2F?K_ZgrPg-pi!h&fgSLyh~XT_ZT*ze4mr-q*OEvp9f zs&ngci#$Z!gE9|QV)7-tDU25NAOfx3Gk&%r$rjc7X;24GB$r?p6@QjynHxBa0fxdg zJ78P|`#Hmv`L-v;f!KcdQDE49{Wn&1oOIduxuZrU0zseaPz}T|{wHXG^wZJRYJn=- zMkV0*?}$S+yzPj*8dX{w=Gzmua6I8ZEgy^ zEm~g}3DaC)d(b>oO+}jjU{B<$`@T^vM0VDIzr0U%c~>0Lo+Oxe*5~n@pfqftB7u?> zZ%AQvuh_?Ip$^@i^t_>MWH5BCI68#oKkN9pyW+@g%IWPd1mzRmmnQScs&O5FNCOkJ z`>35=sW>GZr-wjv%PL8+Y+ z4illMpnRR=q#XfXXuiXr#R6pb9Hv;tl0I%(x-7D*#hvE)`OFh%Ky3v}2^mgNGY26= z&2{-wWT5uDSG$eUbx(maM0%{skI+)^;c#Q6WF4s}Dwg0Y&!F3xZPzFi%M=QsnWl0`Xb(^b-SrRyZD ztb)*(Wcr-Ahe=VC1=sUCuj4bUWfPNECKW;*JgM)_I3RCGw>1%EAYUaj6Qb6=r3dX6|kZq7BRMx;^g&Hxku)QyY&VQ z)4u-03Pua;Pen5ujvLr6id?}Jo?#(96?*C4cOT$LS=1hnkbQYMZ=X2yksOxAFr;za zU#waZ-}*8nE+cT;A~n4H^#zOdesYGz$tbW-NxK5i$Lb;5UQ|oDyrYfbW*&P6H0^uP z&!-nWQQdF-%>jjdjug0Q;ATJEN92nA6t-bzpG(|Et-;Rt_fS~F;22&bC6)lvHRblgTS-r_t$G z`VWFd3z()CS)v#BojJ-NYY`@#K6Mr^TZ7?J@d$&acoGiB>*M7AZ&hH6jcmwbC^5~f zmE}3<_t%S8osM#-M>(&u#2Vknz6W8H{bd-C^=Gqws_(r}H%X(Sy&<*Bz(M@Y4LFct zNafO_2?-7|y91CS(}n41;j^b##~thz+~=>L+?a6s#`TbSXQ7AF1JxI(IOsszMujX(v)DN})Ks;J9yM zk@W48+H8_U-W?~0`oiO)%i<>8!=`>dv{MAF{d7gEc7-0bXv(U5qZ`9rusF8{eh?fO zrl$q$_gco3tt#LD{+n{Dwp6n-bd0*{a3E0tp8nVpGio5;8oKgLcj<+jx8f|4_sFcv zqJ~2bA>b4NWuItR@nkk|dj``qPJFb$)ue?zhYTH;B%@Fqi0xz4pCT=zbh;Y#vrdK_ zCIWN1Npjyq+O#nucy*34LATzDipWNqO5@Tjw=h(DBHj_<(>oR^9=SSgvz{114ax_V zkurqqsyEVllR*Evw`sDQYeC$5p)qKVcO{SyLOEc5$potWq{o<6&h-lR(fT zDg{NwDDf<)NTON6+r&xJyca@6eiuQ%rZ-g1zMIcKgCMu>3pxZjb?xc)-A7u_R~Q_& zWm(Nd8tiRhmVpCP&J_TF<{dqF>3~N1EFgf1L`5c>FuyJ99fo-Ep@WF*j?Mb4iX2%} z1&!%Iq(O+7NrX?PDF^BL`DG&a{_8XP>~+x`7Z{#Q&l7zRj00Hj*9|c(V1jzjgTMCq2C(%HyvdcP4CQM zaAogW;UKN2j^(pif|c*Z%KHyYIg04U9`GuGshOCs0COn91kb1;9v&^rjq}W*>XTJ+j4~Q|lR(%yfJcHFosH{hJzogn3Ws zud9)(OeYc}XFHEBYYAxj49=5!^VdSSUq8Mr$y8&!2)Yj$ssq{~r)KHCkTiS+K4Az_ zS9wdUWy~b&GZXfY_xpK`Nz}rrt3731WfNDsi5d6xXPboWq4wVwtk9nURZu>as&41^ zCM_-}AMVw9-c%981CH8y0mLU6YPuhg%arn`59A4GrmHDCr>Zt4X!{#hP91U_a)ACb zD!sm=LEF|oPU_c$=U%3=dsp?Y+6;x(73&;hp4&5U=+jRAkdLv(R zdPen#rR!A_{Ev;@?-kIxW49|f?KX$hB_Qbm$j*U1@EoaUP8&bnH?`g>pG*V~ta8Y) zfC9)C^93_!Z%fZ*_Ss+uB&0DhiYoL%XomyLh2xFhzO1NwvN>=tIx%wH!Sji2Yb;FM zS(3I}h6${}cwawH&K+PZwI=inW5w%#_3POG!Z2+O)HEUk6=X1W95yU_uA;{D!zL%c z#$+t}(fE>?984SC&8rng=p|2wklP1s7Zl|sh4ipaZN4yjBGCocJr54XE0qYIE>Ut~ z;&SHbjsTDIg6-|i1}O~|;pg5~90g(z+|L7c9Mx4F$$@1+jnb!kJPKbdvB!LkRK{cM z!dX~EOVfkQ-+>gBy|U8U1}%i#wkJ~;qWkjZ&}YYd`ql9(_%;HZAgK;}pLOe-)*f*! zG}6ahxKva#B zI2hcYkZA7NiNGEB2cGl@&2P_I`j0-RN9yxwbBDhCHIQlyJG1qzy41TYZIN3J<}lJU zj_+YxA$u$Q+1Pt?o6-hLd*sKf02Hk}s4@9ZZAvPeJ>Vr7KdFyKFKj)z&d;FzQ>Jff zq7=G)z6V%j*}=P}4)DvBq3^ndTh@;SOixN#TOTI6R0@PNOB~U*uGaCz9~CvTMMt~N z&=t1RmxQrv+fCUY(q#2r41&djedsOEdb1-Q8Gf|rqzW&C$dfG8so%1>Dlh-Dw059#J&LgQ$+Y9$CY#-W z1=;x-;Q!*`UQjkQxbuHWh88vyUdE0eABksXgLQ3U0EI+d5*|2HO6s;pZ?=`TWNw3Q zSDscP+u*1BY)!IG=lh(PQ)@{HP4r)ld(oRi1OW0_s3S#2Tk5m~(EaOrWe$ zZc}jKCzaby=vwlPSk5uy>^WU7Xazgq#JxxKxvXgC{fW|sMFZa&^Zf~rbaJ=E)R-ue z0&Vne{JF7CX@ZS)-NQj6kN)Z-nn-iPmFr`*p-sSPg^In%VdvYqJ{}eL9?KqIvx#i{$hQ>v4(xKHpT`+|o#O{EWB9zoBQfek!t}wc7rSR}48ReIO|`c~*ozNa)HN zS~e-RSB01ylLV*Qe?B$pq!_Ai7E_Gm0snYgqx|3O*`>{F}##z!Ly9R%^xSWOrEbtPfe5RdEzY<{eDL;e9>L3z-g z2+%p>&5@OvN7zie(`C&M`mvs!i#MD453ItQvH4Ynu+tr8ES9ixPa1cySRYE1F497< ztGG{Qh1Ig-l_n>0yDi^_sN_(71O7;WBX3CRjxW@wVYHZ9IilChRMC6h*o@MPAY3l- zESYZ{)%Cl+JpSdn+FR&7&L;xryoCEt#&SgaJpMjNX%wHlYIsGPFx_~biv1@`E9@bw9c$g?87og$lwQI61!013u8x zt*0KidZM)GXBPFL zME9KrM#^IN)))joB@+R51UADoSS!Ywg4H4(Wa2N0(j+nrX32RK`8>q&%$jn$8DlsfR4wnY*N$<BfKtq-pV`P)A5A*pJNA^~MEfy=98yJt;(* z^^xq6Qg*H?(YvXrF+4GD$MpDw(Sm&(RZ#>3)fP;QueQ2VshuJ7mY@}mrB0?;3wh*` zcSiVR7Pa#|jZf|d{Uk<4I zyQ}Z{4liA$9jph`Tuo-GmlV5AU+lw+`$r&c^1y8V@gId>KT!DD+;fi;oO71`7Nx;B z49wE@zIcP$Dsu0PDPDfY&C<1JW%tw4LvpN7H?^l7vz>lTb82KkS+VFiW(ZhOAnD`x zI%YYnaZX5>f=rhxU#AiZb=*hLsy-ew?QC7*t2YtwCC%SqAiMq68h-&t{%~?=>LOWB zh=e9#!(uX4d%+`9ILZ=In>WASQmZreHHcA|_Zk$hq~rgQ)Gz=xyA*jQfSEgWXa4-N z8IziVm-kXg0Lu^Zkg6xi+>>H&tCoO2mY9NtFW$&$3vrQN>4c;pTS-Y2Uu1MOr`bv0 z7{lw2-!0c~?e!u^iTcSjc&a{#7jTU-6utRg(b8f@HhqZnhM>-D;=RPYTEO0M8#fi& zt5~Ewd^C!Q({GVN+#_c}k#Nem`ET_;#jp<(eAh@{JM_cIDMyMT!u*buTqJ*59!w3z z=nQDx0XV)VodL+pNK-sjyL)ycdAe&Y8SvfD((##Bzo+&1pJ{P*z0A_kx33nHNQUPP zKUivGX_nygbMQ0aBw<_`#*T`;qR^Oaf*iH! zsq77k1oXD{I(MA$EW8BwNvsQO>_wM&clSU=I~Jzges;4-{)BKZFn{${L|OR^EyAs8 zR|=nL7Oj?L(fojWQsyQ_t!#PjEA2My_>Vyxhgl&sIFR_bqr?J_XdHXDG!ehEKKT&F zx?%!(`RQITqWW0KO9Bk`|64kg@~V{Aq}Fje057Tag&YNUJSBZCt>{iaUn4#D$TomTuzdMpGgw0{8dprhXY|)?LuAhR}t>F zkKfLNDD8aCNja&N=6yVd&DL%H z*p^y|a^VQjmsa!R>w2=6 z^Hkhs7CHn)#4_UZ^SWcXS)l`(4KJ{#ZI>-mi;bnK$Lf&vOJ`SfQ8JhoX5IK4qxTiX zdglsjoO?stVL`=mF#CEl`e%Lt4hRzs&6vzXnc|+EFX^|a+-XGfnD!C{FU>L{xw!sJ zuIf#Panc&@Xszp&=jU3D+v!{%h~^DX{B;g=^gCh@=gS|JVKT?x8aEJ_cW3C0b~0)4 zW~yh$yLL+{J?*5u*Nywkzs_!KxOB&9d*bV0xjQ^auBElAr?sZbKjwYr-;BI_2+fEm zQz*NOl(p8fJ>McO=0%<>~H2~>*U{r*0 z3b2Ow>UXm>HgdGFnIH!dn!a5)!yCr0_i!{k@VRytZ1e)ku)Chx|0B8Nxsx55-mO%n zoGN;En_7-82gyr6zLy>emY2OYnvTa81HuSpVWCSeS5zQ;Wd2Wch~G1|z3XiG`y&_w zofzh4_p=NJmfPkY5uwSgN z&Rx${`5AyaEA;Z)2L@uJa#lP40Wc_D=pR3dP z_@+DfFob`Eq<^a@ZE*(XS^RD|k=^_{FS@@mDQZzZ6RY#{$5!l^B#_Ah z_e>a6;R0oN{>o#ruQSJDxd7jTZL0vpU${LZ7?RPyC(^$7cR#mL?M>K5Z5_wcF9_6s&PY@jYJ46zi1|kw3c4W|u+hHs zzbMf8`5n$Q_5kb+q_3;MLyKceR15=b_py2v#kSQ@KX4Xs5lmR}7 zX)gsB$)|JnWA8$o*p1blx4cTvkDZHl#I2?EtwcagEG?&WedB4%a@fUR&w7>ef z!nkW<4Xs_{5ma&{%4$mg*T`PWrmx;yim$4&cdvAMeUXOMhr~^qE7jetF4Bb&!HrH% z>xVe=j_dp`PIFDNbt~7FLoDysC8FDZa zr_b#zC4Zg&dMlLoW;>5EA0d`b(D*SVcf1}6szajT7fcN)<2+46ug=R|5)nvtkt6Tp z=maAx1r3UNiH<5(CW(N9=Chk}F`#79)mq!Tn&xnPJ6?FL{^r^Q$0^R+)8qVTvj>C2 zFdtO4v!0j6l7>zP_d?JE?}OpQ#o<$R|MJ20dbRY-f0W@H;j2KdzqQe(I6^onS%N!r zJ}=H%lY zKneNX+8DI-13KqhM~thYMM|S455Emj*F@lR&y!?H-B!XlDR%1Ya6G4&qf0@YQ|z{v zzUlIkS`9x7BF+t2vP@rePXgL%(ALoelI&e*ay3sSv&Rg|rY&aFCHu@l1gr$6-i)=A zHdhFqj+(LmJOIYMe|OS|LhQg$j^);}D`V*GDbcDqhnUX-EKTW!xR~!@@?gh@a7bN$ zI4A8yqOi$kZ;t-DG52CheV7(RmKjhYmQtvq?>Pvcj_NG6`j@fZ?bZ}QRsuh>U#ua6h$5oe2iksN$##*J(ICW9 z5w?9^-n|j!x!k&gApz>c47)Vjcy@v*{_1wGs#pG+G%B*&t{~YrvSmm^l z7F*=>P07{1=>X|j6@%=a*jlR(qgl-lurJOa1~+Pd>9!vQEGegOb_FwLoaLE+JWNN9 zUuQvYst(G#X+9i=j=y+Du&;ain)q#DL`z7niu%Ji9r{uvt-5)0;@s_*-j-kX{Y={D z2$)S%KBDvDJ`Ot=d{s#FH}`L zeeUt&Ap?+etQ9D(7m-w@;FM(t7vT_a&l`+8c-g>Q)Sk)lAxCJ=+G3tlR+crDZkRbc zkrp=PHjSbcb}ma2?nZUuie>`=A;tq>5>gc=nD|q3vgHxeJb&}>HtVckv5L7z(O3!J za`AlOl0ZEfkDt@IiYuy~F<%r#-;kw|lbTvw9A371S6^%rDbb?q_x$~d0c3iQD1Am3 zqbu~HMjucT%o-BhKpvR($GkRFyOLCge!hWYA7f+~b+3M}V0YT|>jrh7xloPXhu6;q z5helox}uLCln=Ga-t}(dNy8Gt;o~`-TWs+;ox}ZT9Hoi(L})Su7M3K%SZ0L+L(HvO zFok3fL6OmwG?^M%vzPPKxzJ{%qxhd$%#ca8k%7qTGqCnC0^ehDGR`GU*5+-ceY7#r zXrsqYzBdwMZo1xuRF3>!X@j|9MC-E%PWk)Qo$9=ooIgz4Wl>JBDC_`h8eQq)ln>vs zsjCuD4Vttk5ccDfcuBcv-d|AF&^gqd>}NglA;jRLO6gHrZl4-NF5w1j;&AHx;3hXb?STI*HH5h-M>ni5X0}^G{5mR93C6PiPn9pHQ#Y`!xw{`Z}?$JkA8q!|0}+0l;s|GGlv z&l0M6o=H(#3m@g>LQMVqbq@`L)E6e9^MUIvcM z?PChlSWp?f0#~o&om?o>_}NLST3nAIZkYvgmLFqB!|39MWBRKrSBqw4YjX-oc3VS- z$bFFt(SceF=Vf!m!TrG|A=@zZhg}$5Xf_pE*(s&zaj^&0eBw8ys-LJ^Sa+wlU{#{F zF$SsT+Q;YF*-7~3`-s55q&W0qPU>UBrQP54`7sMwM_TId>FE0>gj&yo13>46gJaUe z*$2>>)E}RG#nXVD@t=G&YIX}|cheuxC|EP!CAoY*y<}2MQO;V=*59$$e)KNw?F*hL zg3fvNuY`dH0EQzt)Q)COjrV>OlAwV_AqdcIE5rasOIUDUIO`yQcUy#`sAd`WANHyKW)Tp&?D`O7h&`uP}E*b@h*se$mJqgD3?v-e=E6UK0j? z)?q_5e!y^U1gDQtE<+gxpGl>FZU(RbhA3jm7zV5nVo-+ev9C(il|0tKg2+eQh2`Mj zn;QHX?8Sq5t~Mf+5b}x5zqq$m?fDy&c1L=l9XwkrKQ@!E)zJdp&VQg0kaxCkpBoMD z(m=e2}wiFTK<@D0$XQ zz2&?JG&EDigXMU80wUM~^1hQ$r5zsBp!bE}y_5QIBMe3Tnxcpz z(8OLmYLg(QME;lVN1LfgRMrk^>vdgT_sVC4Np3jh@@PXOdN%PpmKnMWazSsPb9H-- zQ@DXq6Mi6nC7De(qgJ+k$jP>2eZP-?U_y+O_|>(^c<&LKk}w5ocCT8(WTCp3P>uDw z<#eBbWM5Yb=d3U~I z2IT17PJN?xU;QvdpZ)z*(D)3Un||7mN@Md`klyLGXa|{kF#@?2Nj<~f}VMP_{lovsa)+|F} z?moAd(gCM&8Hcd+viKJToTcz;{GFvAlgb-HLS&qwoK(Q5?gdvk4E6a>sU2|syDsC_*0L|Go~=P4Ep(xcFitI zc(%vKB=OiOrZjyO_a<`sSy*nR`BbFr^Lj`g43#uO#fVs^pL&Resw#r8Pavl;NW z76erEYdITD;?qk7L!nKY^O1g#x7kmuj+@x8>Pg{{4@I{3MNMpLpWRRte`$O-MW5`V z0v?uwDb3&-PY*QXIMQo)7GSI(+ArmI1J78e$ho||)qnIbSQ9ihTGAogh&y+_^nJ6w zqI;x8AHKgZGdut%Btmy$=R_Sl7VGTT%saE4^{Gy`_h@PAepb6BW8VB;BD*MLEOH;eK5gt{}O&;$>)NY20Vw;`zC-v)QMgr&9rtm?jemSX#J@2(-h+}|&# zDsQ2auHDxsMZ{2TatSP57TtjicO%7ij8%)k^tnRC#g_i+x}A=fd-HW#d6*3Do+oH; zmxlGV`WY|U?Fn+O@KXu3K5w?uCkv6#OZxyXKGR4gbQ0^n0$L5vX1X8Bvs=g7f(OY|O3Mq?z;wn9h3w=HpraKjG*O6b z0#eaN$|x+^rll3P1xwjuJQb2oCDk!jsV3F2WN&3@=ViB6c`2k>BPlBNcL^&+&L)h` z0)6D@jjc!G5vReoNe`tQs8v4c)|!)!_3Wn9EF_4AJCM^loGCxym9?BzG+{~Ct>v(R zCgz%|u1WKEBDcPf*~mPOC)l9AjcsiMDk1*-v6*ARkLyvnRG76Y<%L-sTr>rWX2z~l zqJds!SJuzh)RZ{y{RAK%*py^zF>NawM<)D6f@m&&8PTMSr0=j8JEg^KK*!}`ERt@Z zhLa7#h%urUQghN3zbKJEQq4%S0Q$&)wV4XZ(-#HMxtYOmzl~Cvh&;P@))jty-&*Y) zy*}x)DP)u&#GE7roS~J#Gu4S_ zC6>36?*;y{ape5mkTn#}fg9>Uh(Oz2Y%DT6J3rtNZs9^}n5YHbk1#mW2G>c<14vff z?umgEt+BFh>{$-(BGCY9qOoF`5zP=kan{o&g9Il(%lVMPo3DiArk#X9xkG-l>5e9v zDunxd1e}061FAX{DBYlTYwwmGm##HF2LGs+=;ai_MEe0dZb7dtqMQ-maHdk(#2zH;cHV}d?5V}AaL7lV-7itT> zU0FLHq$RhapMkbc#y-G~wHSv5I+jnM44!qY@Df(E%EAsRL363&a~ zwLA(57}?BX=x!ZkU0Kcu+G?0h4(Pj7)m$C+qfEcKh`5YW7kCXYi=f+Kr;mM9-yD6* z^*C052Ky%XfDS75@u`eMaH9)|b9)sK@n-DyE9BE^XDrV&1SV}B2HFCU=r>qa2#rKt z;u>ztLLK82q`+a*dJ3pn?ngu?lzAL>I*Uu-7AH`n_Uzl;*d5b&yIS>4#11FKBhn-e!_j%P*u6nyCdJO zUm|HPriflg028#+QFw+lU%~S~`j)flTx_oKjdWlgdZ%#tv8jDhk4=58=OgfNY)P6# zJG+1>n|pUor7{6t16D3!{p_HD zyzt`89>K9UeKV+%u{X@rAs$VHg073PKtY~^WI`dbFXwype!rjU^AifXKi>qj|A|DY zC0(XvdUPdUm(!jAQ%o@g!5y2YiY~NXgj(H=WydI3G|?XoUR(XX49vb( zzh}0xTM1h>L(YDav-e2kg-o$!kA5KU%6NVk1v~DQcf%9e zU5syJ@z=R#_jxO46WwhMftk!CVf8CycLeTHgoPTZgC+X)(_uedu{wo{sKnXxmo5~Y7p&#(Ng&R%V z-kz?NYH_iJ*<>uUtk2AhLr*8Gmb>J$h!QGWL8SU=%wa=99YyHH7sSANnfUh=Y+n2# zzdY3Rpv?=|m=ipmQ8y3TVYQ82@ceJWq{+Cz1PQ8{1NK65HFN-0mVk<0{6ZG3&!G!``rBF{9U2%SXs&vdjBfX=_J98 z7TcIX88uJMJ9KPSYBhC6V7<22;rzB*!LT*mKXFw3RCT_Ws2WLkh{$ES7HibD=CMA7 zd%9$q+wfq`6Cp0a4Ygk4Mihz`djkynXFN+lz#*z|l}^TZRiy-gELFk-qPBIWLo;iT{)A=;dHd$ZO8`JHb!mTP;4uz*d(moq!Acy6+|9ZWucLI zM(;pLPH4eN$^8Zm%9@904*B_Vw~V}8^- z6~eKcnoug*dU8}`?(8XHqLA0D!7MCXIaFIrp{b5JaBSjm<`wT!?9GtOMsAnwlb;lp zB?nhsL;kI-u&St~(~?Rigo-W-7jRJ!%Yw=}@*vygw*^&HV(~uGi1mJ51D>@6o8;ma z3$gf@ua@PvrdO^vtzZ}Ia&p=Qo{Md{3cc@0nRtsLoCCOnxv;N7wwQeM(=Z5o4;qJj9^bFEL11udrlFF>37~^u9Ma?2)GC#^S zdpP=^D3{WpbjW)VY*lAh76wKMy3GD@4*2tGydwd>ynd(Co5Pa$NWnO7MNWzgh_aZ0 z6?J9Q*&vZF(z%!OTFk4^Z)(&GPYLp<<)t3}FTcU{FX?>Qq4mqNn;pqd{tOmgMM;`y zPt{nyILo0(0}9PVqyqu6L(#=OK+Hws^WrQzPOh8A!ndsig5>OQygdtl3aj69YQp|P zCEwSaG+-YM-dcozIxO|YX=@6deEoH+&7}{{&d8VJ5s#~DC$(Q0FLl_&eV0t!n7_Gc z${`l(D+RP{D0Mb`8X&ki#KIy5&2RG>Qw@%eKTVg@pS50dqmg&($pP6E)9aoWjqUd; zGmBjGm#+a|BvF?T#mABOn-kIOUG{0$y@&ppz zH37MuJu_U+oh+9=T>tqn`*r8e^>9#c+f7Pw7{-`YF#Ry^%aiUVO>1?=PlsJXihU=^ z|23;S4*6n-4pATzQlCFsgx*O6cT!;&;Yq zn-uHmN0_~LWZJRT_Nq+SB$h;-|AeQ@wa9`2he%)){eLeG=lJjYehmC?Ad?9^fi{VQ zW907q1rgO3_kVDNcU-IKosd%z zulw8FcH-y#05o`yV-eZ0Sul{@-a^^XbH-(CHPAA5w|{T@Is z-u=v-tOUdigN60~$0tLqhwuq^jVoW&wVba1>;!a^Be3!r9st4v5HBdw|8S!Jns0In zY2#1#vaBh&i=S&h7tRvU&H$$@!5gfV(RQsmy$o1?QefpG^?!|SbQabQbGB0u+zo%x z=JK8*J5cV~|1pu#+56pguCh`n2y4-N^#652P@qY8A?Te?)zac`A+0Y6mj16FJv?{3 z*ptTkw^o3brBMFAzVJr(-i-kNIADhdEHmleoNcV^)0{4+en-EX{*&eZV@1>P0oIzp zud)rh5$V^vjEb`ASfrday`#Ys{eR_!18)!0%fHX0|5-532gYk)qcJz3T6+yOd!C0f zxI9VbSYU~X0{l(MYkELS52`>L*zswULEo?cS~U!z6L2#4d!HPGy(?_cM7glkMg{P} zR}5rAw|kll`D+Ix3zFtz;Z?I5B^XwEws?1&+hcX3f=c|BF|z}!UE|T*8wssRMb%^n zBP>WM`Hv{?P4YJ)M+6$8w0(>oVQjx{cL13b2N?AO=3ijr#o@1h7SnbH)c08(+QXwx za?zylJ{?{05MGTQaJXvF;2cZv7KMVrhYej_d3-i#dSI%=v1R`xWWEUCy2XDmfq%jo zyuLF@Z+!eVIw;-K=a;+zHEtAtcLQoP{APV^YY~jS+wTB<{T)S$?rFc|xQT0XSapSb zNhoDq85ijpPzRtzhNe(2O*{a6<|c`i@WeNA01pJ>4&qScCadq`?ft^k{H(vl{A=@& zt+xN2Gj5ks3sUs8UaGn#7<6#8orL%1@&uiLfbgn*OPfD_aiQ*;hmifiD7Qas(?6RQ z04A8_g^3a}{4`^ag(>3;4OFy>U-1Tp*8DV>wJlK(Lfl`(!28-IQV<(@pMTY59o6W9 zFlG}hjkl_}E)=1jQ#=a->yp9LEY9Pw_#t@DW3V^4Qc+-=nl*_hrn&<8)G(t;j|L&5 zM@h9Qrj#E~BwQ&FGGE##(>#{h;lwxpH1nnQd%K$rSC4aNSRFuEm9{2WEB5xv#w0~h zl3)HiJPO)Ky}^eCIuW>+$k%87@9Z}tm0pJzEY!i`6m;}`K7)^2{D7alOWrbzgMSa_ zGC$6Ve|mY0Qw_)Fl=gvO&W6;S<8v-Ee)k>ZqC!#(RJh|3%SBC3(uW_K zCPv0@pHNH~nKg9-q1Ns%V1ff>opPX;O>=K(X*mUGM(!m`_(B{Wo=`brb%5nrBE&U5 zvw)17VJQr0quN zoaU4gIb_nRJjThWndPI zdcgRi_z{CYkLe}iG5NzdgHdu?R3fJE_ak}PlU3e@Ge{m=f3Wk$$L$$o7|J9mx@kNM z^pXABJG@hunza_6S3I+EM#6l$Kq=cpnYCKPYCVeB07!Mrrq7EwH% zj{2^FYMmNmwFULt^|pPCwo#vC7CyXL8ug?fwpZ6ONtvdmFqH-iq?LMIOVPGZUhns| zM~anU?O^kJ3d;VV(uK{-rqBIZj7jBrVki^?e=gB~jsmp8J3&wB^4rib&}ZG4Q{;n! zxOEBQ-lI~>4-=xCw$BmYf#fG6DN7Wm;sb-djuTHFl+vtRAQ0z^bIx-4J?CNtRYf7S zUR(&Q+nd0;lFwlkn@9|uMefbcLUzA1!LAkVMxjM85gUc+D~)R1YasIJ(4+a{Kt?K9 zp%?|E|YZiG(U?VsjFzNwLlh+p#GGyrxD|M`tthf%7H;Sepk1r zh#BdLvru!FA#@+7gp4{zy|DpEy^wGDl4G%<(X_IuP(2JGfiaI6VpQ&ARW{)^_H39Y zc3dL~gX8g^N5X%yBLzjF$&A&cMjk!%pem&FVTSl06pvKX-dW{!hLaM-6RA^oOXuSe ze+lDMyxM`e=N?s44Q4L9BMmHm;b6Ke_}tqv|1exv!5H@W%yVk}u^5WBP{}Myqf#r@ zR)4Ybk;`_@uq>o0OF`H7U`oD4dq!v5wtrn2Fz6~Tp3!l*%M@DME!St`r%im_VCAz@ zpH|ij02k6^`Ik)&`tvda1v0j@xM1M79`awu0%&wG+J~{e^0}Sm?e+`sn)z zSe~w?+LEZJfqR<63`E@^bz4Nt7p|R`Rf*<=Zj$b-t?1>h2$-_<$`m_ivHT8E1oAGY zHU6t&F^t&N)=4+4-1zIXaYncri|^GfoFL>X==+0VH%A4dz@ZEWEezv?`G6$)SSZJHl~MMq3vQAvM1W zx-U9JT}oU`J3|r~jThDvVyKJGSf+f#WFsktz**5rd&vHI>@|-J?Sw6TIm_@W_3Lrz z?+VP-)`=ziA6Snwp9*Xbhkxdv)VycnTHxN8a2l>)2#V zux7E4Lo}3oLCFg>2A`T~XpRx-aWlXI*&qsSUDMR^vl_3F^#2jxqn>^@Jj)I%RPMoFPT>>FgF} z4CiB%?yMU?#4-OsBh>}5coBY~2ql3-9_q!VV-%a|;Vs0hb_RWSe!v=fdgx`&8rP!B zYxf?jx6!l#aCQx12Ddkww672{$(xPVDn#Z{7#x`YwW0ilxbl7$QrEGEVyU%R#(y%5 zR5mkmEveNBKu7LKmNl_q5y^$cu4cUtEs6qFN61c)5Zw_whamkoNiZb3vLa(9cTusL zMrt%iT+q)5|MT|X%jcMJJST8E!U)8WCP08T@jO%oO9#dohw)0@p|1fGL#5I;b(`52 zGLuXNxH?Y7uO$R;48m%>V@om)JiKyPPo&l4Tq#0nii}Zv*BNOzOV8ag@UT;!(z6oKbR1HVbUc%4VAe9bWoGc$|p)0 zpR|z3u4{2&X=z)~uG&$rR$I69(}=*%-0P;GmmUK-Ee^P)4qi;p_XCr0W<~B<7eg}2Hd-%g z>8s|CR_+Qj5!;rQ)QlGt5ZuVnT6Cks?};Xbeqp7gp&YF&n!^xJIIKiGQiw)!& z0AU@{=4K;^o4FUEZl8Ug;cW@ieRo4ob=A>q$)hjYR}YphN!l;9Bf%rtd`}WQ9dZzy zhaMN(G!f_=*7zX|K{+p$7185d`*REco?*@fM=F>#_VvloB;`cz#$){?uB!9BBLrLu za4ky)|R%4Ql-MD1}4BZ|1nres$V;_h<@XbjZSimQtg6Wg#Qvhlh`&rp#(f%#}ZWsZ}` zY&_KSb#vonkoSY9QZGzD8V=-FkQXzdV##n79KAIW|LmTVdK2~DdcS3v9Bpeybd^qMw@B*l(>D*ZB#u z9`Ggmz&$gi=Y_l@)KoMe3E~6{~IRQ zW*zzHC}!V?g+)j&EVk%rwNxAiE9(+>L;^A{|7cC8V@A5+yRn0lHfBS+Rjrm{X2AoB zMH=;flKt%|1$pz=FgQ>Sa&QfPKsYYeXvoWm8Hx7c{MW-*Yzt<}O@8)csr_awV)hkA zcIweD0I=v}Db|2+DFR}Dh+-6)lTm<1d6l%Kesiwb{HkIUV-NzBn62H+6wZ^DuR2gm zaT|?P*ETZau;<{YGqO$KU_`wO5-0WT>XN18_YIEOi$?ijN%YA&I`G(WJ&^XW{`-Et zgGt^k^i(rQ-tTSBr<8X3i~g~VDDA-Hidg!Gb!s}M`21XT5B`Gqnj?fP5!)(|(TA7v zl#&)V`~I4HVy*uD^7=Hk%qHygu%V1ebxTyq!-Gv&&{N6N+|pY73(Zn_aRyPez!A4C zPj!toU7iK_5L*9UHX!1!eh9T1<|5ev2obA=waH|sSWa&>qp;uA_S<;vxF;0q;A6xy z<@f`s=9kCNIn##nqDiM%*8Y*&DE#W;+;Ty$ZWluDO{>dCBQZ{V1=?SEt`-(|ll^C~ zwu{vfs!uD=b2?gxmA`c5(dPMs5zzm81Zmt8V$s7jXN|2MCa&LYdS6hbvZx;)fe_Cj zM#H$en8?XIR&{y%Yj|@COH}3VhM^u-OBe&vTfX!GaVmapMqJ#@Nr}GC7u&3zb|8<0 zbV>iUd;tsi>E&_GF&CJo`GVB~D{Z28V?Y1ejb3^Zo|ehBg=67rF0r}~jjrIJ-&uCl z8K5(Z0{NXXFl-|SQvWIkzy9?VfL@N36^qvj0^GFd4nPY0gFs60+2lj}^KHjmYcTNV#Rhf` z4ttA@7XY#WH$l30p=Mz;t~oZmGFjtxK-0rHX$lur{c#Bde<-c{Ne6}O^DXhgsP_Zt z3M5aVv@Dih2)T3z*cxu+0G$2fNO!Q3n4G>!38Oa`8m4}dIE}dga!1AF$Awas;qf1& zFMTQXB7Chr8G)VJi3ZyJc5|I7`O4pku*p8_-#>r4ugJNgQVQB$e-$|$1$expq>RFB zW|d9tnTr@ehjadep$?tg0ix7*@0SZD5f3m0@$VSv331y4JZ7q6bK7Isbet>t>i106 znTOSquOHjwbm$epX}(wSmN{Jg6qI|H)@E(ud~UzU?4XyH6)?mcz-aS)uvpqERYbJU zH7SMk@@Jjl$bnwpuUKagj=5^eOdi`o0$_m9Cz1KPBLGOV6;6rE1m!rK|3;`Qs}@(l zNlG*J!H7}+O-aF1ilJwTv)V#L&V`y^q@#=6RVwqwa7vfqO>YUk0yy!u;nl|hvK)FG zAOLpK%rgh58&TvVf+iiMAj@b0rZ)KTsAqEeRfX&U$(UbWad0{V{jd#tKFFTt?ovUL z{2XYj=Q$$|p6c{PIx2SbHtDak5^lNRtY9l+!V4h&WC}yKJKg}uSP5@DK%2g{vQSDOA?-XemMo;jk$R7#FQa zhiQe*OK%jb<@(b0DZZhX9_^_N^Lovu+dkuHFU$}ZNbkH+>-b<`ah@a5YJA+Gqx9{#_| zS$b?M1EaP$8%ei^>$@&e8PsZZ<+IG__J52rJW@M5EFd0!P3Z^%s1pQGk2p`8%zD`y zQKVJCBefUn`npvi{r`j9f`NO^8Ch|<>Umt-T;FK-tW#!AD(HZe9$o^yJ=wIlV%uog zV@aKWhXP0!WR<^q573<7o8QuqF)*T7<7vMQ&c9~%NK*%8Jv9kC3NqR4 z^vZ;qLs9w6M*3T>v$r_NbK6GuoxTGoGv0_Fq2BE3dmtepjLVsOs8kZ43JX#X0%P6- zEeV5n#|l?YEx;rD>g(a=SrlB-&uA~E1i|%IgKp?}`&E2X^Q13@=s|nF?fs6J2qvqid&tl34-bnix-&KD(Ak{Ovf=pC7^I5&|DM zD{%WruuhaX#g9xnM3ClDs;9A53Q{qO)W68R3tRtcX!~84@eQcC0nj<+JWnZB{mY|o zMv~VmzprP?yDB$yH@$nA5Im+5;|P5%RbTntuWJ+1`+`1!b8!3OQb-s^m}@WQ;r<12 znQP%zMf&&02Y(FwWv|YW7#vx?RtE`;f}6e;nl!TzYIA}4QzbLSy)H48X9y>sIMUg# zdSKSD=B@v=snXV82U@?+k87dFDpQk7xt>?d4yqzhgie)ayXyscmf>yw9z$nr_U|Ue zkPl6bkaA=6tM#gw8=Tx*Q`SXU(ndGkPUqt1_Vw(`=WxfX`L)s4%c0w;g+Wg~tPe{- zc!JEmwqu#YFvhWcIluZH@Uj&`V`wNw#*bWEJa)`~#(&s_tlc)Y8p@++n}DJ-eals_ zoMmii(2dg-?d*7R&OrGyhcHHiipTJhiki}2c?Wp&3$ERDO(kz@!`T#hcwj2uHVj_>qXsUtq?NDnYwaWKdN2v#yZEZgKPX@`yqRWzl_I zuG@j1%N3pmJwxyai-NIkl5L66X?HRb^oLkwFGILdt?tzp2rO8%LTood`iwPPwsMp) zJZL_<{l?006gP8I{<%P$w!XMcg+K@*ITyJgJEyn<91naz%mWI4APl{P|-F81$#o`|T=N%!_nT^Sm=*}mPAp(zDzBki!T$DdnM~Bx zjX*sLz4fV*hk4;OH{1VX>#gIW-om!utq9`42c%0-RJuEd?vn11?k*VwL>PuvNl9rK zx`qy=q+#erq*EFR^(@@`dEWPP&iS9conNhWulv5P@8#t%VXDNLLCj9JYa>ToPMECc zH^aQLQg;G*zu@-&_Zt=2#mTUK_FR#pEJYs7MCF(HkLeN9>&TQ^X~F6gi6N!T)6=}Jt*jD_zj7#5|%>vmjFDn4bp zs$QKPq(5fk(80FGl)CT6&MT7CT=bP)H2XhM{`YF#^GoV40k&fRhmkKdha6t>{Xz@< z_sCRa@XLyKzNPm$UBl3xE38JZHZrzsb%CN}k{Kz&! zx+~iM{>5TS8G4{+M=8;cg2M7Ameb$I_~>8vUZYAQ>g%Qfn?0EQalUmmmnsL|L24VQ zx8BDJO?cVXgShj#<@PA%3^-4+jzcL5s00PKyG%6T3OzJuinh}!OeJSM>Xt%Ktq~rR z=DtLBVZ>^6qK~foaP9hivq2JXY@6C5MVWtFqTPaq#B z?6Kj}dBv1{R&5v=9s0I@mvfqUd7r}nF;simIn(6Zyb8!h;nu`y2KQrVW>0ei2;V`~ z0!hiG*$J(=k$YlDzUj4Qg9+g;}5r8ZZVPs#&^ujie_-`d?H8TZfs-qX2^hi1?V}J$RR-A zJX~sXskmH=_m$=QDr~=erWU1IZ?enitouLXod`6!g#T>PU;U zlp|;{Zii`9QM#Pc3D2H3rZ+X@1Q)H}ZgND7)6yn_`n>&2Ap^no9M4MW_sH zuRD*5=`w7|>ily5=&NBsm4}idLFcW&kXag@9pSnrhhXmOWmSl+Y@8oKdDGE%GXq$90Q_&`D94(BZVZ@$IywuNe=%UfMNbo z+CRMh_1iMVEDM}6WuA9^!1h!=yW~6dVSpi-z?qDnjkIu29!iePs#Uh-L;?TY zP5n`ha-ho6XB&IP8&+;5B=oDQMo9^u%{bD$%8iJax&0MFbTUfkqJzP>+k))8 zXuGFmvDFf!&J43x{))6}4{U5sMH&Un!E9%vjS^5V>pW7QdE##<#5QhasOq@%QK;GV zUC^rgHTsKET1HWb2rXR_cbTx8jqa4jZ1z)hzMr17lL^=S_lEBqj#JE9jFpN8@TG5| zzkZ@X2+j&P@&CwwSf4oj!t8e0G|+>9Speg7mRD#$8dUGYq9t^;`;FgFDx9f_Gz$;Y z{g8tSYDmc{H?Ng!1gMi-a3r`C7w@x|RxfNiFKzK8jmoZ2#AfqrfAnvxi=@Jq(`X>p zs`?zOz2G&YycMY~-}xG1v{=4rUp`qJLE~VKzdp7RgjyKDc)k0I9o*C%x-^0!HQl}V z#rOlQHN10|V+~DFc$fXTWgPXBYB}Y1srvfNHex%xHmp>m2{&;We{*SCf!s zlVK4wKIYR+wIl6@>>CM2dySk4G&@fzUJUbp^id3r&~)}*NRZQ9ZZ*=tRfRib1*lH& z!{e&8qFmTM$k)HfijPr_acRwWXR`cCvq&OGw@3$YRzoIjs=MYa8KIu32KH!^bH%5t z*R5e$#0et2aDm34Uk|Eo?eL|9fl|rAamv|m~Q$~|e{c7#xFgZCt|hfro{$oE)xrbtit|3j|Zc^fcLW$z`SF?^;(gLEEV~%J5ersn6z`=)~D~ zH{+iyiM9m(Z1>T8jCB6^)=mq#@~qa}^uq*IKH_@{+iUmOL7ds*wdI`jCki^eO?3BO zHrF@%`*~URvXU#~Lmmfm`}6ug?^n$FmCxLS=scX&teDuCFtA(J@nmbTRqLiePIkVU z%zlm*`>i6>wTS--s}r#k*Q;wphq`uT0kyoNVm8gr+uxLRBz15gIkNl5X64QYH5st! z@SsZlC?53Gy^KoKevu(QV=yiE1n*U(YCly#PuzpWeW4JDj`13Ol2)Ilmp709Sb{m6 zrN0lU@eENWc7&R{nTKdjCa;Z&{c&hatESvMiy7(xvRq1%cC|rv4muJ^0!Gm<_pYgX zjnp725!nnjooRDpQg8Q8y2W4-F8-3*6e@{dcAE!ArSGRV5A)|%(>o0~ooCO=er23@ zNJHyk(4OHPSbo`R;1yJJaoBq5^swgSD4YDPm-}B$Or5zw9lX~&b*%-#R}c|iMw5EU zXvrz{Mtc4m;;Y%P@6!$1D)EVvPCp(7m7NQO(-bfExdF|7&AWTUJ60?dMv4SP zcMvluV!nd-Es4rZ>1l)d&{fTdW%^$|t}$ioB-X}0T-x0TUC8q9DFN2sRWpoG;)>5l zpWily6kbt4Us`_UYNG3UtLnlWLr$Aib*i3hOY-8G%RpA6(w?IYL-09Sz~y*Ew$Fg2 znVU(TH0A!Y_3zicGSgD0wEeC46lGiNc}5>LTj!)ruYU5ZKP*Hv)yL*?lct+@i*f*}^dR_G=DA2sdNSi#K$z~*>Pq3x%cH2Q2SkTp|^iQb_pre})oUO=_M~%qyeR|=! z+zpFc`zlUMm|g>psuFxz>0Qb@CET85p_Pg-Qk;BEkc=7l+!7t3z(#xR57D}hmL^*c zO12IuC97&#i26b2be+_;U;l26%rI)uX(bJdQ-Yx*W?&dk$)ScE>6!f7L9iwlr`hi( zTK#CdMgzvk9TV;HU>kVYxrz0aMVCVpIFo2#aSHQK@t?!wFic<7B#W)cpu_{9FDhM! zvQ=3=k`}x~ji?>;F{k286Ql+Z<{b{1HT^LO7T3aa7lM;6o1WLWUdbZt#k-ZWVOWTo zA?vhlR?#bIKolv>1a$IqzpS;7q6|`rX8b-cDE(d?er6)hKtWy{DO<}qmt;cpYAJJW z_U@9DBy3^1o>D0L6=)^L)jofw?o5(=NSbQX_m9cqO*umobN>k3i#sLO(QlHWS+|59 z=7-ZfmH+F{q{m8rLsv?)(nnUJX=$C^J1IZaFBzYO&8fPdsz9lPPbiZ6`S+BjqY9z_bM?O%IQ6cNh{;W$1A#$!y{nnHhWQ#0#XC?vXEa zKAWToTt(;K80#^lC*l^?MQWj5s`UMX!;@tLA#38|D___7v~gSe=Ckh^CZGS&V-bH! zW6Y-tcs)B@;Yh$H=YrrFu;(r|ve|AFeBU6SrjUf z*DVVr)y4L^W6ccKGcl~y@Y>=|E%RN#@nuHTvwe=O6#`8;gp3T_j5{pzF>Gz1fTRa6O_m2o#YWV^K zdkEXWi4HS{B0a;S1?GfnQ{p}&n!J!qFYxpO-rlZ5 z$*q-+CUYldY)^cR3(SmF`gtYkix5eB=p4#)sKj$32}FpVChsRvDUbs|H~}&H)h%On zI@+S1_(yvLL#N|h9dOS zpTnFoCe%jdi0_}oY)!S%YD3g#qmmM$1)_(ceR69y^e>6BUf0f!cM&)RG3p@j?aVrlnuBQ9Ce=Fss3u8~hbB?Q^%S)ir1k9bLt+CK&S%MCR`- zE02&F`3BC!`(lw|P^HVtCY&W)o?1p1K}hpE!=Mf79Lp-D@{Mmg*JUhDHPzeLJg5Cc z+{}i>x5w=QbO9pixgcuh(MNWENS>xw(lW*L`~rW5!m&?Z1rW-A1ofAH-TxuXCs-s}jZ>3`ntW~l;`U}o1zMX6Y={R05w3$y z`AxbKi4Lf(lf+3{7QoN^I03xn)}DA?B}vJ@Z6U^Nq1SNu}~iL47RM( zS3FC&Q&%3{!Q@`8IIXRrvvjZ;BWB5z{-t;TH6SaUYZ9zAPIu=vmgfj49O^Uqe7*hXh zg>$KdRQIkHXT#C=%$PP4Mh5zNcC)$3Muz%&@dEtXjKNp?sq{H@qri=p=d>1n8MMv8 z7_dvfugHH|J{83BW86U^a@?;M>^?2;1zbP3pP#;=d8Jf)DFK>k=K5O4{aPipkJ_FV zakOXSj)f8X5ad91;v4BH>VB}i=XK%bPf*arY4iWdgw$seL<%3gNFx zT30Gd$OYPp>N=(vM~*2=KYSyRPA)?|`9kiSUV!!}v3OfjYi?psvTvyMPvfHXOo3_z zHTB(%`txaq(@MOSHE)+&k+%s%ZGCW$Zr><2WmOe8SDdiH!Mi9x8;U>EguK5Y*8jGw zq2@$d|Fd(X$tvAOBkA5zIPyAW=L+|S3!XQz>|%nQdZ`5V0cN(^pvxe4g= z5jIv8c9%sE(B_rUMtx=azM&bvLwp`5w8MK!)AC_jT5I0C1e3${Kxs~tXuS+9*aO*3o@Y1<3k zrDq>#(zv`ep=t2?&&b_5+;$y_J~yb$9|Fb{T&VjdS0(z(LD_EJ|}{)y!kul3WR=cg-QFzgMa4^ItDeoruH zinc17Z!7czwqCPK%KB#5Pj&q$EIwVlr1aEqy=!hB8koD5W1lKYJ#e)A$Z4-QIr`%C z8ltT4@vvft936#)p`^uFa3KOR|Ffq(ZBD`m(r|hZvDHe8O>zAD zd#r7L66IIqZ4Ig?Te|CU+PlkDGu%Hu7vQ3HF!h2Yzi{zF9r6+ZlGEtqw^MaL)_U7_ z{kh(+e#`b4)CRQ;YSQ!|EV|W#W zndK?esNtdlWD9jzWr7dAb(YAum|E{+94VCx3>`&San|h4T>+F1ydI^2uDu7)d zVU?l(&7;W2!R=>K;F0Qhutbf5eCu|$e}=GZ#EYCdipw|yNs9}vpLH6vcBL%e9y6!BJlE`4~_s6 z$ZM|;<#nhm7gn9$?I}0w$O`yKU2e)2!GyE9-gN`ZxloUex-z50w=CHNZwJi9Z_&-h z+plPydw{O*b8f6NjhMp_i>Ns!%x(v>66gqZ*qrX$gY%Q zV?2~>+4Q95$4|I!FsF~o3)JVd62n10_zpa`X3|`Od_B1_PghaK^!DQ(u$ST`d(nT+ zocODN6HFVT_N*t%=kCbee+ub;N_SpC~l;4 zfBETVfz@7UG}iD8h-&gBDc<6!t5U3*{zCQSVL8IZFBPuFe4Y^Je90d+385)&E&8W0 zmavP*yvOntNA3O01lgRq3t$NJA$|G$E}~oNb?_4bbO!2?W;FylR^2}fBRbBnwY)Ai z5&e&wVMH;93ftDjSAJHhepA7neuE?`=ARE8(JhR!(H|;`=RVt^ND24c_;Zl5lg%Kv zfDcKskDJx-1$Z0&r!>iJFxn+get9yVlS8g&10u$=qBXkg%(ce5MJw|m?w_4!!0f~Rb*@Anmt93%zp;vJdNt^lr(dxxs}<_ z3ma2~u(b3FyZeCRIkf3opi+QRGtSClmQ~;?xNM$)R*Yy()2oKk&$8pxQrzF_GX2s@G^^O--S&9YUC%b>sgPPiWmN7`UlRY#GKYFTKN zjU~V`L3=E4wzRUy&bb%c$4>RJ#lY9ySVmR!c*&({{|G*${W0SO=h}ug2hjbjmXB?H z9-wk>k4xb<>2v#eAbZha_Ng*s!WBaM2DZhFc9N}Lc1OCC0Sb?YS!O6Q6wH^aK-^Ga z_uFJqsa0$75`H-|rCOO2)3D?{ky30D=tsijOpLefVe|RXKl5|l47m0gmE_2vITLL) zk=KHrGSV)cqcw4b6*iz~!VC?mPF7k=+0lTU(L;39G9qRxiItzDw{+3xPnUWJ;YK|n zdcKxm-ZLa9di$`Pl1JxFvYSl4*M|k6g!S|$2)PNsFzhF{XhIS3>!?hneC)<9rT6Er zR9kspkDZ4f`%wXdFcDW=(Nh7F!z|P4uQGW?K^;Vbj{R;hr>~qvv&k-Qhz`Uj0$7lJJ$ciiz4(>Fa8intq1AYk642 z2Qr2+1bF_E4*Wi9J)Wd=3K8B9(AiDjqbs@i`ePY^P9}AtFc3c=qfKAfB80Fdw@nzD z$l5*Ud5z1Eo?Q902$HeCrZ`&=Pt$gtO|VWkUhM7dC-JPVz3iAJr1z@(Les{}TmV-* zp5O1gIzCjDQShKr>V7R%+1s!7Ll8o_p2GBWaw?XbkuST(#*(4RujfcT?!gwR3(5D{<-R;a1L5 zT)%gc*ANsoGJ&{#sbiuY>Hd(o7n0hF7EKyW8Fm_a5@~61Jb3~Q3x5Gg%$>_;w5FjE z#n$?`OBfwFR{IhJujIEKV zfMVnYdkS{I>8N$?td_r=qs{xI4;;RVCM`n0v-W-aODppVpOl0cW{xMx7v2}P`ATY-5cOu!`@%&T! zW^(oEYwqY$)TNrgt{IkbNvL2!DT2^Kl5-BocmPwP{E6mdzZHxp9xEjp`}y9M|6L|% zt+<^KrKYeuzYM-?*;W;$U;Z|_eu0VhAYU+GnQ$i$TGs{`g(6xRkn?qki-b(!y=QZJ z+W7mAemsHMjhJ5TX0OwTK};XW;Vo@%WwV&(gIu-)1vCCw9anZ~{Ib-A@#-KQY#>7U z&*;C!xOS08dQrZ;l@u?!&eI&dvl<)jn0SjX>N9@xo4dIavUyk3=>*HsZL4v=%sXZ@ zT|}XTO4Sf2*#B@_I&Mj*?Gq;^DA}Ft<4Y0*{8It-$3fZD-r-dQ*95FTk)EVDr^&gu z{m-x5b)Zv?)*altYDX}mMQck z?w1EEZ;TrSjnTK^23N26=*8KRlr zjDGBxdZKNAHF|tx0eMJIkzc5H()zg-u)-1%T597qD@$$~E6!tX?8oeeapJkWw^zoS zJG1i(Bm>v=b84Eii(^^69SZh#iurhu&uf`KHJ%oNOH5sLuT{Pq=e~k!sfl2_HNorL z@$E}zmmcVGwcus+z5+T+sUt6jD1U{T@xqG`_-UXXW zQ$pECiRYFpPM6J#9PfJB>pAl#6z!)T`%?4r)dy$3i96QcU^VS}sN~A$#>5$_^=eWA zN&bTOxCRUb_~fqnnOtm6M~8K|!o{Wg^^gGj459M{0f5dPXujoZx{QB?Zv~)VsNrVI z?PI#Kk)T2(;&?fooviUc50mok$xnw0MSG)N@KFchb(gM6!zUG9@mQxGWk;UUdD{A$ zWxj|0GV2sw1vsFYI1BJ|*-MWQimQ7OFgD?ADYjoC`6vVt-FFWf0z!y`+a??lH-a z1@E!55{c9Eb^7OL;E{Lqd0+5ciP7TypEsGbn&peM_r{o;C`6^^vmydjL3B~tCfcC; z07Mx;fI6%}>G)$o9jXU-ZW#DPq~z8BhWC;>-SyjH128bSv170&ewK>JGr)&CtyyTi z7&-lN=qJeQ3PjM`+HRV7ryOi=dUctwxLC$zKYEf#k-(~k*oPD7y>^Hnk(VlwQog&I zHPja~?Z!NuGir!u#aT6z+p`c}U2T{%0%qwVap8v# zBjv4I!U~_pE+8F9SMty4m(;v2(4_%{bqq33_Ryx9GDVdJ>)ZC(i`Dsq@rpL|68*)l{EHPlxLDM zy#Vj4rxfYET@7Lh%S)|7-(P>BWodj6ORNrs7n6(8A=sq<^yC(9Y)ACbXuf)BT3(XFzjH)NWk zx|5C~Z3+=+{~mkB@vmVWI#pLX!r00gT^oH+z7I9Xwa=mYfV(ONa2|G7JgRcRM4QR( z(IVR;Kv<6x7EUNN1;j3(Apc)73>C^q=E=-o&QY%2g0Wb>+hcAag+42T^WrDp0CC_7 zhcHH&?l~arGj_=|+Q8(n*6M(oQiD;SNNVcA|L6Y|dd~GB;STf3A@%-Hj()Gtrz2u z;y=HCT^0%#p@*LJcP}antNzXG0G^oB;D4#`cz=cORNV#pr0(3Sz{s9Ubpp^z`I*Tu zC8$?e=}Vo5n13kuek@Zjl5>;Ep`~*NW$~f)t@%E4X@bNcx0cA9eIVkYl<@z{JQ3V1 z8yfB+C3DL>7Y8O8&L+B0m6({T!Z)}ev4r^+ZxeHKG?!R(blxTx%`N6m+;s^iQ`iO| zhw}e^Nt`xZj@Flh9^|G;VpDto0~q<=)GvA2krrpLEnxiuxhn>vuWP_nZJ7n#kpAWn z-=gl$pPW1f$|nV`6<`$G^2^=2r8&Ul1K)QP!LKFu8i8LEN1?kYHighRzcSTIYeOzk ztD2j1nY}&~9Mnyta}dDaatv%VsQae1ll`@IAdY3yQ7;rICBX~I`|Y26zJR{E^U;(W z^7UtzLAL(>QLYT-r0udn5dJlM^M}PHUX*=rmqhJOhZ=Z@%18|0IJf-Dy!#v98{{PHb=it zBOAnB}vqIg~B1);{4n|^Vb}| zVi0Gx%5zz4P&D{zDy9_NW+B1e4BvAuIo?mG@gR_L`1jEfb2rgM#tUdAV|nzqtpa)v zW8!UE2gVI3)f$+R0|JO!XSk0;ydp6qyvd&Iuf}2_!dfvFIQ+=Gs?!=Ecb*Dfz(U^} z)PNUj_>H>r(avnpP_gH)>t*quMemMLxKQm7=|6w&#|1yNQX~NiMplqpa{Hr#KuP%B z`@k-#*uV{tSKb1MQR#mHUQ%GfBl-JAy*B|o&W24N#^Uo2G_BvBQQ1P^+UIwf!}_Te z(vL$92-ccfgYHxJ1@LYS)@=J>{-Q8>a#5k9hl*6a*{#*9MTW#J@nuwKyQgtbq}Dyd zyy}vop@G&IMC6e<^Y5W`(6llqxCm#9mbyGV(wMwDn+&z6az>{1eiAio+Rkcw*cQ;? zj>bZ<&>F5*qfnzU0A4y%C*XAg zNX$6}ZKRBvVWY#l-?g~qh>ks=jnk+(`=;?Fvc>rZJPnH=bCEF=F)7SPIN+g3%U`t% zFinFVuNTGBi6)2<5FHG-;qiYQ5;kCF9srZ-h&0_mg+^!jRPf)GjrfL0Y-so zdRPRrBLn?6USeqy1=pfji3v9|o3qj3pX#;GOa?|Y^>XPmnh^Xta>V{?&+dfLl2rPb zuJKV#p1y-k{8&!Br{ z5DGgDfSDDJH(mi2{A_+#QqDn?gDL+aqiL6@Z zxnus)Nrx$J6@{F0o9ywN_-gE9DlkNh&Z23;#R3@DS7AE5@5*meG)jM7L4=L;C*n5ANSQ89*2w}Amc^99m5Brqwn^DP-e87c2^7i{ zxFrZ1Lw{iQ4qQ9lnhQ~Pi~&R1yGu48bA=!5QJ%ISAS>YoUm0eFK94m!?SIyvy!YE6 zyJwQQ@wnB?=YCQi;%SgmtyWnMIs?t0L8qozYa^hdTHsRfb?YIR3D;Qlq^zqcm!)I5 z0_fYV&dKceuj$;c?Lflr2OMwaz)*E_2DVfrpqu9tj~|2E@nnGU_pe9Ax(u$%?Nh6K zwC8>JFb1WaLv^kmVaY)v$J{n4j$dCtqTP-(>?-S)pImF=550NNU;0|A7dCEoYl{2{ zRMSfU<2CX> zzW9zJk^lh`)5s=l=Z@!mJ;MB_5;hzhk7uj4KCslmu@GcewnG!PH@>r#cOTGd{STMA z1>|RDTVdlbr>D{s3+!j-m?xCz0_+{LktI}$*XtS_L>tF7S#14wQ$U`WY6Q&{*i01q zcgleREa3@x8E|ZTu{XTMU){B8J{~|F0!G-Q@7wHEv&diyXsvnlLq_Q#cM6Z^XQPCh zPQ9-l(9#0t7ckmwwuzroB#ZDJ18l$}#%=c5#;vwKdhSTmjEc0dgn9!D+RA25B%{b~ zC28F}*c4|%G)@WIh3L@xdpSwUY@0J%rlvdJjT2Scb?_>VU;O;_xzwO$LgIe*(u)5_pn7_?k&ih4kzXTHsSR2HLv&)=fpuTs%sEoP>>|dmDjoro9VM`t zY7z3~x%*yJw{E{B`k<@L!NjWLc6USP1Y-Ng5Dqxs)#I;kS}GNQvh#a!sK zV>nusAks1=-jE_LX~Qn@!}Oh-o)kau`VGkOr!~>lrpfOyHUjX~dkU@qD6zbzt}`?# z8<8_~m=FWH9EK7S*5L)EDPYkNnGu!CZu$4U$3$R#L{RL9Yvap&~ zi3$EN-V$Z^Q>*p<7^1u~A5-pQ60U&S>HyQkJu1*@c~Nyc8)8W;F0bmb9i)@Prg+0r z2Nivl)l`T3Rdv_i5I@mkF4sm`_fBmgP4Ok-gRp)ec4v$=HhFl$bO-mnDtT3@B^zW( zNJkN>oWFcFB%A3O++!!k@z+EQ&T69RRjIU8@9W!W6Xy}P7tFq;!eP#_+U_C*3Le!O z9r7jO;O6mJU%UbiIQclq`uez|uRHWTQhI<%F>$1| z^ixv>-nUPOtrk+fdteQ8s_b?%qFof_mH{9uo37I{^*haZTaq+7tqER*Ktke1q+O1% zIMEji1qJmCe!s**-9QZNA+&bEUL)-mgJ+{!cxyY_wUb*I|B)}eht9(9x29`99EWQx z%sKFlW+9{&5+L?oERmv3c09$1x)}614T>ko0Hfae6&PM+l%L|T`0%n!NmH@bHk-@_HGbB)PC9;C2Z?q`I&p5gJNmn$wMAPc zfaGPOlB4F*3hH;&dS?g7GfA%CGpg@7E`(H?q&ruk+iqTJ{d8D)y{hh-%lz{MW}V2_;6v{j-PN|7kKg8xA^-Xha28^w@5e9ZoXd5Pf@+IZD+ci85Rok2WxU58S8!`M`px_d4(Gqp z-2d?IH0ti9)(?Fsu_t&R?yx-*cZ@E?BR$ahr5EFi9&*WOc+|bcb<_6tVKprn!E~QL zryHaF;qvk5?2jb~t=$vMsT}#?(f)?_3p8mG~Mn4fzqQbd^}>m=$G7zW-nikh-_xqz8gjsmzN*3EnX}YUUDsLmx~t` z`{#*WAUz$R09+40?1<}FM;`6vkQYm=N_(^TZg68f`%Dy^A8>M$g}Fs7vk*-rdE_>Q z&srj2c3vg&Xz5)BHlg&ZN{ie75~Qlx*}m^QG;a;sDA=go%pDPr{7fiRT(A7U-C>I_mc&MGX?6D6Fc z439O+Q{@E$H{U2W_*1@y4y+xohhGSty*G|ww>AFZEMV9@P3cmRKKT_^8#sWT6(oKC zb!AI{98Mjit7=C5P>K|s^k}`BKDjBzsXcvE{+8tya4!UsLr@VeZ7r9H#Qv{t^iB89 z5|_$@YaO3qUPkLAoMi$^5#>0f@nFyI)%Z?(xK?f;L}qdZg=^50BW+qu<508vE$Xh& zgLV&NXl>vaE1w!W=&O8cgKahAyYkJcxgTZohqx5N8k*D-<{VIHJ$zIhoxoP@mybmx zXQLZjvH6JN;#p5J?ORIMy>OoQS2N+%P#lyJ0)sUc%t7%}szeo{9e}W#lGWUYkdW<>w zK|d|5z(Iu^t_0P-upM;n1(%-7Jo%S2M-_0U?r1c$;?RxT6!29L#4;|$+oz6(_vi^j ziM``__^tko9z!Bwb`u{g-5eQQxIctUCk4|})kobrS}Af6nOF>JuOF78bxPlBdp6ii zXMwa6!DJdrc%w1fq7hGh%0{sv$Q%EJ1xB0gi7LhwIPo6amBLi=c&0{JCH=XjFF3njDSn0f*oz_UL<|?NW``AmKq3%9jpqPnw9H)FNV2-}DpTC!LF(o##7=nvCNIwJ?D45OanyYD zoT>tfpb(KnGNJ(nq+ZdX8XEX9Bm;(Qua0(v=6vI~YhTLBj#;tZMw|6YKu=E>c59KU zXA)CdEYG)@hwc{fCDRzXu5_HKZyGSX!vYT_5Gc>wZ3r56iiwjTWK&Xl{FyhA60&1! zdbbROS^9!;Y43QPI~Cu76Wns0RJy;yL&p@Y@uYEr$l1a=S9iitbJ0{OXT6&xIN6r1 zRA8yma1KwM%ArI2XvBWj3G~pEU;cvGG4uv%DR??i2lJ&R5B6yBq_1J|k}GKQ3%otv zqR+7z%SvmeRs%=F)vXC>XKwwYz4X2HyxRRK>0N(=QW`_CxTEax?d&URDfX>b4K&Pp zRVPRh3mQwiS^bcVg)g^#C#wdU;&1`j?pB>i4AM|1?L9BJ)aALjGj*z37J+WR?*SLL z4_^(+Tkqk|7e-?^E~x7w{jG<4HBbIFFUQ$J7&_55IG-WtrWw^oSDNC5XdoPhxZ_EU z;m^%Cr@x*|j)kxUcZXCK+Z7%)`kcD4Xy6QMtAemcS{(CW*j7g{%RTuJR)|yK7%2ld z$3*3T5Z*9)#Xkdnwm!*&U>?hTNvWc!VO;mJ7YEE!1kmUAW16gQL# z9<#iT(P2KakM#ySBk6EHLJr9_^_DrqIDSD7T=L_OUi;r*=Gdtwv-=Xl!1V5Pb84Z; zskz}G<2?MVypb>Ty{b7BRy0neN9Oud*P$z_wWVtQSa(4ttu9(Sq26~Ij&tdiTA)jC zKG;up8Eu%+QxS=%3o*mVqG4>lB#=CO=C#9I;>fu zv%*P#LY5Iw%K6>Os0<5SJzt${T(QAC`M{lsfV0sxsjUU5w@JbU&3*~OBBmY;bAs&5 zGZz;_uUJRQ23SabM3KK_kk^@82+Lb{10*qa&T^XKmm^9#3r|MY&rKsrweSHSO%uw? z^o%+Db(b8&aNMvQ_-7y|THysUFAF|y#?d!kI*m&2Qi=1KR$_(jNTanHI0con@ZJoe{4wUvkX3HJYaiXfAZvZO)Nt2zai`826oL6yX$J0y?# ztVrtjNH^#IE&duyl0V0tOo_^+M-POtoT;z9k=32Ks}|IyA4h1ua8N^7M&f<0aXR|; zcUlYP6*wAd;r3AKP>ET30T0a64P5 zGfreKfuY4b@MYl%7h1!s$b<~cxB^xqcUriGpAQTG zIiG+3X6RewS&9C(zEEf1DHNa4VNl5s9|&2vH#2MBqUk2SzXhpzF6Y3--upcC{kk-? z_RcG3v!xpcA4^E-)gz-Cc4A+Kdg3IoU`BzxZ@N?%f5Lh7Zau+(SFRrUh0d4!f2+Bv z%ON;qNB5((wNQ!g-b~>8pi#7e^;(*%hhjUsZUF>1Yw}mfNY+WyNqMJA~dRQhYf9Za8cLzAOQoT)60&mSQ`Qewv zl^z@hxIyH}WTv)q)1R#`t}p&PbfI39bJ1Z*r)_cZE*AzCL5^PAwKs4d8(C;0^Je#- zI4s0Z)^+}C!v-v!nU%{Vpw!H*%pvm@mwEGd1#G3Q=X14cyy)uy0ZOKR>|`PZQy`|>!m$odXK$l zXMqbDeZboADN)2d;o=3rU;X`@a@)rCY#t&6y*$i3{DMItcDpN>wZQN$Myc=L7x+eE zD5SEWvjsbNe=_z`a|M8Tllh^igW+*-43_tvF0bavX{~$K`_EuSRByc)l0z8@ zt;c<|ADTLI9pN|#3+LXpFGaAx9uBU(52P&FZkB)2!r+rT9%PhZr}$tqj*=>Nu%#?5 zJPPAld0|v$Dq%FZZmem-%JeFNW#{eFGeN-y+B$<}ig7}c!7#3lvsg<65p}$zJ=yR- z_s*M|ndrX+Qs?dtA8-@trgmdY_6GlAf`9Icv9rC<^(b`tl>8dALLYDRE zllfB~R^#B#il43=tup4=AHJ-<0q>DQq{}p3`Lb}+{sd$4f{sz_wx2(G)}|Fc+Ut?l zA%Q<+tq-RYiqQ##(}$mE5U3eGE$I2M6VSJxXuz{_b`tVtT-iTac zm}Jro@J=)-QdIxIamyroGRYRBBH*s-BSc@)oqG$p!dx2H*w``vt@L` zh48h!mydc_eFh%T9nC^r8=`>YV~XMgdv66L4hq=;vH<>uD!qgFYyYaUumjL0c z{s$E)k3${k2eNX5DSiEjGh!@=+zO&=2-sTViNJw3IF0($HP=#QIp55f>G_ zd+{3yT0#|=aUY7oUsyc=N!-r#Mt?^#R;>T_gO$TzTXO$!#fs>u3Ab{+W0xqfRvHW4 z1JUovok`o->V#y?`}C}XbWkxqs%&6GrT{OX-_#^K7kXDlnfcU z+3hBTnR2emoB42TFdA0WK>o9xsh(Y90kUf>sE3}6vjD5uXmsxhQEI@szM1$ zoaXX;RVTZORFohOiNue)#gP3sTcWFpfE8V}K>i=P&N{5hw%OZ?g$oZ#LXehD>5`BX z>28qj?uCFzEJ8xMbJ5)mO1E@}G%QMxM&!GeKF{9o-uw9ee2>>>ao<E!he8{e!bOg?x*ivfv;Ir^%}aJd`?6E?$ji)PYdnd0*)WU<^B%ogCU2$ zUtY&rj6TQ5vwPs%EMY7G%$}HJ;m3l|XSkQ22J7rUua3?7`8~(*xzrpUK-&3oWr@-k zmv<)FW);D#rrU;~hpwY%!^kNsga2f0+3>*@A+w|%iJ-cSJevv2cb zyVDc*-|lBN(lZX)1b;-G)uBL+7z_OfHBY>bAhAAioZ>!|XHG3sp38kA?*9o5+oO;4 zdaoN3`|l=A{AtnGE618zhg!js_wZw$&rPBVE(W^ofDmCKIytBFYKa-i5MkV#0B5})IC0< z=(Lk*x0Jr%bMk$@<52Ksm3?I(S^viVuqTCtW^1D`X0#oc;`uQC)50G+;z=l%8D=q? zLyvN@YBMfPuU%ER_|J~lH`oPUkiuVDuDrtZeCg8QF%Vp9*%m4+L!W0n)ax~o*HxHa zAHh!>T&fAC;Jt*RukhMFY3SR|3=)eO$UQ6-C(o-U@onHj=B2p|YqDzud4I5%Lqkf>k{z zx$NBe%4pr`pv_m!gZ#4D?FaGJDRekW9=GbOD#OC7F&GH^UIXRt{T?8PA5EYJxjNBF zp8B?p(%@6lSXkFh{o7@ZLFqRl1MVif#h{wPO)om`3jc!XD=+DrCk`DoHHt{Uq>G^J zI3~vn1(|#`<*Ba}nhwLnyD8N=xH7HM!^Q1<2dSw_#_Cfm{L$US>UUqsH8g^-HW~YL zBteId+p{GX^}F5c5Kf^K|4-y9E8|n zeT=U79FwmPl!7ie`=Z{wK`Q|+g}L7>094PJ-iE0$wYb_Za#|J94B0;v*5_w3y%XrM zYD*dY{6#?7zMNnu*QDuPB_8y;Fbe@b$mQjEpVf2s0|x*Gb9Jj8pxSknbVVX@0D5NR3aPi1v8x7AHD}FYc^1~8RJS4(+i3f8yQ+!&< z@z-;TWmLlmaE){NOx7yg00w2wz2k!R(J5d$BQ^Iv5tsW}5}G}T%+#YybIHcIZ-#{u z_z0ZDp{WKCu17nV3_I%=dcvR-(SBl>~SyyK2;G9h*F z*M2FPm_SPkwrLOJKdUlv;rKp3j5v-fr&Qu~;nDF^=1YyW!q>YJxJz=O-ai$bltHJ| zQ)QgzEA5VdS7c@7-0~Y(mPTn7J%QzGcdFntbyYcUu80=XBFXzVir5d*^?yxsWkUuQ z%6@+T9;h|>Lj$`qm{A8~qxFgM;6tK8=%La8H;bS106&c*Y4OiinJEkMl&0VbGZ8NQ zzZQ~ecUtran?X<-XzJyv?$a)%J=iBB538J7CYtFKz~xv^C?8by=EHZRVMH{iHw z-27P!zcU*+C)F&89CTv8Tls1zHYpcWALl-q5Z%qA)zf0S;D1!<2W~MIZQ4=P=4kBN z!DuS5D@uM?p)~5rJ#rwnMr88-sAlY^7s>U5ZXXkPaeWV*Rv$gKfzrl75sv!0H~d{< ziWoINB7!3S8EXC(X?0@58Zr7>e(jyb2L*@nY#6!gA&ZDLOmTJa@PS`@*V)SQnj_V2l#lR;Z+ri z4Xq@lN`o3h&k88*aWOUjBt1PBu1aA_N_-VON@P(aV#6?i%PE@Rk)Du6z*dPehIpT` zmT6vJI9n++@)@s%(&h7e+%x1*^D?@SuxbJDykadRS0`mchl{s6o80<7zq`!Z!I3+* zG9VRQ{H+vXaoHs47Ag1C2hC`*5MB&J+*vbCHT*zapFoMnmt12g<7xG|NK1yM1XC3z zUGX|K@geUg=(cb^4DZYGrXv>@l`&u7F7hMW%MY*5KTc!po%b~Gd$TB})Nj55?EU^V zO>IK;fY`p)>@hW4Y>Z9$TBT=pN*bDs(zBWd$$KzdO*el5iYm+IuyHE~T5eGR!CmbmO7H@5l<0I9Hrl0c!Q{4*SB(9Rp$ zNl`jKtoaO$@VhM?w3 zmMWh)F2i20Nv3>O|=MJ#Lou;sG{Q`Bhy)%JOM;f0?xo#TT#O>p3FV~7at>n zRR7A|)0{{S9(}IS+}bF*aM$abGlTCMtHNYq#oZZv(}Hc+FBA9l5X&@W*&WR6(eokg zE&fefd@iX~22N7A_gVHTSAM1HMHi@os$+5&Pr#o~FNy@p_lo?xBJn^akETM8Kjqf7 zRxdk8i0@=}covXO!=dJvGeH*$x~5OcW{Clo$qCFjHUcPRtkUmkD<$R+l}kV620{k1%^P8 zC9m@pra(GV^H+O7^m5&M##22E=d+fCl?aWZqP$y6QO3{(qhZi`m%G>?FN`5TM|#uS zz^6ZuC%v=2uPdN-4WYNIn)&$pC-IGaMa25;E$P&eku^smzu_BGfmp7LS4%E7z)Lvz z;MCVepE5ex%$po-^H#UOaA-t}v+C|6a)MRMLoBwj3~1S2%`@GOL5zZVG(;wP(1nrL zmT0f5uz*T|3`9jZmC=D|^6rGX`DHAf8c<)X64WtN7qZkYaho7#j+Um=qVt1k0G3N; zr6?;Sp=Tm{&yrQ-8ea?x3HVWPlq$g{VlO68Z8`>#7il4(Cv|N3ZWRIwaP#o5cfO-R zG(vsVmtugfn*{D(@yY;11W_;{dVVhCaWU|1O8F@mfR{1Pjk%hUQrBRXTHSc1p#{XP zP&kRDi$;;D$Zg~0(Dbl)fH&k27aEBp=NiVN3}!mdN~25aT056eSW{koN2JZeTbXz5 zi3~Mwy*E1zOR~7kx!&br^>7*SnQ+I6ux$-Dyj=xPWEj_)-F0}d;bO*A+R?y_-uSo=3oXrotzNQ z78t_K;*gCw?4XEi=6kK%XKB|5bnDU{ijsmF?ls4ES$?cGXJ^mk5@+ZDP=kAdcJSf- zvIPpI_bwR&EEQ*tvF8k&Sdhx!2!Hd~i@CD%Icn0{odBCT(qx=B^ArAGwxtEdRPp<~ zvr~_vTsBgAjK{xE2(b&{jAJ$J^>B7L44V%25k3E=`*zr)y6u-cW@WMhhHAfOnKOmm zbmJ8MB!1Hrn49{BU3x?mH~!?Ix3aCSx$&PbfYj;8Hty7J=4n$FBS7-o_72`~Sc4&~ zy=rVgF!wM@#p; zE-xw%&cOG*JA}R+vGq_u#YObe0{3Ui2HW!nl|jYixO64K+5)OIjrHmEstI280Ed!c z($jB3=q6gJp%;oA@~)I?C3OJ)T8)WTP$0O~>NAh~8cK%+|O+PY%?0awzTZ zr2eL-t3%4~XN;wq4^~TD`1EU*9_~_x%&$_?G}XJg9E{eRMhluY$g1D5+YFd3CvWWI z?EX<-!@`eIQU2sEVO^E7P}8)xgM8F%l&U8aJOhh8>JqjlgV$W;-j~+rl4?y48xH)$ z>VYfTo1=U{B-hfW#=C`XtdiR%5d>ONfv;p&QH|I6)VULqYVVyYClZ(lhT1P9^qp7I zD3?>71C7^65@IS3XpzmThm*URKZpjFAEq#CV+2f3SG$xgwRJ0xb8$`-nrL->QHugRWwGA&JOiP&1Ef7M%tl77VwGC1b`lZ# z)4<6v-yX!3(OY-#E7W%+gw(g6Qpg`)vnp)#XfZqC0NAJ(i}{!FJK zPi`kXQE2|@w&~oJe6|hzbBKGq93(!k+abs>f3>=IJYr*5M~0L_{s>(^4H6TfP7eDT z`vE`lB=-o)5;tIGq42zJ_JiUxSt)``M$zc>gr^X#!7kWu{o8N1VXPsaweas%NQ)+e zLY`Go*6wwqY^#YbtzFksLOFebYNuhRuysmZ5myj8_X`W)jO7U=;z%L8aWGp=iEij> zEm>sSnW+0BR6VIJNkei~Ut68&LUF8|-kM})Kdhnw9f6x|7_H^oGo{h1#yjT31aS1p zKnc^7{9J)ly-I?_lOB&^sE^I>qQHhiQgwZ2gAbbnS`XZ6j&mu8-Ut@C!d~E%rf2b} zpB^px7yAM_TZ{tLtSB_QybRLc$=+gl+I3Z~_9oL&UfdZqIpz7Vu@>{KKNf#FFgu z&0sB!F@lB2iK()kp=aoj?75?M+EHo+bNqP!|6NrP@dD@8XFObLy$d2-;|SVg>q z9q4DM{pKYOfPHxm5()doQ_jZh=Z(|H7ma!&qALkKHQ}sN6Nt{4gS${3AZV zjiha|6BZO~Ou|$D&xWKz&A-NextgiJsv8rh0D>M?G5B;We}1)EDI5e1=xBY_GxR#p z9r9qSbU~2?c_&yWZ8yxuZbSGp$#(Kpli;OySglkiN^}N*{4{lqH(-NKYc`|NXs`iK z4OA`bn<_V-A~|Ah0+pZqAqDAR-Q~lWn;|5&e->W%ohRiBCx$#!Zgi?-N!eZ;6+~vz z7xuc_?+B5w!WeO#M37{i(dCcc(asj&d_+&7Gis_A5MnG|1bPlqzGfOsINOC+ugk@7 zK6FM|w0~38XFxqaC~HLY?ndX77{740@xW0^=A$>kSdsk!2<#?4{?<cU}`3w3UAfZp|@q>kR%%U{|PVR_4JME`+G&80obAihwg zBxK%ZrhIC$$JcYrJ7&Gp!&l&$$ZL!+D?z8Y35ERUo-q{~HgbXk1T&vNoaAy5kRoFH zoio}MibehS(aY(il)AI|YDG58qH4nrXVS^w>mMqTR@9#y#ojR)t2uehm!eVc6q53F zgXJ!&rVuAIf6?rvn{^xsy zh$nE;RkRhv@7h5m4g!s$)-^}N5gF*n1j`jV4cVhke z{qD7=s2V#r=-!=3lEWyeGw?f6Fn3jB^qaTRE&NEL#Wkoa?iTPyTb*aRlE<$X^FeYv zV6<`G=ex6yO-t4PkWIB80NHehWiqyaF1`7E zApJ&^yHPsdj)|<~scD4V6W?MYIi=U#!daCKSot?rT&*uHFpC-L3K?hYbSF$teb#J4 zrb>Q2FH59gd>5pTg2~1L5Np{dp6A=)<7z3Jl^`dPs7QZ)#yo!_CfZ5Ncq6VrGCZ@F zy@tr#ctJqgNCcplc^lz!1KI50PCoIhf%|_>)V06S$~(sg{ux3O1!AlXP%Tf6&9$*d?(#I1$t8! z);9}-P~B|+1+1tI*B~H&`YKJiBHP|X*O7e~-Ej21%StCZ`_c_J>>aMjeT0FvCi82) z7zxbvXJ*!qfrRkmokgkT(8W@Q2M=&~H&UjB?ELr0z%rc;jW?R|6m+d)<5e~q`P@ct zmj|KM;0E(a)5)PAyHd;qKG;NVed9xf0~kfNIL zjtPC#ivq+Wli35tji#^XgC)~7mM@Twn6$I!?ad*nvkldNoTnq%^5<%MQxS#5_BF>> zx-BGyu2bu3{ZbYiB{VdXqM3f7H*!JF|8;S&ovn0-qKk<)xah^ROuZ=o+@JQ!v#QXo zX2-&L5X|^@_*+B3qCl$2V|_96H4=9=oUMWA69`=XbrJ%|Sh;Y2aU#UrwNVeNuzFxa z3H8|o9lf1=aKT7>fFcee&D8NSjoI;5L7dcrn5Ej(f0YX(FP>!1YB=>S$a+*1OJcYf zZX;G*CJ=CqX*Y1-ne6lfSHeq%^}Spkd>^uFovJ&~DL2EejxIK=)0ZOAh!0|K$f?y( z8ekFwnAf9dOWjM9h|chRWDvA-#Y0%WoDX#hNN(X8h{IrFAsBi*kta-O*ap+s`~< zQ0ljy5AL#RJ(v|h&m4L8++1>S#H^2S`6bc$t4`QmG=(GQ(a<_;H2hJx`165MJ>Ekg}i6weDy{t9$4}-FIk@nwSdEqebp5@5X9z%;7x| zO?=O1(PS%1VD;ADYvl75g}OAm>N+T~zH0hWkj?kdN6qM=Iza$@G19GvxPxRm(nB$HUe zB6m^IoD;2(>}_hvv}mfInvZpU2T_Cs-Y3 zRkCFcm@PM?9TZ(iJAe>K_T@FCnz&{XA^vs0>*b1-_GcBjIVM8REhVCQL*;9PuZ~pQ zcC#N8$<-8A5I4vgnz2=npevZ_F~vkZQy>0-Y;(AKv33nK`1wg9~5bdMBjDrUcl@$+Hcb4$W*+kFSAh@+O*2enffdke&(BhqJV1`tM%_j{o z%J#;w8s92Fq?~+82%(9LxAWsdQH^Pq+N^VB;4ZwOK%pq>d%h)0h=p%Hd3X5BEj0o+ zqxdOj^B@HYDbBGl>7+_xPP2D->?3kI5Ix=$ctC0CU|L*6u*dG!f?)c>hCgNx0QBH$ z=5@BC)ihEH5>^H+2Z&!@8cRQ-3u*r#Xv+W6K%8I#t93;SM`a-WPz|;Cr`N3u!|hxq zwg#+DGC_QCpIdU}iYK);;7a4Hp?3os+TB<-7GKst%>rkxdUEYn7C7)s9YYGbKi;k5 zr6Zs3#}vRJJF+&>8m3`M&wSgk4)~Q8t&-8j{~sN@IgcGO!wryuC| z$$dA@6!)e^_h+~KW$wlt8RNVp=O4xf^_19IAAaV+54OlX>Y4tMCpdre$#I}V3f&ip z{Ea)J=28pp4!q{}+e=Fu!(ZebO>4jAE#I zlkk`TYn1XIX~(Ry#QCt&Xem&2>uqu9Xok?;>us>=Qvt6186c8&30h6|8Q_--0G_$WTg|o> z7)#^J|9F(Cf<2ewuV1UfolMFpPsU9oX7;t-(-xSmL@<*-t#}POUUathi1k^(o)|bs zN20i?5+6Ulan2J#bt4ya=00QuS=A_};d0LO=p(O@*TZG}fK&%6ul3sjc>agf5 z1%Dk0V70_BmZ!v&KWpEn&fGX2&J15p`&|)y6agOuDVvR2L61voz-wtzvm-K((;l<3 z#z%_Xunc`)9To%he0SVB$}C%eOAkkmu+U7=EF zy-il)s@n;cUx4atnXIMZEz-lNZN=?`=T?zrBC$?u{eAA|MZkM471m+-B5&xvq~(tM-`pp}@NrxIO5Y7uiPM z$gqE*)4w3W>7NCvR36bLLU)$0lcKG~bK#={{|*xHhkvUy{y+cjf%QwvpR3*=*9xtq zE*w%KC%Hblk^4qlYrnk2uwx>+6{IlO_jxXKDhd%>6O}vlq%C6~Jw^vK%N@O~lhy^oI*TePM`Zv{P=RFOrQYHcpg*T1tLZL}&}0D^CQ z8k}(*R^As|B~;}KbCSR3hfx)NJ;iB4e$oEnAnE_YhKz}C1x~=wTVLvp@Z{z9B}r(; zJh(gM!I@7d*0F2h&OHD#2Ga%AE&KY6S6W&I6pqN|H_$oei_Y~_<`j4-y6BSonBj5k zphEAASkM;Q9J8AR&R(=qy@P+G?~`fdGu~KiwoS0udFK!szQ%|}nQ0v-RzE9yE3SP3 z-l!k^E`Z-t{X^tbnY!dMfY$P^c^AzY??1l2|Mjedf26}1F<{;OfBs|gBjzjyG{ zH8+mH3d{Y3=Eu_I5Qm*KyExC+0$WmnCqYJ&P}?t6`}ue&wFPRI`%ZKj%iyg+GK4I)D8bT#eag|$ zWO*f2b(@e%b+YSOjy~o6K^8SUHtaO4~@B=f^Lfico-x=j~6& zUjyXyBhq3~9|5SmodfptGzyUkHoBimTjQ$I^!qEm0K=k>xf8K? z9Kod%T|S^ImIw^@g_+McuvvBdYit>pa%fqrvE<914cK0)=oQfq{wXTL?5SE6P* zXfI~-mHtFK8_XB=MlByk9YqoZtaT#dzM3I+dbaUpC{EBMV9WS;{6yT1IUlVGLmznH} zPZ)>h5av%^Ya!!&1Ce>^q>_Gf683Ccw%VGtFH<&Y5;3E|dtBY#`n_}Amx-DX{oKt} z=Rnh#k45nr%8kejn2}#^FBuh8zf5UF?iEmUI|yjg$~?bpM+o#FL?@_Ld~~=K#5MW z0G)b~%>_`J(T(G~MzVTQv)B(#6rSN3nJU(mJ+rw-pPHR|?f9_qmRSInJM{?^?8{p6kn^d?8c`^^YG|I8@{33H71Y#yd|4 z`*d#A{Wj`&r!BYv_(sb}f}RA@RG-G+^9xl!%VoVhFBU=VKm%BI@D0WR4e?S|pxYBI zFOnk#8ZgNn$xS&1>B;{^;TaQw_DHAj@LGuCd#U}&Bq)Nm%ibe6B^<>8qS+4+Lvmf= z?uG$sAATo9|Fmkckwc>4Z1H}rCWZ}(X{oGP@cg@p&x3@i@99B1rHcCkDspiRF3#Fk zeXxtRPyBzp6FM-?kq2#B)Jbnk#2@VG3aB7&(CUh5@W({^#|HzHx>~FF%#%{!lJj)s zP5;gWU^s!}Lt#TTz$4^OI8~xM;sH^>2Hj@WI z2Llm<8&8+Q(){Q4F5+XsbmxAkVlCXsB)fHR*9@1of`Lj7kNWK^{`%(!3YxW5ZZ>)B zTR>T$Z18yDzxPj!Km{({w@?1l4S}`e=_PiEV(Cx(y9KbbeJ|A10jpif2~BZKb@hRu zJpFnsNC!*LGwMUmRvY`4lSLtwNr^p71Y}pETUKU58iUv*p+P7vg+xn(i_~KHxeV$K z=uaxZiL!AciP29L9cAcsIu2QJ1Z{CZP(IZeiS(aw;&NdW@;m*EvN-8)yzXDK*=>k7 z6wb>d%WXJ&^bTjj<)k|`HE=O3zPA42XLVMc5X~u#HOwj131f=!bc^1L8)g;@(g`BK zvJR-?=s+cB|65U`$(9PGU9bHZU+ArzCxnJuAd$Ue4QbU=!U*&HaE9lVT>!) zn`*nMcxO(hGP`zVOJ}X>Q%W99wvr|$#E6XMVL(cqoN6aKuc2WU*yxUz{PTmFAImhM zHdfNhDUmxM-Hfb0xS3}}4IsQujG+egGo@90+c?~1!0AS5IZ?QK%emgJQem-!aqgXR zBLD*)w=j6&cKjd$UmXd}<`8MzEgs>5h54q1J>>~)C5@U;sSou9CLEBmw{d;JAAjas zIN9r^&~ZKq7`TRMMX;GAtHngEn$+vGVi5~gJ`E++()g^cT>rhGk1ByO?9Jl(;)I57 zveFDe#HUWJ7Dsr(Osi)Nh`pZuW(5;RJDVoZk-XDWndfRGjb2=!!36`H)5w^rLA zFDLWv=hNTcXCz7r)elAWydAkXKK06Zk6B+_pymuN2Gy>-V6c|Ci*qe7fEI93N(Ko~ zni-P#)aqPFVd^ecVTU77{c>=a3oUM2cl%Tqa+S(Qm=sA2z802#4B2WI>l;;8kET^a zW!^?B-I)Zd#XQ>ug1WKFU)4Jv8|vy0#}I{WBv8^gHFkG4g)ja;a@dX0%HQk>603ge&f3iw3=?DP?>h|o1M+mFq^nj$+0 zeeevd5QQ^LST4G>3z1b3RP3lSV`a<%vIkujoRSt0S47mXUJJK!dFElzs-*#|_Ljc) zCbqzatysqov}NoJHy6sTaTSM!*%#r3Ufx*>`Q7FoxW*3HUgD})dNv#~Nl_%%2iWrf z!hU9Imi$1vxc#7;stxhhbQ+Z;p}=i`%J>no6G;;0=w!nlNKyC!{pSd{$)PucQqia_ zF>9bQk@Vn(mI{>Kb*mQmGkffR=c|_9k$xe%c8~?C;AMsae6lwBy+AVzf5t=zXtL*+ zrcD}jnl)somP2JW2{o5X410=uE@QEKGk8Jxpy&Q@z$TF#pI|NBu628Mj6|`Wl0MIs zB-hhQo(3&-!Ti+P(nh0Nv|Sug-kR%)Vi{MHWINs^6Mi9^2uyP0>wjdKL_&dy#^-&a zUW0@_XM=C714N0R)=`BBbdnTzJ0Itq4%=tQcpZxN&I0dp>NIp$#bKR`K8!o-@W)C{ zH;(Wq$q>Xu()d)Lo1+EJ`#B53CO!2jpT041LPz3^ZlA&Od`$Ej-HB5M!-ZRJ!GoB^ z^b6<5L)TS8JCR;{fIb83Nv3FXJd)7=k;6ii->D}${+rylH7OR8-{V-%Nl1jIzJcyA z6$+tV9zToRabFh$2YdK;6mUU|d8EM{;(jK(-UsBBrd}C%=6F@~OuR+oqG)9Y4p}dm zIIq*=P8D>Rc&Lk<Urn^f2vt+9tuR1${w**hKH&-TxrtHuYMZSwYq z`{J3;t(_|op2+Z|3~S}nRfA!JG-RDCw4ed2B``u`dcE$xs}0kqnDjH=(V1^N95t_* zVpjMa#ut^D_N+&w!mla=U!J#^l)t=W@;x)$s+xWoU4=i-sQr=0@chS2+t;d4A=MVG zDxDO}v3M|Q{1|xPpIy`ESQHBg#e?vTp^Gz1VJ&r6u}o8_fjsub*t zbd3+o*(8_q@^Z8!4QwNYuPTis63cjM%j1-M@wra|jg=fy*3I~wakRh*GQid$;BO>6 zbg3sv8svSlEN0Vd5mQ=TJ6>cD($i@%CE5v?7E_Q}325WzRc6WM5a7pC{%glU@jb8z;S4;D3|r+cv=Cd{1~W{p-8E z$tMI~dB3`rMhB*6g;5qm04>pSfo-uWBA_rS+XFQsu)@o)C#gGv zS=;LI`#9ceXd(hZ%Na~IynoyjApgbqwssHEa-&$+i{2zf24{d;;{PEh4w)o^?M4>; zN|!CZ?w~WbdRpihM+*dqI7wExy&Q1Bf-r{m@vE{xIxO+OMZ33rUjy@=$M~rJT5eZ+ z{n@t<7JpAoEFx+&30XW__)c3X8UK7d)aPRo`yIevX%b3LiQ;-h!#XPYmYuPs`KEuV z5iyPa9N#C^s&bM9JrUMG?XqJ$D7)%^)al9hl8Lss;M3w%1rTcjJS93$7AsV)eIXm=MK1f}fD4 z0J&si_&soz_coDIWGEQz&>+U4HnnFhOIX2jhB_&8z{X2A9930uI?|e5G$Fc18Luj` zo}>7D0=`fpW}s^@Uj)`-U#A#tYa5h9Y5zuSR>@*8`A=bsxPlg?%0EHD=Cuupi+~(4 zXelrefGbmp0_~qEnyZtw?oEt9u9u z@zndGq{=pgy*M&#_9kVrHF&(jXlntcFH+pK&cw^D9`U?n&R8}UA1r@p)DDN!tp1A8 z3rN+VTa1O>gY*|9w{QulJfWSS@ZX~bM0ywT^~zGj18>i(p3O#Upe&XRzE(U0@|&Z4 z7s2gG=(jJxc?MFa`_JG0%IbbHF@r1d+-;4n_Fkt)nb8dooT$Eas zb);4MMS;er@oXY5v~`UOYRnuPlqU|Yw4Z6(^(8)bXIzKxgRx7v&5EC%K8L@+VLmDC z{4g~WiY6w$O=b9MRJvLcVkKmS)wd0*fp zYId;EUT3!L3Ye}`%-kOZN;{6{xrrcQ&3aZu#cN+(K^7P-=jxM{@ z`{1n`BrH;jY<~PB7bs!;vCRBk@Ffc8iphqh6VP2n{`Tr8$bP6`MW;t1s+)lpiVvTd z#7zbP44F@HtRPlv9bf$Zo@?|m0eOgxm7u4lA-C~o?;Q9i709+F7}PzjUioBi`lqEI z*DeGfI*pRQIw2g-EhPc_Ae%oKiL&hF9-3@2|CyflQ^A2MPe`oViVIfmaZ#zNApdkR zE3Sgv2IavhAgA|V@?wzR2O?`@N`7h&;1$3YKAR2%&VYfDVvo%)ARTG0nWZ2IJ~t7) zAaLpdu_3*eBZBDoy&5yg7r0G6CE=|m_%yrzuexw$&rr;@1qXZkHIRBk{W{*RCM2uo zaM!P)dw(=eC#Q@`t+g|gzR>%i2-c0Mt{6g=vZCkL*~exIBWcVOE`WNI-I%wM-q)S}`xMNb1SLhjA9}c; zniL%ltHm)f(UFrWcouXqpIb4_gJ-KM(l?e)=~3S7znb^n@SDtah{!4!Q<=!<+JkTF zXg)KoCo%b*O~JTU*%5IsUVj6=#4~7CiY87f$9?&xJ9(g626a{zl=JAysXR}+1g88K zFzT*Kvd>u~$GP~S&*tD^ETnahXg9z1YqLHoURoed=aa?}1tCI&4~ipoVV07c>-F>c z+wHqqwRC||#D5cW|8*+on!E7J(u9Ceeq}C8*;X>aQR8KzGqB49YQ1e(k{L#un^K4H zpb?su1H_Zxq{<#!KjVK$wO;#FJh8ULFj^SmmK+UCR?6(@i2TqTE^kzO4{*6lXDpjP zd_|t3WMb}P=dteiZ@^JXiSq)1CbM5rillJ<+m)tQE^*I9bt8F95IVg~%8;l3Ch`95 z0gzEwk483k1ga}%!!!kvm9{&MST#V5Y$8EaCyVqwyWn~|k?=IRdr=7aCnB0mj;(mz ziuyC?6AmsWW_cZw9L<`|KJ_im&b~0_|LZ{h+kxS=odf=dFFlJdt-gd8#Y8+N4+p72 zAj=n9Dx+T_8xtsd7^16M`~a#w$aZYS@GP2+7K#A7XGJfE?-7EN8Zvo^c>V}kcOR99 z-(XMzc@I+ArBJ7~go^qSIOr6Erc}xC>^e$+!iaQjf)YQ#3G&WIHV@G`J4awkA->h zE?t)T!~T8kg7DNZpj0nxu-y|L!kP5 zA;$nthfX_{%+dol`pk=~m=&3>kF&5y=$5(_Mw|~a{W6&i92}+fgI1TaPCuqmM5d;23zunj#C?q3^GzGGa{lwtNbf~PDSi4U z0v?xx5A)}OU3?qMU(TwB)$dT(vK4Z0yE1H**k}>vIyf&pRmv8l3G2D9W}5F>XBQ)x z^JD9SL7|{_{q;}_%Ze@b*dQ&S@$|i0-EL_vd9OozP>`(_WWq-n4i&UZ*v686X@dqN ziQ)564W7=DcG0iyRXrC)4gPZ~DwP3Q1o>9PqMfLI2C~zTs^kje&g3{ckTttRc2dFX z1?wF;({H1U>ImHi_b}sw*v^mzt=c`u_$cVOMwn<&1*Se#r3P z#OdGwW5?^PNvanU%(Xb8d5L_Nuh2EUUD&)OE+)6n;V;sPeeLdMlkZc@O}FF7^YAyx zvWKHx_NV`f5o;M3kQbViFPaC_;@kqgLU7upO9%})*{0vwo_|p!)X#CP{)8Q|pP#AU z8zA+SHhA3Fic62N$FtG6;Z#$P;c$R3H^+cbvPU*s`nh&@3CD-AEov?g(o`Y~(mC*` zzntn_?FHy!whp|V4yEgp{h#;(iIY(bWAgjR?NJ0*hdcf^kX8fzQ?M&l{v7UEy1!>U z7El?DKk5i42Om?MHU>@-*+`att@TymN*l*q)C)_M@*B9}V=ZD=wAs*gcmGxIy_sw` zPJ3<=W3i*{4GEOVmaYzk_17f6pGiRv^?oEsU%H#}EUD>Q6sq68NNEg;uJcSm4IE|d zERDaj$WhWidH!Cxzj#LhXo)isjKk>|F+WwV$2aI=+_6pA{!G$hLA(P(6q7s&qN@Rj zn(fNmu4%*f&MT}iM}3LJxYmul3=hIJxzq-(=t(Dx^)HfLu1r4@L%W6-Z^-`~Keqdb zOeqN*I7rk2)vu`572MRIstKzt9NVffE5lQ7Vxolv&@}@%$w;yw^&iis?-SHq79l6C z;t_RZBCjWS4f^86d+=mjDfsSI=VO7<9@-<0MKj@HU?zcw`v?X<(>M68Z zYSGFpI)mf%evB)z8YLC&j?UqRfHo7e#F*_J%Wqq3DovhY^V~la3!3v9qC}yj-rSE9 zK_39A3>f-yhXY7|gUsUG9LRx(^GJi%0!2Jf14ny%(Y#%dEk*Xg0kwSp>sj*$p3c*q z*K?$)ZSV@n=XrqG=&5YfBfi3ARr|5-)Q?76nVHMum{KrN)4`nt=0_GcimjTZ_REj5 zoe;TcakaG|5-CZ)2N=nPnDcvB=5YpW+bSN=&NSDI9G0u6_^d2pRo{$zI~XW20N4a|Is+l`n{R{XHRY5GEK5Argx}O zhnj}`tgUd>JorSf1}!7w@q7~R={nLO@AK1_FyR7?^(6vF6hnVNf-Y5B#A3bAd$V@) z;thVbjld{tCja%8=MP1Q8+>QyT_2)ucg9N$33k%9rmS-Mo}qNM8u5&0+-KSYOi?U= z-hwXCpOX5;VB@I_kWjwMOOoQEeG2m8J6l9_sfO+42SpE14-yEh7){?*(UDu}7C8fW z*LD_Xg^;zfc;@kqnak0}%P6*y5|YOv5+pdNE|PNKENp$Jp|^0QikH!>4#fmKba?4b z%SldE@Ps@5pDm#S%KjU2-_y5o22sn2nZ^1C-qT@LE%QcwOPQh1nC^Y)krz34u6OgM zbhg&FlO)6$?0uKOMWGlNN<^53Yk1 z09h)zZd|AMpwr(P6P23y(p#l;Itx!ko$iwgP_6A0IH;ydEqW5fxeJ{W(k)u6mGF-p z|M4R>RlQwA%jH9M!uI_y2@HMXZoTozq=k6Tw(BJcAX1fhi?Ek$7S8|a_J0_=H7gty z0Th0&g{43&bgB~~%%<23q7fytv-e6oanr=u_|`2LcNGx9Xu>2=q4(XcXMMvkxi_Uc zPv|`+eFYh6`ccCks13uLJ&Sp3ACA~!#hO>`>aO{X&hf%2h_XEk-RCT|#28-QsV=oz zg~lp=ca%TcSfZ-Jxf-`K2b=dxe)jS!>yeS0Ny zeS61<*?1jrK)4a&k64hA#fFL9K@J?61);)Wnhj5My95iVsOE`ZN!G0zvd^GLtn>{4 zjQkG+)?m<~Qz*h2hGa#O3B{@;NF9`SPO}Zpl8puSWp--cV{laCz zEubUBf1l}DGKW*JR{8;PN?}~1*u-No+_wEo%t)t*FMxTpV0t~o)su!<{9>>9k|X8Ky#UtmDrD-Na5pw+?~Fx z2wh``_tSwY$jV9`c4LO;cFvXnjN;|U=d87dOR1hXC0UJ60|W>pgUq@zFw3o@xoh8= zwd+8a01~h2wM3G`{z3Tb28iF>LHWtv6*J5Xy7KkSm)gn#OSToIVq(A-XQUJS)=6>F z5+9qCHFj1cDb-|9L^yftTk5rx_TQ^w&86H<0G~-?;O;jDr#v2!SNEn208%#@-;5b# zd0XHypm<-)Pq6plYx5FN$Mc}`@QE!TJ*uP#6*o6`W?KA=Mx24S`&p0Uq#)swPAE*- zA$DZ+F{Ff5YYdbGv+U#39kP|RUtqn~vJ)zsE+ms>N>0p@K}c&eCGLGn5ZpJImK z);9(8(wM4#9SjOecE@owr6G~trW!rZ~K;77II*E^zfRT9 zR7u|Z9mh-^Hkz#hNX{Mn8MzE7WG2)8tdJ~C!{>>GGG2+y3;jfWZb&jpzk{>=`At@) zNP^8D+vCM*UX>rivVzzP-ltE?v0lI-WzcKf$$um4pP9V1xD^x964PDh8v!u1Yx!6D zN3TS^oQJXnHKX zYue?oMHi`v#4Mzb=N@-R4UQBRg>mYeqMqv}J|DBrw>&yAN|{MowKSe;u}erb67E|2 zm%Haed24@E6iJP1z}D~&e0J}k7rW?TbQ|o0a%3_GkMKLN-(p-eEOM+cJ{)u4&`8a3sPVQ zcdh?FE>G7MK-d??QdJt0jN|Jlro;DNXv9O?J38t)0WDu1vIWdSnQ%Q~26QToGHAZNo!=a~{2-n=p;5nl<7uCNG>;!GaVyYtESj9HDMBf= z)QV^c8m%=65%?>wZL-6yIH5r9m8O8GtG&B+3BbX=#Aa3Axu-k9!`MH{jqBn)_BEjI z5+C{pVv{xbB%}6b7i#vzE#<7v!tEDfH1Pqsdz{+{+tH zgom~9i7@E%!`9P=w={aKyQkf1u0eFeDnJsZ8XNPquKq6$;uj&ceoj3obD8r*XUHPI(v&1j5|v;SpVwDY=4wL zVw+P~IM+RyJfG=|QYts`WhB$>O~_L%bl_^2OCH@H=e(W;GK4vjMs1az=+YczlB`e4 zVNRovquw1_v7kuzZB*|mDeU$4xhL0L1b9?3zAp}87=Xz0Xrd?D0{I*3Lm-_Dng)_L z@f$Zx>zvI)9JV(jxi-`MuDN{anLDN%fjlvto^kgmmi~JKrK1zI7#t0mw0@uEc-ZJK zt5UiL0UARI>I-q+q?&}u5?iNbbaOrN=x0sjhd(F#x^i^$$+ncwhNFn_#Cbp&}&;@niq|Md%+;bcFRHkQ1#j&z|9l#VON7 z?viWSLDDUh5#DBL{UjfsvyQh6d^qsS6p&m3Oh%^wj`Y%)Q>nO!^CGb!Ifo~3e z57LnIzARW1B3Yhw7x@__?vv8kMUPf$V7VS$5KgZpmT@I(;jWs$fdi15u3_PNCYzMi z#+mgERG)(RmW!aw%gLCy7ZAN8h?-We2D1n~H69MdYWQ34)PUVZqxq!BHU8L4lv1y( z)xbI}!=p-FdG?p4bc40KjN0KfQ-TLWzeVzCDP}qWssh5d`rx-nI?QCbakf^rV06Jq zvqvb=FDnJ@LjDJt+y?i(%M+$-hb2%Ju(v6uC^{{nW;6v;NY`xAqw{~!n z0!c7l8j?tr3#<-!`s|MsPEaE8&L-BBzW?fREXmNIwzOyEf{Of9NBCQt)inSGDcz$Q zs#FhN1~hxwp`ni*#dZ8Nvdfxbm;`T$t3o^?xV)d?Sl*x;Fq1L1;qC@vbth+^@$)C`5%Ag8L0v=soT{+kT3YBX!d%c}V>p+fNk1vGm|MsUr5au}c|MpEmRR z!tWB)+M{sAJchM2mIyo_;Q?(L+(iTli?{-yvpd9rPTpyLr+}RC8Z};-%)jk9DzboE zGojmmVKK&1uL~d=F9gG9X6me%i`=e;z7lHDC^AoROL0dp;v16D)$^R)FrDHBd7fqd zwJg!xj}K7#_O`dNWE1(-qy6DWpA0R}ecSHzGA)GX7x!p((J=h7aCRFpI5$w&n691* zfj=mcy|Ait!7fiO_)6La%5Q%f62JAjU7B<7h?5`I=8uc;Jr&0AMoS%5b+TD%B6=7y z?dCSl?C6!$dj$tEV9Bp>d_88G0ExJv;XGStZ5NYa6`NGN+%(vCLZFBp-D1OOaF_+h zU}>ca@&v=SxgL8B=8kp(tC`W~8hH%jKN@~6K>%QsWQc0QMAR$NNVgn)vEAB4UVA;s zrJrIjS&U`Bk%DP=GYFzMb#Kx-@pQ7S`YiJ=eq5ocJvPu_?JVP9fL6(#y%BJo<778| zxAS>J%h5bwiHK^)?pqMRr??4s5&k0`0G?g^M>n11Uc1`41;AR_@b8kRwaFbJ7B_d5 z__Q&pK5VUQ5KT?PP&_~;vgf~C|C7OJ+PsNZ8I&!xY9ly}w_G*}=Ps0bdsR6e?*MY# zw!^Gkxg%a&B3E)Pt!9exS8_X7wFX^#ceEs5fyHlWC{-zJRl|yUNE!FXuMQ9NN1mHY z!L|~K^M3Doplea^rOv*)M5Ds0`Sz$Q6oUf(H#oA?L4(u}lY|3QGrB`c0GaT5J`7m> zZ1vakZkgU3D{4%V#=K9HTdyb`ABSgtc=rBexiB(Mu&MAIxdFV!eS3vHXvHj)-+Yt@ zu=9l#OH0m8<{eBJzOAlonQq&ug8PZM8}~hmUZ7M1z`Vb8$P*(v$sF{OVskH%Z&h7n zP55Ucr6)}E6C+DMtQWHTi&%Xjt*H@7qGC7#!qB`1Jmrq0(H-{~1{0y{xa(g^Fgx@g9Xe8?kHFdfkHb@BI&Ytvelg->j?eI&hJEyLTVkg&Jrg z|Luo4!E(n|AdzPM^g`T^xyylSVsnd}H)7Q5?W5s6hSTq6ob=^KFtaV#;n_!*+5`KK z<_t@-6*@l)`Q6b3oCwq^3{JHkh9#2Lc%??D@WU4xfENC{|BP>_JlN=qTEob;1k!fw zv*<-WcFyN|Du3={0p>kB4IF8w{WUUo2jZfufoh&2amv20Z6&i#l z1`z2%*I)>fI6uw>v(B*zo>e0Iww;CHp(UdwL>uTVB7RqYjB?`Suq!d~m(-$z`ezKe zjGR8-r!SVhwg+JnKn}QhGOFGeDmfjhIssS%FsVg-iv(he40 z!-_q6QFdv zBG(H71|&qN$)f3Hl|+JOaeDLDqCcxI0|1wUpK%GwYiN&q*;&h|#xwGZ8lqup zN+?h<--6mqV+vQ;UjzC~gYt3!N@eNEA+D?wJd+pDK}VJzVBk(NK}P*0;> zgD(R_|E-~k8e){#jnss54hqb_MG^yn`NeBGT*+4#a>!U(LUe}a;n4XwVR688jV^*& zZhf=T+id110A1FUga*^;l|$)|%`l4i8>Tao=qA7M(*SDKzkLS&2F4F!F50UNAghh3 z-S>*RC%)e62Sh|>b_^>Nck!&`q+SX(Kc67!gHrk@{M({6$}s7r}B*#U*1i4{CtEUU|3^F6TnHhV`1ZYGs z7sD>$8i3JF4FcUVlWX|DOqD8jC6-EwVX*Fl!pixm+}61e?75nmS6#(_OE#rmw!_`l zZv}Qxc|r~(mUn}MeISH#`2oeO($BUN^d;bE0_>)wDvf~O)AKV)*DQ>~26x&u28dUv zeniA>g%yc*KG^&nzSdv>V6Z%LW{?P80#@K#98N*e`TXV9H3AY;eY;qv9t)^cFW^|P zeoeP~%}JYVb$fB#S{w&ONOk#jmMYVo^0#XG@9p-nUevx0NMU}&BtdaJ6pqsaNCILN z?*KygNUW;&bKsZYzz@=i3Xe$`w~9-J92l zL;&fW67LbJ3{@cy2lcz(bQ7T33SN*D{|JpTtBfEKwp1BnfBRhX@|vDWQ2mFV*`~k; z+&)OdiD8@TR$u0Y0}a%+%9kU*-qMI1)j+A6Wpk6Gz9&63uzplHPoiRf>oD-Z(d3pK z&;cSURO;2$Wx2oZqE1BTq3`0+w3sElP#%0kKAB~$>R9fh07j0kF{f6478bRy6+2R7 zq6sL2{~Gju8%{1ie3?UZA~!=k^dw9*p*c#i)z`+s<>hlE^y1CQ!S?+Vj_r&au1 z+