本文整理汇总了Golang中github.com/lxc/lxd/shared.PathExists函数的典型用法代码示例。如果您正苦于以下问题:Golang PathExists函数的具体用法?Golang PathExists怎么用?Golang PathExists使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了PathExists函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Golang代码示例。
示例1: unpackImage
func unpackImage(d *Daemon, imagefname string, destpath string) error {
err := unpack(d, imagefname, destpath)
if err != nil {
return err
}
rootfsPath := fmt.Sprintf("%s/rootfs", destpath)
if shared.PathExists(imagefname + ".rootfs") {
err = os.MkdirAll(rootfsPath, 0755)
if err != nil {
return fmt.Errorf("Error creating rootfs directory")
}
err = unpack(d, imagefname+".rootfs", rootfsPath)
if err != nil {
return err
}
}
if !shared.PathExists(rootfsPath) {
return fmt.Errorf("Image is missing a rootfs: %s", imagefname)
}
return nil
}
开发者ID:vahe,项目名称:lxd,代码行数:25,代码来源:images.go
示例2: pullOutImagefiles
// Copy imagefile and btrfs file out of the tmpdir
func pullOutImagefiles(d *Daemon, builddir string, fingerprint string) error {
imagefname := filepath.Join(builddir, fingerprint)
imagerootfsfname := filepath.Join(builddir, fingerprint+".rootfs")
finalName := shared.VarPath("images", fingerprint)
finalrootfsName := shared.VarPath("images", fingerprint+".rootfs")
if shared.PathExists(imagerootfsfname) {
err := os.Rename(imagerootfsfname, finalrootfsName)
if err != nil {
return err
}
}
err := os.Rename(imagefname, finalName)
if err != nil {
return err
}
lvsymlink := fmt.Sprintf("%s.lv", imagefname)
if shared.PathExists(lvsymlink) {
dst := shared.VarPath("images", fmt.Sprintf("%s.lv", fingerprint))
return os.Rename(lvsymlink, dst)
}
switch d.BackingFs {
case "btrfs":
subvol := fmt.Sprintf("%s.btrfs", imagefname)
dst := shared.VarPath("images", fmt.Sprintf("%s.btrfs", fingerprint))
if err := os.Rename(subvol, dst); err != nil {
return err
}
}
return nil
}
开发者ID:joker042,项目名称:lxd,代码行数:36,代码来源:images.go
示例3: storageForFilename
func storageForFilename(d *Daemon, filename string) (storage, error) {
config := make(map[string]interface{})
storageType := storageTypeDir
if d.IsMock {
return newStorageWithConfig(d, storageTypeMock, config)
}
filesystem, err := filesystemDetect(filename)
if err != nil {
return nil, fmt.Errorf("couldn't detect filesystem for '%s': %v", filename, err)
}
if shared.PathExists(filename + ".lv") {
storageType = storageTypeLvm
lvPath, err := os.Readlink(filename + ".lv")
if err != nil {
return nil, fmt.Errorf("couldn't read link dest for '%s': %v", filename+".lv", err)
}
vgname := filepath.Base(filepath.Dir(lvPath))
config["vgName"] = vgname
} else if shared.PathExists(filename + ".zfs") {
storageType = storageTypeZfs
} else if shared.PathExists(filename+".btrfs") || filesystem == "btrfs" {
storageType = storageTypeBtrfs
}
return newStorageWithConfig(d, storageType, config)
}
开发者ID:jameinel,项目名称:lxd,代码行数:29,代码来源:storage.go
示例4: ExportToTar
/*
* Export the container to a unshifted tarfile containing:
* dir/
* metadata.yaml
* rootfs/
*/
func (c *containerLXD) ExportToTar(snap string, w io.Writer) error {
if snap == "" && c.IsRunning() {
return fmt.Errorf("Cannot export a running container as image")
}
idmap, err := c.LastIdmapSetGet()
if err != nil {
return err
}
if idmap != nil {
if err := idmap.UnshiftRootfs(c.RootfsPathGet()); err != nil {
return err
}
defer idmap.ShiftRootfs(c.RootfsPathGet())
}
tw := tar.NewWriter(w)
// keep track of the first path we saw for each path with nlink>1
linkmap := map[uint64]string{}
cDir := c.PathGet("")
// Path inside the tar image is the pathname starting after cDir
offset := len(cDir) + 1
writeToTar := func(path string, fi os.FileInfo, err error) error {
if err := c.tarStoreFile(linkmap, offset, tw, path, fi); err != nil {
shared.Debugf("Error tarring up %s: %s", path, err)
return err
}
return nil
}
fnam := filepath.Join(cDir, "metadata.yaml")
if shared.PathExists(fnam) {
fi, err := os.Lstat(fnam)
if err != nil {
shared.Debugf("Error statting %s during exportToTar", fnam)
tw.Close()
return err
}
if err := c.tarStoreFile(linkmap, offset, tw, fnam, fi); err != nil {
shared.Debugf("Error writing to tarfile: %s", err)
tw.Close()
return err
}
}
fnam = filepath.Join(cDir, "rootfs")
filepath.Walk(fnam, writeToTar)
fnam = filepath.Join(cDir, "templates")
if shared.PathExists(fnam) {
filepath.Walk(fnam, writeToTar)
}
return tw.Close()
}
开发者ID:Skarlso,项目名称:lxd,代码行数:64,代码来源:container.go
示例5: doNetworkGet
func doNetworkGet(d *Daemon, name string) (shared.NetworkConfig, error) {
// Get some information
osInfo, _ := net.InterfaceByName(name)
_, dbInfo, _ := dbNetworkGet(d.db, name)
// Sanity check
if osInfo == nil && dbInfo == nil {
return shared.NetworkConfig{}, os.ErrNotExist
}
// Prepare the response
n := shared.NetworkConfig{}
n.Name = name
n.UsedBy = []string{}
n.Config = map[string]string{}
// Look for containers using the interface
cts, err := dbContainersList(d.db, cTypeRegular)
if err != nil {
return shared.NetworkConfig{}, err
}
for _, ct := range cts {
c, err := containerLoadByName(d, ct)
if err != nil {
return shared.NetworkConfig{}, err
}
if networkIsInUse(c, n.Name) {
n.UsedBy = append(n.UsedBy, fmt.Sprintf("/%s/containers/%s", shared.APIVersion, ct))
}
}
// Set the device type as needed
if osInfo != nil && shared.IsLoopback(osInfo) {
n.Type = "loopback"
} else if dbInfo != nil || shared.PathExists(fmt.Sprintf("/sys/class/net/%s/bridge", n.Name)) {
if dbInfo != nil {
n.Managed = true
n.Config = dbInfo.Config
}
n.Type = "bridge"
} else if shared.PathExists(fmt.Sprintf("/sys/class/net/%s/device", n.Name)) {
n.Type = "physical"
} else if shared.PathExists(fmt.Sprintf("/sys/class/net/%s/bonding", n.Name)) {
n.Type = "bond"
} else {
_, err := exec.Command("ovs-vsctl", "br-exists", n.Name).CombinedOutput()
if err == nil {
n.Type = "bridge"
} else {
n.Type = "unknown"
}
}
return n, nil
}
开发者ID:vahe,项目名称:lxd,代码行数:58,代码来源:networks.go
示例6: ContainerRename
func (s *storageZfs) ContainerRename(container container, newName string) error {
oldName := container.Name()
// Unmount the filesystem
err := s.zfsUnmount(fmt.Sprintf("containers/%s", oldName))
if err != nil {
return err
}
// Rename the filesystem
err = s.zfsRename(fmt.Sprintf("containers/%s", oldName), fmt.Sprintf("containers/%s", newName))
if err != nil {
return err
}
// Update to the new mountpoint
err = s.zfsSet(fmt.Sprintf("containers/%s", newName), "mountpoint", shared.VarPath(fmt.Sprintf("containers/%s.zfs", newName)))
if err != nil {
return err
}
// In case ZFS didn't mount the filesystem, do it ourselves
err = s.zfsMount(fmt.Sprintf("containers/%s", newName))
if err != nil {
return err
}
// In case the change of mountpoint didn't remove the old path, do it ourselves
if shared.PathExists(shared.VarPath(fmt.Sprintf("containers/%s.zfs", oldName))) {
err = os.Remove(shared.VarPath(fmt.Sprintf("containers/%s.zfs", oldName)))
if err != nil {
return err
}
}
// Remove the old symlink
err = os.Remove(shared.VarPath(fmt.Sprintf("containers/%s", oldName)))
if err != nil {
return err
}
// Create a new symlink
err = os.Symlink(shared.VarPath(fmt.Sprintf("containers/%s.zfs", newName)), shared.VarPath(fmt.Sprintf("containers/%s", newName)))
if err != nil {
return err
}
// Rename the snapshot path
if shared.PathExists(shared.VarPath(fmt.Sprintf("snapshots/%s", oldName))) {
err = os.Rename(shared.VarPath(fmt.Sprintf("snapshots/%s", oldName)), shared.VarPath(fmt.Sprintf("snapshots/%s", newName)))
if err != nil {
return err
}
}
return nil
}
开发者ID:akshaykarle,项目名称:lxd,代码行数:57,代码来源:storage_zfs.go
示例7: providerConfigure
func providerConfigure(d *schema.ResourceData) (interface{}, error) {
remote := d.Get("remote").(string)
scheme := d.Get("scheme").(string)
daemon_addr := ""
switch scheme {
case "unix":
daemon_addr = fmt.Sprintf("unix:%s", d.Get("address"))
case "https":
daemon_addr = fmt.Sprintf("https://%s:%s", d.Get("address"), d.Get("port"))
default:
err := fmt.Errorf("Invalid scheme: %s", scheme)
return nil, err
}
// build LXD config
config := lxd.Config{
ConfigDir: os.ExpandEnv("$HOME/.config/lxc"),
Remotes: make(map[string]lxd.RemoteConfig),
}
config.Remotes[remote] = lxd.RemoteConfig{Addr: daemon_addr}
log.Printf("[DEBUG] LXD Config: %#v", config)
if scheme == "https" {
// validate certifictes exist
certf := config.ConfigPath("client.crt")
keyf := config.ConfigPath("client.key")
if !shared.PathExists(certf) || !shared.PathExists(keyf) {
err := fmt.Errorf("Certificate or key not found:\n\t%s\n\t%s", certf, keyf)
return nil, err
}
serverCertf := config.ServerCertPath(remote)
if !shared.PathExists(serverCertf) {
err := fmt.Errorf("Server certificate not found:\n\t%s", serverCertf)
return nil, err
}
}
client, err := lxd.NewClient(&config, remote)
if err != nil {
err := fmt.Errorf("Could not create LXD client: %s", err)
return nil, err
}
log.Printf("[DEBUG] LXD Client: %#v", client)
if err := validateClient(client); err != nil {
return nil, err
}
lxdProv := LxdProvider{
Remote: remote,
Client: client,
}
return &lxdProv, nil
}
开发者ID:sl1pm4t,项目名称:terraform-provider-lxd,代码行数:56,代码来源:provider.go
示例8: generateClientCertificate
func generateClientCertificate(config *lxd.Config) error {
// Generate a client certificate if necessary. The default repositories are
// either local or public, neither of which requires a client certificate.
// Generation of the cert is delayed to avoid unnecessary overhead, e.g in
// testing scenarios where only the default repositories are used.
certf := config.ConfigPath("client.crt")
keyf := config.ConfigPath("client.key")
if !shared.PathExists(certf) || !shared.PathExists(keyf) {
fmt.Fprintf(os.Stderr, i18n.G("Generating a client certificate. This may take a minute...")+"\n")
return shared.FindOrGenCert(certf, keyf, true)
}
return nil
}
开发者ID:vahe,项目名称:lxd,代码行数:14,代码来源:remote.go
示例9: storageLVMGetThinPoolUsers
func storageLVMGetThinPoolUsers(d *Daemon) ([]string, error) {
results := []string{}
vgname, err := d.ConfigValueGet("storage.lvm_vg_name")
if err != nil {
return results, fmt.Errorf("Error getting lvm_vg_name config")
}
if vgname == "" {
return results, nil
}
poolname, err := d.ConfigValueGet("storage.lvm_thinpool_name")
if err != nil {
return results, fmt.Errorf("Error getting lvm_thinpool_name config")
}
if poolname == "" {
return results, nil
}
cNames, err := dbContainersList(d.db, cTypeRegular)
if err != nil {
return results, err
}
for _, cName := range cNames {
var lvLinkPath string
if strings.Contains(cName, shared.SnapshotDelimiter) {
lvLinkPath = shared.VarPath("snapshots", fmt.Sprintf("%s.lv", cName))
} else {
lvLinkPath = shared.VarPath("containers", fmt.Sprintf("%s.lv", cName))
}
if shared.PathExists(lvLinkPath) {
results = append(results, cName)
}
}
imageNames, err := dbImagesGet(d.db, false)
if err != nil {
return results, err
}
for _, imageName := range imageNames {
imageLinkPath := shared.VarPath("images", fmt.Sprintf("%s.lv", imageName))
if shared.PathExists(imageLinkPath) {
results = append(results, imageName)
}
}
return results, nil
}
开发者ID:jumpstarter-io,项目名称:lxd,代码行数:49,代码来源:storage_lvm.go
示例10: subvolSnapshot
/*
* subvolSnapshot creates a snapshot of "source" to "dest"
* the result will be readonly if "readonly" is True.
*/
func (s *storageBtrfs) subvolSnapshot(
source string, dest string, readonly bool) error {
parentDestPath := filepath.Dir(dest)
if !shared.PathExists(parentDestPath) {
if err := os.MkdirAll(parentDestPath, 0700); err != nil {
return err
}
}
if shared.PathExists(dest) {
if err := os.Remove(dest); err != nil {
return err
}
}
var output []byte
var err error
if readonly {
output, err = exec.Command(
"btrfs",
"subvolume",
"snapshot",
"-r",
source,
dest).CombinedOutput()
} else {
output, err = exec.Command(
"btrfs",
"subvolume",
"snapshot",
source,
dest).CombinedOutput()
}
if err != nil {
s.log.Error(
"subvolume snapshot failed",
log.Ctx{"source": source, "dest": dest, "output": string(output)},
)
return fmt.Errorf(
"subvolume snapshot failed, source=%s, dest=%s, output=%s",
source,
dest,
string(output),
)
}
return err
}
开发者ID:nehaljwani,项目名称:lxd,代码行数:53,代码来源:storage_btrfs.go
示例11: exportToDir
/*
* Export the container under @dir. It will look like:
* dir/
* metadata.yaml
* rootfs/
*/
func (d *lxdContainer) exportToDir(snap, dir string) error {
if snap != "" && d.c.Running() {
return fmt.Errorf("Cannot export a running container as image")
}
source := shared.VarPath("lxc", d.name, "metadata.yaml")
dest := fmt.Sprintf("%s/metadata.yaml", dir)
if shared.PathExists(source) {
if err := shared.CopyFile(dest, source); err != nil {
return err
}
}
if snap != "" {
source = snapshotRootfsDir(d, snap)
} else {
source = shared.VarPath("lxc", d.name, "rootfs")
}
// rsync the rootfs
err := exec.Command("rsync", "-a", "--devices", source, dir).Run()
if err != nil {
return err
}
// unshift
if !d.isPrivileged() {
rootfs := fmt.Sprintf("%s/rootfs", dir)
err = d.idmapset.UnshiftRootfs(rootfs)
}
return err
}
开发者ID:Ramzec,项目名称:lxd,代码行数:38,代码来源:containers.go
示例12: ContainerSnapshotRename
func (s *storageDir) ContainerSnapshotRename(
snapshotContainer container, newName string) error {
oldPath := snapshotContainer.PathGet("")
newPath := snapshotContainer.PathGet(newName)
// Create the new parent.
if strings.Contains(snapshotContainer.NameGet(), "/") {
if !shared.PathExists(filepath.Dir(newPath)) {
os.MkdirAll(filepath.Dir(newPath), 0700)
}
}
// Now rename the snapshot.
if err := os.Rename(oldPath, newPath); err != nil {
return err
}
// Remove the old parent (on container rename) if its empty.
if strings.Contains(snapshotContainer.NameGet(), "/") {
if ok, _ := shared.PathIsEmpty(filepath.Dir(oldPath)); ok {
os.Remove(filepath.Dir(oldPath))
}
}
return nil
}
开发者ID:crwloop,项目名称:lxd,代码行数:27,代码来源:storage_dir.go
示例13: ContainerSnapshotStart
func (s *storageLvm) ContainerSnapshotStart(container container) error {
srcName := containerNameToLVName(container.Name())
destName := containerNameToLVName(container.Name() + "/rw")
shared.Log.Debug(
"Creating snapshot",
log.Ctx{"srcName": srcName, "destName": destName})
lvpath, err := s.createSnapshotLV(destName, srcName, false)
if err != nil {
return fmt.Errorf("Error creating snapshot LV: %v", err)
}
destPath := container.Path("")
if !shared.PathExists(destPath) {
if err := os.MkdirAll(destPath, 0755); err != nil {
return fmt.Errorf("Error creating container directory: %v", err)
}
}
output, err := exec.Command(
"mount", "-o", "discard", lvpath, container.Path("")).CombinedOutput()
if err != nil {
return fmt.Errorf(
"Error mounting snapshot LV path='%s': %v\noutput:'%s'",
container.Path(""),
err,
string(output))
}
return nil
}
开发者ID:HPCNow,项目名称:lxd,代码行数:32,代码来源:storage_lvm.go
示例14: ContainerCreateFromImage
func (s *storageLvm) ContainerCreateFromImage(
container container, imageFingerprint string) error {
imageLVFilename := shared.VarPath(
"images", fmt.Sprintf("%s.lv", imageFingerprint))
if !shared.PathExists(imageLVFilename) {
if err := s.ImageCreate(imageLVFilename); err != nil {
return err
}
}
containerName := containerNameToLVName(container.Name())
lvpath, err := s.createSnapshotLV(containerName, imageFingerprint, false)
if err != nil {
return err
}
destPath := container.Path("")
if err := os.MkdirAll(destPath, 0755); err != nil {
return fmt.Errorf("Error creating container directory: %v", err)
}
dst := shared.VarPath("containers", fmt.Sprintf("%s.lv", container.Name()))
err = os.Symlink(lvpath, dst)
if err != nil {
return err
}
output, err := exec.Command("mount", "-o", "discard", lvpath, destPath).CombinedOutput()
if err != nil {
s.ContainerDelete(container)
return fmt.Errorf("Error mounting snapshot LV: %v\noutput:'%s'", err, string(output))
}
if !container.IsPrivileged() {
if err = s.shiftRootfs(container); err != nil {
output, err2 := exec.Command("umount", destPath).CombinedOutput()
if err2 != nil {
return fmt.Errorf("Error in umount: '%s' while cleaning up after error in shiftRootfs: '%s'\n umount output: '%s'", err2, err, output)
}
s.ContainerDelete(container)
return fmt.Errorf("Error in shiftRootfs: %v", err)
}
}
err = container.TemplateApply("create")
if err != nil {
s.log.Error("Error in create template during ContainerCreateFromImage, continuing to unmount",
log.Ctx{"err": err})
}
output, umounterr := exec.Command("umount", destPath).CombinedOutput()
if umounterr != nil {
return fmt.Errorf("Error unmounting '%s' after shiftRootfs: %v", destPath, umounterr)
}
return err
}
开发者ID:rockstar,项目名称:lxd,代码行数:60,代码来源:storage_lvm.go
示例15: imageLoadStreamCache
func imageLoadStreamCache(d *Daemon) error {
imageStreamCacheLock.Lock()
defer imageStreamCacheLock.Unlock()
if !shared.PathExists(shared.CachePath("simplestreams.yaml")) {
return nil
}
content, err := ioutil.ReadFile(shared.CachePath("simplestreams.yaml"))
if err != nil {
return err
}
err = yaml.Unmarshal(content, imageStreamCache)
if err != nil {
return err
}
for url, entry := range imageStreamCache {
if entry.ss == nil {
ss, err := shared.SimpleStreamsClient(url, d.proxy)
if err != nil {
return err
}
entry.ss = ss
}
}
return nil
}
开发者ID:akshaykarle,项目名称:lxd,代码行数:31,代码来源:daemon_images.go
示例16: loadModule
func loadModule(module string) error {
if shared.PathExists(fmt.Sprintf("/sys/module/%s", module)) {
return nil
}
return shared.RunCommand("modprobe", module)
}
开发者ID:vahe,项目名称:lxd,代码行数:7,代码来源:util.go
示例17: snapshotPost
func snapshotPost(r *http.Request, c *lxdContainer, oldName string) Response {
raw := shared.Jmap{}
if err := json.NewDecoder(r.Body).Decode(&raw); err != nil {
return BadRequest(err)
}
newName, err := raw.GetString("name")
if err != nil {
return BadRequest(err)
}
oldDir := snapshotDir(c, oldName)
newDir := snapshotDir(c, newName)
if shared.PathExists(newDir) {
return Conflict
}
/*
* TODO: do we need to do something more intelligent here? We probably
* shouldn't do anything for stateful snapshots, since changing the fs
* out from under criu will cause it to fail, but it may be useful to
* do something for stateless ones.
*/
rename := func() error { return os.Rename(oldDir, newDir) }
return AsyncResponse(shared.OperationWrap(rename), nil)
}
开发者ID:kostyll,项目名称:lxd,代码行数:27,代码来源:container_snapshot.go
示例18: snapshotHandler
func snapshotHandler(d *Daemon, r *http.Request) Response {
containerName := mux.Vars(r)["name"]
c, err := newLxdContainer(containerName, d)
if err != nil {
return SmartError(err)
}
snapshotName := mux.Vars(r)["snapshotName"]
dir := snapshotDir(c, snapshotName)
if !shared.PathExists(dir) {
return NotFound
}
switch r.Method {
case "GET":
return snapshotGet(c, snapshotName)
case "POST":
return snapshotPost(r, c, snapshotName)
case "DELETE":
return snapshotDelete(d, c, snapshotName)
default:
return NotFound
}
}
开发者ID:kostyll,项目名称:lxd,代码行数:25,代码来源:container_snapshot.go
示例19: ContainerCreate
func (s *storageBtrfs) ContainerCreate(
container *lxdContainer, imageFingerprint string) error {
imageSubvol := fmt.Sprintf(
"%s.btrfs",
shared.VarPath("images", imageFingerprint))
if !shared.PathExists(imageSubvol) {
if err := s.ImageCreate(imageFingerprint); err != nil {
return err
}
}
err := s.subvolSnapshot(imageSubvol, container.PathGet(), false)
if err != nil {
return err
}
if !container.isPrivileged() {
err = shiftRootfs(container, s.d)
if err != nil {
return err
}
} else {
if err := os.Chmod(container.PathGet(), 0700); err != nil {
return err
}
}
return templateApply(container, "create")
}
开发者ID:RuneTM,项目名称:lxd,代码行数:31,代码来源:storage_btrfs.go
示例20: ContainerSnapshotStart
func (s *storageLvm) ContainerSnapshotStart(container container) error {
srcName := containerNameToLVName(container.Name())
destName := containerNameToLVName(container.Name() + "/rw")
shared.Log.Debug(
"Creating snapshot",
log.Ctx{"srcName": srcName, "destName": destName})
lvpath, err := s.createSnapshotLV(destName, srcName, false)
if err != nil {
return fmt.Errorf("Error creating snapshot LV: %v", err)
}
destPath := container.Path()
if !shared.PathExists(destPath) {
if err := os.MkdirAll(destPath, 0755); err != nil {
return fmt.Errorf("Error creating container directory: %v", err)
}
}
err = s.tryMount(lvpath, container.Path(), "ext4", 0, "discard")
if err != nil {
return fmt.Errorf(
"Error mounting snapshot LV path='%s': %v",
container.Path(),
err)
}
return nil
}
开发者ID:czl349095941,项目名称:lxd,代码行数:30,代码来源:storage_lvm.go
注:本文中的github.com/lxc/lxd/shared.PathExists函数示例整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论