mirror of https://github.com/grafana/loki
You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
913 lines
25 KiB
913 lines
25 KiB
/*
|
|
Copyright 2011 Google Inc.
|
|
|
|
Licensed under the Apache License, Version 2.0 (the "License");
|
|
you may not use this file except in compliance with the License.
|
|
You may obtain a copy of the License at
|
|
|
|
http://www.apache.org/licenses/LICENSE-2.0
|
|
|
|
Unless required by applicable law or agreed to in writing, software
|
|
distributed under the License is distributed on an "AS IS" BASIS,
|
|
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
|
See the License for the specific language governing permissions and
|
|
limitations under the License.
|
|
*/
|
|
|
|
// Package memcache provides a client for the memcached cache server.
|
|
package memcache
|
|
|
|
import (
|
|
"bufio"
|
|
"bytes"
|
|
"errors"
|
|
"fmt"
|
|
"io"
|
|
"math"
|
|
"net"
|
|
"strconv"
|
|
"strings"
|
|
"sync"
|
|
"time"
|
|
)
|
|
|
|
// Similar to:
|
|
// https://godoc.org/google.golang.org/appengine/memcache
|
|
|
|
var (
|
|
// ErrCacheMiss means that a Get failed because the item wasn't present.
|
|
ErrCacheMiss = errors.New("memcache: cache miss")
|
|
|
|
// ErrCASConflict means that a CompareAndSwap call failed due to the
|
|
// cached value being modified between the Get and the CompareAndSwap.
|
|
// If the cached value was simply evicted rather than replaced,
|
|
// ErrNotStored will be returned instead.
|
|
ErrCASConflict = errors.New("memcache: compare-and-swap conflict")
|
|
|
|
// ErrNotStored means that a conditional write operation (i.e. Add or
|
|
// CompareAndSwap) failed because the condition was not satisfied.
|
|
ErrNotStored = errors.New("memcache: item not stored")
|
|
|
|
// ErrServerError means that a server error occurred.
|
|
ErrServerError = errors.New("memcache: server error")
|
|
|
|
// ErrNoStats means that no statistics were available.
|
|
ErrNoStats = errors.New("memcache: no statistics available")
|
|
|
|
// ErrMalformedKey is returned when an invalid key is used.
|
|
// Keys must be at maximum 250 bytes long and not
|
|
// contain whitespace or control characters.
|
|
ErrMalformedKey = errors.New("malformed: key is too long or contains invalid characters")
|
|
|
|
// ErrNoServers is returned when no servers are configured or available.
|
|
ErrNoServers = errors.New("memcache: no servers configured or available")
|
|
)
|
|
|
|
const (
|
|
// DefaultTimeout is the default socket read/write timeout.
|
|
DefaultTimeout = 100 * time.Millisecond
|
|
|
|
// DefaultMaxIdleConns is the default maximum number of idle connections
|
|
// kept for any single address.
|
|
DefaultMaxIdleConns = 2
|
|
|
|
// releaseIdleConnsCheckFrequency is how frequently to check if there are idle
|
|
// connections to release, in order to honor the configured min conns headroom.
|
|
releaseIdleConnsCheckFrequency = time.Minute
|
|
|
|
// defaultRecentlyUsedConnsThreshold is the default grace period given to an
|
|
// idle connection to consider it "recently used". The default value has been
|
|
// set equal to the default TCP TIME_WAIT timeout in linux.
|
|
defaultRecentlyUsedConnsThreshold = 2 * time.Minute
|
|
)
|
|
|
|
const buffered = 8 // arbitrary buffered channel size, for readability
|
|
|
|
// resumableError returns true if err is only a protocol-level cache error.
|
|
// This is used to determine whether or not a server connection should
|
|
// be re-used or not. If an error occurs, by default we don't reuse the
|
|
// connection, unless it was just a cache error.
|
|
func resumableError(err error) bool {
|
|
switch err {
|
|
case ErrCacheMiss, ErrCASConflict, ErrNotStored, ErrMalformedKey:
|
|
return true
|
|
}
|
|
return false
|
|
}
|
|
|
|
func legalKey(key string) bool {
|
|
if len(key) > 250 {
|
|
return false
|
|
}
|
|
for i := 0; i < len(key); i++ {
|
|
if key[i] <= ' ' || key[i] == 0x7f {
|
|
return false
|
|
}
|
|
}
|
|
return true
|
|
}
|
|
|
|
var (
|
|
crlf = []byte("\r\n")
|
|
resultOK = []byte("OK\r\n")
|
|
resultStored = []byte("STORED\r\n")
|
|
resultNotStored = []byte("NOT_STORED\r\n")
|
|
resultExists = []byte("EXISTS\r\n")
|
|
resultNotFound = []byte("NOT_FOUND\r\n")
|
|
resultDeleted = []byte("DELETED\r\n")
|
|
resultEnd = []byte("END\r\n")
|
|
resultOk = []byte("OK\r\n")
|
|
resultTouched = []byte("TOUCHED\r\n")
|
|
|
|
resultClientErrorPrefix = []byte("CLIENT_ERROR ")
|
|
versionPrefix = []byte("VERSION")
|
|
valuePrefix = []byte("VALUE ")
|
|
)
|
|
|
|
// New returns a memcache client using the provided server(s)
|
|
// with equal weight. If a server is listed multiple times,
|
|
// it gets a proportional amount of weight.
|
|
func New(server ...string) *Client {
|
|
ss := new(ServerList)
|
|
_ = ss.SetServers(server...)
|
|
return NewFromSelector(ss)
|
|
}
|
|
|
|
// NewFromSelector returns a new Client using the provided ServerSelector.
|
|
func NewFromSelector(ss ServerSelector) *Client {
|
|
c := &Client{
|
|
selector: ss,
|
|
closed: make(chan struct{}),
|
|
}
|
|
|
|
go c.releaseIdleConnectionsUntilClosed()
|
|
|
|
return c
|
|
}
|
|
|
|
// Client is a memcache client.
|
|
// It is safe for unlocked use by multiple concurrent goroutines.
|
|
type Client struct {
|
|
// DialTimeout specifies a custom dialer used to dial new connections to a server.
|
|
DialTimeout func(network, address string, timeout time.Duration) (net.Conn, error)
|
|
|
|
// Timeout specifies the socket read/write timeout.
|
|
// If zero, DefaultTimeout is used.
|
|
Timeout time.Duration
|
|
|
|
// ConnectTimeout specifies the timeout for new connections.
|
|
// If zero, DefaultTimeout is used.
|
|
ConnectTimeout time.Duration
|
|
|
|
// MinIdleConnsHeadroomPercentage specifies the percentage of minimum number of idle connections
|
|
// that should be kept open, compared to the number of free but recently used connections.
|
|
// If there are idle connections but none of them has been recently used, then all idle
|
|
// connections get closed.
|
|
//
|
|
// If the configured value is negative, idle connections are never closed.
|
|
MinIdleConnsHeadroomPercentage float64
|
|
|
|
// MaxIdleConns specifies the maximum number of idle connections that will
|
|
// be maintained per address. If less than one, DefaultMaxIdleConns will be
|
|
// used.
|
|
//
|
|
// Consider your expected traffic rates and latency carefully. This should
|
|
// be set to a number higher than your peak parallel requests.
|
|
MaxIdleConns int
|
|
|
|
// WriteBufferSizeBytes specifies the size of the write buffer (in bytes). The buffer
|
|
// is allocated for each connection. If <= 0, the default value of 4KB will be used.
|
|
WriteBufferSizeBytes int
|
|
|
|
// ReadBufferSizeBytes specifies the size of the read buffer (in bytes). The buffer
|
|
// is allocated for each connection. If <= 0, the default value of 4KB will be used.
|
|
ReadBufferSizeBytes int
|
|
|
|
// recentlyUsedConnsThreshold is the default grace period given to an
|
|
// idle connection to consider it "recently used". Recently used connections
|
|
// are never closed even if idle.
|
|
//
|
|
// This field is used for testing.
|
|
recentlyUsedConnsThreshold time.Duration
|
|
|
|
// closed channel gets closed once the Client.Close() is called. Once closed,
|
|
// resources should be released.
|
|
closed chan struct{}
|
|
closeOnce sync.Once
|
|
|
|
selector ServerSelector
|
|
|
|
lk sync.Mutex
|
|
freeconn map[string][]*conn
|
|
}
|
|
|
|
// Item is an item to be got or stored in a memcached server.
|
|
type Item struct {
|
|
// Key is the Item's key (250 bytes maximum).
|
|
Key string
|
|
|
|
// Value is the Item's value.
|
|
Value []byte
|
|
|
|
// Flags are server-opaque flags whose semantics are entirely
|
|
// up to the app.
|
|
Flags uint32
|
|
|
|
// Expiration is the cache expiration time, in seconds: either a relative
|
|
// time from now (up to 1 month), or an absolute Unix epoch time.
|
|
// Zero means the Item has no expiration time.
|
|
Expiration int32
|
|
|
|
// Compare and swap ID.
|
|
casid uint64
|
|
}
|
|
|
|
// conn is a connection to a server.
|
|
type conn struct {
|
|
nc net.Conn
|
|
rw *bufio.ReadWriter
|
|
addr net.Addr
|
|
c *Client
|
|
|
|
// The timestamp since when this connection is idle. This is used to close
|
|
// idle connections.
|
|
idleSince time.Time
|
|
}
|
|
|
|
// release returns this connection back to the client's free pool
|
|
func (cn *conn) release() {
|
|
cn.c.putFreeConn(cn.addr, cn)
|
|
}
|
|
|
|
func (cn *conn) extendDeadline() {
|
|
_ = cn.nc.SetDeadline(time.Now().Add(cn.c.netTimeout()))
|
|
}
|
|
|
|
// condRelease releases this connection if the error pointed to by err
|
|
// is nil (not an error) or is only a protocol level error (e.g. a
|
|
// cache miss). The purpose is to not recycle TCP connections that
|
|
// are bad.
|
|
func (cn *conn) condRelease(err *error) {
|
|
if *err == nil || resumableError(*err) {
|
|
cn.release()
|
|
} else {
|
|
cn.nc.Close()
|
|
}
|
|
}
|
|
|
|
func (c *Client) putFreeConn(addr net.Addr, cn *conn) {
|
|
c.lk.Lock()
|
|
defer c.lk.Unlock()
|
|
if c.freeconn == nil {
|
|
c.freeconn = make(map[string][]*conn)
|
|
}
|
|
freelist := c.freeconn[addr.String()]
|
|
if len(freelist) >= c.maxIdleConns() {
|
|
cn.nc.Close()
|
|
return
|
|
}
|
|
|
|
cn.idleSince = time.Now()
|
|
c.freeconn[addr.String()] = append(freelist, cn)
|
|
}
|
|
|
|
func (c *Client) getFreeConn(addr net.Addr) (cn *conn, ok bool) {
|
|
c.lk.Lock()
|
|
defer c.lk.Unlock()
|
|
if c.freeconn == nil {
|
|
return nil, false
|
|
}
|
|
freelist, ok := c.freeconn[addr.String()]
|
|
if !ok || len(freelist) == 0 {
|
|
return nil, false
|
|
}
|
|
|
|
// Pop the connection from the end of the list. This way we prefer to always reuse
|
|
// the same connections, so that the min idle connections logic is effective.
|
|
cn = freelist[len(freelist)-1]
|
|
c.freeconn[addr.String()] = freelist[:len(freelist)-1]
|
|
return cn, true
|
|
}
|
|
|
|
func (c *Client) netTimeout() time.Duration {
|
|
if c.Timeout != 0 {
|
|
return c.Timeout
|
|
}
|
|
return DefaultTimeout
|
|
}
|
|
|
|
func (c *Client) connectTimeout() time.Duration {
|
|
if c.ConnectTimeout != 0 {
|
|
return c.ConnectTimeout
|
|
}
|
|
return DefaultTimeout
|
|
}
|
|
|
|
func (c *Client) maxIdleConns() int {
|
|
if c.MaxIdleConns > 0 {
|
|
return c.MaxIdleConns
|
|
}
|
|
return DefaultMaxIdleConns
|
|
}
|
|
|
|
func (c *Client) Close() {
|
|
c.closeOnce.Do(func() {
|
|
close(c.closed)
|
|
})
|
|
}
|
|
|
|
func (c *Client) releaseIdleConnectionsUntilClosed() {
|
|
for {
|
|
select {
|
|
case <-time.After(releaseIdleConnsCheckFrequency):
|
|
c.releaseIdleConnections()
|
|
case <-c.closed:
|
|
return
|
|
}
|
|
}
|
|
}
|
|
|
|
func (c *Client) releaseIdleConnections() {
|
|
var toClose []io.Closer
|
|
|
|
// Nothing to do if min idle connections headroom is disabled (negative value).
|
|
minIdleHeadroomPercentage := c.MinIdleConnsHeadroomPercentage
|
|
if minIdleHeadroomPercentage < 0 {
|
|
return
|
|
}
|
|
|
|
// Get the recently used connections threshold, falling back to the default one.
|
|
recentlyUsedThreshold := c.recentlyUsedConnsThreshold
|
|
if recentlyUsedThreshold == 0 {
|
|
recentlyUsedThreshold = defaultRecentlyUsedConnsThreshold
|
|
}
|
|
|
|
c.lk.Lock()
|
|
|
|
for addr, freeConnections := range c.freeconn {
|
|
numIdle := 0
|
|
|
|
// Count the number of idle connections. Since the least used connections are at the beginning
|
|
// of the list, we can stop searching as soon as we find a non-idle connection.
|
|
for _, freeConn := range freeConnections {
|
|
if time.Since(freeConn.idleSince) < recentlyUsedThreshold {
|
|
break
|
|
}
|
|
|
|
numIdle++
|
|
}
|
|
|
|
// Compute the number of connections to close. It keeps a number of idle connections equal to
|
|
// the configured headroom.
|
|
numRecentlyUsed := len(freeConnections) - numIdle
|
|
numIdleToKeep := int(math.Max(0, math.Ceil(float64(numRecentlyUsed)*minIdleHeadroomPercentage/100)))
|
|
numIdleToClose := numIdle - numIdleToKeep
|
|
if numIdleToClose <= 0 {
|
|
continue
|
|
}
|
|
|
|
// Close idle connections.
|
|
for i := 0; i < numIdleToClose; i++ {
|
|
toClose = append(toClose, freeConnections[i].nc)
|
|
}
|
|
c.freeconn[addr] = c.freeconn[addr][numIdleToClose:]
|
|
}
|
|
|
|
// Release the lock and then close the connections.
|
|
c.lk.Unlock()
|
|
|
|
for _, freeConn := range toClose {
|
|
freeConn.Close()
|
|
}
|
|
}
|
|
|
|
// ConnectTimeoutError is the error type used when it takes
|
|
// too long to connect to the desired host. This level of
|
|
// detail can generally be ignored.
|
|
type ConnectTimeoutError struct {
|
|
Addr net.Addr
|
|
}
|
|
|
|
func (cte *ConnectTimeoutError) Error() string {
|
|
return "memcache: connect timeout to " + cte.Addr.String()
|
|
}
|
|
|
|
func (c *Client) dial(addr net.Addr) (net.Conn, error) {
|
|
dialTimeout := c.DialTimeout
|
|
if dialTimeout == nil {
|
|
dialTimeout = net.DialTimeout
|
|
}
|
|
nc, err := dialTimeout(addr.Network(), addr.String(), c.connectTimeout())
|
|
if err == nil {
|
|
return nc, nil
|
|
}
|
|
|
|
if ne, ok := err.(net.Error); ok && ne.Timeout() {
|
|
return nil, &ConnectTimeoutError{addr}
|
|
}
|
|
|
|
return nil, err
|
|
}
|
|
|
|
func (c *Client) getConn(addr net.Addr) (*conn, error) {
|
|
var (
|
|
writer *bufio.Writer
|
|
reader *bufio.Reader
|
|
)
|
|
|
|
cn, ok := c.getFreeConn(addr)
|
|
if ok {
|
|
cn.extendDeadline()
|
|
return cn, nil
|
|
}
|
|
nc, err := c.dial(addr)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
// Init buffered writer.
|
|
if c.WriteBufferSizeBytes > 0 {
|
|
writer = bufio.NewWriterSize(nc, c.WriteBufferSizeBytes)
|
|
} else {
|
|
writer = bufio.NewWriter(nc)
|
|
}
|
|
|
|
// Init buffered reader.
|
|
if c.ReadBufferSizeBytes > 0 {
|
|
reader = bufio.NewReaderSize(nc, c.ReadBufferSizeBytes)
|
|
} else {
|
|
reader = bufio.NewReader(nc)
|
|
}
|
|
|
|
cn = &conn{
|
|
nc: nc,
|
|
addr: addr,
|
|
rw: bufio.NewReadWriter(reader, writer),
|
|
c: c,
|
|
}
|
|
cn.extendDeadline()
|
|
return cn, nil
|
|
}
|
|
|
|
func (c *Client) onItem(item *Item, fn func(*Client, *bufio.ReadWriter, *Item) error) error {
|
|
addr, err := c.selector.PickServer(item.Key)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
cn, err := c.getConn(addr)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
defer cn.condRelease(&err)
|
|
if err = fn(c, cn.rw, item); err != nil {
|
|
return err
|
|
}
|
|
return nil
|
|
}
|
|
|
|
func (c *Client) FlushAll() error {
|
|
return c.selector.Each(c.flushAllFromAddr)
|
|
}
|
|
|
|
// Get gets the item for the given key. ErrCacheMiss is returned for a
|
|
// memcache cache miss. The key must be at most 250 bytes in length.
|
|
func (c *Client) Get(key string, opts ...Option) (item *Item, err error) {
|
|
options := newOptions(opts...)
|
|
err = c.withKeyAddr(key, func(addr net.Addr) error {
|
|
return c.getFromAddr(addr, []string{key}, options, func(it *Item) { item = it })
|
|
})
|
|
if err == nil && item == nil {
|
|
err = ErrCacheMiss
|
|
}
|
|
return
|
|
}
|
|
|
|
// Touch updates the expiry for the given key. The seconds parameter is either
|
|
// a Unix timestamp or, if seconds is less than 1 month, the number of seconds
|
|
// into the future at which time the item will expire. Zero means the item has
|
|
// no expiration time. ErrCacheMiss is returned if the key is not in the cache.
|
|
// The key must be at most 250 bytes in length.
|
|
func (c *Client) Touch(key string, seconds int32) (err error) {
|
|
return c.withKeyAddr(key, func(addr net.Addr) error {
|
|
return c.touchFromAddr(addr, []string{key}, seconds)
|
|
})
|
|
}
|
|
|
|
func (c *Client) withKeyAddr(key string, fn func(net.Addr) error) (err error) {
|
|
if !legalKey(key) {
|
|
return ErrMalformedKey
|
|
}
|
|
addr, err := c.selector.PickServer(key)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
return fn(addr)
|
|
}
|
|
|
|
func (c *Client) withAddrRw(addr net.Addr, fn func(*bufio.ReadWriter) error) (err error) {
|
|
cn, err := c.getConn(addr)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
defer cn.condRelease(&err)
|
|
return fn(cn.rw)
|
|
}
|
|
|
|
func (c *Client) withKeyRw(key string, fn func(*bufio.ReadWriter) error) error {
|
|
return c.withKeyAddr(key, func(addr net.Addr) error {
|
|
return c.withAddrRw(addr, fn)
|
|
})
|
|
}
|
|
|
|
func (c *Client) getFromAddr(addr net.Addr, keys []string, opts *Options, cb func(*Item)) error {
|
|
return c.withAddrRw(addr, func(rw *bufio.ReadWriter) error {
|
|
if _, err := fmt.Fprintf(rw, "gets %s\r\n", strings.Join(keys, " ")); err != nil {
|
|
return err
|
|
}
|
|
if err := rw.Flush(); err != nil {
|
|
return err
|
|
}
|
|
if err := c.parseGetResponse(rw.Reader, opts, cb); err != nil {
|
|
return err
|
|
}
|
|
return nil
|
|
})
|
|
}
|
|
|
|
// flushAllFromAddr send the flush_all command to the given addr
|
|
func (c *Client) flushAllFromAddr(addr net.Addr) error {
|
|
return c.withAddrRw(addr, func(rw *bufio.ReadWriter) error {
|
|
if _, err := fmt.Fprintf(rw, "flush_all\r\n"); err != nil {
|
|
return err
|
|
}
|
|
if err := rw.Flush(); err != nil {
|
|
return err
|
|
}
|
|
line, err := rw.ReadSlice('\n')
|
|
if err != nil {
|
|
return err
|
|
}
|
|
switch {
|
|
case bytes.Equal(line, resultOk):
|
|
break
|
|
default:
|
|
return fmt.Errorf("memcache: unexpected response line from flush_all: %q", string(line))
|
|
}
|
|
return nil
|
|
})
|
|
}
|
|
|
|
// ping sends the version command to the given addr
|
|
func (c *Client) ping(addr net.Addr) error {
|
|
return c.withAddrRw(addr, func(rw *bufio.ReadWriter) error {
|
|
if _, err := fmt.Fprintf(rw, "version\r\n"); err != nil {
|
|
return err
|
|
}
|
|
if err := rw.Flush(); err != nil {
|
|
return err
|
|
}
|
|
line, err := rw.ReadSlice('\n')
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
switch {
|
|
case bytes.HasPrefix(line, versionPrefix):
|
|
break
|
|
default:
|
|
return fmt.Errorf("memcache: unexpected response line from ping: %q", string(line))
|
|
}
|
|
return nil
|
|
})
|
|
}
|
|
|
|
func (c *Client) touchFromAddr(addr net.Addr, keys []string, expiration int32) error {
|
|
return c.withAddrRw(addr, func(rw *bufio.ReadWriter) error {
|
|
for _, key := range keys {
|
|
if _, err := fmt.Fprintf(rw, "touch %s %d\r\n", key, expiration); err != nil {
|
|
return err
|
|
}
|
|
if err := rw.Flush(); err != nil {
|
|
return err
|
|
}
|
|
line, err := rw.ReadSlice('\n')
|
|
if err != nil {
|
|
return err
|
|
}
|
|
switch {
|
|
case bytes.Equal(line, resultTouched):
|
|
break
|
|
case bytes.Equal(line, resultNotFound):
|
|
return ErrCacheMiss
|
|
default:
|
|
return fmt.Errorf("memcache: unexpected response line from touch: %q", string(line))
|
|
}
|
|
}
|
|
return nil
|
|
})
|
|
}
|
|
|
|
// GetMulti is a batch version of Get. The returned map from keys to
|
|
// items may have fewer elements than the input slice, due to memcache
|
|
// cache misses. Each key must be at most 250 bytes in length.
|
|
// If no error is returned, the returned map will also be non-nil.
|
|
func (c *Client) GetMulti(keys []string, opts ...Option) (map[string]*Item, error) {
|
|
options := newOptions(opts...)
|
|
|
|
var lk sync.Mutex
|
|
m := make(map[string]*Item)
|
|
addItemToMap := func(it *Item) {
|
|
lk.Lock()
|
|
defer lk.Unlock()
|
|
m[it.Key] = it
|
|
}
|
|
|
|
keyMap := make(map[net.Addr][]string)
|
|
for _, key := range keys {
|
|
if !legalKey(key) {
|
|
return nil, ErrMalformedKey
|
|
}
|
|
addr, err := c.selector.PickServer(key)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
keyMap[addr] = append(keyMap[addr], key)
|
|
}
|
|
|
|
ch := make(chan error, buffered)
|
|
for addr, keys := range keyMap {
|
|
go func(addr net.Addr, keys []string) {
|
|
err := c.getFromAddr(addr, keys, options, addItemToMap)
|
|
ch <- err
|
|
}(addr, keys)
|
|
}
|
|
|
|
var err error
|
|
for range keyMap {
|
|
if ge := <-ch; ge != nil {
|
|
err = ge
|
|
}
|
|
}
|
|
return m, err
|
|
}
|
|
|
|
// parseGetResponse reads a GET response from r and calls cb for each
|
|
// read and allocated Item
|
|
func (c *Client) parseGetResponse(r *bufio.Reader, opts *Options, cb func(*Item)) error {
|
|
for {
|
|
line, err := r.ReadSlice('\n')
|
|
if err != nil {
|
|
return err
|
|
}
|
|
if bytes.Equal(line, resultEnd) {
|
|
return nil
|
|
}
|
|
it := new(Item)
|
|
size, err := scanGetResponseLine(line, it)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
buffSize := size + 2
|
|
buff := opts.Alloc.Get(buffSize)
|
|
it.Value = (*buff)[:buffSize]
|
|
_, err = io.ReadFull(r, it.Value)
|
|
if err != nil {
|
|
opts.Alloc.Put(buff)
|
|
return err
|
|
}
|
|
if !bytes.HasSuffix(it.Value, crlf) {
|
|
opts.Alloc.Put(buff)
|
|
return fmt.Errorf("memcache: corrupt get result read")
|
|
}
|
|
it.Value = it.Value[:size]
|
|
cb(it)
|
|
}
|
|
}
|
|
|
|
// scanGetResponseLine populates it and returns the declared size of the item.
|
|
// It does not read the bytes of the item.
|
|
func scanGetResponseLine(line []byte, it *Item) (size int, err error) {
|
|
errf := func(line []byte) (int, error) {
|
|
return -1, fmt.Errorf("memcache: unexpected line in get response: %q", line)
|
|
}
|
|
if !bytes.HasPrefix(line, valuePrefix) || !bytes.HasSuffix(line, []byte("\r\n")) {
|
|
return errf(line)
|
|
}
|
|
s := string(line[6 : len(line)-2])
|
|
var rest string
|
|
var found bool
|
|
it.Key, rest, found = cut(s, ' ')
|
|
if !found {
|
|
return errf(line)
|
|
}
|
|
val, rest, found := cut(rest, ' ')
|
|
if !found {
|
|
return errf(line)
|
|
}
|
|
flags64, err := strconv.ParseUint(val, 10, 32)
|
|
if err != nil {
|
|
return errf(line)
|
|
}
|
|
it.Flags = uint32(flags64)
|
|
val, rest, found = cut(rest, ' ')
|
|
size64, err := strconv.ParseUint(val, 10, 32)
|
|
if err != nil {
|
|
return errf(line)
|
|
}
|
|
if !found { // final CAS ID is optional.
|
|
return int(size64), nil
|
|
}
|
|
it.casid, err = strconv.ParseUint(rest, 10, 64)
|
|
if err != nil {
|
|
return errf(line)
|
|
}
|
|
return int(size64), nil
|
|
}
|
|
|
|
// Similar to strings.Cut in Go 1.18, but sep can only be 1 byte.
|
|
func cut(s string, sep byte) (before, after string, found bool) {
|
|
if i := strings.IndexByte(s, sep); i >= 0 {
|
|
return s[:i], s[i+1:], true
|
|
}
|
|
return s, "", false
|
|
}
|
|
|
|
// Set writes the given item, unconditionally.
|
|
func (c *Client) Set(item *Item) error {
|
|
return c.onItem(item, (*Client).set)
|
|
}
|
|
|
|
func (c *Client) set(rw *bufio.ReadWriter, item *Item) error {
|
|
return c.populateOne(rw, "set", item)
|
|
}
|
|
|
|
// Add writes the given item, if no value already exists for its
|
|
// key. ErrNotStored is returned if that condition is not met.
|
|
func (c *Client) Add(item *Item) error {
|
|
return c.onItem(item, (*Client).add)
|
|
}
|
|
|
|
func (c *Client) add(rw *bufio.ReadWriter, item *Item) error {
|
|
return c.populateOne(rw, "add", item)
|
|
}
|
|
|
|
// Replace writes the given item, but only if the server *does*
|
|
// already hold data for this key
|
|
func (c *Client) Replace(item *Item) error {
|
|
return c.onItem(item, (*Client).replace)
|
|
}
|
|
|
|
func (c *Client) replace(rw *bufio.ReadWriter, item *Item) error {
|
|
return c.populateOne(rw, "replace", item)
|
|
}
|
|
|
|
// CompareAndSwap writes the given item that was previously returned
|
|
// by Get, if the value was neither modified or evicted between the
|
|
// Get and the CompareAndSwap calls. The item's Key should not change
|
|
// between calls but all other item fields may differ. ErrCASConflict
|
|
// is returned if the value was modified in between the
|
|
// calls. ErrNotStored is returned if the value was evicted in between
|
|
// the calls.
|
|
func (c *Client) CompareAndSwap(item *Item) error {
|
|
return c.onItem(item, (*Client).cas)
|
|
}
|
|
|
|
func (c *Client) cas(rw *bufio.ReadWriter, item *Item) error {
|
|
return c.populateOne(rw, "cas", item)
|
|
}
|
|
|
|
func (c *Client) populateOne(rw *bufio.ReadWriter, verb string, item *Item) error {
|
|
if !legalKey(item.Key) {
|
|
return ErrMalformedKey
|
|
}
|
|
var err error
|
|
if verb == "cas" {
|
|
_, err = fmt.Fprintf(rw, "%s %s %d %d %d %d\r\n",
|
|
verb, item.Key, item.Flags, item.Expiration, len(item.Value), item.casid)
|
|
} else {
|
|
_, err = fmt.Fprintf(rw, "%s %s %d %d %d\r\n",
|
|
verb, item.Key, item.Flags, item.Expiration, len(item.Value))
|
|
}
|
|
if err != nil {
|
|
return err
|
|
}
|
|
if _, err = rw.Write(item.Value); err != nil {
|
|
return err
|
|
}
|
|
if _, err := rw.Write(crlf); err != nil {
|
|
return err
|
|
}
|
|
if err := rw.Flush(); err != nil {
|
|
return err
|
|
}
|
|
line, err := rw.ReadSlice('\n')
|
|
if err != nil {
|
|
return err
|
|
}
|
|
switch {
|
|
case bytes.Equal(line, resultStored):
|
|
return nil
|
|
case bytes.Equal(line, resultNotStored):
|
|
return ErrNotStored
|
|
case bytes.Equal(line, resultExists):
|
|
return ErrCASConflict
|
|
case bytes.Equal(line, resultNotFound):
|
|
return ErrCacheMiss
|
|
}
|
|
return fmt.Errorf("memcache: unexpected response line from %q: %q", verb, string(line))
|
|
}
|
|
|
|
func writeReadLine(rw *bufio.ReadWriter, format string, args ...interface{}) ([]byte, error) {
|
|
_, err := fmt.Fprintf(rw, format, args...)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
if err := rw.Flush(); err != nil {
|
|
return nil, err
|
|
}
|
|
line, err := rw.ReadSlice('\n')
|
|
return line, err
|
|
}
|
|
|
|
func writeExpectf(rw *bufio.ReadWriter, expect []byte, format string, args ...interface{}) error {
|
|
line, err := writeReadLine(rw, format, args...)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
switch {
|
|
case bytes.Equal(line, resultOK):
|
|
return nil
|
|
case bytes.Equal(line, expect):
|
|
return nil
|
|
case bytes.Equal(line, resultNotStored):
|
|
return ErrNotStored
|
|
case bytes.Equal(line, resultExists):
|
|
return ErrCASConflict
|
|
case bytes.Equal(line, resultNotFound):
|
|
return ErrCacheMiss
|
|
}
|
|
return fmt.Errorf("memcache: unexpected response line: %q", string(line))
|
|
}
|
|
|
|
// Delete deletes the item with the provided key. The error ErrCacheMiss is
|
|
// returned if the item didn't already exist in the cache.
|
|
func (c *Client) Delete(key string) error {
|
|
return c.withKeyRw(key, func(rw *bufio.ReadWriter) error {
|
|
return writeExpectf(rw, resultDeleted, "delete %s\r\n", key)
|
|
})
|
|
}
|
|
|
|
// DeleteAll deletes all items in the cache.
|
|
func (c *Client) DeleteAll() error {
|
|
return c.withKeyRw("", func(rw *bufio.ReadWriter) error {
|
|
return writeExpectf(rw, resultDeleted, "flush_all\r\n")
|
|
})
|
|
}
|
|
|
|
// Ping checks all instances if they are alive. Returns error if any
|
|
// of them is down.
|
|
func (c *Client) Ping() error {
|
|
return c.selector.Each(c.ping)
|
|
}
|
|
|
|
// Increment atomically increments key by delta. The return value is
|
|
// the new value after being incremented or an error. If the value
|
|
// didn't exist in memcached the error is ErrCacheMiss. The value in
|
|
// memcached must be an decimal number, or an error will be returned.
|
|
// On 64-bit overflow, the new value wraps around.
|
|
func (c *Client) Increment(key string, delta uint64) (newValue uint64, err error) {
|
|
return c.incrDecr("incr", key, delta)
|
|
}
|
|
|
|
// Decrement atomically decrements key by delta. The return value is
|
|
// the new value after being decremented or an error. If the value
|
|
// didn't exist in memcached the error is ErrCacheMiss. The value in
|
|
// memcached must be an decimal number, or an error will be returned.
|
|
// On underflow, the new value is capped at zero and does not wrap
|
|
// around.
|
|
func (c *Client) Decrement(key string, delta uint64) (newValue uint64, err error) {
|
|
return c.incrDecr("decr", key, delta)
|
|
}
|
|
|
|
func (c *Client) incrDecr(verb, key string, delta uint64) (uint64, error) {
|
|
var val uint64
|
|
err := c.withKeyRw(key, func(rw *bufio.ReadWriter) error {
|
|
line, err := writeReadLine(rw, "%s %s %d\r\n", verb, key, delta)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
switch {
|
|
case bytes.Equal(line, resultNotFound):
|
|
return ErrCacheMiss
|
|
case bytes.HasPrefix(line, resultClientErrorPrefix):
|
|
errMsg := line[len(resultClientErrorPrefix) : len(line)-2]
|
|
return errors.New("memcache: client error: " + string(errMsg))
|
|
}
|
|
val, err = strconv.ParseUint(string(line[:len(line)-2]), 10, 64)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
return nil
|
|
})
|
|
return val, err
|
|
}
|
|
|