Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

kadai3-1-micchie #24

Open
wants to merge 3 commits into
base: master
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 2 additions & 0 deletions kadai3/micchie/typing-game/.gitignore
Original file line number Diff line number Diff line change
@@ -0,0 +1,2 @@
.vscode
typing-game
40 changes: 40 additions & 0 deletions kadai3/micchie/typing-game/Makefile
Original file line number Diff line number Diff line change
@@ -0,0 +1,40 @@
NAME := typing-game
SRCS := $(shell find ./ -type f -name '*.go')
VERSION := v0.0.1
REVISION := $(shell git rev-parse --short HEAD)
PKGPATH := github.com/gopherdojo/dojo6/kadai3/micchie/typing-game
LDFLAGS := -ldflags \
'-s -w \
-X "$(PKGPATH)/cmd.Version=$(VERSION)" \
-X "$(PKGPATH)/cmd.Revision=$(REVISION)" \
-extldflags "-static"'

DIST_DIRS := find * -type d -exec

$(NAME): $(SRCS)
go build -a -tags netgo -installsuffix netgo $(LDFLAGS) -o $(NAME)

.PHONY: install
install:
go install $(LDFLAGS)

.PHONY: clean
clean:
rm -rf $(NAME)

.PHONY: cross-build
cross-build: deps
for os in darwin linux windows; do \
for arch in amd64 386; do \
GOOS=$$os GOARCH=$$arch CGO_ENABLED=0 go build -a -tags netgo -installsuffix netgo $(LDFLAGS) -o dist/$$os-$$arch/$(NAME); \
done; \
done

.PHONY: dist
dist:
cd dist && \
$(DIST_DIRS) cp ../LICENSE {} \; && \
$(DIST_DIRS) cp ../README.md {} \; && \
$(DIST_DIRS) tar -zcf $(NAME)-$(VERSION)-{}.tar.gz {} \; && \
$(DIST_DIRS) zip -r $(NAME)-$(VERSION)-{}.zip {} \; && \
cd ..
6 changes: 6 additions & 0 deletions kadai3/micchie/typing-game/README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,6 @@
# Gopher 道場
## 6-3-1: タイピングゲームを作ろう
- 標準出力に英単語を出す
- 標準入力から1行受け取る
- 制限時間内に何問解けたか表示する

14 changes: 14 additions & 0 deletions kadai3/micchie/typing-game/config.yml
Original file line number Diff line number Diff line change
@@ -0,0 +1,14 @@
limit: 10

words:
- gopher
- polarbear
- blackbear
- elephant
- tiger
- camel
- lion
- panda
- leopard
- kangaroo

97 changes: 97 additions & 0 deletions kadai3/micchie/typing-game/game/game.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,97 @@
package game

import (
"bufio"
"context"
"fmt"
"io"
"os"
"time"
)

// Game はtタイピングゲームのコンテキストや入出力などの情報を格納します.
type Game struct {
Context context.Context
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

コンテキストはフィールドに入れない

Output io.Writer
Input io.Reader
TimeLimit time.Duration
Words []string
Score Score
}

// Score はゲーム結果を格納します.
type Score struct {
Count int
CorrectNumber int
}

// NewGame は Gme の構造体を新しく作ります.
func NewGame(ctx context.Context, w io.Writer, r io.Reader, t time.Duration, words []string) *Game {
return &Game{
Context: ctx,
Output: w,
Input: r,
TimeLimit: t,
Words: words,
}
}

// Run は TimeLimit に経過時間が達するまで Words をランダムに表示します.
// Word と同じ文字列を入力すると, correct!! 異なった文字列を入力すると, incorrect!! と表示されます.
func (g *Game) Run() {
fmt.Fprintln(g.Output, "===== Typing Game Start =====")

scan := make(chan string)
go func() {
scanner := bufio.NewScanner(g.Input)
defer close(scan)
for scanner.Scan() {
scan <- scanner.Text()
}
if err := scanner.Err(); err != nil {
fmt.Fprintln(os.Stderr, "input:", err)
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

errgroupを使ったほうが良さそう

}
}()

for {
word := g.Words[g.Score.Count]
fmt.Fprintln(g.Output, fmt.Sprintf("> %v", word))
g.Score.Count++

switch {
case g.Score.Count == len(g.Words):
fmt.Fprintln(g.Output, fmt.Sprintf(
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Fprintfを使う

"\n===== Typing Game Finished =====\n%vwords completed. %v times corrected.\n",
g.Score.Count,
g.Score.CorrectNumber,
))
return
}

select {
case <-g.Context.Done():
fmt.Fprintln(g.Output, fmt.Sprintf(
"\n===== Typing Game Finished =====\n%v have passed. %v times corrected.\n",
g.TimeLimit,
g.Score.CorrectNumber,
))
return
case input := <-scan:
switch {
case g.Judgment(word, input):
fmt.Fprintln(g.Output, "correct!!")
default:
fmt.Fprintln(g.Output, "incorrect!!")
}
}
}
}

