Merge pull request #7280 from mxpv/runtime

Runtime cleanup (Shim manager and task service)
This commit is contained in:
Fu Wei 2022-08-13 17:20:16 +08:00 committed by GitHub
commit 6699403403
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
8 changed files with 212 additions and 211 deletions

142
runtime/nsmap.go Normal file
View File

@ -0,0 +1,142 @@
/*
Copyright The containerd Authors.
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
http://www.apache.org/licenses/LICENSE-2.0
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.
*/
package runtime
import (
"context"
"fmt"
"sync"
"github.com/containerd/containerd/errdefs"
"github.com/containerd/containerd/namespaces"
)
type object interface {
ID() string
}
// NSMap extends Map type with a notion of namespaces passed via Context.
type NSMap[T object] struct {
mu sync.Mutex
objects map[string]map[string]T
}
// NewNSMap returns a new NSMap
func NewNSMap[T object]() *NSMap[T] {
return &NSMap[T]{
objects: make(map[string]map[string]T),
}
}
// Get a task
func (m *NSMap[T]) Get(ctx context.Context, id string) (T, error) {
m.mu.Lock()
defer m.mu.Unlock()
namespace, err := namespaces.NamespaceRequired(ctx)
var t T
if err != nil {
return t, err
}
tasks, ok := m.objects[namespace]
if !ok {
return t, errdefs.ErrNotFound
}
t, ok = tasks[id]
if !ok {
return t, errdefs.ErrNotFound
}
return t, nil
}
// GetAll objects under a namespace
func (m *NSMap[T]) GetAll(ctx context.Context, noNS bool) ([]T, error) {
m.mu.Lock()
defer m.mu.Unlock()
var o []T
if noNS {
for ns := range m.objects {
for _, t := range m.objects[ns] {
o = append(o, t)
}
}
return o, nil
}
namespace, err := namespaces.NamespaceRequired(ctx)
if err != nil {
return nil, err
}
tasks, ok := m.objects[namespace]
if !ok {
return o, nil
}
for _, t := range tasks {
o = append(o, t)
}
return o, nil
}
// Add a task
func (m *NSMap[T]) Add(ctx context.Context, t T) error {
namespace, err := namespaces.NamespaceRequired(ctx)
if err != nil {
return err
}
return m.AddWithNamespace(namespace, t)
}
// AddWithNamespace adds a task with the provided namespace
func (m *NSMap[T]) AddWithNamespace(namespace string, t T) error {
m.mu.Lock()
defer m.mu.Unlock()
id := t.ID()
if _, ok := m.objects[namespace]; !ok {
m.objects[namespace] = make(map[string]T)
}
if _, ok := m.objects[namespace][id]; ok {
return fmt.Errorf("%s: %w", id, errdefs.ErrAlreadyExists)
}
m.objects[namespace][id] = t
return nil
}
// Delete a task
func (m *NSMap[T]) Delete(ctx context.Context, id string) {
m.mu.Lock()
defer m.mu.Unlock()
namespace, err := namespaces.NamespaceRequired(ctx)
if err != nil {
return
}
tasks, ok := m.objects[namespace]
if ok {
delete(tasks, id)
}
}
func (m *NSMap[T]) IsEmpty() bool {
m.mu.Lock()
defer m.mu.Unlock()
for ns := range m.objects {
if len(m.objects[ns]) > 0 {
return false
}
}
return true
}

View File

