Spark源碼分析:Spark運行模式及原理

Spark源碼分析:Spark運行模式及原理

1.運行模式概述

spark運行模式多種多樣,分為以下幾種

  • 本地模式
  • 為分布式
  • 集群
    • standalone
    • mesos
    • hadoop yarn

基本框架:

2.相關類介紹

  • taskscheduler/taskschedulerImpl
    private[spark] trait TaskScheduler {

      private val appId = "spark-application-" + System.currentTimeMillis
    
      def rootPool: Pool
    
      def schedulingMode: SchedulingMode
    
      def start(): Unit
    
      // Invoked after system has successfully initialized (typically in spark context).
      // Yarn uses this to bootstrap allocation of resources based on preferred locations,
      // wait for slave registrations, etc.
      def postStartHook() { }
    
      // Disconnect from the cluster.
      def stop(): Unit
    
      // Submit a sequence of tasks to run.
      def submitTasks(taskSet: TaskSet): Unit
    
      // Cancel a stage.
      def cancelTasks(stageId: Int, interruptThread: Boolean): Unit
    
      /**
       * Kills a task attempt.
       *
       * @return Whether the task was successfully killed.
       */
      def killTaskAttempt(taskId: Long, interruptThread: Boolean, reason: String): Boolean
    
      // Set the DAG scheduler for upcalls. This is guaranteed to be set before submitTasks is called.
      def setDAGScheduler(dagScheduler: DAGScheduler): Unit
    
      // Get the default level of parallelism to use in the cluster, as a hint for sizing jobs.
      def defaultParallelism(): Int
    
      /**
       * Update metrics for in-progress tasks and let the master know that the BlockManager is still
       * alive. Return true if the driver knows about the given block manager. Otherwise, return false,
       * indicating that the block manager should re-register.
       */
      def executorHeartbeatReceived(
          execId: String,
          accumUpdates: Array[(Long, Seq[AccumulatorV2[_, _]])],
          blockManagerId: BlockManagerId): Boolean
    
      /**
       * Get an application ID associated with the job.
       *
       * @return An application ID
       */
      def applicationId(): String = appId
    
      /**
       * Process a lost executor
       */
      def executorLost(executorId: String, reason: ExecutorLossReason): Unit
    
      /**
       * Get an application's attempt ID associated with the job.
       *
       * @return An application's Attempt ID
       */
      def applicationAttemptId(): Option[String]
    
    }
    

    taskscheduler主要用于核dagscheduler交互,負責任務的具體調度和運行。
    其核心接口是取消和提交任務sumbittasks和cancletasks

  • schedulerbackend
    主要用于和底層資源調度系統交互(yarn mesos)
    /**
    * A backend interface for scheduling systems that allows plugging in different ones under
    * TaskSchedulerImpl. We assume a Mesos-like model where the application gets resource offers as
    * machines become available and can launch tasks on them.
    */
    private[spark] trait SchedulerBackend {
    private val appId = "spark-application-" + System.currentTimeMillis

      def start(): Unit
      def stop(): Unit
      def reviveOffers(): Unit
      def defaultParallelism(): Int
    
      /**
       * Requests that an executor kills a running task.
       *
       * @param taskId Id of the task.
       * @param executorId Id of the executor the task is running on.
       * @param interruptThread Whether the executor should interrupt the task thread.
       * @param reason The reason for the task kill.
       */
      def killTask(
          taskId: Long,
          executorId: String,
          interruptThread: Boolean,
          reason: String): Unit =
        throw new UnsupportedOperationException
    
      def isReady(): Boolean = true
    
      /**
       * Get an application ID associated with the job.
       *
       * @return An application ID
       */
      def applicationId(): String = appId
    
      /**
       * Get the attempt ID for this run, if the cluster manager supports multiple
       * attempts. Applications run in client mode will not have attempt IDs.
       *
       * @return The application attempt id, if available.
       */
      def applicationAttemptId(): Option[String] = None
    
      /**
       * Get the URLs for the driver logs. These URLs are used to display the links in the UI
       * Executors tab for the driver.
       * @return Map containing the log names and their respective URLs
       */
      def getDriverLogUrls: Option[Map[String, String]] = None
    
    }
    
  • executor

    實際任務的執行都有executor執行,executor對每個人物創建一個taskrunner,交給線程池執行

