91超碰碰碰碰久久久久久综合_超碰av人澡人澡人澡人澡人掠_国产黄大片在线观看画质优化_txt小说免费全本

溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點擊 登錄注冊 即表示同意《億速云用戶服務條款》

cluster-proportional-autoscaler源碼分析及如何解決KubeDNS性能瓶頸

發布時間:2021-12-06 13:59:02 來源:億速云 閱讀:202 作者:柒染 欄目:云計算

cluster-proportional-autoscaler源碼分析及如何解決KubeDNS性能瓶頸,很多新手對此不是很清楚,為了幫助大家解決這個難題,下面小編將為大家詳細講解,有這方面需求的人可以來學習下,希望你能有所收獲。

工作機制

cluster-proportional-autoscaler是kubernetes的孵化項目之一,用來根據集群規模動態的擴縮容指定的namespace下的target(只支持RC, RS, Deployment),還不支持對StatefulSet。目前只提供兩種autoscale模式,一種是linear,另一種是ladder,你能很容易的定制開發新的模式,代碼接口非常清晰。

cluster-proportional-autoscaler工作機制很簡單,每隔一定時間(通過--poll-period-seconds配置,默認10s)重復進行如下操作:

  • 統計一次集群中ScheduableNodes和ScheduableCores;

  • 從apiserver中獲取最新configmap數據;

  • 根據對應的autoscale模式,進行configmap參數解析;

  • 據對應的autoscale模式,計算新的期望副本數;

  • 如果與上一次期望副本數不同,則調用Scale接口觸發AutoScale;

配置說明

cluster-proportional-autoscaler一共有下面6項flag:

  • --namespace: 要autoscale的對象所在的namespace;

  • --target: 要autoscale的對象,只支持deployment/replicationcontroller/replicaset,不區分大小寫;

  • --configmap: 配置實現創建好的configmap,里面存儲要使用的模式及其配置,后面會有具體的示例;

  • --default-params: 如果--configmap中配置的configmap不存在或者后來被刪除了,則使用該配置來創建新的configmap,建議要配置;

  • --poll-period-seconds: 檢查周期,默認為10s。

  • --version: 打印vesion并退出。

源碼分析

pollAPIServer

pkg/autoscaler/autoscaler_server.go:82
func (s *AutoScaler) pollAPIServer() {
	// Query the apiserver for the cluster status --- number of nodes and cores
	clusterStatus, err := s.k8sClient.GetClusterStatus()
	if err != nil {
		glog.Errorf("Error while getting cluster status: %v", err)
		return
	}
	glog.V(4).Infof("Total nodes %5d, schedulable nodes: %5d", clusterStatus.TotalNodes, clusterStatus.SchedulableNodes)
	glog.V(4).Infof("Total cores %5d, schedulable cores: %5d", clusterStatus.TotalCores, clusterStatus.SchedulableCores)

	// Sync autoscaler ConfigMap with apiserver
	configMap, err := s.syncConfigWithServer()
	if err != nil || configMap == nil {
		glog.Errorf("Error syncing configMap with apiserver: %v", err)
		return
	}

	// Only sync updated ConfigMap or before controller is set.
	if s.controller == nil || configMap.ObjectMeta.ResourceVersion != s.controller.GetParamsVersion() {
		// Ensure corresponding controller type and scaling params.
		s.controller, err = plugin.EnsureController(s.controller, configMap)
		if err != nil || s.controller == nil {
			glog.Errorf("Error ensuring controller: %v", err)
			return
		}
	}

	// Query the controller for the expected replicas number
	expReplicas, err := s.controller.GetExpectedReplicas(clusterStatus)
	if err != nil {
		glog.Errorf("Error calculating expected replicas number: %v", err)
		return
	}
	glog.V(4).Infof("Expected replica count: %3d", expReplicas)

	// Update resource target with expected replicas.
	_, err = s.k8sClient.UpdateReplicas(expReplicas)
	if err != nil {
		glog.Errorf("Update failure: %s", err)
	}
}

GetClusterStatus

GetClusterStatus用于統計集群中SchedulableNodes, SchedulableCores,用于后面計算新的期望副本數。

