前往小程序,Get更优阅读体验!
立即前往
首页
学习
活动
专区
工具
TVP
发布
社区首页 >专栏 >【K8s源码品读】002:Phase 1 - kubectl - create的调用逻辑

【K8s源码品读】002:Phase 1 - kubectl - create的调用逻辑

作者头像
junedayday
发布2021-08-05 15:10:51
4740
发布2021-08-05 15:10:51
举报
文章被收录于专栏:Go编程点滴Go编程点滴

聚焦目标

我们的目标是查看kubectl create -f nginx_pod.yaml 这个命令是怎么运行的。

目录

  1. main函数入口
  2. 传入参数与子命令的匹配
  3. kubectl命令的初始化
  4. 查看create子命令
  5. runCreate的创建逻辑

main

func main() {
  // 如果不调用rand.Seed,每次重新运行这个main函数,rand下的函数返回值始终一致
 // Seed即随机的种子,每次用时间戳作为种子,就能保证随机性
 rand.Seed(time.Now().UnixNano())

  // 创建了kubectl命令的默认参数
 command := cmd.NewDefaultKubectlCommand()

 // TODO: once we switch everything over to Cobra commands, we can go back to calling
 // cliflag.InitFlags() (by removing its pflag.Parse() call). For now, we have to set the
 // normalize func and add the go flag set by hand.
 pflag.CommandLine.SetNormalizeFunc(cliflag.WordSepNormalizeFunc)
 pflag.CommandLine.AddGoFlagSet(goflag.CommandLine)
 // cliflag.InitFlags()
  
  // 日志的初始化与退出
 logs.InitLogs()
 defer logs.FlushLogs()

  // 运行command
 if err := command.Execute(); err != nil {
  os.Exit(1)
 }
}

match

// k8s的命令行工具采用了 cobra 库,具有命令提示等强大功能,比go语言自带的flag强大很多,可参考 github.com/spf13/cobra
func NewDefaultKubectlCommand() *cobra.Command {
 return NewDefaultKubectlCommandWithArgs(NewDefaultPluginHandler(plugin.ValidPluginFilenamePrefixes), os.Args, os.Stdin, os.Stdout, os.Stderr)
}

func NewDefaultKubectlCommandWithArgs(pluginHandler PluginHandler, args []string, in io.Reader, out, errout io.Writer) *cobra.Command {
  // 初始化NewKubectlCommand,采用标准输入、输出、错误输出
 cmd := NewKubectlCommand(in, out, errout)

 if pluginHandler == nil {
  return cmd
 }

 if len(args) > 1 {
    // 这里为传入的参数,即 create -f nginx_pod.yaml 部分
  cmdPathPieces := args[1:]

  // 调用cobra的Find去匹配args
  if _, _, err := cmd.Find(cmdPathPieces); err != nil {
   if err := HandlePluginCommand(pluginHandler, cmdPathPieces); err != nil {
    fmt.Fprintf(errout, "%v\n", err)
    os.Exit(1)
   }
  }
 }

 return cmd
}

command

代码较长,我选择关键性的内容进行讲解

