controller.py 8.4 KB
Newer Older
K
kuizhiqing 已提交
1
# Copyright (c) 2022 PaddlePaddle Authors. All Rights Reserved.
2
#
K
kuizhiqing 已提交
3 4 5
# 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
6
#
K
kuizhiqing 已提交
7
#     http://www.apache.org/licenses/LICENSE-2.0
8
#
K
kuizhiqing 已提交
9 10 11 12 13 14 15 16
# 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.

import os
import signal
17
import sys
K
kuizhiqing 已提交
18

19
from paddle.distributed.launch.job.container import Container
20 21
from paddle.distributed.launch.job.job import Job
from paddle.distributed.launch.job.pod import Pod
K
kuizhiqing 已提交
22 23

from .master import Master
24
from .watcher import Watcher
K
kuizhiqing 已提交
25 26 27 28 29


class ControleMode:
    COLLECTIVE = "collective"
    PS = "ps"
30
    IPU = "ipu"
31
    RPC = "rpc"
K
kuizhiqing 已提交
32 33


34
class ControllerBase:
K
kuizhiqing 已提交
35 36 37 38 39 40 41 42
    def __init__(self, ctx):
        signal.signal(signal.SIGTERM, self.signal_handler)
        signal.signal(signal.SIGABRT, self.signal_handler)
        signal.signal(signal.SIGINT, self.signal_handler)

        self.ctx = ctx
        self.master = Master.factory(self.ctx)

43 44
        self.watcher = Watcher(self.ctx)

45 46 47 48 49
        self.job = Job(
            nnodes=self.ctx.args.nnodes,
            mode=self.ctx.args.run_mode,
            jid=self.ctx.args.job_id,
        )
K
kuizhiqing 已提交
50 51
        self.pod = Pod()

K
kuizhiqing 已提交
52 53
        self.ctx.set_envs({"POD_NAME": self.pod.name})

K
kuizhiqing 已提交
54 55
        self.join_server = None

56
    def deploy_pod(self):
K
kuizhiqing 已提交
57

58 59 60
        assert (
            len(self.pod.containers) + len(self.pod.init_containers) > 0
        ), "No container in the pod"
K
kuizhiqing 已提交
61

62
        self.ctx.logger.info(f"Run {self.pod}")
63 64 65 66
        if len(self.pod.init_containers) > 0:
            self.ctx.logger.debug(self.pod.init_containers[0])
        if len(self.pod.containers) > 0:
            self.ctx.logger.debug(self.pod.containers[0])
K
kuizhiqing 已提交
67

68
        self.save_pod_env()
69
        self.ctx.status.run()
K
kuizhiqing 已提交
70 71
        self.pod.deploy()

72 73 74 75 76 77
    def run(self):
        self.build_job()
        self.build_pod()

        self.deploy_pod()

K
kuizhiqing 已提交
78 79 80
        self.watch()

    def watch(self) -> bool:
81 82 83
        '''
        watch self and peer status, return true to exit
        '''
84
        # TODO(kuizhiqing) unify ctx.status and master status
85

86
        self.ctx.logger.info(f"Watching {self.pod}")
87

88 89 90
        while not self.ctx.status.is_done():
            status = self.pod.watch(timeout=2)

91
            # if self.ctx.continous_log():
92 93
            # default to print log
            self.pod.logs()
94 95 96 97 98 99 100

            # completed
            if status == self.ctx.status.COMPLETED:
                self.ctx.status.complete()

                self.master.set_status(status)

101 102 103
                while self.pod.logs():
                    pass

104
                self.ctx.logger.info(f"Pod {status}")
105 106 107 108 109 110 111 112 113 114
                return True

            # self failure
            elif status == self.ctx.status.FAILED:
                self.ctx.status.fail()

                self.master.set_status(status)
                self.master.restart_peer()

                fc = self.pod.failed_container()
115 116
                self.ctx.logger.info(f"Pod {status}")
                self.ctx.logger.error(f"Container failed !!!\n{fc[0]}")
117 118 119
                self.ctx.logger.info(
                    "------------------------- ERROR LOG DETAIL -------------------------"
                )
120 121 122
                fc[0].tail()

                if self.ctx.args.elastic_level <= 0:
K
kuizhiqing 已提交
123
                    self.pod.stop(timeout=3)
124 125
                    return True
                else:
K
kuizhiqing 已提交
126
                    self.pod.stop(timeout=30)
127
                    return False
K
kuizhiqing 已提交
128

129
            # peer failure
130 131 132 133
            if (
                self.ctx.status.is_restarting()
                and self.master.get_status() != self.ctx.status.COMPLETED
            ):
K
kuizhiqing 已提交
134
                self.pod.stop(timeout=30)
135
                return False
K
kuizhiqing 已提交
136 137 138

    def stop(self, sigint=None):
        self.ctx.logger.debug("Controller stop")
139 140 141

        self.watcher.stop()

K
kuizhiqing 已提交
142
        self.master.stop()
K
kuizhiqing 已提交
143
        self.pod.stop(timeout=30)
K
kuizhiqing 已提交
144 145 146 147 148

    def finalize(self):
        self.pod.join()
        self.master.stop()

149
        self.ctx.logger.info(f"Exit code {self.pod.exit_code}")