@ -1,144 +0,0 @@
/*
Copyright The containerd Authors.
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
http://www.apache.org/licenses/LICENSE-2.0
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.
*/
package runtime
import (
"context"
"errors"
"fmt"
"sync"
"github.com/containerd/containerd/namespaces"
)
var (
// ErrTaskNotExists is returned when a task does not exist
ErrTaskNotExists = errors.New("task does not exist")
// ErrTaskAlreadyExists is returned when a task already exists
ErrTaskAlreadyExists = errors.New("task already exists")
)
// NewTaskList returns a new TaskList
func NewTaskList() *TaskList {
return &TaskList{
tasks: make(map[string]map[string]Task),
}
}
// TaskList holds and provides locking around tasks
type TaskList struct {
mu sync.Mutex
tasks map[string]map[string]Task
}
// Get a task
func (l *TaskList) Get(ctx context.Context, id string) (Task, error) {
l.mu.Lock()
defer l.mu.Unlock()
namespace, err := namespaces.NamespaceRequired(ctx)
if err != nil {
return nil, err
}
tasks, ok := l.tasks[namespace]
if !ok {
return nil, ErrTaskNotExists
}
t, ok := tasks[id]
if !ok {
return nil, ErrTaskNotExists
}
return t, nil
}
// GetAll tasks under a namespace
func (l *TaskList) GetAll(ctx context.Context, noNS bool) ([]Task, error) {
l.mu.Lock()
defer l.mu.Unlock()
var o []Task
if noNS {
for ns := range l.tasks {
for _, t := range l.tasks[ns] {
o = append(o, t)
}
}
return o, nil
}
namespace, err := namespaces.NamespaceRequired(ctx)
if err != nil {
return nil, err
}
tasks, ok := l.tasks[namespace]
if !ok {
return o, nil
}
for _, t := range tasks {
o = append(o, t)
}
return o, nil
}
// Add a task
func (l *TaskList) Add(ctx context.Context, t Task) error {
namespace, err := namespaces.NamespaceRequired(ctx)
if err != nil {
return err
}
return l.AddWithNamespace(namespace, t)
}
// AddWithNamespace adds a task with the provided namespace
func (l *TaskList) AddWithNamespace(namespace string, t Task) error {
l.mu.Lock()
defer l.mu.Unlock()
id := t.ID()
if _, ok := l.tasks[namespace]; !ok {
l.tasks[namespace] = make(map[string]Task)
}
if _, ok := l.tasks[namespace][id]; ok {
return fmt.Errorf("%s: %w", id, ErrTaskAlreadyExists)
}
l.tasks[namespace][id] = t
return nil
}
// Delete a task
func (l *TaskList) Delete(ctx context.Context, id string) {
l.mu.Lock()
defer l.mu.Unlock()
namespace, err := namespaces.NamespaceRequired(ctx)
if err != nil {
return
}
tasks, ok := l.tasks[namespace]
if ok {
delete(tasks, id)
}
}
func (l *TaskList) IsEmpty() bool {
l.mu.Lock()
defer l.mu.Unlock()
for ns := range l.tasks {
if len(l.tasks[ns]) > 0 {
return false
}
}
return true
}

View File

