单元测试综合案例
- 单元测试综合案例要求:
- 编写一个Monster结构体,字段Name,Age,Skill
- 给Monster绑定方法Store,可以将一个Monster变量(对象),序列化后保存到文件中
- 给Monster绑定方法ReStore,可以将一个序列化的Monster,从文件中词取,并反序列化为Monster对象,检查反序列化,名字正确
- 编程测试用例文件store_test.go,编写测试用例函数TestStore和TestRestore进行测试。
案例演示
package monster
import (
"encoding/json"
"io/ioutil"
"fmt"
)
type Monster struct {
Name string
Age int
Skill string
}
//给Monster绑定方法Store, 可以将一个Monster变量(对象),序列化后保存到文件中
func (this *Monster) Store() bool {
//先序列化
data, err := json.Marshal(this)
if err != nil {
fmt.Println("marshal err =", err)
return false
}
//保存到文件
filePath := "d:/monster.ser"
err = ioutil.WriteFile(filePath, data, 0666)
if err != nil {
fmt.Println("write file err =", err)
return false
}
return true
}
//给Monster绑定方法ReStore, 可以将一个序列化的Monster,从文件中读取,
//并反序列化为Monster对象,检查反序列化,名字正确
func (this *Monster) ReStore() bool {
//1. 先从文件中,读取序列化的字符串
filePath := "d:/monster.ser"
data, err := ioutil.ReadFile(filePath)
if err != nil {
fmt.Println("ReadFile err =", err)
return false
}
//2.使用读取到data []byte ,对反序列化
err = json.Unmarshal(data, this)
if err != nil {
fmt.Println("UnMarshal err =", err)
return false
}
return true
}
package monster
import (
"testing"
)
//测试用例,测试 Store 方法
func TestStore(t *testing.T) {
//先创建一个Monster 实例
monster := &Monster{
Name : "红孩儿",
Age :10,
Skill : "吐火.",
}
res := monster.Store()
if !res {
t.Fatalf("monster.Store() 错误,希望为=%v 实际为=%v", true, res)
}
t.Logf("monster.Store() 测试成功!")
}
func TestReStore(t *testing.T) {
//测试数据是很多,测试很多次,才确定函数,模块..
//先创建一个 Monster 实例 , 不需要指定字段的值
var monster = &Monster{}
res := monster.ReStore()
if !res {
t.Fatalf("monster.ReStore() 错误,希望为=%v 实际为=%v", true, res)
}
//进一步判断
if monster.Name != "红孩儿" {
t.Fatalf("monster.ReStore() 错误,希望为=%v 实际为=%v", "红孩儿", monster.Name)
}
t.Logf("monster.ReStore() 测试成功!")
}