K
kuizhiqing 已提交
150 151 152 153
        sys.exit(self.pod.exit_code)

    def signal_handler(self, sigint, frame):
        if hasattr(self, 'sigint'):
K
kuizhiqing 已提交
154
            self.ctx.logger.info("Force quit in 10 seconds...")
K
kuizhiqing 已提交
155
            self.pod.stop(timeout=10)
K
kuizhiqing 已提交
156 157
            sys.exit(sigint)

158
        self.ctx.logger.info(f"Terminating with signal {sigint}")
K
kuizhiqing 已提交
159

K
kuizhiqing 已提交
160 161
        self.sigint = sigint
        self.ctx.status.done()
K
kuizhiqing 已提交
162
        self.stop(sigint=sigint)
163
        self.ctx.logger.info(f"Exit with signal {sigint}")
K
kuizhiqing 已提交
164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186
        sys.exit(sigint)


class Controller(ControllerBase):
    '''
    Controller API for customization
    '''

    def build_job(self):
        '''
        build job fill the job info.
        '''
        self.ctx.logger.info(self.job)

    def build_pod(self) -> bool:
        '''
        build pod includes creating containers etc.

        Return True if succeed
        '''
        raise NotImplementedError

    def _get_entrypoint(self):
K
kuizhiqing 已提交
187 188 189 190 191
        if self.ctx.args.training_script.endswith('.py'):
            entrypoint = [sys.executable, "-u", self.ctx.args.training_script]
        else:
            entrypoint = [self.ctx.args.training_script]

K
kuizhiqing 已提交
192 193 194 195 196 197 198 199 200 201
        entrypoint.extend(self.ctx.args.training_script_args)
        return entrypoint

    def _get_out_err_file(self, out=None, err=None):
        if out and self.ctx.args.log_dir != "":
            out = os.path.join(self.ctx.args.log_dir, out)
        if err and self.ctx.args.log_dir != "":
            err = os.path.join(self.ctx.args.log_dir, err)
        return out, (err or out)

202 203 204
    def new_container(
        self, entrypoint=None, envs={}, use_ctx_env=True, out=None, err=None
    ):
K
kuizhiqing 已提交
205 206
        c = Container(
            entrypoint=(entrypoint or self._get_entrypoint()),
207 208
            env=(self.ctx.get_envs() if use_ctx_env else {}),
        )
K
kuizhiqing 已提交
209 210 211 212
        c.outfile, c.errfile = self._get_out_err_file(out, err)
        c.update_env(envs)
        return c

213 214 215 216 217 218 219 220
    def add_container(
        self,
        container=None,
        entrypoint=None,
        envs={},
        log_file=None,
        is_init=False,
    ):
K
kuizhiqing 已提交
221 222

        if not container:
223 224 225
            container = self.new_container(
                entrypoint=entrypoint, envs=envs, out=log_file, err=log_file
            )
K
kuizhiqing 已提交
226 227 228 229 230 231 232 233 234 235 236 237 238

        if is_init:
            self.pod.add_init_container(container)
        else:
            self.pod.add_container(container)

    def pod_replicas(self):
        '''
        how many process/container should be run in pod
        '''

        if self.ctx.args.nproc_per_node:
            return int(self.ctx.args.nproc_per_node)
K
kuizhiqing 已提交
239 240
        elif self.ctx.args.devices:
            return len(self.ctx.args.devices.split(','))
K
kuizhiqing 已提交
241 242 243 244 245 246 247 248 249 250
        else:
            return self.ctx.node.device.count

    def save_pod_log(self, info):
        '''
        save_pod_log append *info* to the log file of pod.name
        '''
        if not self.ctx.args.log_dir:
            return

251 252
        f = os.path.join(
            self.ctx.args.log_dir,
253
            f'{self.job.id}.{self.pod.name}.log',
254
        )
K
kuizhiqing 已提交
255 256 257
        try:
            os.makedirs(os.path.dirname(f), exist_ok=True)
            with open(f, 'a+') as fd:
258 259 260
                if fd.tell() == 0:
                    fd.write(str(os.environ))
                    fd.write("\n")
K
kuizhiqing 已提交
261
                fd.write(str(info))
262
                fd.write("\n")
K
kuizhiqing 已提交
263
        except Exception as e:
264
            self.ctx.logger.error(f"save log failed because {e}")
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

    def save_pod_env(self):
        assert (
            len(self.pod.containers) + len(self.pod.init_containers) > 0
        ), "No container in the pod"

        if not self.ctx.args.log_dir:
            return

        for c in self.pod.init_containers:
            self._save_container_env(c, is_init=True)

        for c in self.pod.containers:
            self._save_container_env(c)

    def _save_container_env(self, container, is_init=False):
        f = os.path.join(
            self.ctx.args.log_dir,
            f'envlog.init.{container.rank}'
            if is_init
            else f'envlog.{container.rank}',
        )
        try:
            os.makedirs(os.path.dirname(f), exist_ok=True)
            with open(f, 'w') as fd:
                for k, v in sorted(container.env.items()):
                    fd.write(str(f"{k}={v}\n"))
        except Exception as e:
            self.ctx.logger.error(f"save pod env log failed because {e}")