3.local模式

localbackend 響應scheduler的receiveOffers 請求,根據可用的cpu的核的設定值直接生成cpu資源返回給scheduler,并通過executor在線程池中依次啟動核運行scheduler返回的任務列表。

4.yarn

YARN是一個資源管理、任務調度的框架,主要包含三大模塊:ResourceManager(RM)、NodeManager(NM)、ApplicationMaster(AM)。

其中,ResourceManager負責所有資源的監控、分配和管理;ApplicationMaster負責每一個具體應用程序的調度和協調;NodeManager負責每一個節點的維護。

對于所有的applications,RM擁有絕對的控制權和對資源的分配權。而每個AM則會和RM協商資源,同時和NodeManager通信來執行和監控task。幾個模塊之間的關系如圖所示

Yarn Cluster 模式

Spark的Yarn Cluster 模式流程如下:

  • 本地用YARN Client 提交App 到 Yarn Resource Manager
  • Yarn Resource Manager 選個 YARN Node Manager,用它來
    創建個ApplicationMaster,SparkContext相當于是這個ApplicationMaster管的APP,生成YarnClusterScheduler與YarnClusterSchedulerBackend選擇集群中的容器啟動CoarseCrainedExecutorBackend,用來啟動spark.executor。
  • ApplicationMaster與CoarseCrainedExecutorBackend會有遠程調用。

Spark的Yarn Client 模式流程如下:

  • 本地啟動SparkContext,生成YarnClientClusterScheduler 和 YarnClientClusterSchedulerBackend
  • YarnClientClusterSchedulerBackend啟動yarn.Client,用它提交App 到 Yarn Resource Manager
  • Yarn Resource Manager 選個 YARN Node Manager,用它來選擇集群中的容器啟動CoarseCrainedExecutorBackend,用來啟動spark.executor
  • YarnClientClusterSchedulerBackend與CoarseCrainedExecutorBackend會有遠程調用。

standalone

  1. 啟動app,在SparkContxt啟動過程中,先初始化DAGScheduler 和 TaskScheduler,并初始化 SparkDeploySchedulerBackend,并在其內部啟動DriverEndpoint和ClientEndpoint。

  2. ClientEndpoint想Master注冊app,Master收到注冊信息后把該app加入到等待運行app列表中,等待由Master分配給該app worker。

  3. app獲取到worker后,Master通知Worker的WorkerEndpont創建CoarseGrainedExecutorBackend進程,在該進程中創建執行容器executor

  4. executor創建完畢后發送信息給Master和DriverEndpoint,告知Executor創建完畢,在SparkContext注冊,后等待DriverEndpoint發送執行任務的消息。

  5. SparkContext分配TaskSet給CoarseGrainedExecutorBackend,按一定調度策略在executor執行。

  6. CoarseGrainedExecutorBackend在Task處理的過程中,把處理Task的狀態發送給DriverEndpoint,Spark根據不同的執行結果來處理。若處理完畢,則繼續發送其他TaskSet。

  7. app運行完成后,SparkContext會進行資源回收,銷毀Worker的CoarseGrainedExecutorBackend進程,然后注銷自己。
    啟動master
    private[deploy] object Master extends Logging {
    val SYSTEM_NAME = "sparkMaster"
    val ENDPOINT_NAME = "Master"

      def main(argStrings: Array[String]) {
        Utils.initDaemon(log)
        val conf = new SparkConf
        //解析參數
        val args = new MasterArguments(argStrings, conf)
        val (rpcEnv, _, _) = startRpcEnvAndEndpoint(args.host, args.port, args.webUiPort, conf)
        rpcEnv.awaitTermination()
      }
    
      /**
       * Start the Master and return a three tuple of:
       *   (1) The Master RpcEnv
       *   (2) The web UI bound port
       *   (3) The REST server bound port, if any
       */
      def startRpcEnvAndEndpoint(
          host: String,
          port: Int,
          webUiPort: Int,
          conf: SparkConf): (RpcEnv, Int, Option[Int]) = {
        val securityMgr = new SecurityManager(conf)
        val rpcEnv = RpcEnv.create(SYSTEM_NAME, host, port, conf, securityMgr)
        val masterEndpoint = rpcEnv.setupEndpoint(ENDPOINT_NAME,
          new Master(rpcEnv, rpcEnv.address, webUiPort, securityMgr, conf))
        val portsResponse = masterEndpoint.askSync[BoundPortsResponse](BoundPortsRequest)
        (rpcEnv, portsResponse.webUIPort, portsResponse.restPort)
      }
    }
    

