1 // Copyright (C) The Arvados Authors. All rights reserved.
3 // SPDX-License-Identifier: AGPL-3.0
7 // Dispatcher service for Crunch that submits containers to the slurm queue.
21 "git.curoverse.com/arvados.git/lib/dispatchcloud"
22 "git.curoverse.com/arvados.git/sdk/go/arvados"
23 "git.curoverse.com/arvados.git/sdk/go/arvadosclient"
24 "git.curoverse.com/arvados.git/sdk/go/config"
25 "git.curoverse.com/arvados.git/sdk/go/dispatch"
26 "github.com/coreos/go-systemd/daemon"
29 const initialNiceValue int64 = 10000
33 defaultConfigPath = "/etc/arvados/crunch-dispatch-slurm/crunch-dispatch-slurm.yml"
36 type Dispatcher struct {
38 cluster *arvados.Cluster
39 sqCheck *SqueueChecker
44 SbatchArguments []string
45 PollPeriod arvados.Duration
48 // crunch-run command to invoke. The container UUID will be
49 // appended. If nil, []string{"crunch-run"} will be used.
51 // Example: []string{"crunch-run", "--cgroup-parent-subsystem=memory"}
52 CrunchRunCommand []string
54 // Extra RAM to reserve (in Bytes) for SLURM job, in addition
55 // to the amount specified in the container's RuntimeConstraints
58 // Minimum time between two attempts to run the same container
59 MinRetryPeriod arvados.Duration
64 err := disp.Run(os.Args[0], os.Args[1:])
70 func (disp *Dispatcher) Run(prog string, args []string) error {
71 if err := disp.configure(prog, args); err != nil {
78 // configure() loads config files. Tests skip this.
79 func (disp *Dispatcher) configure(prog string, args []string) error {
80 flags := flag.NewFlagSet(prog, flag.ExitOnError)
81 flags.Usage = func() { usage(flags) }
83 configPath := flags.String(
86 "`path` to JSON or YAML configuration file")
87 dumpConfig := flag.Bool(
90 "write current configuration to stdout and exit")
91 getVersion := flags.Bool(
94 "Print version information and exit.")
95 // Parse args; omit the first arg which is the command name
98 // Print version information if requested
100 fmt.Printf("crunch-dispatch-slurm %s\n", version)
104 log.Printf("crunch-dispatch-slurm %s started", version)
106 err := disp.readConfig(*configPath)
111 if disp.CrunchRunCommand == nil {
112 disp.CrunchRunCommand = []string{"crunch-run"}
115 if disp.PollPeriod == 0 {
116 disp.PollPeriod = arvados.Duration(10 * time.Second)
119 if disp.Client.APIHost != "" || disp.Client.AuthToken != "" {
120 // Copy real configs into env vars so [a]
121 // MakeArvadosClient() uses them, and [b] they get
122 // propagated to crunch-run via SLURM.
123 os.Setenv("ARVADOS_API_HOST", disp.Client.APIHost)
124 os.Setenv("ARVADOS_API_TOKEN", disp.Client.AuthToken)
125 os.Setenv("ARVADOS_API_HOST_INSECURE", "")
126 if disp.Client.Insecure {
127 os.Setenv("ARVADOS_API_HOST_INSECURE", "1")
129 os.Setenv("ARVADOS_KEEP_SERVICES", strings.Join(disp.Client.KeepServiceURIs, " "))
130 os.Setenv("ARVADOS_EXTERNAL_CLIENT", "")
132 log.Printf("warning: Client credentials missing from config, so falling back on environment variables (deprecated).")
136 return config.DumpAndExit(disp)
139 siteConfig, err := arvados.GetConfig(arvados.DefaultConfigFile)
140 if os.IsNotExist(err) {
141 log.Printf("warning: no cluster config (%s), proceeding with no node types defined", err)
142 } else if err != nil {
143 return fmt.Errorf("error loading config: %s", err)
144 } else if disp.cluster, err = siteConfig.GetCluster(""); err != nil {
145 return fmt.Errorf("config error: %s", err)
151 // setup() initializes private fields after configure().
152 func (disp *Dispatcher) setup() {
153 arv, err := arvadosclient.MakeArvadosClient()
155 log.Fatalf("Error making Arvados client: %v", err)
159 disp.slurm = &slurmCLI{}
160 disp.sqCheck = &SqueueChecker{
161 Period: time.Duration(disp.PollPeriod),
162 PrioritySpread: disp.PrioritySpread,
165 disp.Dispatcher = &dispatch.Dispatcher{
167 RunContainer: disp.runContainer,
168 PollPeriod: time.Duration(disp.PollPeriod),
169 MinRetryPeriod: time.Duration(disp.MinRetryPeriod),
173 func (disp *Dispatcher) run() error {
174 defer disp.sqCheck.Stop()
176 if disp.cluster != nil && len(disp.cluster.InstanceTypes) > 0 {
177 go dispatchcloud.SlurmNodeTypeFeatureKludge(disp.cluster)
180 if _, err := daemon.SdNotify(false, "READY=1"); err != nil {
181 log.Printf("Error notifying init daemon: %v", err)
183 go disp.checkSqueueForOrphans()
184 return disp.Dispatcher.Run(context.Background())
187 var containerUuidPattern = regexp.MustCompile(`^[a-z0-9]{5}-dz642-[a-z0-9]{15}$`)
189 // Check the next squeue report, and invoke TrackContainer for all the
190 // containers in the report. This gives us a chance to cancel slurm
191 // jobs started by a previous dispatch process that never released
192 // their slurm allocations even though their container states are
193 // Cancelled or Complete. See https://dev.arvados.org/issues/10979
194 func (disp *Dispatcher) checkSqueueForOrphans() {
195 for _, uuid := range disp.sqCheck.All() {
196 if !containerUuidPattern.MatchString(uuid) {
199 err := disp.TrackContainer(uuid)
201 log.Printf("checkSqueueForOrphans: TrackContainer(%s): %s", uuid, err)
206 func (disp *Dispatcher) slurmConstraintArgs(container arvados.Container) []string {
207 mem := int64(math.Ceil(float64(container.RuntimeConstraints.RAM+container.RuntimeConstraints.KeepCacheRAM+disp.ReserveExtraRAM) / float64(1048576)))
210 for _, m := range container.Mounts {
215 disk = int64(math.Ceil(float64(disk) / float64(1048576)))
217 fmt.Sprintf("--mem=%d", mem),
218 fmt.Sprintf("--cpus-per-task=%d", container.RuntimeConstraints.VCPUs),
219 fmt.Sprintf("--tmp=%d", disk),
223 func (disp *Dispatcher) sbatchArgs(container arvados.Container) ([]string, error) {
225 args = append(args, disp.SbatchArguments...)
226 args = append(args, "--job-name="+container.UUID, fmt.Sprintf("--nice=%d", initialNiceValue))
228 if disp.cluster == nil {
229 // no instance types configured
230 args = append(args, disp.slurmConstraintArgs(container)...)
231 } else if it, err := dispatchcloud.ChooseInstanceType(disp.cluster, &container); err == dispatchcloud.ErrInstanceTypesNotConfigured {
233 args = append(args, disp.slurmConstraintArgs(container)...)
234 } else if err != nil {
237 // use instancetype constraint instead of slurm mem/cpu/tmp specs
238 args = append(args, "--constraint=instancetype="+it.Name)
241 if len(container.SchedulingParameters.Partitions) > 0 {
242 args = append(args, "--partition="+strings.Join(container.SchedulingParameters.Partitions, ","))
248 func (disp *Dispatcher) submit(container arvados.Container, crunchRunCommand []string) error {
249 // append() here avoids modifying crunchRunCommand's
250 // underlying array, which is shared with other goroutines.
251 crArgs := append([]string(nil), crunchRunCommand...)
252 crArgs = append(crArgs, container.UUID)
253 crScript := strings.NewReader(execScript(crArgs))
255 sbArgs, err := disp.sbatchArgs(container)
259 log.Printf("running sbatch %+q", sbArgs)
260 return disp.slurm.Batch(crScript, sbArgs)
263 // Submit a container to the slurm queue (or resume monitoring if it's
264 // already in the queue). Cancel the slurm job if the container's
265 // priority changes to zero or its state indicates it's no longer
267 func (disp *Dispatcher) runContainer(_ *dispatch.Dispatcher, ctr arvados.Container, status <-chan arvados.Container) {
268 ctx, cancel := context.WithCancel(context.Background())
271 if ctr.State == dispatch.Locked && !disp.sqCheck.HasUUID(ctr.UUID) {
272 log.Printf("Submitting container %s to slurm", ctr.UUID)
273 if err := disp.submit(ctr, disp.CrunchRunCommand); err != nil {
275 if err, ok := err.(dispatchcloud.ConstraintsNotSatisfiableError); ok {
276 var logBuf bytes.Buffer
277 fmt.Fprintf(&logBuf, "cannot run container %s: %s\n", ctr.UUID, err)
278 if len(err.AvailableTypes) == 0 {
279 fmt.Fprint(&logBuf, "No instance types are configured.\n")
281 fmt.Fprint(&logBuf, "Available instance types:\n")
282 for _, t := range err.AvailableTypes {
284 "Type %q: %d VCPUs, %d RAM, %d Scratch, %f Price\n",
285 t.Name, t.VCPUs, t.RAM, t.Scratch, t.Price,
289 text = logBuf.String()
290 disp.UpdateState(ctr.UUID, dispatch.Cancelled)
292 text = fmt.Sprintf("Error submitting container %s to slurm: %s", ctr.UUID, err)
296 lr := arvadosclient.Dict{"log": arvadosclient.Dict{
297 "object_uuid": ctr.UUID,
298 "event_type": "dispatch",
299 "properties": map[string]string{"text": text}}}
300 disp.Arv.Create("logs", lr, nil)
302 disp.Unlock(ctr.UUID)
307 log.Printf("Start monitoring container %v in state %q", ctr.UUID, ctr.State)
308 defer log.Printf("Done monitoring container %s", ctr.UUID)
310 // If the container disappears from the slurm queue, there is
311 // no point in waiting for further dispatch updates: just
312 // clean up and return.
313 go func(uuid string) {
314 for ctx.Err() == nil && disp.sqCheck.HasUUID(uuid) {
322 // Disappeared from squeue
323 if err := disp.Arv.Get("containers", ctr.UUID, nil, &ctr); err != nil {
324 log.Printf("Error getting final container state for %s: %s", ctr.UUID, err)
327 case dispatch.Running:
328 disp.UpdateState(ctr.UUID, dispatch.Cancelled)
329 case dispatch.Locked:
330 disp.Unlock(ctr.UUID)
333 case updated, ok := <-status:
335 log.Printf("container %s is done: cancel slurm job", ctr.UUID)
337 } else if updated.Priority == 0 {
338 log.Printf("container %s has state %q, priority %d: cancel slurm job", ctr.UUID, updated.State, updated.Priority)
341 p := int64(updated.Priority)
344 // user-assigned priority. If
345 // ctrs have equal priority,
346 // run the older one first.
347 p = int64(p)<<50 - (updated.CreatedAt.UnixNano() >> 14)
349 disp.sqCheck.SetPriority(ctr.UUID, p)
354 func (disp *Dispatcher) scancel(ctr arvados.Container) {
355 err := disp.slurm.Cancel(ctr.UUID)
357 log.Printf("scancel: %s", err)
358 time.Sleep(time.Second)
359 } else if disp.sqCheck.HasUUID(ctr.UUID) {
360 log.Printf("container %s is still in squeue after scancel", ctr.UUID)
361 time.Sleep(time.Second)
365 func (disp *Dispatcher) readConfig(path string) error {
366 err := config.LoadFile(disp, path)
367 if err != nil && os.IsNotExist(err) && path == defaultConfigPath {
368 log.Printf("Config not specified. Continue with default configuration.")