code
stringlengths
73
34.1k
label
stringclasses
1 value
public ItemRequest<Webhook> getById(String webhook) { String path = String.format("/webhooks/%s", webhook); return new ItemRequest<Webhook>(this, Webhook.class, path, "GET"); }
java
public ItemRequest<Webhook> deleteById(String webhook) { String path = String.format("/webhooks/%s", webhook); return new ItemRequest<Webhook>(this, Webhook.class, path, "DELETE"); }
java
public EventsRequest<Event> get(String resource, String sync) { return new EventsRequest<Event>(this, Event.class, "/events", "GET") .query("resource", resource) .query("sync", sync); }
java
public CollectionRequest<ProjectMembership> findByProject(String project) { String path = String.format("/projects/%s/project_memberships", project); return new CollectionRequest<ProjectMembership>(this, ProjectMembership.class, path, "GET"); }
java
public ItemRequest<ProjectMembership> findById(String projectMembership) { String path = String.format("/project_memberships/%s", projectMembership); return new ItemRequest<ProjectMembership>(this, ProjectMembership.class, path, "GET"); }
java
public CollectionRequest<Story> findByTask(String task) { String path = String.format("/tasks/%s/stories", task); return new CollectionRequest<Story>(this, Story.class, path, "GET"); }
java
public ItemRequest<Story> findById(String story) { String path = String.format("/stories/%s", story); return new ItemRequest<Story>(this, Story.class, path, "GET"); }
java
public ItemRequest<Story> update(String story) { String path = String.format("/stories/%s", story); return new ItemRequest<Story>(this, Story.class, path, "PUT"); }
java
public ItemRequest<Story> delete(String story) { String path = String.format("/stories/%s", story); return new ItemRequest<Story>(this, Story.class, path, "DELETE"); }
java
public ItemRequest<Workspace> findById(String workspace) { String path = String.format("/workspaces/%s", workspace); return new ItemRequest<Workspace>(this, Workspace.class, path, "GET"); }
java
public ItemRequest<Workspace> update(String workspace) { String path = String.format("/workspaces/%s", workspace); return new ItemRequest<Workspace>(this, Workspace.class, path, "PUT"); }
java
public ItemRequest<Workspace> addUser(String workspace) { String path = String.format("/workspaces/%s/addUser", workspace); return new ItemRequest<Workspace>(this, Workspace.class, path, "POST"); }
java
public ItemRequest<Workspace> removeUser(String workspace) { String path = String.format("/workspaces/%s/removeUser", workspace); return new ItemRequest<Workspace>(this, Workspace.class, path, "POST"); }
java
public ItemRequest<Attachment> createOnTask(String task, InputStream fileContent, String fileName, String fileType) { MultipartContent.Part part = new MultipartContent.Part() .setContent(new InputStreamContent(fileType, fileContent)) .setHeaders(new HttpHeaders().set( "Content-Disposition", String.format("form-data; name=\"file\"; filename=\"%s\"", fileName) // TODO: escape fileName? )); MultipartContent content = new MultipartContent() .setMediaType(new HttpMediaType("multipart/form-data").setParameter("boundary", UUID.randomUUID().toString())) .addPart(part); String path = String.format("/tasks/%s/attachments", task); return new ItemRequest<Attachment>(this, Attachment.class, path, "POST") .data(content); }
java
public ItemRequest<OrganizationExport> findById(String organizationExport) { String path = String.format("/organization_exports/%s", organizationExport); return new ItemRequest<OrganizationExport>(this, OrganizationExport.class, path, "GET"); }
java
public Request option(String key, Object value) { this.options.put(key, value); return this; }
java
public Request header(String key, String value) { this.headers.put(key, value); return this; }
java
public ItemRequest<Attachment> findById(String attachment) { String path = String.format("/attachments/%s", attachment); return new ItemRequest<Attachment>(this, Attachment.class, path, "GET"); }
java
public CollectionRequest<Attachment> findByTask(String task) { String path = String.format("/tasks/%s/attachments", task); return new CollectionRequest<Attachment>(this, Attachment.class, path, "GET"); }
java
public ItemRequest<Section> createInProject(String project) { String path = String.format("/projects/%s/sections", project); return new ItemRequest<Section>(this, Section.class, path, "POST"); }
java
public CollectionRequest<Section> findByProject(String project) { String path = String.format("/projects/%s/sections", project); return new CollectionRequest<Section>(this, Section.class, path, "GET"); }
java
public ItemRequest<Section> findById(String section) { String path = String.format("/sections/%s", section); return new ItemRequest<Section>(this, Section.class, path, "GET"); }
java
public ItemRequest<Section> delete(String section) { String path = String.format("/sections/%s", section); return new ItemRequest<Section>(this, Section.class, path, "DELETE"); }
java
public ItemRequest<Section> insertInProject(String project) { String path = String.format("/projects/%s/sections/insert", project); return new ItemRequest<Section>(this, Section.class, path, "POST"); }
java
public ItemRequest<Team> findById(String team) { String path = String.format("/teams/%s", team); return new ItemRequest<Team>(this, Team.class, path, "GET"); }
java
public CollectionRequest<Team> findByOrganization(String organization) { String path = String.format("/organizations/%s/teams", organization); return new CollectionRequest<Team>(this, Team.class, path, "GET"); }
java
public CollectionRequest<Team> findByUser(String user) { String path = String.format("/users/%s/teams", user); return new CollectionRequest<Team>(this, Team.class, path, "GET"); }
java
public CollectionRequest<Team> users(String team) { String path = String.format("/teams/%s/users", team); return new CollectionRequest<Team>(this, Team.class, path, "GET"); }
java
public ItemRequest<Team> addUser(String team) { String path = String.format("/teams/%s/addUser", team); return new ItemRequest<Team>(this, Team.class, path, "POST"); }
java
public ItemRequest<Team> removeUser(String team) { String path = String.format("/teams/%s/removeUser", team); return new ItemRequest<Team>(this, Team.class, path, "POST"); }
java
protected InternalHttpResponse sendInternalRequest(HttpRequest request) { InternalHttpResponder responder = new InternalHttpResponder(); httpResourceHandler.handle(request, responder); return responder.getResponse(); }
java
public SslHandler create(ByteBufAllocator bufferAllocator) { SSLEngine engine = sslContext.newEngine(bufferAllocator); engine.setNeedClientAuth(needClientAuth); engine.setUseClientMode(false); return new SslHandler(engine); }
java
private Set<HttpMethod> getHttpMethods(Method method) { Set<HttpMethod> httpMethods = new HashSet<>(); if (method.isAnnotationPresent(GET.class)) { httpMethods.add(HttpMethod.GET); } if (method.isAnnotationPresent(PUT.class)) { httpMethods.add(HttpMethod.PUT); } if (method.isAnnotationPresent(POST.class)) { httpMethods.add(HttpMethod.POST); } if (method.isAnnotationPresent(DELETE.class)) { httpMethods.add(HttpMethod.DELETE); } return Collections.unmodifiableSet(httpMethods); }
java
public void handle(HttpRequest request, HttpResponder responder) { if (urlRewriter != null) { try { request.setUri(URI.create(request.uri()).normalize().toString()); if (!urlRewriter.rewrite(request, responder)) { return; } } catch (Throwable t) { responder.sendString(HttpResponseStatus.INTERNAL_SERVER_ERROR, String.format("Caught exception processing request. Reason: %s", t.getMessage())); LOG.error("Exception thrown during rewriting of uri {}", request.uri(), t); return; } } try { String path = URI.create(request.uri()).normalize().getPath(); List<PatternPathRouterWithGroups.RoutableDestination<HttpResourceModel>> routableDestinations = patternRouter.getDestinations(path); PatternPathRouterWithGroups.RoutableDestination<HttpResourceModel> matchedDestination = getMatchedDestination(routableDestinations, request.method(), path); if (matchedDestination != null) { //Found a httpresource route to it. HttpResourceModel httpResourceModel = matchedDestination.getDestination(); // Call preCall method of handler hooks. boolean terminated = false; HandlerInfo info = new HandlerInfo(httpResourceModel.getMethod().getDeclaringClass().getName(), httpResourceModel.getMethod().getName()); for (HandlerHook hook : handlerHooks) { if (!hook.preCall(request, responder, info)) { // Terminate further request processing if preCall returns false. terminated = true; break; } } // Call httpresource method if (!terminated) { // Wrap responder to make post hook calls. responder = new WrappedHttpResponder(responder, handlerHooks, request, info); if (httpResourceModel.handle(request, responder, matchedDestination.getGroupNameValues()).isStreaming()) { responder.sendString(HttpResponseStatus.METHOD_NOT_ALLOWED, String.format("Body Consumer not supported for internalHttpResponder: %s", request.uri())); } } } else if (routableDestinations.size() > 0) { //Found a matching resource but could not find the right HttpMethod so return 405 responder.sendString(HttpResponseStatus.METHOD_NOT_ALLOWED, String.format("Problem accessing: %s. Reason: Method Not Allowed", request.uri())); } else { responder.sendString(HttpResponseStatus.NOT_FOUND, String.format("Problem accessing: %s. Reason: Not Found", request.uri())); } } catch (Throwable t) { responder.sendString(HttpResponseStatus.INTERNAL_SERVER_ERROR, String.format("Caught exception processing request. Reason: %s", t.getMessage())); LOG.error("Exception thrown during request processing for uri {}", request.uri(), t); } }
java
private PatternPathRouterWithGroups.RoutableDestination<HttpResourceModel> getMatchedDestination(List<PatternPathRouterWithGroups.RoutableDestination<HttpResourceModel>> routableDestinations, HttpMethod targetHttpMethod, String requestUri) { LOG.trace("Routable destinations for request {}: {}", requestUri, routableDestinations); Iterable<String> requestUriParts = splitAndOmitEmpty(requestUri, '/'); List<PatternPathRouterWithGroups.RoutableDestination<HttpResourceModel>> matchedDestinations = new ArrayList<>(); long maxScore = 0; for (PatternPathRouterWithGroups.RoutableDestination<HttpResourceModel> destination : routableDestinations) { HttpResourceModel resourceModel = destination.getDestination(); for (HttpMethod httpMethod : resourceModel.getHttpMethod()) { if (targetHttpMethod.equals(httpMethod)) { long score = getWeightedMatchScore(requestUriParts, splitAndOmitEmpty(resourceModel.getPath(), '/')); LOG.trace("Max score = {}. Weighted score for {} is {}. ", maxScore, destination, score); if (score > maxScore) { maxScore = score; matchedDestinations.clear(); matchedDestinations.add(destination); } else if (score == maxScore) { matchedDestinations.add(destination); } } } } if (matchedDestinations.size() > 1) { throw new IllegalStateException(String.format("Multiple matched handlers found for request uri %s: %s", requestUri, matchedDestinations)); } else if (matchedDestinations.size() == 1) { return matchedDestinations.get(0); } return null; }
java
private long getWeightedMatchScore(Iterable<String> requestUriParts, Iterable<String> destUriParts) { // The score calculated below is a base 5 number // The score will have one digit for one part of the URI // This will allow for 27 parts in the path since log (Long.MAX_VALUE) to base 5 = 27.13 // We limit the number of parts in the path to 25 using MAX_PATH_PARTS constant above to avoid overflow during // score calculation long score = 0; for (Iterator<String> rit = requestUriParts.iterator(), dit = destUriParts.iterator(); rit.hasNext() && dit.hasNext(); ) { String requestPart = rit.next(); String destPart = dit.next(); if (requestPart.equals(destPart)) { score = (score * 5) + 4; } else if (PatternPathRouterWithGroups.GROUP_PATTERN.matcher(destPart).matches()) { score = (score * 5) + 3; } else { score = (score * 5) + 2; } } return score; }
java
private static Iterable<String> splitAndOmitEmpty(final String str, final char splitChar) { return new Iterable<String>() { @Override public Iterator<String> iterator() { return new Iterator<String>() { int startIdx = 0; String next = null; @Override public boolean hasNext() { while (next == null && startIdx < str.length()) { int idx = str.indexOf(splitChar, startIdx); if (idx == startIdx) { // Omit empty string startIdx++; continue; } if (idx >= 0) { // Found the next part next = str.substring(startIdx, idx); startIdx = idx; } else { // The last part if (startIdx < str.length()) { next = str.substring(startIdx); startIdx = str.length(); } break; } } return next != null; } @Override public String next() { if (hasNext()) { String next = this.next; this.next = null; return next; } throw new NoSuchElementException("No more element"); } @Override public void remove() { throw new UnsupportedOperationException("Remove not supported"); } }; } }; }
java
@Nullable private static Converter<List<String>, Object> createPrimitiveTypeConverter(final Class<?> resultClass) { Object defaultValue = defaultValue(resultClass); if (defaultValue == null) { // For primitive type, the default value shouldn't be null return null; } return new BasicConverter(defaultValue) { @Override protected Object convert(String value) throws Exception { return valueOf(value, resultClass); } }; }
java
private static Converter<List<String>, Object> createStringConstructorConverter(Class<?> resultClass) { try { final Constructor<?> constructor = resultClass.getConstructor(String.class); return new BasicConverter(defaultValue(resultClass)) { @Override protected Object convert(String value) throws Exception { return constructor.newInstance(value); } }; } catch (Exception e) { return null; } }
java
@Nullable private static Object valueOf(String value, Class<?> cls) { if (cls == Boolean.TYPE) { return Boolean.valueOf(value); } if (cls == Character.TYPE) { return value.length() >= 1 ? value.charAt(0) : defaultValue(char.class); } if (cls == Byte.TYPE) { return Byte.valueOf(value); } if (cls == Short.TYPE) { return Short.valueOf(value); } if (cls == Integer.TYPE) { return Integer.valueOf(value); } if (cls == Long.TYPE) { return Long.valueOf(value); } if (cls == Float.TYPE) { return Float.valueOf(value); } if (cls == Double.TYPE) { return Double.valueOf(value); } return null; }
java
private static Class<?> getRawClass(Type type) { if (type instanceof Class) { return (Class<?>) type; } if (type instanceof ParameterizedType) { return getRawClass(((ParameterizedType) type).getRawType()); } // For TypeVariable and WildcardType, returns the first upper bound. if (type instanceof TypeVariable) { return getRawClass(((TypeVariable) type).getBounds()[0]); } if (type instanceof WildcardType) { return getRawClass(((WildcardType) type).getUpperBounds()[0]); } if (type instanceof GenericArrayType) { Class<?> componentClass = getRawClass(((GenericArrayType) type).getGenericComponentType()); return Array.newInstance(componentClass, 0).getClass(); } // This shouldn't happen as we captured all implementations of Type above (as or Java 8) throw new IllegalArgumentException("Unsupported type " + type + " of type class " + type.getClass()); }
java
void invoke(HttpRequest request) throws Exception { bodyConsumer = null; Object invokeResult; try { args[0] = this.request = request; invokeResult = method.invoke(handler, args); } catch (InvocationTargetException e) { exceptionHandler.handle(e.getTargetException(), request, responder); return; } catch (Throwable t) { exceptionHandler.handle(t, request, responder); return; } if (isStreaming) { // Casting guarantee to be succeeded. bodyConsumer = (BodyConsumer) invokeResult; } }
java
void sendError(HttpResponseStatus status, Throwable ex) { String msg; if (ex instanceof InvocationTargetException) { msg = String.format("Exception Encountered while processing request : %s", ex.getCause().getMessage()); } else { msg = String.format("Exception Encountered while processing request: %s", ex.getMessage()); } // Send the status and message, followed by closing of the connection. responder.sendString(status, msg, new DefaultHttpHeaders().set(HttpHeaderNames.CONNECTION, HttpHeaderValues.CLOSE)); if (bodyConsumer != null) { bodyConsumerError(ex); } }
java
public void add(final String source, final T destination) { // replace multiple slashes with a single slash. String path = source.replaceAll("/+", "/"); path = (path.endsWith("/") && path.length() > 1) ? path.substring(0, path.length() - 1) : path; String[] parts = path.split("/", maxPathParts + 2); if (parts.length - 1 > maxPathParts) { throw new IllegalArgumentException(String.format("Number of parts of path %s exceeds allowed limit %s", source, maxPathParts)); } StringBuilder sb = new StringBuilder(); List<String> groupNames = new ArrayList<>(); for (String part : parts) { Matcher groupMatcher = GROUP_PATTERN.matcher(part); if (groupMatcher.matches()) { groupNames.add(groupMatcher.group(1)); sb.append("([^/]+?)"); } else if (WILD_CARD_PATTERN.matcher(part).matches()) { sb.append(".*?"); } else { sb.append(part); } sb.append("/"); } //Ignore the last "/" sb.setLength(sb.length() - 1); Pattern pattern = Pattern.compile(sb.toString()); patternRouteList.add(ImmutablePair.of(pattern, new RouteDestinationWithGroups(destination, groupNames))); }
java
public List<RoutableDestination<T>> getDestinations(String path) { String cleanPath = (path.endsWith("/") && path.length() > 1) ? path.substring(0, path.length() - 1) : path; List<RoutableDestination<T>> result = new ArrayList<>(); for (ImmutablePair<Pattern, RouteDestinationWithGroups> patternRoute : patternRouteList) { Map<String, String> groupNameValuesBuilder = new HashMap<>(); Matcher matcher = patternRoute.getFirst().matcher(cleanPath); if (matcher.matches()) { int matchIndex = 1; for (String name : patternRoute.getSecond().getGroupNames()) { String value = matcher.group(matchIndex); groupNameValuesBuilder.put(name, value); matchIndex++; } result.add(new RoutableDestination<>(patternRoute.getSecond().getDestination(), groupNameValuesBuilder)); } } return result; }
java
public synchronized void start() throws Exception { if (state == State.RUNNING) { LOG.debug("Ignore start() call on HTTP service {} since it has already been started.", serviceName); return; } if (state != State.NOT_STARTED) { if (state == State.STOPPED) { throw new IllegalStateException("Cannot start the HTTP service " + serviceName + " again since it has been stopped"); } throw new IllegalStateException("Cannot start the HTTP service " + serviceName + " because it was failed earlier"); } try { LOG.info("Starting HTTP Service {} at address {}", serviceName, bindAddress); channelGroup = new DefaultChannelGroup(ImmediateEventExecutor.INSTANCE); resourceHandler.init(handlerContext); eventExecutorGroup = createEventExecutorGroup(execThreadPoolSize); bootstrap = createBootstrap(channelGroup); Channel serverChannel = bootstrap.bind(bindAddress).sync().channel(); channelGroup.add(serverChannel); bindAddress = (InetSocketAddress) serverChannel.localAddress(); LOG.debug("Started HTTP Service {} at address {}", serviceName, bindAddress); state = State.RUNNING; } catch (Throwable t) { // Release resources if there is any failure channelGroup.close().awaitUninterruptibly(); try { if (bootstrap != null) { shutdownExecutorGroups(0, 5, TimeUnit.SECONDS, bootstrap.config().group(), bootstrap.config().childGroup(), eventExecutorGroup); } else { shutdownExecutorGroups(0, 5, TimeUnit.SECONDS, eventExecutorGroup); } } catch (Throwable t2) { t.addSuppressed(t2); } state = State.FAILED; throw t; } }
java
public synchronized void stop(long quietPeriod, long timeout, TimeUnit unit) throws Exception { if (state == State.STOPPED) { LOG.debug("Ignore stop() call on HTTP service {} since it has already been stopped.", serviceName); return; } LOG.info("Stopping HTTP Service {}", serviceName); try { try { channelGroup.close().awaitUninterruptibly(); } finally { try { shutdownExecutorGroups(quietPeriod, timeout, unit, bootstrap.config().group(), bootstrap.config().childGroup(), eventExecutorGroup); } finally { resourceHandler.destroy(handlerContext); } } } catch (Throwable t) { state = State.FAILED; throw t; } state = State.STOPPED; LOG.debug("Stopped HTTP Service {} on address {}", serviceName, bindAddress); }
java
private ServerBootstrap createBootstrap(final ChannelGroup channelGroup) throws Exception { EventLoopGroup bossGroup = new NioEventLoopGroup(bossThreadPoolSize, createDaemonThreadFactory(serviceName + "-boss-thread-%d")); EventLoopGroup workerGroup = new NioEventLoopGroup(workerThreadPoolSize, createDaemonThreadFactory(serviceName + "-worker-thread-%d")); ServerBootstrap bootstrap = new ServerBootstrap(); bootstrap .group(bossGroup, workerGroup) .channel(NioServerSocketChannel.class) .childHandler(new ChannelInitializer<SocketChannel>() { @Override protected void initChannel(SocketChannel ch) throws Exception { channelGroup.add(ch); ChannelPipeline pipeline = ch.pipeline(); if (sslHandlerFactory != null) { // Add SSLHandler if SSL is enabled pipeline.addLast("ssl", sslHandlerFactory.create(ch.alloc())); } pipeline.addLast("codec", new HttpServerCodec()); pipeline.addLast("compressor", new HttpContentCompressor()); pipeline.addLast("chunkedWriter", new ChunkedWriteHandler()); pipeline.addLast("keepAlive", new HttpServerKeepAliveHandler()); pipeline.addLast("router", new RequestRouter(resourceHandler, httpChunkLimit, sslHandlerFactory != null)); if (eventExecutorGroup == null) { pipeline.addLast("dispatcher", new HttpDispatcher()); } else { pipeline.addLast(eventExecutorGroup, "dispatcher", new HttpDispatcher()); } if (pipelineModifier != null) { pipelineModifier.modify(pipeline); } } }); for (Map.Entry<ChannelOption, Object> entry : channelConfigs.entrySet()) { bootstrap.option(entry.getKey(), entry.getValue()); } for (Map.Entry<ChannelOption, Object> entry : childChannelConfigs.entrySet()) { bootstrap.childOption(entry.getKey(), entry.getValue()); } return bootstrap; }
java
@Override public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception { try { if (exceptionRaised.get()) { return; } if (!(msg instanceof HttpRequest)) { // If there is no methodInfo, it means the request was already rejected. // What we received here is just residue of the request, which can be ignored. if (methodInfo != null) { ReferenceCountUtil.retain(msg); ctx.fireChannelRead(msg); } return; } HttpRequest request = (HttpRequest) msg; BasicHttpResponder responder = new BasicHttpResponder(ctx.channel(), sslEnabled); // Reset the methodInfo for the incoming request error handling methodInfo = null; methodInfo = prepareHandleMethod(request, responder, ctx); if (methodInfo != null) { ReferenceCountUtil.retain(msg); ctx.fireChannelRead(msg); } else { if (!responder.isResponded()) { // If not yet responded, just respond with a not found and close the connection HttpResponse response = new DefaultFullHttpResponse(HttpVersion.HTTP_1_1, HttpResponseStatus.NOT_FOUND); HttpUtil.setContentLength(response, 0); HttpUtil.setKeepAlive(response, false); ctx.channel().writeAndFlush(response).addListener(ChannelFutureListener.CLOSE); } else { // If already responded, just close the connection ctx.channel().close(); } } } finally { ReferenceCountUtil.release(msg); } }
java
@SuppressWarnings("unchecked") public HttpMethodInfo handle(HttpRequest request, HttpResponder responder, Map<String, String> groupValues) throws Exception { //TODO: Refactor group values. try { if (httpMethods.contains(request.method())) { //Setup args for reflection call Object [] args = new Object[paramsInfo.size()]; int idx = 0; for (Map<Class<? extends Annotation>, ParameterInfo<?>> info : paramsInfo) { if (info.containsKey(PathParam.class)) { args[idx] = getPathParamValue(info, groupValues); } if (info.containsKey(QueryParam.class)) { args[idx] = getQueryParamValue(info, request.uri()); } if (info.containsKey(HeaderParam.class)) { args[idx] = getHeaderParamValue(info, request); } idx++; } return new HttpMethodInfo(method, handler, responder, args, exceptionHandler); } else { //Found a matching resource but could not find the right HttpMethod so return 405 throw new HandlerException(HttpResponseStatus.METHOD_NOT_ALLOWED, String.format ("Problem accessing: %s. Reason: Method Not Allowed", request.uri())); } } catch (Throwable e) { throw new HandlerException(HttpResponseStatus.INTERNAL_SERVER_ERROR, String.format("Error in executing request: %s %s", request.method(), request.uri()), e); } }
java
private List<Map<Class<? extends Annotation>, ParameterInfo<?>>> createParametersInfos(Method method) { if (method.getParameterTypes().length <= 2) { return Collections.emptyList(); } List<Map<Class<? extends Annotation>, ParameterInfo<?>>> result = new ArrayList<>(); Type[] parameterTypes = method.getGenericParameterTypes(); Annotation[][] parameterAnnotations = method.getParameterAnnotations(); for (int i = 2; i < parameterAnnotations.length; i++) { Annotation[] annotations = parameterAnnotations[i]; Map<Class<? extends Annotation>, ParameterInfo<?>> paramAnnotations = new IdentityHashMap<>(); for (Annotation annotation : annotations) { Class<? extends Annotation> annotationType = annotation.annotationType(); ParameterInfo<?> parameterInfo; if (PathParam.class.isAssignableFrom(annotationType)) { parameterInfo = ParameterInfo.create(annotation, ParamConvertUtils.createPathParamConverter(parameterTypes[i])); } else if (QueryParam.class.isAssignableFrom(annotationType)) { parameterInfo = ParameterInfo.create(annotation, ParamConvertUtils.createQueryParamConverter(parameterTypes[i])); } else if (HeaderParam.class.isAssignableFrom(annotationType)) { parameterInfo = ParameterInfo.create(annotation, ParamConvertUtils.createHeaderParamConverter(parameterTypes[i])); } else { parameterInfo = ParameterInfo.create(annotation, null); } paramAnnotations.put(annotationType, parameterInfo); } // Must have either @PathParam, @QueryParam or @HeaderParam, but not two or more. int presence = 0; for (Class<? extends Annotation> annotationClass : paramAnnotations.keySet()) { if (SUPPORTED_PARAM_ANNOTATIONS.contains(annotationClass)) { presence++; } } if (presence != 1) { throw new IllegalArgumentException( String.format("Must have exactly one annotation from %s for parameter %d in method %s", SUPPORTED_PARAM_ANNOTATIONS, i, method)); } result.add(Collections.unmodifiableMap(paramAnnotations)); } return Collections.unmodifiableList(result); }
java
public static <T> ServiceFuture<T> fromResponse(final Observable<ServiceResponse<T>> observable) { final ServiceFuture<T> serviceFuture = new ServiceFuture<>(); serviceFuture.subscription = observable .last() .subscribe(new Action1<ServiceResponse<T>>() { @Override public void call(ServiceResponse<T> t) { serviceFuture.set(t.body()); } }, new Action1<Throwable>() { @Override public void call(Throwable throwable) { serviceFuture.setException(throwable); } }); return serviceFuture; }
java
public static <T> ServiceFuture<T> fromResponse(final Observable<ServiceResponse<T>> observable, final ServiceCallback<T> callback) { final ServiceFuture<T> serviceFuture = new ServiceFuture<>(); serviceFuture.subscription = observable .last() .subscribe(new Action1<ServiceResponse<T>>() { @Override public void call(ServiceResponse<T> t) { if (callback != null) { callback.success(t.body()); } serviceFuture.set(t.body()); } }, new Action1<Throwable>() { @Override public void call(Throwable throwable) { if (callback != null) { callback.failure(throwable); } serviceFuture.setException(throwable); } }); return serviceFuture; }
java
public static ServiceFuture<Void> fromBody(final Completable completable, final ServiceCallback<Void> callback) { final ServiceFuture<Void> serviceFuture = new ServiceFuture<>(); completable.subscribe(new Action0() { Void value = null; @Override public void call() { if (callback != null) { callback.success(value); } serviceFuture.set(value); } }, new Action1<Throwable>() { @Override public void call(Throwable throwable) { if (callback != null) { callback.failure(throwable); } serviceFuture.setException(throwable); } }); return serviceFuture; }
java
protected void cacheCollection() { this.clear(); for (FluentModelTImpl childResource : this.listChildResources()) { this.childCollection.put(childResource.childResourceKey(), childResource); } }
java
public void addDependencyGraph(DAGraph<DataT, NodeT> dependencyGraph) { this.rootNode.addDependency(dependencyGraph.rootNode.key()); Map<String, NodeT> sourceNodeTable = dependencyGraph.nodeTable; Map<String, NodeT> targetNodeTable = this.nodeTable; this.merge(sourceNodeTable, targetNodeTable); dependencyGraph.parentDAGs.add(this); if (this.hasParents()) { this.bubbleUpNodeTable(this, new LinkedList<String>()); } }
java
public void prepareForEnumeration() { if (isPreparer()) { for (NodeT node : nodeTable.values()) { // Prepare each node for traversal node.initialize(); if (!this.isRootNode(node)) { // Mark other sub-DAGs as non-preparer node.setPreparer(false); } } initializeDependentKeys(); initializeQueue(); } }
java
public NodeT getNext() { String nextItemKey = queue.poll(); if (nextItemKey == null) { return null; } return nodeTable.get(nextItemKey); }
java
public void reportCompletion(NodeT completed) { completed.setPreparer(true); String dependency = completed.key(); for (String dependentKey : nodeTable.get(dependency).dependentKeys()) { DAGNode<DataT, NodeT> dependent = nodeTable.get(dependentKey); dependent.lock().lock(); try { dependent.onSuccessfulResolution(dependency); if (dependent.hasAllResolved()) { queue.add(dependent.key()); } } finally { dependent.lock().unlock(); } } }
java
public void reportError(NodeT faulted, Throwable throwable) { faulted.setPreparer(true); String dependency = faulted.key(); for (String dependentKey : nodeTable.get(dependency).dependentKeys()) { DAGNode<DataT, NodeT> dependent = nodeTable.get(dependentKey); dependent.lock().lock(); try { dependent.onFaultedResolution(dependency, throwable); if (dependent.hasAllResolved()) { queue.add(dependent.key()); } } finally { dependent.lock().unlock(); } } }
java
private void initializeQueue() { this.queue.clear(); for (Map.Entry<String, NodeT> entry: nodeTable.entrySet()) { if (!entry.getValue().hasDependencies()) { this.queue.add(entry.getKey()); } } if (queue.isEmpty()) { throw new IllegalStateException("Detected circular dependency"); } }
java
private void merge(Map<String, NodeT> source, Map<String, NodeT> target) { for (Map.Entry<String, NodeT> entry : source.entrySet()) { String key = entry.getKey(); if (!target.containsKey(key)) { target.put(key, entry.getValue()); } } }
java
private void bubbleUpNodeTable(DAGraph<DataT, NodeT> from, LinkedList<String> path) { if (path.contains(from.rootNode.key())) { path.push(from.rootNode.key()); // For better error message throw new IllegalStateException("Detected circular dependency: " + StringUtils.join(path, " -> ")); } path.push(from.rootNode.key()); for (DAGraph<DataT, NodeT> to : from.parentDAGs) { this.merge(from.nodeTable, to.nodeTable); this.bubbleUpNodeTable(to, path); } path.pop(); }
java
public static IndexableTaskItem create(final FunctionalTaskItem taskItem) { return new IndexableTaskItem() { @Override protected Observable<Indexable> invokeTaskAsync(TaskGroup.InvocationContext context) { FunctionalTaskItem.Context fContext = new FunctionalTaskItem.Context(this); fContext.setInnerContext(context); return taskItem.call(fContext); } }; }
java
@SuppressWarnings("unchecked") protected String addeDependency(Appliable<? extends Indexable> appliable) { TaskGroup.HasTaskGroup dependency = (TaskGroup.HasTaskGroup) appliable; return this.addDependency(dependency); }
java
public String addPostRunDependent(FunctionalTaskItem dependent) { Objects.requireNonNull(dependent); return this.taskGroup().addPostRunDependent(dependent); }
java
@SuppressWarnings("unchecked") protected String addPostRunDependent(Creatable<? extends Indexable> creatable) { TaskGroup.HasTaskGroup dependency = (TaskGroup.HasTaskGroup) creatable; return this.addPostRunDependent(dependency); }
java
@SuppressWarnings("unchecked") protected String addPostRunDependent(Appliable<? extends Indexable> appliable) { TaskGroup.HasTaskGroup dependency = (TaskGroup.HasTaskGroup) appliable; return this.addPostRunDependent(dependency); }
java
@SuppressWarnings("unchecked") protected <T extends Indexable> T taskResult(String key) { Indexable result = this.taskGroup.taskResult(key); if (result == null) { return null; } else { T castedResult = (T) result; return castedResult; } }
java
public static Region create(String name, String label) { Region region = VALUES_BY_NAME.get(name.toLowerCase()); if (region != null) { return region; } else { return new Region(name, label); } }
java
public static Region fromName(String name) { if (name == null) { return null; } Region region = VALUES_BY_NAME.get(name.toLowerCase().replace(" ", "")); if (region != null) { return region; } else { return Region.create(name.toLowerCase().replace(" ", ""), name); } }
java
protected FluentModelTImpl prepareForFutureCommitOrPostRun(FluentModelTImpl childResource) { if (this.isPostRunMode) { if (!childResource.taskGroup().dependsOn(this.parentTaskGroup)) { this.parentTaskGroup.addPostRunDependentTaskGroup(childResource.taskGroup()); } return childResource; } else { return childResource; } }
java
protected FluentModelTImpl find(String key) { for (Map.Entry<String, FluentModelTImpl> entry : this.childCollection.entrySet()) { if (entry.getKey().equalsIgnoreCase(key)) { return entry.getValue(); } } return null; }
java
public static <E> ServiceFuture<List<E>> fromPageResponse(Observable<ServiceResponse<Page<E>>> first, final Func1<String, Observable<ServiceResponse<Page<E>>>> next, final ListOperationCallback<E> callback) { final AzureServiceFuture<List<E>> serviceCall = new AzureServiceFuture<>(); final PagingSubscriber<E> subscriber = new PagingSubscriber<>(serviceCall, next, callback); serviceCall.setSubscription(first .single() .subscribe(subscriber)); return serviceCall; }
java
public static <E, V> ServiceFuture<List<E>> fromHeaderPageResponse(Observable<ServiceResponseWithHeaders<Page<E>, V>> first, final Func1<String, Observable<ServiceResponseWithHeaders<Page<E>, V>>> next, final ListOperationCallback<E> callback) { final AzureServiceFuture<List<E>> serviceCall = new AzureServiceFuture<>(); final PagingSubscriber<E> subscriber = new PagingSubscriber<>(serviceCall, new Func1<String, Observable<ServiceResponse<Page<E>>>>() { @Override public Observable<ServiceResponse<Page<E>>> call(String s) { return next.call(s) .map(new Func1<ServiceResponseWithHeaders<Page<E>, V>, ServiceResponse<Page<E>>>() { @Override public ServiceResponse<Page<E>> call(ServiceResponseWithHeaders<Page<E>, V> pageVServiceResponseWithHeaders) { return pageVServiceResponseWithHeaders; } }); } }, callback); serviceCall.setSubscription(first .single() .subscribe(subscriber)); return serviceCall; }
java
private static JsonNode findNestedNode(JsonNode jsonNode, String composedKey) { String[] jsonNodeKeys = splitKeyByFlatteningDots(composedKey); for (String jsonNodeKey : jsonNodeKeys) { jsonNode = jsonNode.get(unescapeEscapedDots(jsonNodeKey)); if (jsonNode == null) { return null; } } return jsonNode; }
java
private static JsonParser newJsonParserForNode(JsonNode jsonNode) throws IOException { JsonParser parser = new JsonFactory().createParser(jsonNode.toString()); parser.nextToken(); return parser; }
java
protected String addDependency(FunctionalTaskItem dependency) { Objects.requireNonNull(dependency); return this.taskGroup().addDependency(dependency); }
java
protected String addDependency(TaskGroup.HasTaskGroup dependency) { Objects.requireNonNull(dependency); this.taskGroup().addDependencyTaskGroup(dependency.taskGroup()); return dependency.taskGroup().key(); }
java
@SuppressWarnings("unchecked") protected void addPostRunDependent(Executable<? extends Indexable> executable) { TaskGroup.HasTaskGroup dependency = (TaskGroup.HasTaskGroup) executable; this.addPostRunDependent(dependency); }
java
public void addNode(NodeT node) { node.setOwner(this); nodeTable.put(node.key(), node); }
java
protected String findPath(String start, String end) { if (start.equals(end)) { return start; } else { return findPath(start, parent.get(end)) + " -> " + end; } }
java
public Map<String, ImplT> convertToUnmodifiableMap(List<InnerT> innerList) { Map<String, ImplT> result = new HashMap<>(); for (InnerT inner : innerList) { result.put(name(inner), impl(inner)); } return Collections.unmodifiableMap(result); }
java
public static String createOdataFilterForTags(String tagName, String tagValue) { if (tagName == null) { return null; } else if (tagValue == null) { return String.format("tagname eq '%s'", tagName); } else { return String.format("tagname eq '%s' and tagvalue eq '%s'", tagName, tagValue); } }
java
public static Observable<byte[]> downloadFileAsync(String url, Retrofit retrofit) { FileService service = retrofit.create(FileService.class); Observable<ResponseBody> response = service.download(url); return response.map(new Func1<ResponseBody, byte[]>() { @Override public byte[] call(ResponseBody responseBody) { try { return responseBody.bytes(); } catch (IOException e) { throw Exceptions.propagate(e); } } }); }
java
public static <OutT, InT> PagedList<OutT> toPagedList(List<InT> list, final Func1<InT, OutT> mapper) { PageImpl<InT> page = new PageImpl<>(); page.setItems(list); page.setNextPageLink(null); PagedList<InT> pagedList = new PagedList<InT>(page) { @Override public Page<InT> nextPage(String nextPageLink) { return null; } }; PagedListConverter<InT, OutT> converter = new PagedListConverter<InT, OutT>() { @Override public Observable<OutT> typeConvertAsync(InT inner) { return Observable.just(mapper.call(inner)); } }; return converter.convert(pagedList); }
java
public static void addToListIfNotExists(List<String> list, String value) { boolean found = false; for (String item : list) { if (item.equalsIgnoreCase(value)) { found = true; break; } } if (!found) { list.add(value); } }
java
public static void removeFromList(List<String> list, String value) { int foundIndex = -1; int i = 0; for (String id : list) { if (id.equalsIgnoreCase(value)) { foundIndex = i; break; } i++; } if (foundIndex != -1) { list.remove(foundIndex); } }
java
public PagedList<V> convert(final PagedList<U> uList) { if (uList == null || uList.isEmpty()) { return new PagedList<V>() { @Override public Page<V> nextPage(String s) throws RestException, IOException { return null; } }; } Page<U> uPage = uList.currentPage(); final PageImpl<V> vPage = new PageImpl<>(); vPage.setNextPageLink(uPage.nextPageLink()); vPage.setItems(new ArrayList<V>()); loadConvertedList(uPage, vPage); return new PagedList<V>(vPage) { @Override public Page<V> nextPage(String nextPageLink) throws RestException, IOException { Page<U> uPage = uList.nextPage(nextPageLink); final PageImpl<V> vPage = new PageImpl<>(); vPage.setNextPageLink(uPage.nextPageLink()); vPage.setItems(new ArrayList<V>()); loadConvertedList(uPage, vPage); return vPage; } }; }
java
public CustomHeadersInterceptor replaceHeader(String name, String value) { this.headers.put(name, new ArrayList<String>()); this.headers.get(name).add(value); return this; }
java
public CustomHeadersInterceptor addHeader(String name, String value) { if (!this.headers.containsKey(name)) { this.headers.put(name, new ArrayList<String>()); } this.headers.get(name).add(value); return this; }
java
public CustomHeadersInterceptor addHeaderMap(Map<String, String> headers) { for (Map.Entry<String, String> header : headers.entrySet()) { this.headers.put(header.getKey(), Collections.singletonList(header.getValue())); } return this; }
java
public CustomHeadersInterceptor addHeaderMultimap(Map<String, List<String>> headers) { this.headers.putAll(headers); return this; }
java
public static <T> Observable<T> map(Observable<?> fromObservable, final T toValue) { if (fromObservable != null) { return fromObservable.subscribeOn(Schedulers.io()) .map(new RXMapper<T>(toValue)); } else { return Observable.empty(); } }
java
public static Observable<Void> mapToVoid(Observable<?> fromObservable) { if (fromObservable != null) { return fromObservable.subscribeOn(Schedulers.io()) .map(new RXMapper<Void>()); } else { return Observable.empty(); } }
java
@SuppressWarnings("unchecked") public final FluentModelImplT withTag(String key, String value) { if (this.inner().getTags() == null) { this.inner().withTags(new HashMap<String, String>()); } this.inner().getTags().put(key, value); return (FluentModelImplT) this; }
java
@SuppressWarnings("unchecked") public final FluentModelImplT withoutTag(String key) { if (this.inner().getTags() != null) { this.inner().getTags().remove(key); } return (FluentModelImplT) this; }
java
public void load(List<E> result) { ++pageCount; if (this.result == null || this.result.isEmpty()) { this.result = result; } else { this.result.addAll(result); } }
java
public <T> Observable<T> delayedEmitAsync(T event, int milliseconds) { return Observable.just(event).delay(milliseconds, TimeUnit.MILLISECONDS, Schedulers.immediate()); }
java
public static String[] randomResourceNames(String prefix, int maxLen, int count) { String[] names = new String[count]; ResourceNamer resourceNamer = SdkContext.getResourceNamerFactory().createResourceNamer(""); for (int i = 0; i < count; i++) { names[i] = resourceNamer.randomName(prefix, maxLen); } return names; }
java