6 Commits

6 changed files with 99 additions and 3 deletions

3
go.mod Normal file
View File

@@ -0,0 +1,3 @@
module ak-homelab.duckdns.org/gitea/hoborg/go_with_tests
go 1.26.1

View File

@@ -1,3 +0,0 @@
module go_with_tests
go 1.26.1

22
integers/adder_test.go Normal file
View File

@@ -0,0 +1,22 @@
package integers
import (
"fmt"
"testing"
)
func TestAdder(t *testing.T) {
sum := Add(2, 2)
// Output: 9
expected := 4
if sum != expected {
t.Errorf("expected '%d' but got '%d'", expected, sum)
}
}
// Runnable example testing
func ExampleAdd() {
fmt.Println(Add(2, 4))
// Output: 6
}

6
integers/integers.go Normal file
View File

@@ -0,0 +1,6 @@
package integers
// Add two numbers together
func Add(x, y int) int {
return x + y
}

21
iteration/iteration.go Normal file
View File

@@ -0,0 +1,21 @@
package iteration
import "strings"
const defaultRepeatCount = 5
func RepeatFive(character string) string {
return Repeat(character, defaultRepeatCount)
}
func Repeat(character string, count int) string {
if count == 0 {
count = defaultRepeatCount
}
var repeated strings.Builder
for range count {
repeated.WriteString(character)
}
return repeated.String()
}

View File

@@ -0,0 +1,47 @@
package iteration
import (
"fmt"
"testing"
)
func TestRepeat(t *testing.T) {
t.Run("RepeatFive a", func(t *testing.T) {
got := RepeatFive("a")
want := "aaaaa"
assertResult(t, got, want)
})
t.Run("RepeatFive z", func(t *testing.T) {
got := RepeatFive("z")
want := "zzzzz"
assertResult(t, got, want)
})
t.Run("repeat z, 11 times", func(t *testing.T) {
got := Repeat("z", 11)
want := "zzzzzzzzzzz"
assertResult(t, got, want)
})
}
func ExampleRepeatFive() {
fmt.Println(RepeatFive("y"))
// Output: yyyyy
}
func ExampleRepeat() {
fmt.Println(Repeat("t", 7))
// Output: ttttttt
}
func assertResult(t testing.TB, got, want string) {
t.Helper()
if got != want {
t.Errorf("got %q want %q", got, want)
}
}
func BenchmarkRepeat(b *testing.B) {
for b.Loop() {
RepeatFive("a")
}
}