All Downloads are FREE. Search and download functionalities are using the official Maven repository.

org.glassfish.jersey.server.internal.routing.MethodSelectingRouter Maven / Gradle / Ivy

Go to download

A bundle project producing JAX-RS RI bundles. The primary artifact is an "all-in-one" OSGi-fied JAX-RS RI bundle (jaxrs-ri.jar). Attached to that are two compressed JAX-RS RI archives. The first archive (jaxrs-ri.zip) consists of binary RI bits and contains the API jar (under "api" directory), RI libraries (under "lib" directory) as well as all external RI dependencies (under "ext" directory). The secondary archive (jaxrs-ri-src.zip) contains buildable JAX-RS RI source bundle and contains the API jar (under "api" directory), RI sources (under "src" directory) as well as all external RI dependencies (under "ext" directory). The second archive also contains "build.xml" ANT script that builds the RI sources. To build the JAX-RS RI simply unzip the archive, cd to the created jaxrs-ri directory and invoke "ant" from the command line.

There is a newer version: 3.1.8
Show newest version
/*
 * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS HEADER.
 *
 * Copyright (c) 2012-2013 Oracle and/or its affiliates. All rights reserved.
 *
 * The contents of this file are subject to the terms of either the GNU
 * General Public License Version 2 only ("GPL") or the Common Development
 * and Distribution License("CDDL") (collectively, the "License").  You
 * may not use this file except in compliance with the License.  You can
 * obtain a copy of the License at
 * http://glassfish.java.net/public/CDDL+GPL_1_1.html
 * or packager/legal/LICENSE.txt.  See the License for the specific
 * language governing permissions and limitations under the License.
 *
 * When distributing the software, include this License Header Notice in each
 * file and include the License file at packager/legal/LICENSE.txt.
 *
 * GPL Classpath Exception:
 * Oracle designates this particular file as subject to the "Classpath"
 * exception as provided by Oracle in the GPL Version 2 section of the License
 * file that accompanied this code.
 *
 * Modifications:
 * If applicable, add the following below the License Header, with the fields
 * enclosed by brackets [] replaced by your own identifying information:
 * "Portions Copyright [year] [name of copyright owner]"
 *
 * Contributor(s):
 * If you wish your version of this file to be governed by only the CDDL or
 * only the GPL Version 2, indicate your decision by adding "[Contributor]
 * elects to include this software in this distribution under the [CDDL or GPL
 * Version 2] license."  If you don't indicate a single choice of license, a
 * recipient has the option to distribute your version of this file under
 * either the CDDL, the GPL Version 2 or to extend the choice of license to
 * its licensees as provided above.  However, if you add GPL Version 2 code
 * and therefore, elected the GPL Version 2 license, then the option applies
 * only if the new code is made subject to such option by the copyright
 * holder.
 */
package org.glassfish.jersey.server.internal.routing;

import java.lang.reflect.Method;
import java.lang.reflect.Type;
import java.util.Collections;
import java.util.Comparator;
import java.util.HashMap;
import java.util.LinkedHashSet;
import java.util.LinkedList;
import java.util.List;
import java.util.Map;
import java.util.Set;
import java.util.logging.Level;
import java.util.logging.Logger;

import javax.ws.rs.HttpMethod;
import javax.ws.rs.NotAcceptableException;
import javax.ws.rs.NotAllowedException;
import javax.ws.rs.NotSupportedException;
import javax.ws.rs.Produces;
import javax.ws.rs.container.ContainerRequestContext;
import javax.ws.rs.core.GenericType;
import javax.ws.rs.core.MediaType;
import javax.ws.rs.core.Response;
import javax.ws.rs.core.Response.Status;
import javax.ws.rs.ext.MessageBodyReader;
import javax.ws.rs.ext.MessageBodyWriter;

import javax.inject.Inject;
import javax.inject.Provider;

import org.glassfish.jersey.message.MessageBodyWorkers;
import org.glassfish.jersey.message.internal.MediaTypes;
import org.glassfish.jersey.server.ContainerRequest;
import org.glassfish.jersey.server.ContainerResponse;
import org.glassfish.jersey.server.internal.LocalizationMessages;
import org.glassfish.jersey.server.internal.process.RespondingContext;
import org.glassfish.jersey.server.model.Invocable;
import org.glassfish.jersey.server.model.Parameter;
import org.glassfish.jersey.server.model.ResourceMethod;

