2
0
mirror of https://github.com/hibiken/asynq.git synced 2024-09-20 19:06:46 +08:00
asynq/tools/asynqmon/cmd/ls.go

215 lines
5.4 KiB
Go
Raw Normal View History

2019-12-07 23:48:11 +08:00
package cmd
import (
"fmt"
"io"
"os"
2019-12-09 08:36:08 +08:00
"strconv"
2019-12-07 23:48:11 +08:00
"strings"
"text/tabwriter"
"time"
"github.com/go-redis/redis/v7"
2019-12-09 08:36:08 +08:00
"github.com/google/uuid"
2019-12-07 23:48:11 +08:00
"github.com/hibiken/asynq/internal/rdb"
"github.com/spf13/cobra"
)
2019-12-11 13:38:25 +08:00
var lsValidArgs = []string{"enqueued", "inprogress", "scheduled", "retry", "dead"}
2019-12-07 23:48:11 +08:00
// lsCmd represents the ls command
var lsCmd = &cobra.Command{
2019-12-11 13:38:25 +08:00
Use: "ls [queue name]",
2019-12-09 08:36:08 +08:00
Short: "Lists queue contents",
2019-12-11 13:38:25 +08:00
Long: `Ls (asynqmon ls) will list all tasks from the specified queue in a table format.
2019-12-07 23:48:11 +08:00
2019-12-08 11:59:12 +08:00
The command takes one argument which specifies the queue to inspect. The value
of the argument should be one of "enqueued", "inprogress", "scheduled",
2019-12-07 23:48:11 +08:00
"retry", or "dead".
Example: asynqmon ls dead`,
2019-12-11 13:38:25 +08:00
ValidArgs: lsValidArgs,
2019-12-07 23:48:11 +08:00
Args: cobra.ExactValidArgs(1),
Run: ls,
}
func init() {
rootCmd.AddCommand(lsCmd)
// Here you will define your flags and configuration settings.
// Cobra supports Persistent Flags which will work for this command
// and all subcommands, e.g.:
// lsCmd.PersistentFlags().String("foo", "", "A help for foo")
// Cobra supports local flags which will only run when this command
// is called directly, e.g.:
// lsCmd.Flags().BoolP("toggle", "t", false, "Help message for toggle")
}
func ls(cmd *cobra.Command, args []string) {
c := redis.NewClient(&redis.Options{
Addr: uri,
DB: db,
})
r := rdb.NewRDB(c)
switch args[0] {
case "enqueued":
listEnqueued(r)
case "inprogress":
listInProgress(r)
case "scheduled":
listScheduled(r)
case "retry":
listRetry(r)
case "dead":
listDead(r)
default:
2019-12-11 13:48:19 +08:00
fmt.Printf("error: `asynqmon ls [queue name]` only accepts %v as the argument.\n", lsValidArgs)
2019-12-11 13:38:25 +08:00
os.Exit(1)
2019-12-07 23:48:11 +08:00
}
}
2019-12-09 08:36:08 +08:00
// queryID returns an identifier used for "enq" command.
// score is the zset score and queryType should be one
// of "s", "r" or "d" (scheduled, retry, dead respectively).
func queryID(id uuid.UUID, score int64, qtype string) string {
const format = "%v:%v:%v"
return fmt.Sprintf(format, qtype, score, id)
}
// parseQueryID is a reverse operation of queryID function.
// It takes a queryID and return each part of id with proper
// type if valid, otherwise it reports an error.
2019-12-10 12:37:30 +08:00
func parseQueryID(queryID string) (id uuid.UUID, score int64, qtype string, err error) {
2019-12-09 08:36:08 +08:00
parts := strings.Split(queryID, ":")
if len(parts) != 3 {
return uuid.Nil, 0, "", fmt.Errorf("invalid id")
}
id, err = uuid.Parse(parts[2])
if err != nil {
return uuid.Nil, 0, "", fmt.Errorf("invalid id")
}
2019-12-10 12:37:30 +08:00
score, err = strconv.ParseInt(parts[1], 10, 64)
2019-12-09 08:36:08 +08:00
if err != nil {
return uuid.Nil, 0, "", fmt.Errorf("invalid id")
}
qtype = parts[0]
if len(qtype) != 1 || !strings.Contains("srd", qtype) {
return uuid.Nil, 0, "", fmt.Errorf("invalid id")
}
return id, score, qtype, nil
}
2019-12-07 23:48:11 +08:00
func listEnqueued(r *rdb.RDB) {
tasks, err := r.ListEnqueued()
if err != nil {
2019-12-09 22:22:08 +08:00
fmt.Println(err)
os.Exit(1)
2019-12-07 23:48:11 +08:00
}
if len(tasks) == 0 {
fmt.Println("No enqueued tasks")
return
}
cols := []string{"ID", "Type", "Payload"}
printRows := func(w io.Writer, tmpl string) {
for _, t := range tasks {
fmt.Fprintf(w, tmpl, t.ID, t.Type, t.Payload)
}
}
printTable(cols, printRows)
}
func listInProgress(r *rdb.RDB) {
tasks, err := r.ListInProgress()
if err != nil {
2019-12-09 22:22:08 +08:00
fmt.Println(err)
os.Exit(1)
2019-12-07 23:48:11 +08:00
}
if len(tasks) == 0 {
fmt.Println("No in-progress tasks")
return
}
cols := []string{"ID", "Type", "Payload"}
printRows := func(w io.Writer, tmpl string) {
for _, t := range tasks {
fmt.Fprintf(w, tmpl, t.ID, t.Type, t.Payload)
}
}
printTable(cols, printRows)
}
func listScheduled(r *rdb.RDB) {
tasks, err := r.ListScheduled()
if err != nil {
2019-12-09 22:22:08 +08:00
fmt.Println(err)
os.Exit(1)
2019-12-07 23:48:11 +08:00
}
if len(tasks) == 0 {
fmt.Println("No scheduled tasks")
return
}
cols := []string{"ID", "Type", "Payload", "Process In"}
printRows := func(w io.Writer, tmpl string) {
for _, t := range tasks {
processIn := fmt.Sprintf("%.0f seconds", t.ProcessAt.Sub(time.Now()).Seconds())
2019-12-09 08:36:08 +08:00
fmt.Fprintf(w, tmpl, queryID(t.ID, t.Score, "s"), t.Type, t.Payload, processIn)
2019-12-07 23:48:11 +08:00
}
}
printTable(cols, printRows)
}
func listRetry(r *rdb.RDB) {
tasks, err := r.ListRetry()
if err != nil {
2019-12-09 22:22:08 +08:00
fmt.Println(err)
os.Exit(1)
2019-12-07 23:48:11 +08:00
}
if len(tasks) == 0 {
fmt.Println("No retry tasks")
return
}
cols := []string{"ID", "Type", "Payload", "Retry In", "Last Error", "Retried", "Max Retry"}
printRows := func(w io.Writer, tmpl string) {
for _, t := range tasks {
retryIn := fmt.Sprintf("%.0f seconds", t.ProcessAt.Sub(time.Now()).Seconds())
2019-12-09 08:36:08 +08:00
fmt.Fprintf(w, tmpl, queryID(t.ID, t.Score, "r"), t.Type, t.Payload, retryIn, t.ErrorMsg, t.Retried, t.Retry)
2019-12-07 23:48:11 +08:00
}
}
printTable(cols, printRows)
}
func listDead(r *rdb.RDB) {
tasks, err := r.ListDead()
if err != nil {
2019-12-09 22:22:08 +08:00
fmt.Println(err)
os.Exit(1)
2019-12-07 23:48:11 +08:00
}
if len(tasks) == 0 {
fmt.Println("No dead tasks")
return
}
cols := []string{"ID", "Type", "Payload", "Last Failed", "Last Error"}
printRows := func(w io.Writer, tmpl string) {
for _, t := range tasks {
2019-12-09 08:36:08 +08:00
fmt.Fprintf(w, tmpl, queryID(t.ID, t.Score, "d"), t.Type, t.Payload, t.LastFailedAt, t.ErrorMsg)
2019-12-07 23:48:11 +08:00
}
}
printTable(cols, printRows)
}
func printTable(cols []string, printRows func(w io.Writer, tmpl string)) {
format := strings.Repeat("%v\t", len(cols)) + "\n"
tw := new(tabwriter.Writer).Init(os.Stdout, 0, 8, 2, ' ', 0)
var headers []interface{}
var seps []interface{}
for _, name := range cols {
headers = append(headers, name)
seps = append(seps, strings.Repeat("-", len(name)))
}
fmt.Fprintf(tw, format, headers...)
fmt.Fprintf(tw, format, seps...)
printRows(tw, format)
tw.Flush()
}