Skip to content

Commit 727b7c4

Browse files
drew-512Drew O'Meara
and
Drew O'Meara
authored
all: introduce context-based interpreter
This CL introduces py.Context and implements a context-based interpreter. This enables multi-context execution. Co-authored-by: Drew O'Meara <[email protected]>
1 parent 137c43f commit 727b7c4

33 files changed

+952
-380
lines changed

builtin/builtin.go

+21-8
Original file line numberDiff line numberDiff line change
@@ -162,7 +162,16 @@ func init() {
162162
"Warning": py.Warning,
163163
"ZeroDivisionError": py.ZeroDivisionError,
164164
}
165-
py.NewModule("builtins", builtin_doc, methods, globals)
165+
166+
py.RegisterModule(&py.ModuleImpl{
167+
Info: py.ModuleInfo{
168+
Name: "builtins",
169+
Doc: builtin_doc,
170+
Flags: py.ShareModule,
171+
},
172+
Methods: methods,
173+
Globals: globals,
174+
})
166175
}
167176

168177
const print_doc = `print(value, ..., sep=' ', end='\\n', file=sys.stdout, flush=False)
@@ -178,18 +187,22 @@ func builtin_print(self py.Object, args py.Tuple, kwargs py.StringDict) (py.Obje
178187
var (
179188
sepObj py.Object = py.String(" ")
180189
endObj py.Object = py.String("\n")
181-
file py.Object = py.MustGetModule("sys").Globals["stdout"]
182190
flush py.Object
183191
)
192+
sysModule, err := self.(*py.Module).Context.GetModule("sys")
193+
if err != nil {
194+
return nil, err
195+
}
196+
stdout := sysModule.Globals["stdout"]
184197
kwlist := []string{"sep", "end", "file", "flush"}
185-
err := py.ParseTupleAndKeywords(nil, kwargs, "|ssOO:print", kwlist, &sepObj, &endObj, &file, &flush)
198+
err = py.ParseTupleAndKeywords(nil, kwargs, "|ssOO:print", kwlist, &sepObj, &endObj, &stdout, &flush)
186199
if err != nil {
187200
return nil, err
188201
}
189202
sep := sepObj.(py.String)
190203
end := endObj.(py.String)
191204

192-
write, err := py.GetAttrString(file, "write")
205+
write, err := py.GetAttrString(stdout, "write")
193206
if err != nil {
194207
return nil, err
195208
}
@@ -219,7 +232,7 @@ func builtin_print(self py.Object, args py.Tuple, kwargs py.StringDict) (py.Obje
219232
}
220233

221234
if shouldFlush, _ := py.MakeBool(flush); shouldFlush == py.True {
222-
fflush, err := py.GetAttrString(file, "flush")
235+
fflush, err := py.GetAttrString(stdout, "flush")
223236
if err == nil {
224237
return py.Call(fflush, nil, nil)
225238
}
@@ -449,7 +462,7 @@ func builtin___build_class__(self py.Object, args py.Tuple, kwargs py.StringDict
449462
}
450463
// fmt.Printf("Calling %v with %v and %v\n", fn.Name, fn.Globals, ns)
451464
// fmt.Printf("Code = %#v\n", fn.Code)
452-
cell, err = py.VmRun(fn.Globals, ns, fn.Code, fn.Closure)
465+
cell, err = fn.Context.RunCode(fn.Code, fn.Globals, ns, fn.Closure)
453466
if err != nil {
454467
return nil, err
455468
}
@@ -750,7 +763,7 @@ func builtin_compile(self py.Object, args py.Tuple, kwargs py.StringDict) (py.Ob
750763
}
751764

752765
// if dont_inherit.(py.Int) != 0 {
753-
// PyEval_MergeCompilerFlags(&cf)
766+
// PyEval_MergeCompilerFlags(&cf)
754767
// }
755768

756769
// switch string(startstr.(py.String)) {
@@ -782,7 +795,7 @@ func builtin_compile(self py.Object, args py.Tuple, kwargs py.StringDict) (py.Ob
782795
return nil, err
783796
}
784797
// result = py.CompileStringExFlags(str, filename, start[mode], &cf, optimize)
785-
result, err = compile.Compile(str, string(filename.(py.String)), string(startstr.(py.String)), int(supplied_flags.(py.Int)), dont_inherit.(py.Int) != 0)
798+
result, err = compile.Compile(str, string(filename.(py.String)), py.CompileMode(startstr.(py.String)), int(supplied_flags.(py.Int)), dont_inherit.(py.Int) != 0)
786799
if err != nil {
787800
return nil, err
788801
}

compile/compile.go

+13-10
Original file line numberDiff line numberDiff line change
@@ -89,33 +89,36 @@ func init() {
8989
py.Compile = Compile
9090
}
9191

92-
// Compile(source, filename, mode, flags, dont_inherit) -> code object
92+
// Compile(src, srcDesc, compileMode, flags, dont_inherit) -> code object
9393
//
9494
// Compile the source string (a Python module, statement or expression)
95-
// into a code object that can be executed by exec() or eval().
96-
// The filename will be used for run-time error messages.
97-
// The mode must be 'exec' to compile a module, 'single' to compile a
98-
// single (interactive) statement, or 'eval' to compile an expression.
95+
// into a code object that can be executed.
96+
//
97+
// srcDesc is used for run-time error messages and is typically a file system pathname,
98+
//
99+
// See py.CompileMode for compile mode options.
100+
//
99101
// The flags argument, if present, controls which future statements influence
100102
// the compilation of the code.
103+
//
101104
// The dont_inherit argument, if non-zero, stops the compilation inheriting
102105
// the effects of any future statements in effect in the code calling
103106
// compile; if absent or zero these statements do influence the compilation,
104107
// in addition to any features explicitly specified.
105-
func Compile(str, filename, mode string, futureFlags int, dont_inherit bool) (py.Object, error) {
108+
func Compile(src, srcDesc string, mode py.CompileMode, futureFlags int, dont_inherit bool) (*py.Code, error) {
106109
// Parse Ast
107-
Ast, err := parser.ParseString(str, mode)
110+
Ast, err := parser.ParseString(src, mode)
108111
if err != nil {
109112
return nil, err
110113
}
111114
// Make symbol table
112-
SymTable, err := symtable.NewSymTable(Ast, filename)
115+
SymTable, err := symtable.NewSymTable(Ast, srcDesc)
113116
if err != nil {
114117
return nil, err
115118
}
116119
c := newCompiler(nil, compilerScopeModule)
117-
c.Filename = filename
118-
err = c.compileAst(Ast, filename, futureFlags, dont_inherit, SymTable)
120+
c.Filename = srcDesc
121+
err = c.compileAst(Ast, srcDesc, futureFlags, dont_inherit, SymTable)
119122
if err != nil {
120123
return nil, err
121124
}

compile/compile_data_test.go

+1-1
Original file line numberDiff line numberDiff line change
@@ -12,7 +12,7 @@ import (
1212

1313
var compileTestData = []struct {
1414
in string
15-
mode string // exec, eval or single
15+
mode py.CompileMode
1616
out *py.Code
1717
exceptionType *py.Type
1818
errString string

compile/compile_test.go

+5-10
Original file line numberDiff line numberDiff line change
@@ -163,7 +163,7 @@ func EqCode(t *testing.T, name string, a, b *py.Code) {
163163
func TestCompile(t *testing.T) {
164164
for _, test := range compileTestData {
165165
// log.Printf(">>> %s", test.in)
166-
codeObj, err := Compile(test.in, "<string>", test.mode, 0, true)
166+
code, err := Compile(test.in, "<string>", test.mode, 0, true)
167167
if err != nil {
168168
if test.exceptionType == nil {
169169
t.Errorf("%s: Got exception %v when not expecting one", test.in, err)
@@ -196,17 +196,12 @@ func TestCompile(t *testing.T) {
196196
}
197197
} else {
198198
if test.out == nil {
199-
if codeObj != nil {
200-
t.Errorf("%s: Expecting nil *py.Code but got %T", test.in, codeObj)
199+
if code != nil {
200+
t.Errorf("%s: Expecting nil *py.Code but got %T", test.in, code)
201201
}
202202
} else {
203-
code, ok := codeObj.(*py.Code)
204-
if !ok {
205-
t.Errorf("%s: Expecting *py.Code but got %T", test.in, codeObj)
206-
} else {
207-
//t.Logf("Testing %q", test.in)
208-
EqCode(t, test.in, test.out, code)
209-
}
203+
//t.Logf("Testing %q", test.in)
204+
EqCode(t, test.in, test.out, code)
210205
}
211206
}
212207
}

go.mod

+2-2
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,6 @@ module github.com/go-python/gpython
33
go 1.16
44

55
require (
6-
github.com/gopherjs/gopherwasm v1.0.0
7-
github.com/peterh/liner v1.1.0
6+
github.com/gopherjs/gopherwasm v1.1.0
7+
github.com/peterh/liner v1.2.2
88
)

go.sum

+6
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,13 @@ github.com/gopherjs/gopherjs v0.0.0-20180825215210-0210a2f0f73c h1:16eHWuMGvCjSf
22
github.com/gopherjs/gopherjs v0.0.0-20180825215210-0210a2f0f73c/go.mod h1:wJfORRmW1u3UXTncJ5qlYoELFm8eSnnEO6hX4iZ3EWY=
33
github.com/gopherjs/gopherwasm v1.0.0 h1:32nge/RlujS1Im4HNCJPp0NbBOAeBXFuT1KonUuLl+Y=
44
github.com/gopherjs/gopherwasm v1.0.0/go.mod h1:SkZ8z7CWBz5VXbhJel8TxCmAcsQqzgWGR/8nMhyhZSI=
5+
github.com/gopherjs/gopherwasm v1.1.0 h1:fA2uLoctU5+T3OhOn2vYP0DVT6pxc7xhTlBB1paATqQ=
6+
github.com/gopherjs/gopherwasm v1.1.0/go.mod h1:SkZ8z7CWBz5VXbhJel8TxCmAcsQqzgWGR/8nMhyhZSI=
57
github.com/mattn/go-runewidth v0.0.3 h1:a+kO+98RDGEfo6asOGMmpodZq4FNtnGP54yps8BzLR4=
68
github.com/mattn/go-runewidth v0.0.3/go.mod h1:LwmH8dsx7+W8Uxz3IHJYH5QSwggIsqBzpuz5H//U1FU=
79
github.com/peterh/liner v1.1.0 h1:f+aAedNJA6uk7+6rXsYBnhdo4Xux7ESLe+kcuVUF5os=
810
github.com/peterh/liner v1.1.0/go.mod h1:CRroGNssyjTd/qIG2FyxByd2S8JEAZXBl4qUrZf8GS0=
11+
github.com/peterh/liner v1.2.2 h1:aJ4AOodmL+JxOZZEL2u9iJf8omNRpqHc/EbrK+3mAXw=
12+
github.com/peterh/liner v1.2.2/go.mod h1:xFwJyiKIXJZUKItq5dGHZSTBRAuG/CpeNpWLyiNRNwI=
13+
golang.org/x/sys v0.0.0-20211117180635-dee7805ff2e1 h1:kwrAHlwJ0DUBZwQ238v+Uod/3eZ8B2K5rYsUHBQvzmI=
14+
golang.org/x/sys v0.0.0-20211117180635-dee7805ff2e1/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg=

importlib/importlib.go

+8-5
Original file line numberDiff line numberDiff line change
@@ -7,15 +7,18 @@
77
package py
88

99
import (
10-
"log"
11-
12-
"github.com/go-python/gpython/marshal"
10+
"github.com/go-python/gpython/py"
1311
)
1412

1513
// Load the frozen module
1614
func init() {
17-
_, err := marshal.LoadFrozenModule("importlib", data)
18-
log.Fatalf("Failed to load importlib: %v", err)
15+
16+
py.RegisterModule(&py.ModuleImpl{
17+
Info: py.ModuleInfo{
18+
Name: "importlib",
19+
},
20+
CodeBuf: data,
21+
})
1922
}
2023

2124
// Auto-generated by Modules/_freeze_importlib.c

main.go

+19-65
Original file line numberDiff line numberDiff line change
@@ -12,22 +12,13 @@ import (
1212
"runtime"
1313
"runtime/pprof"
1414

15-
_ "github.com/go-python/gpython/builtin"
15+
"github.com/go-python/gpython/repl"
1616
"github.com/go-python/gpython/repl/cli"
1717

18-
//_ "github.com/go-python/gpython/importlib"
19-
"io/ioutil"
2018
"log"
2119
"os"
22-
"strings"
2320

24-
"github.com/go-python/gpython/compile"
25-
"github.com/go-python/gpython/marshal"
26-
_ "github.com/go-python/gpython/math"
2721
"github.com/go-python/gpython/py"
28-
pysys "github.com/go-python/gpython/sys"
29-
_ "github.com/go-python/gpython/time"
30-
"github.com/go-python/gpython/vm"
3122
)
3223

3324
// Globals
@@ -48,33 +39,14 @@ Full options:
4839
flag.PrintDefaults()
4940
}
5041

51-
// Exit with the message
52-
func fatal(message string, args ...interface{}) {
53-
if !strings.HasSuffix(message, "\n") {
54-
message += "\n"
55-
}
56-
syntaxError()
57-
fmt.Fprintf(os.Stderr, message, args...)
58-
os.Exit(1)
59-
}
60-
6142
func main() {
6243
flag.Usage = syntaxError
6344
flag.Parse()
6445
args := flag.Args()
65-
py.MustGetModule("sys").Globals["argv"] = pysys.MakeArgv(args)
66-
if len(args) == 0 {
67-
68-
fmt.Printf("Python 3.4.0 (%s, %s)\n", commit, date)
69-
fmt.Printf("[Gpython %s]\n", version)
70-
fmt.Printf("- os/arch: %s/%s\n", runtime.GOOS, runtime.GOARCH)
71-
fmt.Printf("- go version: %s\n", runtime.Version())
7246

73-
cli.RunREPL()
74-
return
75-
}
76-
prog := args[0]
77-
// fmt.Printf("Running %q\n", prog)
47+
opts := py.DefaultContextOpts()
48+
opts.SysArgs = flag.Args()
49+
ctx := py.NewContext(opts)
7850

7951
if *cpuprofile != "" {
8052
f, err := os.Create(*cpuprofile)
@@ -88,41 +60,23 @@ func main() {
8860
defer pprof.StopCPUProfile()
8961
}
9062

91-
// FIXME should be using ImportModuleLevelObject() here
92-
f, err := os.Open(prog)
93-
if err != nil {
94-
log.Fatalf("Failed to open %q: %v", prog, err)
95-
}
96-
var obj py.Object
97-
if strings.HasSuffix(prog, ".pyc") {
98-
obj, err = marshal.ReadPyc(f)
99-
if err != nil {
100-
log.Fatalf("Failed to marshal %q: %v", prog, err)
101-
}
102-
} else if strings.HasSuffix(prog, ".py") {
103-
str, err := ioutil.ReadAll(f)
104-
if err != nil {
105-
log.Fatalf("Failed to read %q: %v", prog, err)
106-
}
107-
obj, err = compile.Compile(string(str), prog, "exec", 0, true)
63+
// IF no args, enter REPL mode
64+
if len(args) == 0 {
65+
66+
fmt.Printf("Python 3.4.0 (%s, %s)\n", commit, date)
67+
fmt.Printf("[Gpython %s]\n", version)
68+
fmt.Printf("- os/arch: %s/%s\n", runtime.GOOS, runtime.GOARCH)
69+
fmt.Printf("- go version: %s\n", runtime.Version())
70+
71+
replCtx := repl.New(ctx)
72+
cli.RunREPL(replCtx)
73+
74+
} else {
75+
_, err := py.RunFile(ctx, args[0], py.CompileOpts{}, nil)
10876
if err != nil {
109-
log.Fatalf("Can't compile %q: %v", prog, err)
77+
py.TracebackDump(err)
78+
log.Fatal(err)
11079
}
111-
} else {
112-
log.Fatalf("Can't execute %q", prog)
113-
}
114-
if err = f.Close(); err != nil {
115-
log.Fatalf("Failed to close %q: %v", prog, err)
116-
}
117-
code := obj.(*py.Code)
118-
module := py.NewModule("__main__", "", nil, nil)
119-
module.Globals["__file__"] = py.String(prog)
120-
res, err := vm.Run(module.Globals, module.Globals, code, nil)
121-
if err != nil {
122-
py.TracebackDump(err)
123-
log.Fatal(err)
12480
}
125-
// fmt.Printf("Return = %v\n", res)
126-
_ = res
12781

12882
}

marshal/marshal.go

+10-20
Original file line numberDiff line numberDiff line change
@@ -6,7 +6,6 @@
66
package marshal
77

88
import (
9-
"bytes"
109
"encoding/binary"
1110
"errors"
1211
"fmt"
@@ -15,7 +14,6 @@ import (
1514
"strconv"
1615

1716
"github.com/go-python/gpython/py"
18-
"github.com/go-python/gpython/vm"
1917
)
2018

2119
const (
@@ -454,23 +452,6 @@ func ReadPyc(r io.Reader) (obj py.Object, err error) {
454452
return ReadObject(r)
455453
}
456454

457-
// Unmarshals a frozen module
458-
func LoadFrozenModule(name string, data []byte) (*py.Module, error) {
459-
r := bytes.NewBuffer(data)
460-
obj, err := ReadObject(r)
461-
if err != nil {
462-
return nil, err
463-
}
464-
code := obj.(*py.Code)
465-
module := py.NewModule(name, "", nil, nil)
466-
_, err = vm.Run(module.Globals, module.Globals, code, nil)
467-
if err != nil {
468-
py.TracebackDump(err)
469-
return nil, err
470-
}
471-
return module, nil
472-
}
473-
474455
const dump_doc = `dump(value, file[, version])
475456
476457
Write the value on the open file. The value must be a supported type.
@@ -634,5 +615,14 @@ func init() {
634615
globals := py.StringDict{
635616
"version": py.Int(MARSHAL_VERSION),
636617
}
637-
py.NewModule("marshal", module_doc, methods, globals)
618+
619+
py.RegisterModule(&py.ModuleImpl{
620+
Info: py.ModuleInfo{
621+
Name: "marshal",
622+
Doc: module_doc,
623+
Flags: py.ShareModule,
624+
},
625+
Globals: globals,
626+
Methods: methods,
627+
})
638628
}

0 commit comments

Comments
 (0)