本文整理汇总了Golang中github.com/wallyworld/core/state/watcher.MustErr函数的典型用法代码示例。如果您正苦于以下问题:Golang MustErr函数的具体用法?Golang MustErr怎么用?Golang MustErr使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了MustErr函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Golang代码示例。
示例1: TestMustErr
func (s *FastPeriodSuite) TestMustErr(c *gc.C) {
err := watcher.MustErr(&dummyWatcher{errors.New("POW")})
c.Assert(err, gc.ErrorMatches, "POW")
stillAlive := func() { watcher.MustErr(&dummyWatcher{tomb.ErrStillAlive}) }
c.Assert(stillAlive, gc.PanicMatches, "watcher is still running")
noErr := func() { watcher.MustErr(&dummyWatcher{nil}) }
c.Assert(noErr, gc.PanicMatches, "watcher was stopped cleanly")
}
开发者ID:jameinel,项目名称:core,代码行数:10,代码来源:helpers_test.go
示例2: loop
func (q *AliveHookQueue) loop(initial *State) {
defer q.tomb.Done()
defer watcher.Stop(q.w, &q.tomb)
// Consume initial event, and reconcile with initial state, by inserting
// a new RelationUnitsChange before the initial event, which schedules
// every missing unit for immediate departure before anything else happens
// (apart from a single potential required post-joined changed event).
ch1, ok := <-q.w.Changes()
if !ok {
q.tomb.Kill(watcher.MustErr(q.w))
return
}
if len(ch1.Departed) != 0 {
panic("AliveHookQueue must be started with a fresh RelationUnitsWatcher")
}
q.changedPending = initial.ChangedPending
ch0 := params.RelationUnitsChange{}
for unit, version := range initial.Members {
q.info[unit] = &unitInfo{
unit: unit,
version: version,
joined: true,
}
if _, found := ch1.Changed[unit]; !found {
ch0.Departed = append(ch0.Departed, unit)
}
}
q.update(ch0)
q.update(ch1)
var next hook.Info
var out chan<- hook.Info
for {
if q.empty() {
out = nil
} else {
out = q.out
next = q.next()
}
select {
case <-q.tomb.Dying():
return
case ch, ok := <-q.w.Changes():
if !ok {
q.tomb.Kill(watcher.MustErr(q.w))
return
}
q.update(ch)
case out <- next:
q.pop()
}
}
}
开发者ID:jameinel,项目名称:core,代码行数:54,代码来源:hookqueue.go
示例3: watchOneMachineContainers
func (p *ProvisionerAPI) watchOneMachineContainers(arg params.WatchContainer) (params.StringsWatchResult, error) {
nothing := params.StringsWatchResult{}
canAccess, err := p.getAuthFunc()
if err != nil {
return nothing, err
}
if !canAccess(arg.MachineTag) {
return nothing, common.ErrPerm
}
_, id, err := names.ParseTag(arg.MachineTag, names.MachineTagKind)
if err != nil {
return nothing, err
}
machine, err := p.st.Machine(id)
if err != nil {
return nothing, err
}
var watch state.StringsWatcher
if arg.ContainerType != "" {
watch = machine.WatchContainers(instance.ContainerType(arg.ContainerType))
} else {
watch = machine.WatchAllContainers()
}
// Consume the initial event and forward it to the result.
if changes, ok := <-watch.Changes(); ok {
return params.StringsWatchResult{
StringsWatcherId: p.resources.Register(watch),
Changes: changes,
}, nil
}
return nothing, watcher.MustErr(watch)
}
开发者ID:jameinel,项目名称:core,代码行数:32,代码来源:provisioner.go
示例4: WatchForEnvironConfigChanges
// WatchForEnvironConfigChanges returns a NotifyWatcher that observes
// changes to the environment configuration.
// Note that although the NotifyWatchResult contains an Error field,
// it's not used because we are only returning a single watcher,
// so we use the regular error return.
func (e *EnvironWatcher) WatchForEnvironConfigChanges() (params.NotifyWatchResult, error) {
result := params.NotifyWatchResult{}
canWatch, err := e.getCanWatch()
if err != nil {
return result, err
}
// TODO(dimitern) If we have multiple environments in state, use a
// tag argument here and as a method argument.
if !canWatch("") {
return result, ErrPerm
}
watch := e.st.WatchForEnvironConfigChanges()
// Consume the initial event. Technically, API
// calls to Watch 'transmit' the initial event
// in the Watch response. But NotifyWatchers
// have no state to transmit.
if _, ok := <-watch.Changes(); ok {
result.NotifyWatcherId = e.resources.Register(watch)
} else {
return result, watcher.MustErr(watch)
}
return result, nil
}
开发者ID:jameinel,项目名称:core,代码行数:30,代码来源:environwatcher.go
示例5: WatchAuthorisedKeys
// WatchAuthorisedKeys starts a watcher to track changes to the authorised ssh keys
// for the specified machines.
// The current implementation relies on global authorised keys being stored in the environment config.
// This will change as new user management and authorisation functionality is added.
func (api *KeyUpdaterAPI) WatchAuthorisedKeys(arg params.Entities) (params.NotifyWatchResults, error) {
results := make([]params.NotifyWatchResult, len(arg.Entities))
canRead, err := api.getCanRead()
if err != nil {
return params.NotifyWatchResults{}, err
}
for i, entity := range arg.Entities {
// 1. Check permissions
if !canRead(entity.Tag) {
results[i].Error = common.ServerError(common.ErrPerm)
continue
}
// 2. Check entity exists
if _, err := api.state.FindEntity(entity.Tag); err != nil {
if errors.IsNotFound(err) {
results[i].Error = common.ServerError(common.ErrPerm)
} else {
results[i].Error = common.ServerError(err)
}
continue
}
// 3. Watch fr changes
var err error
watch := api.state.WatchForEnvironConfigChanges()
// Consume the initial event.
if _, ok := <-watch.Changes(); ok {
results[i].NotifyWatcherId = api.resources.Register(watch)
} else {
err = watcher.MustErr(watch)
}
results[i].Error = common.ServerError(err)
}
return params.NotifyWatchResults{Results: results}, nil
}
开发者ID:jameinel,项目名称:core,代码行数:39,代码来源:authorisedkeys.go
示例6: watchMachinesLoop
// watchMachinesLoop watches for changes provided by the given
// machinesWatcher and starts machine goroutines to deal
// with them, using the provided newMachineContext
// function to create the appropriate context for each new machine id.
func watchMachinesLoop(context updaterContext, w machinesWatcher) (err error) {
p := &updater{
context: context,
machines: make(map[string]chan struct{}),
machineDead: make(chan machine),
}
defer func() {
if stopErr := w.Stop(); stopErr != nil {
if err == nil {
err = fmt.Errorf("error stopping watcher: %v", stopErr)
} else {
logger.Warningf("ignoring error when stopping watcher: %v", stopErr)
}
}
for len(p.machines) > 0 {
delete(p.machines, (<-p.machineDead).Id())
}
}()
for {
select {
case ids, ok := <-w.Changes():
if !ok {
return watcher.MustErr(w)
}
if err := p.startMachines(ids); err != nil {
return err
}
case m := <-p.machineDead:
delete(p.machines, m.Id())
case <-p.context.dying():
return nil
}
}
}
开发者ID:jameinel,项目名称:core,代码行数:38,代码来源:updater.go
示例7: addRelation
// addRelation causes the unit agent to join the supplied relation, and to
// store persistent state in the supplied dir.
func (u *Uniter) addRelation(rel *uniter.Relation, dir *relation.StateDir) error {
logger.Infof("joining relation %q", rel)
ru, err := rel.Unit(u.unit)
if err != nil {
return err
}
r := NewRelationer(ru, dir, u.relationHooks)
w, err := u.unit.Watch()
if err != nil {
return err
}
defer watcher.Stop(w, &u.tomb)
for {
select {
case <-u.tomb.Dying():
return tomb.ErrDying
case _, ok := <-w.Changes():
if !ok {
return watcher.MustErr(w)
}
err := r.Join()
if params.IsCodeCannotEnterScopeYet(err) {
logger.Infof("cannot enter scope for relation %q; waiting for subordinate to be removed", rel)
continue
} else if err != nil {
return err
}
logger.Infof("joined relation %q", rel)
u.relationers[rel.Id()] = r
return nil
}
}
}
开发者ID:jameinel,项目名称:core,代码行数:35,代码来源:uniter.go
示例8: loop
func (w *EnvironConfigWatcher) loop() (err error) {
sw := w.st.watchSettings(environGlobalKey)
defer sw.Stop()
out := w.out
out = nil
cfg := &config.Config{}
for {
select {
case <-w.st.watcher.Dead():
return stateWatcherDeadError(w.st.watcher.Err())
case <-w.tomb.Dying():
return tomb.ErrDying
case settings, ok := <-sw.Changes():
if !ok {
return watcher.MustErr(sw)
}
cfg, err = config.New(config.NoDefaults, settings.Map())
if err == nil {
out = w.out
} else {
out = nil
}
case out <- cfg:
out = nil
}
}
}
开发者ID:jameinel,项目名称:core,代码行数:27,代码来源:watcher.go
示例9: ModeTerminating
// ModeTerminating marks the unit dead and returns ErrTerminateAgent.
func ModeTerminating(u *Uniter) (next Mode, err error) {
defer modeContext("ModeTerminating", &err)()
if err = u.unit.SetStatus(params.StatusStopped, "", nil); err != nil {
return nil, err
}
w, err := u.unit.Watch()
if err != nil {
return nil, err
}
defer watcher.Stop(w, &u.tomb)
for {
select {
case <-u.tomb.Dying():
return nil, tomb.ErrDying
case _, ok := <-w.Changes():
if !ok {
return nil, watcher.MustErr(w)
}
if err := u.unit.Refresh(); err != nil {
return nil, err
}
if hasSubs, err := u.unit.HasSubordinates(); err != nil {
return nil, err
} else if hasSubs {
continue
}
// The unit is known to be Dying; so if it didn't have subordinates
// just above, it can't acquire new ones before this call.
if err := u.unit.EnsureDead(); err != nil {
return nil, err
}
return nil, worker.ErrTerminateAgent
}
}
}
开发者ID:jameinel,项目名称:core,代码行数:36,代码来源:modes.go
示例10: loop
func (obs *EnvironObserver) loop() error {
for {
select {
case <-obs.tomb.Dying():
return nil
case _, ok := <-obs.environWatcher.Changes():
if !ok {
return watcher.MustErr(obs.environWatcher)
}
}
config, err := obs.st.EnvironConfig()
if err != nil {
logger.Warningf("error reading environment config: %v", err)
continue
}
environ, err := environs.New(config)
if err != nil {
logger.Warningf("error creating Environ: %v", err)
continue
}
obs.mu.Lock()
obs.environ = environ
obs.mu.Unlock()
}
}
开发者ID:jameinel,项目名称:core,代码行数:25,代码来源:environ.go
示例11: WatchAPIHostPorts
// WatchAPIHostPorts watches the API server addresses.
func (api *APIAddresser) WatchAPIHostPorts() (params.NotifyWatchResult, error) {
watch := api.getter.WatchAPIHostPorts()
if _, ok := <-watch.Changes(); ok {
return params.NotifyWatchResult{
NotifyWatcherId: api.resources.Register(watch),
}, nil
}
return params.NotifyWatchResult{}, watcher.MustErr(watch)
}
开发者ID:jameinel,项目名称:core,代码行数:10,代码来源:addresses.go
示例12: watchOneRelationUnit
func (u *UniterAPI) watchOneRelationUnit(relUnit *state.RelationUnit) (params.RelationUnitsWatchResult, error) {
watch := relUnit.Watch()
// Consume the initial event and forward it to the result.
if changes, ok := <-watch.Changes(); ok {
return params.RelationUnitsWatchResult{
RelationUnitsWatcherId: u.resources.Register(watch),
Changes: changes,
}, nil
}
return params.RelationUnitsWatchResult{}, watcher.MustErr(watch)
}
开发者ID:jameinel,项目名称:core,代码行数:11,代码来源:uniter.go
示例13: loop
func (task *provisionerTask) loop() error {
logger.Infof("Starting up provisioner task %s", task.machineTag)
defer watcher.Stop(task.machineWatcher, &task.tomb)
// Don't allow the safe mode to change until we have
// read at least one set of changes, which will populate
// the task.machines map. Otherwise we will potentially
// see all legitimate instances as unknown.
var safeModeChan chan bool
// Not all provisioners have a retry channel.
var retryChan <-chan struct{}
if task.retryWatcher != nil {
retryChan = task.retryWatcher.Changes()
}
// When the watcher is started, it will have the initial changes be all
// the machines that are relevant. Also, since this is available straight
// away, we know there will be some changes right off the bat.
for {
select {
case <-task.tomb.Dying():
logger.Infof("Shutting down provisioner task %s", task.machineTag)
return tomb.ErrDying
case ids, ok := <-task.machineWatcher.Changes():
if !ok {
return watcher.MustErr(task.machineWatcher)
}
if err := task.processMachines(ids); err != nil {
return fmt.Errorf("failed to process updated machines: %v", err)
}
// We've seen a set of changes. Enable safe mode change.
safeModeChan = task.safeModeChan
case safeMode := <-safeModeChan:
if safeMode == task.safeMode {
break
}
logger.Infof("safe mode changed to %v", safeMode)
task.safeMode = safeMode
if !safeMode {
// Safe mode has been disabled, so process current machines
// so that unknown machines will be immediately dealt with.
if err := task.processMachines(nil); err != nil {
return fmt.Errorf("failed to process machines after safe mode disabled: %v", err)
}
}
case <-retryChan:
if err := task.processMachinesWithTransientErrors(); err != nil {
return fmt.Errorf("failed to process machines with transient errors: %v", err)
}
}
}
}
开发者ID:jameinel,项目名称:core,代码行数:53,代码来源:provisioner_task.go
示例14: watchAssignedMachine
func (u *UnitUpgraderAPI) watchAssignedMachine(unitTag string) (string, error) {
machine, err := u.getAssignedMachine(unitTag)
if err != nil {
return "", err
}
watch := machine.Watch()
// Consume the initial event. Technically, API
// calls to Watch 'transmit' the initial event
// in the Watch response. But NotifyWatchers
// have no state to transmit.
if _, ok := <-watch.Changes(); ok {
return u.resources.Register(watch), nil
}
return "", watcher.MustErr(watch)
}
开发者ID:jameinel,项目名称:core,代码行数:15,代码来源:unitupgrader.go
示例15: watchOneServiceRelations
func (u *UniterAPI) watchOneServiceRelations(tag string) (params.StringsWatchResult, error) {
nothing := params.StringsWatchResult{}
service, err := u.getService(tag)
if err != nil {
return nothing, err
}
watch := service.WatchRelations()
// Consume the initial event and forward it to the result.
if changes, ok := <-watch.Changes(); ok {
return params.StringsWatchResult{
StringsWatcherId: u.resources.Register(watch),
Changes: changes,
}, nil
}
return nothing, watcher.MustErr(watch)
}
开发者ID:jameinel,项目名称:core,代码行数:16,代码来源:uniter.go
示例16: loop
func (p *environProvisioner) loop() error {
var environConfigChanges <-chan struct{}
environWatcher, err := p.st.WatchForEnvironConfigChanges()
if err != nil {
return err
}
environConfigChanges = environWatcher.Changes()
defer watcher.Stop(environWatcher, &p.tomb)
p.environ, err = worker.WaitForEnviron(environWatcher, p.st, p.tomb.Dying())
if err != nil {
return err
}
p.broker = p.environ
safeMode := p.environ.Config().ProvisionerSafeMode()
task, err := p.getStartTask(safeMode)
if err != nil {
return err
}
defer watcher.Stop(task, &p.tomb)
for {
select {
case <-p.tomb.Dying():
return tomb.ErrDying
case <-task.Dying():
err := task.Err()
logger.Errorf("environ provisioner died: %v", err)
return err
case _, ok := <-environConfigChanges:
if !ok {
return watcher.MustErr(environWatcher)
}
environConfig, err := p.st.EnvironConfig()
if err != nil {
logger.Errorf("cannot load environment configuration: %v", err)
return err
}
if err := p.setConfig(environConfig); err != nil {
logger.Errorf("loaded invalid environment configuration: %v", err)
}
task.SetSafeMode(environConfig.ProvisionerSafeMode())
}
}
}
开发者ID:jameinel,项目名称:core,代码行数:46,代码来源:provisioner.go
示例17: WatchMachineErrorRetry
// WatchMachineErrorRetry returns a NotifyWatcher that notifies when
// the provisioner should retry provisioning machines with transient errors.
func (p *ProvisionerAPI) WatchMachineErrorRetry() (params.NotifyWatchResult, error) {
result := params.NotifyWatchResult{}
canWatch, err := p.getCanWatchMachines()
if err != nil {
return params.NotifyWatchResult{}, err
}
if !canWatch("") {
return result, common.ErrPerm
}
watch := newWatchMachineErrorRetry()
// Consume any initial event and forward it to the result.
if _, ok := <-watch.Changes(); ok {
result.NotifyWatcherId = p.resources.Register(watch)
} else {
return result, watcher.MustErr(watch)
}
return result, nil
}
开发者ID:jameinel,项目名称:core,代码行数:20,代码来源:provisioner.go
示例18: watchOneUnitConfigSettings
func (u *UniterAPI) watchOneUnitConfigSettings(tag string) (string, error) {
unit, err := u.getUnit(tag)
if err != nil {
return "", err
}
watch, err := unit.WatchConfigSettings()
if err != nil {
return "", err
}
// Consume the initial event. Technically, API
// calls to Watch 'transmit' the initial event
// in the Watch response. But NotifyWatchers
// have no state to transmit.
if _, ok := <-watch.Changes(); ok {
return u.resources.Register(watch), nil
}
return "", watcher.MustErr(watch)
}
开发者ID:jameinel,项目名称:core,代码行数:18,代码来源:uniter.go
示例19: watchEntity
func (a *AgentEntityWatcher) watchEntity(tag string) (string, error) {
entity0, err := a.st.FindEntity(tag)
if err != nil {
return "", err
}
entity, ok := entity0.(state.NotifyWatcherFactory)
if !ok {
return "", NotSupportedError(tag, "watching")
}
watch := entity.Watch()
// Consume the initial event. Technically, API
// calls to Watch 'transmit' the initial event
// in the Watch response. But NotifyWatchers
// have no state to transmit.
if _, ok := <-watch.Changes(); ok {
return a.resources.Register(watch), nil
}
return "", watcher.MustErr(watch)
}
开发者ID:jameinel,项目名称:core,代码行数:19,代码来源:watch.go
示例20: WatchEnvironMachines
// WatchEnvironMachines returns a StringsWatcher that notifies of
// changes to the life cycles of the top level machines in the current
// environment.
func (e *EnvironMachinesWatcher) WatchEnvironMachines() (params.StringsWatchResult, error) {
result := params.StringsWatchResult{}
canWatch, err := e.getCanWatch()
if err != nil {
return params.StringsWatchResult{}, err
}
if !canWatch("") {
return result, ErrPerm
}
watch := e.st.WatchEnvironMachines()
// Consume the initial event and forward it to the result.
if changes, ok := <-watch.Changes(); ok {
result.StringsWatcherId = e.resources.Register(watch)
result.Changes = changes
} else {
err := watcher.MustErr(watch)
return result, fmt.Errorf("cannot obtain initial environment machines: %v", err)
}
return result, nil
}
开发者ID:jameinel,项目名称:core,代码行数:23,代码来源:environmachineswatcher.go
注:本文中的github.com/wallyworld/core/state/watcher.MustErr函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论