import com.google.common.base.Function;
import com.google.common.collect.Lists;
import com.google.common.collect.Sets;
import com.google.common.primitives.Primitives;

/**
 * A single router responsible for selecting a single method from all the methods
 * bound to the same routed request path.
 *
 * The method selection algorithm selects the handling method based on the HTTP request
 * method name, requested media type as well as defined resource method media type
 * capabilities.
 *
 * @author Jakub Podlesak (jakub.podlesak at oracle.com)
 * @author Marek Potociar (marek.potociar at oracle.com)
 */
final class MethodSelectingRouter implements Router {

    private static final Logger LOGGER = Logger.getLogger(MethodSelectingRouter.class.getName());

    private final Provider respondingContextFactory;
    private final MessageBodyWorkers workers;

    private final Map> consumesProducesAcceptors;
    private final Router router;

    /**
     * Injectable builder of a {@link MethodSelectingRouter} instance.
     */
    static class Builder {
        @Inject
        private Provider respondingContextFactory;

        /**
         * Create a new {@link MethodSelectingRouter} for all the methods on the same path.
         *
         * The router selects the method that best matches the request based on
         * produce/consume information from the resource method models.
         *
         * @param workers             message body workers.
         * @param methodAcceptorPairs [method model, method methodAcceptorPair] pairs.
         * @return new {@link MethodSelectingRouter}
         */
        public MethodSelectingRouter build(
                final MessageBodyWorkers workers, final List methodAcceptorPairs) {

            return new MethodSelectingRouter(respondingContextFactory,
                    workers,
                    methodAcceptorPairs);
        }
    }

    private MethodSelectingRouter(
            Provider respondingContextFactory,
            MessageBodyWorkers msgWorkers,
            List methodAcceptorPairs) {
        this.respondingContextFactory = respondingContextFactory;
        this.workers = msgWorkers;

        this.consumesProducesAcceptors = new HashMap>();

        final Set httpMethods = Sets.newHashSet();
        for (final MethodAcceptorPair methodAcceptorPair : methodAcceptorPairs) {
            final String httpMethod = methodAcceptorPair.model.getHttpMethod();
            httpMethods.add(httpMethod);

            List httpMethodBoundAcceptors = consumesProducesAcceptors.get(httpMethod);
            if (httpMethodBoundAcceptors == null) {
                httpMethodBoundAcceptors = new LinkedList();
                consumesProducesAcceptors.put(httpMethod, httpMethodBoundAcceptors);
            }

            addAllConsumesProducesCombinations(httpMethodBoundAcceptors, methodAcceptorPair);
        }

        // Sort acceptors for added HTTP methods - primary based on @Consumes, @Produces present on method, secondary on consumes,
        // produces values of the acceptor.
        for (final String httpMethod : httpMethods) {
            Collections.sort(consumesProducesAcceptors.get(httpMethod), new Comparator() {

                @Override
                public int compare(final ConsumesProducesAcceptor o1, final ConsumesProducesAcceptor o2) {
                    // Make sure that annotated (@Consumes, @Produces) goes first.
                    final ResourceMethod model1 = o1.methodAcceptorPair.model;
                    final ResourceMethod model2 = o2.methodAcceptorPair.model;

                    // @Consumes on method.
                    int compared = compare(model2.getConsumedTypes(), model1.getConsumedTypes());

                    if (compared == 0) {
                        // @Produces on method.
                        compared = compare(model2.getProducedTypes(), model1.getProducedTypes());

                        if (compared == 0) {
                            // Consumes media type of the acceptor.
                            compared = MediaTypes.MEDIA_TYPE_COMPARATOR.compare(o1.consumes.getMediaType(),
                                    o2.consumes.getMediaType());

                            if (compared == 0) {
                                // Produces media type of the acceptor.
                                compared = MediaTypes.MEDIA_TYPE_COMPARATOR.compare(o1.produces.getMediaType(),
                                        o2.produces.getMediaType());
                            }
                        }
                    }

                    return compared;
                }

                private int compare(List mediaTypeList1, List mediaTypeList2) {
                    mediaTypeList1 = mediaTypeList1.isEmpty() ? MediaTypes.GENERAL_MEDIA_TYPE_LIST : mediaTypeList1;
                    mediaTypeList2 = mediaTypeList2.isEmpty() ? MediaTypes.GENERAL_MEDIA_TYPE_LIST : mediaTypeList2;

                    return MediaTypes.MEDIA_TYPE_LIST_COMPARATOR.compare(mediaTypeList2, mediaTypeList1);
                }
            });
        }

        if (!consumesProducesAcceptors.containsKey(HttpMethod.HEAD)) {
            this.router = createHeadEnrichedRouter();
        } else {
            this.router = createInternalRouter();
        }
    }