// Judgment は Word と同じ文字列が入力されているかを判断し, 正解数をインクリメントします.
func (g *Game) Judgment(word, input string) bool {
if word == input {
g.Score.CorrectNumber++
return true
}
return false
}
63 changes: 63 additions & 0 deletions kadai3/micchie/typing-game/game_test/game_test.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,63 @@
package game_test

import (
"testing"
"time"

"github.com/gopherdojo/dojo6/kadai3/micchie/typing-game/game"
)

func TestGame_Run(t *testing.T) {
g := &game.Game{}
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

これで良さそう

g := &game.Game{
	TimeLimit: 5 * time.Second,
	Words:     []string{
		// 略
	},
}

g.TimeLimit = 5 * time.Second
g.Words = []string{
"bear",
"bear",
}

ch := make(chan string)
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

チャネルを受信する側は?

go func() {
time.Sleep(2 * time.Second)
ch <- "bear"
time.Sleep(2 * time.Second)
ch <- "beer"
}()

Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

ブロックされていないので何も起きずにテストが終了する

}

func TestGame_Judgment(t *testing.T) {
g := &game.Game{}
tests := []struct {
name string
word string
input string
beforeCorrectNumber int
afterCorrectNumber int
result bool
}{
{name: "nomal", word: "bear", input: "bear", beforeCorrectNumber: 1, afterCorrectNumber: 2, result: true},
{name: "blank", word: "cat", input: "", beforeCorrectNumber: 1, afterCorrectNumber: 1, result: false},
{name: "incorrect", word: "dog", input: "d", beforeCorrectNumber: 0, afterCorrectNumber: 0, result: false},
}

for _, test := range tests {
test := test
t.Run(test.name, func(t *testing.T) {
t.Parallel()
g.Score.CorrectNumber = test.beforeCorrectNumber
result := g.Judgment(test.word, test.input)

if result != test.result {
t.Errorf(
"word: %v, input: %v, beforeCorrect: %v, afterCorrect: %v (want: %v, got: %v)",
test.word,
test.input,
test.beforeCorrectNumber,
test.afterCorrectNumber,
test.result,
result,
)
}
})
}
}
5 changes: 5 additions & 0 deletions kadai3/micchie/typing-game/go.mod
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
module github.com/gopherdojo/dojo6/kadai3/micchie/typing-game

go 1.12

require github.com/jinzhu/configor v1.1.1
7 changes: 7 additions & 0 deletions kadai3/micchie/typing-game/go.sum
Original file line number Diff line number Diff line change
@@ -0,0 +1,7 @@
github.com/BurntSushi/toml v0.3.1 h1:WXkYYl6Yr3qBf1K79EBnL4mak0OimBfB0XUf9Vl28OQ=
github.com/BurntSushi/toml v0.3.1/go.mod h1:xHWCNGjB5oqiDr8zfno3MHue2Ht5sIBksp03qcyfWMU=
github.com/jinzhu/configor v1.1.1 h1:gntDP+ffGhs7aJ0u8JvjCDts2OsxsI7bnz3q+jC+hSY=
github.com/jinzhu/configor v1.1.1/go.mod h1:nX89/MOmDba7ZX7GCyU/VIaQ2Ar2aizBl2d3JLF/rDc=
gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0=
gopkg.in/yaml.v2 v2.2.2 h1:ZCJp+EgiOT7lHqUV2J862kp8Qj64Jo6az82+3Td9dZw=
gopkg.in/yaml.v2 v2.2.2/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI=
40 changes: 40 additions & 0 deletions kadai3/micchie/typing-game/main.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,40 @@
package main

import (
"context"
"math/rand"
"os"
"time"

"github.com/gopherdojo/dojo6/kadai3/micchie/typing-game/game"
"github.com/jinzhu/configor"
)

// Config is a structure of config.yml.
var Config = struct {
Limit time.Duration `default:"30"`
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

time.Duration型はすでに時間単位を型情報として持っているので、3030秒という意味にはできない。
time.Duration型で30は30ナノ秒を表す。
https://golang.org/pkg/time/#pkg-constants

Words []string
}{}

func main() {
configor.Load(&Config, "config.yml")

t := Config.Limit * time.Second

ctx, cancel := context.WithTimeout(context.Background(), t)
defer cancel()

list := Config.Words
shuffle(list)

g := game.NewGame(ctx, os.Stdout, os.Stdin, t, list)
g.Run()
}

func shuffle(list []string) {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

rand.Permを使えば良さそう。

rand.Seed(time.Now().UnixNano())
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

乱数の種の設定はプログラムで1回やれば十分。
通常は関数呼び出しごとにはやらずに、初期化だけ行う。

for i := range list {
j := rand.Intn(i + 1)
list[i], list[j] = list[j], list[i]
}
}