-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathmisc.go
87 lines (72 loc) · 1.93 KB
/
misc.go
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
package utils
import (
"crypto/md5"
"encoding/hex"
"encoding/json"
"fmt"
"hash/crc32"
"io/fs"
"math/rand"
"os"
"sort"
"strconv"
"strings"
"time"
)
func Slash(text string) (string, string) {
res := strings.SplitN(text, "/", 2)
if len(res) == 1 {
return res[0], ""
}
return res[0], res[1]
}
// A simple sum for naming fixture files in tests, e.g. based on an URL.
func Crc32(str string) string {
return fmt.Sprintf("%08x", crc32.Checksum([]byte(str), crc32.IEEETable))
}
// Generate a random string to append to emails, so that Gmail doesn't clump
// them into "conversations".
func RandEmail() string {
randomValue := strconv.Itoa(rand.Int())
hasher := md5.New()
hasher.Write([]byte(randomValue))
md5Hash := hex.EncodeToString(hasher.Sum(nil))
return md5Hash[:len(md5Hash)/2]
}
func Dump(path string, what interface{}) error {
if b, err := json.MarshalIndent(what, "", "\t"); err != nil {
return Errorc(err)
} else if err := os.WriteFile(path, b, 0644); err != nil {
return Errorc(err)
}
return nil
}
func ReadDirByDate(dirname string) ([]fs.DirEntry, error) {
entries, err := os.ReadDir(dirname)
if err != nil {
return nil, Errorc(err)
}
// Create a slice of struct that includes os.DirEntry and modification time
type entryWithTime struct {
entry fs.DirEntry
modTime time.Time
}
entryWrappers := make([]entryWithTime, 0, len(entries))
for _, entry := range entries {
info, err := entry.Info()
if err != nil {
return nil, Errorc(err)
}
entryWrappers = append(entryWrappers, entryWithTime{entry: entry, modTime: info.ModTime()})
}
// Sort the entries by modification time
sort.Slice(entryWrappers, func(i, j int) bool {
return entryWrappers[i].modTime.Before(entryWrappers[j].modTime)
})
// Extract sorted os.DirEntry from the wrappers
sortedEntries := make([]fs.DirEntry, len(entries))
for i, wrapper := range entryWrappers {
sortedEntries[i] = wrapper.entry
}
return sortedEntries, nil
}