Performance improvments to LinkGenerator and TemplateBinder
This commit is contained in:
parent
9a68f48a5c
commit
426a48a65a
|
|
@ -40,3 +40,4 @@ node_modules
|
|||
*launchSettings.json
|
||||
global.json
|
||||
BenchmarkDotNet.Artifacts/
|
||||
*.etl.zip
|
||||
|
|
|
|||
|
|
@ -44,6 +44,13 @@ namespace Microsoft.AspNetCore.Routing.LinkGeneration
|
|||
}
|
||||
|
||||
[Benchmark(Baseline = true)]
|
||||
public void Baseline()
|
||||
{
|
||||
var url = $"/repos/{_lookUpValues["owner"]}/{_lookUpValues["repo"]}/issues/comments/{_lookUpValues["commentId"]}";
|
||||
AssertUrl("/repos/aspnet/routing/issues/comments/20202", url);
|
||||
}
|
||||
|
||||
[Benchmark]
|
||||
public void TreeRouter()
|
||||
{
|
||||
var virtualPathData = _treeRouter.GetVirtualPath(new VirtualPathContext(
|
||||
|
|
|
|||
|
|
@ -2,6 +2,7 @@
|
|||
// Licensed under the Apache License, Version 2.0. See License.txt in the project root for license information.
|
||||
|
||||
using System;
|
||||
using System.Collections.Concurrent;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using System.Text;
|
||||
|
|
@ -29,8 +30,15 @@ namespace Microsoft.AspNetCore.Routing
|
|||
// Used when the user didn't specify something more global.
|
||||
private readonly LinkOptions _globalLinkOptions;
|
||||
|
||||
// Caches TemplateBinder instances
|
||||
private readonly DataSourceDependentCache<ConcurrentDictionary<RouteEndpoint, TemplateBinder>> _cache;
|
||||
|
||||
// Used to initialize TemplateBinder instances
|
||||
private readonly Func<RouteEndpoint, TemplateBinder> _createTemplateBinder;
|
||||
|
||||
public DefaultLinkGenerator(
|
||||
ParameterPolicyFactory parameterPolicyFactory,
|
||||
CompositeEndpointDataSource dataSource,
|
||||
ObjectPool<UriBuildingContext> uriBuildingContextPool,
|
||||
IOptions<RouteOptions> routeOptions,
|
||||
ILogger<DefaultLinkGenerator> logger,
|
||||
|
|
@ -41,6 +49,18 @@ namespace Microsoft.AspNetCore.Routing
|
|||
_logger = logger;
|
||||
_serviceProvider = serviceProvider;
|
||||
|
||||
// We cache TemplateBinder instances per-Endpoint for performance, but we want to wipe out
|
||||
// that cache is the endpoints change so that we don't allow unbounded memory growth.
|
||||
_cache = new DataSourceDependentCache<ConcurrentDictionary<RouteEndpoint, TemplateBinder>>(dataSource, (_) =>
|
||||
{
|
||||
// We don't eagerly fill this cache because there's no real reason to. Unlike URL matching, we don't
|
||||
// need to build a big data structure up front to be correct.
|
||||
return new ConcurrentDictionary<RouteEndpoint, TemplateBinder>();
|
||||
});
|
||||
|
||||
// Cached to avoid per-call allocation of a delegate on lookup.
|
||||
_createTemplateBinder = CreateTemplateBinder;
|
||||
|
||||
_globalLinkOptions = new LinkOptions()
|
||||
{
|
||||
AppendTrailingSlash = routeOptions.Value.AppendTrailingSlash,
|
||||
|
|
@ -258,6 +278,20 @@ namespace Microsoft.AspNetCore.Routing
|
|||
return null;
|
||||
}
|
||||
|
||||
private TemplateBinder CreateTemplateBinder(RouteEndpoint endpoint)
|
||||
{
|
||||
return new TemplateBinder(
|
||||
UrlEncoder.Default,
|
||||
_uriBuildingContextPool,
|
||||
endpoint.RoutePattern,
|
||||
new RouteValueDictionary(endpoint.RoutePattern.Defaults),
|
||||
endpoint.Metadata.GetMetadata<IRouteValuesAddressMetadata>()?.RequiredValues.Keys,
|
||||
_parameterPolicyFactory);
|
||||
}
|
||||
|
||||
// Internal for testing
|
||||
internal TemplateBinder GetTemplateBinder(RouteEndpoint endpoint) => _cache.EnsureInitialized().GetOrAdd(endpoint, _createTemplateBinder);
|
||||
|
||||
// Internal for testing
|
||||
internal bool TryProcessTemplate(
|
||||
HttpContext httpContext,
|
||||
|
|
@ -267,18 +301,9 @@ namespace Microsoft.AspNetCore.Routing
|
|||
LinkOptions options,
|
||||
out (PathString path, QueryString query) result)
|
||||
{
|
||||
var templateBinder = new TemplateBinder(
|
||||
UrlEncoder.Default,
|
||||
_uriBuildingContextPool,
|
||||
endpoint.RoutePattern,
|
||||
new RouteValueDictionary(endpoint.RoutePattern.Defaults),
|
||||
_parameterPolicyFactory);
|
||||
var templateBinder = GetTemplateBinder(endpoint);
|
||||
|
||||
var routeValuesAddressMetadata = endpoint.Metadata.GetMetadata<IRouteValuesAddressMetadata>();
|
||||
var templateValuesResult = templateBinder.GetValues(
|
||||
ambientValues: ambientValues,
|
||||
explicitValues: explicitValues,
|
||||
requiredKeys: routeValuesAddressMetadata?.RequiredValues.Keys);
|
||||
var templateValuesResult = templateBinder.GetValues(ambientValues, explicitValues);
|
||||
if (templateValuesResult == null)
|
||||
{
|
||||
// We're missing one of the required values for this route.
|
||||
|
|
|
|||
|
|
@ -193,10 +193,14 @@ namespace Microsoft.AspNetCore.Routing
|
|||
// Copy all remaining default values to the route data
|
||||
foreach (var kvp in Defaults)
|
||||
{
|
||||
#if RVD_TryAdd
|
||||
values.TryAdd(kvp.Key, kvp.Value);
|
||||
#else
|
||||
if (!values.ContainsKey(kvp.Key))
|
||||
{
|
||||
values.Add(kvp.Key, kvp.Value);
|
||||
}
|
||||
#endif
|
||||
}
|
||||
|
||||
return true;
|
||||
|
|
|
|||
|
|
@ -208,6 +208,14 @@ namespace Microsoft.AspNetCore.Routing
|
|||
{
|
||||
if (parameter.DefaultValue != null)
|
||||
{
|
||||
#if RVD_TryAdd
|
||||
if (!result.TryAdd(parameter.Name, parameter.DefaultValue))
|
||||
{
|
||||
throw new InvalidOperationException(
|
||||
Resources.FormatTemplateRoute_CannotHaveDefaultValueSpecifiedInlineAndExplicitly(
|
||||
parameter.Name));
|
||||
}
|
||||
#else
|
||||
if (result.ContainsKey(parameter.Name))
|
||||
{
|
||||
throw new InvalidOperationException(
|
||||
|
|
@ -218,6 +226,7 @@ namespace Microsoft.AspNetCore.Routing
|
|||
{
|
||||
result.Add(parameter.Name, parameter.DefaultValue);
|
||||
}
|
||||
#endif
|
||||
}
|
||||
}
|
||||
|
||||
|
|
|
|||
|
|
@ -6,6 +6,8 @@ using System.Collections;
|
|||
using System.Collections.Generic;
|
||||
using System.Diagnostics;
|
||||
using System.Globalization;
|
||||
using System.Linq;
|
||||
using System.Runtime.CompilerServices;
|
||||
using System.Text.Encodings.Web;
|
||||
using Microsoft.AspNetCore.Http;
|
||||
using Microsoft.AspNetCore.Routing.Internal;
|
||||
|
|
@ -18,11 +20,17 @@ namespace Microsoft.AspNetCore.Routing.Template
|
|||
{
|
||||
private readonly UrlEncoder _urlEncoder;
|
||||
private readonly ObjectPool<UriBuildingContext> _pool;
|
||||
private readonly ParameterPolicyFactory _parameterPolicyFactory;
|
||||
|
||||
private readonly RouteValueDictionary _defaults;
|
||||
private readonly ParameterPolicyFactory _parameterPolicyFactory;
|
||||
private readonly RouteValueDictionary _filters;
|
||||
private readonly KeyValuePair<string, object>[] _filters;
|
||||
private readonly RoutePattern _pattern;
|
||||
private readonly string[] _requiredKeys;
|
||||
|
||||
// A pre-allocated template for the 'known' route values that this template binder uses.
|
||||
//
|
||||
// We always make a copy of this and operate on the copy, so that we don't mutate shared state.
|
||||
private readonly KeyValuePair<string, object>[] _slots;
|
||||
|
||||
/// <summary>
|
||||
/// Creates a new instance of <see cref="TemplateBinder"/>.
|
||||
|
|
@ -36,7 +44,7 @@ namespace Microsoft.AspNetCore.Routing.Template
|
|||
ObjectPool<UriBuildingContext> pool,
|
||||
RouteTemplate template,
|
||||
RouteValueDictionary defaults)
|
||||
: this(urlEncoder, pool, template?.ToRoutePattern(), defaults, parameterPolicyFactory: null)
|
||||
: this(urlEncoder, pool, template?.ToRoutePattern(), defaults, requiredKeys: null, parameterPolicyFactory: null)
|
||||
{
|
||||
}
|
||||
|
||||
|
|
@ -46,13 +54,15 @@ namespace Microsoft.AspNetCore.Routing.Template
|
|||
/// <param name="urlEncoder">The <see cref="UrlEncoder"/>.</param>
|
||||
/// <param name="pool">The <see cref="ObjectPool{T}"/>.</param>
|
||||
/// <param name="pattern">The <see cref="RoutePattern"/> to bind values to.</param>
|
||||
/// <param name="defaults">The default values for <paramref name="pattern"/>.</param>
|
||||
/// <param name="defaults">The default values for <paramref name="pattern"/>. Optional.</param>
|
||||
/// <param name="requiredKeys">Keys used to determine if the ambient values apply. Optional.</param>
|
||||
/// <param name="parameterPolicyFactory">The <see cref="ParameterPolicyFactory"/>.</param>
|
||||
public TemplateBinder(
|
||||
UrlEncoder urlEncoder,
|
||||
ObjectPool<UriBuildingContext> pool,
|
||||
RoutePattern pattern,
|
||||
RouteValueDictionary defaults,
|
||||
IEnumerable<string> requiredKeys,
|
||||
ParameterPolicyFactory parameterPolicyFactory)
|
||||
{
|
||||
if (urlEncoder == null)
|
||||
|
|
@ -75,33 +85,68 @@ namespace Microsoft.AspNetCore.Routing.Template
|
|||
_pattern = pattern;
|
||||
_defaults = defaults;
|
||||
_parameterPolicyFactory = parameterPolicyFactory;
|
||||
_requiredKeys = requiredKeys?.ToArray() ?? Array.Empty<string>();
|
||||
|
||||
for (var i = 0; i < _requiredKeys.Length; i++)
|
||||
{
|
||||
var requiredKey = _requiredKeys[i];
|
||||
if (_pattern.GetParameter(requiredKey) != null)
|
||||
{
|
||||
throw new InvalidOperationException(
|
||||
$"The parameter {requiredKey} can not be used as a required key since it appears as " +
|
||||
$"a parameter in the route pattern.");
|
||||
}
|
||||
}
|
||||
|
||||
// Any default that doesn't have a corresponding parameter is a 'filter' and if a value
|
||||
// is provided for that 'filter' it must match the value in defaults.
|
||||
_filters = new RouteValueDictionary(_defaults);
|
||||
var filters = new RouteValueDictionary(_defaults);
|
||||
foreach (var parameter in _pattern.Parameters)
|
||||
{
|
||||
_filters.Remove(parameter.Name);
|
||||
filters.Remove(parameter.Name);
|
||||
}
|
||||
|
||||
_filters = filters.ToArray();
|
||||
|
||||
_slots = AssignSlots(_pattern, _filters);
|
||||
}
|
||||
|
||||
// Step 1: Get the list of values we're going to try to use to match and generate this URI
|
||||
public TemplateValuesResult GetValues(RouteValueDictionary ambientValues, RouteValueDictionary values)
|
||||
{
|
||||
return GetValues(ambientValues: ambientValues, explicitValues: values, requiredKeys: null);
|
||||
}
|
||||
// Make a new copy of the slots array, we'll use this as 'scratch' space
|
||||
// and then the RVD will take ownership of it.
|
||||
var slots = new KeyValuePair<string, object>[_slots.Length];
|
||||
Array.Copy(_slots, 0, slots, 0, slots.Length);
|
||||
|
||||
internal TemplateValuesResult GetValues(
|
||||
RouteValueDictionary ambientValues,
|
||||
RouteValueDictionary explicitValues,
|
||||
IEnumerable<string> requiredKeys)
|
||||
{
|
||||
var context = new TemplateBindingContext(_defaults);
|
||||
// Keeping track of the number of 'values' and 'ambient values' we've processed can be used to avoid doing
|
||||
// some expensive 'merge' operations later.
|
||||
var valueProcessedCount = 0;
|
||||
var ambientValueProcessedCount = 0;
|
||||
|
||||
var canCopyParameterAmbientValues = true;
|
||||
// Start by copying all of the values out of the 'values' and into the slots. There's no success
|
||||
// case where we *don't* use all of the 'values' so there's no reason not to do this up front
|
||||
// to avoid visiting the values dictionary again and again.
|
||||
for (var i = 0; i < slots.Length; i++)
|
||||
{
|
||||
var key = slots[i].Key;
|
||||
if (values.TryGetValue(key, out var value))
|
||||
{
|
||||
// We will need to know later if the value in the 'values' was an null value.
|
||||
// This affects how we process ambient values. Since the 'slots' are initialized
|
||||
// with null values, we use the null-object-pattern to track 'explicit null', which means that
|
||||
// null means omitted.
|
||||
value = IsRoutePartNonEmpty(value) ? value : SentinullValue.Instance;
|
||||
slots[i] = new KeyValuePair<string, object>(key, value);
|
||||
|
||||
// In case a route template is not parameterized, we do not know what the required parameters are, so look
|
||||
// at required values of an endpoint to get the key names and then use them to decide if ambient values
|
||||
// Track the count of processed values - this allows a fast path later.
|
||||
valueProcessedCount++;
|
||||
}
|
||||
}
|
||||
|
||||
// In Endpoint Routing, patterns can have logical parameters that appear 'to the left' of
|
||||
// the route template. This governs whether or not the template can be selected (they act like
|
||||
// filters), and whether the remaining ambient values should be used.
|
||||
// should be used.
|
||||
// For example, in case of MVC it flattens out a route template like below
|
||||
// {controller}/{action}/{id?}
|
||||
|
|
@ -110,52 +155,198 @@ namespace Microsoft.AspNetCore.Routing.Template
|
|||
// defaults: new { controller = "Products", action = "Index" },
|
||||
// requiredValues: new { controller = "Products", action = "Index" }
|
||||
// In the above example, "controller" and "action" are no longer parameters.
|
||||
if (requiredKeys != null)
|
||||
var copyAmbientValues = ambientValues != null;
|
||||
if (copyAmbientValues)
|
||||
{
|
||||
canCopyParameterAmbientValues = CanCopyParameterAmbientValues(
|
||||
ambientValues: ambientValues,
|
||||
explicitValues: explicitValues,
|
||||
requiredKeys);
|
||||
var requiredKeys = _requiredKeys;
|
||||
for (var i = 0; i < requiredKeys.Length; i++)
|
||||
{
|
||||
// For each required key, the values and ambient values need to have the same value.
|
||||
var key = requiredKeys[i];
|
||||
var hasExplicitValue = values.TryGetValue(key, out var value);
|
||||
|
||||
if (ambientValues == null || !ambientValues.TryGetValue(key, out var ambientValue))
|
||||
{
|
||||
ambientValue = null;
|
||||
}
|
||||
else
|
||||
{
|
||||
// Track the count of processed ambient values - this allows a fast path later.
|
||||
ambientValueProcessedCount++;
|
||||
}
|
||||
|
||||
if (hasExplicitValue)
|
||||
{
|
||||
// Note that we don't increment valueProcessedCount here. We expect required values
|
||||
// to also be filters, which are tracked when we populate 'slots'.
|
||||
if (!RoutePartsEqual(value, ambientValue))
|
||||
{
|
||||
copyAmbientValues = false;
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
if (canCopyParameterAmbientValues)
|
||||
// We can now process the rest of the parameters (from left to right) and copy the ambient
|
||||
// values as long as the conditions are met.
|
||||
//
|
||||
// Find out which entries in the URI are valid for the URI we want to generate.
|
||||
// If the URI had ordered parameters a="1", b="2", c="3" and the new values
|
||||
// specified that b="9", then we need to invalidate everything after it. The new
|
||||
// values should then be a="1", b="9", c=<no value>.
|
||||
//
|
||||
// We also handle the case where a parameter is optional but has no value - we shouldn't
|
||||
// accept additional parameters that appear *after* that parameter.
|
||||
var parameters = _pattern.Parameters;
|
||||
var parameterCount = _pattern.Parameters.Count;
|
||||
for (var i = 0; i < parameterCount; i++)
|
||||
{
|
||||
// Copy ambient values when no explicit values are provided
|
||||
CopyParameterAmbientValues(
|
||||
ambientValues: ambientValues,
|
||||
explicitValues: explicitValues,
|
||||
context);
|
||||
}
|
||||
var key = slots[i].Key;
|
||||
var value = slots[i].Value;
|
||||
|
||||
// Add all remaining new values to the list of values we will use for URI generation
|
||||
CopyNonParamaterExplicitValues(explicitValues, context);
|
||||
// Whether or not the value was explicitly provided is signficant when comparing
|
||||
// ambient values. Remember that we're using a special sentinel value so that we
|
||||
// can tell the difference between an omitted value and an explicitly specified null.
|
||||
var hasExplicitValue = value != null;
|
||||
|
||||
// Accept all remaining default values if they match a required parameter
|
||||
CopyParameterDefaultValues(context);
|
||||
var hasAmbientValue = false;
|
||||
var ambientValue = (object)null;
|
||||
|
||||
if (!AllRequiredParametersHaveValue(context))
|
||||
{
|
||||
return null;
|
||||
var parameter = parameters[i];
|
||||
|
||||
if (copyAmbientValues)
|
||||
{
|
||||
hasAmbientValue = ambientValues != null && ambientValues.TryGetValue(key, out ambientValue);
|
||||
if (hasAmbientValue)
|
||||
{
|
||||
// Track the count of processed ambient values - this allows a fast path later.
|
||||
ambientValueProcessedCount++;
|
||||
}
|
||||
|
||||
if (hasExplicitValue && hasAmbientValue && !RoutePartsEqual(ambientValue, value))
|
||||
{
|
||||
// Stop copying current values when we find one that doesn't match
|
||||
copyAmbientValues = false;
|
||||
}
|
||||
|
||||
if (!hasExplicitValue &&
|
||||
!hasAmbientValue &&
|
||||
_defaults?.ContainsKey(parameter.Name) != true)
|
||||
{
|
||||
// This is an unsatisfied parameter value and there are no defaults. We might still
|
||||
// be able to generate a URL but we should stop 'accepting' ambient values.
|
||||
//
|
||||
// This might be a case like:
|
||||
// template: a/{b?}/{c?}
|
||||
// ambient: { c = 17 }
|
||||
// values: { }
|
||||
//
|
||||
// We can still generate a URL from this ("/a") but we shouldn't accept 'c' because
|
||||
// we can't use it.
|
||||
//
|
||||
// In the example above we should fall into this block for 'b'.
|
||||
copyAmbientValues = false;
|
||||
}
|
||||
}
|
||||
|
||||
// If the parameter is a match, add it to the list of values we will use for URI generation
|
||||
if (hasExplicitValue && !ReferenceEquals(value, SentinullValue.Instance))
|
||||
{
|
||||
// Already has a value in the list, do nothing
|
||||
}
|
||||
else if (copyAmbientValues && hasAmbientValue)
|
||||
{
|
||||
slots[i] = new KeyValuePair<string, object>(key, ambientValue);
|
||||
}
|
||||
else if (parameter.IsOptional || parameter.IsCatchAll)
|
||||
{
|
||||
// Value isn't needed for optional or catchall parameters - wipe out the key, so it
|
||||
// will be omitted from the RVD.
|
||||
slots[i] = default;
|
||||
}
|
||||
else if (_defaults != null && _defaults.TryGetValue(parameter.Name, out var defaultValue))
|
||||
{
|
||||
|
||||
// Add the default value only if there isn't already a new value for it and
|
||||
// only if it actually has a default value.
|
||||
slots[i] = new KeyValuePair<string, object>(key, defaultValue);
|
||||
}
|
||||
else
|
||||
{
|
||||
// If we get here, this parameter needs a value, but doesn't have one. This is a
|
||||
// failure case.
|
||||
return null;
|
||||
}
|
||||
}
|
||||
|
||||
// Any default values that don't appear as parameters are treated like filters. Any new values
|
||||
// provided must match these defaults.
|
||||
if (!FiltersMatch(explicitValues))
|
||||
var filters = _filters;
|
||||
for (var i = 0; i < filters.Length; i++)
|
||||
{
|
||||
return null;
|
||||
var key = filters[i].Key;
|
||||
var value = slots[i + parameterCount].Value;
|
||||
|
||||
// We use a sentinel value here so we can track the different between omission and explicit null.
|
||||
// 'real null' means that the value was omitted.
|
||||
var hasExplictValue = value != null;
|
||||
if (hasExplictValue)
|
||||
{
|
||||
// If there is a non-parameterized value in the route and there is a
|
||||
// new value for it and it doesn't match, this route won't match.
|
||||
if (!RoutePartsEqual(value, filters[i].Value))
|
||||
{
|
||||
return null;
|
||||
}
|
||||
}
|
||||
else
|
||||
{
|
||||
// If no value was provided, then blank out this slot so that it doesn't show up in accepted values.
|
||||
slots[i + parameterCount] = default;
|
||||
}
|
||||
}
|
||||
|
||||
// Add any ambient values that don't match parameters - they need to be visible to constraints
|
||||
// but they will ignored by link generation.
|
||||
var combinedValues = new RouteValueDictionary(context.AcceptedValues);
|
||||
CopyNonParameterAmbientValues(
|
||||
ambientValues: ambientValues,
|
||||
combinedValues: combinedValues,
|
||||
context);
|
||||
// At this point we've captured all of the 'known' route values, but we have't
|
||||
// handled an extra route values that were provided in 'values'. These all
|
||||
// need to be included in the accepted values.
|
||||
var acceptedValues = RouteValueDictionary.FromArray(slots);
|
||||
|
||||
if (valueProcessedCount < values.Count)
|
||||
{
|
||||
// There are some values in 'value' that are unaccounted for, merge them into
|
||||
// the dictionary.
|
||||
foreach (var kvp in values)
|
||||
{
|
||||
if (!_defaults.ContainsKey(kvp.Key))
|
||||
{
|
||||
#if RVD_TryAdd
|
||||
acceptedValues.TryAdd(kvp.Key, kvp.Value);
|
||||
#else
|
||||
if (!acceptedValues.ContainsKey(kvp.Key))
|
||||
{
|
||||
acceptedValues.Add(kvp.Key, kvp.Value);
|
||||
}
|
||||
#endif
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Currently this copy is required because BindValues will mutate the accepted values :(
|
||||
var combinedValues = new RouteValueDictionary(acceptedValues);
|
||||
if (ambientValueProcessedCount < (ambientValues?.Count ?? 0))
|
||||
{
|
||||
// Add any ambient values that don't match parameters - they need to be visible to constraints
|
||||
// but they will ignored by link generation.
|
||||
CopyNonParameterAmbientValues(
|
||||
ambientValues: ambientValues,
|
||||
acceptedValues: acceptedValues,
|
||||
combinedValues: combinedValues);
|
||||
}
|
||||
|
||||
return new TemplateValuesResult()
|
||||
{
|
||||
AcceptedValues = context.AcceptedValues,
|
||||
AcceptedValues = acceptedValues,
|
||||
CombinedValues = combinedValues,
|
||||
};
|
||||
}
|
||||
|
|
@ -362,8 +553,8 @@ namespace Microsoft.AspNetCore.Routing.Template
|
|||
/// <returns>True if the object are equal, otherwise false.</returns>
|
||||
public static bool RoutePartsEqual(object a, object b)
|
||||
{
|
||||
var sa = a as string;
|
||||
var sb = b as string;
|
||||
var sa = a as string ?? (ReferenceEquals(SentinullValue.Instance, a) ? string.Empty : null);
|
||||
var sb = b as string ?? (ReferenceEquals(SentinullValue.Instance, b) ? string.Empty : null);
|
||||
|
||||
// In case of strings, consider empty and null the same.
|
||||
// Since null cannot tell us the type, consider it to be a string if the other value is a string.
|
||||
|
|
@ -391,190 +582,31 @@ namespace Microsoft.AspNetCore.Routing.Template
|
|||
}
|
||||
}
|
||||
|
||||
private static bool IsRoutePartNonEmpty(object routePart)
|
||||
[MethodImpl(MethodImplOptions.AggressiveInlining)]
|
||||
private static bool IsRoutePartNonEmpty(object part)
|
||||
{
|
||||
var routePartString = routePart as string;
|
||||
if (routePartString == null)
|
||||
if (part == null)
|
||||
{
|
||||
return routePart != null;
|
||||
return false;
|
||||
}
|
||||
else
|
||||
|
||||
if (ReferenceEquals(SentinullValue.Instance, part))
|
||||
{
|
||||
return routePartString.Length > 0;
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
private bool CanCopyParameterAmbientValues(
|
||||
RouteValueDictionary ambientValues,
|
||||
RouteValueDictionary explicitValues,
|
||||
IEnumerable<string> requiredKeys)
|
||||
{
|
||||
foreach (var keyName in requiredKeys)
|
||||
if (part is string stringPart && stringPart.Length == 0)
|
||||
{
|
||||
if (!explicitValues.TryGetValue(keyName, out var explicitValue))
|
||||
{
|
||||
continue;
|
||||
}
|
||||
|
||||
object ambientValue = null;
|
||||
var hasAmbientValue = ambientValues != null &&
|
||||
ambientValues.TryGetValue(keyName, out ambientValue);
|
||||
|
||||
// This indicates an explicit value was provided whose key does not exist in ambient values
|
||||
// Example: Link from controller-action to a page or vice versa.
|
||||
if (!hasAmbientValue)
|
||||
{
|
||||
return false;
|
||||
}
|
||||
|
||||
if (!RoutePartsEqual(ambientValue, explicitValue))
|
||||
{
|
||||
return false;
|
||||
}
|
||||
return false;
|
||||
}
|
||||
return true;
|
||||
}
|
||||
|
||||
private void CopyParameterAmbientValues(
|
||||
RouteValueDictionary ambientValues,
|
||||
RouteValueDictionary explicitValues,
|
||||
TemplateBindingContext context)
|
||||
{
|
||||
// Find out which entries in the URI are valid for the URI we want to generate.
|
||||
// If the URI had ordered parameters a="1", b="2", c="3" and the new values
|
||||
// specified that b="9", then we need to invalidate everything after it. The new
|
||||
// values should then be a="1", b="9", c=<no value>.
|
||||
//
|
||||
// We also handle the case where a parameter is optional but has no value - we shouldn't
|
||||
// accept additional parameters that appear *after* that parameter.
|
||||
|
||||
for (var i = 0; i < _pattern.Parameters.Count; i++)
|
||||
{
|
||||
var parameter = _pattern.Parameters[i];
|
||||
|
||||
// If it's a parameter subsegment, examine the current value to see if it matches the new value
|
||||
var parameterName = parameter.Name;
|
||||
|
||||
var hasExplicitValue = explicitValues.TryGetValue(parameterName, out var explicitValue);
|
||||
|
||||
object ambientValue = null;
|
||||
var hasAmbientValue = ambientValues != null &&
|
||||
ambientValues.TryGetValue(parameterName, out ambientValue);
|
||||
|
||||
if (hasExplicitValue && hasAmbientValue && !RoutePartsEqual(ambientValue, explicitValue))
|
||||
{
|
||||
// Stop copying current values when we find one that doesn't match
|
||||
break;
|
||||
}
|
||||
|
||||
if (!hasExplicitValue &&
|
||||
!hasAmbientValue &&
|
||||
_defaults?.ContainsKey(parameter.Name) != true)
|
||||
{
|
||||
// This is an unsatisfied parameter value and there are no defaults. We might still
|
||||
// be able to generate a URL but we should stop 'accepting' ambient values.
|
||||
//
|
||||
// This might be a case like:
|
||||
// template: a/{b?}/{c?}
|
||||
// ambient: { c = 17 }
|
||||
// values: { }
|
||||
//
|
||||
// We can still generate a URL from this ("/a") but we shouldn't accept 'c' because
|
||||
// we can't use it.
|
||||
//
|
||||
// In the example above we should fall into this block for 'b'.
|
||||
break;
|
||||
}
|
||||
|
||||
// If the parameter is a match, add it to the list of values we will use for URI generation
|
||||
if (hasExplicitValue)
|
||||
{
|
||||
if (IsRoutePartNonEmpty(explicitValue))
|
||||
{
|
||||
context.Accept(parameterName, explicitValue);
|
||||
}
|
||||
}
|
||||
else if (hasAmbientValue)
|
||||
{
|
||||
context.Accept(parameterName, ambientValue);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private void CopyNonParamaterExplicitValues(RouteValueDictionary explicitValues, TemplateBindingContext context)
|
||||
{
|
||||
foreach (var kvp in explicitValues)
|
||||
{
|
||||
if (IsRoutePartNonEmpty(kvp.Value))
|
||||
{
|
||||
context.Accept(kvp.Key, kvp.Value);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private void CopyParameterDefaultValues(TemplateBindingContext context)
|
||||
{
|
||||
for (var i = 0; i < _pattern.Parameters.Count; i++)
|
||||
{
|
||||
var parameter = _pattern.Parameters[i];
|
||||
if (parameter.IsOptional || parameter.IsCatchAll)
|
||||
{
|
||||
continue;
|
||||
}
|
||||
|
||||
if (context.NeedsValue(parameter.Name))
|
||||
{
|
||||
// Add the default value only if there isn't already a new value for it and
|
||||
// only if it actually has a default value, which we determine based on whether
|
||||
// the parameter value is required.
|
||||
context.AcceptDefault(parameter.Name);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private bool AllRequiredParametersHaveValue(TemplateBindingContext context)
|
||||
{
|
||||
for (var i = 0; i < _pattern.Parameters.Count; i++)
|
||||
{
|
||||
var parameter = _pattern.Parameters[i];
|
||||
if (parameter.IsOptional || parameter.IsCatchAll)
|
||||
{
|
||||
continue;
|
||||
}
|
||||
|
||||
if (!context.AcceptedValues.ContainsKey(parameter.Name))
|
||||
{
|
||||
// We don't have a value for this parameter, so we can't generate a url.
|
||||
return false;
|
||||
}
|
||||
}
|
||||
return true;
|
||||
}
|
||||
|
||||
private bool FiltersMatch(RouteValueDictionary explicitValues)
|
||||
{
|
||||
foreach (var filter in _filters)
|
||||
{
|
||||
var parameter = _pattern.GetParameter(filter.Key);
|
||||
if (parameter != null)
|
||||
{
|
||||
continue;
|
||||
}
|
||||
|
||||
if (explicitValues.TryGetValue(filter.Key, out var value) && !RoutePartsEqual(value, filter.Value))
|
||||
{
|
||||
// If there is a non-parameterized value in the route and there is a
|
||||
// new value for it and it doesn't match, this route won't match.
|
||||
return false;
|
||||
}
|
||||
}
|
||||
return true;
|
||||
}
|
||||
|
||||
private void CopyNonParameterAmbientValues(
|
||||
RouteValueDictionary ambientValues,
|
||||
RouteValueDictionary combinedValues,
|
||||
TemplateBindingContext context)
|
||||
RouteValueDictionary acceptedValues,
|
||||
RouteValueDictionary combinedValues)
|
||||
{
|
||||
if (ambientValues == null)
|
||||
{
|
||||
|
|
@ -586,7 +618,7 @@ namespace Microsoft.AspNetCore.Routing.Template
|
|||
if (IsRoutePartNonEmpty(kvp.Value))
|
||||
{
|
||||
var parameter = _pattern.GetParameter(kvp.Key);
|
||||
if (parameter == null && !context.AcceptedValues.ContainsKey(kvp.Key))
|
||||
if (parameter == null && !acceptedValues.ContainsKey(kvp.Key))
|
||||
{
|
||||
combinedValues.Add(kvp.Key, kvp.Value);
|
||||
}
|
||||
|
|
@ -594,51 +626,34 @@ namespace Microsoft.AspNetCore.Routing.Template
|
|||
}
|
||||
}
|
||||
|
||||
[DebuggerDisplay("{DebuggerToString(),nq}")]
|
||||
private struct TemplateBindingContext
|
||||
private static KeyValuePair<string, object>[] AssignSlots(RoutePattern pattern, KeyValuePair<string, object>[] filters)
|
||||
{
|
||||
private readonly RouteValueDictionary _defaults;
|
||||
private readonly RouteValueDictionary _acceptedValues;
|
||||
var slots = new KeyValuePair<string, object>[pattern.Parameters.Count + filters.Length];
|
||||
|
||||
public TemplateBindingContext(RouteValueDictionary defaults)
|
||||
for (var i = 0; i < pattern.Parameters.Count; i++)
|
||||
{
|
||||
_defaults = defaults;
|
||||
|
||||
_acceptedValues = new RouteValueDictionary();
|
||||
slots[i] = new KeyValuePair<string, object>(pattern.Parameters[i].Name, null);
|
||||
}
|
||||
|
||||
public RouteValueDictionary AcceptedValues
|
||||
for (var i = 0; i < filters.Length; i++)
|
||||
{
|
||||
get { return _acceptedValues; }
|
||||
slots[i + pattern.Parameters.Count] = new KeyValuePair<string, object>(filters[i].Key, null);
|
||||
}
|
||||
|
||||
public void Accept(string key, object value)
|
||||
return slots;
|
||||
}
|
||||
|
||||
// This represents an 'explicit null' in the slots array.
|
||||
[DebuggerDisplay("explicit null")]
|
||||
private class SentinullValue
|
||||
{
|
||||
public static object Instance = new SentinullValue();
|
||||
|
||||
private SentinullValue()
|
||||
{
|
||||
if (!_acceptedValues.ContainsKey(key))
|
||||
{
|
||||
_acceptedValues.Add(key, value);
|
||||
}
|
||||
}
|
||||
|
||||
public void AcceptDefault(string key)
|
||||
{
|
||||
Debug.Assert(!_acceptedValues.ContainsKey(key));
|
||||
|
||||
if (_defaults != null && _defaults.TryGetValue(key, out var value))
|
||||
{
|
||||
_acceptedValues.Add(key, value);
|
||||
}
|
||||
}
|
||||
|
||||
public bool NeedsValue(string key)
|
||||
{
|
||||
return !_acceptedValues.ContainsKey(key);
|
||||
}
|
||||
|
||||
private string DebuggerToString()
|
||||
{
|
||||
return string.Format("{{Accepted: '{0}'}}", string.Join(", ", _acceptedValues.Keys));
|
||||
}
|
||||
public override string ToString() => string.Empty;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -1,9 +1,11 @@
|
|||
// Copyright (c) .NET Foundation. All rights reserved.
|
||||
// Licensed under the Apache License, Version 2.0. See License.txt in the project root for license information.
|
||||
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using Microsoft.AspNetCore.Http;
|
||||
using Microsoft.AspNetCore.Routing.TestObjects;
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
using Xunit;
|
||||
|
||||
|
|
@ -270,10 +272,12 @@ namespace Microsoft.AspNetCore.Routing
|
|||
var routeOptions = new RouteOptions();
|
||||
routeOptions.ConstraintMap["upper-case"] = typeof(UpperCaseParameterTransform);
|
||||
|
||||
var services = GetBasicServices();
|
||||
services.AddSingleton(typeof(UpperCaseParameterTransform), new UpperCaseParameterTransform());
|
||||
Action<IServiceCollection> configure = (s) =>
|
||||
{
|
||||
s.AddSingleton(typeof(UpperCaseParameterTransform), new UpperCaseParameterTransform());
|
||||
};
|
||||
|
||||
var linkGenerator = CreateLinkGenerator(routeOptions, services, endpoint);
|
||||
var linkGenerator = CreateLinkGenerator(routeOptions, configure, endpoint);
|
||||
|
||||
// Act
|
||||
var link = linkGenerator.GetPathByRouteValues(routeName: null, new { controller = "Home", name = "Test" });
|
||||
|
|
@ -431,6 +435,44 @@ namespace Microsoft.AspNetCore.Routing
|
|||
e => Assert.Same(endpoint2, e));
|
||||
}
|
||||
|
||||
[Fact]
|
||||
public void GetTemplateBinder_CanCache()
|
||||
{
|
||||
// Arrange
|
||||
var endpoint1 = EndpointFactory.CreateRouteEndpoint("{controller}/{action}/{id}", metadata: new object[] { new IntMetadata(1), });
|
||||
var dataSource = new DynamicEndpointDataSource(endpoint1);
|
||||
|
||||
var linkGenerator = CreateLinkGenerator(dataSources: new[] { dataSource });
|
||||
|
||||
var expected = linkGenerator.GetTemplateBinder(endpoint1);
|
||||
|
||||
// Act
|
||||
var actual = linkGenerator.GetTemplateBinder(endpoint1);
|
||||
|
||||
// Assert
|
||||
Assert.Same(expected, actual);
|
||||
}
|
||||
|
||||
[Fact]
|
||||
public void GetTemplateBinder_CanClearCache()
|
||||
{
|
||||
// Arrange
|
||||
var endpoint1 = EndpointFactory.CreateRouteEndpoint("{controller}/{action}/{id}", metadata: new object[] { new IntMetadata(1), });
|
||||
var dataSource = new DynamicEndpointDataSource(endpoint1);
|
||||
|
||||
var linkGenerator = CreateLinkGenerator(dataSources: new[] { dataSource });
|
||||
var original = linkGenerator.GetTemplateBinder(endpoint1);
|
||||
|
||||
var endpoint2 = EndpointFactory.CreateRouteEndpoint("{controller}/{action}/{id}", metadata: new object[] { new IntMetadata(1), });
|
||||
dataSource.AddEndpoint(endpoint2);
|
||||
|
||||
// Act
|
||||
var actual = linkGenerator.GetTemplateBinder(endpoint1);
|
||||
|
||||
// Assert
|
||||
Assert.NotSame(original, actual);
|
||||
}
|
||||
|
||||
protected override void AddAdditionalServices(IServiceCollection services)
|
||||
{
|
||||
services.AddSingleton<IEndpointFinder<int>, IntEndpointFinder>();
|
||||
|
|
|
|||
|
|
@ -21,24 +21,26 @@ namespace Microsoft.AspNetCore.Routing
|
|||
{
|
||||
// Arrange
|
||||
var endpoint1 = EndpointFactory.CreateRouteEndpoint(
|
||||
"{controller}/{action}/{id}",
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "In?dex", })) });
|
||||
"Home/Index/{id}",
|
||||
defaults: new { controller = "Home", action = "Index", },
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "Index", })) });
|
||||
var endpoint2 = EndpointFactory.CreateRouteEndpoint(
|
||||
"{controller}/{action}/{id?}",
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "In?dex", })) });
|
||||
"Home/Index/{id?}",
|
||||
defaults: new { controller = "Home", action = "Index", },
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "Index", })) });
|
||||
|
||||
var linkGenerator = CreateLinkGenerator(endpoint1, endpoint2);
|
||||
|
||||
// Act
|
||||
var path = linkGenerator.GetPathByRouteValues(
|
||||
routeName: null,
|
||||
values: new RouteValueDictionary(new { controller = "Home", action = "In?dex", query = "some?query" }),
|
||||
values: new RouteValueDictionary(new { controller = "Home", action = "Index", query = "some?query" }),
|
||||
new PathString("/Foo/Bar?encodeme?"),
|
||||
new FragmentString("#Fragment?"),
|
||||
new LinkOptions() { AppendTrailingSlash = true, });
|
||||
|
||||
// Assert
|
||||
Assert.Equal("/Foo/Bar%3Fencodeme%3F/Home/In%3Fdex/?query=some%3Fquery#Fragment?", path);
|
||||
Assert.Equal("/Foo/Bar%3Fencodeme%3F/Home/Index/?query=some%3Fquery#Fragment?", path);
|
||||
}
|
||||
|
||||
[Fact]
|
||||
|
|
@ -46,11 +48,13 @@ namespace Microsoft.AspNetCore.Routing
|
|||
{
|
||||
// Arrange
|
||||
var endpoint1 = EndpointFactory.CreateRouteEndpoint(
|
||||
"{controller}/{action}/{id}",
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "In?dex", })) });
|
||||
"Home/Index/{id}",
|
||||
defaults: new { controller = "Home", action = "Index", },
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "Index", })) });
|
||||
var endpoint2 = EndpointFactory.CreateRouteEndpoint(
|
||||
"{controller}/{action}/{id?}",
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "In?dex", })) });
|
||||
"Home/Index/{id?}",
|
||||
defaults: new { controller = "Home", action = "Index", },
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "Index", })) });
|
||||
|
||||
var linkGenerator = CreateLinkGenerator(endpoint1, endpoint2);
|
||||
|
||||
|
|
@ -61,12 +65,12 @@ namespace Microsoft.AspNetCore.Routing
|
|||
var path = linkGenerator.GetPathByRouteValues(
|
||||
httpContext,
|
||||
routeName: null,
|
||||
values: new RouteValueDictionary(new { controller = "Home", action = "In?dex", query = "some?query" }),
|
||||
values: new RouteValueDictionary(new { controller = "Home", action = "Index", query = "some?query" }),
|
||||
new FragmentString("#Fragment?"),
|
||||
new LinkOptions() { AppendTrailingSlash = true, });
|
||||
|
||||
// Assert
|
||||
Assert.Equal("/Foo/Bar%3Fencodeme%3F/Home/In%3Fdex/?query=some%3Fquery#Fragment?", path);
|
||||
Assert.Equal("/Foo/Bar%3Fencodeme%3F/Home/Index/?query=some%3Fquery#Fragment?", path);
|
||||
}
|
||||
|
||||
[Fact]
|
||||
|
|
@ -74,18 +78,20 @@ namespace Microsoft.AspNetCore.Routing
|
|||
{
|
||||
// Arrange
|
||||
var endpoint1 = EndpointFactory.CreateRouteEndpoint(
|
||||
"{controller}/{action}/{id}",
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "In?dex", })) });
|
||||
"Home/Index/{id}",
|
||||
defaults: new { controller = "Home", action = "Index", },
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "Index", })) });
|
||||
var endpoint2 = EndpointFactory.CreateRouteEndpoint(
|
||||
"{controller}/{action}/{id?}",
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "In?dex", })) });
|
||||
"Home/Index/{id?}",
|
||||
defaults: new { controller = "Home", action = "Index", },
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "Index", })) });
|
||||
|
||||
var linkGenerator = CreateLinkGenerator(endpoint1, endpoint2);
|
||||
|
||||
// Act
|
||||
var path = linkGenerator.GetUriByRouteValues(
|
||||
routeName: null,
|
||||
values: new RouteValueDictionary(new { controller = "Home", action = "In?dex", query = "some?query" }),
|
||||
values: new RouteValueDictionary(new { controller = "Home", action = "Index", query = "some?query" }),
|
||||
"http",
|
||||
new HostString("example.com"),
|
||||
new PathString("/Foo/Bar?encodeme?"),
|
||||
|
|
@ -93,7 +99,7 @@ namespace Microsoft.AspNetCore.Routing
|
|||
new LinkOptions() { AppendTrailingSlash = true, });
|
||||
|
||||
// Assert
|
||||
Assert.Equal("http://example.com/Foo/Bar%3Fencodeme%3F/Home/In%3Fdex/?query=some%3Fquery#Fragment?", path);
|
||||
Assert.Equal("http://example.com/Foo/Bar%3Fencodeme%3F/Home/Index/?query=some%3Fquery#Fragment?", path);
|
||||
}
|
||||
|
||||
[Fact]
|
||||
|
|
@ -101,11 +107,13 @@ namespace Microsoft.AspNetCore.Routing
|
|||
{
|
||||
// Arrange
|
||||
var endpoint1 = EndpointFactory.CreateRouteEndpoint(
|
||||
"{controller}/{action}/{id}",
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "In?dex", })) });
|
||||
"Home/Index/{id}",
|
||||
defaults: new { controller = "Home", action = "Index", },
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "Index", })) });
|
||||
var endpoint2 = EndpointFactory.CreateRouteEndpoint(
|
||||
"{controller}/{action}/{id?}",
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "In?dex", })) });
|
||||
"Home/Index/{id?}",
|
||||
defaults: new { controller = "Home", action = "Index", },
|
||||
metadata: new[] { new RouteValuesAddressMetadata(routeName: null, new RouteValueDictionary(new { controller = "Home", action = "Index", })) });
|
||||
|
||||
var linkGenerator = CreateLinkGenerator(endpoint1, endpoint2);
|
||||
|
||||
|
|
@ -118,12 +126,12 @@ namespace Microsoft.AspNetCore.Routing
|
|||
var uri = linkGenerator.GetUriByRouteValues(
|
||||
httpContext,
|
||||
routeName: null,
|
||||
values: new RouteValueDictionary(new { controller = "Home", action = "In?dex", query = "some?query" }),
|
||||
values: new RouteValueDictionary(new { controller = "Home", action = "Index", query = "some?query" }),
|
||||
new FragmentString("#Fragment?"),
|
||||
new LinkOptions() { AppendTrailingSlash = true, });
|
||||
|
||||
// Assert
|
||||
Assert.Equal("http://example.com/Foo/Bar%3Fencodeme%3F/Home/In%3Fdex/?query=some%3Fquery#Fragment?", uri);
|
||||
Assert.Equal("http://example.com/Foo/Bar%3Fencodeme%3F/Home/Index/?query=some%3Fquery#Fragment?", uri);
|
||||
}
|
||||
|
||||
[Fact]
|
||||
|
|
|
|||
|
|
@ -8,6 +8,7 @@ using Microsoft.Extensions.DependencyInjection;
|
|||
using Microsoft.Extensions.Logging.Abstractions;
|
||||
using Microsoft.Extensions.ObjectPool;
|
||||
using Microsoft.Extensions.Options;
|
||||
using System;
|
||||
|
||||
namespace Microsoft.AspNetCore.Routing
|
||||
{
|
||||
|
|
@ -43,31 +44,53 @@ namespace Microsoft.AspNetCore.Routing
|
|||
|
||||
private protected DefaultLinkGenerator CreateLinkGenerator(params Endpoint[] endpoints)
|
||||
{
|
||||
return CreateLinkGenerator(routeOptions: null, services: null, endpoints);
|
||||
return CreateLinkGenerator(routeOptions: null, endpoints);
|
||||
}
|
||||
|
||||
private protected DefaultLinkGenerator CreateLinkGenerator(RouteOptions routeOptions = null, IServiceCollection services = null, params Endpoint[] endpoints)
|
||||
private protected DefaultLinkGenerator CreateLinkGenerator(RouteOptions routeOptions, params Endpoint[] endpoints)
|
||||
{
|
||||
if (services == null)
|
||||
{
|
||||
services = GetBasicServices();
|
||||
AddAdditionalServices(services);
|
||||
}
|
||||
return CreateLinkGenerator(routeOptions, configureServices: null, endpoints);
|
||||
}
|
||||
|
||||
if (endpoints != null || endpoints.Length > 0)
|
||||
{
|
||||
services.Configure<EndpointOptions>(o =>
|
||||
{
|
||||
o.DataSources.Add(new DefaultEndpointDataSource(endpoints));
|
||||
});
|
||||
}
|
||||
private protected DefaultLinkGenerator CreateLinkGenerator(
|
||||
RouteOptions routeOptions,
|
||||
Action<IServiceCollection> configureServices,
|
||||
params Endpoint[] endpoints)
|
||||
{
|
||||
return CreateLinkGenerator(routeOptions, configureServices, new[] { new DefaultEndpointDataSource(endpoints ?? Array.Empty<Endpoint>()) });
|
||||
}
|
||||
|
||||
private protected DefaultLinkGenerator CreateLinkGenerator(EndpointDataSource[] dataSources)
|
||||
{
|
||||
return CreateLinkGenerator(routeOptions: null, configureServices: null, dataSources);
|
||||
}
|
||||
|
||||
private protected DefaultLinkGenerator CreateLinkGenerator(
|
||||
RouteOptions routeOptions,
|
||||
Action<IServiceCollection> configureServices,
|
||||
EndpointDataSource[] dataSources)
|
||||
{
|
||||
var services = GetBasicServices();
|
||||
AddAdditionalServices(services);
|
||||
configureServices?.Invoke(services);
|
||||
|
||||
routeOptions = routeOptions ?? new RouteOptions();
|
||||
dataSources = dataSources ?? Array.Empty<EndpointDataSource>();
|
||||
|
||||
services.Configure<EndpointOptions>((o) =>
|
||||
{
|
||||
for (var i = 0; i < dataSources.Length; i++)
|
||||
{
|
||||
o.DataSources.Add(dataSources[i]);
|
||||
}
|
||||
});
|
||||
|
||||
var options = Options.Create(routeOptions);
|
||||
var serviceProvider = services.BuildServiceProvider();
|
||||
|
||||
return new DefaultLinkGenerator(
|
||||
new DefaultParameterPolicyFactory(options, serviceProvider),
|
||||
serviceProvider.GetRequiredService<CompositeEndpointDataSource>(),
|
||||
new DefaultObjectPool<UriBuildingContext>(new UriBuilderContextPooledObjectPolicy()),
|
||||
options,
|
||||
NullLogger<DefaultLinkGenerator>.Instance,
|
||||
|
|
|
|||
|
|
@ -1308,6 +1308,7 @@ namespace Microsoft.AspNetCore.Routing.Template.Tests
|
|||
new DefaultObjectPoolProvider().Create(new UriBuilderContextPooledObjectPolicy()),
|
||||
RoutePatternFactory.Parse(template),
|
||||
defaults,
|
||||
requiredKeys: defaults.Keys,
|
||||
parameterPolicyFactory);
|
||||
|
||||
// Act
|
||||
|
|
|
|||
Loading…
Reference in New Issue