func NewKubectlCommand(in io.Reader, out, err io.Writer) *cobra.Command {
 warningHandler := rest.NewWarningWriter(err, rest.WarningWriterOptions{Deduplicate: true, Color: term.AllowsColorOutput(err)})
 warningsAsErrors := false

 // 创建主命令
 cmds := &cobra.Command{
  Use:   "kubectl",
  Short: i18n.T("kubectl controls the Kubernetes cluster manager"),
  Long: templates.LongDesc(`
      kubectl controls the Kubernetes cluster manager.

      Find more information at:
            https://kubernetes.io/docs/reference/kubectl/overview/`),
  Run: runHelp,
  // 初始化后,在运行指令前的钩子
  PersistentPreRunE: func(*cobra.Command, []string) error {
   rest.SetDefaultWarningHandler(warningHandler)
      // 这里是做pprof性能分析,跳转到对应代码可以看到,我们可以用参数 --profile xxx 来采集性能指标,默认保存在当前目录下的profile.pprof中
   return initProfiling()
  },
    // 运行指令后的钩子
  PersistentPostRunE: func(*cobra.Command, []string) error {
      // 保存pprof性能分析指标
   if err := flushProfiling(); err != nil {
    return err
   }
      // 打印warning条数
   if warningsAsErrors {
    count := warningHandler.WarningCount()
    switch count {
    case 0:
     // no warnings
    case 1:
     return fmt.Errorf("%d warning received", count)
    default:
     return fmt.Errorf("%d warnings received", count)
    }
   }
   return nil
  },
    // bash自动补齐功能,可通过 kubectl completion bash 命令查看
    // 具体安装可参考 https://kubernetes.io/docs/tasks/tools/install-kubectl/#enabling-shell-autocompletion
  BashCompletionFunction: bashCompletionFunc,
 }

  // 实例化Factory接口,工厂模式
 f := cmdutil.NewFactory(matchVersionKubeConfigFlags)

 // 省略实例化的过程代码

  // kubectl定义了7类命令,结合Message和各个子命令的package名来看
 groups := templates.CommandGroups{
  {
      // 1. 初级命令,包括 create/expose/run/set
   Message: "Basic Commands (Beginner):",
   Commands: []*cobra.Command{
    create.NewCmdCreate(f, ioStreams),
    expose.NewCmdExposeService(f, ioStreams),
    run.NewCmdRun(f, ioStreams),
    set.NewCmdSet(f, ioStreams),
   },
  },
  {
      // 2. 中级命令,包括explain/get/edit/delete
   Message: "Basic Commands (Intermediate):",
   Commands: []*cobra.Command{
    explain.NewCmdExplain("kubectl", f, ioStreams),
    get.NewCmdGet("kubectl", f, ioStreams),
    edit.NewCmdEdit(f, ioStreams),
    delete.NewCmdDelete(f, ioStreams),
   },
  },
  {
      // 3. 部署命令,包括 rollout/scale/autoscale
   Message: "Deploy Commands:",
   Commands: []*cobra.Command{
    rollout.NewCmdRollout(f, ioStreams),
    scale.NewCmdScale(f, ioStreams),
    autoscale.NewCmdAutoscale(f, ioStreams),
   },
  },
  {
      // 4. 集群管理命令,包括 cerfificate/cluster-info/top/cordon/drain/taint
   Message: "Cluster Management Commands:",
   Commands: []*cobra.Command{
    certificates.NewCmdCertificate(f, ioStreams),
    clusterinfo.NewCmdClusterInfo(f, ioStreams),
    top.NewCmdTop(f, ioStreams),
    drain.NewCmdCordon(f, ioStreams),
    drain.NewCmdUncordon(f, ioStreams),
    drain.NewCmdDrain(f, ioStreams),
    taint.NewCmdTaint(f, ioStreams),
   },
  },
  {
      // 5. 故障排查和调试,包括 describe/logs/attach/exec/port-forward/proxy/cp/auth
   Message: "Troubleshooting and Debugging Commands:",
   Commands: []*cobra.Command{
    describe.NewCmdDescribe("kubectl", f, ioStreams),
    logs.NewCmdLogs(f, ioStreams),
    attach.NewCmdAttach(f, ioStreams),
    cmdexec.NewCmdExec(f, ioStreams),
    portforward.NewCmdPortForward(f, ioStreams),
    proxy.NewCmdProxy(f, ioStreams),
    cp.NewCmdCp(f, ioStreams),
    auth.NewCmdAuth(f, ioStreams),
   },
  },
  {
      // 6. 高级命令,包括diff/apply/patch/replace/wait/convert/kustomize
   Message: "Advanced Commands:",
   Commands: []*cobra.Command{
    diff.NewCmdDiff(f, ioStreams),
    apply.NewCmdApply("kubectl", f, ioStreams),
    patch.NewCmdPatch(f, ioStreams),
    replace.NewCmdReplace(f, ioStreams),
    wait.NewCmdWait(f, ioStreams),
    convert.NewCmdConvert(f, ioStreams),
    kustomize.NewCmdKustomize(ioStreams),
   },
  },
  {
      // 7. 设置命令,包括label,annotate,completion
   Message: "Settings Commands:",
   Commands: []*cobra.Command{
    label.NewCmdLabel(f, ioStreams),
    annotate.NewCmdAnnotate("kubectl", f, ioStreams),
    completion.NewCmdCompletion(ioStreams.Out, ""),
   },
  },
 }
 groups.Add(cmds)

 filters := []string{"options"}

 // alpha相关的子命令
 alpha := cmdpkg.NewCmdAlpha(f, ioStreams)
 if !alpha.HasSubCommands() {
  filters = append(filters, alpha.Name())
 }

 templates.ActsAsRootCommand(cmds, filters, groups...)

  // 代码补全相关
 for name, completion := range bashCompletionFlags {
  if cmds.Flag(name) != nil {
   if cmds.Flag(name).Annotations == nil {
    cmds.Flag(name).Annotations = map[string][]string{}
   }
   cmds.Flag(name).Annotations[cobra.BashCompCustom] = append(
    cmds.Flag(name).Annotations[cobra.BashCompCustom],
    completion,
   )
  }
 }

  // 添加其余子命令,包括 alpha/config/plugin/version/api-versions/api-resources/options
 cmds.AddCommand(alpha)
 cmds.AddCommand(cmdconfig.NewCmdConfig(f, clientcmd.NewDefaultPathOptions(), ioStreams))
 cmds.AddCommand(plugin.NewCmdPlugin(f, ioStreams))
 cmds.AddCommand(version.NewCmdVersion(f, ioStreams))
 cmds.AddCommand(apiresources.NewCmdAPIVersions(f, ioStreams))
 cmds.AddCommand(apiresources.NewCmdAPIResources(f, ioStreams))
 cmds.AddCommand(options.NewCmdOptions(ioStreams.Out))

 return cmds
}

