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
|
package main
import (
"bufio"
"crypto/sha256"
"fmt"
"io/ioutil"
"log"
"net/url"
"os/exec"
)
func execLocalFile(cmdURL *url.URL, args, env []string) error {
cmd := exec.Command(cmdURL.Path, args...)
cmd.Env = env
stdout, err := cmd.StdoutPipe()
if err != nil {
return nil
}
if err == nil {
if err = cmd.Start(); err == nil {
buff := bufio.NewScanner(stdout)
log.Printf("[%s - stout follows: ]\n", cmd.Path)
for buff.Scan() {
log.Print(buff.Text()) // write each line to your log, or anything you need
}
err = cmd.Wait()
}
}
return err
}
func checkHash(file, hash string) error {
data, err := ioutil.ReadFile(file)
if err != nil {
return err
}
hashBytes := sha256.Sum256(data)
computedHash := fmt.Sprintf("%x", string(hashBytes[:sha256.Size]))
debug.log("[checkHash] configured hash string: %s\n", hash)
debug.log("[checkHash] computed hash string: %s\n", computedHash)
if computedHash == hash {
return nil
}
return fmt.Errorf("WARNING!!! HASH MISMATCH FOR %s", file)
}
func execURL(cmdURL *url.URL, args, env []string) error {
return nil
}
func (cmd *command) exec() []error {
var ret []error
for _, a := range cmd.Actions {
debug.log("[command: %s] attempting action: %s\n", cmd.Name, a.URL)
actionURL, err := url.Parse(a.URL)
if err != nil {
log.Printf("[command: %s] error parsing URL: %s", cmd.Name, err)
} else {
if actionURL.Scheme == "file" {
err = nil
// if a hash is specified, check that it matches
if a.Hash != "" {
err = checkHash(actionURL.Path, a.Hash)
}
// if the hash does not match, abort the command
if err != nil {
log.Printf("[command: %s] %s -- aborting action\n", cmd.Name, err)
ret = append(ret, err)
continue
} else {
// finally, the command can be executed
err = execLocalFile(actionURL, cmd.Args, cmd.Env)
}
} else if actionURL.Scheme == "http" || actionURL.Scheme == "https" {
err = execURL(actionURL, cmd.Args, cmd.Env)
}
}
ret = append(ret, err)
}
return ret
}
|