-
Notifications
You must be signed in to change notification settings - Fork 44
Use an interface for jobs instead of a non-type-safe handler function (would break backwards-compatibility) #14
Description
I would like to change the public API in a pretty major way by using an interface for jobs instead of a handler function (which is not typesafe). The current implementation feels a little bit messy and unidiomatic to me.
Jobs follows semantic versioning, which means breaking changes are fair game until version 1.0. However, I never put a warning in the README about this, so I wanted to make sure it was okay with everyone before making this breaking change. I would also be happy to hear feedback on the approach.
The basic idea is to create an interface that might look something like this:
type Job interface {
Execute() error
JobId() string
SetJobId(string)
JobStatus() Status
SetJobStatus(Status)
}Most of these have straightforward implementations which could be covered with an embeddable DefaultJob or JobData type, similar to the approach I use in zoom.
type DefaultJob struct {
Id string
Status Status
}
func (j DefaultJob) JobId() string {
return j.Id
}
func (j DefaultJob) SetJobId(id string) {
j.Id = id
}
// etc for other getters and settersSo job type declarations would now look like this:
type EmailJob struct {
User *model.User
jobs.DefaultJob
}
func (j EmailJob) Execute() error {
msg := fmt.Sprintf("Hello, %s! Thanks for signing up for foo.com.", user.Name)
if err := emails.Send(j.User.EmailAddress, msg); err != nil {
return err
}
}I can leverage zoom as a library to easily serialize all the exported fields in any job struct. So when a job gets retrieved from the database, all the struct fields will be filled in. Then the worker will just call the Execute method.
There are a few advantages to this approach:
- Type-safety: If you don't embed a
DefaultJobor provide your own implementations of the methods needed, or if you don't define an Execute method, the compiler will tell you, whereas previously these types of omissions would be runtime errors. Workers can also execute jobs by calling theExecutemethod instead of jumping through fiery hoops with reflection. - Flexibility: The Execute function can safely access any exported properties of the job type, so in effect this solves the multiple argument problem.
- Idiomaticness: Using an empty interface as an argument to
RegisterJobjust feels wrong.
Let me know what you think. If I don't hear any objections I'll plan on converting to the new implementation sometime in the coming weeks.