diff options
| author | raven <citrons@mondecitronne.com> | 2026-03-20 14:29:52 -0500 |
|---|---|---|
| committer | raven <citrons@mondecitronne.com> | 2026-03-20 14:29:52 -0500 |
| commit | c3d63652a4b80add587ee17f5c9f3773417203ad (patch) | |
| tree | e26e1d36f912f1bca210e1aaa3e314668d0b010b | |
initial commit
| -rw-r--r-- | classic/packets.go | 243 | ||||
| -rw-r--r-- | go.mod | 3 | ||||
| -rw-r--r-- | phony/LICENSE | 373 | ||||
| -rw-r--r-- | phony/README | 1 | ||||
| -rw-r--r-- | phony/actor.go | 139 | ||||
| -rw-r--r-- | phony/actor_test.go | 220 | ||||
| -rw-r--r-- | phony/doc.go | 7 | ||||
| -rw-r--r-- | server/chat.go | 61 | ||||
| -rw-r--r-- | server/commands.go | 1 | ||||
| -rw-r--r-- | server/coords.go | 34 | ||||
| -rw-r--r-- | server/data.go | 87 | ||||
| -rw-r--r-- | server/level.go | 266 | ||||
| -rw-r--r-- | server/player.go | 242 | ||||
| -rw-r--r-- | server/server.go | 396 | ||||
| -rw-r--r-- | world/1787964105.tmp | 0 | ||||
| -rw-r--r-- | world/level/0.bin | bin | 0 -> 18106 bytes | |||
| -rw-r--r-- | world/player/Oivee.bin | bin | 0 -> 30 bytes | |||
| -rw-r--r-- | world/player/citrons.bin | bin | 0 -> 30 bytes | |||
| -rw-r--r-- | world/player/gideonnav.bin | bin | 0 -> 30 bytes |
19 files changed, 2073 insertions, 0 deletions
diff --git a/classic/packets.go b/classic/packets.go new file mode 100644 index 0000000..c1f650e --- /dev/null +++ b/classic/packets.go @@ -0,0 +1,243 @@ +package classic + +import ( + "io" + "fmt" + "bytes" + "bufio" + "encoding/binary" +) + +type FByte int8 +type FShort int16 +type String [64]byte +type LevelData [1024]byte + +type Packet interface { + PacketId() byte +} + +const ( + NonOpUser = 0x00 + OpUser = 0x64 +) + +type PlayerId struct { + Version byte + Username String + VerificationKey String + Ext byte +} +func (p *PlayerId) PacketId() byte { + return 0x00 +} + +type ServerId struct { + Version byte + ServerName String + Motd String + UserType byte +} +func (p *ServerId) PacketId() byte { + return 0x00 +} + +type Ping struct {} +func (p *Ping) PacketId() byte { + return 0x01 +} + +type LevelInit struct {} +func (p *LevelInit) PacketId() byte { + return 0x02 +} + +type LevelDataChunk struct { + Length int16 + Data LevelData + PercentComplete byte +} +func (p *LevelDataChunk) PacketId() byte { + return 0x03 +} + +type LevelFinalize struct { + Width int16 + Height int16 + Length int16 +} +func (p *LevelFinalize) PacketId() byte { + return 0x04 +} + +const ( + BlockDestroyed = iota + BlockCreated +) +type ClientSetBlock struct { + X, Y, Z int16 + Mode byte + Block byte +} +func (p *ClientSetBlock) PacketId() byte { + return 0x05 +} + +type SetBlock struct { + X, Y, Z int16 + Block byte +} +func (p *SetBlock) PacketId() byte { + return 0x06 +} + +type SpawnPlayer struct { + PlayerId int8 + Username String + X, Y, Z FShort + Yaw, Pitch byte +} +func (p *SpawnPlayer) PacketId() byte { + return 0x07 +} + +type SetPosFacing struct { + PlayerId int8 + X, Y, Z FShort + Yaw, Pitch byte +} +func (p *SetPosFacing) PacketId() byte { + return 0x08 +} + +type UpdatePosFacing struct { + UpdatePos + UpdateFacing +} +func (p *UpdatePosFacing) PacketId() byte { + return 0x09 +} + +type UpdatePos struct { + DeltaX, DeltaY, DeltaZ FByte +} +func (p *UpdatePos) PacketId() byte { + return 0x0a +} + +type UpdateFacing struct { + Yaw, Pitch byte +} +func (p *UpdateFacing) PacketId() byte { + return 0x0b +} + +type DespawnPlayer struct { + PlayerId int8 +} +func (p *DespawnPlayer) PacketId() byte { + return 0x0c +} + +type Message struct { + PlayerId int8 + Message String +} +func (p *Message) PacketId() byte { + return 0x0d +} + +type DisconnectPlayer struct { + Reason String +} +func (p *DisconnectPlayer) PacketId() byte { + return 0x0e +} + +type UpdateUserType struct { + Type byte +} +func (p *UpdateUserType) PacketId() byte { + return 0x0f +} + +func createPacketType(packetId byte, client bool) Packet { + switch packetId { + case 0x00: + if client { + return &ServerId {} + } else { + return &PlayerId {} + } + case 0x01: return &Ping {} + case 0x02: return &LevelInit {} + case 0x03: return &LevelDataChunk {} + case 0x04: return &LevelFinalize {} + case 0x05: return &ClientSetBlock {} + case 0x06: return &SetBlock {} + case 0x07: return &SpawnPlayer {} + case 0x08: return &SetPosFacing {} + case 0x09: return &UpdatePosFacing {} + case 0x0a: return &UpdatePos {} + case 0x0b: return &UpdateFacing {} + case 0x0c: return &DespawnPlayer {} + case 0x0d: return &Message {} + case 0x0e: return &DisconnectPlayer {} + case 0x0f: return &UpdateUserType {} + default: return nil + } +} + +func readPacket(rd io.Reader, client bool) (Packet, error) { + var b [1]byte + _, err := io.ReadFull(rd, b[:]) + if err != nil { + return nil, fmt.Errorf("Read packet: %w", err) + } + packetId := b[0] + + packet := createPacketType(packetId, client) + if packet == nil { + return nil, fmt.Errorf("Unknown packet type: 0x%02x", packetId) + } + err = binary.Read(rd, binary.BigEndian, packet) + if err != nil { + return nil, fmt.Errorf("Read packet: %w", err) + } + return packet, nil +} + +func SReadPacket(rd io.Reader) (Packet, error) { + return readPacket(rd, false) +} + +func CReadPacket(rd io.Reader) (Packet, error) { + return readPacket(rd, true) +} + +func WritePacket(wr io.Writer, packet Packet) error { + bw := bufio.NewWriter(wr) + bw.WriteByte(packet.PacketId()) + err := binary.Write(bw, binary.BigEndian, packet) + if err != nil { + return fmt.Errorf("Write packet: %w", err) + } + return bw.Flush() +} + +func PadString(str string) String { + var pstr String + copy(pstr[:], []byte(str)) + if len(str) < 64 { + copy(pstr[len(str):], bytes.Repeat([]byte(" "), 64 - len(str))) + } + return pstr +} + +func UnpadString(pstr String) string { + return string(bytes.TrimRight(pstr[:], " ")) +} + +func (s String) String() string { + return UnpadString(s) +} @@ -0,0 +1,3 @@ +module git.citrons.xyz/metronode + +go 1.25.7 diff --git a/phony/LICENSE b/phony/LICENSE new file mode 100644 index 0000000..a612ad9 --- /dev/null +++ b/phony/LICENSE @@ -0,0 +1,373 @@ +Mozilla Public License Version 2.0 +================================== + +1. Definitions +-------------- + +1.1. "Contributor" + means each individual or legal entity that creates, contributes to + the creation of, or owns Covered Software. + +1.2. "Contributor Version" + means the combination of the Contributions of others (if any) used + by a Contributor and that particular Contributor's Contribution. + +1.3. "Contribution" + means Covered Software of a particular Contributor. + +1.4. "Covered Software" + means Source Code Form to which the initial Contributor has attached + the notice in Exhibit A, the Executable Form of such Source Code + Form, and Modifications of such Source Code Form, in each case + including portions thereof. + +1.5. "Incompatible With Secondary Licenses" + means + + (a) that the initial Contributor has attached the notice described + in Exhibit B to the Covered Software; or + + (b) that the Covered Software was made available under the terms of + version 1.1 or earlier of the License, but not also under the + terms of a Secondary License. + +1.6. "Executable Form" + means any form of the work other than Source Code Form. + +1.7. "Larger Work" + means a work that combines Covered Software with other material, in + a separate file or files, that is not Covered Software. + +1.8. "License" + means this document. + +1.9. "Licensable" + means having the right to grant, to the maximum extent possible, + whether at the time of the initial grant or subsequently, any and + all of the rights conveyed by this License. + +1.10. "Modifications" + means any of the following: + + (a) any file in Source Code Form that results from an addition to, + deletion from, or modification of the contents of Covered + Software; or + + (b) any new file in Source Code Form that contains any Covered + Software. + +1.11. "Patent Claims" of a Contributor + means any patent claim(s), including without limitation, method, + process, and apparatus claims, in any patent Licensable by such + Contributor that would be infringed, but for the grant of the + License, by the making, using, selling, offering for sale, having + made, import, or transfer of either its Contributions or its + Contributor Version. + +1.12. "Secondary License" + means either the GNU General Public License, Version 2.0, the GNU + Lesser General Public License, Version 2.1, the GNU Affero General + Public License, Version 3.0, or any later versions of those + licenses. + +1.13. "Source Code Form" + means the form of the work preferred for making modifications. + +1.14. "You" (or "Your") + means an individual or a legal entity exercising rights under this + License. For legal entities, "You" includes any entity that + controls, is controlled by, or is under common control with You. For + purposes of this definition, "control" means (a) the power, direct + or indirect, to cause the direction or management of such entity, + whether by contract or otherwise, or (b) ownership of more than + fifty percent (50%) of the outstanding shares or beneficial + ownership of such entity. + +2. License Grants and Conditions +-------------------------------- + +2.1. Grants + +Each Contributor hereby grants You a world-wide, royalty-free, +non-exclusive license: + +(a) under intellectual property rights (other than patent or trademark) + Licensable by such Contributor to use, reproduce, make available, + modify, display, perform, distribute, and otherwise exploit its + Contributions, either on an unmodified basis, with Modifications, or + as part of a Larger Work; and + +(b) under Patent Claims of such Contributor to make, use, sell, offer + for sale, have made, import, and otherwise transfer either its + Contributions or its Contributor Version. + +2.2. Effective Date + +The licenses granted in Section 2.1 with respect to any Contribution +become effective for each Contribution on the date the Contributor first +distributes such Contribution. + +2.3. Limitations on Grant Scope + +The licenses granted in this Section 2 are the only rights granted under +this License. No additional rights or licenses will be implied from the +distribution or licensing of Covered Software under this License. +Notwithstanding Section 2.1(b) above, no patent license is granted by a +Contributor: + +(a) for any code that a Contributor has removed from Covered Software; + or + +(b) for infringements caused by: (i) Your and any other third party's + modifications of Covered Software, or (ii) the combination of its + Contributions with other software (except as part of its Contributor + Version); or + +(c) under Patent Claims infringed by Covered Software in the absence of + its Contributions. + +This License does not grant any rights in the trademarks, service marks, +or logos of any Contributor (except as may be necessary to comply with +the notice requirements in Section 3.4). + +2.4. Subsequent Licenses + +No Contributor makes additional grants as a result of Your choice to +distribute the Covered Software under a subsequent version of this +License (see Section 10.2) or under the terms of a Secondary License (if +permitted under the terms of Section 3.3). + +2.5. Representation + +Each Contributor represents that the Contributor believes its +Contributions are its original creation(s) or it has sufficient rights +to grant the rights to its Contributions conveyed by this License. + +2.6. Fair Use + +This License is not intended to limit any rights You have under +applicable copyright doctrines of fair use, fair dealing, or other +equivalents. + +2.7. Conditions + +Sections 3.1, 3.2, 3.3, and 3.4 are conditions of the licenses granted +in Section 2.1. + +3. Responsibilities +------------------- + +3.1. Distribution of Source Form + +All distribution of Covered Software in Source Code Form, including any +Modifications that You create or to which You contribute, must be under +the terms of this License. You must inform recipients that the Source +Code Form of the Covered Software is governed by the terms of this +License, and how they can obtain a copy of this License. You may not +attempt to alter or restrict the recipients' rights in the Source Code +Form. + +3.2. Distribution of Executable Form + +If You distribute Covered Software in Executable Form then: + +(a) such Covered Software must also be made available in Source Code + Form, as described in Section 3.1, and You must inform recipients of + the Executable Form how they can obtain a copy of such Source Code + Form by reasonable means in a timely manner, at a charge no more + than the cost of distribution to the recipient; and + +(b) You may distribute such Executable Form under the terms of this + License, or sublicense it under different terms, provided that the + license for the Executable Form does not attempt to limit or alter + the recipients' rights in the Source Code Form under this License. + +3.3. Distribution of a Larger Work + +You may create and distribute a Larger Work under terms of Your choice, +provided that You also comply with the requirements of this License for +the Covered Software. If the Larger Work is a combination of Covered +Software with a work governed by one or more Secondary Licenses, and the +Covered Software is not Incompatible With Secondary Licenses, this +License permits You to additionally distribute such Covered Software +under the terms of such Secondary License(s), so that the recipient of +the Larger Work may, at their option, further distribute the Covered +Software under the terms of either this License or such Secondary +License(s). + +3.4. Notices + +You may not remove or alter the substance of any license notices +(including copyright notices, patent notices, disclaimers of warranty, +or limitations of liability) contained within the Source Code Form of +the Covered Software, except that You may alter any license notices to +the extent required to remedy known factual inaccuracies. + +3.5. Application of Additional Terms + +You may choose to offer, and to charge a fee for, warranty, support, +indemnity or liability obligations to one or more recipients of Covered +Software. However, You may do so only on Your own behalf, and not on +behalf of any Contributor. You must make it absolutely clear that any +such warranty, support, indemnity, or liability obligation is offered by +You alone, and You hereby agree to indemnify every Contributor for any +liability incurred by such Contributor as a result of warranty, support, +indemnity or liability terms You offer. You may include additional +disclaimers of warranty and limitations of liability specific to any +jurisdiction. + +4. Inability to Comply Due to Statute or Regulation +--------------------------------------------------- + +If it is impossible for You to comply with any of the terms of this +License with respect to some or all of the Covered Software due to +statute, judicial order, or regulation then You must: (a) comply with +the terms of this License to the maximum extent possible; and (b) +describe the limitations and the code they affect. Such description must +be placed in a text file included with all distributions of the Covered +Software under this License. Except to the extent prohibited by statute +or regulation, such description must be sufficiently detailed for a +recipient of ordinary skill to be able to understand it. + +5. Termination +-------------- + +5.1. The rights granted under this License will terminate automatically +if You fail to comply with any of its terms. However, if You become +compliant, then the rights granted under this License from a particular +Contributor are reinstated (a) provisionally, unless and until such +Contributor explicitly and finally terminates Your grants, and (b) on an +ongoing basis, if such Contributor fails to notify You of the +non-compliance by some reasonable means prior to 60 days after You have +come back into compliance. Moreover, Your grants from a particular +Contributor are reinstated on an ongoing basis if such Contributor +notifies You of the non-compliance by some reasonable means, this is the +first time You have received notice of non-compliance with this License +from such Contributor, and You become compliant prior to 30 days after +Your receipt of the notice. + +5.2. If You initiate litigation against any entity by asserting a patent +infringement claim (excluding declaratory judgment actions, +counter-claims, and cross-claims) alleging that a Contributor Version +directly or indirectly infringes any patent, then the rights granted to +You by any and all Contributors for the Covered Software under Section +2.1 of this License shall terminate. + +5.3. In the event of termination under Sections 5.1 or 5.2 above, all +end user license agreements (excluding distributors and resellers) which +have been validly granted by You or Your distributors under this License +prior to termination shall survive termination. + +************************************************************************ +* * +* 6. Disclaimer of Warranty * +* ------------------------- * +* * +* Covered Software is provided under this License on an "as is" * +* basis, without warranty of any kind, either expressed, implied, or * +* statutory, including, without limitation, warranties that the * +* Covered Software is free of defects, merchantable, fit for a * +* particular purpose or non-infringing. The entire risk as to the * +* quality and performance of the Covered Software is with You. * +* Should any Covered Software prove defective in any respect, You * +* (not any Contributor) assume the cost of any necessary servicing, * +* repair, or correction. This disclaimer of warranty constitutes an * +* essential part of this License. No use of any Covered Software is * +* authorized under this License except under this disclaimer. * +* * +************************************************************************ + +************************************************************************ +* * +* 7. Limitation of Liability * +* -------------------------- * +* * +* Under no circumstances and under no legal theory, whether tort * +* (including negligence), contract, or otherwise, shall any * +* Contributor, or anyone who distributes Covered Software as * +* permitted above, be liable to You for any direct, indirect, * +* special, incidental, or consequential damages of any character * +* including, without limitation, damages for lost profits, loss of * +* goodwill, work stoppage, computer failure or malfunction, or any * +* and all other commercial damages or losses, even if such party * +* shall have been informed of the possibility of such damages. This * +* limitation of liability shall not apply to liability for death or * +* personal injury resulting from such party's negligence to the * +* extent applicable law prohibits such limitation. Some * +* jurisdictions do not allow the exclusion or limitation of * +* incidental or consequential damages, so this exclusion and * +* limitation may not apply to You. * +* * +************************************************************************ + +8. Litigation +------------- + +Any litigation relating to this License may be brought only in the +courts of a jurisdiction where the defendant maintains its principal +place of business and such litigation shall be governed by laws of that +jurisdiction, without reference to its conflict-of-law provisions. +Nothing in this Section shall prevent a party's ability to bring +cross-claims or counter-claims. + +9. Miscellaneous +---------------- + +This License represents the complete agreement concerning the subject +matter hereof. If any provision of this License is held to be +unenforceable, such provision shall be reformed only to the extent +necessary to make it enforceable. Any law or regulation which provides +that the language of a contract shall be construed against the drafter +shall not be used to construe this License against a Contributor. + +10. Versions of the License +--------------------------- + +10.1. New Versions + +Mozilla Foundation is the license steward. Except as provided in Section +10.3, no one other than the license steward has the right to modify or +publish new versions of this License. Each version will be given a +distinguishing version number. + +10.2. Effect of New Versions + +You may distribute the Covered Software under the terms of the version +of the License under which You originally received the Covered Software, +or under the terms of any subsequent version published by the license +steward. + +10.3. Modified Versions + +If you create software not governed by this License, and you want to +create a new license for such software, you may create and use a +modified version of this License if you rename the license and remove +any references to the name of the license steward (except to note that +such modified license differs from this License). + +10.4. Distributing Source Code Form that is Incompatible With Secondary +Licenses + +If You choose to distribute Source Code Form that is Incompatible With +Secondary Licenses under the terms of this version of the License, the +notice described in Exhibit B of this License must be attached. + +Exhibit A - Source Code Form License Notice +------------------------------------------- + + This Source Code Form is subject to the terms of the Mozilla Public + License, v. 2.0. If a copy of the MPL was not distributed with this + file, You can obtain one at http://mozilla.org/MPL/2.0/. + +If it is not possible or desirable to put the notice in a particular +file, then You may include the notice in a location (such as a LICENSE +file in a relevant directory) where a recipient would be likely to look +for such a notice. + +You may add additional accurate notices of copyright ownership. + +Exhibit B - "Incompatible With Secondary Licenses" Notice +--------------------------------------------------------- + + This Source Code Form is "Incompatible With Secondary Licenses", as + defined by the Mozilla Public License, v. 2.0. diff --git a/phony/README b/phony/README new file mode 100644 index 0000000..43ee8d8 --- /dev/null +++ b/phony/README @@ -0,0 +1 @@ +copied from https://github.com/Arceliar/phony diff --git a/phony/actor.go b/phony/actor.go new file mode 100644 index 0000000..2869e75 --- /dev/null +++ b/phony/actor.go @@ -0,0 +1,139 @@ +package phony + +import ( + "runtime" + "sync" + "sync/atomic" +) + +var stops = sync.Pool{New: func() interface{} { return make(chan struct{}, 1) }} +var elems = sync.Pool{New: func() interface{} { return new(queueElem) }} + +// A message in the queue +type queueElem struct { + msg func() + next atomic.Pointer[queueElem] // *queueElem, accessed atomically +} + +// Inbox is an ordered queue of messages which an Actor will process sequentially. +// Messages are meant to be in the form of non-blocking functions of 0 arguments, often closures. +// The intent is for the Inbox struct to be embedded in other structs, causing them to satisfy the Actor interface, and then the Actor is used to access any protected fields of the struct. +// It is up to the user to ensure that memory is used safely, and that messages do not contain blocking operations. +// An Inbox must not be copied after first use. +type Inbox struct { + noCopy noCopy + head *queueElem // Used carefully to avoid needing atomics + tail atomic.Pointer[queueElem] // *queueElem, accessed atomically + busy atomic.Bool // accessed atomically, 1 if sends should apply backpressure +} + +// Actor is the interface for Actors, based on their ability to receive a message from another Actor. +// It's meant so that structs which embed an Inbox can satisfy a mutually compatible interface for message passing. +type Actor interface { + Act(Actor, func()) + enqueue(func()) + restart() + advance() bool +} + +// enqueue puts a message into the Inbox and returns true if backpressure should be applied. +// If the inbox was empty, then the actor was not already running, so enqueue starts it. +func (a *Inbox) enqueue(msg func()) { + q := elems.Get().(*queueElem) + *q = queueElem{msg: msg} + tail := a.tail.Swap(q) + if tail != nil { + //An old tail exists, so update its next pointer to reference q + tail.next.Store(q) + } else { + // No old tail existed, so no worker is currently running + // Update the head to point to q, then start the worker + a.head = q + a.restart() + } +} + +// Act adds a message to an Inbox, which will be executed by the inbox's Actor at some point in the future. +// When one Actor sends a message to another, the sender is meant to provide itself as the first argument to this function. +// If the sender argument is non-nil and the receiving Inbox has been flooded, then backpressure is applied to the sender. +// This backpressue cause the sender stop processing messages at some point in the future until the receiver has caught up with the sent message. +// A nil first argument is valid, but should only be used in cases where backpressure is known to be unnecessary, such as when an Actor sends a message to itself or sends a response to a request (where it's the request sender's fault if they're flooded by responses). +func (a *Inbox) Act(from Actor, action func()) { + if action == nil { + panic("tried to send nil action") + } + a.enqueue(action) + if from != nil && a.busy.Load() { + done := stops.Get().(chan struct{}) + a.enqueue(func() { done <- struct{}{} }) + from.enqueue(func() { + <-done + stops.Put(done) + }) + } +} + +// Block adds a message to an Actor's Inbox, which will be executed at some point in the future. +// It then blocks until the Actor has finished running the provided function. +// Block meant exclusively as a convenience function for non-Actor code to send messages and wait for responses. +// If an Actor calls Block, then it may cause a deadlock, so Act should always be used instead. +func Block(actor Actor, action func()) { + if actor == nil { + panic("tried to send to nil actor") + } else if action == nil { + panic("tried to send nil action") + } + done := stops.Get().(chan struct{}) + actor.enqueue(action) + actor.enqueue(func() { done <- struct{}{} }) + <-done + stops.Put(done) +} + +// run is executed when a message is placed in an empty Inbox, and launches a worker goroutine. +// The worker goroutine processes messages from the Inbox until empty, and then exits. +func (a *Inbox) run() { + a.busy.Store(true) + for running := true; running; running = a.advance() { + a.head.msg() + } +} + +// returns true if we still have more work to do +func (a *Inbox) advance() (more bool) { + head := a.head + a.head = head.next.Load() + if a.head == nil { + // We loaded the last message + // Unset busy and CAS the tail to nil to shut down + a.busy.Store(false) + if !a.tail.CompareAndSwap(head, nil) { + // Someone pushed to the list before we could CAS the tail to shut down + // This means we're effectively restarting at this point + // Set busy and load the next message + a.busy.Store(true) + for a.head == nil { + // Busy loop until the message is successfully loaded + // Gosched to avoid blocking the thread in the mean time + runtime.Gosched() + a.head = head.next.Load() + } + more = true + } + } else { + more = true + } + *head = queueElem{} + elems.Put(head) + return +} + +func (a *Inbox) restart() { + go a.run() +} + +// noCopy implements the sync.Locker interface, so go vet can catch unsafe copying +type noCopy struct{} + +func (n *noCopy) Lock() {} +func (n *noCopy) Unlock() {} diff --git a/phony/actor_test.go b/phony/actor_test.go new file mode 100644 index 0000000..68e91d1 --- /dev/null +++ b/phony/actor_test.go @@ -0,0 +1,220 @@ +package phony + +import ( + "testing" + "unsafe" +) + +func TestInboxSize(t *testing.T) { + var a Inbox + var q queueElem + t.Logf("Inbox size: %d, message size: %d", unsafe.Sizeof(a), unsafe.Sizeof(q)) +} + +func TestBlock(t *testing.T) { + var a Inbox + var results []int + for idx := 0; idx < 1024; idx++ { + n := idx // Because idx gets mutated in place + Block(&a, func() { + results = append(results, n) + }) + } + for idx, n := range results { + if n != idx { + t.Errorf("value %d != index %d", n, idx) + } + } +} + +func TestAct(t *testing.T) { + var a Inbox + var results []int + Block(&a, func() { + for idx := 0; idx < 1024; idx++ { + n := idx // Because idx gets mutated in place + a.Act(&a, func() { + results = append(results, n) + }) + } + }) + Block(&a, func() {}) + for idx, n := range results { + if n != idx { + t.Errorf("value %d != index %d", n, idx) + } + } +} + +func TestPanicAct(t *testing.T) { + defer func() { + if r := recover(); r == nil { + t.Errorf("The code did not panic") + } + }() + var a Inbox + a.Act(nil, nil) +} + +func TestPanicBlockActor(t *testing.T) { + defer func() { + if r := recover(); r == nil { + t.Errorf("The code did not panic") + } + }() + Block(nil, nil) +} + +func TestPanicBlockAction(t *testing.T) { + defer func() { + if r := recover(); r == nil { + t.Errorf("The code did not panic") + } + }() + var a Inbox + Block(&a, nil) +} + +func BenchmarkLoopActor(b *testing.B) { + var a Inbox + done := make(chan struct{}) + idx := 0 + var f func() + f = func() { + if idx < b.N { + idx++ + a.Act(nil, f) + } else { + close(done) + } + } + a.Act(nil, f) + <-done +} + +func BenchmarkLoopChannel(b *testing.B) { + ch := make(chan func(), 1) + defer close(ch) + go func() { + for f := range ch { + f() + } + }() + done := make(chan struct{}) + idx := 0 + var f func() + f = func() { + if idx < b.N { + idx++ + ch <- f + } else { + close(done) + } + } + ch <- f + <-done +} + +func BenchmarkSendActor(b *testing.B) { + var a, s Inbox + done := make(chan struct{}) + idx := 0 + var f func() + f = func() { + if idx < b.N { + idx++ + a.Act(&s, func() {}) + s.Act(nil, f) + } else { + a.Act(&s, func() { close(done) }) + } + } + s.Act(nil, f) + <-done +} + +func BenchmarkSendChannel(b *testing.B) { + done := make(chan struct{}) + ch := make(chan func()) + go func() { + for f := range ch { + f() + } + close(done) + }() + f := func() {} + for i := 0; i < b.N; i++ { + ch <- f + } + close(ch) + <-done +} + +func BenchmarkRequestResponseActor(b *testing.B) { + var pinger, ponger Inbox + done := make(chan struct{}) + idx := 0 + var ping, pong func() + ping = func() { + if idx < b.N { + idx++ + ponger.Act(&pinger, pong) + pinger.Act(nil, ping) // loop asynchronously + } else { + ponger.Act(&pinger, func() { + pinger.Act(nil, func() { + close(done) + }) + }) + } + } + pong = func() { + pinger.Act(nil, func() {}) // send a response without backpressure + } + pinger.Act(nil, ping) + <-done +} + +func BenchmarkRequestResponseChannel(b *testing.B) { + done := make(chan struct{}) + toPing := make(chan func(), 1) + toPong := make(chan func(), 1) + defer close(toPing) + defer close(toPong) + var ping func() + var pong func() + ping = func() { + for idx := 0; idx < b.N; idx++ { + toPong <- pong + f := <-toPing + f() + } + toPong <- func() { + toPing <- func() { + close(done) + } + } + } + pong = func() { + toPing <- func() {} + } + go func() { + for f := range toPing { + f() + } + }() + go func() { + for f := range toPong { + f() + } + }() + toPing <- ping + <-done +} + +func BenchmarkBlock(b *testing.B) { + var a Inbox + for i := 0; i < b.N; i++ { + Block(&a, func() {}) + } +} diff --git a/phony/doc.go b/phony/doc.go new file mode 100644 index 0000000..554cc80 --- /dev/null +++ b/phony/doc.go @@ -0,0 +1,7 @@ +// Package phony is a small actor model library for Go, inspired by the causal messaging system in the Pony programming language. +// An Actor is an interface satisfied by a lightweight Inbox struct. +// Structs that embed an Inbox satisfy an interface that allows them to send messages to eachother. +// Messages are functions of 0 arguments, typically closures, and should not perform blocking operations. +// Message passing is asynchronous, causal, and fast. +// Actors implemented by the provided Inbox struct are scheduled to prevent messages queues from growing too large, by pausing at safe breakpoints when an Actor detects that it sent something to another Actor whose inbox is flooded. +package phony diff --git a/server/chat.go b/server/chat.go new file mode 100644 index 0000000..a32da17 --- /dev/null +++ b/server/chat.go @@ -0,0 +1,61 @@ +package server + +import ( + "strings" + "git.citrons.xyz/metronode/classic" +) + +func processChatMessage(message string) []classic.Packet { + var ( + packets []classic.Packet + in = strings.NewReader(message) + line strings.Builder + word strings.Builder + color byte = 'f' + ) + for in.Len() > 0 { + for { + b, err := in.ReadByte() + if b > 127 { + b = '?' + } + if err == nil { + if b == '&' || b == '%' { + if word.Len() + 1 >= 64 { + line.WriteString(word.String()) + word.Reset() + } + next, err := in.ReadByte() + in.UnreadByte() + if err != nil { + word.WriteString("& ") + } else if (next >= '0' && next <= '9') || + (next >= 'a' && next <= 'f') { + b = '&' + color = next + } + } + word.WriteByte(b) + } + if line.Len() + word.Len() > 64 { + break + } + if err != nil { + line.WriteString(word.String()) + word.Reset() + break + } + if word.Len() >= 64 || b == ' ' { + line.WriteString(word.String()) + word.Reset() + } + } + packet := &classic.Message { + Message: classic.PadString(line.String()), + } + packets = append(packets, packet) + line.Reset() + line.WriteString("&f> &" + string([]byte{color})) + } + return packets +} diff --git a/server/commands.go b/server/commands.go new file mode 100644 index 0000000..abb4e43 --- /dev/null +++ b/server/commands.go @@ -0,0 +1 @@ +package server diff --git a/server/coords.go b/server/coords.go new file mode 100644 index 0000000..ebe71c9 --- /dev/null +++ b/server/coords.go @@ -0,0 +1,34 @@ +package server + +const playerHeight = 51 +const blockSize = 32 + +type blockCoord int64 +type entityCoord int64 + +type entityFacing struct { + Yaw, Pitch uint8 +} + +type blockPos struct { + X, Y, Z blockCoord +} +type entityPos struct { + X, Y, Z entityCoord +} + +func entityToBlock(pos entityPos) blockPos { + return blockPos { + blockCoord(pos.X >> 5), + blockCoord(pos.Y >> 5), + blockCoord(pos.Z >> 5), + } +} + +func blockToEntity(pos blockPos) entityPos { + return entityPos { + entityCoord(pos.X << 5), + entityCoord(pos.Y << 5), + entityCoord(pos.Z << 5), + } +} diff --git a/server/data.go b/server/data.go new file mode 100644 index 0000000..b7ed280 --- /dev/null +++ b/server/data.go @@ -0,0 +1,87 @@ +package server + +import ( + "os" + "encoding/binary" + "git.citrons.xyz/metronode/phony" +) + +var dataManager struct { + phony.Inbox + errHand interface { + OnSaveError(from phony.Actor, err error) + OnLoadError(from phony.Actor, err error) + } +} + +type atomicWriter struct { + from phony.Actor + name string + tmpFile *os.File +} + +func createAtomic(from phony.Actor, name string) (atomicWriter, error) { + os.Mkdir("world", 0777) + f, err := os.CreateTemp("world", "*.tmp") + if err != nil { + dataManager.errHand.OnSaveError(from, err) + return atomicWriter {}, err + } + return atomicWriter {from, name, f}, nil +} + +func (f atomicWriter) Write(b []byte) (n int, err error) { + return f.tmpFile.Write(b) +} + +func (f atomicWriter) Close() error { + if f.tmpFile == nil { + return nil + } + dataManager.Act(f.from, func() { + err := f.tmpFile.Close() + if err != nil { + dataManager.errHand.OnSaveError(&dataManager, err) + return + } + err = os.Rename(f.tmpFile.Name(), f.name) + if err != nil { + dataManager.errHand.OnSaveError(&dataManager, err) + } + }) + return nil +} + +func saveDataFile[T any](from phony.Actor, name string, data T) { + f, err := createAtomic(from, "world/" + name + ".bin") + if err != nil { + dataManager.errHand.OnSaveError(from, err) + return + } + defer f.Close() + err = binary.Write(f, binary.BigEndian, data) + if err != nil { + dataManager.errHand.OnSaveError(from, err) + } +} + +func loadDataFile[T any]( + from phony.Actor, name string, reply func(data T, ok bool)) { + dataManager.Act(from, func() { + f, err := os.Open("world/" + name + ".bin") + if err != nil { + if !os.IsNotExist(err) { + dataManager.errHand.OnLoadError(&dataManager, err) + } + return + } + defer f.Close() + var data T + err = binary.Read(f, binary.BigEndian, &data) + if err != nil { + dataManager.errHand.OnLoadError(&dataManager, err) + } + from.Act(nil, func() {reply(data, err == nil)}) + }) +} + diff --git a/server/level.go b/server/level.go new file mode 100644 index 0000000..577d0dc --- /dev/null +++ b/server/level.go @@ -0,0 +1,266 @@ +package server + +import ( + "io" + "os" + "fmt" + "bytes" + "compress/gzip" + "encoding/binary" + "git.citrons.xyz/metronode/phony" +) + +type levelId int32 +type blockType byte +type levelPlayerId int8 +type levelInfo struct { + Id levelId + Size blockPos + IsSpawn bool +} + +type level struct { + phony.Inbox + levelInfo + loadingState int + server *Server + blocks []byte + ids map[levelPlayerId]*player + players map[*player]levelPlayerId +} + +const ( + levelUnloaded = iota + levelLoading + levelLoaded +) + +func newLevel(s *Server, info levelInfo) *level { + return &level { + levelInfo: info, + server: s, + loadingState: levelLoaded, + blocks: make([]byte, info.Size.X * info.Size.Y * info.Size.Z), + ids: make(map[levelPlayerId]*player), + players: make(map[*player]levelPlayerId), + } +} + +func loadLevel(s *Server, id levelId, isSpawn bool) *level { + l := &level { + levelInfo: levelInfo {Id: id, IsSpawn: isSpawn}, + server: s, + ids: make(map[levelPlayerId]*player), + players: make(map[*player]levelPlayerId), + } + l.load() + return l +} + +func (l *level) load() { + if l.loadingState == levelUnloaded { + l.loadingState = levelLoading + id := l.Id + dataManager.Act(l, func() { + f, err := os.Open(fmt.Sprintf("world/level/%d.bin", id)) + if l.OnLevelError(&dataManager, err) != nil { + return + } + defer f.Close() + var ( + info levelInfo + blocks []byte + ) + err = binary.Read(f, binary.BigEndian, &info) + if l.OnLevelError(&dataManager, err) != nil { + return + } + z, err := gzip.NewReader(f) + if l.OnLevelError(&dataManager, err) != nil { + return + } + z.Read(make([]byte, 4)) + blocks, err = io.ReadAll(z) + if l.OnLevelError(&dataManager, err) != nil { + return + } + l.Act(&dataManager, func() { + l.loadingState = levelLoaded + l.levelInfo = info + l.Id = id + l.blocks = blocks + for player := range l.players { + player.OnLevelData(l, l.levelInfo, l.compressLevelData()) + } + }) + }) + } +} + +func (l *level) OnLevelError(from phony.Actor, err error) error { + if err == nil { + return err + } + l.Act(from, func() { + l.loadingState = levelUnloaded + dataManager.errHand.OnLoadError(l, err) + errString := err.Error() + if os.IsNotExist(err) { + errString = "level not found" + } + for player := range l.players { + player.OnLevelError(l, errString, l.levelInfo) + } + }) + return err +} + +func (l *level) save(done func()) { + if l.loadingState != levelLoaded { + return + } + os.Mkdir("world/level", 0777) + f, err := createAtomic(l, fmt.Sprintf("world/level/%d.bin", l.Id)) + if err != nil { + dataManager.errHand.OnSaveError(l, err) + return + } + defer f.Close() + + err = binary.Write(f, binary.BigEndian, l.levelInfo) + if err != nil { + dataManager.errHand.OnSaveError(l, err) + return + } + data := l.compressLevelData() + _, err = io.Copy(f, data) + if err != nil { + dataManager.errHand.OnSaveError(l, err) + return + } + if done != nil { + dataManager.Act(nil, done) + } +} + +func (l *level) blockIndex(pos blockPos) int { + return int(pos.X + pos.Z*l.Size.X + pos.Y*l.Size.X*l.Size.Z) +} + +func (l *level) setBlock(pos blockPos, block blockType) { + l.blocks[l.blockIndex(pos)] = byte(block) +} + +func (l *level) getBlock(pos blockPos) blockType { + return blockType(l.blocks[l.blockIndex(pos)]) +} + +func (l *level) compressLevelData() io.Reader { + rd, wr := io.Pipe() + data := bytes.NewReader(bytes.Clone(l.blocks)) + go func() { + defer wr.Close() + z := gzip.NewWriter(wr) + defer z.Close() + binary.Write(z, binary.BigEndian, uint32(len(l.blocks))) + io.Copy(z, data) + }() + return rd +} + +func (l *level) generateFlat() { + var p blockPos + for p.Z = 0; p.Z < l.levelInfo.Size.Z; p.Z++ { + for p.Y = 0; p.Y < l.levelInfo.Size.Y / 2; p.Y++ { + for p.X = 0; p.X < l.levelInfo.Size.X; p.X++ { + var block blockType + if p.Y == 0 { + block = 7 + } else if p.Y == l.levelInfo.Size.Y/2 - 1 { + block = 2 + } else if p.Y > l.levelInfo.Size.Y/2 - 15 { + block = 3 + } else { + block = 1 + } + l.setBlock(p, block) + } + } + } +} + +func (l *level) Save(from phony.Actor, done func()) { + l.Act(from, func() { + l.save(func() { + if done != nil { + from.Act(nil, done) + } + }) + }) +} + +func (l *level) SetBlock(from phony.Actor, pos blockPos, block blockType) { + if l.loadingState != levelLoaded { + return + } + l.Act(from, func() { + l.setBlock(pos, block) + for player := range l.players { + player.OnSetBlock(l, pos, block) + } + }) +} + +func (l *level) OnAddPlayer(from *player, name string, pos entityPos) { + l.Act(from, func() { + l.load() + if l.loadingState == levelLoaded { + from.OnLevelData(l, l.levelInfo, l.compressLevelData()) + } + var newId levelPlayerId + for newId = 0; newId <= 127; newId++ { + if l.ids[newId] == nil { + break + } + } + if newId == -1 { + from.OnLevelError( + l, "there are too many players in this area", l.levelInfo, + ) + } + for player, id := range l.players { + if player != from { + player.OnPlayer(l, newId, name, pos) + player.GetInfo(l, + func(name string, state playerState) { + from.OnPlayer(l, id, name, state.Pos) + }, + ) + } + } + l.ids[newId] = from + l.players[from] = newId + }) +} + +func (l *level) OnRemovePlayer(from *player) { + l.Act(from, func() { + delId := l.players[from] + delete(l.ids, delId) + delete(l.players, from) + for player := range l.players { + player.OnRemovePlayer(l, delId) + } + }) +} + +func (l *level) OnMovePlayer( + from *player, pos entityPos, facing entityFacing) { + l.Act(from, func() { + for player := range l.players { + if player != from { + player.OnMovePlayer(l, l.players[from], pos, facing) + } + } + }) +} diff --git a/server/player.go b/server/player.go new file mode 100644 index 0000000..bc6ee38 --- /dev/null +++ b/server/player.go @@ -0,0 +1,242 @@ +package server + +import ( + "io" + "os" + "fmt" + "regexp" + "git.citrons.xyz/metronode/phony" + "git.citrons.xyz/metronode/classic" +) + +type player struct { + phony.Inbox + state playerState + client *client + server *Server + name string + level *level +} + +type playerState struct { + LevelId levelId + Pos entityPos + Facing entityFacing +} + +var playerNameRegex = regexp.MustCompile("^[.-_a-zA-Z0-9]*$") + +func newPlayer(s *Server, cl *client, name string) *player { + pl := &player {client: cl, server: s, name: name} + loadDataFile(pl, "player/" + name, func(state playerState, ok bool) { + if ok { + pl.state = state + pl.ChangeLevel(pl, state.LevelId, state.Pos) + } else { + s.SendToSpawn(pl, pl) + } + }) + return pl +} + +func (p *player) save(done func()) { + os.Mkdir("world/player", 0777) + saveDataFile(p, "player/" + p.name, p.state) + if done != nil { + dataManager.Act(nil, done) + } +} + +func (p *player) kick(reason string) { + p.save(nil) + p.client.Disconnect(p, reason) + if p.level != nil { + p.level.OnRemovePlayer(p) + p.level = nil + } +} + +func (p *player) handlePacket(packet classic.Packet) { + if p.level == nil { + return + } + switch pck := packet.(type) { + case *classic.SetPosFacing: + p.state.Pos = entityPos { + entityCoord(pck.X), entityCoord(pck.Y), entityCoord(pck.Z), + } + p.state.Facing = entityFacing {pck.Yaw, pck.Pitch} + p.level.OnMovePlayer(p, p.state.Pos, p.state.Facing) + case *classic.ClientSetBlock: + block := blockType(pck.Block) + if pck.Mode == classic.BlockDestroyed { + block = 0 + } + pos := blockPos { + blockCoord(pck.X), + blockCoord(pck.Y), + blockCoord(pck.Z), + } + p.level.SetBlock(p, pos, block) + case *classic.Message: + p.server.OnPlayerMessage(p, p.name, classic.UnpadString(pck.Message)) + } +} + +func (p *player) Save(from phony.Actor, done func()) { + p.Act(from, func() { + p.save(func() { + if done != nil { + from.Act(nil, done) + } + }) + }) +} + +func (p *player) Kick(from phony.Actor, reason string) { + p.Act(from, func() { + p.kick(reason) + }) +} + +func (p *player) OnPacket(from phony.Actor, packet classic.Packet) { + p.Act(from, func() { + p.handlePacket(packet) + }) +} + +func (p *player) joinLevel(id levelId, lvl *level, pos entityPos) { + lvl.OnAddPlayer(p, p.name, pos) + p.level = lvl + p.state.LevelId = id + p.state.Pos = pos +} + +func (p *player) ChangeLevel(from phony.Actor, lvl levelId, pos entityPos) { + p.Act(from, func() { + if p.level != nil { + p.level.OnRemovePlayer(p) + } + p.server.GetLevel(p, lvl, func(l *level) { + p.joinLevel(lvl, l, pos) + }) + }) +} + +func (p *player) MovePlayer( + from phony.Actor, pos entityPos, facing entityFacing) { + p.Act(from, func() { + p.level.OnMovePlayer(p, pos, facing) + }) +} + +func (p *player) GetInfo(from phony.Actor, + reply func(name string, state playerState)) { + p.Act(from, func() { + name := p.name + state := p.state + from.Act(nil, func() {reply(name, state)}) + }) +} + +func (p *player) SendMessage(from phony.Actor, message string) { + p.Act(from, func() { + p.client.SendPackets(p, processChatMessage(message)) + }) +} + +func (p *player) OnPlayerMessage(from *Server, name string, message string) { + p.SendMessage(from, fmt.Sprintf("&7<&b%s&7>&f %s", name, message)) +} + +func (p *player) OnLevelData(from *level, info levelInfo, data io.Reader) { + p.Act(from, func() { + if from != p.level { + return + } + var packets []classic.Packet + for { + var packet classic.LevelDataChunk + n, err := io.ReadFull(data, packet.Data[:]) + if err == io.EOF || err == io.ErrUnexpectedEOF { + if n == 0 { + break + } + } else if err != nil { + panic(err) + } + packet.Length = int16(n) + packets = append(packets, &packet) + } + for i := 0; i < len(packets); i++ { + chunk := packets[i].(*classic.LevelDataChunk) + chunk.PercentComplete = byte(i * 100 / len(packets)) + } + p.client.SendPackets(p, packets) + p.client.SendPacket(p, &classic.LevelFinalize { + Width: int16(info.Size.X), + Height: int16(info.Size.Y), + Length: int16(info.Size.Z), + }) + p.client.SendPacket(p, &classic.SpawnPlayer { + PlayerId: -1, + Username: classic.PadString(p.name), + X: classic.FShort(p.state.Pos.X), + Y: classic.FShort(p.state.Pos.Y), + Z: classic.FShort(p.state.Pos.Z), + }) + }) +} + +func (p *player) OnLevelError(from *level, message string, info levelInfo) { + p.SendMessage(from, "&cCannot join level: " + message) + fmt.Println(info) + if !info.IsSpawn { + p.Act(from, func() { + p.server.SendToSpawn(p, p) + }) + } else { + p.Kick(from, "Error: " + message) + } +} + +func (p *player) OnPlayer( + from *level, id levelPlayerId, name string, pos entityPos) { + p.Act(from, func() { + p.client.SendPacket(p, &classic.SpawnPlayer { + PlayerId: int8(id), + Username: classic.PadString(name), + X: classic.FShort(pos.X), + Y: classic.FShort(pos.Y), + Z: classic.FShort(pos.Z), + }) + }) +} + +func (p *player) OnRemovePlayer(from *level, id levelPlayerId) { + p.Act(from, func() { + p.client.SendPacket(p, &classic.DespawnPlayer {int8(id)}) + }) +} + +func (p *player) OnMovePlayer( + from *level, id levelPlayerId, pos entityPos, facing entityFacing) { + p.Act(from, func() { + p.client.SendPacket(p, &classic.SetPosFacing { + PlayerId: int8(id), + X: classic.FShort(pos.X), + Y: classic.FShort(pos.Y), + Z: classic.FShort(pos.Z), + Yaw: facing.Yaw, Pitch: facing.Pitch, + }) + }) +} + +func (p *player) OnSetBlock(from *level, pos blockPos, block blockType) { + p.client.SendPacket(p, &classic.SetBlock { + X: int16(pos.X), + Y: int16(pos.Y), + Z: int16(pos.Z), + Block: byte(block), + }) +} diff --git a/server/server.go b/server/server.go new file mode 100644 index 0000000..13e06f6 --- /dev/null +++ b/server/server.go @@ -0,0 +1,396 @@ +package server + +import ( + "os" + "net" + "log" + "fmt" + "time" + "binary" + "os/signal" + "git.citrons.xyz/metronode/classic" + "git.citrons.xyz/metronode/phony" +) + +var SoftwareName = "Metronode" + +type ServerInfo struct { + Name string + Motd string +} + +type Server struct { + phony.Inbox + worldState + info ServerInfo + clients map[*client]bool + players map[string]*player + levels map[levelId]*level + listener net.Listener + stopping bool + stopped chan struct{} +} + +type worldState struct { + SpawnLevel levelId + SpawnPos entityPos +} + +func NewServer(info ServerInfo) *Server { + s := &Server { + info: info, + clients: make(map[*client]bool), + players: make(map[string]*player), + levels: make(map[levelId]*level), + stopped: make(chan struct{}), + } + err := os.Mkdir("world", 0777) + if err == nil { + spawnLevel := s.newLevel(levelInfo { + Id: 0, + Size: blockPos {X: 256, Y: 256, Z: 256}, + IsSpawn: true, + }) + spawnLevel.generateFlat() + s.SpawnPos = entityPos { + 128*blockSize, + 128*blockSize + playerHeight, + 128*blockSize, + } + } else { + f, err := os.Open("world/world.bin") + if err != nil { + log.Fatal(err) + } + err = binary.Read(f, binary.BigEndian, &s.worldState) + if err != nil { + log.Fatal("read world data: %s", err) + } + return s +} + +func (s *Server) Serve(ln net.Listener) { + dataManager.errHand = s + s.Act(nil, func() {s.listener = ln}) + go func() { + defer s.Stop(nil) + for { + conn, err := ln.Accept() + if err != nil { + log.Println(err) + return + } + s.Act(nil, func() { + s.clients[newClient(s, s.info, conn)] = true + }) + } + }() + var ( + ping = time.Tick(10 * time.Second) + tick = time.Tick(time.Second / 20) + save = time.Tick(time.Minute) + sigterm = make(chan os.Signal) + ) + signal.Notify(sigterm, os.Interrupt) + defer signal.Stop(sigterm) + for { + select { + case <-ping: s.SendPings() + case <-tick: s.Tick() + case <-save: s.Save(nil) + case <-sigterm: s.Stop(nil) + case <-s.stopped: return + } + } +} + +func (s *Server) stop() { + if s.stopping { + return + } + log.Println("stopping the server. please wait...") + s.listener.Close() + s.stopping = true + var ( + savedPlayers int + savedLevels int + ) + checkSaved := func() { + if savedLevels >= len(s.levels) && savedPlayers >= len(s.players) { + close(s.stopped) + for client := range s.clients { + client.Disconnect(s, "Shutting down...") + } + } + } + for _, player := range s.players { + player.Save(s, func() { + savedPlayers++ + checkSaved() + }) + } + for _, level := range s.levels { + level.Save(s, func() { + savedLevels++ + checkSaved() + }) + } +} + +func (s *Server) Stop(from phony.Actor) { + s.Act(from, s.stop) +} + +func (s *Server) Save(from phony.Actor) { + s.Act(from, func() { + for _, player := range s.players { + player.Save(s, nil) + } + for _, level := range s.levels { + level.Save(s, nil) + } + }) +} + +func (s *Server) SendPings() { + s.Act(nil, func() { + for cl := range s.clients { + cl.SendPing(s) + } + }) +} + +func (s *Server) OnDisconnect(cl *client, username string, pl *player) { + s.Act(cl, func() { + delete(s.clients, cl) + if s.stopping { + return + } + if s.players[username] == pl { + delete(s.players, username) + } + if username == "" { + return + } + s.Broadcast(nil, fmt.Sprintf("&e%s has left", username)) + }) +} + +func (s *Server) OnPlayerMessage(from *player, name string, message string) { + s.Act(from, func() { + for _, player := range s.players { + player.OnPlayerMessage(s, name, message) + } + }) +} + +func (s *Server) OnLoadError(from phony.Actor, err error) { + log.Printf("error loading world: %s", err) +} + +func (s *Server) OnSaveError(from phony.Actor, err error) { + log.Printf("error saving world: %s", err) + s.Broadcast(from, fmt.Sprintf("&4Error saving world: %s", err)) +} + +func (s *Server) Tick() { +} + +func (s *Server) newLevel(info levelInfo) *level { + l := newLevel(s, info) + s.levels[info.Id] = l + return l +} + +func (s *Server) newPlayer(cl *client, name string) *player { + pl := newPlayer(s, cl, name) + s.players[name] = pl + return pl +} + +func (s *Server) NewPlayer( + from phony.Actor, cl *client, name string, reply func(*player)) { + s.Act(from, func() { + s.Broadcast(nil, fmt.Sprintf("&e%s has joined", name)) + if s.players[name] != nil { + s.players[name].Act(s, func() { + s.players[name].kick("Replaced by new connection") + s.Act(s.players[name], func() { + s.newPlayer(cl, name) + s.GetPlayer(from, name, reply) + }) + }) + } else { + s.newPlayer(cl, name) + s.GetPlayer(from, name, reply) + } + }) +} + +func (s *Server) getLevel(lvl levelId) *level { + if s.levels[lvl] == nil { + s.levels[lvl] = loadLevel(s, lvl, lvl == s.spawnLevel) + } + return s.levels[lvl] +} + +func (s *Server) GetLevel( + from phony.Actor, lvl levelId, reply func(*level)) { + s.Act(from, func() { + if s.stopping { + return + } + l := s.getLevel(lvl) + from.Act(nil, func() {reply(l)}) + }) +} + +func (s *Server) SendToSpawn(from phony.Actor, pl *player) { + s.Act(from, func() { + pl.ChangeLevel(s, s.spawnLevel, s.spawnPos) + }) +} + +func (s *Server) GetPlayer( + from phony.Actor, name string, reply func(*player)) { + s.Act(from, func() { + from.Act(nil, func() {reply(s.players[name])}) + }) +} + +func (s *Server) Broadcast(from phony.Actor, message string) { + for _, player := range s.players { + player.SendMessage(s, message) + } +} + +type client struct { + phony.Inbox + server *Server + conn net.Conn + username string + player *player +} + +func newClient(server *Server, srvInfo ServerInfo, conn net.Conn) *client { + cl := &client {server: server} + cl.Act(nil, func() { + cl.performHandshake(conn, srvInfo) + if cl.conn != nil { + go cl.readPackets(cl.conn) + } + }) + return cl +} + +func (cl *client) performHandshake(conn net.Conn, srvInfo ServerInfo) { + cl.conn = conn + conn.SetDeadline(time.Now().Add(10 * time.Second)) + + packet, err := classic.SReadPacket(conn) + if cl.handleError(err) != nil { + return + } + switch pid := packet.(type) { + case *classic.PlayerId: + if pid.Version != 7 { + cl.disconnect( + "Please join on protocol version 7 (Minecraft Classic 0.30 / "+ + "ClassiCube)", + ) + } + cl.username = classic.UnpadString(pid.Username) + default: + cl.disconnect("Expected handshake") + return + } + err = classic.WritePacket(conn, &classic.ServerId { + Version: 7, + ServerName: classic.PadString(srvInfo.Name), + Motd: classic.PadString(srvInfo.Motd), + }) + if cl.handleError(err) != nil { + return + } + cl.server.NewPlayer(cl, cl, cl.username, func(pl *player) { + cl.player = pl + }) + + conn.SetDeadline(time.Time{}) +} + +func (cl *client) readPackets(conn net.Conn) { + for { + packet, err := classic.SReadPacket(conn) + cl.Act(nil, func() { + if cl.handleError(err) != nil { + return + } + if cl.player != nil { + cl.player.OnPacket(cl, packet) + } + }) + if err != nil { + return + } + } +} + +func (cl *client) handleError(err error) error { + if err == nil { + return err + } + cl.disconnect(err.Error()) + return err +} + +func (cl *client) disconnect(reason string) { + if cl.player != nil { + cl.player.Kick(cl, reason) + cl.player = nil + } + if cl.conn != nil { + cl.server.OnDisconnect(cl, cl.username, cl.player) + log.Printf("disconnecting client (%s): %s", cl.username, reason) + cl.conn.SetWriteDeadline(time.Now().Add(10 * time.Second)) + classic.WritePacket(cl.conn, &classic.DisconnectPlayer { + Reason: classic.PadString(reason), + }) + cl.conn.Close() + cl.conn = nil + } +} + +func (cl *client) SendPacket(from phony.Actor, packet classic.Packet) { + cl.Act(from, func() { + if cl.conn != nil { + cl.handleError(classic.WritePacket(cl.conn, packet)) + } + }) +} + +func (cl *client) SendPackets(from phony.Actor, packets []classic.Packet) { + cl.Act(from, func() { + for _, packet := range packets { + if cl.conn == nil { + return + } + cl.handleError(classic.WritePacket(cl.conn, packet)) + } + }) +} + +func (cl *client) SendPing(from phony.Actor) { + cl.Act(from, func() { + if cl.conn != nil { + cl.conn.SetWriteDeadline(time.Now().Add(10 * time.Second)) + cl.handleError(classic.WritePacket(cl.conn, &classic.Ping{})) + } + }) +} + +func (cl *client) Disconnect(from phony.Actor, reason string) { + cl.Act(from, func() { + cl.disconnect(reason) + }) +} diff --git a/world/1787964105.tmp b/world/1787964105.tmp new file mode 100644 index 0000000..e69de29 --- /dev/null +++ b/world/1787964105.tmp diff --git a/world/level/0.bin b/world/level/0.bin Binary files differnew file mode 100644 index 0000000..b514ec1 --- /dev/null +++ b/world/level/0.bin diff --git a/world/player/Oivee.bin b/world/player/Oivee.bin Binary files differnew file mode 100644 index 0000000..dc53ce7 --- /dev/null +++ b/world/player/Oivee.bin diff --git a/world/player/citrons.bin b/world/player/citrons.bin Binary files differnew file mode 100644 index 0000000..cef1136 --- /dev/null +++ b/world/player/citrons.bin diff --git a/world/player/gideonnav.bin b/world/player/gideonnav.bin Binary files differnew file mode 100644 index 0000000..bad50a1 --- /dev/null +++ b/world/player/gideonnav.bin |
