File: evaluate.go

package info (click to toggle)
c2go 0.26.11-3
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid
  • size: 2,052 kB
  • sloc: ansic: 6,037; sh: 82; makefile: 5
file content (95 lines) | stat: -rw-r--r-- 1,753 bytes parent folder | download | duplicates (3)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
package util

import (
	goast "go/ast"
	"go/token"
	"strconv"
)

// EvaluateConstExpr evaluates the given expression.
// Returns whether the expr is an integer constant,
// and the resulting number if constant.
func EvaluateConstExpr(expr goast.Expr) (isConst bool, value int64) {
	calc := &calcVisitor{
		isConst: true,
	}
	result := calc.Visit(expr)
	return calc.isConst, result
}

type calcVisitor struct {
	isConst bool
}

func (v *calcVisitor) Visit(node goast.Node) int64 {
	if node == nil {
		return 0
	}
	if be, ok := node.(*goast.BinaryExpr); ok {
		x := v.Visit(be.X)
		y := v.Visit(be.Y)
		switch be.Op {
		case token.ADD:
			return x + y
		case token.SUB:
			return x - y
		case token.MUL:
			return x * y
		case token.QUO:
			if y == 0 {
				v.isConst = false
				return 0
			}
			return x / y
		case token.REM:
			if y == 0 {
				v.isConst = false
				return 0
			}
			return x % y
		case token.AND:
			return x & y
		case token.OR:
			return x | y
		case token.XOR:
			return x ^ y
		case token.SHL:
			return x << uint64(y)
		case token.SHR:
			return x >> uint64(y)
		case token.AND_NOT:
			return x &^ y
		}
	}
	if ue, ok := node.(*goast.UnaryExpr); ok {
		x := v.Visit(ue.X)
		switch ue.Op {
		case token.ADD:
			return x
		case token.SUB:
			return -x
		case token.XOR:
			return ^x
		}
	}
	if ce, ok := node.(*goast.CallExpr); ok {
		if fn, ok2 := ce.Fun.(*goast.Ident); !ok2 || fn.Name != "int32" {
			v.isConst = false
			return 0
		}
		return v.Visit(ce.Args[0])
	}
	if pe, ok := node.(*goast.ParenExpr); ok {
		return v.Visit(pe.X)
	}
	if ie, ok := node.(*goast.BasicLit); ok {
		if ie.Kind == token.INT {
			ret, err := strconv.Atoi(ie.Value)
			if err == nil {
				return int64(ret)
			}
		}
	}
	v.isConst = false
	return 0
}