master解析參數

/**
 * Command-line parser for the master.
 */
private[master] class MasterArguments(args: Array[String], conf: SparkConf) extends Logging {
  var host = Utils.localHostName()
  var port = 7077
  var webUiPort = 8080
  var propertiesFile: String = null

  // Check for settings in environment variables
  if (System.getenv("SPARK_MASTER_IP") != null) {
    logWarning("SPARK_MASTER_IP is deprecated, please use SPARK_MASTER_HOST")
    host = System.getenv("SPARK_MASTER_IP")
  }

  if (System.getenv("SPARK_MASTER_HOST") != null) {
    host = System.getenv("SPARK_MASTER_HOST")
  }
  if (System.getenv("SPARK_MASTER_PORT") != null) {
    port = System.getenv("SPARK_MASTER_PORT").toInt
  }
  if (System.getenv("SPARK_MASTER_WEBUI_PORT") != null) {
    webUiPort = System.getenv("SPARK_MASTER_WEBUI_PORT").toInt
  }

  parse(args.toList)

  // This mutates the SparkConf, so all accesses to it must be made after this line
  propertiesFile = Utils.loadDefaultSparkProperties(conf, propertiesFile)

  if (conf.contains("spark.master.ui.port")) {
    webUiPort = conf.get("spark.master.ui.port").toInt
  }

  @tailrec
  private def parse(args: List[String]): Unit = args match {
    case ("--ip" | "-i") :: value :: tail =>
      Utils.checkHost(value, "ip no longer supported, please use hostname " + value)
      host = value
      parse(tail)

    case ("--host" | "-h") :: value :: tail =>
      Utils.checkHost(value, "Please use hostname " + value)
      host = value
      parse(tail)

    case ("--port" | "-p") :: IntParam(value) :: tail =>
      port = value
      parse(tail)

    case "--webui-port" :: IntParam(value) :: tail =>
      webUiPort = value
      parse(tail)

    case ("--properties-file") :: value :: tail =>
      propertiesFile = value
      parse(tail)

    case ("--help") :: tail =>
      printUsageAndExit(0)

    case Nil => // No-op

    case _ =>
      printUsageAndExit(1)
  }

  /**
   * Print usage and exit JVM with the given exit code.
   */
  private def printUsageAndExit(exitCode: Int) {
    // scalastyle:off println
    System.err.println(
      "Usage: Master [options]\n" +
      "\n" +
      "Options:\n" +
      "  -i HOST, --ip HOST     Hostname to listen on (deprecated, please use --host or -h) \n" +
      "  -h HOST, --host HOST   Hostname to listen on\n" +
      "  -p PORT, --port PORT   Port to listen on (default: 7077)\n" +
      "  --webui-port PORT      Port for web UI (default: 8080)\n" +
      "  --properties-file FILE Path to a custom Spark properties file.\n" +
      "                         Default is conf/spark-defaults.conf.")
    // scalastyle:on println
    System.exit(exitCode)
  }
}

