This file is indexed.

/usr/share/gocode/src/github.com/constabulary/gb/internal/untar/untar.go is in golang-github-constabulary-gb-dev 0.4.4-2.

This file is owned by root:root, with mode 0o644.

The actual contents of the file can be viewed below.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
package untar

import (
	"archive/tar"
	"io"
	"io/ioutil"
	"os"
	"path/filepath"

	"github.com/pkg/errors"
)

// Untar extracts the contents of r to the destination dest.
// dest must not aleady exist.
func Untar(dest string, r io.Reader) error {
	if exists(dest) {
		return errors.Errorf("%q must not exist", dest)
	}
	parent, _ := filepath.Split(dest)
	tmpdir, err := ioutil.TempDir(parent, ".untar")
	if err != nil {
		return err
	}

	if err := untar(tmpdir, r); err != nil {
		os.RemoveAll(tmpdir)
		return err
	}

	if err := os.Rename(tmpdir, dest); err != nil {
		os.RemoveAll(tmpdir)
		return err
	}
	return nil
}

func untar(dest string, r io.Reader) error {
	tr := tar.NewReader(r)
	for {
		h, err := tr.Next()
		if err == io.EOF {
			return nil
		}
		if err != nil {
			return err
		}
		if err := untarfile(dest, h, tr); err != nil {
			return err
		}
	}
}

func untarfile(dest string, h *tar.Header, r io.Reader) error {
	path := filepath.Join(dest, h.Name)
	switch h.Typeflag {
	case tar.TypeDir:
		return os.Mkdir(path, os.FileMode(h.Mode))
	case tar.TypeReg:
		return writefile(path, r, os.FileMode(h.Mode))
	case tar.TypeXGlobalHeader:
		// ignore PAX headers
		return nil
	case tar.TypeSymlink:
		// symlinks are not supported by the go tool or windows so
		// cannot be part of a valie package. Any symlinks in the tarball
		// will be in parts of the release that we can safely ignore.
		return nil
	default:
		return errors.Errorf("unsupported header type: %c", rune(h.Typeflag))
	}
}

func writefile(path string, r io.Reader, mode os.FileMode) error {
	dir, _ := filepath.Split(path)
	if err := os.MkdirAll(dir, mode); err != nil {
		return errors.Wrap(err, "mkdirall failed")
	}

	w, err := os.Create(path)
	if err != nil {
		return errors.Wrap(err, "could not create destination")
	}
	if _, err := io.Copy(w, r); err != nil {
		w.Close()
		return err
	}
	return w.Close()
}

func exists(path string) bool {
	_, err := os.Stat(path)
	return err == nil || !os.IsNotExist(err)
}