pkg/autoscaler/k8sclient/k8sclient.go:142
func (k *k8sClient) GetClusterStatus() (clusterStatus *ClusterStatus, err error) {
	opt := metav1.ListOptions{Watch: false}

	nodes, err := k.clientset.CoreV1().Nodes().List(opt)
	if err != nil || nodes == nil {
		return nil, err
	}
	clusterStatus = &ClusterStatus{}
	clusterStatus.TotalNodes = int32(len(nodes.Items))
	var tc resource.Quantity
	var sc resource.Quantity
	for _, node := range nodes.Items {
		tc.Add(node.Status.Capacity[apiv1.ResourceCPU])
		if !node.Spec.Unschedulable {
			clusterStatus.SchedulableNodes++
			sc.Add(node.Status.Capacity[apiv1.ResourceCPU])
		}
	}

	tcInt64, tcOk := tc.AsInt64()
	scInt64, scOk := sc.AsInt64()
	if !tcOk || !scOk {
		return nil, fmt.Errorf("unable to compute integer values of schedulable cores in the cluster")
	}
	clusterStatus.TotalCores = int32(tcInt64)
	clusterStatus.SchedulableCores = int32(scInt64)
	k.clusterStatus = clusterStatus
	return clusterStatus, nil
}
  • Nodes數量統計時,是會剔除掉那些 Unschedulable Nodes的。

  • Cores數量統計時,是會減掉那些 Unschedulable Nodes對應Capacity。

    • 請注意,這里計算Cores時統計的是Node的Capacity,而不是Allocatable。

    • 我認為,使用Allocatable要比Capacity更好。

    • 這兩者在大規模集群時就會體現出差別了,比如每個Node Allocatable比Capacity少1c4g,那么2K個Node集群規模時,就相差2000c8000g,這將是的target object number相差很大。

有些同學可能要問:Node Allocatable和Capacity有啥不同呢?

  • Capacity是Node硬件層面提供的全部資源,服務器配置的多少內存,cpu核數等,都是由硬件決定的。

  • Allocatable則要在Capacity的基礎上減去kubelet flag中配置的kube-resreved和system-reserved資源大小,是Kubernetes給應用真正可分配的資源數。

syncConfigWithServer

syncConfigWithServer主要是從apiserver中獲取最新configmap數據,注意這里并沒有去watch configmap,而是按照--poll-period-seconds(默認10s)定期的去get,所以默認會存在最多10s的延遲。

pkg/autoscaler/autoscaler_server.go:124
func (s *AutoScaler) syncConfigWithServer() (*apiv1.ConfigMap, error) {
	// Fetch autoscaler ConfigMap data from apiserver
	configMap, err := s.k8sClient.FetchConfigMap(s.k8sClient.GetNamespace(), s.configMapName)
	if err == nil {
		return configMap, nil
	}
	if s.defaultParams == nil {
		return nil, err
	}
	glog.V(0).Infof("ConfigMap not found: %v, will create one with default params", err)
	configMap, err = s.k8sClient.CreateConfigMap(s.k8sClient.GetNamespace(), s.configMapName, s.defaultParams)
	if err != nil {
		return nil, err
	}
	return configMap, nil
}
  • 如果配置的--configmap在集群中已經存在,則從apiserver中獲取最新的configmap并返回;

  • 如果配置的--configmap在集群中不存在,則根據--default-params的內容創建一個configmap并返回;

  • 如果配置的--configmap在集群中不存在,且--default-params又沒有配置,則返回nil,意味著失敗,整個流程結束,使用時請注意!

建議一定要配置--default-params,因為--configmap配置的configmap有可能有意或者無意的被管理員/用戶刪除了,而你又沒配置--default-params,那么這個時候pollAPIServer將就此結束,因為著你沒達到autoscale target的目的,關鍵是你可能并在不知道集群這個時候出現了這個情況。

EnsureController

EnsureController用來根據configmap中配置的controller type創建對應Controller及解析參數。

pkg/autoscaler/controller/plugin/plugin.go:32

