1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334
|
/*
Copyright 2020 The Kubernetes Authors.
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 agent
import (
"context"
"math"
runpprof "runtime/pprof"
"sync"
"time"
"google.golang.org/grpc"
"google.golang.org/grpc/connectivity"
"k8s.io/apimachinery/pkg/util/wait"
"k8s.io/klog/v2"
"sigs.k8s.io/apiserver-network-proxy/pkg/agent/metrics"
)
const (
fromResponses = "KNP server response headers"
fromLeases = "KNP lease count"
fromFallback = "fallback to 1"
)
// ClientSet consists of clients connected to each instance of an HA proxy server.
type ClientSet struct {
// mu guards access to the clients map
mu sync.Mutex
// clients is a map between serverID and the client
// connected to this server.
clients map[string]*Client
// agentID is "our ID" - the ID of this agent.
agentID string
// Address is the proxy server address. Assuming HA proxy server
address string
// leaseCounter counts number of proxy server leases
leaseCounter ServerCounter
// lastReceivedServerCount is the last serverCount value received when connecting to a proxy server
lastReceivedServerCount int
// lastServerCount is the most-recently observed serverCount value from either lease system or proxy server,
// former takes priority unless it is an HA server.
// Initialized when the ClientSet creates the first client.
// When syncForever is set, it will be the most recently seen.
lastServerCount int
// syncInterval is the interval at which the agent periodically checks
// that it has connections to all instances of the proxy server.
syncInterval time.Duration
// The maximum interval for the syncInterval to back off to when unable to connect to the proxy server
syncIntervalCap time.Duration
// syncForever is true if we should continue syncing (support dynamic server count).
syncForever bool
// probeInterval is the interval at which the agent
// periodically checks if its connections to the proxy server is ready.
probeInterval time.Duration
dialOptions []grpc.DialOption
// serviceAccountTokenPath is the file path to our kubernetes service account token
serviceAccountTokenPath string
// channel to signal that the agent is pending termination.
drainCh <-chan struct{}
// channel to signal shutting down the client set. Primarily for test.
stopCh <-chan struct{}
// agentIdentifiers is the identifiers of the agent, which will be used
// by the server when choosing agent
agentIdentifiers string
warnOnChannelLimit bool
xfrChannelSize int
// serverCountSource controls how we compute the server count.
// The proxy server sends the serverCount header to each connecting agent,
// and the agent figures out from these observations how many
// agent-to-proxy-server connections it should maintain.
serverCountSource string
}
func (cs *ClientSet) ClientsCount() int {
cs.mu.Lock()
defer cs.mu.Unlock()
return len(cs.clients)
}
func (cs *ClientSet) HealthyClientsCount() int {
cs.mu.Lock()
defer cs.mu.Unlock()
var count int
for _, c := range cs.clients {
if c.conn.GetState() == connectivity.Ready {
count++
}
}
return count
}
// HasID returns true if the ClientSet has a client to the specified serverID.
func (cs *ClientSet) HasID(serverID string) bool {
cs.mu.Lock()
defer cs.mu.Unlock()
_, exists := cs.clients[serverID]
return exists
}
type DuplicateServerError struct {
ServerID string
}
func (dse *DuplicateServerError) Error() string {
return "duplicate server: " + dse.ServerID
}
// AddClient adds the specified client to our set of clients.
// If we already have a connection with the same serverID, we will return *DuplicateServerError.
func (cs *ClientSet) AddClient(serverID string, c *Client) error {
cs.mu.Lock()
defer cs.mu.Unlock()
_, exists := cs.clients[serverID]
if exists {
return &DuplicateServerError{ServerID: serverID}
}
cs.clients[serverID] = c
metrics.Metrics.SetServerConnectionsCount(len(cs.clients))
return nil
}
func (cs *ClientSet) RemoveClient(serverID string) {
cs.mu.Lock()
defer cs.mu.Unlock()
if cs.clients[serverID] == nil {
return
}
cs.clients[serverID].Close()
delete(cs.clients, serverID)
metrics.Metrics.SetServerConnectionsCount(len(cs.clients))
}
type ClientSetConfig struct {
Address string
AgentID string
AgentIdentifiers string
SyncInterval time.Duration
ProbeInterval time.Duration
SyncIntervalCap time.Duration
DialOptions []grpc.DialOption
ServiceAccountTokenPath string
WarnOnChannelLimit bool
SyncForever bool
XfrChannelSize int
ServerLeaseCounter ServerCounter
ServerCountSource string
}
func (cc *ClientSetConfig) NewAgentClientSet(drainCh, stopCh <-chan struct{}) *ClientSet {
return &ClientSet{
clients: make(map[string]*Client),
agentID: cc.AgentID,
agentIdentifiers: cc.AgentIdentifiers,
address: cc.Address,
syncInterval: cc.SyncInterval,
probeInterval: cc.ProbeInterval,
syncIntervalCap: cc.SyncIntervalCap,
dialOptions: cc.DialOptions,
serviceAccountTokenPath: cc.ServiceAccountTokenPath,
warnOnChannelLimit: cc.WarnOnChannelLimit,
syncForever: cc.SyncForever,
drainCh: drainCh,
xfrChannelSize: cc.XfrChannelSize,
stopCh: stopCh,
leaseCounter: cc.ServerLeaseCounter,
serverCountSource: cc.ServerCountSource,
}
}
func (cs *ClientSet) newAgentClient() (*Client, int, error) {
return newAgentClient(cs.address, cs.agentID, cs.agentIdentifiers, cs, cs.dialOptions...)
}
func (cs *ClientSet) resetBackoff() *wait.Backoff {
return &wait.Backoff{
Steps: math.MaxInt32,
Jitter: 0.1,
Factor: 1.5,
Duration: cs.syncInterval,
Cap: cs.syncIntervalCap,
}
}
// sync makes sure that #clients >= #proxy servers
func (cs *ClientSet) sync() {
defer cs.shutdown()
backoff := cs.resetBackoff()
var duration time.Duration
for {
if serverCount, err := cs.connectOnce(); err != nil {
if dse, ok := err.(*DuplicateServerError); ok {
clientsCount := cs.ClientsCount()
klog.V(4).InfoS("duplicate server", "serverID", dse.ServerID, "serverCount", serverCount, "clientsCount", clientsCount)
if serverCount != 0 && clientsCount >= serverCount {
duration = backoff.Step()
} else {
backoff = cs.resetBackoff()
duration = wait.Jitter(backoff.Duration, backoff.Jitter)
}
} else {
klog.ErrorS(err, "cannot connect once")
duration = backoff.Step()
}
} else {
backoff = cs.resetBackoff()
duration = wait.Jitter(backoff.Duration, backoff.Jitter)
}
time.Sleep(duration)
select {
case <-cs.stopCh:
return
default:
}
}
}
func (cs *ClientSet) ServerCount() int {
var serverCount int
var countSourceLabel string
switch cs.serverCountSource {
case "", "default":
if cs.leaseCounter != nil {
serverCount = cs.leaseCounter.Count()
countSourceLabel = fromLeases
} else {
serverCount = cs.lastReceivedServerCount
countSourceLabel = fromResponses
}
case "max":
countFromLeases := 0
if cs.leaseCounter != nil {
countFromLeases = cs.leaseCounter.Count()
}
countFromResponses := cs.lastReceivedServerCount
serverCount = countFromLeases
countSourceLabel = fromLeases
if countFromResponses > serverCount {
serverCount = countFromResponses
countSourceLabel = fromResponses
}
if serverCount == 0 {
serverCount = 1
countSourceLabel = fromFallback
}
}
if serverCount != cs.lastServerCount {
klog.Warningf("change detected in proxy server count (was: %d, now: %d, source: %q)", cs.lastServerCount, serverCount, countSourceLabel)
cs.lastServerCount = serverCount
}
metrics.Metrics.SetServerCount(serverCount)
return serverCount
}
func (cs *ClientSet) connectOnce() (int, error) {
serverCount := cs.ServerCount()
if !cs.syncForever && serverCount != 0 && cs.ClientsCount() >= serverCount {
return serverCount, nil
}
c, receivedServerCount, err := cs.newAgentClient()
if err != nil {
return serverCount, err
}
cs.lastReceivedServerCount = receivedServerCount
if err := cs.AddClient(c.serverID, c); err != nil {
c.Close()
return serverCount, err
}
klog.V(2).InfoS("sync added client connecting to proxy server", "serverID", c.serverID)
labels := runpprof.Labels(
"agentIdentifiers", cs.agentIdentifiers,
"serverAddress", cs.address,
"serverID", c.serverID,
)
go runpprof.Do(context.Background(), labels, func(context.Context) { c.Serve() })
return serverCount, nil
}
func (cs *ClientSet) Serve() {
labels := runpprof.Labels(
"agentIdentifiers", cs.agentIdentifiers,
"serverAddress", cs.address,
)
go runpprof.Do(context.Background(), labels, func(context.Context) { cs.sync() })
}
func (cs *ClientSet) shutdown() {
cs.mu.Lock()
defer cs.mu.Unlock()
for serverID, client := range cs.clients {
client.Close()
delete(cs.clients, serverID)
}
}
|