2016-09-05 14:34:37 +00:00
|
|
|
package slack
|
|
|
|
|
2022-04-25 21:50:10 +00:00
|
|
|
import "sync/atomic"
|
2016-09-05 14:34:37 +00:00
|
|
|
|
|
|
|
// IDGenerator provides an interface for generating integer ID values.
|
|
|
|
type IDGenerator interface {
|
|
|
|
Next() int
|
|
|
|
}
|
|
|
|
|
|
|
|
// NewSafeID returns a new instance of an IDGenerator which is safe for
|
|
|
|
// concurrent use by multiple goroutines.
|
|
|
|
func NewSafeID(startID int) IDGenerator {
|
|
|
|
return &safeID{
|
2022-04-25 21:50:10 +00:00
|
|
|
nextID: int64(startID),
|
2016-09-05 14:34:37 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
type safeID struct {
|
2022-04-25 21:50:10 +00:00
|
|
|
nextID int64
|
2016-09-05 14:34:37 +00:00
|
|
|
}
|
|
|
|
|
2022-04-25 21:50:10 +00:00
|
|
|
// make sure safeID implements the IDGenerator interface.
|
|
|
|
var _ IDGenerator = (*safeID)(nil)
|
|
|
|
|
|
|
|
// Next implements IDGenerator.Next.
|
2016-09-05 14:34:37 +00:00
|
|
|
func (s *safeID) Next() int {
|
2022-04-25 21:50:10 +00:00
|
|
|
id := atomic.AddInt64(&s.nextID, 1)
|
|
|
|
|
|
|
|
return int(id)
|
2016-09-05 14:34:37 +00:00
|
|
|
}
|