kubelet gc 源码分析

打印 上一主题 下一主题

主题 846|帖子 846|积分 2538

代码 kubernetes 1.26.15
问题

混部机子批量节点NotReady(十几个,丫的庞大故障),报错为:

意思就是 rpc 超了,节点下有太多 PodSandBox,crictl ps -a 一看有1400多个。。。大量exited的容器没有被删掉,累积起来超过了rpc限制。
PodSandBox 泄漏,crictl pods 可以看到大量同名但是 pod id不同的sanbox,几个月了kubelet并不自动删除
  1. crictl pods
  2. crictl inspectp <pod id>
  3. crictl ps -a | grep <pod-id>
  4. crictl logs <container-id>
复制代码
kubelet通过cri和containerd举行交互。crictl也可以通过cri规范和containerd交互
crictl 是 CRI(规范) 兼容的容器运行时命令行接口,可以利用它来检查和调试 k8s node节点上的容器运行时和应用程序。
kubernetes 垃圾接纳(Garbage Collection)机制由kubelet完成,kubelet定期清算不再利用的容器和镜像,每分钟举行一次容器的GC,每五分钟举行一次镜像的GC
代码逻辑

1. 开始GC

pkg/kubelet/kubelet.go:1352,开始GC func (kl *Kubelet) StartGarbageCollection()
pkg/kubelet/kuberuntime/kuberuntime_gc.go:409
  1. // GarbageCollect removes dead containers using the specified container gc policy.
  2. // Note that gc policy is not applied to sandboxes. Sandboxes are only removed when they are
  3. // not ready and containing no containers.
  4. //
  5. // GarbageCollect consists of the following steps:
  6. // * gets evictable containers which are not active and created more than gcPolicy.MinAge ago.
  7. // * removes oldest dead containers for each pod by enforcing gcPolicy.MaxPerPodContainer.
  8. // * removes oldest dead containers by enforcing gcPolicy.MaxContainers.
  9. // * gets evictable sandboxes which are not ready and contains no containers.
  10. // * removes evictable sandboxes.
  11. func (cgc *containerGC) GarbageCollect(ctx context.Context, gcPolicy kubecontainer.GCPolicy, allSourcesReady bool, evictNonDeletedPods bool) error {
  12.         errors := []error{}
  13.         // Remove evictable containers
  14.         if err := cgc.evictContainers(ctx, gcPolicy, allSourcesReady, evictNonDeletedPods); err != nil {
  15.                 errors = append(errors, err)
  16.         }
  17.         // Remove sandboxes with zero containers
  18.         if err := cgc.evictSandboxes(ctx, evictNonDeletedPods); err != nil {
  19.                 errors = append(errors, err)
  20.         }
  21.         // Remove pod sandbox log directory
  22.         if err := cgc.evictPodLogsDirectories(ctx, allSourcesReady); err != nil {
  23.                 errors = append(errors, err)
  24.         }
  25.         return utilerrors.NewAggregate(errors)
  26. }
复制代码
2. 驱逐容器 evictContainers


  • 获取 evictUnits  pkg/kubelet/kuberuntime/kuberuntime_gc.go:187
    列出所有容器,容器中状态为 ContainerState_CONTAINER_RUNNING 和 container.CreatedAt 小于 minAge 直接跳过。
    其余添加到 evictUnits
  1. map[evictUnit][]containerGCInfo
  2. // evictUnit is considered for eviction as units of (UID, container name) pair.  
  3. type evictUnit struct {  
  4.     // UID of the pod.  
  5.     uid types.UID  
  6.     // Name of the container in the pod.  
  7.     name string  
  8. }
  9. // containerGCInfo is the internal information kept for containers being considered for GC.
  10. type containerGCInfo struct {
  11.         // The ID of the container.
  12.         id string
  13.         // The name of the container.
  14.         name string
  15.         // Creation time for the container.
  16.         createTime time.Time
  17.         // If true, the container is in unknown state. Garbage collector should try
  18.         // to stop containers before removal.
  19.         unknown bool
  20. }
