Giter Site home page Giter Site logo

niuton / rqueue Goto Github PK

View Code? Open in Web Editor NEW

This project forked from sonus21/rqueue

0.0 0.0 0.0 10.57 MB

Rqueue aka Redis Queue [Task Queue, Message Broker] for Spring framework

Home Page: https://sonus21.github.io/rqueue

License: Apache License 2.0

Shell 0.23% JavaScript 0.97% Java 96.01% Lua 0.69% CSS 0.52% HTML 1.57% Dockerfile 0.01%

rqueue's Introduction

Rqueue Logo

Rqueue: Redis Queue, Task Queue, Scheduled Queue for Spring and Spring Boot

Build Status Coverage Status Maven Central Javadoc License

Rqueue is an asynchronous task executor(worker) built for spring and spring-boot framework based on the spring framework's messaging library backed by Redis. It can be used as message broker as well, where all services code is in Spring.


Message Flow

Features

  • Instant delivery : Instant execute this message in the background
  • Message scheduling : A message can be scheduled for any arbitrary period
  • Unique message : Unique message processing for a queue based on the message id
  • Periodic message : Process same message at certain interval
  • Priority tasks : task having some special priority like high, low, medium
  • Message delivery : It's guaranteed that a message is consumed at least once. (Message would be consumed by a worker more than once due to the failure in the underlying worker/restart-process etc, otherwise exactly one delivery)
  • Message retry : Message would be retried automatically on application crash/failure/restart etc.
  • Automatic message serialization and deserialization
  • Message Multicasting : Call multiple message listeners on every message
  • Batch Message Polling : Fetch multiple messages from Redis at once
  • Metrics : In flight messages, waiting for consumption and scheduled messages
  • Competing Consumers : multiple messages can be consumed in parallel by different workers/listeners.
  • Concurrency : Concurrency of any listener can be configured
  • Queue Priority :
    • Group level queue priority(weighted and strict)
    • Sub queue priority(weighted and strict)
  • Long execution job : Long running jobs can check in periodically.
  • Execution Backoff : Exponential and fixed back off (default fixed back off)
  • Middleware : Add one or more middleware, middlewares are called before listener method.
  • Callbacks : Callbacks for dead letter queue, discard etc
  • Events : 1. Bootstrap event 2. Task execution event.
  • Redis connection : A different redis setup can be used for Rqueue
  • Redis cluster : Redis cluster can be used with Lettuce client.
  • Redis Sentinel : Redis sentinel can be used with Rqueue.
  • Reactive Programming : Supports reactive Redis and spring webflux
  • Web Dashboard : Web dashboard to manage a queue and queue insights including latency

Requirements

  • Spring 5+, 6+
  • Java 1.8+,17
  • Spring boot 2+,3+
  • Lettuce client for Redis cluster
  • Read master preference for Redis cluster

Getting Started

Dependency

Snapshot Version: https://s01.oss.sonatype.org/content/repositories/snapshots/com/github/sonus21/
Release Version: Maven central

Spring Boot

NOTE:

  • For spring boot 2.x use Rqueue 2.x
  • For spring boot 3.x use Rqueue 3.x

Get the latest one from Maven central

  • Add dependency

    • Gradle
          implementation 'com.github.sonus21:rqueue-spring-boot-starter:2.13.0-RELEASE'
    • Maven
       <dependency>
          <groupId>com.github.sonus21</groupId>
          <artifactId>rqueue-spring-boot-starter</artifactId>
          <version>2.13.0-RELEASE</version>
      </dependency>

    No additional configurations are required, only dependency is required.


Spring Framework

NOTE

  • For spring framework 5.x use rqueue-spring 2.x
  • For spring framework 6.x use rqueue-spring 3.x

Get the latest one from Maven central

  • Add Dependency
    • Gradle
          implementation 'com.github.sonus21:rqueue-spring:2.13.0-RELEASE'
    • Maven
       <dependency>
         <groupId>com.github.sonus21</groupId>
         <artifactId>rqueue-spring</artifactId>
         <version>2.13.0-RELEASE</version>
       </dependency>
  • Add annotation EnableRqueue on application config class
  • Provide a RedisConnectionFactory bean
Configuration
@EnableRqueue
public class Application {

  @Bean
  public RedisConnectionFactory redisConnectionFactory() {
    // return a redis connection factory
  }
}

Message publishing/Task submission

