登录
首页 >  Golang >  Go问答

在模拟中无法覆盖某些情况

来源:stackoverflow

时间:2024-03-22 09:54:50 483浏览 收藏

在模拟测试中,当外部服务返回的特定值导致测试无法覆盖某些情况时,可能会遇到困难。以计算方法 compute() 为例,它向外部服务 getmeters() 发出 http 调用。尽管模拟可以提供正确的数据,但无法测试 staticpercent 总和不为 100% 的情况,因为模拟始终返回相同的值。为了解决此问题,有两种选择:定义一个新模拟并让方法返回错误的结果,或创建一个属性,允许在不同的输出之间切换。

问题内容

我正在测试我的 compute() 方法。

compute() 方法正在向外部服务发出 http 调用 getmeters()。我在嘲笑它。

mock 返回一个对象切片,其中包含一个字段 staticpercent

如果我将所有这些 staticpercent 相加,我的结果一定是 100%。

当然,我的模拟会向我发送正确的数据,以便总和为 100%,但是我无法测试 staticpercent 的总和不是 100 的情况,因为模拟将始终向我发送相同的值? p>

知道如何实现这一目标吗?

编辑:

这是模拟

func (m *MockMetadataClient) GetMeters() ([]MeterInfo, error) {
    var meterInfos []MeterInfo

    c1 := MeterInfo{
        ID:             "36",
        Static_percent: 10,
    }
    c2 := MeterInfo{
        ID:             "19",
        Static_percent: 50,
    }
    c3 := MeterInfo{
        ID:             "20",
        Static_percent: 20,
    }
    c4 := MeterInfo{
        ID:             "21",
        Static_percent: 20,
    }
    
    meterInfos = append(meterInfos, c1, c2, c3, c4)

    return meterInfos, nil
}

正确答案


我认为有两种选择:

  1. 定义一个新的模拟(几乎像〜部分〜模拟)并让方法返回错误的结果。 (我不会选择这个,如果接口很大,你可能会留下未实现的方法,这会让模拟变得非常脆弱)
  2. 拥有一个可让您在不同输出之间切换的属性。

当想要测试这些类型的边缘情况时,我会执行类似的操作(第二个选项)(runnable playground here

package main

import "fmt"

type MyService interface {
    GetMeters() ([]MeterInfo, error)
}

type MeterInfo struct {
    ID            string
    StaticPercent int
}

type MockMetadataClient struct {
    ShouldGiveIncorrectStaticPercent bool
}

func (m MockMetadataClient) GetMeters() ([]MeterInfo, error) {
    c1 := MeterInfo{
        ID:            "36",
        StaticPercent: 10,
    }
    c2 := MeterInfo{
        ID:            "19",
        StaticPercent: 50,
    }
    c3 := MeterInfo{
        ID:            "20",
        StaticPercent: 20,
    }
    c4 := MeterInfo{
        ID:            "21",
        StaticPercent: 20,
    }

    infos := []MeterInfo{c1, c2, c3, c4}

    if m.ShouldGiveIncorrectStaticPercent {
        infos = append(infos, MeterInfo{
            ID:            "00",
            StaticPercent: 50,
        })
    }

    return infos, nil
}

func main() {
    myMockClient := MockMetadataClient{ShouldGiveIncorrectStaticPercent: false}

    infos, _ := myMockClient.GetMeters()
    total := sumPercents(infos)
    if total != 100 {
        fmt.Printf("error, wanted 100%% got %d%%\n", total)
    }

    // now with the error
    myMockClient.ShouldGiveIncorrectStaticPercent = true
    infos, _ = myMockClient.GetMeters()
    total = sumPercents(infos)
    if total != 100 {
        fmt.Printf("error, wanted 100%% got %d%%\n", total)
    }

}

func sumPercents(infos []MeterInfo) int {
    totalPercent := 0
    for _, i := range infos {
        totalPercent += i.StaticPercent
    }
    return totalPercent
}

以上就是《在模拟中无法覆盖某些情况》的详细内容,更多关于的资料请关注golang学习网公众号!

声明:本文转载于:stackoverflow 如有侵犯,请联系study_golang@163.com删除
相关阅读
更多>
最新阅读
更多>
课程推荐
更多>