是否可以从字符串创建比较运算符?

我正在尝试创建一个函数,该函数将从预定义的数组中生成一个 if 条件。


例如:


package errors


type errorCase struct {

    // This is the field I need to get in another struct

    Field        string

    // The comparison operator

    TestOperator string

    // The value that the expected one should not with equal...

    WrongValue   interface{}

}


var ErrorCases = []*errorCase{ {

    "MinValue",

    "<",

    0,

}, {

    "MaxValue",

    "==",

    0,

}}

实际上,我使用 for 循环创建了一个新函数,该循环遍历所有这些“错误案例”


func isDirty(questionInterface models.QuestionInterface) bool {

    for _, errorCase := range errors.ErrorCases {

        s := reflect.ValueOf(&questionInterface).Elem()

        value := s.Elem().FieldByName(errorCase.Field)


        // At this point I need to create my if condition

        // to compare the value of the value var and the wrong one

        // With the given comparison operator

    }


    // Should return the comparison test value

    return true

}

是否有可能创建这样的 if 条件?用反射包?


我认为这是可能的,但我没有找到我应该从哪里开始。


红颜莎娜
浏览 88回答 1
1回答

慕妹3242003

这个有可能。我以前建立了一个像这样的通用比较库。简单来说,比较包含 3 个部分:比较左侧的某种值。运算符(&nbsp;,&nbsp;=,&nbsp;<,&nbsp;>...)。比较右侧的某种值。这 3 个部分仅包含两种不同的类型 -&nbsp;value和operator。我试图将这两种类型抽象为它们的基本形式。value可以是任何东西,所以我们使用空接口 -&nbsp;interface{}。运算符是有限集的一部分,每个都有自己的规则。type Operator intconst (&nbsp; &nbsp; Equals Operator = 1)用符号评估比较=只有一个规则是有效的——两个值应该是相同的类型。你不能比较1和hello。之后,您只需确保值相同。我们可以实现一个新的元类型来包装评估一个operator.// Function signature for a "rule" of an operator.type validFn func(left, right interface{}) bool// Function signature for evaluating an operator comparison.type evalFn func(left, right interface{}) booltype operatorMeta struct {&nbsp; &nbsp; valid []validFn&nbsp; &nbsp; eval&nbsp; evalFn}现在我们已经定义了我们的类型,我们需要实现规则和比较函数Equals。func sameTypes(left, right interface{}) bool {&nbsp; &nbsp; return reflect.TypeOf(left).Kind() == reflect.TypeOf(right).Kind()}func equals(left, right interface{}) bool {&nbsp; &nbsp; return reflect.DeepEqual(left, right)}惊人的!所以我们现在可以验证我们的两个值是否属于同一类型,如果是,我们可以将它们相互比较。难题的最后一块,是将运算符映射到其适当的规则和评估,并具有执行所有这些逻辑的函数。var args = map[Operator]operatorMeta{&nbsp; &nbsp; Equals: {&nbsp; &nbsp; &nbsp; &nbsp; valid: []validFn{sameTypes},&nbsp; &nbsp; &nbsp; &nbsp; eval:&nbsp; equals,&nbsp; &nbsp; },}func compare(o Operator, left, right interface{}) (bool, error) {&nbsp; &nbsp; opArgs, ok := args[o]&nbsp; &nbsp; if !ok {&nbsp; &nbsp; &nbsp; &nbsp; // You haven't implemented logic for this operator.&nbsp; &nbsp; }&nbsp; &nbsp; for _, validFn := range opArgs.valid {&nbsp; &nbsp; &nbsp; &nbsp; if !validFn(left, right) {&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; // One of the rules were not satisfied.&nbsp; &nbsp; &nbsp; &nbsp; }&nbsp; &nbsp; }&nbsp; &nbsp; return opArgs.eval(left, right), nil}让我们总结一下到目前为止我们所做的:将基本比较抽象为value和operator。创建了一种方法来验证一对值是否对运算符有效。在给定两个值的情况下,创建了一种评估运算符的方法。我希望我对您如何解决这个问题有所了解。这是一个简单的想法,但可能需要一些样板才能正常工作。祝你好运!
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

Go