source: trunk/library/Mail/Mail/RFC822.php @ 7673

Revision 7673, 31.4 KB checked in by douglasz, 11 years ago (diff)

Ticket #3236 - Correcoes para Performance: Function Within Loop Declaration.

Line 
1<?php
2/**
3 * RFC 822 Email address list validation Utility
4 *
5 * PHP versions 4 and 5
6 *
7 * LICENSE:
8 *
9 * Copyright (c) 2001-2010, Richard Heyes
10 * All rights reserved.
11 *
12 * Redistribution and use in source and binary forms, with or without
13 * modification, are permitted provided that the following conditions
14 * are met:
15 *
16 * o Redistributions of source code must retain the above copyright
17 *   notice, this list of conditions and the following disclaimer.
18 * o Redistributions in binary form must reproduce the above copyright
19 *   notice, this list of conditions and the following disclaimer in the
20 *   documentation and/or other materials provided with the distribution.
21 * o The names of the authors may not be used to endorse or promote
22 *   products derived from this software without specific prior written
23 *   permission.
24 *
25 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
26 * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
27 * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
28 * A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
29 * OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
30 * SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
31 * LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
32 * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
33 * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
34 * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
35 * OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
36 *
37 * @category    Mail
38 * @package     Mail
39 * @author      Richard Heyes <richard@phpguru.org>
40 * @author      Chuck Hagenbuch <chuck@horde.org
41 * @copyright   2001-2010 Richard Heyes
42 * @license     http://opensource.org/licenses/bsd-license.php New BSD License
43 * @version     CVS: $Id: RFC822.php 294749 2010-02-08 08:22:25Z clockwerx $
44 * @link        http://pear.php.net/package/Mail/
45 */
46
47/**
48 * RFC 822 Email address list validation Utility
49 *
50 * What is it?
51 *
52 * This class will take an address string, and parse it into it's consituent
53 * parts, be that either addresses, groups, or combinations. Nested groups
54 * are not supported. The structure it returns is pretty straight forward,
55 * and is similar to that provided by the imap_rfc822_parse_adrlist(). Use
56 * print_r() to view the structure.
57 *
58 * How do I use it?
59 *
60 * $address_string = 'My Group: "Richard" <richard@localhost> (A comment), ted@example.com (Ted Bloggs), Barney;';
61 * $structure = Mail_RFC822::parseAddressList($address_string, 'example.com', true)
62 * print_r($structure);
63 *
64 * @author  Richard Heyes <richard@phpguru.org>
65 * @author  Chuck Hagenbuch <chuck@horde.org>
66 * @version $Revision: 294749 $
67 * @license BSD
68 * @package Mail
69 */
70class Mail_RFC822 {
71
72    /**
73     * The address being parsed by the RFC822 object.
74     * @var string $address
75     */
76    var $address = '';
77
78    /**
79     * The default domain to use for unqualified addresses.
80     * @var string $default_domain
81     */
82    var $default_domain = 'localhost';
83
84    /**
85     * Should we return a nested array showing groups, or flatten everything?
86     * @var boolean $nestGroups
87     */
88    var $nestGroups = true;
89
90    /**
91     * Whether or not to validate atoms for non-ascii characters.
92     * @var boolean $validate
93     */
94    var $validate = true;
95
96    /**
97     * The array of raw addresses built up as we parse.
98     * @var array $addresses
99     */
100    var $addresses = array();
101
102    /**
103     * The final array of parsed address information that we build up.
104     * @var array $structure
105     */
106    var $structure = array();
107
108    /**
109     * The current error message, if any.
110     * @var string $error
111     */
112    var $error = null;
113
114    /**
115     * An internal counter/pointer.
116     * @var integer $index
117     */
118    var $index = null;
119
120    /**
121     * The number of groups that have been found in the address list.
122     * @var integer $num_groups
123     * @access public
124     */
125    var $num_groups = 0;
126
127    /**
128     * A variable so that we can tell whether or not we're inside a
129     * Mail_RFC822 object.
130     * @var boolean $mailRFC822
131     */
132    var $mailRFC822 = true;
133
134    /**
135    * A limit after which processing stops
136    * @var int $limit
137    */
138    var $limit = null;
139
140    /**
141     * Sets up the object. The address must either be set here or when
142     * calling parseAddressList(). One or the other.
143     *
144     * @access public
145     * @param string  $address         The address(es) to validate.
146     * @param string  $default_domain  Default domain/host etc. If not supplied, will be set to localhost.
147     * @param boolean $nest_groups     Whether to return the structure with groups nested for easier viewing.
148     * @param boolean $validate        Whether to validate atoms. Turn this off if you need to run addresses through before encoding the personal names, for instance.
149     *
150     * @return object Mail_RFC822 A new Mail_RFC822 object.
151     */
152    function Mail_RFC822($address = null, $default_domain = null, $nest_groups = null, $validate = null, $limit = null)
153    {
154        if (isset($address))        $this->address        = $address;
155        if (isset($default_domain)) $this->default_domain = $default_domain;
156        if (isset($nest_groups))    $this->nestGroups     = $nest_groups;
157        if (isset($validate))       $this->validate       = $validate;
158        if (isset($limit))          $this->limit          = $limit;
159    }
160
161    /**
162     * Starts the whole process. The address must either be set here
163     * or when creating the object. One or the other.
164     *
165     * @access public
166     * @param string  $address         The address(es) to validate.
167     * @param string  $default_domain  Default domain/host etc.
168     * @param boolean $nest_groups     Whether to return the structure with groups nested for easier viewing.
169     * @param boolean $validate        Whether to validate atoms. Turn this off if you need to run addresses through before encoding the personal names, for instance.
170     *
171     * @return array A structured array of addresses.
172     */
173    function parseAddressList($address = null, $default_domain = null, $nest_groups = null, $validate = null, $limit = null)
174    {
175        if (!isset($this) || !isset($this->mailRFC822)) {
176            $obj = new Mail_RFC822($address, $default_domain, $nest_groups, $validate, $limit);
177            return $obj->parseAddressList();
178        }
179
180        if (isset($address))        $this->address        = $address;
181        if (isset($default_domain)) $this->default_domain = $default_domain;
182        if (isset($nest_groups))    $this->nestGroups     = $nest_groups;
183        if (isset($validate))       $this->validate       = $validate;
184        if (isset($limit))          $this->limit          = $limit;
185
186        $this->structure  = array();
187        $this->addresses  = array();
188        $this->error      = null;
189        $this->index      = null;
190
191        // Unfold any long lines in $this->address.
192        $this->address = preg_replace('/\r?\n/', "\r\n", $this->address);
193        $this->address = preg_replace('/\r\n(\t| )+/', ' ', $this->address);
194
195        while ($this->address = $this->_splitAddresses($this->address));
196
197        if ($this->address === false || isset($this->error)) {
198            require_once dirname(__FILE__).'/../../PEAR/PEAR.php';
199            return PEAR::raiseError($this->error);
200        }
201
202        // Validate each address individually.  If we encounter an invalid
203        // address, stop iterating and return an error immediately.
204        foreach ($this->addresses as $address) {
205            $valid = $this->_validateAddress($address);
206
207            if ($valid === false || isset($this->error)) {
208                require_once 'PEAR.php';
209                return PEAR::raiseError($this->error);
210            }
211
212            if (!$this->nestGroups) {
213                $this->structure = array_merge($this->structure, $valid);
214            } else {
215                $this->structure[] = $valid;
216            }
217        }
218
219        return $this->structure;
220    }
221
222    /**
223     * Splits an address into separate addresses.
224     *
225     * @access private
226     * @param string $address The addresses to split.
227     * @return boolean Success or failure.
228     */
229    function _splitAddresses($address)
230    {
231        if (!empty($this->limit) && count($this->addresses) == $this->limit) {
232            return '';
233        }
234
235        if ($this->_isGroup($address) && !isset($this->error)) {
236            $split_char = ';';
237            $is_group   = true;
238        } elseif (!isset($this->error)) {
239            $split_char = ',';
240            $is_group   = false;
241        } elseif (isset($this->error)) {
242            return false;
243        }
244
245        // Split the string based on the above ten or so lines.
246        $parts  = explode($split_char, $address);
247        $string = $this->_splitCheck($parts, $split_char);
248
249        // If a group...
250        if ($is_group) {
251            // If $string does not contain a colon outside of
252            // brackets/quotes etc then something's fubar.
253
254            // First check there's a colon at all:
255            if (strpos($string, ':') === false) {
256                $this->error = 'Invalid address: ' . $string;
257                return false;
258            }
259
260            // Now check it's outside of brackets/quotes:
261            if (!$this->_splitCheck(explode(':', $string), ':')) {
262                return false;
263            }
264
265            // We must have a group at this point, so increase the counter:
266            $this->num_groups++;
267        }
268
269        // $string now contains the first full address/group.
270        // Add to the addresses array.
271        $this->addresses[] = array(
272                                   'address' => trim($string),
273                                   'group'   => $is_group
274                                   );
275
276        // Remove the now stored address from the initial line, the +1
277        // is to account for the explode character.
278        $address = trim(substr($address, strlen($string) + 1));
279
280        // If the next char is a comma and this was a group, then
281        // there are more addresses, otherwise, if there are any more
282        // chars, then there is another address.
283        if ($is_group && substr($address, 0, 1) == ','){
284            $address = trim(substr($address, 1));
285            return $address;
286
287        } elseif (strlen($address) > 0) {
288            return $address;
289
290        } else {
291            return '';
292        }
293
294        // If you got here then something's off
295        return false;
296    }
297
298    /**
299     * Checks for a group at the start of the string.
300     *
301     * @access private
302     * @param string $address The address to check.
303     * @return boolean Whether or not there is a group at the start of the string.
304     */
305    function _isGroup($address)
306    {
307        // First comma not in quotes, angles or escaped:
308        $parts  = explode(',', $address);
309        $string = $this->_splitCheck($parts, ',');
310
311        // Now we have the first address, we can reliably check for a
312        // group by searching for a colon that's not escaped or in
313        // quotes or angle brackets.
314        if (count($parts = explode(':', $string)) > 1) {
315            $string2 = $this->_splitCheck($parts, ':');
316            return ($string2 !== $string);
317        } else {
318            return false;
319        }
320    }
321
322    /**
323     * A common function that will check an exploded string.
324     *
325     * @access private
326     * @param array $parts The exloded string.
327     * @param string $char  The char that was exploded on.
328     * @return mixed False if the string contains unclosed quotes/brackets, or the string on success.
329     */
330    function _splitCheck($parts, $char)
331    {
332        $string = $parts[0];
333
334        $parts_count = count($parts);
335        for ($i = 0; $i < $parts_count; ++$i) {
336            if ($this->_hasUnclosedQuotes($string)
337                || $this->_hasUnclosedBrackets($string, '<>')
338                || $this->_hasUnclosedBrackets($string, '[]')
339                || $this->_hasUnclosedBrackets($string, '()')
340                || substr($string, -1) == '\\') {
341                if (isset($parts[$i + 1])) {
342                    $string = $string . $char . $parts[$i + 1];
343                } else {
344                    $this->error = 'Invalid address spec. Unclosed bracket or quotes';
345                    return false;
346                }
347            } else {
348                $this->index = $i;
349                break;
350            }
351        }
352
353        return $string;
354    }
355
356    /**
357     * Checks if a string has unclosed quotes or not.
358     *
359     * @access private
360     * @param string $string  The string to check.
361     * @return boolean  True if there are unclosed quotes inside the string,
362     *                  false otherwise.
363     */
364    function _hasUnclosedQuotes($string)
365    {
366        $string = trim($string);
367        $iMax = strlen($string);
368        $in_quote = false;
369        $i = $slashes = 0;
370
371        for (; $i < $iMax; ++$i) {
372            switch ($string[$i]) {
373            case '\\':
374                ++$slashes;
375                break;
376
377            case '"':
378                if ($slashes % 2 == 0) {
379                    $in_quote = !$in_quote;
380                }
381                // Fall through to default action below.
382
383            default:
384                $slashes = 0;
385                break;
386            }
387        }
388
389        return $in_quote;
390    }
391
392    /**
393     * Checks if a string has an unclosed brackets or not. IMPORTANT:
394     * This function handles both angle brackets and square brackets;
395     *
396     * @access private
397     * @param string $string The string to check.
398     * @param string $chars  The characters to check for.
399     * @return boolean True if there are unclosed brackets inside the string, false otherwise.
400     */
401    function _hasUnclosedBrackets($string, $chars)
402    {
403        $num_angle_start = substr_count($string, $chars[0]);
404        $num_angle_end   = substr_count($string, $chars[1]);
405
406        $this->_hasUnclosedBracketsSub($string, $num_angle_start, $chars[0]);
407        $this->_hasUnclosedBracketsSub($string, $num_angle_end, $chars[1]);
408
409        if ($num_angle_start < $num_angle_end) {
410            $this->error = 'Invalid address spec. Unmatched quote or bracket (' . $chars . ')';
411            return false;
412        } else {
413            return ($num_angle_start > $num_angle_end);
414        }
415    }
416
417    /**
418     * Sub function that is used only by hasUnclosedBrackets().
419     *
420     * @access private
421     * @param string $string The string to check.
422     * @param integer &$num    The number of occurences.
423     * @param string $char   The character to count.
424     * @return integer The number of occurences of $char in $string, adjusted for backslashes.
425     */
426    function _hasUnclosedBracketsSub($string, &$num, $char)
427    {
428        $parts = explode($char, $string);
429        $parts_count = count($parts);
430        for ($i = 0; $i < $parts_count; ++$i){
431            if (substr($parts[$i], -1) == '\\' || $this->_hasUnclosedQuotes($parts[$i]))
432                $num--;
433            if (isset($parts[$i + 1]))
434                $parts[$i + 1] = $parts[$i] . $char . $parts[$i + 1];
435        }
436
437        return $num;
438    }
439
440    /**
441     * Function to begin checking the address.
442     *
443     * @access private
444     * @param string $address The address to validate.
445     * @return mixed False on failure, or a structured array of address information on success.
446     */
447    function _validateAddress($address)
448    {
449        $is_group = false;
450        $addresses = array();
451
452        if ($address['group']) {
453            $is_group = true;
454
455            // Get the group part of the name
456            $parts     = explode(':', $address['address']);
457            $groupname = $this->_splitCheck($parts, ':');
458            $structure = array();
459
460            // And validate the group part of the name.
461            if (!$this->_validatePhrase($groupname)){
462                $this->error = 'Group name did not validate.';
463                return false;
464            } else {
465                // Don't include groups if we are not nesting
466                // them. This avoids returning invalid addresses.
467                if ($this->nestGroups) {
468                    $structure = new stdClass;
469                    $structure->groupname = $groupname;
470                }
471            }
472
473            $address['address'] = ltrim(substr($address['address'], strlen($groupname . ':')));
474        }
475
476        // If a group then split on comma and put into an array.
477        // Otherwise, Just put the whole address in an array.
478        if ($is_group) {
479            while (strlen($address['address']) > 0) {
480                $parts       = explode(',', $address['address']);
481                $addresses[] = $this->_splitCheck($parts, ',');
482                $address['address'] = trim(substr($address['address'], strlen(end($addresses) . ',')));
483            }
484        } else {
485            $addresses[] = $address['address'];
486        }
487
488        // Check that $addresses is set, if address like this:
489        // Groupname:;
490        // Then errors were appearing.
491        if (!count($addresses)){
492            $this->error = 'Empty group.';
493            return false;
494        }
495
496        // Trim the whitespace from all of the address strings.
497        array_map('trim', $addresses);
498
499        // Validate each mailbox.
500        // Format could be one of: name <geezer@domain.com>
501        //                         geezer@domain.com
502        //                         geezer
503        // ... or any other format valid by RFC 822.
504        $addresses_count = count($addresses);
505        for ($i = 0; $i < $addresses_count; ++$i) {
506            if (!$this->validateMailbox($addresses[$i])) {
507                if (empty($this->error)) {
508                    $this->error = 'Validation failed for: ' . $addresses[$i];
509                }
510                return false;
511            }
512        }
513
514        // Nested format
515        if ($this->nestGroups) {
516            if ($is_group) {
517                $structure->addresses = $addresses;
518            } else {
519                $structure = $addresses[0];
520            }
521
522        // Flat format
523        } else {
524            if ($is_group) {
525                $structure = array_merge($structure, $addresses);
526            } else {
527                $structure = $addresses;
528            }
529        }
530
531        return $structure;
532    }
533
534    /**
535     * Function to validate a phrase.
536     *
537     * @access private
538     * @param string $phrase The phrase to check.
539     * @return boolean Success or failure.
540     */
541    function _validatePhrase($phrase)
542    {
543        // Splits on one or more Tab or space.
544        $parts = preg_split('/[ \\x09]+/', $phrase, -1, PREG_SPLIT_NO_EMPTY);
545
546        $phrase_parts = array();
547        while (count($parts) > 0){
548            $phrase_parts[] = $this->_splitCheck($parts, ' ');
549            for ($i = 0; $i < $this->index + 1; ++$i)
550                array_shift($parts);
551        }
552
553        foreach ($phrase_parts as $part) {
554            // If quoted string:
555            if (substr($part, 0, 1) == '"') {
556                if (!$this->_validateQuotedString($part)) {
557                    return false;
558                }
559                continue;
560            }
561
562            // Otherwise it's an atom:
563            if (!$this->_validateAtom($part)) return false;
564        }
565
566        return true;
567    }
568
569    /**
570     * Function to validate an atom which from rfc822 is:
571     * atom = 1*<any CHAR except specials, SPACE and CTLs>
572     *
573     * If validation ($this->validate) has been turned off, then
574     * validateAtom() doesn't actually check anything. This is so that you
575     * can split a list of addresses up before encoding personal names
576     * (umlauts, etc.), for example.
577     *
578     * @access private
579     * @param string $atom The string to check.
580     * @return boolean Success or failure.
581     */
582    function _validateAtom($atom)
583    {
584        if (!$this->validate) {
585            // Validation has been turned off; assume the atom is okay.
586            return true;
587        }
588
589        // Check for any char from ASCII 0 - ASCII 127
590        if (!preg_match('/^[\\x00-\\x7E]+$/i', $atom, $matches)) {
591            return false;
592        }
593
594        // Check for specials:
595        if (preg_match('/[][()<>@,;\\:". ]/', $atom)) {
596            return false;
597        }
598
599        // Check for control characters (ASCII 0-31):
600        if (preg_match('/[\\x00-\\x1F]+/', $atom)) {
601            return false;
602        }
603
604        return true;
605    }
606
607    /**
608     * Function to validate quoted string, which is:
609     * quoted-string = <"> *(qtext/quoted-pair) <">
610     *
611     * @access private
612     * @param string $qstring The string to check
613     * @return boolean Success or failure.
614     */
615    function _validateQuotedString($qstring)
616    {
617        // Leading and trailing "
618        $qstring = substr($qstring, 1, -1);
619
620        // Perform check, removing quoted characters first.
621        return !preg_match('/[\x0D\\\\"]/', preg_replace('/\\\\./', '', $qstring));
622    }
623
624    /**
625     * Function to validate a mailbox, which is:
626     * mailbox =   addr-spec         ; simple address
627     *           / phrase route-addr ; name and route-addr
628     *
629     * @access public
630     * @param string &$mailbox The string to check.
631     * @return boolean Success or failure.
632     */
633    function validateMailbox(&$mailbox)
634    {
635        // A couple of defaults.
636        $phrase  = '';
637        $comment = '';
638        $comments = array();
639
640        // Catch any RFC822 comments and store them separately.
641        $_mailbox = $mailbox;
642        while (strlen(trim($_mailbox)) > 0) {
643            $parts = explode('(', $_mailbox);
644            $before_comment = $this->_splitCheck($parts, '(');
645            if ($before_comment != $_mailbox) {
646                // First char should be a (.
647                $comment    = substr(str_replace($before_comment, '', $_mailbox), 1);
648                $parts      = explode(')', $comment);
649                $comment    = $this->_splitCheck($parts, ')');
650                $comments[] = $comment;
651
652                // +2 is for the brackets
653                $_mailbox = substr($_mailbox, strpos($_mailbox, '('.$comment)+strlen($comment)+2);
654            } else {
655                break;
656            }
657        }
658
659        foreach ($comments as $comment) {
660            $mailbox = str_replace("($comment)", '', $mailbox);
661        }
662
663        $mailbox = trim($mailbox);
664
665        // Check for name + route-addr
666        if (substr($mailbox, -1) == '>' && substr($mailbox, 0, 1) != '<') {
667            $parts  = explode('<', $mailbox);
668            $name   = $this->_splitCheck($parts, '<');
669
670            $phrase     = trim($name);
671            $route_addr = trim(substr($mailbox, strlen($name.'<'), -1));
672
673            if ($this->_validatePhrase($phrase) === false || ($route_addr = $this->_validateRouteAddr($route_addr)) === false) {
674                return false;
675            }
676
677        // Only got addr-spec
678        } else {
679            // First snip angle brackets if present.
680            if (substr($mailbox, 0, 1) == '<' && substr($mailbox, -1) == '>') {
681                $addr_spec = substr($mailbox, 1, -1);
682            } else {
683                $addr_spec = $mailbox;
684            }
685
686            if (($addr_spec = $this->_validateAddrSpec($addr_spec)) === false) {
687                return false;
688            }
689        }
690
691        // Construct the object that will be returned.
692        $mbox = new stdClass();
693
694        // Add the phrase (even if empty) and comments
695        $mbox->personal = $phrase;
696        $mbox->comment  = isset($comments) ? $comments : array();
697
698        if (isset($route_addr)) {
699            $mbox->mailbox = $route_addr['local_part'];
700            $mbox->host    = $route_addr['domain'];
701            $route_addr['adl'] !== '' ? $mbox->adl = $route_addr['adl'] : '';
702        } else {
703            $mbox->mailbox = $addr_spec['local_part'];
704            $mbox->host    = $addr_spec['domain'];
705        }
706
707        $mailbox = $mbox;
708        return true;
709    }
710
711    /**
712     * This function validates a route-addr which is:
713     * route-addr = "<" [route] addr-spec ">"
714     *
715     * Angle brackets have already been removed at the point of
716     * getting to this function.
717     *
718     * @access private
719     * @param string $route_addr The string to check.
720     * @return mixed False on failure, or an array containing validated address/route information on success.
721     */
722    function _validateRouteAddr($route_addr)
723    {
724        // Check for colon.
725        if (strpos($route_addr, ':') !== false) {
726            $parts = explode(':', $route_addr);
727            $route = $this->_splitCheck($parts, ':');
728        } else {
729            $route = $route_addr;
730        }
731
732        // If $route is same as $route_addr then the colon was in
733        // quotes or brackets or, of course, non existent.
734        if ($route === $route_addr){
735            unset($route);
736            $addr_spec = $route_addr;
737            if (($addr_spec = $this->_validateAddrSpec($addr_spec)) === false) {
738                return false;
739            }
740        } else {
741            // Validate route part.
742            if (($route = $this->_validateRoute($route)) === false) {
743                return false;
744            }
745
746            $addr_spec = substr($route_addr, strlen($route . ':'));
747
748            // Validate addr-spec part.
749            if (($addr_spec = $this->_validateAddrSpec($addr_spec)) === false) {
750                return false;
751            }
752        }
753
754        if (isset($route)) {
755            $return['adl'] = $route;
756        } else {
757            $return['adl'] = '';
758        }
759
760        $return = array_merge($return, $addr_spec);
761        return $return;
762    }
763
764    /**
765     * Function to validate a route, which is:
766     * route = 1#("@" domain) ":"
767     *
768     * @access private
769     * @param string $route The string to check.
770     * @return mixed False on failure, or the validated $route on success.
771     */
772    function _validateRoute($route)
773    {
774        // Split on comma.
775        $domains = explode(',', trim($route));
776
777        foreach ($domains as $domain) {
778            $domain = str_replace('@', '', trim($domain));
779            if (!$this->_validateDomain($domain)) return false;
780        }
781
782        return $route;
783    }
784
785    /**
786     * Function to validate a domain, though this is not quite what
787     * you expect of a strict internet domain.
788     *
789     * domain = sub-domain *("." sub-domain)
790     *
791     * @access private
792     * @param string $domain The string to check.
793     * @return mixed False on failure, or the validated domain on success.
794     */
795    function _validateDomain($domain)
796    {
797        // Note the different use of $subdomains and $sub_domains
798        $subdomains = explode('.', $domain);
799
800        while (count($subdomains) > 0) {
801            $sub_domains[] = $this->_splitCheck($subdomains, '.');
802            for ($i = 0; $i < $this->index + 1; ++$i)
803                array_shift($subdomains);
804        }
805
806        foreach ($sub_domains as $sub_domain) {
807            if (!$this->_validateSubdomain(trim($sub_domain)))
808                return false;
809        }
810
811        // Managed to get here, so return input.
812        return $domain;
813    }
814
815    /**
816     * Function to validate a subdomain:
817     *   subdomain = domain-ref / domain-literal
818     *
819     * @access private
820     * @param string $subdomain The string to check.
821     * @return boolean Success or failure.
822     */
823    function _validateSubdomain($subdomain)
824    {
825        if (preg_match('|^\[(.*)]$|', $subdomain, $arr)){
826            if (!$this->_validateDliteral($arr[1])) return false;
827        } else {
828            if (!$this->_validateAtom($subdomain)) return false;
829        }
830
831        // Got here, so return successful.
832        return true;
833    }
834
835    /**
836     * Function to validate a domain literal:
837     *   domain-literal =  "[" *(dtext / quoted-pair) "]"
838     *
839     * @access private
840     * @param string $dliteral The string to check.
841     * @return boolean Success or failure.
842     */
843    function _validateDliteral($dliteral)
844    {
845        return !preg_match('/(.)[][\x0D\\\\]/', $dliteral, $matches) && $matches[1] != '\\';
846    }
847
848    /**
849     * Function to validate an addr-spec.
850     *
851     * addr-spec = local-part "@" domain
852     *
853     * @access private
854     * @param string $addr_spec The string to check.
855     * @return mixed False on failure, or the validated addr-spec on success.
856     */
857    function _validateAddrSpec($addr_spec)
858    {
859        $addr_spec = trim($addr_spec);
860
861        // Split on @ sign if there is one.
862        if (strpos($addr_spec, '@') !== false) {
863            $parts      = explode('@', $addr_spec);
864            $local_part = $this->_splitCheck($parts, '@');
865            $domain     = substr($addr_spec, strlen($local_part . '@'));
866
867        // No @ sign so assume the default domain.
868        } else {
869            $local_part = $addr_spec;
870            $domain     = $this->default_domain;
871        }
872
873        if (($local_part = $this->_validateLocalPart($local_part)) === false) return false;
874        if (($domain     = $this->_validateDomain($domain)) === false) return false;
875
876        // Got here so return successful.
877        return array('local_part' => $local_part, 'domain' => $domain);
878    }
879
880    /**
881     * Function to validate the local part of an address:
882     *   local-part = word *("." word)
883     *
884     * @access private
885     * @param string $local_part
886     * @return mixed False on failure, or the validated local part on success.
887     */
888    function _validateLocalPart($local_part)
889    {
890        $parts = explode('.', $local_part);
891        $words = array();
892
893        // Split the local_part into words.
894        while (count($parts) > 0){
895            $words[] = $this->_splitCheck($parts, '.');
896            for ($i = 0; $i < $this->index + 1; ++$i) {
897                array_shift($parts);
898            }
899        }
900
901        // Validate each word.
902        foreach ($words as $word) {
903            // If this word contains an unquoted space, it is invalid. (6.2.4)
904            if (strpos($word, ' ') && $word[0] !== '"')
905            {
906                return false;
907            }
908
909            if ($this->_validatePhrase(trim($word)) === false) return false;
910        }
911
912        // Managed to get here, so return the input.
913        return $local_part;
914    }
915
916    /**
917     * Returns an approximate count of how many addresses are in the
918     * given string. This is APPROXIMATE as it only splits based on a
919     * comma which has no preceding backslash. Could be useful as
920     * large amounts of addresses will end up producing *large*
921     * structures when used with parseAddressList().
922     *
923     * @param  string $data Addresses to count
924     * @return int          Approximate count
925     */
926    function approximateCount($data)
927    {
928        return count(preg_split('/(?<!\\\\),/', $data));
929    }
930
931    /**
932     * This is a email validating function separate to the rest of the
933     * class. It simply validates whether an email is of the common
934     * internet form: <user>@<domain>. This can be sufficient for most
935     * people. Optional stricter mode can be utilised which restricts
936     * mailbox characters allowed to alphanumeric, full stop, hyphen
937     * and underscore.
938     *
939     * @param  string  $data   Address to check
940     * @param  boolean $strict Optional stricter mode
941     * @return mixed           False if it fails, an indexed array
942     *                         username/domain if it matches
943     */
944    function isValidInetAddress($data, $strict = false)
945    {
946        $regex = $strict ? '/^([.0-9a-z_+-]+)@(([0-9a-z-]+\.)+[0-9a-z]{2,})$/i' : '/^([*+!.&#$|\'\\%\/0-9a-z^_`{}=?~:-]+)@(([0-9a-z-]+\.)+[0-9a-z]{2,})$/i';
947        if (preg_match($regex, trim($data), $matches)) {
948            return array($matches[1], $matches[2]);
949        } else {
950            return false;
951        }
952    }
953
954}
Note: See TracBrowser for help on using the repository browser.