复制代码

  • 删除容器逻辑
  1. // evict all containers that are evictable
  2. func (cgc *containerGC) evictContainers(ctx context.Context, gcPolicy kubecontainer.GCPolicy, allSourcesReady bool, evictNonDeletedPods bool) error {
  3.         // Separate containers by evict units.
  4.         evictUnits, err := cgc.evictableContainers(ctx, gcPolicy.MinAge)
  5.         if err != nil {
  6.                 return err
  7.         }
  8.         // Remove deleted pod containers if all sources are ready.
  9.         // 如果pod已经不存在了,那么就删除其中的所有容器。
  10.         if allSourcesReady {
  11.                 for key, unit := range evictUnits {
  12.                         if cgc.podStateProvider.ShouldPodContentBeRemoved(key.uid) || (evictNonDeletedPods && cgc.podStateProvider.ShouldPodRuntimeBeRemoved(key.uid)) {
  13.                                 cgc.removeOldestN(ctx, unit, len(unit)) // Remove all.
  14.                                 delete(evictUnits, key)
  15.                         }
  16.                 }
  17.         }
  18.         // Enforce max containers per evict unit.
  19.         // 执行 GC 策略,保证每个 POD 最多只能保存 MaxPerPodContainer 个已经退出的容器
  20.         if gcPolicy.MaxPerPodContainer >= 0 {
  21.                 cgc.enforceMaxContainersPerEvictUnit(ctx, evictUnits, gcPolicy.MaxPerPodContainer)
  22.         }
  23.         // Enforce max total number of containers.
  24.         // 执行 GC 策略,保证节点上最多有 MaxContainers 个已经退出的容器
  25.         if gcPolicy.MaxContainers >= 0 && evictUnits.NumContainers() > gcPolicy.MaxContainers {
  26.                 // Leave an equal number of containers per evict unit (min: 1).
  27.                 numContainersPerEvictUnit := gcPolicy.MaxContainers / evictUnits.NumEvictUnits()
  28.                 if numContainersPerEvictUnit < 1 {
  29.                         numContainersPerEvictUnit = 1
  30.                 }
  31.                 cgc.enforceMaxContainersPerEvictUnit(ctx, evictUnits, numContainersPerEvictUnit)
  32.                 // If we still need to evict, evict oldest first.
  33.                 numContainers := evictUnits.NumContainers()
  34.                 if numContainers > gcPolicy.MaxContainers {
  35.                         flattened := make([]containerGCInfo, 0, numContainers)
  36.                         for key := range evictUnits {
  37.                                 flattened = append(flattened, evictUnits[key]...)
  38.                         }
  39.                         sort.Sort(byCreated(flattened))
  40.                         cgc.removeOldestN(ctx, flattened, numContainers-gcPolicy.MaxContainers)
  41.                 }
  42.         }
  43.         return nil
  44. }
复制代码

  • 移除该pod uid下的所有容器
    pkg/kubelet/kuberuntime/kuberuntime_gc.go:126
  1. // removeOldestN removes the oldest toRemove containers and returns the resulting slice.
  2. func (cgc *containerGC) removeOldestN(ctx context.Context, containers []containerGCInfo, toRemove int) []containerGCInfo {
  3.         // Remove from oldest to newest (last to first).
  4.         numToKeep := len(containers) - toRemove
  5.         if numToKeep > 0 {
  6.                 sort.Sort(byCreated(containers))
  7.         }
  8.         for i := len(containers) - 1; i >= numToKeep; i-- {
  9.                 if containers[i].unknown {
  10.                         // Containers in known state could be running, we should try
  11.                         // to stop it before removal.
  12.                         id := kubecontainer.ContainerID{
  13.                                 Type: cgc.manager.runtimeName,
  14.                                 ID:   containers[i].id,
  15.                         }
  16.                         message := "Container is in unknown state, try killing it before removal"
  17.                         if err := cgc.manager.killContainer(ctx, nil, id, containers[i].name, message, reasonUnknown, nil); err != nil {
  18.                                 klog.ErrorS(err, "Failed to stop container", "containerID", containers[i].id)
  19.                                 continue
  20.                         }
  21.                 }
  22.                 if err := cgc.manager.removeContainer(ctx, containers[i].id); err != nil {
  23.                         klog.ErrorS(err, "Failed to remove container", "containerID", containers[i].id)
  24.                 }
  25.         }
  26.         // Assume we removed the containers so that we're not too aggressive.
  27.         return containers[:numToKeep]
  28. }
复制代码
3. 驱逐sandbox evictSandboxes

pkg/kubelet/kuberuntime/kuberuntime_gc.go:276
移除所有可驱逐的沙箱。可驱逐的沙箱必须满意以下要求: 1.未处于停当状态2.不包含任何容器。3.属于不存在的 (即,已经移除的) pod,或者不是该pod的近来创建的沙箱。
缘故原由分析

如今现象是 crictl pods 可以看到大量同名但是 pod id不同的sanbox。  根据 3 点要求

  • sanbox notReady 满意
  • 不包容任何容器 不满意
  • 不是该pod的近来创建的沙箱 满意
因此sandbox 删不掉的缘故原由是 sandbox下的容器未被删除
容器异常退出后,根据重启计谋 restartPolicy: Always pod 会不断重启,直到 超过时限失败。
Pod 的垃圾收集

https://kubernetes.io/zh-cn/docs/concepts/workloads/pods/pod-lifecycle/#pod-garbage-collection
对于已失败的 Pod 而言,对应的 API 对象仍然会保留在集群的 API 服务器上, 直到用户或者控制器进程显式地将其删除。
Pod 的垃圾收集器(PodGC)是控制平面的控制器,它会在 Pod 个数超出所设置的阈值 (根据 kube-controller-manager 的 terminated-pod-gc-threshold 设置 默认值:12500)时删除已终止的 Pod(阶段值为 Succeeded 或 Failed)。 这一行为会避免随着时间演进不断创建和终止 Pod 而引起的资源泄漏问题。
容器什么时候删除


上面是pod纬度,但是我们的现象是容器删不掉,所以并不是缘故原由,继承看代码
免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

傲渊山岳

金牌会员
这个人很懒什么都没写!

标签云

快速回复 返回顶部 返回列表