Challenge 6: Break repeating-key XOR
Problem
Break repeating-key XOR
There's a file here. It's been base64'd after being encrypted with repeating-key XOR.
Decrypt it.Here's how:
1. Let KEYSIZE be the guessed length of the key; try values from 2 to (say) 40.
2. Write a function to compute the edit distance/Hamming distance between two strings. The Hamming distance is just the number of differing bits. The distance between: this is a test and wokka wokka!!! is 37. Make sure your code agrees before you proceed.
3. For each KEYSIZE, take the first KEYSIZE worth of bytes, and the second KEYSIZE worth of bytes, and find the edit distance between them. Normalize this result by dividing by KEYSIZE.
4. The KEYSIZE with the smallest normalized edit distance is probably the key. You could proceed perhaps with the smallest 2-3 KEYSIZE values. Or take 4 KEYSIZE blocks instead of 2 and average the distances.
5. Now that you probably know the KEYSIZE: break the ciphertext into blocks of KEYSIZE length.
6. Now transpose the blocks: make a block that is the first byte of every block, and a block that is the second byte of every block, and so on.
7. Solve each block as if it was single-character XOR. You already have code to do this.
8. For each block, the single-byte XOR key that produces the best looking histogram is the repeating-key XOR key byte for that block. Put them together and you have the key.
This code is going to turn out to be surprisingly useful later on. Breaking repeating-key XOR ("Vigenere") statistically is obviously an academic exercise, a "Crypto 101" thing. But more people "know how" to break it than can actually break it, and a similar technique breaks something much more important.
Solution
Code
package challenge6
import ( "bufio" "fmt" "log" "os" "sort"
c1 "cryptopals/Set1/challenge1")
type scoredKeysize struct { dist float64 keySize int}
func Challenge6() { a := []byte("this is a test") b := []byte("wokka wokka!!!")
dist := HammingDistance(a, b) fmt.Printf("%d", dist)
fileBytes, err := Decodebase64LineByLine("./Set1/challenge6/6.txt") if err != nil { log.Fatal(err) }
scoredKeysizes := GetBestKeySize(fileBytes)
// challenge says 2,3 smallest keysizes, upto 5 should be enough for i := range scoredKeysizes[:5] { keysize := scoredKeysizes[i].keySize fmt.Printf("\nFor %d. Keysize: %d\n", i+1, keysize)
blocks := TransposeBytes(fileBytes, keysize)
for i, eachKeySizeBlock := range blocks { // TODO send each key size block and figure out the key fmt.Printf("%d, %v", i, eachKeySizeBlock) } }}
// The Hamming Distance (or edit distance) is the number of differing bits between two buffers// This is computed by XORing the two buffers and adding up the bits in the resultant buffer.func HammingDistance(a, b []byte) int {
diff := 0 for i := range a {
for j := 0; j < 8; j++ { mask := byte(1 << uint(j))
if (a[i] & mask) != (b[i] & mask) { diff++ } } } return diff}
func Decodebase64LineByLine(filename string) ([]byte, error) { file, err := os.Open(filename) if err != nil { return nil, err } defer file.Close()
scanner := bufio.NewScanner(file) result := make([]byte, len(scanner.Bytes())) for scanner.Scan() {
byteSize := []byte(scanner.Text()) decodedLine := c1.DecodeBase64(byteSize)
result = append(result, decodedLine...) } if err := scanner.Err(); err != nil { return result, err }
return result, nil}
func GetBestKeySize(file []byte) []scoredKeysize { const blocks = 4 scoredKeysizes := make([]scoredKeysize, 0, 40)
for keySize := 1; keySize <= 40; keySize++ { dist := 0.0
for i := 0; i < keySize*blocks; i += keySize { startEndByte := i + keySize endEndByte := i + keySize*2 dist += float64(HammingDistance(file[i:startEndByte], file[startEndByte:endEndByte])) / float64(keySize) }
dist = dist / float64(blocks) scoredKeysizes = append(scoredKeysizes, scoredKeysize{dist, keySize}) }
// Sort and print sort.Slice(scoredKeysizes, func(i, j int) bool { return scoredKeysizes[i].dist < scoredKeysizes[j].dist })
fmt.Printf("Best fitting keysizes and their average distance on %d blocks:\n", blocks) for i, v := range scoredKeysizes[:5] { fmt.Printf("%d. KeySize: %d, Edit Distance: %f\n", i+1, v.keySize, v.dist) } return scoredKeysizes}
func TransposeBytes(fileBytes []byte, keySize int) [][]byte { byteArray := make([][]byte, keySize)
for i, singleByte := range fileBytes { tillKeySize := i % keySize // generates from 0 to keysize byteArray[tillKeySize] = append(byteArray[tillKeySize], singleByte) //[[ no. of keysize bytes ] []] } return byteArray}
package challenge6
import ( "bytes" "fmt" "log"
//"encoding/base64" "math" "math/rand" "sort" //"strings" //c3 "github.com/axyut/cryptopals/challenge3")
// Splits a byte slice into length chunks
// Returns a non-cryptographically secure random number between// `min` and `max` (inclusive)func RandomInt(min, max int) int { return rand.Intn(max-min) + min}
// Generates `n` random bytesfunc GenerateRandomBytes(n int) ([]byte, error) { result := make([]byte, n) _, err := rand.Read(result) if err != nil { return []byte{}, err } return result, nil}
// Finds a matching block of size `size` in `data`// Returns the index of the first matching block, -1 if not foundfunc FindMatchingBlock(data []byte, size int) int { chunks := SplitBytes(data, size)
for i, chunkA := range chunks { for j, chunkB := range chunks { if i != j && bytes.Equal(chunkA, chunkB) { return i * size } } }
return -1}func SplitBytes(buf []byte, length int) [][]byte { chunks := [][]byte{} for offset := 0; offset < len(buf); offset += length { if offset+length >= len(buf) { chunks = append(chunks, buf[offset:]) } else { chunks = append(chunks, buf[offset:offset+length]) } } return chunks}
// Transpose a slice of byte slices. e.g. AA,BB,CC == ABC,ABCfunc TransposeByte(chunks [][]byte) [][]byte { result := make([][]byte, len(chunks[0])) for _, chunk := range chunks { for j, b := range chunk { result[j] = append(result[j], b) } } return result}
// ///////////// working
func CryptoPals() { fileBytes, err := Decodebase64LineByLine("./challenge6/6.txt") //fmt.Printf("%d", len(fileBytes)) if err != nil { log.Fatal(err) }
// Find the most likely key sizes. Picking the best one won't do us any // good here, we need to check the whole 'hood. //const blocks = 4 //const maxKeysize = 40 scoredKeysizes := GetBestKeySize(fileBytes)
// Let's iterate through the potential keysizes // challenge says 2,3 smallest keysizes, 5 should be enough for i := range scoredKeysizes[:5] { keysize := scoredKeysizes[i].keySize fmt.Printf("\nFor %d. Keysize: %d\n", i+1, keysize)
// ct is transposed into keysize blocks. Each chunk is ct xored by one // byte. For each chunk we find one byte key. blocks := TransposeBytes(fileBytes, keysize) //fmt.Printf("%v", blocks) guess := make([]byte, keysize) avgTopScore := 0.0 for i, eachKeySizeBlock := range blocks { ptScored := BestXorByteKey(eachKeySizeBlock) // for _, p := range ptScored[:5] { // fmt.Printf("%v %#v\n", p.Score, string(p.Text[:40])) // } guess[i] = ptScored[0].Key avgTopScore += ptScored[0].Score } avgTopScore /= float64(len(blocks))
fmt.Printf("Avg.Score: %f, Key: %#v\n", avgTopScore, string(guess)) }}
func BestXorByteKey(keySizeByte []byte) []ScoredText { texts := make([]ScoredText, 0, 256) for b := 0; b <= 255; b++ { plain := XorBytes(keySizeByte, []byte{byte(b)}) score := TextScoreEnglish(plain) //fmt.Printf("%s", keySizeByte)
texts = append(texts, ScoredText{score, byte(b), plain}) } sort.Slice(texts, func(i, j int) bool { return texts[i].Score > texts[j].Score }) return texts}func XorBytes(a, b []byte) []byte { if len(a) < len(b) { t := a a = b b = t } // a is longer than b c := make([]byte, len(a)) for i := range a { c[i] = a[i] ^ b[i%len(b)] } return c}
type ScoredText struct { Score float64 Key byte Text []byte}
func TextScoreEnglish(a []byte) float64 { a = bytes.ToLower(a) counts := make(map[byte]int) for _, ch := range a { // if ch < 'a' || ch > 'z' { // continue // } if _, ok := counts[ch]; !ok { counts[ch] = 0 } counts[ch] += 1 } freqs := make(map[byte]float64) for ch, c := range counts { freqs[ch] = float64(c) / float64(len(a)) // fmt.Printf("%c %f\n", ch, freqs[ch]) } return cosineDistance(freqs, FreqLetters)}
func cosineDistance(x, y map[byte]float64) float64 { // x0*y0 + x1*y1 + .. // --------------------------------------------- // sqroot(x0^2+x1^2+...) + sqroot(y0^1+y1^2+...)
var upper float64 var xlen float64 for xk, xv := range x { if yv, ok := y[xk]; ok { upper += xv * yv } xlen += xv * xv } xlen = math.Sqrt(xlen)
var ylen float64 for _, yv := range y { ylen += yv * yv } ylen = math.Sqrt(ylen)
// fmt.Printf("%f\n-----------------\n%f * %f\n", upper, xlen, ylen) return upper / (xlen * ylen)}
var FreqLetters = map[byte]float64{ ' ': 0.13575645, 'e': 0.12575645, 't': 0.09085226, 'a': 0.08000395, 'o': 0.07591270, 'i': 0.06920007, 'n': 0.06903785, 's': 0.06340880, 'h': 0.06236609, 'r': 0.05959034, 'd': 0.04317924, 'l': 0.04057231, 'u': 0.02841783, 'c': 0.02575785, 'm': 0.02560994, 'f': 0.02350463, 'w': 0.02224893, 'g': 0.01982677, 'y': 0.01900888, 'p': 0.01795742, 'b': 0.01535701, 'v': 0.00981717, 'k': 0.00739906, 'x': 0.00179556, 'j': 0.00145188, 'q': 0.00117571, 'z': 0.00079130, ',': 0.00099130, ';': 0.00099130, '\'': 0.00079130, '.': 0.00079130,}
// func ReadBase64File(filename string) ([]byte, error) {// raw, err := os.ReadFile(filename)// if err != nil {// return nil, err// }// scanner := bufio.NewScanner(bytes.NewReader(raw))
// var sb strings.Builder// for scanner.Scan() {// sb.WriteString(scanner.Text())// }// data := sb.String()
// dst := make([]byte, base64.StdEncoding.DecodedLen(len(data)))// n, err := base64.StdEncoding.Decode(dst, []byte(data))// if err != nil {// fmt.Println("decode error:", err)// return nil, err// }// dst = dst[:n]// return dst, nil// }