create

func NewCmdCreate(f cmdutil.Factory, ioStreams genericclioptions.IOStreams) *cobra.Command {
  // create子命令的相关选项
 o := NewCreateOptions(ioStreams)

  // create子命令的相关说明
 cmd := &cobra.Command{
  Use:                   "create -f FILENAME",
  DisableFlagsInUseLine: true,
  Short:                 i18n.T("Create a resource from a file or from stdin."),
  Long:                  createLong,
  Example:               createExample,
    // 验证参数并运行
  Run: func(cmd *cobra.Command, args []string) {
   if cmdutil.IsFilenameSliceEmpty(o.FilenameOptions.Filenames, o.FilenameOptions.Kustomize) {
    ioStreams.ErrOut.Write([]byte("Error: must specify one of -f and -k\n\n"))
    defaultRunFunc := cmdutil.DefaultSubCommandRun(ioStreams.ErrOut)
    defaultRunFunc(cmd, args)
    return
   }
   cmdutil.CheckErr(o.Complete(f, cmd))
   cmdutil.CheckErr(o.ValidateArgs(cmd, args))
      // 核心的运行代码逻辑是在这里的RunCreate
   cmdutil.CheckErr(o.RunCreate(f, cmd))
  },
 }

 o.RecordFlags.AddFlags(cmd)

 usage := "to use to create the resource"
  // 加入文件名选项的flag -f,保存到o.FilenameOptions.Filenames中,对应上面
 cmdutil.AddFilenameOptionFlags(cmd, &o.FilenameOptions, usage)
 cmdutil.AddValidateFlags(cmd)
 cmd.Flags().BoolVar(&o.EditBeforeCreate, "edit", o.EditBeforeCreate, "Edit the API resource before creating")
 cmd.Flags().Bool("windows-line-endings", runtime.GOOS == "windows",
  "Only relevant if --edit=true. Defaults to the line ending native to your platform.")
 cmdutil.AddApplyAnnotationFlags(cmd)
 cmdutil.AddDryRunFlag(cmd)
 cmd.Flags().StringVarP(&o.Selector, "selector", "l", o.Selector, "Selector (label query) to filter on, supports '=', '==', and '!='.(e.g. -l key1=value1,key2=value2)")
 cmd.Flags().StringVar(&o.Raw, "raw", o.Raw, "Raw URI to POST to the server.  Uses the transport specified by the kubeconfig file.")
 cmdutil.AddFieldManagerFlagVar(cmd, &o.fieldManager, "kubectl-create")

 o.PrintFlags.AddFlags(cmd)

 // create的子命令,指定create对象
 cmd.AddCommand(NewCmdCreateNamespace(f, ioStreams))
 cmd.AddCommand(NewCmdCreateQuota(f, ioStreams))
 cmd.AddCommand(NewCmdCreateSecret(f, ioStreams))
 cmd.AddCommand(NewCmdCreateConfigMap(f, ioStreams))
 cmd.AddCommand(NewCmdCreateServiceAccount(f, ioStreams))
 cmd.AddCommand(NewCmdCreateService(f, ioStreams))
 cmd.AddCommand(NewCmdCreateDeployment(f, ioStreams))
 cmd.AddCommand(NewCmdCreateClusterRole(f, ioStreams))
 cmd.AddCommand(NewCmdCreateClusterRoleBinding(f, ioStreams))
 cmd.AddCommand(NewCmdCreateRole(f, ioStreams))
 cmd.AddCommand(NewCmdCreateRoleBinding(f, ioStreams))
 cmd.AddCommand(NewCmdCreatePodDisruptionBudget(f, ioStreams))
 cmd.AddCommand(NewCmdCreatePriorityClass(f, ioStreams))
 cmd.AddCommand(NewCmdCreateJob(f, ioStreams))
 cmd.AddCommand(NewCmdCreateCronJob(f, ioStreams))
 return cmd
}

