Permalink
Cannot retrieve contributors at this time
Name already in use
A tag already exists with the provided branch name. Many Git commands accept both tag and branch names, so creating this branch may cause unexpected behavior. Are you sure you want to create this branch?
rabbitmq-tutorials/go/rpc_server.go
Go to fileThis commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
95 lines (80 sloc)
1.87 KB
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
package main | |
import ( | |
"context" | |
"log" | |
"strconv" | |
"time" | |
amqp "github.com/rabbitmq/amqp091-go" | |
) | |
func failOnError(err error, msg string) { | |
if err != nil { | |
log.Panicf("%s: %s", msg, err) | |
} | |
} | |
func fib(n int) int { | |
if n == 0 { | |
return 0 | |
} else if n == 1 { | |
return 1 | |
} else { | |
return fib(n-1) + fib(n-2) | |
} | |
} | |
func main() { | |
conn, err := amqp.Dial("amqp://guest:guest@localhost:5672/") | |
failOnError(err, "Failed to connect to RabbitMQ") | |
defer conn.Close() | |
ch, err := conn.Channel() | |
failOnError(err, "Failed to open a channel") | |
defer ch.Close() | |
q, err := ch.QueueDeclare( | |
"rpc_queue", // name | |
false, // durable | |
false, // delete when unused | |
false, // exclusive | |
false, // no-wait | |
nil, // arguments | |
) | |
failOnError(err, "Failed to declare a queue") | |
err = ch.Qos( | |
1, // prefetch count | |
0, // prefetch size | |
false, // global | |
) | |
failOnError(err, "Failed to set QoS") | |
msgs, err := ch.Consume( | |
q.Name, // queue | |
"", // consumer | |
false, // auto-ack | |
false, // exclusive | |
false, // no-local | |
false, // no-wait | |
nil, // args | |
) | |
failOnError(err, "Failed to register a consumer") | |
var forever chan struct{} | |
go func() { | |
ctx, cancel := context.WithTimeout(context.Background(), 5*time.Second) | |
defer cancel() | |
for d := range msgs { | |
n, err := strconv.Atoi(string(d.Body)) | |
failOnError(err, "Failed to convert body to integer") | |
log.Printf(" [.] fib(%d)", n) | |
response := fib(n) | |
err = ch.PublishWithContext(ctx, | |
"", // exchange | |
d.ReplyTo, // routing key | |
false, // mandatory | |
false, // immediate | |
amqp.Publishing{ | |
ContentType: "text/plain", | |
CorrelationId: d.CorrelationId, | |
Body: []byte(strconv.Itoa(response)), | |
}) | |
failOnError(err, "Failed to publish a message") | |
d.Ack(false) | |
} | |
}() | |
log.Printf(" [*] Awaiting RPC requests") | |
<-forever | |
} |