    /**
     * Represents a 1-1-1 relation between input and output media type and an methodAcceptorPair.
     * 

E.g. for a single resource method *

     *   @Consumes("*/*")
     *   @Produces("text/plain","text/html")
     *   @GET
     *   public String myGetMethod() {
     *     return "S";
     *   }
     * 
* the following two relations would be generated: * * * * * * * * * * * * * * * * * * *
consumesproducesmethod
*/*text/plainmyGetMethod
*/*text/htmlmyGetMethod
*/ private static class ConsumesProducesAcceptor { private CombinedClientServerMediaType.EffectiveMediaType consumes; private CombinedClientServerMediaType.EffectiveMediaType produces; private MethodAcceptorPair methodAcceptorPair; private ConsumesProducesAcceptor( CombinedClientServerMediaType.EffectiveMediaType consumes, CombinedClientServerMediaType.EffectiveMediaType produces, MethodAcceptorPair methodAcceptorPair) { this.methodAcceptorPair = methodAcceptorPair; this.consumes = consumes; this.produces = produces; } /** * Returns the {@link CombinedClientServerMediaType.EffectiveMediaType extended media type} which can be * consumed by {@link ResourceMethod resource method} of this {@link ConsumesProducesAcceptor router}. * * @return Consumed type. */ public CombinedClientServerMediaType.EffectiveMediaType getConsumes() { return consumes; } /** * Returns the {@link CombinedClientServerMediaType.EffectiveMediaType extended media type} which can be * produced by {@link ResourceMethod resource method} of this {@link ConsumesProducesAcceptor router}. * * @return Produced type. */ public CombinedClientServerMediaType.EffectiveMediaType getProduces() { return produces; } /** * Determines whether this {@link ConsumesProducesAcceptor router} can process the {@code request}. * * @param requestContext The request to be tested. * @return True if the {@code request} can be processed by this router, false otherwise. */ boolean isConsumable(ContainerRequest requestContext) { MediaType contentType = requestContext.getMediaType(); return contentType == null || consumes.getMediaType().isCompatible(contentType); } @Override public String toString() { return String.format("%s->%s:%s", consumes.getMediaType(), produces.getMediaType(), methodAcceptorPair); } @Override public boolean equals(final Object o) { if (this == o) { return true; } if (!(o instanceof ConsumesProducesAcceptor)) { return false; } final ConsumesProducesAcceptor that = (ConsumesProducesAcceptor) o; if (consumes != null ? !consumes.equals(that.consumes) : that.consumes != null) { return false; } if (methodAcceptorPair != null ? !methodAcceptorPair.equals(that.methodAcceptorPair) : that.methodAcceptorPair != null) { return false; } if (produces != null ? !produces.equals(that.produces) : that.produces != null) { return false; } return true; } @Override public int hashCode() { int result = consumes != null ? consumes.hashCode() : 0; result = 31 * result + (produces != null ? produces.hashCode() : 0); result = 31 * result + (methodAcceptorPair != null ? methodAcceptorPair.hashCode() : 0); return result; } } /** * The same as above ConsumesProducesAcceptor, * only concrete request content-type and accept header info is included in addition. * * @see org.glassfish.jersey.server.internal.routing.CombinedClientServerMediaType */ private static class RequestSpecificConsumesProducesAcceptor implements Comparable { CombinedClientServerMediaType consumes; CombinedClientServerMediaType produces; MethodAcceptorPair methodAcceptorPair; boolean consumesFromProviders; boolean producesFromProviders; RequestSpecificConsumesProducesAcceptor(CombinedClientServerMediaType consumes, boolean consumesFromProviders, CombinedClientServerMediaType produces, boolean producesFromProviders, MethodAcceptorPair methodAcceptorPair) { this.methodAcceptorPair = methodAcceptorPair; this.consumes = consumes; this.produces = produces; this.consumesFromProviders = consumesFromProviders; this.producesFromProviders = producesFromProviders; } @Override public String toString() { return String.format("%s->%s:%s", consumes, produces, methodAcceptorPair); } @Override public int compareTo(Object o) { if (o == null) { return 1; } if (!(o instanceof RequestSpecificConsumesProducesAcceptor)) { return 1; } RequestSpecificConsumesProducesAcceptor other = (RequestSpecificConsumesProducesAcceptor) o; final int consumedComparison = CombinedClientServerMediaType.COMPARATOR.compare(consumes, other.consumes); return (consumedComparison != 0) ? consumedComparison : CombinedClientServerMediaType.COMPARATOR.compare(produces, other.produces); } } /** * Helper class to select matching resource method to be invoked. */ private static class MethodSelector { RequestSpecificConsumesProducesAcceptor selected; List sameFitnessAcceptors; MethodSelector(RequestSpecificConsumesProducesAcceptor i) { selected = i; sameFitnessAcceptors = null; } void consider(RequestSpecificConsumesProducesAcceptor i) { final int theGreaterTheBetter = i.compareTo(selected); if (theGreaterTheBetter > 0) { selected = i; sameFitnessAcceptors = null; } else { if (theGreaterTheBetter == 0 && (selected.methodAcceptorPair != i.methodAcceptorPair)) { getSameFitnessList().add(i); } } } List getSameFitnessList() { if (sameFitnessAcceptors == null) { sameFitnessAcceptors = new LinkedList(); } return sameFitnessAcceptors; } } private Router createInternalRouter() { return new Router() { @Override public Continuation apply(ContainerRequest requestContext) { return Continuation.of(requestContext, getMethodRouter(requestContext)); } }; } @Override public Continuation apply(ContainerRequest requestContext) { return router.apply(requestContext); } private void addAllConsumesProducesCombinations(final List acceptors, final MethodAcceptorPair methodAcceptorPair) { final ResourceMethod resourceMethod = methodAcceptorPair.model; final Set effectiveInputTypes = new LinkedHashSet(); boolean consumesFromWorkers = fillMediaTypes(effectiveInputTypes, resourceMethod, resourceMethod.getConsumedTypes(), true); final Set effectiveOutputTypes = new LinkedHashSet(); boolean producesFromWorkers = fillMediaTypes(effectiveOutputTypes, resourceMethod, resourceMethod.getProducedTypes(), false); final Set acceptorSet = Sets.newHashSet(); for (MediaType consumes : effectiveInputTypes) { for (MediaType produces : effectiveOutputTypes) { acceptorSet.add(new ConsumesProducesAcceptor( new CombinedClientServerMediaType.EffectiveMediaType(consumes, consumesFromWorkers), new CombinedClientServerMediaType.EffectiveMediaType(produces, producesFromWorkers), methodAcceptorPair)); } } acceptors.addAll(acceptorSet); } private boolean fillMediaTypes(final Set effectiveTypes, final ResourceMethod resourceMethod, final List methodTypes, final boolean inputTypes) { // Add method types to the resulting list iff there is more than just */* if (methodTypes.size() > 1 || !methodTypes.contains(MediaType.WILDCARD_TYPE)) { effectiveTypes.addAll(methodTypes); } boolean mediaTypesFromWorkers = effectiveTypes.isEmpty(); if (workers != null && mediaTypesFromWorkers) { final Invocable invocableMethod = resourceMethod.getInvocable(); // If not predefined from method - get it from workers. if (inputTypes) { fillInputTypesFromWorkers(effectiveTypes, invocableMethod); } else { fillOutputTypesFromWorkers(effectiveTypes, invocableMethod.getRawResponseType()); } mediaTypesFromWorkers = !effectiveTypes.isEmpty(); // If still empty - get all available. if (!mediaTypesFromWorkers) { if (inputTypes) { effectiveTypes.addAll(workers.getMessageBodyReaderMediaTypesByType(Object.class)); } else { effectiveTypes.addAll(workers.getMessageBodyWriterMediaTypesByType(Object.class)); } mediaTypesFromWorkers = true; } } return mediaTypesFromWorkers; } private void fillOutputTypesFromWorkers(final Set effectiveOutputTypes, final Class returnEntityType) { effectiveOutputTypes.addAll(workers.getMessageBodyWriterMediaTypesByType(returnEntityType)); } private void fillInputTypesFromWorkers(final Set effectiveInputTypes, final Invocable invocableMethod) { for (Parameter p : invocableMethod.getParameters()) { if (p.getSource() == Parameter.Source.ENTITY) { effectiveInputTypes.addAll(workers.getMessageBodyReaderMediaTypesByType(p.getRawType())); // there's at most one entity parameter break; } } } private Parameter getEntityParam(final Invocable invocable) { for (final Parameter parameter : invocable.getParameters()) { if (parameter.getSource() == Parameter.Source.ENTITY && !ContainerRequestContext.class.isAssignableFrom(parameter.getRawType())) { // there's at most one entity parameter return parameter; } } return null; } private List getMethodRouter(final ContainerRequest requestContext) { final List acceptors = consumesProducesAcceptors.get(requestContext.getMethod()); if (acceptors == null) { throw new NotAllowedException( Response.status(Status.METHOD_NOT_ALLOWED).allow(consumesProducesAcceptors.keySet()).build()); } final List satisfyingAcceptors = new LinkedList(); final Set differentInvokableMethods = Sets.newIdentityHashSet(); for (ConsumesProducesAcceptor cpi : acceptors) { if (cpi.isConsumable(requestContext)) { satisfyingAcceptors.add(cpi); differentInvokableMethods.add(cpi.methodAcceptorPair.model); } } if (satisfyingAcceptors.isEmpty()) { throw new NotSupportedException(); } final List acceptableMediaTypes = requestContext.getAcceptableMediaTypes(); final MediaType requestContentType = requestContext.getMediaType(); final MediaType effectiveContentType = requestContentType == null ? MediaType.WILDCARD_TYPE : requestContentType; final MethodSelector methodSelector = selectMethod(acceptableMediaTypes, satisfyingAcceptors, effectiveContentType, differentInvokableMethods.size() == 1); if (methodSelector.selected != null) { final RequestSpecificConsumesProducesAcceptor selected = methodSelector.selected; if (methodSelector.sameFitnessAcceptors != null) { reportMethodSelectionAmbiguity(acceptableMediaTypes, methodSelector.selected, methodSelector.sameFitnessAcceptors); } respondingContextFactory.get().push(new Function() { @Override public ContainerResponse apply(final ContainerResponse responseContext) { // we only need to compute and set the effective media type if it hasn't been set already // and either there is an entity, or we are responding to a HEAD request if (responseContext.getMediaType() == null && (responseContext.hasEntity() || HttpMethod.HEAD.equals(responseContext.getRequestContext().getMethod()))) { MediaType effectiveResponseType = determineResponseMediaType(responseContext.getEntityClass(), responseContext.getEntityType(), methodSelector.selected, acceptableMediaTypes); if (isWildcard(effectiveResponseType)) { if (effectiveResponseType.isWildcardType() || effectiveResponseType.getType().equalsIgnoreCase("application")) { effectiveResponseType = MediaType.APPLICATION_OCTET_STREAM_TYPE; } else { throw new NotAcceptableException(); } } responseContext.setMediaType(effectiveResponseType); } return responseContext; } }); return selected.methodAcceptorPair.router; } throw new NotAcceptableException(); } /** * Determine the {@link MediaType} of the {@link Response} based on writers suitable for the given entity class, pre-selected * method and acceptable media types. * * @param entityClass entity class to determine the media type for. * @param entityType entity type for writers. * @param selectedMethod pre-selected (invoked) method. * @param acceptableMediaTypes acceptable media types from request. * @return media type of the response. */ private MediaType determineResponseMediaType(final Class entityClass, final Type entityType, final RequestSpecificConsumesProducesAcceptor selectedMethod, final List acceptableMediaTypes) { // Return pre-selected MediaType. if (usePreSelectedMediaType(selectedMethod, acceptableMediaTypes)) { return selectedMethod.produces.getCombinedMediaType(); } final ResourceMethod resourceMethod = selectedMethod.methodAcceptorPair.model; final Invocable invocable = resourceMethod.getInvocable(); // Entity class can be null when considering HEAD method || empty entity. final Class responseEntityClass = entityClass == null ? invocable.getRawRoutingResponseType() : entityClass; final Method handlingMethod = invocable.getHandlingMethod(); CombinedClientServerMediaType selected = null; for (final MediaType acceptableMediaType : acceptableMediaTypes) { // Use writers suitable for entity class to determine the media type. for (final MessageBodyWriter writer : workers.getMessageBodyWritersForType(responseEntityClass)) { for (final MediaType writerProduces : MediaTypes.createFrom(writer.getClass().getAnnotation(Produces.class))) { if (writerProduces.isCompatible(acceptableMediaType)) { // Media types producible by method. final List methodProducesTypes = !resourceMethod.getProducedTypes().isEmpty() ? resourceMethod.getProducedTypes() : Lists.newArrayList(MediaType.WILDCARD_TYPE); for (final MediaType methodProducesType : methodProducesTypes) { if (methodProducesType.isCompatible(writerProduces)) { final CombinedClientServerMediaType.EffectiveMediaType effectiveProduces = new CombinedClientServerMediaType.EffectiveMediaType( MediaTypes.mostSpecific(methodProducesType, writerProduces), false); final CombinedClientServerMediaType candidate = CombinedClientServerMediaType .create(acceptableMediaType, effectiveProduces); if (candidate.getCombinedMediaType() != null) { // Look for a better compatible worker. if (selected == null || CombinedClientServerMediaType.COMPARATOR.compare(candidate, selected) > 0) { if (writer.isWriteable(responseEntityClass, entityType, handlingMethod.getDeclaredAnnotations(), candidate.getCombinedMediaType())) { selected = candidate; } } } } } } } } } // Found media type for current writer. if (selected != null) { return selected.getCombinedMediaType(); } // If the media type couldn't be determined, choose pre-selected one and wait whether interceptors change the mediaType // so it can be written. return selectedMethod.produces.getCombinedMediaType(); } private boolean isWriteable(final RequestSpecificConsumesProducesAcceptor candidate) { final Invocable invocable = candidate.methodAcceptorPair.model.getInvocable(); final Class responseType = Primitives.wrap(invocable.getRawRoutingResponseType()); if (Response.class.isAssignableFrom(responseType) || Void.class.isAssignableFrom(responseType)) { return true; } final Type genericType = invocable.getRoutingResponseType(); final Type genericReturnType = genericType instanceof GenericType ? ((GenericType) genericType).getType() : genericType; for (final MessageBodyWriter writer : workers.getMessageBodyWritersForType(responseType)) { if (writer.isWriteable(responseType, genericReturnType, invocable.getHandlingMethod().getDeclaredAnnotations(), candidate.produces.getCombinedMediaType())) { return true; } } return false; } private boolean isReadable(final RequestSpecificConsumesProducesAcceptor candidate) { final Invocable invocable = candidate.methodAcceptorPair.model.getInvocable(); final Method handlingMethod = invocable.getHandlingMethod(); final Parameter entityParam = getEntityParam(invocable); if (entityParam == null) { return true; } else { final Class entityType = entityParam.getRawType(); for (final MessageBodyReader reader : workers.getMessageBodyReadersForType(entityType)) { if (reader.isReadable(entityType, entityParam.getType(), handlingMethod.getDeclaredAnnotations (), candidate.consumes.getCombinedMediaType())) { return true; } } } return false; } private boolean usePreSelectedMediaType(final RequestSpecificConsumesProducesAcceptor selectedMethod, final List acceptableMediaTypes) { // Resource method is annotated with @Produces and this annotation contains only one MediaType. if (!selectedMethod.producesFromProviders && selectedMethod.methodAcceptorPair.model.getProducedTypes().size() == 1) { return true; } // There is only one (non-wildcard) acceptable media type - at this point the pre-selected method has to be chosen so // there are compatible writers (not necessarily writeable ones). return acceptableMediaTypes.size() == 1 && !isWildcard(acceptableMediaTypes.get(0)); } /** * Select method to be invoked. Method is chosen among the given set of acceptors (if they are compatible with acceptable * media types). * * @param acceptableMediaTypes media types acceptable by the client. * @param satisfyingAcceptors pre-computed acceptors. * @param effectiveContentType media type of incoming entity. * @param singleInvokableMethod flag determining whether only one method to be invoked has been found among satisfying * acceptors. * @return method to be invoked. */ private MethodSelector selectMethod(final List acceptableMediaTypes, final List satisfyingAcceptors, final MediaType effectiveContentType, final boolean singleInvokableMethod) { // Selected method we have a reader and writer for. final MethodSelector method = new MethodSelector(null); // If we cannot find a writer at this point use the best alternative. final MethodSelector alternative = new MethodSelector(null); for (final MediaType acceptableMediaType : acceptableMediaTypes) { for (final ConsumesProducesAcceptor satisfiable : satisfyingAcceptors) { if (satisfiable.produces.getMediaType().isCompatible(acceptableMediaType)) { final CombinedClientServerMediaType produces = CombinedClientServerMediaType.create(acceptableMediaType, satisfiable.getProduces()); final CombinedClientServerMediaType consumes = CombinedClientServerMediaType.create(effectiveContentType, satisfiable.getConsumes()); final RequestSpecificConsumesProducesAcceptor candidate = new RequestSpecificConsumesProducesAcceptor( consumes, satisfiable.getConsumes().isDerived(), produces, satisfiable.getProduces().isDerived(), satisfiable.methodAcceptorPair); if (singleInvokableMethod) { // Only one possible method and it's compatible. return new MethodSelector(candidate); } else if (candidate.compareTo(method.selected) > 0) { // Candidate is better than the previous one. if (method.selected == null || candidate.methodAcceptorPair.model != method.selected.methodAcceptorPair.model) { // No candidate so far or better candidate. if (isReadable(candidate) && isWriteable(candidate)) { method.consider(candidate); } else { alternative.consider(candidate); } } else { // Same resource method - better candidate, no need to compare anything else. method.consider(candidate); } } } } } return method.selected != null ? method : alternative; } private boolean isWildcard(final MediaType effectiveResponseType) { return effectiveResponseType.isWildcardType() || effectiveResponseType.isWildcardSubtype(); } private void reportMethodSelectionAmbiguity(List acceptableTypes, RequestSpecificConsumesProducesAcceptor selected, List sameFitnessAcceptors) { if (LOGGER.isLoggable(Level.WARNING)) { StringBuilder msgBuilder = new StringBuilder(LocalizationMessages.AMBIGUOUS_RESOURCE_METHOD(acceptableTypes)).append('\n'); msgBuilder.append('\t').append(selected.methodAcceptorPair.model).append('\n'); final Set reportedMethods = Sets.newHashSet(); reportedMethods.add(selected.methodAcceptorPair.model); for (RequestSpecificConsumesProducesAcceptor i : sameFitnessAcceptors) { if (!reportedMethods.contains(i.methodAcceptorPair.model)) { msgBuilder.append('\t').append(i.methodAcceptorPair.model).append('\n'); } reportedMethods.add(i.methodAcceptorPair.model); } LOGGER.log(Level.WARNING, msgBuilder.toString()); } } private Router createHeadEnrichedRouter() { return new Router() { @Override public Continuation apply(final ContainerRequest requestContext) { if (HttpMethod.HEAD.equals(requestContext.getMethod())) { requestContext.setMethodWithoutException(HttpMethod.GET); respondingContextFactory.get().push( new Function() { @Override public ContainerResponse apply(ContainerResponse responseContext) { responseContext.getRequestContext().setMethodWithoutException(HttpMethod.HEAD); return responseContext; } } ); } return Continuation.of(requestContext, getMethodRouter(requestContext)); } }; } }




© 2015 - 2024 Weber Informatics LLC | Privacy Policy