runCreate

func (o *CreateOptions) RunCreate(f cmdutil.Factory, cmd *cobra.Command) error {
 // f为传入的Factory,主要是封装了与kube-apiserver交互客户端
  
 schema, err := f.Validator(cmdutil.GetFlagBool(cmd, "validate"))
 if err != nil {
  return err
 }

 cmdNamespace, enforceNamespace, err := f.ToRawKubeConfigLoader().Namespace()
 if err != nil {
  return err
 }

  // 实例化Builder,这块的逻辑比较复杂,我们先关注文件部分
 r := f.NewBuilder().
  Unstructured().
  Schema(schema).
  ContinueOnError().
  NamespaceParam(cmdNamespace).DefaultNamespace().
   // 读取文件信息,发现除了支持简单的本地文件,也支持标准输入和http/https协议访问的文件,保存为Visitor
  FilenameParam(enforceNamespace, &o.FilenameOptions).
  LabelSelectorParam(o.Selector).
  Flatten().
  Do()
 err = r.Err()
 if err != nil {
  return err
 }

 count := 0
  // 调用visit函数,创建资源
 err = r.Visit(func(info *resource.Info, err error) error {
  // 打印结果 xxxx created
  return o.PrintObj(info.Object)
 })
 return nil
}
本文参与 腾讯云自媒体分享计划,分享自微信公众号。
原始发表:2020-12-15,如有侵权请联系 cloudcommunity@tencent.com 删除

本文分享自 Go编程点滴 微信公众号,前往查看

如有侵权,请联系 cloudcommunity@tencent.com 删除。

本文参与 腾讯云自媒体分享计划  ,欢迎热爱写作的你一起参与!

评论
登录后参与评论
0 条评论
热度
最新
推荐阅读
目录
  • 聚焦目标
  • 目录
  • main
  • match
  • command
  • create
  • runCreate
相关产品与服务
命令行工具
腾讯云命令行工具 TCCLI 是管理腾讯云资源的统一工具。使用腾讯云命令行工具,您可以快速调用腾讯云 API 来管理您的腾讯云资源。此外,您还可以基于腾讯云的命令行工具来做自动化和脚本处理,以更多样的方式进行组合和重用。
领券
问题归档专栏文章快讯文章归档关键词归档开发者手册归档开发者手册 Section 归档