У меня есть следующая структура с геттерами для каждого поля
```
type Profile struct {
id dom.ID
screeName ScreenName
dob DOB
gender Gender
bio Bio
avatar Avatar
company Company
website Website
address address.Address
accounts []dom.ID
}
```
типы для каждого поля - это просто обертки вокруг строк, которые выполняют некоторую проверку или что-то еще. Все получатели имеют одинаковый формат,
```
// ScreenName returns the ScreenName for the profile
func (p *Profile) ScreenName() ScreenName {
return p.screeName
}
// DOB returns the dob for the profile
func (p *Profile) DOB() DOB {
return p.dob
}
```
ниже указана функция конструктора, при отсутствии опции для установки полей структуры для нее предоставляется случайное значение по умолчанию.
```
type Option func(prof *Profile)
func New(opts ...Option) *Profile {
p := newWithAllDefaults()
for _, opt := range opts {
opt(p)
}
return p
}
```
Все типы Option, которые могут быть переданы в конструктор, проверяются и устанавливают неэкспортированные поля в структуре профиля.
Теперь проблема, с которой я столкнулся, связана с тестированием. Я использую Go только около 3 месяцев, поэтому я уверен, что здесь чего-то не хватает, но я продолжаю получать неожиданные результаты, когда в моих тестах используется отражать .deepEqual (). С простыми скалярными значениями он работает, как и ожидалось, но я не уверен, почему тесты, которые я ожидаю пройти, терпят неудачу, и тесты, которые я ожидаю не пройти, проходят.
Вот тесты.
```
func TestNew(t *testing.T) {
_ = media.SetDefaults("../../../assets/", "../../../assets/Go_gopher_mascot_bw.png")
type args struct {
opts []Option
}
tests := []struct {
name string
args args
want *Profile
}{
{name: "New should return a Profile with the correct gender set", args: args{[]Option{WithGender("male")}}, want: New(WithGender("male"))},
{name: "New should return a Profile with the correct Avatar set", args: args{[]Option{WithAvatar("../../../assets/picture12371854532127.png")}}, want: New(WithAvatar("../../../assets/picture12371854532127.png"))},
{name: "New should return a Profile with the correct DOB set", args: args{[]Option{WithDOB(1982, 06, 18)}}, want: New(WithDOB(1982, 06, 18))},
{name: "New should return a Profile with the correct ScreenName set", args: args{[]Option{WithScreenName("Lars Bak")}}, want: New(WithScreenName("Lars Bak"))},
}
for i, tt := range tests {
t.Run(tt.name, func(t *testing.T) {
switch i {
case 1:
if got := New(tt.args.opts...); !reflect.DeepEqual(got.Gender(), tt.want.gender) {
t.Errorf("New() = %v, want %v", got, tt.want)
}
case 2:
if got := New(tt.args.opts...); !reflect.DeepEqual(got.avatar, tt.want.Avatar()) {
t.Errorf("New() = %v, want %v", got, tt.want)
}
case 3:
if got := New(tt.args.opts...); !reflect.DeepEqual(got.DOB(), tt.want.dob) {
t.Errorf("New() = %v, want %v", got, tt.want)
}
case 4:
if got := New(tt.args.opts...); !reflect.DeepEqual(got.screeName, tt.want.screeName) {
t.Errorf("New() = %v, want %v", got.screeName, tt.want.screeName)
}
}
})
}
}
```
Чего я не понимаю, так это того, почему 4-й тест не пройден, и почему, если я изменю свой другой тест, чтобы, если у них не было равных значений для установленных полей, эти тесты все равно прошли?
Вот результаты теста.
```
=== RUN TestNew
--- FAIL: TestNew (0.00s)
=== RUN TestNew/New_should_return_a_Profile_with_the_correct_gender_set
--- PASS: TestNew/New_should_return_a_Profile_with_the_correct_gender_set (0.00s)
=== RUN TestNew/New_should_return_a_Profile_with_the_correct_Avatar_set
--- PASS: TestNew/New_should_return_a_Profile_with_the_correct_Avatar_set (0.00s)
=== RUN TestNew/New_should_return_a_Profile_with_the_correct_DOB_set
--- PASS: TestNew/New_should_return_a_Profile_with_the_correct_DOB_set (0.00s)
=== RUN TestNew/New_should_return_a_Profile_with_the_correct_ScreenName_set
--- FAIL: TestNew/New_should_return_a_Profile_with_the_correct_ScreenName_set (0.00s)
profile_test.go:57: New() = &{[194 90 188 29 133 134 77 43 153 32 125 223 208 91 163 84] Lars Bak {1997 9 13} 0 West-Kshlerin ../../../assets/Go_gopher_mascot_bw.png Medhurst-Flatley 0xc000221e80 {SENEGAL [882 Meadowshire] Hauckberg South Carolina 13885 } []}, want &{[219 147 211 8 80 39 74 19 172 10 138 10 2 50 228 153] Lars Bak {1989 9 16} 0 Olson, Nolan and Abbott ../../../assets/Go_gopher_mascot_bw.png Feeney and Sons 0xc000221d00 {EGYPT [84658 Wellstad] Raulburgh Montana 42634 } []}
FAIL
```
Я озадачен тем, почему вся структура сравнивается, а также распечатывается функцией t.Errorf. Надеюсь получить некоторую ясность о том, что я делаю здесь неправильно.
Спасибо.