342161e1243a550cf4e19dece1b1a6e88ac2debb
[yaffs-website] / vendor / symfony / routing / Generator / UrlGenerator.php
1 <?php
2
3 /*
4  * This file is part of the Symfony package.
5  *
6  * (c) Fabien Potencier <fabien@symfony.com>
7  *
8  * For the full copyright and license information, please view the LICENSE
9  * file that was distributed with this source code.
10  */
11
12 namespace Symfony\Component\Routing\Generator;
13
14 use Symfony\Component\Routing\RouteCollection;
15 use Symfony\Component\Routing\RequestContext;
16 use Symfony\Component\Routing\Exception\InvalidParameterException;
17 use Symfony\Component\Routing\Exception\RouteNotFoundException;
18 use Symfony\Component\Routing\Exception\MissingMandatoryParametersException;
19 use Psr\Log\LoggerInterface;
20
21 /**
22  * UrlGenerator can generate a URL or a path for any route in the RouteCollection
23  * based on the passed parameters.
24  *
25  * @author Fabien Potencier <fabien@symfony.com>
26  * @author Tobias Schultze <http://tobion.de>
27  */
28 class UrlGenerator implements UrlGeneratorInterface, ConfigurableRequirementsInterface
29 {
30     /**
31      * @var RouteCollection
32      */
33     protected $routes;
34
35     /**
36      * @var RequestContext
37      */
38     protected $context;
39
40     /**
41      * @var bool|null
42      */
43     protected $strictRequirements = true;
44
45     /**
46      * @var LoggerInterface|null
47      */
48     protected $logger;
49
50     /**
51      * This array defines the characters (besides alphanumeric ones) that will not be percent-encoded in the path segment of the generated URL.
52      *
53      * PHP's rawurlencode() encodes all chars except "a-zA-Z0-9-._~" according to RFC 3986. But we want to allow some chars
54      * to be used in their literal form (reasons below). Other chars inside the path must of course be encoded, e.g.
55      * "?" and "#" (would be interpreted wrongly as query and fragment identifier),
56      * "'" and """ (are used as delimiters in HTML).
57      */
58     protected $decodedChars = array(
59         // the slash can be used to designate a hierarchical structure and we want allow using it with this meaning
60         // some webservers don't allow the slash in encoded form in the path for security reasons anyway
61         // see http://stackoverflow.com/questions/4069002/http-400-if-2f-part-of-get-url-in-jboss
62         '%2F' => '/',
63         // the following chars are general delimiters in the URI specification but have only special meaning in the authority component
64         // so they can safely be used in the path in unencoded form
65         '%40' => '@',
66         '%3A' => ':',
67         // these chars are only sub-delimiters that have no predefined meaning and can therefore be used literally
68         // so URI producing applications can use these chars to delimit subcomponents in a path segment without being encoded for better readability
69         '%3B' => ';',
70         '%2C' => ',',
71         '%3D' => '=',
72         '%2B' => '+',
73         '%21' => '!',
74         '%2A' => '*',
75         '%7C' => '|',
76     );
77
78     /**
79      * Constructor.
80      *
81      * @param RouteCollection      $routes  A RouteCollection instance
82      * @param RequestContext       $context The context
83      * @param LoggerInterface|null $logger  A logger instance
84      */
85     public function __construct(RouteCollection $routes, RequestContext $context, LoggerInterface $logger = null)
86     {
87         $this->routes = $routes;
88         $this->context = $context;
89         $this->logger = $logger;
90     }
91
92     /**
93      * {@inheritdoc}
94      */
95     public function setContext(RequestContext $context)
96     {
97         $this->context = $context;
98     }
99
100     /**
101      * {@inheritdoc}
102      */
103     public function getContext()
104     {
105         return $this->context;
106     }
107
108     /**
109      * {@inheritdoc}
110      */
111     public function setStrictRequirements($enabled)
112     {
113         $this->strictRequirements = null === $enabled ? null : (bool) $enabled;
114     }
115
116     /**
117      * {@inheritdoc}
118      */
119     public function isStrictRequirements()
120     {
121         return $this->strictRequirements;
122     }
123
124     /**
125      * {@inheritdoc}
126      */
127     public function generate($name, $parameters = array(), $referenceType = self::ABSOLUTE_PATH)
128     {
129         if (null === $route = $this->routes->get($name)) {
130             throw new RouteNotFoundException(sprintf('Unable to generate a URL for the named route "%s" as such route does not exist.', $name));
131         }
132
133         // the Route has a cache of its own and is not recompiled as long as it does not get modified
134         $compiledRoute = $route->compile();
135
136         return $this->doGenerate($compiledRoute->getVariables(), $route->getDefaults(), $route->getRequirements(), $compiledRoute->getTokens(), $parameters, $name, $referenceType, $compiledRoute->getHostTokens(), $route->getSchemes());
137     }
138
139     /**
140      * @throws MissingMandatoryParametersException When some parameters are missing that are mandatory for the route
141      * @throws InvalidParameterException           When a parameter value for a placeholder is not correct because
142      *                                             it does not match the requirement
143      */
144     protected function doGenerate($variables, $defaults, $requirements, $tokens, $parameters, $name, $referenceType, $hostTokens, array $requiredSchemes = array())
145     {
146         $variables = array_flip($variables);
147         $mergedParams = array_replace($defaults, $this->context->getParameters(), $parameters);
148
149         // all params must be given
150         if ($diff = array_diff_key($variables, $mergedParams)) {
151             throw new MissingMandatoryParametersException(sprintf('Some mandatory parameters are missing ("%s") to generate a URL for route "%s".', implode('", "', array_keys($diff)), $name));
152         }
153
154         $url = '';
155         $optional = true;
156         $message = 'Parameter "{parameter}" for route "{route}" must match "{expected}" ("{given}" given) to generate a corresponding URL.';
157         foreach ($tokens as $token) {
158             if ('variable' === $token[0]) {
159                 if (!$optional || !array_key_exists($token[3], $defaults) || null !== $mergedParams[$token[3]] && (string) $mergedParams[$token[3]] !== (string) $defaults[$token[3]]) {
160                     // check requirement
161                     if (null !== $this->strictRequirements && !preg_match('#^'.$token[2].'$#'.(empty($token[4]) ? '' : 'u'), $mergedParams[$token[3]])) {
162                         if ($this->strictRequirements) {
163                             throw new InvalidParameterException(strtr($message, array('{parameter}' => $token[3], '{route}' => $name, '{expected}' => $token[2], '{given}' => $mergedParams[$token[3]])));
164                         }
165
166                         if ($this->logger) {
167                             $this->logger->error($message, array('parameter' => $token[3], 'route' => $name, 'expected' => $token[2], 'given' => $mergedParams[$token[3]]));
168                         }
169
170                         return;
171                     }
172
173                     $url = $token[1].$mergedParams[$token[3]].$url;
174                     $optional = false;
175                 }
176             } else {
177                 // static text
178                 $url = $token[1].$url;
179                 $optional = false;
180             }
181         }
182
183         if ('' === $url) {
184             $url = '/';
185         }
186
187         // the contexts base URL is already encoded (see Symfony\Component\HttpFoundation\Request)
188         $url = strtr(rawurlencode($url), $this->decodedChars);
189
190         // the path segments "." and ".." are interpreted as relative reference when resolving a URI; see http://tools.ietf.org/html/rfc3986#section-3.3
191         // so we need to encode them as they are not used for this purpose here
192         // otherwise we would generate a URI that, when followed by a user agent (e.g. browser), does not match this route
193         $url = strtr($url, array('/../' => '/%2E%2E/', '/./' => '/%2E/'));
194         if ('/..' === substr($url, -3)) {
195             $url = substr($url, 0, -2).'%2E%2E';
196         } elseif ('/.' === substr($url, -2)) {
197             $url = substr($url, 0, -1).'%2E';
198         }
199
200         $schemeAuthority = '';
201         if ($host = $this->context->getHost()) {
202             $scheme = $this->context->getScheme();
203
204             if ($requiredSchemes) {
205                 if (!in_array($scheme, $requiredSchemes, true)) {
206                     $referenceType = self::ABSOLUTE_URL;
207                     $scheme = current($requiredSchemes);
208                 }
209             }
210
211             if ($hostTokens) {
212                 $routeHost = '';
213                 foreach ($hostTokens as $token) {
214                     if ('variable' === $token[0]) {
215                         if (null !== $this->strictRequirements && !preg_match('#^'.$token[2].'$#i'.(empty($token[4]) ? '' : 'u'), $mergedParams[$token[3]])) {
216                             if ($this->strictRequirements) {
217                                 throw new InvalidParameterException(strtr($message, array('{parameter}' => $token[3], '{route}' => $name, '{expected}' => $token[2], '{given}' => $mergedParams[$token[3]])));
218                             }
219
220                             if ($this->logger) {
221                                 $this->logger->error($message, array('parameter' => $token[3], 'route' => $name, 'expected' => $token[2], 'given' => $mergedParams[$token[3]]));
222                             }
223
224                             return;
225                         }
226
227                         $routeHost = $token[1].$mergedParams[$token[3]].$routeHost;
228                     } else {
229                         $routeHost = $token[1].$routeHost;
230                     }
231                 }
232
233                 if ($routeHost !== $host) {
234                     $host = $routeHost;
235                     if (self::ABSOLUTE_URL !== $referenceType) {
236                         $referenceType = self::NETWORK_PATH;
237                     }
238                 }
239             }
240
241             if (self::ABSOLUTE_URL === $referenceType || self::NETWORK_PATH === $referenceType) {
242                 $port = '';
243                 if ('http' === $scheme && 80 != $this->context->getHttpPort()) {
244                     $port = ':'.$this->context->getHttpPort();
245                 } elseif ('https' === $scheme && 443 != $this->context->getHttpsPort()) {
246                     $port = ':'.$this->context->getHttpsPort();
247                 }
248
249                 $schemeAuthority = self::NETWORK_PATH === $referenceType ? '//' : "$scheme://";
250                 $schemeAuthority .= $host.$port;
251             }
252         }
253
254         if (self::RELATIVE_PATH === $referenceType) {
255             $url = self::getRelativePath($this->context->getPathInfo(), $url);
256         } else {
257             $url = $schemeAuthority.$this->context->getBaseUrl().$url;
258         }
259
260         // add a query string if needed
261         $extra = array_udiff_assoc(array_diff_key($parameters, $variables), $defaults, function ($a, $b) {
262             return $a == $b ? 0 : 1;
263         });
264
265         // extract fragment
266         $fragment = '';
267         if (isset($defaults['_fragment'])) {
268             $fragment = $defaults['_fragment'];
269         }
270
271         if (isset($extra['_fragment'])) {
272             $fragment = $extra['_fragment'];
273             unset($extra['_fragment']);
274         }
275
276         if ($extra && $query = http_build_query($extra, '', '&', PHP_QUERY_RFC3986)) {
277             // "/" and "?" can be left decoded for better user experience, see
278             // http://tools.ietf.org/html/rfc3986#section-3.4
279             $url .= '?'.strtr($query, array('%2F' => '/'));
280         }
281
282         if ('' !== $fragment) {
283             $url .= '#'.strtr(rawurlencode($fragment), array('%2F' => '/', '%3F' => '?'));
284         }
285
286         return $url;
287     }
288
289     /**
290      * Returns the target path as relative reference from the base path.
291      *
292      * Only the URIs path component (no schema, host etc.) is relevant and must be given, starting with a slash.
293      * Both paths must be absolute and not contain relative parts.
294      * Relative URLs from one resource to another are useful when generating self-contained downloadable document archives.
295      * Furthermore, they can be used to reduce the link size in documents.
296      *
297      * Example target paths, given a base path of "/a/b/c/d":
298      * - "/a/b/c/d"     -> ""
299      * - "/a/b/c/"      -> "./"
300      * - "/a/b/"        -> "../"
301      * - "/a/b/c/other" -> "other"
302      * - "/a/x/y"       -> "../../x/y"
303      *
304      * @param string $basePath   The base path
305      * @param string $targetPath The target path
306      *
307      * @return string The relative target path
308      */
309     public static function getRelativePath($basePath, $targetPath)
310     {
311         if ($basePath === $targetPath) {
312             return '';
313         }
314
315         $sourceDirs = explode('/', isset($basePath[0]) && '/' === $basePath[0] ? substr($basePath, 1) : $basePath);
316         $targetDirs = explode('/', isset($targetPath[0]) && '/' === $targetPath[0] ? substr($targetPath, 1) : $targetPath);
317         array_pop($sourceDirs);
318         $targetFile = array_pop($targetDirs);
319
320         foreach ($sourceDirs as $i => $dir) {
321             if (isset($targetDirs[$i]) && $dir === $targetDirs[$i]) {
322                 unset($sourceDirs[$i], $targetDirs[$i]);
323             } else {
324                 break;
325             }
326         }
327
328         $targetDirs[] = $targetFile;
329         $path = str_repeat('../', count($sourceDirs)).implode('/', $targetDirs);
330
331         // A reference to the same base directory or an empty subdirectory must be prefixed with "./".
332         // This also applies to a segment with a colon character (e.g., "file:colon") that cannot be used
333         // as the first segment of a relative-path reference, as it would be mistaken for a scheme name
334         // (see http://tools.ietf.org/html/rfc3986#section-4.2).
335         return '' === $path || '/' === $path[0]
336             || false !== ($colonPos = strpos($path, ':')) && ($colonPos < ($slashPos = strpos($path, '/')) || false === $slashPos)
337             ? "./$path" : $path;
338     }
339 }