-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathprocess.go
109 lines (95 loc) · 2.63 KB
/
process.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
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
package main
import (
"bufio"
"fmt"
"log"
"os"
"sync"
"sync/atomic"
)
// process logic
func startProc(wordlistFileFlag string, outputPath string, numGoroutines int, hashes []YescryptHash, crackedCount *int32, linesProcessed *int32, totalHashesGenerated *int32, stopChan chan struct{}) {
var file *os.File
var err error
if wordlistFileFlag == "" {
file = os.Stdin
} else {
file, err = os.Open(wordlistFileFlag)
if err != nil {
log.Fatalf("Error opening file: %v\n", err)
}
defer file.Close()
}
var outputFile *os.File
if outputPath != "" {
outputFile, err = os.OpenFile(outputPath, os.O_APPEND|os.O_CREATE|os.O_WRONLY, 0644)
if err != nil {
log.Fatalf("Error opening output file: %v", err)
}
defer outputFile.Close()
}
var writer *bufio.Writer
if outputPath != "" {
writer = bufio.NewWriter(outputFile)
} else {
writer = bufio.NewWriter(os.Stdout)
}
defer writer.Flush()
var (
writerMu sync.Mutex
wg sync.WaitGroup
)
// start worker goroutines
linesCh := make(chan []byte, 1000)
for i := 0; i < numGoroutines; i++ {
wg.Add(1)
go func() {
defer wg.Done()
for password := range linesCh {
processPassword(password, hashes, &writerMu, writer, crackedCount, linesProcessed, totalHashesGenerated, stopChan)
}
}()
}
// read lines from file and send them to workers
scanner := bufio.NewScanner(file)
for scanner.Scan() {
line := scanner.Bytes()
decodedPassword, _, _ := checkForHexBytes(line)
password := make([]byte, len(decodedPassword))
copy(password, decodedPassword)
linesCh <- password
}
close(linesCh)
if err := scanner.Err(); err != nil {
log.Fatalf("Error reading file: %v\n", err)
}
wg.Wait()
log.Println("Finished")
}
func processPassword(password []byte, hashes []YescryptHash, writerMu *sync.Mutex, writer *bufio.Writer, crackedCount, linesProcessed, totalHashesGenerated *int32, stopChan chan struct{}) {
atomic.AddInt32(linesProcessed, 1)
// check for hex, ignore hexErrCount
decodedPassword, _, _ := checkForHexBytes(password)
for i := range hashes {
if atomic.LoadInt32(&hashes[i].Cracked) == 0 {
atomic.AddInt32(totalHashesGenerated, 1)
if crackYescrypt(decodedPassword, []byte(hashes[i].Hash)) {
if atomic.CompareAndSwapInt32(&hashes[i].Cracked, 0, 1) {
output := fmt.Sprintf("%s:%s\n", hashes[i].Hash, string(decodedPassword))
if writer != nil {
writerMu.Lock()
atomic.AddInt32(crackedCount, 1)
writer.WriteString(output)
writer.Flush()
writerMu.Unlock()
}
// exit if all hashes are cracked
if isAllHashesCracked(hashes) {
closeStopChannel(stopChan)
}
return
}
}
}
}
}