// EnsureController ensures controller type and scaling params
func EnsureController(cont controller.Controller, configMap *apiv1.ConfigMap) (controller.Controller, error) {
	// Expect only one entry, which uses the name of control mode as the key
	if len(configMap.Data) != 1 {
		return nil, fmt.Errorf("invalid configMap format, expected only one entry, got: %v", configMap.Data)
	}
	for mode := range configMap.Data {
		// No need to reset controller if control pattern doesn't change
		if cont != nil && mode == cont.GetControllerType() {
			break
		}
		switch mode {
		case laddercontroller.ControllerType:
			cont = laddercontroller.NewLadderController()
		case linearcontroller.ControllerType:
			cont = linearcontroller.NewLinearController()
		default:
			return nil, fmt.Errorf("not a supported control mode: %v", mode)
		}
		glog.V(1).Infof("Set control mode to %v", mode)
	}

	// Sync config with controller
	if err := cont.SyncConfig(configMap); err != nil {
		return nil, fmt.Errorf("Error syncing configMap with controller: %v", err)
	}
	return cont, nil
}
  • 檢查configmap data中是否只有一個entry,如果不是,則該configmap不合法,流程結束;

  • 檢查controller的類型是否為linearladder其中之一,并調用對應的方法創建對應的Controller,否則返回失敗;

    • linear --> NewLinearController

    • ladder --> NewLadderController

  • 調用對應Controller的SyncConfig解析configmap data中參數和configmap ResourceVersion更新到Controller對象中;

GetExpectedReplicas

linear和ladder Controller分別實現了自己的GetExpectedReplicas方法,用來計算期望此次監控到的數據應該有的副本數。具體的看下面關于Linear Controller和Ladder Controller部分。

UpdateReplicas

UpdateReplicas將GetExpectedReplicas計算得到的期望副本數,通過調用對應target(rc/rs/deploy)對應的Scale接口,由Scale去完成target的縮容擴容。

pkg/autoscaler/k8sclient/k8sclient.go:172
func (k *k8sClient) UpdateReplicas(expReplicas int32) (prevRelicas int32, err error) {
	scale, err := k.clientset.Extensions().Scales(k.target.namespace).Get(k.target.kind, k.target.name)
	if err != nil {
		return 0, err
	}
	prevRelicas = scale.Spec.Replicas
	if expReplicas != prevRelicas {
		glog.V(0).Infof("Cluster status: SchedulableNodes[%v], SchedulableCores[%v]", k.clusterStatus.SchedulableNodes, k.clusterStatus.SchedulableCores)
		glog.V(0).Infof("Replicas are not as expected : updating replicas from %d to %d", prevRelicas, expReplicas)
		scale.Spec.Replicas = expReplicas
		_, err = k.clientset.Extensions().Scales(k.target.namespace).Update(k.target.kind, scale)
		if err != nil {
			return 0, err
		}
	}
	return prevRelicas, nil
}

下面是對Linear Controller和Ladder Controller具體實現的代碼分析。

Linear Controller

先來看看linear Controller的參數:

pkg/autoscaler/controller/linearcontroller/linear_controller.go:50
type linearParams struct {
	CoresPerReplica           float64 `json:"coresPerReplica"`
	NodesPerReplica           float64 `json:"nodesPerReplica"`
	Min                       int     `json:"min"`
	Max                       int     `json:"max"`
	PreventSinglePointFailure bool    `json:"preventSinglePointFailure"`
}

寫configmap時,參考如下:

kind: ConfigMap
apiVersion: v1
metadata:
  name: nginx-autoscaler
  namespace: default
data:
  linear: |-
    { 
      "coresPerReplica": 2,
      "nodesPerReplica": 1,
      "preventSinglePointFailure": true,
      "min": 1,
      "max": 100
    }

其他參數不多說,我想提的是PreventSinglePointFailure,字面意思是防止單點故障,是一個bool值,代碼中沒有進行顯示的初始化,意味著默認為false。可以在對應的configmap data或者dafault-params中設置"preventSinglePointFailure": true,但設置為true后,如果schedulableNodes > 1,則會保證target's replicas至少為2,也就是防止了target單點故障。

pkg/autoscaler/controller/linearcontroller/linear_controller.go:101

func (c *LinearController) GetExpectedReplicas(status *k8sclient.ClusterStatus) (int32, error) {
	// Get the expected replicas for the currently schedulable nodes and cores
	expReplicas := int32(c.getExpectedReplicasFromParams(int(status.SchedulableNodes), int(status.SchedulableCores)))

	return expReplicas, nil
}