系統環境變量<spark?default.conf中的屬性<命令行參數<應用級代碼中的參數設置

啟動worker

private[deploy] object Worker extends Logging {
  val SYSTEM_NAME = "sparkWorker"
  val ENDPOINT_NAME = "Worker"

  def main(argStrings: Array[String]) {
    Utils.initDaemon(log)
    val conf = new SparkConf
    val args = new WorkerArguments(argStrings, conf)
    val rpcEnv = startRpcEnvAndEndpoint(args.host, args.port, args.webUiPort, args.cores,
      args.memory, args.masters, args.workDir, conf = conf)
    rpcEnv.awaitTermination()
  }

  def startRpcEnvAndEndpoint(
      host: String,
      port: Int,
      webUiPort: Int,
      cores: Int,
      memory: Int,
      masterUrls: Array[String],
      workDir: String,
      workerNumber: Option[Int] = None,
      conf: SparkConf = new SparkConf): RpcEnv = {

    // The LocalSparkCluster runs multiple local sparkWorkerX RPC Environments
    val systemName = SYSTEM_NAME + workerNumber.map(_.toString).getOrElse("")
    val securityMgr = new SecurityManager(conf)
    val rpcEnv = RpcEnv.create(systemName, host, port, conf, securityMgr)
    val masterAddresses = masterUrls.map(RpcAddress.fromSparkURL(_))
    rpcEnv.setupEndpoint(ENDPOINT_NAME, new Worker(rpcEnv, webUiPort, cores, memory,
      masterAddresses, ENDPOINT_NAME, workDir, conf, securityMgr))
    rpcEnv
  }

  def isUseLocalNodeSSLConfig(cmd: Command): Boolean = {
    val pattern = """\-Dspark\.ssl\.useNodeLocalConf\=(.+)""".r
    val result = cmd.javaOpts.collectFirst {
      case pattern(_result) => _result.toBoolean
    }
    result.getOrElse(false)
  }

  def maybeUpdateSSLSettings(cmd: Command, conf: SparkConf): Command = {
    val prefix = "spark.ssl."
    val useNLC = "spark.ssl.useNodeLocalConf"
    if (isUseLocalNodeSSLConfig(cmd)) {
      val newJavaOpts = cmd.javaOpts
          .filter(opt => !opt.startsWith(s"-D$prefix")) ++
          conf.getAll.collect { case (key, value) if key.startsWith(prefix) => s"-D$key=$value" } :+
          s"-D$useNLC=true"
      cmd.copy(javaOpts = newJavaOpts)
    } else {
      cmd
    }
  }
}

剩下的解析和master類似

資源回收

我們在概述中提到了“ app運行完成后,SparkContext會進行資源回收,銷毀Worker的CoarseGrainedExecutorBackend進程,然后注銷自己。”接下來我們就來講解下Master和Executor是如何感知到Application的退出的。

調用棧如下:

  • SparkContext.stop
    • DAGScheduler.stop
      • TaskSchedulerImpl.stop
        • CoarseGrainedSchedulerBackend.stop
          • CoarseGrainedSchedulerBackend.stopExecutors
            • CoarseGrainedSchedulerBackend.DriverEndpoint.receiveAndReply - CoarseGrainedExecutorBackend.receive
              - Executor.stop
              • CoarseGrainedSchedulerBackend.DriverEndpoint.receiveAndReply
最后編輯于
?著作權歸作者所有,轉載或內容合作請聯系作者
平臺聲明:文章內容(如有圖片或視頻亦包括在內)由作者上傳并發布,文章內容僅代表作者本人觀點,簡書系信息發布平臺,僅提供信息存儲服務。

推薦閱讀更多精彩內容