JDBI How can I dynamically create a WHERE clause while preventing SQL Injection?

后端 未结 2 930

I want to dynamically filter a JDBI query.

The a list of parameters is passed from the UI via REST e.g.

http://localhost/things?foo=bar&baz=taz
h         


        
相关标签:
2条回答
  • 2021-01-05 18:09

    Inspired by Jean-Bernard I came up with this:

    public class WhereClause {
        public HashMap<String, String> queryValues; // [<"foo","bar">, <"baz","taz">]
        public String preparedString; // "WHERE foo=:foo AND bar=:baz"
    }
    

    Which is bound via a custom Binder BindWhereClause:

    @BindingAnnotation(BindWhereClause.WhereClauseBinderFactory.class)
    @Retention(RetentionPolicy.RUNTIME)
    @Target({ElementType.PARAMETER})
    public @interface BindWhereClause {
        class WhereClauseBinderFactory implements BinderFactory {
            public Binder build(Annotation annotation) {
                return new Binder<BindWhereClause, WhereClause>() {
                    public void bind(SQLStatement q, BindWhereClause bind, WhereClause clause) {
                        clause.queryValues
                                .keySet()
                                .forEach(s -> q.bind(s, clause.queryValues.get(s)));
                    }
                };
            }
        }
    }
    

    And a combination of @Define and @Bind:

    @UseStringTemplate3StatementLocator
    public interface ThingDAO {
       @SqlQuery("SELECT * FROM things <where>")
       List<Thing> findThingsWhere(@Define("where") String where, 
                                   @BindWhereClause() WhereClause whereClause);
    }
    

    This should be injection proof. (is it?)

    0 讨论(0)
  • 2021-01-05 18:31

    Use a parameterized query. Here is the jdbi page for them.
    Parameterized queries are the way to prevent sql injection in most settings.

    You can dynamically create the where statement, but leave parameter names instead of values, they will be bound later, in a safe way.

    You would probably be interested in this bit specifically, since your parameters are dynamic:

    @BindingAnnotation(BindSomething.SomethingBinderFactory.class)
    @Retention(RetentionPolicy.RUNTIME)
    @Target({ElementType.PARAMETER})
    public @interface BindSomething 
    { 
    
      public static class SomethingBinderFactory implements BinderFactory
      {
        public Binder build(Annotation annotation)
        {
          return new Binder<BindSomething, Something>()
          {
            public void bind(SQLStatement q, BindSomething bind, Something arg)
            {
              q.bind("ident", arg.getId());
              q.bind("nom", arg.getName());
            }
          };
        }
      }
    }
    

    I've never used jdbi so I'm not 100% sure what you'd have to do, but it looks like the q.bind(...) method is exactly what you want.

    0 讨论(0)
提交回复
热议问题