-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmain.go
379 lines (350 loc) · 9.89 KB
/
main.go
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
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
package main
import (
"bytes"
"encoding/json"
"errors"
"fmt"
"github.com/go-gl/mathgl/mgl64"
"github.com/hajimehoshi/ebiten/v2"
"github.com/justtaldevelops/worldcompute/dragonfly/chunk"
"github.com/justtaldevelops/worldcompute/dragonfly/mcdb"
"github.com/justtaldevelops/worldcompute/dragonfly/world"
"github.com/justtaldevelops/worldcompute/worldrenderer"
"github.com/pelletier/go-toml"
"github.com/sandertv/gophertunnel/minecraft"
"github.com/sandertv/gophertunnel/minecraft/auth"
"github.com/sandertv/gophertunnel/minecraft/protocol"
"github.com/sandertv/gophertunnel/minecraft/protocol/packet"
"github.com/sandertv/gophertunnel/minecraft/text"
"github.com/sirupsen/logrus"
"golang.org/x/oauth2"
"io/ioutil"
"os"
"strings"
"sync"
)
var (
mu sync.Mutex
chunks = make(map[world.ChunkPos]*chunk.Chunk)
renderer *worldrenderer.Renderer
)
// main starts the renderer and proxy.
func main() {
log := logrus.New()
log.Formatter = &logrus.TextFormatter{ForceColors: true}
log.Level = logrus.DebugLevel
src := tokenSource()
conf, err := readConfig()
if err != nil {
log.Fatal(err)
}
go func() {
log.Println("worldcompute has loaded. connect to " + conf.Connection.LocalAddress)
log.Println("redirecting connections to " + conf.Connection.RemoteAddress)
p, err := minecraft.NewForeignStatusProvider(conf.Connection.RemoteAddress)
if err != nil {
panic(err)
}
listener, err := minecraft.ListenConfig{
StatusProvider: p,
}.Listen("raknet", conf.Connection.LocalAddress)
if err != nil {
panic(err)
}
defer listener.Close()
for {
c, err := listener.Accept()
if err != nil {
panic(err)
}
go handleConn(log, c.(*minecraft.Conn), listener, conf, src)
}
}()
renderer = worldrenderer.NewRendererDirect(4, 6.5, mgl64.Vec2{}, &mu, chunks)
ebiten.SetWindowSize(1718, 1360)
ebiten.SetWindowResizable(true)
ebiten.SetWindowTitle("worldrenderer")
if err := ebiten.RunGame(renderer); err != nil {
log.Fatal(err)
}
}
// handleConn handles a new incoming minecraft.Conn from the minecraft.Listener passed.
func handleConn(log *logrus.Logger, conn *minecraft.Conn, listener *minecraft.Listener, config config, src oauth2.TokenSource) {
clientData := conn.ClientData()
clientData.ServerAddress = config.Connection.RemoteAddress
serverConn, err := minecraft.Dialer{
TokenSource: src,
ClientData: clientData,
}.Dial("raknet", config.Connection.RemoteAddress)
if err != nil {
log.Errorf("error connecting to %s: %v", config.Connection.RemoteAddress, err)
return
}
data := serverConn.GameData()
data.GameRules = append(data.GameRules, []protocol.GameRule{{Name: "showCoordinates", Value: true}}...)
airRID, _ := chunk.StateToRuntimeID("minecraft:air", nil)
oldFormat := data.BaseGameVersion == "1.17.40"
pos := data.PlayerPosition
dimension := world.Dimension(world.Overworld)
switch data.Dimension {
case 1:
dimension = world.Nether
case 2:
dimension = world.End
}
renderer.Recenter(mgl64.Vec2{
float64(pos.X()),
float64(pos.Z()),
})
log.Println("completed connection to " + config.Connection.RemoteAddress)
var g sync.WaitGroup
g.Add(2)
go func() {
if err := conn.StartGame(data); err != nil {
log.Errorf("error starting game: %v", err)
return
}
g.Done()
}()
go func() {
if err := serverConn.DoSpawn(); err != nil {
log.Errorf("error spawning: %v", err)
return
}
g.Done()
}()
g.Wait()
log.Printf("successfully spawned in to %s", config.Connection.RemoteAddress)
go func() {
defer listener.Disconnect(conn, "connection lost")
defer serverConn.Close()
for {
pk, err := conn.ReadPacket()
if err != nil {
return
}
switch pk := pk.(type) {
case *packet.PlayerAuthInput:
pos = pk.Position
renderer.Recenter(mgl64.Vec2{
float64(pos.X()),
float64(pos.Z()),
})
case *packet.MovePlayer:
pos = pk.Position
renderer.Recenter(mgl64.Vec2{
float64(pos.X()),
float64(pos.Z()),
})
case *packet.CommandRequest:
line := strings.Split(pk.CommandLine, " ")
if len(line) == 0 {
continue
}
switch line[0] {
case "/cancel":
_ = conn.WritePacket(&packet.Text{Message: text.Colourf("<red><bold><italic>Terminated save.</italic></bold></red>")})
continue
case "/reset":
mu.Lock()
for chunkPos := range chunks {
delete(chunks, chunkPos)
}
mu.Unlock()
renderer.Rerender()
continue
case "/save":
saveName := strings.Join(line[1:], " ")
_ = conn.WritePacket(&packet.Text{Message: text.Colourf("<aqua><bold><italic>Processing chunks to be saved...</italic></bold></aqua>")})
go func() {
prov, err := mcdb.New(saveName, dimension)
if err != nil {
panic(err)
}
for pos, c := range chunks {
c.Compact()
err = prov.SaveChunk(pos, c)
if err != nil {
panic(err)
}
}
prov.SaveSettings(&world.Settings{
Name: data.WorldName,
Spawn: [3]int{int(pos.X()), int(pos.Y()), int(pos.Z())},
Time: data.Time,
})
err = prov.Close()
if err != nil {
panic(err)
}
_ = conn.WritePacket(&packet.Text{Message: text.Colourf("<green><bold><italic>Saved all chunks received to the \"%v\" folder!</italic></bold></green>", saveName)})
}()
continue
}
}
if err := serverConn.WritePacket(pk); err != nil {
if disconnect, ok := errors.Unwrap(err).(minecraft.DisconnectError); ok {
_ = listener.Disconnect(conn, disconnect.Error())
}
return
}
}
}()
go func() {
defer serverConn.Close()
defer listener.Disconnect(conn, "connection lost")
for {
pk, err := serverConn.ReadPacket()
if err != nil {
if disconnect, ok := errors.Unwrap(err).(minecraft.DisconnectError); ok {
_ = listener.Disconnect(conn, disconnect.Error())
}
return
}
switch pk := pk.(type) {
case *packet.AvailableCommands:
pk.Commands = append(pk.Commands, protocol.Command{
Name: "reset",
Description: text.Colourf("<dark-aqua>Reset all downloaded chunks</dark-aqua>"),
Flags: 0x1,
})
pk.Commands = append(pk.Commands, protocol.Command{
Name: "save",
Description: text.Colourf("<dark-aqua>Save all downloaded chunks to a folder</dark-aqua>"),
Flags: 0x1,
})
pk.Commands = append(pk.Commands, protocol.Command{
Name: "cancel",
Description: text.Colourf("<dark-aqua>Terminate a save-in-progress</dark-aqua>"),
Flags: 0x1,
})
case *packet.MovePlayer:
if pk.EntityRuntimeID == data.EntityRuntimeID {
pos = pk.Position
renderer.Recenter(mgl64.Vec2{
float64(pos.X()),
float64(pos.Z()),
})
}
case *packet.SubChunk:
go func() {
for _, entry := range pk.SubChunkEntries {
if entry.Result == protocol.SubChunkResultSuccess {
offsetPos := world.ChunkPos{
pk.Position.X() + int32(entry.Offset[0]),
pk.Position.Z() + int32(entry.Offset[2]),
}
mu.Lock()
c, ok := chunks[offsetPos]
if !ok {
c = chunk.New(airRID, dimension.Range())
chunks[offsetPos] = c
}
mu.Unlock()
var ind byte
newSub, err := chunk.DecodeSubChunk(bytes.NewBuffer(entry.RawPayload), c, &ind, chunk.NetworkEncoding)
if err == nil {
mu.Lock()
c.Sub()[ind] = newSub
mu.Unlock()
}
renderer.RerenderChunk(offsetPos)
}
}
}()
case *packet.ChangeDimension:
mu.Lock()
for chunkPos := range chunks {
delete(chunks, chunkPos)
}
mu.Unlock()
dimension = world.Dimension(world.Overworld)
switch pk.Dimension {
case 1:
dimension = world.Nether
case 2:
dimension = world.End
}
renderer.Rerender()
case *packet.LevelChunk:
switch pk.SubChunkRequestMode {
case protocol.SubChunkRequestModeLegacy:
go func() {
chunkPos := world.ChunkPos{pk.Position.X(), pk.Position.Z()}
c, err := chunk.NetworkDecode(airRID, pk.RawPayload, int(pk.SubChunkCount), oldFormat, dimension.Range())
if err == nil {
mu.Lock()
chunks[chunkPos] = c
mu.Unlock()
renderer.RerenderChunk(chunkPos)
}
}()
}
}
if err := conn.WritePacket(pk); err != nil {
return
}
}
}()
}
type config struct {
Connection struct {
LocalAddress string
RemoteAddress string
}
Downloader struct {
OutputDirectory string
}
}
// readConfig reads the configuration from the config.toml file, or creates the file if it does not yet exist.
func readConfig() (config, error) {
c := config{}
c.Connection.LocalAddress = ":19132"
c.Connection.RemoteAddress = "play.lbsg.net:19132"
if _, err := os.Stat("config.toml"); os.IsNotExist(err) {
data, err := toml.Marshal(c)
if err != nil {
return c, fmt.Errorf("failed encoding default config: %v", err)
}
if err := os.WriteFile("config.toml", data, 0644); err != nil {
return c, fmt.Errorf("failed creating config: %v", err)
}
return c, nil
}
data, err := os.ReadFile("config.toml")
if err != nil {
return c, fmt.Errorf("error reading config: %v", err)
}
if err := toml.Unmarshal(data, &c); err != nil {
return c, fmt.Errorf("error decoding config: %v", err)
}
return c, nil
}
// tokenSource returns a token source for using with a gophertunnel client. It either reads it from the
// token.tok file if cached or requests logging in with a device code.
func tokenSource() oauth2.TokenSource {
check := func(err error) {
if err != nil {
panic(err)
}
}
token := new(oauth2.Token)
tokenData, err := ioutil.ReadFile("token.tok")
if err == nil {
_ = json.Unmarshal(tokenData, token)
} else {
token, err = auth.RequestLiveToken()
check(err)
}
src := auth.RefreshTokenSource(token)
_, err = src.Token()
if err != nil {
token, err = auth.RequestLiveToken()
check(err)
src = auth.RefreshTokenSource(token)
}
tok, _ := src.Token()
b, _ := json.Marshal(tok)
_ = ioutil.WriteFile("token.tok", b, 0644)
return src
}