func (c *LinearController) getExpectedReplicasFromParams(schedulableNodes, schedulableCores int) int {
	replicasFromCore := c.getExpectedReplicasFromParam(schedulableCores, c.params.CoresPerReplica)
	replicasFromNode := c.getExpectedReplicasFromParam(schedulableNodes, c.params.NodesPerReplica)
	// Prevent single point of failure by having at least 2 replicas when
	// there are more than one node.
	if c.params.PreventSinglePointFailure &&
		schedulableNodes > 1 &&
		replicasFromNode < 2 {
		replicasFromNode = 2
	}

	// Returns the results which yields the most replicas
	if replicasFromCore > replicasFromNode {
		return replicasFromCore
	}
	return replicasFromNode
}

func (c *LinearController) getExpectedReplicasFromParam(schedulableResources int, resourcesPerReplica float64) int {
	if resourcesPerReplica == 0 {
		return 1
	}
	res := math.Ceil(float64(schedulableResources) / resourcesPerReplica)
	if c.params.Max != 0 {
		res = math.Min(float64(c.params.Max), res)
	}
	return int(math.Max(float64(c.params.Min), res))
}
  • 根據schedulableCores和configmap中的CoresPerReplica,按照如下公式計算得到replicasFromCore;

    • replicasFromCore = ceil( schedulableCores * 1/CoresPerReplica )

  • 根據schedulableNodes和configmap中的NodesPerReplica,按照如下公式計算得到replicasFromNode;

    • replicasFromNode = ceil( schedulableNodes * 1/NodesPerReplica ) )

  • 如果configmap中配置了min或者max,則必須保證replicas在min和max范圍內;

    • replicas = min(replicas, max)

    • replicas = max(replicas, min)

  • 如果配置了preventSinglePointFailure為true并且schedulableNodes > 1,則根據前面提到的邏輯進行防止單點故障,replicasFromNode必須大于2;

    • replicasFromNode = max(2, replicasFromNode)

  • 返回replicasFromNode和replicasFromCore中的最大者作為期望副本數。

概括起來,linear controller計算replicas的公式為:

replicas = max( ceil( cores * 1/coresPerReplica ) , ceil( nodes * 1/nodesPerReplica ) )
replicas = min(replicas, max)
replicas = max(replicas, min)

Ladder Controller

下面是ladder Controller的參數結構:

pkg/autoscaler/controller/laddercontroller/ladder_controller.go:66
type paramEntry [2]int
type paramEntries []paramEntry
type ladderParams struct {
	CoresToReplicas paramEntries `json:"coresToReplicas"`
	NodesToReplicas paramEntries `json:"nodesToReplicas"`
}

寫configmap時,參考如下:

kind: ConfigMap
apiVersion: v1
metadata:
  name: nginx-autoscaler
  namespace: default
data:
  ladder: |-
    { 
      "coresToReplicas":
      [
        [ 1,1 ],
        [ 3,3 ],
        [256,4],
        [ 512,5 ],
        [ 1024,7 ]
      ],
      "nodesToReplicas":
      [
        [ 1,1 ],
        [ 2,2 ],
        [100, 5],
        [200, 12]
      ]
    }

下面是ladder Controller對應的計算期望副本值的方法。

func (c *LadderController) GetExpectedReplicas(status *k8sclient.ClusterStatus) (int32, error) {
	// Get the expected replicas for the currently schedulable nodes and cores
	expReplicas := int32(c.getExpectedReplicasFromParams(int(status.SchedulableNodes), int(status.SchedulableCores)))

	return expReplicas, nil
}

func (c *LadderController) getExpectedReplicasFromParams(schedulableNodes, schedulableCores int) int {
	replicasFromCore := getExpectedReplicasFromEntries(schedulableCores, c.params.CoresToReplicas)
	replicasFromNode := getExpectedReplicasFromEntries(schedulableNodes, c.params.NodesToReplicas)

	// Returns the results which yields the most replicas
	if replicasFromCore > replicasFromNode {
		return replicasFromCore
	}
	return replicasFromNode
}