@ -124,7 +124,7 @@ func New(ic *plugin.InitContext) (interface{}, error) {
r := &Runtime{ r := &Runtime{
root: ic.Root, root: ic.Root,
state: ic.State, state: ic.State,
tasks: runtime.NewTaskList(), tasks: runtime.NewNSMap[runtime.Task](),
containers: metadata.NewContainerStore(m.(*metadata.DB)), containers: metadata.NewContainerStore(m.(*metadata.DB)),
address: ic.Address, address: ic.Address,
events: ep.(*exchange.Exchange), events: ep.(*exchange.Exchange),
@ -148,7 +148,7 @@ type Runtime struct {
state string state string
address string address string
tasks *runtime.TaskList tasks *runtime.NSMap[runtime.Task]
containers containers.Store containers containers.Store
events *exchange.Exchange events *exchange.Exchange

View File

@ -48,11 +48,11 @@ type Task struct {
namespace string namespace string
cg cgroups.Cgroup cg cgroups.Cgroup
events *exchange.Exchange events *exchange.Exchange
tasks *runtime.TaskList tasks *runtime.NSMap[runtime.Task]
bundle *bundle bundle *bundle
} }
func newTask(id, namespace string, pid int, shim *client.Client, events *exchange.Exchange, list *runtime.TaskList, bundle *bundle) (*Task, error) { func newTask(id, namespace string, pid int, shim *client.Client, events *exchange.Exchange, list *runtime.NSMap[runtime.Task], bundle *bundle) (*Task, error) {
var ( var (
err error err error
cg cgroups.Cgroup cg cgroups.Cgroup

View File

@ -25,7 +25,6 @@ import (
"strings" "strings"
"sync" "sync"
"github.com/containerd/containerd/api/runtime/task/v2"
"github.com/containerd/containerd/containers" "github.com/containerd/containerd/containers"
"github.com/containerd/containerd/errdefs" "github.com/containerd/containerd/errdefs"
"github.com/containerd/containerd/events/exchange" "github.com/containerd/containerd/events/exchange"
@ -143,7 +142,7 @@ func NewShimManager(ctx context.Context, config *ManagerConfig) (*ShimManager, e
state: config.State, state: config.State,
containerdAddress: config.Address, containerdAddress: config.Address,
containerdTTRPCAddress: config.TTRPCAddress, containerdTTRPCAddress: config.TTRPCAddress,
shims: runtime.NewTaskList(), shims: runtime.NewNSMap[ShimInstance](),
events: config.Events, events: config.Events,
containers: config.Store, containers: config.Store,
schedCore: config.SchedCore, schedCore: config.SchedCore,
@ -167,7 +166,7 @@ type ShimManager struct {
containerdAddress string containerdAddress string
containerdTTRPCAddress string containerdTTRPCAddress string
schedCore bool schedCore bool
shims *runtime.TaskList shims *runtime.NSMap[ShimInstance]
events *exchange.Exchange events *exchange.Exchange
containers containers.Store containers containers.Store
// runtimePaths is a cache of `runtime names` -> `resolved fs path` // runtimePaths is a cache of `runtime names` -> `resolved fs path`
@ -181,7 +180,7 @@ func (m *ShimManager) ID() string {
} }
// Start launches a new shim instance // Start launches a new shim instance
func (m *ShimManager) Start(ctx context.Context, id string, opts runtime.CreateOpts) (_ ShimProcess, retErr error) { func (m *ShimManager) Start(ctx context.Context, id string, opts runtime.CreateOpts) (_ ShimInstance, retErr error) {
bundle, err := NewBundle(ctx, m.root, m.state, id, opts.Spec) bundle, err := NewBundle(ctx, m.root, m.state, id, opts.Spec)
if err != nil { if err != nil {
return nil, err return nil, err
@ -236,18 +235,11 @@ func (m *ShimManager) Start(ctx context.Context, id string, opts runtime.CreateO
} }
}() }()
// NOTE: temporarily keep this wrapper around until containerd's task service depends on it. if err := m.shims.Add(ctx, shim); err != nil {
// This will no longer be required once we migrate to client side task management.
shimTask := &shimTask{
shim: shim,
task: task.NewTaskClient(shim.client),
}
if err := m.shims.Add(ctx, shimTask); err != nil {
return nil, fmt.Errorf("failed to add task: %w", err) return nil, fmt.Errorf("failed to add task: %w", err)
} }
return shimTask, nil return shim, nil
} }
func (m *ShimManager) startShim(ctx context.Context, bundle *Bundle, id string, opts runtime.CreateOpts) (*shim, error) { func (m *ShimManager) startShim(ctx context.Context, bundle *Bundle, id string, opts runtime.CreateOpts) (*shim, error) {
@ -372,29 +364,22 @@ func (m *ShimManager) cleanupShim(shim *shim) {
dctx, cancel := timeout.WithContext(context.Background(), cleanupTimeout) dctx, cancel := timeout.WithContext(context.Background(), cleanupTimeout)
defer cancel() defer cancel()
_ = shim.delete(dctx) _ = shim.Delete(dctx)
m.shims.Delete(dctx, shim.ID()) m.shims.Delete(dctx, shim.ID())
} }
func (m *ShimManager) Get(ctx context.Context, id string) (ShimProcess, error) { func (m *ShimManager) Get(ctx context.Context, id string) (ShimInstance, error) {
proc, err := m.shims.Get(ctx, id) return m.shims.Get(ctx, id)
if err != nil {
return nil, err
}
shimTask := proc.(*shimTask)
return shimTask, nil
} }
// Delete a runtime task // Delete a runtime task
func (m *ShimManager) Delete(ctx context.Context, id string) error { func (m *ShimManager) Delete(ctx context.Context, id string) error {
proc, err := m.shims.Get(ctx, id) shim, err := m.shims.Get(ctx, id)
if err != nil { if err != nil {
return err return err
} }
shimTask := proc.(*shimTask) err = shim.Delete(ctx)
err = shimTask.shim.delete(ctx)
m.shims.Delete(ctx, id) m.shims.Delete(ctx, id)
return err return err
@ -431,15 +416,15 @@ func (m *TaskManager) ID() string {
// Create launches new shim instance and creates new task // Create launches new shim instance and creates new task
func (m *TaskManager) Create(ctx context.Context, taskID string, opts runtime.CreateOpts) (runtime.Task, error) { func (m *TaskManager) Create(ctx context.Context, taskID string, opts runtime.CreateOpts) (runtime.Task, error) {
process, err := m.manager.Start(ctx, taskID, opts) shim, err := m.manager.Start(ctx, taskID, opts)
if err != nil { if err != nil {
return nil, fmt.Errorf("failed to start shim: %w", err) return nil, fmt.Errorf("failed to start shim: %w", err)
} }
// Cast to shim task and call task service to create a new container task instance. // Cast to shim task and call task service to create a new container task instance.
// This will not be required once shim service / client implemented. // This will not be required once shim service / client implemented.
shim := process.(*shimTask) shimTask := newShimTask(shim)
t, err := shim.Create(ctx, opts) t, err := shimTask.Create(ctx, opts)
if err != nil { if err != nil {
// NOTE: ctx contains required namespace information. // NOTE: ctx contains required namespace information.
m.manager.shims.Delete(ctx, taskID) m.manager.shims.Delete(ctx, taskID)
@ -448,15 +433,15 @@ func (m *TaskManager) Create(ctx context.Context, taskID string, opts runtime.Cr
defer cancel() defer cancel()
sandboxed := opts.SandboxID != "" sandboxed := opts.SandboxID != ""
_, errShim := shim.delete(dctx, sandboxed, func(context.Context, string) {}) _, errShim := shimTask.delete(dctx, sandboxed, func(context.Context, string) {})
if errShim != nil { if errShim != nil {
if errdefs.IsDeadlineExceeded(errShim) { if errdefs.IsDeadlineExceeded(errShim) {
dctx, cancel = timeout.WithContext(context.Background(), cleanupTimeout) dctx, cancel = timeout.WithContext(context.Background(), cleanupTimeout)
defer cancel() defer cancel()
} }
shim.Shutdown(dctx) shimTask.Shutdown(dctx)
shim.Close() shimTask.Client().Close()
} }
return nil, fmt.Errorf("failed to create shim task: %w", err) return nil, fmt.Errorf("failed to create shim task: %w", err)
@ -467,17 +452,29 @@ func (m *TaskManager) Create(ctx context.Context, taskID string, opts runtime.Cr
// Get a specific task // Get a specific task
func (m *TaskManager) Get(ctx context.Context, id string) (runtime.Task, error) { func (m *TaskManager) Get(ctx context.Context, id string) (runtime.Task, error) {
return m.manager.shims.Get(ctx, id) shim, err := m.manager.shims.Get(ctx, id)
if err != nil {
return nil, err
}
return newShimTask(shim), nil
} }
// Tasks lists all tasks // Tasks lists all tasks
func (m *TaskManager) Tasks(ctx context.Context, all bool) ([]runtime.Task, error) { func (m *TaskManager) Tasks(ctx context.Context, all bool) ([]runtime.Task, error) {
return m.manager.shims.GetAll(ctx, all) shims, err := m.manager.shims.GetAll(ctx, all)
if err != nil {
return nil, err
}
out := make([]runtime.Task, len(shims))
for i := range shims {
out[i] = newShimTask(shims[i])
}
return out, nil
} }
// Delete deletes the task and shim instance // Delete deletes the task and shim instance
func (m *TaskManager) Delete(ctx context.Context, taskID string) (*runtime.Exit, error) { func (m *TaskManager) Delete(ctx context.Context, taskID string) (*runtime.Exit, error) {
item, err := m.manager.shims.Get(ctx, taskID) shim, err := m.manager.shims.Get(ctx, taskID)
if err != nil { if err != nil {
return nil, err return nil, err
} }
@ -487,8 +484,11 @@ func (m *TaskManager) Delete(ctx context.Context, taskID string) (*runtime.Exit,
return nil, err return nil, err
} }
sandboxed := container.SandboxID != "" var (
shimTask := item.(*shimTask) sandboxed = container.SandboxID != ""
shimTask = newShimTask(shim)
)
exit, err := shimTask.delete(ctx, sandboxed, func(ctx context.Context, id string) { exit, err := shimTask.delete(ctx, sandboxed, func(ctx context.Context, id string) {
m.manager.shims.Delete(ctx, id) m.manager.shims.Delete(ctx, id)
}) })

View File

@ -63,7 +63,7 @@ func loadAddress(path string) (string, error) {
return string(data), nil return string(data), nil
} }
func loadShim(ctx context.Context, bundle *Bundle, onClose func()) (_ *shimTask, err error) { func loadShim(ctx context.Context, bundle *Bundle, onClose func()) (_ ShimInstance, err error) {
address, err := loadAddress(filepath.Join(bundle.Path, "address")) address, err := loadAddress(filepath.Join(bundle.Path, "address"))
if err != nil { if err != nil {
return nil, err return nil, err
@ -117,24 +117,21 @@ func loadShim(ctx context.Context, bundle *Bundle, onClose func()) (_ *shimTask,
client.Close() client.Close()
} }
}() }()
s := &shimTask{ shim := &shim{
shim: &shim{
bundle: bundle, bundle: bundle,
client: client, client: client,
},
task: task.NewTaskClient(client),
} }
ctx, cancel := timeout.WithContext(ctx, loadTimeout) ctx, cancel := timeout.WithContext(ctx, loadTimeout)
defer cancel() defer cancel()
// Check connectivity, TaskService is the only required service, so create a temp one to check connection.
// Check connectivity s := newShimTask(shim)
if _, err := s.PID(ctx); err != nil { if _, err := s.PID(ctx); err != nil {
return nil, err return nil, err
} }
return s, nil return shim, nil
} }
func cleanupAfterDeadShim(ctx context.Context, id, ns string, rt *runtime.TaskList, events *exchange.Exchange, binaryCall *binary) { func cleanupAfterDeadShim(ctx context.Context, id, ns string, rt *runtime.NSMap[ShimInstance], events *exchange.Exchange, binaryCall *binary) {
ctx = namespaces.WithNamespace(ctx, ns) ctx = namespaces.WithNamespace(ctx, ns)
ctx, cancel := timeout.WithContext(ctx, cleanupTimeout) ctx, cancel := timeout.WithContext(ctx, cleanupTimeout)
defer cancel() defer cancel()
@ -186,10 +183,8 @@ func cleanupAfterDeadShim(ctx context.Context, id, ns string, rt *runtime.TaskLi
}) })
} }
// ShimProcess represents a shim instance managed by the shim service. // ShimInstance represents running shim process managed by ShimManager.
type ShimProcess interface { type ShimInstance interface {
runtime.Process
// ID of the shim. // ID of the shim.
ID() string ID() string
// Namespace of this shim. // Namespace of this shim.
@ -198,6 +193,8 @@ type ShimProcess interface {
Bundle() string Bundle() string
// Client returns the underlying TTRPC client for this shim. // Client returns the underlying TTRPC client for this shim.
Client() *ttrpc.Client Client() *ttrpc.Client
// Delete will close the client and remove bundle from disk.
Delete(ctx context.Context) error
} }
type shim struct { type shim struct {
@ -205,6 +202,8 @@ type shim struct {
client *ttrpc.Client client *ttrpc.Client
} }
var _ ShimInstance = (*shim)(nil)
// ID of the shim/task // ID of the shim/task
func (s *shim) ID() string { func (s *shim) ID() string {
return s.bundle.ID return s.bundle.ID
@ -218,16 +217,16 @@ func (s *shim) Bundle() string {
return s.bundle.Path return s.bundle.Path
} }
func (s *shim) Close() error { func (s *shim) Client() *ttrpc.Client {
return s.client.Close() return s.client
} }
func (s *shim) delete(ctx context.Context) error { func (s *shim) Delete(ctx context.Context) error {
var ( var (
result *multierror.Error result *multierror.Error
) )
if err := s.Close(); err != nil { if err := s.client.Close(); err != nil {
result = multierror.Append(result, fmt.Errorf("failed to close ttrpc client: %w", err)) result = multierror.Append(result, fmt.Errorf("failed to close ttrpc client: %w", err))
} }
@ -247,12 +246,15 @@ var _ runtime.Task = &shimTask{}
// shimTask wraps shim process and adds task service client for compatibility with existing shim manager. // shimTask wraps shim process and adds task service client for compatibility with existing shim manager.
type shimTask struct { type shimTask struct {
*shim ShimInstance
task task.TaskService task task.TaskService
} }
func (s *shimTask) Client() *ttrpc.Client { func newShimTask(shim ShimInstance) *shimTask {
return s.client return &shimTask{
ShimInstance: shim,
task: task.NewTaskClient(shim.Client()),
}
} }
func (s *shimTask) Shutdown(ctx context.Context) error { func (s *shimTask) Shutdown(ctx context.Context) error {
@ -319,7 +321,7 @@ func (s *shimTask) delete(ctx context.Context, sandboxed bool, removeTask func(c
} }
} }
if err := s.shim.delete(ctx); err != nil { if err := s.ShimInstance.Delete(ctx); err != nil {
log.G(ctx).WithField("id", s.ID()).WithError(err).Error("failed to delete shim") log.G(ctx).WithField("id", s.ID()).WithError(err).Error("failed to delete shim")
} }
@ -345,7 +347,7 @@ func (s *shimTask) Create(ctx context.Context, opts runtime.CreateOpts) (runtime
} }
request := &task.CreateTaskRequest{ request := &task.CreateTaskRequest{
ID: s.ID(), ID: s.ID(),
Bundle: s.bundle.Path, Bundle: s.Bundle(),
Stdin: opts.IO.Stdin, Stdin: opts.IO.Stdin,
Stdout: opts.IO.Stdout, Stdout: opts.IO.Stdout,
Stderr: opts.IO.Stderr, Stderr: opts.IO.Stderr,

View File

@ -130,7 +130,7 @@ func (m *ShimManager) loadShims(ctx context.Context) error {
ttrpcAddress: m.containerdTTRPCAddress, ttrpcAddress: m.containerdTTRPCAddress,
schedCore: m.schedCore, schedCore: m.schedCore,
}) })
shim, err := loadShim(ctx, bundle, func() { instance, err := loadShim(ctx, bundle, func() {
log.G(ctx).WithField("id", id).Info("shim disconnected") log.G(ctx).WithField("id", id).Info("shim disconnected")
cleanupAfterDeadShim(context.Background(), id, ns, m.shims, m.events, binaryCall) cleanupAfterDeadShim(context.Background(), id, ns, m.shims, m.events, binaryCall)
@ -141,6 +141,7 @@ func (m *ShimManager) loadShims(ctx context.Context) error {
cleanupAfterDeadShim(ctx, id, ns, m.shims, m.events, binaryCall) cleanupAfterDeadShim(ctx, id, ns, m.shims, m.events, binaryCall)
continue continue
} }
shim := newShimTask(instance)
// There are 3 possibilities for the loaded shim here: // There are 3 possibilities for the loaded shim here:
// 1. It could be a shim that is running a task. // 1. It could be a shim that is running a task.
@ -159,7 +160,7 @@ func (m *ShimManager) loadShims(ctx context.Context) error {
// No need to do anything for removeTask since we never added this shim. // No need to do anything for removeTask since we never added this shim.
shim.delete(ctx, false, func(ctx context.Context, id string) {}) shim.delete(ctx, false, func(ctx context.Context, id string) {})
} else { } else {
m.shims.Add(ctx, shim) m.shims.Add(ctx, shim.ShimInstance)
} }
} }
return nil return nil

View File

@ -228,7 +228,7 @@ func (l *local) Create(ctx context.Context, r *api.CreateTaskRequest, _ ...grpc.
return nil, err return nil, err
} }
_, err = rtime.Get(ctx, r.ContainerID) _, err = rtime.Get(ctx, r.ContainerID)
if err != nil && err != runtime.ErrTaskNotExists { if err != nil && !errdefs.IsNotFound(err) {
return nil, errdefs.ToGRPC(err) return nil, errdefs.ToGRPC(err)
} }
if err == nil { if err == nil {