All messages need to be sent using RqueueMessageEnqueuer bean's enqueueXXX, enqueueInXXX and enqueueAtXXX methods. It has handful number of enqueue, enqueueIn, enqueueAt methods, we can use any one of them based on the use case.

public class MessageService {

  @AutoWired
  private RqueueMessageEnqueuer rqueueMessageEnqueuer;

  public void doSomething() {
    rqueueMessageEnqueuer.enqueue("simple-queue", "Rqueue is configured");
  }

  public void createJOB(Job job) {
    rqueueMessageEnqueuer.enqueue("job-queue", job);
  }

  // send notification in 30 seconds
  public void sendNotification(Notification notification) {
    rqueueMessageEnqueuer.enqueueIn("notification-queue", notification, 30 * 1000L);
  }

  // enqueue At example
  public void createInvoice(Invoice invoice, Instant instant) {
    rqueueMessageEnqueuer.enqueueAt("invoice-queue", invoice, instant);
  }

  // enqueue with priority, when sub queues are used as explained in the queue priority section.
  enum SmsPriority {
    CRITICAL("critical"),
    HIGH("high"),
    MEDIUM("medium"),
    LOW("low");
    private String value;
  }

  public void sendSms(Sms sms, SmsPriority priority) {
    rqueueMessageEnqueuer.enqueueWithPriority("sms-queue", priority.value(), sms);
  }

  // Index chat every 1 minute
  public void sendPeriodicEmail(Email email) {
    rqueueMessageEnqueuer.enqueuePeriodic("chat-indexer", chatIndexer, 60_000);
  }

}

Worker/Consumer/Task Executor/Listener

Any method that's part of spring bean, can be marked as worker/message listener using RqueueListener annotation

@Component
@Slf4j
public class MessageListener {

  @RqueueListener(value = "simple-queue")
  public void simpleMessage(String message) {
    log.info("simple-queue: {}", message);
  }

  @RqueueListener(value = "job-queue", numRetries = "3",
      deadLetterQueue = "failed-job-queue", concurrency = "5-10")
  public void onMessage(Job job) {
    log.info("Job alert: {}", job);
  }

  @RqueueListener(value = "push-notification-queue", numRetries = "3",
      deadLetterQueue = "failed-notification-queue")
  public void onMessage(Notification notification) {
    log.info("Push notification: {}", notification);
  }

  @RqueueListener(value = "sms", priority = "critical=10,high=8,medium=4,low=1")
  public void onMessage(Sms sms) {
    log.info("Sms : {}", sms);
  }

  @RqueueListener(value = "chat-indexing", priority = "20", priorityGroup = "chat")
  public void onMessage(ChatIndexing chatIndexing) {
    log.info("ChatIndexing message: {}", chatIndexing);
  }

  @RqueueListener(value = "chat-indexing-daily", priority = "10", priorityGroup = "chat")
  public void onMessage(ChatIndexing chatIndexing) {
    log.info("ChatIndexing message: {}", chatIndexing);
  }

  // checkin job example
  @RqueueListener(value = "chat-indexing-weekly", priority = "5", priorityGroup = "chat")
  public void onMessage(ChatIndexing chatIndexing,
      @Header(RqueueMessageHeaders.JOB) com.github.sonus21.rqueue.core.Job job) {
    log.info("ChatIndexing message: {}", chatIndexing);
    job.checkIn("Chat indexing...");
  }
}

Dashboard

Link: http://localhost:8080/rqueue

Dashboard

Queue Statistics

Micrometer based dashboard for queue

Grafana Dashboard

Message Waiting For Execution

Explore Queue

Recent jobs details

Jobs


Status

Rqueue is stable and production ready, it's processing 100K+ messages daily in production environment.

We would love to add your organization name here, if you're one of the Rqueue users, please raise a PR/issue .

TuneYou    PokerStars    Bitbot    CHAOTI INFO TECH(SHENZHEN)   


Support

  • Please report bug,question,feature(s) to issue tracker.
  • Ask question on StackOverflow using #rqueue tag

Contribution

You are most welcome for any pull requests for any feature/bug/enhancement. You would need Java8 and gradle to start with. In root build.gradle file comment out spring related versions, or set environment variables for Spring versions.

Please format your code with Google Java formatter.

// springBootVersion = '2.0.6.RELEASE'
// springVersion = '5.0.10.RELEASE'
// springDataVersion = '2.0.6.RELEASE'
// microMeterVersion = '1.1.0'

Links

License

© Sonu Kumar 2019-Instant.now

The Rqueue is released under version 2.0 of the Apache License.

rqueue's People

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.