0

在尝试测试此业务功能时:

//IsInSlice works like Array.prototype.find in JavaScript, except it
// returns -1 if `value` is not found. (Also, Array.prototype.find takes
// function, and IsInSlice takes `value` and `list`)
func IsInSlice(value interface{}, list interface{}) int {
    slice := reflect.ValueOf(list)

    for i := 0; i < slice.Len(); i++ {
        if slice.Index(i) == value {
            return i
        }
    }
    return -1
}

我发现它没有通过我的理智测试:

func TestIsInSlice(t *testing.T) {
    digits := []int{0, 1, 2, 3, 4, 5, 6, 7, 8, 9}
    slice := digits[3:8] // returns {3,4,5,6,7}

    type args struct {
        value interface{}
        list  interface{}
    }
    tests := []struct {
        name string
        args args
        want int
    }{
        {
            name: "SanityTest",
            args: args{value: 3,
                list: []int{3, 4, 5, 6, 7},
            },
            want: 0,
        },
        {
            name: "ElementAtEnd",
            args: args{
                value: 5,
                list:  slice,
            },
            want: 3,
        },
    }
    for _, tt := range tests {
        t.Run(tt.name, func(t *testing.T) {
            if got := IsInSlice(tt.args.value, tt.args.list); got != tt.want {
                t.Errorf("IsInSlice() = %v, want %v", got, tt.want)
            }
        })
    }

}

负责修复这些错误的人不知道是什么导致了错误,更不用说如何修复它了,我和高级开发人员也不知道。因此,我试图隔离问题以尝试识别它。

我以为是什么

当我记录错误时,我认为它们是因为不知何故,value正在与reflect.Value返回的slice.Index(i). 我试过了

reflect.DeepEqual(slice.Index(i), value)

但这失败了。我可以通过测试的唯一方法是用来Int()提取价值并使用

var i int64 = 3

而不是文字3,这是片状的 af。

问题是什么,我们如何解决?

4

2 回答 2

3

Index() 方法返回一个 reflect.Value。使用该值的Interface() 方法获取其基础值并与之进行比较:

func IsInSlice(value interface{}, list interface{}) int {
    slice := reflect.ValueOf(list)
    for i := 0; i < slice.Len(); i++ {
        if slice.Index(i).Interface() == value {
            return i
        }
    }
    return -1
}
于 2018-09-27T14:12:40.470 回答
1

Value.Index()返回一个reflect.Value。将此与interface{}您收到的进行比较将永远不会返回 true。您需要使用 . 与“真实”值进行比较slice.Index(i).Interface()

但是,您在这里玩弄黑魔法。你错过了很多安全检查 - 如果list实际上不是切片或数组怎么办?如果valuelist' 元素的类型不同怎么办?看一下实现,DeepEqual看看你可能想要对这样的函数执行什么样的检查:https ://golang.org/src/reflect/deepequal.go

于 2018-09-27T14:15:02.403 回答