Замеченный метод не работает в golang при запуске тестовых примеров

Я пытаюсь имитировать метод структуры в тестовых примерах, но он не работает. Я хочу издеваться над методом Validate здесь:

package main

import (
    "fmt"
)

type DemoInterface interface {
    Inc(int) (int, error)
    Validate(int) error
}
type DemoStruct struct{}

func (l DemoStruct) Inc(num int) (int, error) {
    err := l.Validate(num)
    if err != nil {
        return 0, err
    }
    num = num + 100
    return num, nil

}
func (l DemoStruct) Validate(num int) error {// SOME DB LOGIC IS HERE WHICH I CAN NOT POST at Stackru
    if num > 100 {
        return fmt.Errorf("INVALID NUM %v", num)
    }
    return nil
}

func main() {
    s, err := DemoStruct{}.Inc(10)
    if err != nil {
        fmt.Println(err)
    }
    fmt.Println(s)

}

`

Мои тестовые примеры:

package main

import (
    "fmt"
    "testing"
)

const (
    SUCCESS = "SUCCESS"
    ERROR   = "ERROR"
)

type MockDemoStruct struct {
    DemoStruct
    functionality string
}

func (m MockDemoStruct) Validate(num int) error {
    switch m.functionality {
    case SUCCESS:
        return nil
    case ERROR:
        fmt.Errorf("MOCK ERROR %v", num)

    }
    return fmt.Errorf("MOCK ERROR %v", num)
}

func TestPath(t *testing.T) {

    t.Run("ERROR", func(t *testing.T) {
        ls := MockDemoStruct{DemoStruct{}, ERROR}
        res, err := ls.Inc(110)
        expected := fmt.Errorf("MOCK ERROR %v", 10)
        if err != expected {
            t.Errorf("NOT MATCH  %v  %v", err, expected)
            //NOT MATCH  INVALID NUM 110  MOCK ERROR 10

        }
        fmt.Println(res)
    })
}

Здесь MockDemoStruct.Validate не вызывается. Я получаю НЕВЕРНЫЙ НОМЕР 110 от Validate, но это должно быть MOCK ERROR 110

3 ответа

Решение

Чтобы сделать метод имитируемым, нам придется использовать шаблон кода на основе DI(внедрение зависимостей).

**We can mock only those methods which are injectable**.

У нас есть два варианта внедрения внедрения зависимостей в этот код.

  1. Использовать шаблон Delegation Design с помощью интерфейса

  2. Представьте исправление Monkey, используя функцию как тип

Делегирование с использованием интерфейса:

type Deligation interface {
    Validate(num int) error
}

type DemoStruct struct {
    delegate Deligation
}

func (DemoStruct) Validate(num int) error {
    if num > 100 {
        return fmt.Errorf("INVALID NUM %v", num)
    }
    return nil
}
func (l DemoStruct) Inc(num int) (int, error) {
    err := l.delegate.Validate(num) // Call method using delegate
    if err != nil {
        return 0, err
    }
    num = num + 100
    return num, nil

}

func main() {
    s, err := DemoStruct{delegate: DemoStruct{}}.Inc(10) // assign delegate inside DemoStruct
    if err != nil {
        fmt.Println(err)
    }
    fmt.Println(s)

}

Использование исправлений Monkey:

func Validate(num int) error {
    if num > 100 {
        return fmt.Errorf("INVALID NUM %v", num)
    }
    return nil
}

type DemoStruct struct {
    Validate func(num int) error //  function as a type
}

func (l DemoStruct) Inc(num int) (int, error) {
    err := l.Validate(num)// It can be replaced in test cases.
    if err != nil {
        return 0, err
    }
    num = num + 100
    return num, nil

}

func main() {
    s, err := DemoStruct{Validate: Validate}.Inc(10) // assign Validate inside DemoStruct
    if err != nil {
        fmt.Println(err)
    }
    fmt.Println(s)

}

Ссылка: https://blog.myhro.info/2018/06/how-to-mock-golang-methods

В этом случае метод Inc в DemoStruct вызывает метод l.Validate где l это DemoStruct. Получатель этого метода явноDemoStruct. Так чтоMockDemoStruct.Validate метод не будет называться.

Go не имеет наследования, как вы предполагали здесь в своем коде. Вы не можете переопределить методDemoStruct. ВMockDemoStruct составляет DemoStruct. Чтобы протестировать этот метод, я предлагаю передатьDemoStruct интерфейс db, который можно смоделировать в вашем тесте.

Я думаю, вам также необходимо реализовать приемник Inc для MockDemoStruct, здесь вы пытаетесь чрезмерно использовать свойство наследования структуры, похоже, что GO не поддерживает это.

Другие вопросы по тегам