aboutsummaryrefslogtreecommitdiff
path: root/src/main/java/foo/zaaarf/routecompass/RouteCompass.java
blob: 30cd3c5efce3635ecfaf835b3a550ebdc71b8ab4 (plain) (blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
package foo.zaaarf.routecompass;

import org.springframework.web.bind.annotation.*;

import javax.annotation.processing.AbstractProcessor;
import javax.annotation.processing.RoundEnvironment;
import javax.annotation.processing.SupportedSourceVersion;
import javax.lang.model.SourceVersion;
import javax.lang.model.element.Element;
import javax.lang.model.element.ExecutableElement;
import javax.lang.model.element.TypeElement;
import javax.lang.model.element.VariableElement;
import javax.lang.model.type.TypeKind;
import javax.lang.model.type.TypeMirror;
import javax.tools.Diagnostic;
import javax.tools.FileObject;
import javax.tools.StandardLocation;
import java.io.IOException;
import java.io.PrintWriter;
import java.lang.annotation.Annotation;
import java.util.*;
import java.util.function.BiConsumer;
import java.util.function.BiFunction;
import java.util.function.Predicate;
import java.util.stream.Collectors;

/**
 * The main processor class.
 */
@SupportedSourceVersion(SourceVersion.RELEASE_8)
public class RouteCompass extends AbstractProcessor {

   /**
    * A {@link Map} tying each component class to the routes it contains.
    */
   private final Map<String, List<Route>> foundRoutes = new HashMap<>();

   /**
    * A {@link Set} containing all the supported annotation classes.
    */
   private final Set<Class<? extends Annotation>> annotationClasses = new HashSet<>();

   /**
    * Default constructor, it only initialises {@link #annotationClasses}.
    */
   public RouteCompass() {
      this.annotationClasses.add(RequestMapping.class);
      this.annotationClasses.add(GetMapping.class);
      this.annotationClasses.add(PostMapping.class);
      this.annotationClasses.add(PutMapping.class);
      this.annotationClasses.add(DeleteMapping.class);
      this.annotationClasses.add(PatchMapping.class);
   }

   /**
    * Processes Spring's annotations, NOT claiming them for itself.
    * It builds a {@link Route} object for each route and adds it to {@link #foundRoutes},
    * then proceeds to print it to a file.
    * @param annotations the annotation types requested to be processed
    * @param env environment for information about the current and prior round
    * @return false, letting other processor process the annotations again
    */
   @Override
   public boolean process(Set<? extends TypeElement> annotations, RoundEnvironment env) {
      for(TypeElement annotationType : annotations) {
         env.getElementsAnnotatedWith(annotationType)
            .stream()
            .filter(elem -> elem instanceof ExecutableElement)
            .map(elem -> (ExecutableElement) elem)
            .forEach(elem -> {
               String classFQN = elem.getEnclosingElement().asType().toString();
               List<Route> routesInClass = foundRoutes.computeIfAbsent(classFQN, k -> new ArrayList<>());
               routesInClass.add(new Route(
                  this.getFullRoute(annotationType, elem),
                  this.getRequestMethods(annotationType, elem),
                  this.getConsumedType(annotationType, elem),
                  this.getProducedType(annotationType, elem),
                  this.isDeprecated(elem),
                  this.getDTO(this.processingEnv.getTypeUtils().asElement(elem.getReturnType())),
                  this.getDTO(elem.getParameters().stream()
                     .filter(e -> e.getAnnotation(RequestBody.class) != null)
                     .findFirst().orElse(null)),
                  this.getQueryParams(elem.getParameters())
               ));
            });
      }

      try {
         FileObject serviceProvider = this.processingEnv.getFiler().createResource(
            StandardLocation.SOURCE_OUTPUT, "", "route_map"
         );

         PrintWriter out = new PrintWriter(serviceProvider.openWriter());
         for(String componentClass : this.foundRoutes.keySet()) {
            out.println(componentClass + ":");

            List<Route> routesInClass = this.foundRoutes.get(componentClass);
            for(Route r : routesInClass) {
               out.print("\t- ");
               if(r.deprecated) out.print("[DEPRECATED] ");
               out.print("[" + String.join("|", r.methods) + "] ["
                  + String.join("|", r.paths) + "]");
               if(r.consumes != null && r.consumes.length > 0)
                  out.print(" (expects: " + String.join("|", r.consumes) + ")");
               if(r.produces != null && r.produces.length > 0)
                  out.print(" (returns: " + String.join("|", r.produces) + ")");
               out.println();

               BiConsumer<String, Route.Param[]> printParam = (name, params) -> {
                  if(name != null) out.println("\t\t" + name);
                  for(Route.Param p : params) {
                     out.print(name != null ? "\t\t\t" : "\t\t");
                     out.print("- " + p.typeFQN + " " + p.name);
                     if(p.defaultValue != null)
                        out.print(" (default: " + p.defaultValue + ")");
                     out.println();
                  }
               };

               printParam.accept(null, r.params);

               if(r.inputType != null)
                  printParam.accept("input: " + r.inputType.FQN, r.inputType.fields);

               if(r.returnType != null)
                  printParam.accept("output: " + r.returnType.FQN, r.returnType.fields);
            }
         }

         out.close();
      } catch(IOException e) {
         throw new RuntimeException(e);
      }

      return false; //don't claim them, let spring do its job
   }

   /**
    * Extracts the route of an element.
    * @param annotationType the {@link TypeElement} with the annotation we are processing
    * @param element the {@link Element} currently being examined
    * @return the full route of the endpoint
    */
   private String[] getFullRoute(TypeElement annotationType, Element element) {
      try {
         String[] routes = this.getAnnotationFieldsValue(
            annotationType,
            element,
            (arr) -> Arrays.deepEquals(arr, new String[] {}),
            "path", "value");
         return this.getParentOrFallback(element, routes, (a, e) -> {
            //assume parent doesn't have multiple routes
            String parent = this.getFullRoute(a, e)[0];
            for(int i = 0; i < routes.length; i++) {
               StringBuilder sb = new StringBuilder(parent);
               if(!parent.endsWith("/")) sb.append("/");
               sb.append(routes[i]);
               routes[i] = sb.toString();
            }
            return routes;
         });
      } catch (ReflectiveOperationException ex) {
         throw new RuntimeException(ex); //if it fails something went very wrong
      }
   }

   /**
    * Finds the request methods supported by the endpoint.
    * @param annotationType the {@link TypeElement} with the annotation we are processing
    * @param element the {@link Element} currently being examined
    * @return the {@link RequestMethod}s supported by the endpoint
    */
   private RequestMethod[] getRequestMethods(TypeElement annotationType, Element element) {
      RequestMethod[] methods = annotationType.getQualifiedName().contentEquals(RequestMapping.class.getName())
         ? element.getAnnotation(RequestMapping.class).method()
         : annotationType.getAnnotation(RequestMapping.class).method();
      return methods.length == 0
         ? this.getParentOrFallback(element, methods, this::getRequestMethods)
         : methods;
   }

   /**
    * Finds the media type consumed by an endpoint.
    * @param annotationType the {@link TypeElement} with the annotation we are processing
    * @param element the {@link Element} currently being examined
    * @return the media type consumed by the endpoint
    */
   private String[] getConsumedType(TypeElement annotationType, Element element) {
      try {
         String[] res = this.getAnnotationFieldsValue(
            annotationType,
            element,
            (arr) -> Arrays.deepEquals(arr, new String[] {}),
            "consumes");
         return res == null
            ? this.getParentOrFallback(element, res, this::getConsumedType)
            : res;
      } catch(ReflectiveOperationException ex) {
         throw new RuntimeException(ex);
      }
   }

   /**
    * Finds the media type consumed by an endpoint.
    * @param annotationType the {@link TypeElement} with the annotation we are processing
    * @param element the {@link Element} currently being examined
    * @return the media type consumed by the endpoint
    */
   private String[] getProducedType(TypeElement annotationType, Element element) {
      try {
         String[] res = this.getAnnotationFieldsValue(
            annotationType,
            element,
            (arr) -> Arrays.deepEquals(arr, new String[] {}),
            "produces");
         return res == null
            ? this.getParentOrFallback(element, res, this::getProducedType)
            : res;
      } catch(ReflectiveOperationException ex) {
         throw new RuntimeException(ex);
      }
   }

   /**
    * Checks whether the endpoint or its parent are deprecated
    * @param element the {@link Element} currently being examined
    * @return whether the given endpoint is deprecated
    */
   private boolean isDeprecated(Element element) {
      return element.getAnnotation(Deprecated.class) != null
         || element.getEnclosingElement().getAnnotation(Deprecated.class) != null;
   }

   /**
    * Gets the parameters accepted by a request.
    * @param params the {@link VariableElement}s representing the parameters of a request
    * @return an array of {@link Route.Param} representing the parameters of the request.
    */
   private Route.Param[] getQueryParams(List<? extends VariableElement> params) {
      return params.stream()
         .map(p -> {
            RequestParam ann = p.getAnnotation(RequestParam.class);
            if(ann == null) return null;

            String name = ann.name(); //first try annotation.name()
            name = name.isEmpty()
               ? ann.value() //then annotation.value()
               : name;
            name = name.isEmpty()
               ? p.getSimpleName().toString() //fall back on parameter name
               : name;

            String defaultValue = ann.defaultValue();
            if(defaultValue.equals(ValueConstants.DEFAULT_NONE))
               defaultValue = null;

            return new Route.Param(name, p.asType().toString(), defaultValue);
         }).filter(Objects::nonNull).toArray(Route.Param[]::new);
   }

   /**
    * Gets a representation of a DTO type.
    * @param type the {@link TypeElement} to examine
    * @return a {@link Route.DTO} representing the given type
    */
   private Route.DTO getDTO(Element type) {
      if(!(type instanceof TypeElement)) //doubles as null check
         return null;

      List<VariableElement> fieldElements = new ArrayList<>();
      TypeElement typeElement = (TypeElement) type;
      do {
         fieldElements.addAll(typeElement
            .getEnclosedElements()
            .stream().filter(e -> e instanceof VariableElement)
            .map(e -> (VariableElement) e)
            .collect(Collectors.toList()));
         TypeMirror superclass = typeElement.getSuperclass();
         if(superclass.getKind() == TypeKind.DECLARED)
            typeElement = (TypeElement) this.processingEnv.getTypeUtils().asElement(superclass);
         else typeElement = null;
      } while(typeElement != null);

      return new Route.DTO(type.asType().toString(), fieldElements.stream()
         .map(e -> new Route.Param(e.asType().toString(), e.getSimpleName().toString(), null))
         .toArray(Route.Param[]::new));
   }

   /**
    * An annotation value.
    * @param annotationType the {@link TypeElement} with the annotation we are processing
    * @param element the {@link Element} currently being examined
    * @param unsetPredicate lambda that returns true if the value is the default one (thus unset)
    * @param fieldNames the field name(s) to look for; they are tried in order, and the first found is returned
    * @return the field value, cast to the expected type
    * @param <T> the expected type of the field
    * @throws ReflectiveOperationException when given non-existing or inaccessible field names (hopefully never)
    */
   @SuppressWarnings({"OptionalGetWithoutIsPresent", "unchecked"})
   private <T> T getAnnotationFieldsValue(TypeElement annotationType, Element element,
                                          Predicate<T> unsetPredicate, String ... fieldNames)
      throws ReflectiveOperationException {

      Class<? extends Annotation> annClass = this.annotationClasses.stream()
         .filter(c -> annotationType.getQualifiedName().contentEquals(c.getName()))
         .findFirst()
         .get(); //should never fail

      T result = null;
      for(String fieldName : fieldNames) {
         result = (T) annClass.getMethod(fieldName).invoke(element.getAnnotation(annClass));
         if(result != null && !unsetPredicate.test(result))
            return result;
      }

      return result;
   }

   /**
    * Finds whether the parent of the given element has any supported annotation, then applies the given
    * function to both parent and found annotation.
    * @param element the {@link Element} currently being examined
    * @param fallback the value to return if the parent didn't have any supported annotations
    * @param fun the {@link BiFunction} to apply
    * @return the output or the function, or the fallback value if the parent didn't have any supported annotation
    * @param <T> the type of the expected result
    */
   private <T> T getParentOrFallback(Element element, T fallback, BiFunction<TypeElement, Element, T> fun) {
      List<Class<? extends Annotation>> found = this.annotationClasses.stream()
         .filter(annClass -> element.getEnclosingElement().getAnnotation(annClass) != null)
         .collect(Collectors.toList());

      if(found.isEmpty()) return fallback;

      if(found.size() > 1) this.processingEnv.getMessager().printMessage(
         Diagnostic.Kind.WARNING,
         "Found multiple mapping annotations on "
            + element.getSimpleName().toString()
            + ", only one of them will be considered!"
      );

      return fun.apply(
         this.processingEnv.getElementUtils()
            .getTypeElement(found.get(0).getName()),
         element
      );
   }

   /**
    * @return the types of annotations supported by this processor
    */
   @Override
   public Set<String> getSupportedAnnotationTypes() {
      return annotationClasses.stream().map(Class::getCanonicalName).collect(Collectors.toSet());
   }
}