本文整理汇总了Golang中github.com/cloudfoundry/bosh-utils/errors.Error函数的典型用法代码示例。如果您正苦于以下问题:Golang Error函数的具体用法?Golang Error怎么用?Golang Error使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了Error函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Golang代码示例。
示例1: determineParams
func (a DrainAction) determineParams(drainType DrainType, currentSpec boshas.V1ApplySpec, newSpecs []boshas.V1ApplySpec) (boshdrain.ScriptParams, error) {
var newSpec *boshas.V1ApplySpec
var params boshdrain.ScriptParams
if len(newSpecs) > 0 {
newSpec = &newSpecs[0]
}
switch drainType {
case DrainTypeStatus:
// Status was used in the past when dynamic drain was implemented in the Director.
// Now that we implement it in the agent, we should never get a call for this type.
return params, bosherr.Error("Unexpected call with drain type 'status'")
case DrainTypeUpdate:
if newSpec == nil {
return params, bosherr.Error("Drain update requires new spec")
}
params = boshdrain.NewUpdateParams(currentSpec, *newSpec)
case DrainTypeShutdown:
err := a.notifier.NotifyShutdown()
if err != nil {
return params, bosherr.WrapError(err, "Notifying shutdown")
}
params = boshdrain.NewShutdownParams(currentSpec, newSpec)
}
return params, nil
}
开发者ID:EMC-CMD,项目名称:bosh-agent,代码行数:32,代码来源:drain.go
示例2: Run
func (r concreteRunner) Run(action Action, payloadBytes []byte) (value interface{}, err error) {
payloadArgs, err := r.extractJSONArguments(payloadBytes)
if err != nil {
err = bosherr.WrapError(err, "Extracting json arguments")
return
}
actionValue := reflect.ValueOf(action)
runMethodValue := actionValue.MethodByName("Run")
if runMethodValue.Kind() != reflect.Func {
err = bosherr.Error("Run method not found")
return
}
runMethodType := runMethodValue.Type()
if r.invalidReturnTypes(runMethodType) {
err = bosherr.Error("Run method should return a value and an error")
return
}
methodArgs, err := r.extractMethodArgs(runMethodType, payloadArgs)
if err != nil {
err = bosherr.WrapError(err, "Extracting method arguments from payload")
return
}
values := runMethodValue.Call(methodArgs)
return r.extractReturns(values)
}
开发者ID:EMC-CMD,项目名称:bosh-agent,代码行数:29,代码来源:runner.go
示例3: findRootDevicePathAndNumber
func (p linux) findRootDevicePathAndNumber() (string, int, error) {
mounts, err := p.diskManager.GetMountsSearcher().SearchMounts()
if err != nil {
return "", 0, bosherr.WrapError(err, "Searching mounts")
}
for _, mount := range mounts {
if mount.MountPoint == "/" && strings.HasPrefix(mount.PartitionPath, "/dev/") {
p.logger.Debug(logTag, "Found root partition: `%s'", mount.PartitionPath)
stdout, _, _, err := p.cmdRunner.RunCommand("readlink", "-f", mount.PartitionPath)
if err != nil {
return "", 0, bosherr.WrapError(err, "Shelling out to readlink")
}
rootPartition := strings.Trim(stdout, "\n")
p.logger.Debug(logTag, "Symlink is: `%s'", rootPartition)
validRootPartition := regexp.MustCompile(`^/dev/[a-z]+\d$`)
if !validRootPartition.MatchString(rootPartition) {
return "", 0, bosherr.Error("Root partition has an invalid name" + rootPartition)
}
devNum, err := strconv.Atoi(rootPartition[len(rootPartition)-1:])
if err != nil {
return "", 0, bosherr.WrapError(err, "Parsing device number failed")
}
devPath := rootPartition[:len(rootPartition)-1]
return devPath, devNum, nil
}
}
return "", 0, bosherr.Error("Getting root partition device")
}
开发者ID:mattcui,项目名称:bosh-init,代码行数:34,代码来源:linux_platform.go
示例4: validateJob
func (v SyntaxValidator) validateJob(job *Job) error {
if job.Name == "" {
return bosherr.Error("Missing job name")
}
if job.Template != nil {
return bosherr.Error("'template' is deprecated in favor of 'templates'")
}
err := v.validateUpdate(&job.Update)
if err != nil {
return bosherr.WrapError(err, "Update")
}
props, err := bputil.NewStringKeyed().ConvertMap(job.PropertiesRaw)
if err != nil {
return bosherr.WrapError(err, "Properties")
}
job.Properties = props
for i, na := range job.NetworkAssociations {
err := v.validateNetworkAssociation(&job.NetworkAssociations[i])
if err != nil {
return bosherr.WrapErrorf(err, "Network association %s (%d)", na.NetworkName, i)
}
}
return nil
}
开发者ID:pcfdev-forks,项目名称:bosh-provisioner,代码行数:30,代码来源:syntax_validator.go
示例5: findRootDevicePath
func (p linux) findRootDevicePath() (string, error) {
mounts, err := p.diskManager.GetMountsSearcher().SearchMounts()
if err != nil {
return "", bosherr.WrapError(err, "Searching mounts")
}
for _, mount := range mounts {
if mount.MountPoint == "/" && strings.HasPrefix(mount.PartitionPath, "/dev/") {
p.logger.Debug(logTag, "Found root partition: `%s'", mount.PartitionPath)
stdout, _, _, err := p.cmdRunner.RunCommand("readlink", "-f", mount.PartitionPath)
if err != nil {
return "", bosherr.WrapError(err, "Shelling out to readlink")
}
rootPartition := strings.Trim(stdout, "\n")
p.logger.Debug(logTag, "Symlink is: `%s'", rootPartition)
validRootPartition := regexp.MustCompile(`^/dev/[a-z]+1$`)
if !validRootPartition.MatchString(rootPartition) {
return "", bosherr.Error("Root partition is not the first partition")
}
return strings.Trim(rootPartition, "1"), nil
}
}
return "", bosherr.Error("Getting root partition device")
}
开发者ID:vinodpanicker,项目名称:bosh-agent,代码行数:29,代码来源:linux_platform.go
示例6: GetDefaultNetwork
func (r defaultNetworkResolver) GetDefaultNetwork() (boshsettings.Network, error) {
network := boshsettings.Network{}
routes, err := r.routesSearcher.SearchRoutes()
if err != nil {
return network, bosherr.WrapError(err, "Searching routes")
}
if len(routes) == 0 {
return network, bosherr.Error("No routes found")
}
for _, route := range routes {
if !route.IsDefault() {
continue
}
ip, err := r.ipResolver.GetPrimaryIPv4(route.InterfaceName)
if err != nil {
return network, bosherr.WrapErrorf(err, "Getting primary IPv4 for interface '%s'", route.InterfaceName)
}
return boshsettings.Network{
IP: ip.IP.String(),
Netmask: gonet.IP(ip.Mask).String(),
Gateway: route.Gateway,
}, nil
}
return network, bosherr.Error("Failed to find default route")
}
开发者ID:EMC-CMD,项目名称:bosh-agent,代码行数:32,代码来源:default_network_resolver.go
示例7: Validate
func (v SyntaxValidator) Validate() error {
if v.release.Name == "" {
return bosherr.Error("Missing release name")
}
if v.release.Version == "" {
return bosherr.Error("Missing release version")
}
if v.release.CommitHash == "" {
return bosherr.Error("Missing release commit_hash")
}
for i, job := range v.release.Jobs {
err := v.validateJob(&v.release.Jobs[i])
if err != nil {
return bosherr.WrapErrorf(err, "Job %s (%d)", job.Name, i)
}
}
for i, pkg := range v.release.Packages {
err := v.validatePkg(&v.release.Packages[i])
if err != nil {
return bosherr.WrapErrorf(err, "Package %s (%d)", pkg.Name, i)
}
}
return nil
}
开发者ID:pcfdev-forks,项目名称:bosh-provisioner,代码行数:29,代码来源:syntax_validator.go
示例8: validate
func (c Config) validate() error {
if c.AssetsDir == "" {
return bosherr.Error("Must provide non-empty assets_dir")
}
if c.ReposDir == "" {
return bosherr.Error("Must provide non-empty repos_dir")
}
err := c.EventLog.Validate()
if err != nil {
return bosherr.WrapError(err, "Validating event_log configuration")
}
if c.Blobstore.Type != bpprov.BlobstoreConfigTypeLocal {
return bosherr.Error("Blobstore type must be local")
}
err = c.Blobstore.Validate()
if err != nil {
return bosherr.WrapError(err, "Validating blobstore configuration")
}
return nil
}
开发者ID:pcfdev-forks,项目名称:bosh-provisioner,代码行数:25,代码来源:config.go
示例9: buildWithoutRegistry
func (f SettingsSourceFactory) buildWithoutRegistry() (boshsettings.Source, error) {
var settingsSources []boshsettings.Source
for _, opts := range f.options.Sources {
var settingsSource boshsettings.Source
switch typedOpts := opts.(type) {
case HTTPSourceOptions:
return nil, bosherr.Error("HTTP source is not supported without registry")
case ConfigDriveSourceOptions:
settingsSource = NewConfigDriveSettingsSource(
typedOpts.DiskPaths,
typedOpts.MetaDataPath,
typedOpts.SettingsPath,
f.platform,
f.logger,
)
case FileSourceOptions:
return nil, bosherr.Error("File source is not supported without registry")
case CDROMSourceOptions:
settingsSource = NewCDROMSettingsSource(
typedOpts.FileName,
f.platform,
f.logger,
)
}
settingsSources = append(settingsSources, settingsSource)
}
return NewMultiSettingsSource(settingsSources...)
}
开发者ID:EMC-CMD,项目名称:bosh-agent,代码行数:35,代码来源:settings_source_factory.go
示例10: validate_arguments
func (c BaremetalCreator) validate_arguments(memory int, processor int, disksize int, host string, domain string, ostype string, datacenter string) error {
if memory <= 0 {
return bosherr.Errorf("memory can not be negative: %d", memory)
}
if processor <= 0 {
return bosherr.Errorf("processor can not be negative: %d", processor)
}
if disksize <= 0 {
return bosherr.Errorf("disk size can not be negative: %d", disksize)
}
if host == "" {
return bosherr.Error("host can not be empty.")
}
if domain == "" {
return bosherr.Error("domain can not be empty.")
}
if ostype == "" {
return bosherr.Error("os type can not be empty.")
}
if datacenter == "" {
return bosherr.Error("data center can not be empty.")
}
return nil
}
开发者ID:digideskweb,项目名称:bosh-softlayer-cpi,代码行数:32,代码来源:baremetal_creator.go
示例11: Precompile
// Precompile prepares release jobs to be later combined with instance properties
func (tc ConcreteTemplatesCompiler) Precompile(release bprel.Release) error {
var allPkgs []bprel.Package
for _, pkg := range release.Packages {
if pkg == nil {
// todo panic or should not be here?
return bosherr.Error("Expected release to not have nil package")
}
allPkgs = append(allPkgs, *pkg)
}
for _, pkg := range release.CompiledPackages {
if pkg == nil {
// todo panic or should not be here?
return bosherr.Error("Expected release to not have nil package")
}
allPkgs = append(allPkgs, *pkg)
}
for _, job := range release.Jobs {
jobRec, found, err := tc.jobsRepo.Find(job)
if err != nil {
return bosherr.WrapErrorf(err, "Finding job source blob %s", job.Name)
}
if !found {
blobID, fingerprint, err := tc.blobstore.Create(job.TarPath)
if err != nil {
return bosherr.WrapErrorf(err, "Creating job source blob %s", job.Name)
}
jobRec = bpjobsrepo.JobRecord{
BlobID: blobID,
SHA1: fingerprint,
}
err = tc.jobsRepo.Save(job, jobRec)
if err != nil {
return bosherr.WrapErrorf(err, "Saving job record %s", job.Name)
}
}
releaseJobRec, err := tc.tplToJobRepo.SaveForJob(release, job)
if err != nil {
return bosherr.WrapErrorf(err, "Saving release job %s", job.Name)
}
// todo associate to release instead
err = tc.runPkgsRepo.SaveAll(releaseJobRec, allPkgs)
if err != nil {
return bosherr.WrapErrorf(err, "Saving release job %s", job.Name)
}
}
return nil
}
开发者ID:pcfdev-forks,项目名称:bosh-provisioner,代码行数:58,代码来源:concrete_templates_compiler.go
示例12: buildWithRegistry
func (f SettingsSourceFactory) buildWithRegistry() (boshsettings.Source, error) {
var metadataServices []MetadataService
digDNSResolver := NewDigDNSResolver(f.platform.GetRunner(), f.logger)
resolver := NewRegistryEndpointResolver(digDNSResolver)
for _, opts := range f.options.Sources {
var metadataService MetadataService
switch typedOpts := opts.(type) {
case HTTPSourceOptions:
metadataService = NewHTTPMetadataService(
typedOpts.URI,
typedOpts.Headers,
typedOpts.UserDataPath,
typedOpts.InstanceIDPath,
typedOpts.SSHKeysPath,
resolver,
f.platform,
f.logger,
)
case ConfigDriveSourceOptions:
metadataService = NewConfigDriveMetadataService(
resolver,
f.platform,
typedOpts.DiskPaths,
typedOpts.MetaDataPath,
typedOpts.UserDataPath,
f.logger,
)
case FileSourceOptions:
metadataService = NewFileMetadataService(
typedOpts.MetaDataPath,
typedOpts.UserDataPath,
typedOpts.SettingsPath,
f.platform.GetFs(),
f.logger,
)
case CDROMSourceOptions:
return nil, bosherr.Error("CDROM source is not supported when registry is used")
case InstanceMetadataSourceOptions:
return nil, bosherr.Error("Instance Metadata source is not supported when registry is used")
}
metadataServices = append(metadataServices, metadataService)
}
metadataService := NewMultiSourceMetadataService(metadataServices...)
registryProvider := NewRegistryProvider(metadataService, f.platform, f.options.UseServerName, f.platform.GetFs(), f.logger)
settingsSource := NewComplexSettingsSource(metadataService, registryProvider, f.logger)
return settingsSource, nil
}
开发者ID:jianqiu,项目名称:bosh-agent,代码行数:56,代码来源:settings_source_factory.go
示例13: Delete
func (vm SoftLayerVM) Delete(agentID string) error {
if strings.ToUpper(common.GetOSEnvVariable("OS_RELOAD_ENABLED", "TRUE")) == "FALSE" {
if strings.ToUpper(common.GetOSEnvVariable("DEL_NOT_ALLOWED", "FALSE")) == "FALSE" {
return vm.DeleteVM()
} else {
return bosherr.Error("DEL_NOT_ALLOWED is set to TRUE, the VM deletion reqeust is refused.")
}
}
err := bslcvmpool.InitVMPoolDB(bslcvmpool.DB_RETRY_TIMEOUT, bslcvmpool.DB_RETRY_INTERVAL, vm.logger)
if err != nil {
return bosherr.WrapError(err, "Failed to initialize VM pool DB")
}
db, err := bslcvmpool.OpenDB(bslcvmpool.SQLITE_DB_FILE_PATH)
if err != nil {
return bosherr.WrapError(err, "Opening DB")
}
vmInfoDB := bslcvmpool.NewVMInfoDB(vm.id, "", "", "", "", vm.logger, db)
defer vmInfoDB.CloseDB()
err = vmInfoDB.QueryVMInfobyID(bslcvmpool.DB_RETRY_TIMEOUT, bslcvmpool.DB_RETRY_INTERVAL)
if err != nil {
return bosherr.WrapError(err, fmt.Sprintf("Failed to query VM info by given ID %d", vm.id))
}
vm.logger.Info(SOFTLAYER_VM_LOG_TAG, fmt.Sprintf("vmInfoDB.vmProperties.id is %d", vmInfoDB.VmProperties.Id))
if vmInfoDB.VmProperties.Id != 0 {
if agentID != "" {
vm.logger.Info(SOFTLAYER_VM_LOG_TAG, fmt.Sprintf("Release the VM with id %d back to the VM pool", vmInfoDB.VmProperties.Id))
vmInfoDB.VmProperties.InUse = "f"
err = vmInfoDB.UpdateVMInfoByID(bslcvmpool.DB_RETRY_TIMEOUT, bslcvmpool.DB_RETRY_INTERVAL)
if err != nil {
return bosherr.WrapError(err, fmt.Sprintf("Failed to update in_use to %s by given ID %d", vmInfoDB.VmProperties.InUse, vm.id))
} else {
return nil
}
} else {
if strings.ToUpper(common.GetOSEnvVariable("DEL_NOT_ALLOWED", "FALSE")) == "FALSE" {
return vm.DeleteVM()
} else {
return bosherr.Error("DEL_NOT_ALLOWED is set to TRUE, the VM deletion reqeust is refused.")
}
}
} else {
if strings.ToUpper(common.GetOSEnvVariable("DEL_NOT_ALLOWED", "FALSE")) == "FALSE" {
return vm.DeleteVM()
} else {
return bosherr.Error("DEL_NOT_ALLOWED is set to TRUE, the VM deletion reqeust is refused.")
}
}
}
开发者ID:jianqiu,项目名称:bosh-softlayer-cpi,代码行数:54,代码来源:softlayer_vm.go
示例14: Validate
func (c SoftLayerConfig) Validate() error {
if c.Username == "" {
return bosherr.Error("Must provide non-empty Username")
}
if c.ApiKey == "" {
return bosherr.Error("Must provide non-empty ApiKey")
}
return nil
}
开发者ID:jianqiu,项目名称:bosh-softlayer-cpi,代码行数:11,代码来源:concrete_factory_options.go
示例15: validateNetworkAssociation
func (v SemanticValidator) validateNetworkAssociation(na NetworkAssociation) error {
if na.Network == nil {
return bosherr.Error("Missing associated network")
}
if na.MustHaveStaticIP && na.StaticIP == nil {
return bosherr.Error("Missing static IP assignment")
}
return nil
}
开发者ID:pcfdev-forks,项目名称:bosh-provisioner,代码行数:11,代码来源:semantic_validator.go
示例16: Validate
func (b localBlobstore) Validate() error {
path, found := b.options["blobstore_path"]
if !found {
return bosherr.Error("missing blobstore_path")
}
_, ok := path.(string)
if !ok {
return bosherr.Error("blobstore_path must be a string")
}
return nil
}
开发者ID:EMC-CMD,项目名称:bosh-agent,代码行数:13,代码来源:local_blobstore.go
示例17: Get
func (bc FileBundleCollection) Get(definition BundleDefinition) (Bundle, error) {
if len(definition.BundleName()) == 0 {
return nil, bosherr.Error("Missing bundle name")
}
if len(definition.BundleVersion()) == 0 {
return nil, bosherr.Error("Missing bundle version")
}
installPath := path.Join(bc.installPath, bc.name, definition.BundleName(), definition.BundleVersion())
enablePath := path.Join(bc.enablePath, bc.name, definition.BundleName())
return NewFileBundle(installPath, enablePath, bc.fs, bc.logger), nil
}
开发者ID:jianqiu,项目名称:bosh-agent,代码行数:13,代码来源:file_bundle_collection.go
示例18: validateRelease
func (v SyntaxValidator) validateRelease(release *Release) error {
if release.Name == "" {
return bosherr.Error("Missing release name")
}
if release.Version == "" {
return bosherr.Error("Missing release version")
}
if release.URL == "" {
return bosherr.Error("Missing release URL")
}
return nil
}
开发者ID:pcfdev-forks,项目名称:bosh-provisioner,代码行数:15,代码来源:syntax_validator.go
示例19: RunWithDebug
func (d *deployWrapper) RunWithDebug(args ...string) (string, error) {
output, err := d.cliRunner.RunWithOutput(args...)
taskId := ""
if err != nil {
re := regexp.MustCompile("bosh task ([0-9]+) --debug")
matches := re.FindAllStringSubmatch(output, -1)
if len(matches) > 0 && len(matches[0]) > 1 {
taskId = matches[0][1]
debugErr := d.cliRunner.RunWithArgs("task", taskId, "--debug")
if debugErr != nil {
return taskId, debugErr
}
}
} else {
re := regexp.MustCompile("Task ([0-9]+) done")
matches := re.FindAllStringSubmatch(output, -1)
if len(matches) > 0 && len(matches[0]) > 1 {
taskId = matches[0][1]
}
}
if taskId == "" {
return "", bosherr.Error("Failed to get task id")
}
return taskId, err
}
开发者ID:cloudfoundry-incubator,项目名称:bosh-load-tests,代码行数:30,代码来源:deploy_wrapper.go
示例20: readByte
func (udev ConcreteUdevDevice) readByte(filePath string) error {
udev.logger.Debug(udev.logtag, "readBytes from file: %s", filePath)
device, err := os.Open(filePath)
if err != nil {
return err
}
defer func() {
if err = device.Close(); err != nil {
udev.logger.Warn(udev.logtag, "Failed to close device: %s", err.Error())
}
}()
udev.logger.Debug(udev.logtag, "Successfully open file: %s", filePath)
bytes := make([]byte, 1, 1)
read, err := device.Read(bytes)
if err != nil {
return err
}
udev.logger.Debug(udev.logtag, "Successfully read %d bytes from file: %s", read, filePath)
if read != 1 {
return bosherr.Error("Device readable but zero length")
}
return nil
}
开发者ID:EMC-CMD,项目名称:bosh-agent,代码行数:26,代码来源:concrete_udev_device.go
注:本文中的github.com/cloudfoundry/bosh-utils/errors.Error函数示例整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论