I'm trying to solve the Tour of Go exercise rot13Reader:
Here is my solution:
package main
import (
"io"
"os"
"strings"
)
type rot13Reader struct {
r io.Reader
}
func rot13(x byte) byte {
switch {
case x >= 65 && x <= 77:
fallthrough
case x >= 97 && x <= 109:
x = x + 13
case x >= 78 && x <= 90:
fallthrough
case x >= 110 && x >= 122:
x = x - 13
}
return x
}
func (r13 *rot13Reader) Read(b []byte) (int, error) {
n, err := r13.r.Read(b)
for i := 0; i <= n; i++ {
b[i] = rot13(b[i])
}
return n, err
}
func main() {
s := strings.NewReader("Lbh penpxrq gur pbqr!")
r := rot13Reader{s}
io.Copy(os.Stdout, &r)
}
It returns You prnpxrq tur poqr!
, that means only the first word of "Lbh penpxrq gur pbqr!" is cracked. How can I crack the whole sentence?
EDIT:
Basically your solution is good and works, you just mistyped 1 character:
case x >= 110 && x >= 122:
Change it to:
case x >= 110 && x <= 122:
Your input and output:
Lbh penpxrq gur pbqr!
You prnpxrq tur poqr!
There is change in every word. The problem is not that only the first word is read and decoded, the problem is in your decoding algorithm.
In ROT13 if shifting goes outside of the letter range, you have to start from the beginning of the alphabet (or at the end). For example shifting 'N'
would be 'Z'
+ 1, so it becomes 'A'
, the first letter. See this simple character mapping:
ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz
NOPQRSTUVWXYZABCDEFGHIJKLMnopqrstuvwxyzabcdefghijklm
So what you should do is after shifting by 13, if the letter goes outside of the alphabet, shift it by -26
(number of letters in the English alphabet) which has the desired effect (that after the last letter you continued from the first).
An example solution:
func rot13(x byte) byte {
capital := x >= 'A' && x <= 'Z'
if !capital && (x < 'a' || x > 'z') {
return x // Not a letter
}
x += 13
if capital && x > 'Z' || !capital && x > 'z' {
x -= 26
}
return x
}
And its output:
You cracked the code!
Try it on the Go Playground.
You could also use instead:
func rot13(x byte) byte {
input := []byte("ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz")
output := []byte("NOPQRSTUVWXYZABCDEFGHIJKLMnopqrstuvwxyzabcdefghijklm")
match := bytes.Index(input, []byte{x})
if match == -1 {
return x
}
return output[match]
}
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With