Drools - 规则引擎快速体验

Drools 是用 Java 语言编写的开放源码规则引擎,使用 Rete 算法(参阅 参考资料)对所编写的规则求值。Drools 允许使用声明方式表达业务逻辑。可以使用非 XML 的本地语言编写规则,从而便于学习和理解。并且,还可以将 Java 代码直接嵌入到规则文件中,这令 Drools 的学习更加吸引人

Hello World

  • pom.xml

    
        org.springframework.boot
        spring-boot-starter
    
    
        org.kie
        kie-ci
        7.17.0.Final
    
    
        org.projectlombok
        lombok
        true
    

  • Application
@SpringBootApplication
public class DroolsApplication {
    public static void main(String[] args) {
        SpringApplication.run(DroolsApplication.class, args);
    }
    @Bean
    public CommandLineRunner commandLineRunner(ApplicationContext ctx) {
        return args -> {
            System.out.println("start to run task");
            KieServices kieServices = KieServices.Factory.get();
            KieContainer kieContainer = kieServices.newKieClasspathContainer();

            KieSession kieSession = kieContainer.newKieSession("hello-rules");
            kieSession.fireAllRules();
            kieSession.destroy();
        };
    }
}
  • kmodule.xml设置
    resources/META-INF/kmodule.xml


    
        
    

注意hello-rulesApplication代码中的一致

  • 规则文件
    resources/rules/test.drl
package rules;

rule "test"
  when
  then
    System.out.println("Hello World!");
end

注意这里的目录rules要与kmodule.xml中的package="rules"保持一致

  • 执行Application(标准的Spring Boot项目启动)

Demo

  • 实体类(Person.java)
@Data
@AllArgsConstructor
public class Person {
    private String name;
    private Integer age;
    private Boolean gender;
}
  • Application(DroolsApplication.java)
@Bean
public CommandLineRunner commandLineRunner(ApplicationContext ctx) {
    return args -> {
        System.out.println("start to run task");
        KieServices kieServices = KieServices.Factory.get();
        KieContainer kieContainer = kieServices.newKieClasspathContainer();

        Person tenmao = new Person("tenmao", 20, true);
        Person bill = new Person("bill", 17, false);

        KieSession kieSession = kieContainer.newKieSession("hello-rules");
        kieSession.insert(tenmao);
        kieSession.insert(bill);
        kieSession.fireAllRules();
        kieSession.destroy();
    };
}
  • 规则(test.drl)
package rules;
import com.tenmao.drools.Person

rule "test"
  when
  #过滤年龄大于18岁的
    $p: Person(age > 18)
  then
  #输出
    System.out.println($p);
end
  • 执行Application(标准的Spring Boot项目启动)

参考

  • Drools介绍与使用
  • 规则引擎 Drools (一):第一个 Drools 工程

你可能感兴趣的:(Drools - 规则引擎快速体验)