Spring-boot: Apply Servlet Filter to all routes except one












1















A question for spring-boot gurus!



Use Case:



I want my application to behave differently depending on following routes:




  • / no authentication, no authorization

  • /render authorization via a json web token (jwt) sent as an URL parameter (I know, it's weird)

  • any other routes: authorization via a json web token (jwt) sent as an URL parameter (I know, it's weird)


The secret for the jwt is stored as an element of the application configuration (application.yaml) (I'm aware that this is not best practice, it's a demo app so I don't care)



I'm using SpringBoot 2.0.5 and io.jsonwebtoken as the jwt library.



I've implemented it using a Servlet Filter, and it is working, but it feels really ugly. I couldn't find a way to say 'Apply this Servlet Filter to all endpoints except this list'. I've resorted to including the logic within the doFilter method, but this seems really ugly.



Is there a 'best practise' for this?



My current code is as follows:



SecurityConfiguration



import org.springframework.context.annotation.Configuration;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;

@Configuration
public class SecurityConfiguration extends WebSecurityConfigurerAdapter {

@Override
protected void configure(HttpSecurity httpSecurity) throws Exception {
httpSecurity.authorizeRequests()
.antMatchers("/").permitAll()
.antMatchers("/render").permitAll()
.anyRequest().authenticated();
httpSecurity.headers().frameOptions().disable();
}
}


WebConfigurer



import org.springframework.boot.web.servlet.ServletContextInitializer;
import org.springframework.context.annotation.Configuration;

import javax.servlet.DispatcherType;
import javax.servlet.FilterRegistration;
import javax.servlet.ServletContext;
import javax.servlet.ServletException;
import java.util.EnumSet;

@Configuration
public class WebConfigurer implements ServletContextInitializer {

@Override
public void onStartup(ServletContext servletContext) throws ServletException {
EnumSet<DispatcherType> disps = EnumSet.of(DispatcherType.REQUEST, DispatcherType.FORWARD, DispatcherType.ASYNC);
initFilter(servletContext, disps);
}

private void initFilter(ServletContext servletContext,
EnumSet<DispatcherType> disps) {
FilterRegistration.Dynamic myFilter =
servletContext.addFilter("myFilter",
new JWTAuthenticationFilter());

myFilter.addMappingForUrlPatterns(disps, true, "/app/*");
myFilter.setAsyncSupported(true);
}
}


JWTAuthenticationFilter



import io.jsonwebtoken.Claims;
import io.jsonwebtoken.Jws;
import io.jsonwebtoken.Jwts;
import io.jsonwebtoken.impl.TextCodec;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.security.core.context.SecurityContextHolder;
import org.springframework.stereotype.Component;
import org.springframework.web.filter.GenericFilterBean;

import javax.servlet.FilterChain;
import javax.servlet.ServletException;
import javax.servlet.ServletRequest;
import javax.servlet.ServletResponse;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;

@Component
public class JWTAuthenticationFilter extends GenericFilterBean {

@Value("${security.jwt.token.secret-key}")
private String secret;

@Override
public void doFilter(ServletRequest req,
ServletResponse res,
FilterChain filterChain) throws IOException, ServletException {

HttpServletRequest request = (HttpServletRequest) req;
HttpServletResponse response = (HttpServletResponse) res;

try {
String path = request.getRequestURI();
if (!path.equals("/")) {

String jwsString = request.getParameter("jwt");
Jws<Claims> jws;

String base64_encoded_secret = TextCodec.BASE64.encode(secret);

jws = Jwts.parser()
.setSigningKey(base64_encoded_secret)
.parseClaimsJws(jwsString);
}
} catch (Exception e) {
System.out.println(e);
response.sendError(HttpServletResponse.SC_UNAUTHORIZED, "Authentication failed");
SecurityContextHolder.clearContext();
}
filterChain.doFilter(request, response);
}
}









share|improve this question



























    1















    A question for spring-boot gurus!



    Use Case:



    I want my application to behave differently depending on following routes:




    • / no authentication, no authorization

    • /render authorization via a json web token (jwt) sent as an URL parameter (I know, it's weird)

    • any other routes: authorization via a json web token (jwt) sent as an URL parameter (I know, it's weird)


    The secret for the jwt is stored as an element of the application configuration (application.yaml) (I'm aware that this is not best practice, it's a demo app so I don't care)



    I'm using SpringBoot 2.0.5 and io.jsonwebtoken as the jwt library.



    I've implemented it using a Servlet Filter, and it is working, but it feels really ugly. I couldn't find a way to say 'Apply this Servlet Filter to all endpoints except this list'. I've resorted to including the logic within the doFilter method, but this seems really ugly.



    Is there a 'best practise' for this?



    My current code is as follows:



    SecurityConfiguration



    import org.springframework.context.annotation.Configuration;
    import org.springframework.security.config.annotation.web.builders.HttpSecurity;
    import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;

    @Configuration
    public class SecurityConfiguration extends WebSecurityConfigurerAdapter {

    @Override
    protected void configure(HttpSecurity httpSecurity) throws Exception {
    httpSecurity.authorizeRequests()
    .antMatchers("/").permitAll()
    .antMatchers("/render").permitAll()
    .anyRequest().authenticated();
    httpSecurity.headers().frameOptions().disable();
    }
    }


    WebConfigurer



    import org.springframework.boot.web.servlet.ServletContextInitializer;
    import org.springframework.context.annotation.Configuration;

    import javax.servlet.DispatcherType;
    import javax.servlet.FilterRegistration;
    import javax.servlet.ServletContext;
    import javax.servlet.ServletException;
    import java.util.EnumSet;

    @Configuration
    public class WebConfigurer implements ServletContextInitializer {

    @Override
    public void onStartup(ServletContext servletContext) throws ServletException {
    EnumSet<DispatcherType> disps = EnumSet.of(DispatcherType.REQUEST, DispatcherType.FORWARD, DispatcherType.ASYNC);
    initFilter(servletContext, disps);
    }

    private void initFilter(ServletContext servletContext,
    EnumSet<DispatcherType> disps) {
    FilterRegistration.Dynamic myFilter =
    servletContext.addFilter("myFilter",
    new JWTAuthenticationFilter());

    myFilter.addMappingForUrlPatterns(disps, true, "/app/*");
    myFilter.setAsyncSupported(true);
    }
    }


    JWTAuthenticationFilter



    import io.jsonwebtoken.Claims;
    import io.jsonwebtoken.Jws;
    import io.jsonwebtoken.Jwts;
    import io.jsonwebtoken.impl.TextCodec;
    import org.springframework.beans.factory.annotation.Value;
    import org.springframework.security.core.context.SecurityContextHolder;
    import org.springframework.stereotype.Component;
    import org.springframework.web.filter.GenericFilterBean;

    import javax.servlet.FilterChain;
    import javax.servlet.ServletException;
    import javax.servlet.ServletRequest;
    import javax.servlet.ServletResponse;
    import javax.servlet.http.HttpServletRequest;
    import javax.servlet.http.HttpServletResponse;
    import java.io.IOException;

    @Component
    public class JWTAuthenticationFilter extends GenericFilterBean {

    @Value("${security.jwt.token.secret-key}")
    private String secret;

    @Override
    public void doFilter(ServletRequest req,
    ServletResponse res,
    FilterChain filterChain) throws IOException, ServletException {

    HttpServletRequest request = (HttpServletRequest) req;
    HttpServletResponse response = (HttpServletResponse) res;

    try {
    String path = request.getRequestURI();
    if (!path.equals("/")) {

    String jwsString = request.getParameter("jwt");
    Jws<Claims> jws;

    String base64_encoded_secret = TextCodec.BASE64.encode(secret);

    jws = Jwts.parser()
    .setSigningKey(base64_encoded_secret)
    .parseClaimsJws(jwsString);
    }
    } catch (Exception e) {
    System.out.println(e);
    response.sendError(HttpServletResponse.SC_UNAUTHORIZED, "Authentication failed");
    SecurityContextHolder.clearContext();
    }
    filterChain.doFilter(request, response);
    }
    }









    share|improve this question

























      1












      1








      1


      1






      A question for spring-boot gurus!



      Use Case:



      I want my application to behave differently depending on following routes:




      • / no authentication, no authorization

      • /render authorization via a json web token (jwt) sent as an URL parameter (I know, it's weird)

      • any other routes: authorization via a json web token (jwt) sent as an URL parameter (I know, it's weird)


      The secret for the jwt is stored as an element of the application configuration (application.yaml) (I'm aware that this is not best practice, it's a demo app so I don't care)



      I'm using SpringBoot 2.0.5 and io.jsonwebtoken as the jwt library.



      I've implemented it using a Servlet Filter, and it is working, but it feels really ugly. I couldn't find a way to say 'Apply this Servlet Filter to all endpoints except this list'. I've resorted to including the logic within the doFilter method, but this seems really ugly.



      Is there a 'best practise' for this?



      My current code is as follows:



      SecurityConfiguration



      import org.springframework.context.annotation.Configuration;
      import org.springframework.security.config.annotation.web.builders.HttpSecurity;
      import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;

      @Configuration
      public class SecurityConfiguration extends WebSecurityConfigurerAdapter {

      @Override
      protected void configure(HttpSecurity httpSecurity) throws Exception {
      httpSecurity.authorizeRequests()
      .antMatchers("/").permitAll()
      .antMatchers("/render").permitAll()
      .anyRequest().authenticated();
      httpSecurity.headers().frameOptions().disable();
      }
      }


      WebConfigurer



      import org.springframework.boot.web.servlet.ServletContextInitializer;
      import org.springframework.context.annotation.Configuration;

      import javax.servlet.DispatcherType;
      import javax.servlet.FilterRegistration;
      import javax.servlet.ServletContext;
      import javax.servlet.ServletException;
      import java.util.EnumSet;

      @Configuration
      public class WebConfigurer implements ServletContextInitializer {

      @Override
      public void onStartup(ServletContext servletContext) throws ServletException {
      EnumSet<DispatcherType> disps = EnumSet.of(DispatcherType.REQUEST, DispatcherType.FORWARD, DispatcherType.ASYNC);
      initFilter(servletContext, disps);
      }

      private void initFilter(ServletContext servletContext,
      EnumSet<DispatcherType> disps) {
      FilterRegistration.Dynamic myFilter =
      servletContext.addFilter("myFilter",
      new JWTAuthenticationFilter());

      myFilter.addMappingForUrlPatterns(disps, true, "/app/*");
      myFilter.setAsyncSupported(true);
      }
      }


      JWTAuthenticationFilter



      import io.jsonwebtoken.Claims;
      import io.jsonwebtoken.Jws;
      import io.jsonwebtoken.Jwts;
      import io.jsonwebtoken.impl.TextCodec;
      import org.springframework.beans.factory.annotation.Value;
      import org.springframework.security.core.context.SecurityContextHolder;
      import org.springframework.stereotype.Component;
      import org.springframework.web.filter.GenericFilterBean;

      import javax.servlet.FilterChain;
      import javax.servlet.ServletException;
      import javax.servlet.ServletRequest;
      import javax.servlet.ServletResponse;
      import javax.servlet.http.HttpServletRequest;
      import javax.servlet.http.HttpServletResponse;
      import java.io.IOException;

      @Component
      public class JWTAuthenticationFilter extends GenericFilterBean {

      @Value("${security.jwt.token.secret-key}")
      private String secret;

      @Override
      public void doFilter(ServletRequest req,
      ServletResponse res,
      FilterChain filterChain) throws IOException, ServletException {

      HttpServletRequest request = (HttpServletRequest) req;
      HttpServletResponse response = (HttpServletResponse) res;

      try {
      String path = request.getRequestURI();
      if (!path.equals("/")) {

      String jwsString = request.getParameter("jwt");
      Jws<Claims> jws;

      String base64_encoded_secret = TextCodec.BASE64.encode(secret);

      jws = Jwts.parser()
      .setSigningKey(base64_encoded_secret)
      .parseClaimsJws(jwsString);
      }
      } catch (Exception e) {
      System.out.println(e);
      response.sendError(HttpServletResponse.SC_UNAUTHORIZED, "Authentication failed");
      SecurityContextHolder.clearContext();
      }
      filterChain.doFilter(request, response);
      }
      }









      share|improve this question














      A question for spring-boot gurus!



      Use Case:



      I want my application to behave differently depending on following routes:




      • / no authentication, no authorization

      • /render authorization via a json web token (jwt) sent as an URL parameter (I know, it's weird)

      • any other routes: authorization via a json web token (jwt) sent as an URL parameter (I know, it's weird)


      The secret for the jwt is stored as an element of the application configuration (application.yaml) (I'm aware that this is not best practice, it's a demo app so I don't care)



      I'm using SpringBoot 2.0.5 and io.jsonwebtoken as the jwt library.



      I've implemented it using a Servlet Filter, and it is working, but it feels really ugly. I couldn't find a way to say 'Apply this Servlet Filter to all endpoints except this list'. I've resorted to including the logic within the doFilter method, but this seems really ugly.



      Is there a 'best practise' for this?



      My current code is as follows:



      SecurityConfiguration



      import org.springframework.context.annotation.Configuration;
      import org.springframework.security.config.annotation.web.builders.HttpSecurity;
      import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;

      @Configuration
      public class SecurityConfiguration extends WebSecurityConfigurerAdapter {

      @Override
      protected void configure(HttpSecurity httpSecurity) throws Exception {
      httpSecurity.authorizeRequests()
      .antMatchers("/").permitAll()
      .antMatchers("/render").permitAll()
      .anyRequest().authenticated();
      httpSecurity.headers().frameOptions().disable();
      }
      }


      WebConfigurer



      import org.springframework.boot.web.servlet.ServletContextInitializer;
      import org.springframework.context.annotation.Configuration;

      import javax.servlet.DispatcherType;
      import javax.servlet.FilterRegistration;
      import javax.servlet.ServletContext;
      import javax.servlet.ServletException;
      import java.util.EnumSet;

      @Configuration
      public class WebConfigurer implements ServletContextInitializer {

      @Override
      public void onStartup(ServletContext servletContext) throws ServletException {
      EnumSet<DispatcherType> disps = EnumSet.of(DispatcherType.REQUEST, DispatcherType.FORWARD, DispatcherType.ASYNC);
      initFilter(servletContext, disps);
      }

      private void initFilter(ServletContext servletContext,
      EnumSet<DispatcherType> disps) {
      FilterRegistration.Dynamic myFilter =
      servletContext.addFilter("myFilter",
      new JWTAuthenticationFilter());

      myFilter.addMappingForUrlPatterns(disps, true, "/app/*");
      myFilter.setAsyncSupported(true);
      }
      }


      JWTAuthenticationFilter



      import io.jsonwebtoken.Claims;
      import io.jsonwebtoken.Jws;
      import io.jsonwebtoken.Jwts;
      import io.jsonwebtoken.impl.TextCodec;
      import org.springframework.beans.factory.annotation.Value;
      import org.springframework.security.core.context.SecurityContextHolder;
      import org.springframework.stereotype.Component;
      import org.springframework.web.filter.GenericFilterBean;

      import javax.servlet.FilterChain;
      import javax.servlet.ServletException;
      import javax.servlet.ServletRequest;
      import javax.servlet.ServletResponse;
      import javax.servlet.http.HttpServletRequest;
      import javax.servlet.http.HttpServletResponse;
      import java.io.IOException;

      @Component
      public class JWTAuthenticationFilter extends GenericFilterBean {

      @Value("${security.jwt.token.secret-key}")
      private String secret;

      @Override
      public void doFilter(ServletRequest req,
      ServletResponse res,
      FilterChain filterChain) throws IOException, ServletException {

      HttpServletRequest request = (HttpServletRequest) req;
      HttpServletResponse response = (HttpServletResponse) res;

      try {
      String path = request.getRequestURI();
      if (!path.equals("/")) {

      String jwsString = request.getParameter("jwt");
      Jws<Claims> jws;

      String base64_encoded_secret = TextCodec.BASE64.encode(secret);

      jws = Jwts.parser()
      .setSigningKey(base64_encoded_secret)
      .parseClaimsJws(jwsString);
      }
      } catch (Exception e) {
      System.out.println(e);
      response.sendError(HttpServletResponse.SC_UNAUTHORIZED, "Authentication failed");
      SecurityContextHolder.clearContext();
      }
      filterChain.doFilter(request, response);
      }
      }






      java spring spring-boot jwt servlet-filters






      share|improve this question













      share|improve this question











      share|improve this question




      share|improve this question










      asked Nov 20 '18 at 15:18









      Andrew MagermanAndrew Magerman

      860619




      860619
























          1 Answer
          1






          active

          oldest

          votes


















          0














          Found the solution! I used a FilterRegistrationBean. There is no way to exclude URLs. My solution is to put all the app under the app/ directory, so I didn't need to put a filter on the root /.



          @Bean
          public FilterRegistrationBean FilterRegistration() {
          FilterRegistrationBean registration = new FilterRegistrationBean();
          registration.setFilter(filter);
          registration.setOrder(1);
          registration.addUrlPatterns("/app/*");
          return registration;
          }





          share|improve this answer























            Your Answer






            StackExchange.ifUsing("editor", function () {
            StackExchange.using("externalEditor", function () {
            StackExchange.using("snippets", function () {
            StackExchange.snippets.init();
            });
            });
            }, "code-snippets");

            StackExchange.ready(function() {
            var channelOptions = {
            tags: "".split(" "),
            id: "1"
            };
            initTagRenderer("".split(" "), "".split(" "), channelOptions);

            StackExchange.using("externalEditor", function() {
            // Have to fire editor after snippets, if snippets enabled
            if (StackExchange.settings.snippets.snippetsEnabled) {
            StackExchange.using("snippets", function() {
            createEditor();
            });
            }
            else {
            createEditor();
            }
            });

            function createEditor() {
            StackExchange.prepareEditor({
            heartbeatType: 'answer',
            autoActivateHeartbeat: false,
            convertImagesToLinks: true,
            noModals: true,
            showLowRepImageUploadWarning: true,
            reputationToPostImages: 10,
            bindNavPrevention: true,
            postfix: "",
            imageUploader: {
            brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
            contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
            allowUrls: true
            },
            onDemand: true,
            discardSelector: ".discard-answer"
            ,immediatelyShowMarkdownHelp:true
            });


            }
            });














            draft saved

            draft discarded


















            StackExchange.ready(
            function () {
            StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53396137%2fspring-boot-apply-servlet-filter-to-all-routes-except-one%23new-answer', 'question_page');
            }
            );

            Post as a guest















            Required, but never shown

























            1 Answer
            1






            active

            oldest

            votes








            1 Answer
            1






            active

            oldest

            votes









            active

            oldest

            votes






            active

            oldest

            votes









            0














            Found the solution! I used a FilterRegistrationBean. There is no way to exclude URLs. My solution is to put all the app under the app/ directory, so I didn't need to put a filter on the root /.



            @Bean
            public FilterRegistrationBean FilterRegistration() {
            FilterRegistrationBean registration = new FilterRegistrationBean();
            registration.setFilter(filter);
            registration.setOrder(1);
            registration.addUrlPatterns("/app/*");
            return registration;
            }





            share|improve this answer




























              0














              Found the solution! I used a FilterRegistrationBean. There is no way to exclude URLs. My solution is to put all the app under the app/ directory, so I didn't need to put a filter on the root /.



              @Bean
              public FilterRegistrationBean FilterRegistration() {
              FilterRegistrationBean registration = new FilterRegistrationBean();
              registration.setFilter(filter);
              registration.setOrder(1);
              registration.addUrlPatterns("/app/*");
              return registration;
              }





              share|improve this answer


























                0












                0








                0







                Found the solution! I used a FilterRegistrationBean. There is no way to exclude URLs. My solution is to put all the app under the app/ directory, so I didn't need to put a filter on the root /.



                @Bean
                public FilterRegistrationBean FilterRegistration() {
                FilterRegistrationBean registration = new FilterRegistrationBean();
                registration.setFilter(filter);
                registration.setOrder(1);
                registration.addUrlPatterns("/app/*");
                return registration;
                }





                share|improve this answer













                Found the solution! I used a FilterRegistrationBean. There is no way to exclude URLs. My solution is to put all the app under the app/ directory, so I didn't need to put a filter on the root /.



                @Bean
                public FilterRegistrationBean FilterRegistration() {
                FilterRegistrationBean registration = new FilterRegistrationBean();
                registration.setFilter(filter);
                registration.setOrder(1);
                registration.addUrlPatterns("/app/*");
                return registration;
                }






                share|improve this answer












                share|improve this answer



                share|improve this answer










                answered Dec 7 '18 at 16:58









                Andrew MagermanAndrew Magerman

                860619




                860619






























                    draft saved

                    draft discarded




















































                    Thanks for contributing an answer to Stack Overflow!


                    • Please be sure to answer the question. Provide details and share your research!

                    But avoid



                    • Asking for help, clarification, or responding to other answers.

                    • Making statements based on opinion; back them up with references or personal experience.


                    To learn more, see our tips on writing great answers.




                    draft saved


                    draft discarded














                    StackExchange.ready(
                    function () {
                    StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53396137%2fspring-boot-apply-servlet-filter-to-all-routes-except-one%23new-answer', 'question_page');
                    }
                    );

                    Post as a guest















                    Required, but never shown





















































                    Required, but never shown














                    Required, but never shown












                    Required, but never shown







                    Required, but never shown

































                    Required, but never shown














                    Required, but never shown












                    Required, but never shown







                    Required, but never shown







                    Popular posts from this blog

                    MongoDB - Not Authorized To Execute Command

                    in spring boot 2.1 many test slices are not allowed anymore due to multiple @BootstrapWith

                    How to fix TextFormField cause rebuild widget in Flutter