func getExpectedReplicasFromEntries(schedulableResources int, entries []paramEntry) int {
	if len(entries) == 0 {
		return 1
	}
	// Binary search for the corresponding replicas number
	pos := sort.Search(
		len(entries),
		func(i int) bool {
			return schedulableResources < entries[i][0]
		})
	if pos > 0 {
		pos = pos - 1
	}
	return entries[pos][1]
}
  • 根據schedulableCores在configmap中的CoresToReplicas定義的那個范圍中,就選擇預先設定的期望副本數。

  • 根據schedulableNodes在configmap中的NodesToReplicas定義的那個范圍中,就選擇預先設定的期望副本數。

  • 返回上面兩者中的最大者作為期望副本數。

注意:

  • ladder模式下,沒有防止單點故障的設置項,用戶配置configmap時候要自己注意;

  • ladder模式下,沒有NodesToReplicas或者CoresToReplicas對應的配置為空,則對應的replicas設為1;

比如前面舉例的configmap,如果集群中schedulableCores=400(對應期望副本為4),schedulableNodes=120(對應期望副本為5),則最終的期望副本數為5.

使用kube-dns-autoscaler解決KubeDNS性能瓶頸問題

通過如下yaml文件創建kube-dns-autoscaler Deployment和configmap, kube-dns-autoscaler每個30s會進行一次副本數計算檢查,并可能觸發AutoScale。

kind: ConfigMap
apiVersion: v1
metadata:
  name: kube-dns-autoscaler
  namespace: kube-system
data:
  linear: |
    {
    "nodesPerReplica": 10,
    "min": 1,
    "max": 50,
    "preventSinglePointFailure": true
    } 

‐‐‐

apiVersion: extensions/v1beta1
kind: Deployment
metadata:
  name: kube-dns-autoscaler
  namespace: kube-system
spec:
  template:
    metadata:
      labels:
        k8s-app: kube-dns-autoscaler
    spec:
      imagePullSecrets:
      - name: harborsecret
      containers:
      - name: autoscaler
        image: registry.vivo.xyz:4443/bigdata_release/cluster_proportional_autoscaler_amd64:1.0.0
        resources:
          requests:
            cpu: "50m"
            memory: "100Mi"
        command:
        - /cluster-proportional-autoscaler
        - --namespace=kube-system
        - --configmap=kube-dns-autoscaler
        - --target=Deployment/kube-dns
        - --default-params={"linear":{"nodesPerReplica":10,"min":1}}
        - --logtostderr=true
        - --v=2

總結和展望

  • cluster-proportional-autoscaler代碼很簡單,工作機制也很單純,我們希望用它根據集群規模來動態擴展KubeDNS,以解決TensorFlow on Kubernetes項目中大規模的域名解析性能問題。

  • 目前它只支持根據SchedulableNodes和SchedulableCores來autoscale,在AI的場景中,存在集群資源極度壓榨的情況,一個集群承載的svc和pod波動范圍很大,后續我們可能會開發根據service number來autoscale kubedns的controller。

  • 另外,我還考慮將KubeDNS的部署從AI訓練服務器中隔離出來,因為訓練時經常會將服務器cpu跑到95%以上,KubeDNS也部署在這臺服務器上的話,勢必也會影響KubeDNS性能。

看完上述內容是否對您有幫助呢?如果還想對相關知識有進一步的了解或閱讀更多相關文章,請關注億速云行業資訊頻道,感謝您對億速云的支持。

向AI問一下細節

免責聲明:本站發布的內容(圖片、視頻和文字)以原創、轉載和分享為主,文章觀點不代表本網站立場,如果涉及侵權請聯系站長郵箱:is@yisu.com進行舉報,并提供相關證據,一經查實,將立刻刪除涉嫌侵權內容。

AI

松原市| 托克托县| 咸宁市| 墨脱县| 札达县| 石城县| 屯留县| 安溪县| 利辛县| 武城县| 汝城县| 吴忠市| 宿州市| 洪洞县| 九龙城区| 康马县| 潍坊市| 临沭县| 和平区| 淅川县| 油尖旺区| 惠安县| 拉孜县| 霍林郭勒市| 保德县| 光山县| 台湾省| 泰顺县| 桂阳县| 临夏市| 嘉义市| 台中市| 贵南县| 玉溪市| 紫金县| 仁化县| 鄱阳县| 栖霞市| 呼玛县| 莎车县| 彝良县|